From b4b2f4f75f5fb8ec81f3a7cc43c9f4dbcfff05a7 Mon Sep 17 00:00:00 2001 From: Daniel Bradley Date: Tue, 1 Apr 2025 14:08:51 +0100 Subject: [PATCH 01/10] Add typed SdkVersion strings --- .../pkg/provider/provider_parameterize.go | 28 +++++++++---------- 1 file changed, 14 insertions(+), 14 deletions(-) diff --git a/provider/pkg/provider/provider_parameterize.go b/provider/pkg/provider/provider_parameterize.go index bca3c513c604..dcc1f737cf81 100644 --- a/provider/pkg/provider/provider_parameterize.go +++ b/provider/pkg/provider/provider_parameterize.go @@ -27,8 +27,8 @@ import ( // parameterizeArgs is the data that is embedded in the SDK when the provider is parameterized. It will be sent to the // provider on subsequent invocations of Parameterize to be deserialized. type parameterizeArgs struct { - Module string `json:"module"` - Version string `json:"version"` + Module string `json:"module"` + Version openapi.SdkVersion `json:"version"` } func serializeParameterizeArgs(args *parameterizeArgs) ([]byte, error) { @@ -54,7 +54,7 @@ func deserializeParameterizeArgs(in []byte) (*parameterizeArgs, error) { // parseApiVersion parses an Azure API version from the given string. Since the input comes from users (via `package // add`), it tries to be lenient and accept several formats. The returned result, if successful, is an "SDL version" of // the form v20200101. -func parseApiVersion(version string) (string, error) { +func parseApiVersion(version string) (openapi.SdkVersion, error) { v := strings.TrimSpace(version) v = strings.TrimLeft(v, "vV") @@ -64,7 +64,7 @@ func parseApiVersion(version string) (string, error) { } if isApiVersion { apiVersion := openapi.ApiVersion(v) - return string(apiVersion.ToSdkVersion()), nil + return apiVersion.ToSdkVersion(), nil } isDigits, err := regexp.MatchString(`^20\d{6}(preview|privatepreview)?$`, v) @@ -72,7 +72,7 @@ func parseApiVersion(version string) (string, error) { return "", status.Errorf(codes.InvalidArgument, "unexpected error parsing version %s: %v", version, err) } if isDigits { - return "v" + v, nil + return openapi.SdkVersion("v" + v), nil } return "", status.Errorf(codes.InvalidArgument, "invalid API version: %s", version) @@ -179,26 +179,26 @@ func (p *azureNativeProvider) Parameterize(ctx context.Context, req *rpc.Paramet const parameterizedNameSeparator = "_" -func generateNewPackageName(unparameterizedPackageName, targetModule, targetApiVersion string) string { - return strings.Join([]string{unparameterizedPackageName, targetModule, targetApiVersion}, parameterizedNameSeparator) +func generateNewPackageName(unparameterizedPackageName, targetModule string, targetApiVersion openapi.SdkVersion) string { + return strings.Join([]string{unparameterizedPackageName, targetModule, string(targetApiVersion)}, parameterizedNameSeparator) } // updateRefs updates all `$ref` pointers in the serialized schema to use the new package name, e.g., from `"$ref": // "#/types/azure-native:..."` to `"$ref": "#/types/azure-native_resources_20240101:..."`. -func updateRefs(serialized []byte, newPackageName, module, apiVersion string) []byte { - oldRefPrefix := fmt.Sprintf(`"$ref":"#/types/azure-native:%s/%s`, module, apiVersion) +func updateRefs(serialized []byte, newPackageName, module string, sdkVersion openapi.SdkVersion) []byte { + oldRefPrefix := fmt.Sprintf(`"$ref":"#/types/azure-native:%s/%s`, module, sdkVersion) newRefPrefix := fmt.Sprintf(`"$ref": "#/types/%s:%s`, newPackageName, module) return bytes.ReplaceAll(serialized, []byte(oldRefPrefix), []byte(newRefPrefix)) } // updateMetadataRefs updates all `$ref` pointers in the metadata to use the new package name. // This implementation uses a JSON round-trip to update the `$ref`'s via a global string-replacement. Not elegant, but effective. -func updateMetadataRefs(metadata *resources.APIMetadata, newPackageName, module, apiVersion string) (*resources.APIMetadata, error) { +func updateMetadataRefs(metadata *resources.APIMetadata, newPackageName, module string, sdkVersion openapi.SdkVersion) (*resources.APIMetadata, error) { m, err := json.Marshal(metadata) if err != nil { return nil, status.Errorf(codes.Internal, "failed to marshal metadata: %v", err) } - updated := updateRefs(m, newPackageName, module, apiVersion) + updated := updateRefs(m, newPackageName, module, sdkVersion) newMetadata := &resources.APIMetadata{} err = json.Unmarshal(updated, newMetadata) if err != nil { @@ -233,7 +233,7 @@ func getAvailableApiVersions(schema pschema.PackageSpec, targetModule string) [] // // To separate concerns, the `Parameterization` of the new schema is NOT populated yet, the caller is responsible for // doing that. -func createSchema(p *azureNativeProvider, schema pschema.PackageSpec, targetModule, targetApiVersion string) (*pschema.PackageSpec, *resources.APIMetadata, error) { +func createSchema(p *azureNativeProvider, schema pschema.PackageSpec, targetModule string, targetApiVersion openapi.SdkVersion) (*pschema.PackageSpec, *resources.APIMetadata, error) { newPackageName := generateNewPackageName(schema.Name, targetModule, targetApiVersion) newSchema := pschema.PackageSpec{ @@ -344,14 +344,14 @@ func createSchema(p *azureNativeProvider, schema pschema.PackageSpec, targetModu } // filterTokens returns a map of tokens that match the target module and API version. -func filterTokens[T any](tokens map[string]T, targetModule, targetApiVersion string) (map[string]string, error) { +func filterTokens[T any](tokens map[string]T, targetModule string, targetApiVersion openapi.SdkVersion) (map[string]string, error) { typeNames := map[string]string{} for token := range tokens { moduleName, version, name, err := resources.ParseToken(token) if err != nil { return nil, err } - if !strings.EqualFold(moduleName, targetModule) || version != targetApiVersion { + if !strings.EqualFold(moduleName, targetModule) || version != string(targetApiVersion) { continue } typeNames[token] = name From dd20a5e36252dacbc9d72c65f8140264dc906756 Mon Sep 17 00:00:00 2001 From: Daniel Bradley Date: Tue, 1 Apr 2025 14:52:17 +0100 Subject: [PATCH 02/10] Update token format to match new format --- provider/pkg/gen/schema.go | 20 ++++++++-------- provider/pkg/gen/types.go | 7 +++++- .../pkg/provider/provider_parameterize.go | 4 ++-- provider/pkg/provider/provider_test.go | 2 +- provider/pkg/resources/ids.go | 23 +++++++++++++------ 5 files changed, 35 insertions(+), 21 deletions(-) diff --git a/provider/pkg/gen/schema.go b/provider/pkg/gen/schema.go index 2955f6be247b..607530648520 100644 --- a/provider/pkg/gen/schema.go +++ b/provider/pkg/gen/schema.go @@ -34,6 +34,7 @@ import ( "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/collections" "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/openapi" "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/openapi/paths" + "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/provider" "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/resources" "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/resources/customresources" "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/util" @@ -885,6 +886,7 @@ func (g *packageGenerator) genResourceVariant(apiSpec *openapi.ResourceSpec, res metadata: g.metadata, module: module, moduleName: g.moduleName, + sdkVersion: g.sdkVersion, resourceName: resource.typeName, resourceToken: resourceTok, visitedTypes: make(map[string]bool), @@ -1151,6 +1153,7 @@ func (g *packageGenerator) genFunctions(typeName, path string, specParams []spec pkg: g.pkg, metadata: g.metadata, module: module, + sdkVersion: g.sdkVersion, resourceToken: fmt.Sprintf(`%s:%s:%s`, g.pkg.Name, module, typeName), moduleName: g.moduleName, resourceName: typeName, @@ -1215,7 +1218,7 @@ type TokenModule string // moduleWithVersion produces the token's module part from the module name and the version e.g. `compute/v20200701` or `network`. func (g *packageGenerator) moduleWithVersion() TokenModule { - return TokenModule(versionedModule(g.moduleName, g.sdkVersion)) + return TokenModule(g.moduleName.Lowered()) } // goModuleName produces the *Go* module name from the provider name and the version e.g. `compute/v20200701`. @@ -1224,16 +1227,12 @@ func goModuleName(moduleName openapi.ModuleName, sdkVersion openapi.SdkVersion) return filepath.Join(goModuleRepoPath, moduleName.Lowered(), goModuleVersion, string(sdkVersion)) } -// versionedModule produces the module name from the module name, and the version if not empty, e.g. `compute/v20200701`. -func versionedModule(moduleName openapi.ModuleName, sdkVersion openapi.SdkVersion) string { - if sdkVersion == "" { - return moduleName.Lowered() +func generateTok(moduleName openapi.ModuleName, typeName string, sdkVersion openapi.SdkVersion) string { + providerName := pulumiProviderName + if sdkVersion != "" { + providerName = provider.ParameterizedProviderName(pulumiProviderName, moduleName.Lowered(), sdkVersion) } - return fmt.Sprintf("%s/%s", moduleName.Lowered(), sdkVersion) -} - -func generateTok(moduleName openapi.ModuleName, typeName string, apiVersion openapi.SdkVersion) string { - return fmt.Sprintf(`%s:%s:%s`, pulumiProviderName, versionedModule(moduleName, apiVersion), typeName) + return fmt.Sprintf(`%s:%s:%s`, providerName, moduleName.Lowered(), typeName) } func (g *packageGenerator) shouldInclude(typeName, tok string, version *openapi.ApiVersion) bool { @@ -1430,6 +1429,7 @@ type moduleGenerator struct { pkg *pschema.PackageSpec metadata *resources.AzureAPIMetadata module TokenModule + sdkVersion openapi.SdkVersion moduleName openapi.ModuleName resourceName string resourceToken string diff --git a/provider/pkg/gen/types.go b/provider/pkg/gen/types.go index a4310453a455..30c8256c3d3e 100644 --- a/provider/pkg/gen/types.go +++ b/provider/pkg/gen/types.go @@ -23,6 +23,7 @@ import ( "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/convert" "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/openapi" + "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/provider" "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/resources" "github.com/pulumi/pulumi-azure-native/v2/provider/pkg/version" "github.com/pulumi/pulumi/pkg/v3/codegen" @@ -501,5 +502,9 @@ func (m *moduleGenerator) typeName(ctx *openapi.ReferenceContext, isOutput bool) suffix = "Response" } referenceName := m.typeNameOverride(ToUpperCamel(MakeLegalIdentifier(ctx.ReferenceName))) - return fmt.Sprintf("azure-native:%s:%s%s", m.module, referenceName, suffix) + providerName := pulumiProviderName + if m.sdkVersion != "" { + providerName = provider.ParameterizedProviderName(pulumiProviderName, m.moduleName.Lowered(), m.sdkVersion) + } + return fmt.Sprintf("%s:%s:%s%s", providerName, m.module, referenceName, suffix) } diff --git a/provider/pkg/provider/provider_parameterize.go b/provider/pkg/provider/provider_parameterize.go index dcc1f737cf81..447227b4dd64 100644 --- a/provider/pkg/provider/provider_parameterize.go +++ b/provider/pkg/provider/provider_parameterize.go @@ -179,7 +179,7 @@ func (p *azureNativeProvider) Parameterize(ctx context.Context, req *rpc.Paramet const parameterizedNameSeparator = "_" -func generateNewPackageName(unparameterizedPackageName, targetModule string, targetApiVersion openapi.SdkVersion) string { +func ParameterizedProviderName(unparameterizedPackageName, targetModule string, targetApiVersion openapi.SdkVersion) string { return strings.Join([]string{unparameterizedPackageName, targetModule, string(targetApiVersion)}, parameterizedNameSeparator) } @@ -234,7 +234,7 @@ func getAvailableApiVersions(schema pschema.PackageSpec, targetModule string) [] // To separate concerns, the `Parameterization` of the new schema is NOT populated yet, the caller is responsible for // doing that. func createSchema(p *azureNativeProvider, schema pschema.PackageSpec, targetModule string, targetApiVersion openapi.SdkVersion) (*pschema.PackageSpec, *resources.APIMetadata, error) { - newPackageName := generateNewPackageName(schema.Name, targetModule, targetApiVersion) + newPackageName := ParameterizedProviderName(schema.Name, targetModule, targetApiVersion) newSchema := pschema.PackageSpec{ Name: newPackageName, diff --git a/provider/pkg/provider/provider_test.go b/provider/pkg/provider/provider_test.go index ea5f15938f47..611c447716d7 100644 --- a/provider/pkg/provider/provider_test.go +++ b/provider/pkg/provider/provider_test.go @@ -949,7 +949,7 @@ func TestProviderDiff(t *testing.T) { func TestIsParameterized(t *testing.T) { t.Run("parameterized", func(t *testing.T) { provider := &azureNativeProvider{ - name: generateNewPackageName("azure-native", "aad", "v20221201"), + name: ParameterizedProviderName("azure-native", "aad", "v20221201"), } assert.True(t, provider.isParameterized()) }) diff --git a/provider/pkg/resources/ids.go b/provider/pkg/resources/ids.go index 4c5276d27fce..8e55d58f8aa3 100644 --- a/provider/pkg/resources/ids.go +++ b/provider/pkg/resources/ids.go @@ -60,17 +60,26 @@ func ParseToken(tok string) (string, string, string, error) { if len(parts) != 3 { return "", "", "", errors.Errorf("malformed token '%s'", tok) } - subparts := strings.Split(parts[1], "/") - if len(subparts) == 2 { - return subparts[0], subparts[1], parts[2], nil + provider, module, resource := parts[0], parts[1], parts[2] + if provider == "azure-native" { + return module, "", resource, nil } - return parts[1], "", parts[2], nil + providerParts := strings.Split(provider, "_") + if len(providerParts) != 3 { + return "", "", "", errors.Errorf("malformed token '%s'", tok) + } + return module, providerParts[2], resource, nil } // BuildToken constructs a resource token from the given module, API version, and resource name. func BuildToken(mod string, apiVersion string, name string) string { - if apiVersion == "" { - return fmt.Sprintf("azure-native:%s:%s", mod, name) + providerName := "azure-native" + if apiVersion != "" { + providerName = parameterizedProviderName(mod, apiVersion) } - return fmt.Sprintf("azure-native:%s/%s:%s", mod, apiVersion, name) + return strings.Join([]string{providerName, mod, name}, ":") +} + +func parameterizedProviderName(targetModule, targetApiVersion string) string { + return strings.Join([]string{"azure-native", targetModule, targetApiVersion}, "_") } From cd4dd109a32ccbd9115773e6bb0c6a20d22b2c26 Mon Sep 17 00:00:00 2001 From: Daniel Bradley Date: Mon, 7 Apr 2025 09:51:49 +0100 Subject: [PATCH 03/10] Generate --- reports/flattenedPropertyConflicts.json | 216 +- reports/forceNewTypes.json | 23084 ++++++------ reports/tokenPaths.json | 29470 ++++++++-------- reports/typeCaseConflicts.json | 32 +- sdk/dotnet/AVS/Addon.cs | 10 +- sdk/dotnet/AVS/Authorization.cs | 13 +- sdk/dotnet/AVS/CloudLink.cs | 7 +- sdk/dotnet/AVS/Cluster.cs | 11 +- sdk/dotnet/AVS/Datastore.cs | 9 +- sdk/dotnet/AVS/GlobalReachConnection.cs | 11 +- sdk/dotnet/AVS/HcxEnterpriseSite.cs | 13 +- sdk/dotnet/AVS/IscsiPath.cs | 1 + sdk/dotnet/AVS/PlacementPolicy.cs | 5 +- sdk/dotnet/AVS/PrivateCloud.cs | 13 +- sdk/dotnet/AVS/ScriptExecution.cs | 7 +- sdk/dotnet/AVS/WorkloadNetworkDhcp.cs | 10 +- sdk/dotnet/AVS/WorkloadNetworkDnsService.cs | 11 +- sdk/dotnet/AVS/WorkloadNetworkDnsZone.cs | 11 +- .../AVS/WorkloadNetworkPortMirroring.cs | 11 +- sdk/dotnet/AVS/WorkloadNetworkPublicIP.cs | 7 +- sdk/dotnet/AVS/WorkloadNetworkSegment.cs | 11 +- sdk/dotnet/AVS/WorkloadNetworkVMGroup.cs | 11 +- sdk/dotnet/Aad/DomainService.cs | 13 +- sdk/dotnet/Aad/OuContainer.cs | 11 +- sdk/dotnet/AadIam/DiagnosticSetting.cs | 2 + sdk/dotnet/Addons/SupportPlanType.cs | 3 +- sdk/dotnet/Advisor/Assessment.cs | 2 +- sdk/dotnet/Advisor/Suppression.cs | 17 +- sdk/dotnet/AgFoodPlatform/DataConnector.cs | 1 + .../DataManagerForAgricultureResource.cs | 5 +- sdk/dotnet/AgFoodPlatform/Extension.cs | 4 +- .../PrivateEndpointConnection.cs | 2 + sdk/dotnet/AgFoodPlatform/Solution.cs | 2 + sdk/dotnet/AgriculturePlatform/AgriService.cs | 2 +- .../AlertsManagement/ActionRuleByName.cs | 7 +- .../AlertProcessingRuleByName.cs | 7 +- .../AlertsManagement/PrometheusRuleGroup.cs | 3 +- .../SmartDetectorAlertRule.cs | 5 +- sdk/dotnet/AnalysisServices/ServerDetails.cs | 6 +- sdk/dotnet/ApiCenter/Api.cs | 3 + sdk/dotnet/ApiCenter/ApiDefinition.cs | 3 + sdk/dotnet/ApiCenter/ApiSource.cs | 1 + sdk/dotnet/ApiCenter/ApiVersion.cs | 3 + sdk/dotnet/ApiCenter/Deployment.cs | 3 + sdk/dotnet/ApiCenter/Environment.cs | 3 + sdk/dotnet/ApiCenter/MetadataSchema.cs | 3 + sdk/dotnet/ApiCenter/Service.cs | 4 + sdk/dotnet/ApiCenter/Workspace.cs | 3 + sdk/dotnet/ApiManagement/Api.cs | 34 +- sdk/dotnet/ApiManagement/ApiDiagnostic.cs | 31 +- sdk/dotnet/ApiManagement/ApiGateway.cs | 3 + .../ApiGatewayConfigConnection.cs | 3 + sdk/dotnet/ApiManagement/ApiIssue.cs | 33 +- .../ApiManagement/ApiIssueAttachment.cs | 33 +- sdk/dotnet/ApiManagement/ApiIssueComment.cs | 33 +- .../ApiManagement/ApiManagementService.cs | 35 +- sdk/dotnet/ApiManagement/ApiOperation.cs | 37 +- .../ApiManagement/ApiOperationPolicy.cs | 32 +- sdk/dotnet/ApiManagement/ApiPolicy.cs | 32 +- sdk/dotnet/ApiManagement/ApiRelease.cs | 33 +- sdk/dotnet/ApiManagement/ApiSchema.cs | 32 +- sdk/dotnet/ApiManagement/ApiTagDescription.cs | 32 +- sdk/dotnet/ApiManagement/ApiVersionSet.cs | 33 +- sdk/dotnet/ApiManagement/ApiWiki.cs | 7 + sdk/dotnet/ApiManagement/Authorization.cs | 9 +- .../AuthorizationAccessPolicy.cs | 9 +- .../ApiManagement/AuthorizationProvider.cs | 9 +- .../ApiManagement/AuthorizationServer.cs | 37 +- sdk/dotnet/ApiManagement/Backend.cs | 36 +- sdk/dotnet/ApiManagement/Cache.cs | 28 +- sdk/dotnet/ApiManagement/Certificate.cs | 37 +- sdk/dotnet/ApiManagement/ContentItem.cs | 23 +- sdk/dotnet/ApiManagement/ContentType.cs | 23 +- sdk/dotnet/ApiManagement/Diagnostic.cs | 31 +- sdk/dotnet/ApiManagement/Documentation.cs | 7 + sdk/dotnet/ApiManagement/EmailTemplate.cs | 33 +- sdk/dotnet/ApiManagement/Gateway.cs | 25 +- .../ApiManagement/GatewayApiEntityTag.cs | 25 +- .../GatewayCertificateAuthority.cs | 21 +- .../GatewayHostnameConfiguration.cs | 25 +- sdk/dotnet/ApiManagement/GlobalSchema.cs | 15 +- .../ApiManagement/GraphQLApiResolver.cs | 7 + .../ApiManagement/GraphQLApiResolverPolicy.cs | 7 + sdk/dotnet/ApiManagement/Group.cs | 37 +- sdk/dotnet/ApiManagement/GroupUser.cs | 31 +- sdk/dotnet/ApiManagement/IdentityProvider.cs | 36 +- sdk/dotnet/ApiManagement/Logger.cs | 34 +- sdk/dotnet/ApiManagement/NamedValue.cs | 25 +- .../NotificationRecipientEmail.cs | 33 +- .../NotificationRecipientUser.cs | 32 +- .../ApiManagement/OpenIdConnectProvider.cs | 37 +- sdk/dotnet/ApiManagement/Policy.cs | 32 +- sdk/dotnet/ApiManagement/PolicyFragment.cs | 11 +- sdk/dotnet/ApiManagement/PolicyRestriction.cs | 4 + .../PrivateEndpointConnectionByName.cs | 15 +- sdk/dotnet/ApiManagement/Product.cs | 37 +- sdk/dotnet/ApiManagement/ProductApi.cs | 31 +- sdk/dotnet/ApiManagement/ProductApiLink.cs | 6 + sdk/dotnet/ApiManagement/ProductGroup.cs | 33 +- sdk/dotnet/ApiManagement/ProductGroupLink.cs | 6 + sdk/dotnet/ApiManagement/ProductPolicy.cs | 32 +- sdk/dotnet/ApiManagement/ProductWiki.cs | 7 + sdk/dotnet/ApiManagement/Schema.cs | 21 +- sdk/dotnet/ApiManagement/Subscription.cs | 35 +- sdk/dotnet/ApiManagement/Tag.cs | 33 +- sdk/dotnet/ApiManagement/TagApiLink.cs | 6 + sdk/dotnet/ApiManagement/TagByApi.cs | 33 +- sdk/dotnet/ApiManagement/TagByOperation.cs | 33 +- sdk/dotnet/ApiManagement/TagByProduct.cs | 33 +- sdk/dotnet/ApiManagement/TagOperationLink.cs | 6 + sdk/dotnet/ApiManagement/TagProductLink.cs | 6 + sdk/dotnet/ApiManagement/User.cs | 35 +- sdk/dotnet/ApiManagement/Workspace.cs | 6 + sdk/dotnet/ApiManagement/WorkspaceApi.cs | 6 + .../ApiManagement/WorkspaceApiDiagnostic.cs | 3 + .../ApiManagement/WorkspaceApiOperation.cs | 6 + .../WorkspaceApiOperationPolicy.cs | 6 + .../ApiManagement/WorkspaceApiPolicy.cs | 6 + .../ApiManagement/WorkspaceApiRelease.cs | 6 + .../ApiManagement/WorkspaceApiSchema.cs | 6 + .../ApiManagement/WorkspaceApiVersionSet.cs | 6 + sdk/dotnet/ApiManagement/WorkspaceBackend.cs | 3 + .../ApiManagement/WorkspaceCertificate.cs | 3 + .../ApiManagement/WorkspaceDiagnostic.cs | 3 + .../ApiManagement/WorkspaceGlobalSchema.cs | 6 + sdk/dotnet/ApiManagement/WorkspaceGroup.cs | 6 + .../ApiManagement/WorkspaceGroupUser.cs | 6 + sdk/dotnet/ApiManagement/WorkspaceLogger.cs | 3 + .../ApiManagement/WorkspaceNamedValue.cs | 6 + .../WorkspaceNotificationRecipientEmail.cs | 6 + .../WorkspaceNotificationRecipientUser.cs | 6 + sdk/dotnet/ApiManagement/WorkspacePolicy.cs | 6 + .../ApiManagement/WorkspacePolicyFragment.cs | 6 + sdk/dotnet/ApiManagement/WorkspaceProduct.cs | 6 + .../ApiManagement/WorkspaceProductApiLink.cs | 6 + .../WorkspaceProductGroupLink.cs | 6 + .../ApiManagement/WorkspaceProductPolicy.cs | 6 + .../ApiManagement/WorkspaceSubscription.cs | 6 + sdk/dotnet/ApiManagement/WorkspaceTag.cs | 6 + .../ApiManagement/WorkspaceTagApiLink.cs | 6 + .../WorkspaceTagOperationLink.cs | 6 + .../ApiManagement/WorkspaceTagProductLink.cs | 6 + sdk/dotnet/App/AppResiliency.cs | 5 + sdk/dotnet/App/Build.cs | 5 + sdk/dotnet/App/Builder.cs | 5 + sdk/dotnet/App/Certificate.cs | 19 +- sdk/dotnet/App/ConnectedEnvironment.cs | 16 +- .../App/ConnectedEnvironmentsCertificate.cs | 16 +- .../App/ConnectedEnvironmentsDaprComponent.cs | 16 +- .../App/ConnectedEnvironmentsStorage.cs | 16 +- sdk/dotnet/App/ContainerApp.cs | 19 +- sdk/dotnet/App/ContainerAppsAuthConfig.cs | 19 +- sdk/dotnet/App/ContainerAppsSessionPool.cs | 5 +- sdk/dotnet/App/ContainerAppsSourceControl.cs | 19 +- sdk/dotnet/App/DaprComponent.cs | 19 +- .../App/DaprComponentResiliencyPolicy.cs | 5 + sdk/dotnet/App/DaprSubscription.cs | 5 + sdk/dotnet/App/DotNetComponent.cs | 4 + sdk/dotnet/App/HttpRouteConfig.cs | 1 + sdk/dotnet/App/JavaComponent.cs | 6 +- sdk/dotnet/App/Job.cs | 13 +- sdk/dotnet/App/LogicApp.cs | 3 + sdk/dotnet/App/MaintenanceConfiguration.cs | 1 + sdk/dotnet/App/ManagedCertificate.cs | 13 +- sdk/dotnet/App/ManagedEnvironment.cs | 19 +- ...gedEnvironmentPrivateEndpointConnection.cs | 3 + sdk/dotnet/App/ManagedEnvironmentsStorage.cs | 19 +- .../AppComplianceAutomation/Evidence.cs | 1 + sdk/dotnet/AppComplianceAutomation/Report.cs | 2 + .../ScopingConfiguration.cs | 1 + sdk/dotnet/AppComplianceAutomation/Webhook.cs | 1 + .../AppConfiguration/ConfigurationStore.cs | 22 +- sdk/dotnet/AppConfiguration/KeyValue.cs | 14 +- .../PrivateEndpointConnection.cs | 18 +- sdk/dotnet/AppConfiguration/Replica.cs | 6 +- sdk/dotnet/AppPlatform/ApiPortal.cs | 23 +- .../AppPlatform/ApiPortalCustomDomain.cs | 23 +- sdk/dotnet/AppPlatform/Apm.cs | 7 + sdk/dotnet/AppPlatform/App.cs | 33 +- .../AppPlatform/ApplicationAccelerator.cs | 13 +- sdk/dotnet/AppPlatform/ApplicationLiveView.cs | 13 +- sdk/dotnet/AppPlatform/Binding.cs | 33 +- .../AppPlatform/BuildServiceAgentPool.cs | 25 +- sdk/dotnet/AppPlatform/BuildServiceBuild.cs | 9 +- sdk/dotnet/AppPlatform/BuildServiceBuilder.cs | 25 +- sdk/dotnet/AppPlatform/BuildpackBinding.cs | 25 +- sdk/dotnet/AppPlatform/Certificate.cs | 32 +- sdk/dotnet/AppPlatform/ConfigServer.cs | 33 +- .../AppPlatform/ConfigurationService.cs | 25 +- sdk/dotnet/AppPlatform/ContainerRegistry.cs | 7 + sdk/dotnet/AppPlatform/CustomDomain.cs | 33 +- .../AppPlatform/CustomizedAccelerator.cs | 13 +- sdk/dotnet/AppPlatform/Deployment.cs | 33 +- sdk/dotnet/AppPlatform/DevToolPortal.cs | 13 +- sdk/dotnet/AppPlatform/Gateway.cs | 23 +- sdk/dotnet/AppPlatform/GatewayCustomDomain.cs | 23 +- sdk/dotnet/AppPlatform/GatewayRouteConfig.cs | 23 +- sdk/dotnet/AppPlatform/Job.cs | 1 + sdk/dotnet/AppPlatform/MonitoringSetting.cs | 33 +- sdk/dotnet/AppPlatform/Service.cs | 33 +- sdk/dotnet/AppPlatform/ServiceRegistry.cs | 25 +- sdk/dotnet/AppPlatform/Storage.cs | 25 +- .../ApplicationInsights/AnalyticsItem.cs | 2 +- sdk/dotnet/ApplicationInsights/Component.cs | 8 +- .../ComponentCurrentBillingFeature.cs | 2 +- .../ComponentLinkedStorageAccount.cs | 2 +- .../ExportConfiguration.cs | 2 +- sdk/dotnet/ApplicationInsights/Favorite.cs | 2 +- sdk/dotnet/ApplicationInsights/MyWorkbook.cs | 6 +- .../ProactiveDetectionConfiguration.cs | 4 +- sdk/dotnet/ApplicationInsights/WebTest.cs | 8 +- sdk/dotnet/ApplicationInsights/Workbook.cs | 14 +- .../ApplicationInsights/WorkbookTemplate.cs | 4 +- sdk/dotnet/Attestation/AttestationProvider.cs | 6 +- .../Attestation/PrivateEndpointConnection.cs | 4 +- .../AccessReviewHistoryDefinitionById.cs | 3 +- .../AccessReviewScheduleDefinitionById.cs | 9 +- .../ManagementLockAtResourceGroupLevel.cs | 7 +- .../ManagementLockAtResourceLevel.cs | 5 +- .../ManagementLockAtSubscriptionLevel.cs | 7 +- .../Authorization/ManagementLockByScope.cs | 5 +- .../PimRoleEligibilitySchedule.cs | 2 +- sdk/dotnet/Authorization/PolicyAssignment.cs | 29 +- sdk/dotnet/Authorization/PolicyDefinition.cs | 24 +- .../PolicyDefinitionAtManagementGroup.cs | 20 +- .../Authorization/PolicyDefinitionVersion.cs | 5 +- ...olicyDefinitionVersionAtManagementGroup.cs | 5 +- sdk/dotnet/Authorization/PolicyExemption.cs | 5 +- .../Authorization/PolicySetDefinition.cs | 21 +- .../PolicySetDefinitionAtManagementGroup.cs | 21 +- .../PolicySetDefinitionVersion.cs | 5 +- ...cySetDefinitionVersionAtManagementGroup.cs | 5 +- .../Authorization/PrivateLinkAssociation.cs | 1 + .../ResourceManagementPrivateLink.cs | 1 + sdk/dotnet/Authorization/RoleAssignment.cs | 14 +- sdk/dotnet/Authorization/RoleDefinition.cs | 7 +- .../Authorization/RoleManagementPolicy.cs | 8 +- .../RoleManagementPolicyAssignment.cs | 4 + .../ScopeAccessReviewHistoryDefinitionById.cs | 1 + ...ScopeAccessReviewScheduleDefinitionById.cs | 1 + sdk/dotnet/Authorization/Variable.cs | 3 +- .../VariableAtManagementGroup.cs | 3 +- sdk/dotnet/Authorization/VariableValue.cs | 3 +- .../VariableValueAtManagementGroup.cs | 3 +- sdk/dotnet/Automanage/ConfigurationProfile.cs | 3 +- .../ConfigurationProfileAssignment.cs | 5 +- .../ConfigurationProfileHCIAssignment.cs | 3 +- .../ConfigurationProfileHCRPAssignment.cs | 3 +- .../ConfigurationProfilesVersion.cs | 3 +- sdk/dotnet/Automation/AutomationAccount.cs | 12 +- sdk/dotnet/Automation/Certificate.cs | 10 +- sdk/dotnet/Automation/Connection.cs | 10 +- sdk/dotnet/Automation/ConnectionType.cs | 10 +- sdk/dotnet/Automation/Credential.cs | 10 +- sdk/dotnet/Automation/DscConfiguration.cs | 8 +- sdk/dotnet/Automation/DscNodeConfiguration.cs | 12 +- sdk/dotnet/Automation/HybridRunbookWorker.cs | 6 +- .../Automation/HybridRunbookWorkerGroup.cs | 7 +- sdk/dotnet/Automation/JobSchedule.cs | 10 +- sdk/dotnet/Automation/Module.cs | 10 +- sdk/dotnet/Automation/Package.cs | 2 + sdk/dotnet/Automation/PowerShell72Module.cs | 1 + .../Automation/PrivateEndpointConnection.cs | 3 + sdk/dotnet/Automation/Python2Package.cs | 10 +- sdk/dotnet/Automation/Python3Package.cs | 4 + sdk/dotnet/Automation/Runbook.cs | 10 +- sdk/dotnet/Automation/RuntimeEnvironment.cs | 2 + sdk/dotnet/Automation/Schedule.cs | 10 +- .../SoftwareUpdateConfigurationByName.cs | 4 + sdk/dotnet/Automation/SourceControl.cs | 10 +- sdk/dotnet/Automation/Variable.cs | 10 +- sdk/dotnet/Automation/Watcher.cs | 7 +- sdk/dotnet/Automation/Webhook.cs | 3 + .../AwsConnector/AccessAnalyzerAnalyzer.cs | 1 + .../AwsConnector/AcmCertificateSummary.cs | 1 + sdk/dotnet/AwsConnector/ApiGatewayRestApi.cs | 1 + sdk/dotnet/AwsConnector/ApiGatewayStage.cs | 1 + sdk/dotnet/AwsConnector/AppSyncGraphqlApi.cs | 1 + .../AutoScalingAutoScalingGroup.cs | 1 + .../AwsConnector/CloudFormationStack.cs | 1 + .../AwsConnector/CloudFormationStackSet.cs | 1 + .../AwsConnector/CloudFrontDistribution.cs | 1 + sdk/dotnet/AwsConnector/CloudTrailTrail.cs | 1 + sdk/dotnet/AwsConnector/CloudWatchAlarm.cs | 1 + sdk/dotnet/AwsConnector/CodeBuildProject.cs | 1 + .../CodeBuildSourceCredentialsInfo.cs | 1 + .../ConfigServiceConfigurationRecorder.cs | 1 + ...onfigServiceConfigurationRecorderStatus.cs | 1 + .../ConfigServiceDeliveryChannel.cs | 1 + ...baseMigrationServiceReplicationInstance.cs | 1 + sdk/dotnet/AwsConnector/DaxCluster.cs | 1 + .../DynamoDbContinuousBackupsDescription.cs | 1 + sdk/dotnet/AwsConnector/DynamoDbTable.cs | 1 + .../AwsConnector/Ec2AccountAttribute.cs | 1 + sdk/dotnet/AwsConnector/Ec2Address.cs | 1 + sdk/dotnet/AwsConnector/Ec2FlowLog.cs | 1 + sdk/dotnet/AwsConnector/Ec2Image.cs | 1 + sdk/dotnet/AwsConnector/Ec2Instance.cs | 1 + sdk/dotnet/AwsConnector/Ec2InstanceStatus.cs | 1 + sdk/dotnet/AwsConnector/Ec2Ipam.cs | 1 + sdk/dotnet/AwsConnector/Ec2KeyPair.cs | 1 + sdk/dotnet/AwsConnector/Ec2NetworkAcl.cs | 1 + .../AwsConnector/Ec2NetworkInterface.cs | 1 + sdk/dotnet/AwsConnector/Ec2RouteTable.cs | 1 + sdk/dotnet/AwsConnector/Ec2SecurityGroup.cs | 1 + sdk/dotnet/AwsConnector/Ec2Snapshot.cs | 1 + sdk/dotnet/AwsConnector/Ec2Subnet.cs | 1 + sdk/dotnet/AwsConnector/Ec2Volume.cs | 1 + sdk/dotnet/AwsConnector/Ec2Vpc.cs | 1 + sdk/dotnet/AwsConnector/Ec2VpcEndpoint.cs | 1 + .../AwsConnector/Ec2VpcPeeringConnection.cs | 1 + sdk/dotnet/AwsConnector/EcrImageDetail.cs | 1 + sdk/dotnet/AwsConnector/EcrRepository.cs | 1 + sdk/dotnet/AwsConnector/EcsCluster.cs | 1 + sdk/dotnet/AwsConnector/EcsService.cs | 1 + sdk/dotnet/AwsConnector/EcsTaskDefinition.cs | 1 + sdk/dotnet/AwsConnector/EfsFileSystem.cs | 1 + sdk/dotnet/AwsConnector/EfsMountTarget.cs | 1 + sdk/dotnet/AwsConnector/EksCluster.cs | 1 + sdk/dotnet/AwsConnector/EksNodegroup.cs | 1 + .../ElasticBeanstalkApplication.cs | 1 + .../ElasticBeanstalkConfigurationTemplate.cs | 1 + .../ElasticBeanstalkEnvironment.cs | 1 + .../ElasticLoadBalancingV2Listener.cs | 1 + .../ElasticLoadBalancingV2LoadBalancer.cs | 1 + .../ElasticLoadBalancingV2TargetGroup.cs | 1 + ...cLoadBalancingv2TargetHealthDescription.cs | 1 + sdk/dotnet/AwsConnector/EmrCluster.cs | 1 + sdk/dotnet/AwsConnector/GuardDutyDetector.cs | 1 + .../AwsConnector/IamAccessKeyLastUsed.cs | 1 + .../AwsConnector/IamAccessKeyMetadataInfo.cs | 1 + sdk/dotnet/AwsConnector/IamGroup.cs | 1 + sdk/dotnet/AwsConnector/IamInstanceProfile.cs | 1 + sdk/dotnet/AwsConnector/IamMfaDevice.cs | 1 + sdk/dotnet/AwsConnector/IamPasswordPolicy.cs | 1 + sdk/dotnet/AwsConnector/IamPolicyVersion.cs | 1 + sdk/dotnet/AwsConnector/IamRole.cs | 1 + .../AwsConnector/IamServerCertificate.cs | 1 + .../AwsConnector/IamVirtualMfaDevice.cs | 1 + sdk/dotnet/AwsConnector/KmsAlias.cs | 1 + sdk/dotnet/AwsConnector/KmsKey.cs | 1 + sdk/dotnet/AwsConnector/LambdaFunction.cs | 1 + .../LambdaFunctionCodeLocation.cs | 1 + sdk/dotnet/AwsConnector/LightsailBucket.cs | 1 + sdk/dotnet/AwsConnector/LightsailInstance.cs | 1 + sdk/dotnet/AwsConnector/LogsLogGroup.cs | 1 + sdk/dotnet/AwsConnector/LogsLogStream.cs | 1 + sdk/dotnet/AwsConnector/LogsMetricFilter.cs | 1 + .../AwsConnector/LogsSubscriptionFilter.cs | 1 + sdk/dotnet/AwsConnector/Macie2JobSummary.cs | 1 + sdk/dotnet/AwsConnector/MacieAllowList.cs | 1 + .../AwsConnector/NetworkFirewallFirewall.cs | 1 + .../NetworkFirewallFirewallPolicy.cs | 1 + .../AwsConnector/NetworkFirewallRuleGroup.cs | 1 + .../AwsConnector/OpenSearchDomainStatus.cs | 1 + .../AwsConnector/OrganizationsAccount.cs | 1 + .../AwsConnector/OrganizationsOrganization.cs | 1 + sdk/dotnet/AwsConnector/RdsDbCluster.cs | 1 + sdk/dotnet/AwsConnector/RdsDbInstance.cs | 1 + sdk/dotnet/AwsConnector/RdsDbSnapshot.cs | 1 + .../RdsDbSnapshotAttributesResult.cs | 1 + .../AwsConnector/RdsEventSubscription.cs | 1 + sdk/dotnet/AwsConnector/RdsExportTask.cs | 1 + sdk/dotnet/AwsConnector/RedshiftCluster.cs | 1 + .../RedshiftClusterParameterGroup.cs | 1 + .../Route53DomainsDomainSummary.cs | 1 + sdk/dotnet/AwsConnector/Route53HostedZone.cs | 1 + .../AwsConnector/Route53ResourceRecordSet.cs | 1 + .../AwsConnector/S3AccessControlPolicy.cs | 1 + sdk/dotnet/AwsConnector/S3AccessPoint.cs | 1 + sdk/dotnet/AwsConnector/S3Bucket.cs | 1 + sdk/dotnet/AwsConnector/S3BucketPolicy.cs | 1 + ...rolMultiRegionAccessPointPolicyDocument.cs | 1 + sdk/dotnet/AwsConnector/SageMakerApp.cs | 1 + .../SageMakerNotebookInstanceSummary.cs | 1 + .../SecretsManagerResourcePolicy.cs | 1 + .../AwsConnector/SecretsManagerSecret.cs | 1 + sdk/dotnet/AwsConnector/SnsSubscription.cs | 1 + sdk/dotnet/AwsConnector/SnsTopic.cs | 1 + sdk/dotnet/AwsConnector/SqsQueue.cs | 1 + .../AwsConnector/SsmInstanceInformation.cs | 1 + sdk/dotnet/AwsConnector/SsmParameter.cs | 1 + .../SsmResourceComplianceSummaryItem.cs | 1 + sdk/dotnet/AwsConnector/WafWebAclSummary.cs | 1 + .../AwsConnector/Wafv2LoggingConfiguration.cs | 1 + sdk/dotnet/AzureActiveDirectory/B2CTenant.cs | 4 + sdk/dotnet/AzureActiveDirectory/CIAMTenant.cs | 1 + sdk/dotnet/AzureActiveDirectory/GuestUsage.cs | 5 +- .../AzureArcData/ActiveDirectoryConnector.cs | 9 +- sdk/dotnet/AzureArcData/DataController.cs | 17 +- sdk/dotnet/AzureArcData/FailoverGroup.cs | 5 +- sdk/dotnet/AzureArcData/PostgresInstance.cs | 13 +- sdk/dotnet/AzureArcData/SqlManagedInstance.cs | 17 +- .../SqlServerAvailabilityGroup.cs | 4 +- sdk/dotnet/AzureArcData/SqlServerDatabase.cs | 7 +- .../AzureArcData/SqlServerEsuLicense.cs | 3 +- sdk/dotnet/AzureArcData/SqlServerInstance.cs | 17 +- sdk/dotnet/AzureArcData/SqlServerLicense.cs | 3 +- sdk/dotnet/AzureData/SqlServer.cs | 3 +- sdk/dotnet/AzureData/SqlServerRegistration.cs | 3 +- sdk/dotnet/AzureDataTransfer/Connection.cs | 7 +- sdk/dotnet/AzureDataTransfer/Flow.cs | 7 +- sdk/dotnet/AzureDataTransfer/Pipeline.cs | 7 +- sdk/dotnet/AzureFleet/Fleet.cs | 3 + .../AzureLargeInstance/AzureLargeInstance.cs | 1 + .../AzureLargeStorageInstance.cs | 1 + sdk/dotnet/AzurePlaywrightService/Account.cs | 4 + sdk/dotnet/AzureSphere/Catalog.cs | 2 + sdk/dotnet/AzureSphere/Deployment.cs | 2 + sdk/dotnet/AzureSphere/Device.cs | 2 + sdk/dotnet/AzureSphere/DeviceGroup.cs | 2 + sdk/dotnet/AzureSphere/Image.cs | 2 + sdk/dotnet/AzureSphere/Product.cs | 2 + sdk/dotnet/AzureStack/CustomerSubscription.cs | 4 +- sdk/dotnet/AzureStack/LinkedSubscription.cs | 1 + sdk/dotnet/AzureStack/Registration.cs | 6 +- sdk/dotnet/AzureStackHCI/ArcSetting.cs | 30 +- sdk/dotnet/AzureStackHCI/Cluster.cs | 33 +- sdk/dotnet/AzureStackHCI/DeploymentSetting.cs | 7 + sdk/dotnet/AzureStackHCI/Extension.cs | 31 +- sdk/dotnet/AzureStackHCI/GalleryImage.cs | 17 +- sdk/dotnet/AzureStackHCI/GuestAgent.cs | 13 +- sdk/dotnet/AzureStackHCI/HciEdgeDevice.cs | 10 +- sdk/dotnet/AzureStackHCI/HciEdgeDeviceJob.cs | 2 + .../AzureStackHCI/HybridIdentityMetadatum.cs | 3 +- sdk/dotnet/AzureStackHCI/LogicalNetwork.cs | 11 +- sdk/dotnet/AzureStackHCI/MachineExtension.cs | 3 +- .../AzureStackHCI/MarketplaceGalleryImage.cs | 15 +- sdk/dotnet/AzureStackHCI/NetworkInterface.cs | 17 +- .../AzureStackHCI/NetworkSecurityGroup.cs | 9 +- sdk/dotnet/AzureStackHCI/SecurityRule.cs | 9 +- sdk/dotnet/AzureStackHCI/SecuritySetting.cs | 6 + sdk/dotnet/AzureStackHCI/StorageContainer.cs | 15 +- sdk/dotnet/AzureStackHCI/Update.cs | 15 +- sdk/dotnet/AzureStackHCI/UpdateRun.cs | 15 +- sdk/dotnet/AzureStackHCI/UpdateSummary.cs | 15 +- sdk/dotnet/AzureStackHCI/VirtualHardDisk.cs | 17 +- sdk/dotnet/AzureStackHCI/VirtualMachine.cs | 5 +- .../AzureStackHCI/VirtualMachineInstance.cs | 12 +- sdk/dotnet/AzureStackHCI/VirtualNetwork.cs | 6 +- .../AzureBareMetalInstance.cs | 1 + .../AzureBareMetalStorageInstance.cs | 4 + sdk/dotnet/Batch/Application.cs | 34 +- sdk/dotnet/Batch/ApplicationPackage.cs | 34 +- sdk/dotnet/Batch/BatchAccount.cs | 33 +- sdk/dotnet/Batch/Pool.cs | 28 +- sdk/dotnet/Billing/AssociatedTenant.cs | 1 + sdk/dotnet/Billing/BillingProfile.cs | 1 + .../BillingRoleAssignmentByBillingAccount.cs | 2 + .../BillingRoleAssignmentByDepartment.cs | 2 + ...illingRoleAssignmentByEnrollmentAccount.cs | 2 + sdk/dotnet/Billing/InvoiceSection.cs | 1 + sdk/dotnet/BillingBenefits/Discount.cs | 2 +- sdk/dotnet/Blueprint/Assignment.cs | 1 + sdk/dotnet/Blueprint/Blueprint.cs | 1 + .../Blueprint/PolicyAssignmentArtifact.cs | 1 + sdk/dotnet/Blueprint/PublishedBlueprint.cs | 1 + .../Blueprint/RoleAssignmentArtifact.cs | 1 + sdk/dotnet/Blueprint/TemplateArtifact.cs | 1 + sdk/dotnet/BotService/Bot.cs | 14 +- sdk/dotnet/BotService/BotConnection.cs | 14 +- sdk/dotnet/BotService/Channel.cs | 14 +- .../BotService/PrivateEndpointConnection.cs | 6 +- sdk/dotnet/Cdn/AFDCustomDomain.cs | 14 +- sdk/dotnet/Cdn/AFDEndpoint.cs | 13 +- sdk/dotnet/Cdn/AFDOrigin.cs | 14 +- sdk/dotnet/Cdn/AFDOriginGroup.cs | 13 +- sdk/dotnet/Cdn/AFDTargetGroup.cs | 1 + sdk/dotnet/Cdn/CustomDomain.cs | 36 +- sdk/dotnet/Cdn/Endpoint.cs | 36 +- sdk/dotnet/Cdn/KeyGroup.cs | 3 + sdk/dotnet/Cdn/Origin.cs | 24 +- sdk/dotnet/Cdn/OriginGroup.cs | 20 +- sdk/dotnet/Cdn/Policy.cs | 22 +- sdk/dotnet/Cdn/Profile.cs | 35 +- sdk/dotnet/Cdn/Route.cs | 13 +- sdk/dotnet/Cdn/Rule.cs | 14 +- sdk/dotnet/Cdn/RuleSet.cs | 14 +- sdk/dotnet/Cdn/Secret.cs | 14 +- sdk/dotnet/Cdn/SecurityPolicy.cs | 14 +- sdk/dotnet/Cdn/TunnelPolicy.cs | 1 + .../AppServiceCertificateOrder.cs | 27 +- .../AppServiceCertificateOrderCertificate.cs | 27 +- .../ChangeAnalysis/ConfigurationProfile.cs | 1 + sdk/dotnet/Chaos/Capability.cs | 17 +- sdk/dotnet/Chaos/Experiment.cs | 17 +- sdk/dotnet/Chaos/PrivateAccess.cs | 3 + sdk/dotnet/Chaos/Target.cs | 17 +- .../CertificateObjectGlobalRulestack.cs | 9 +- .../CertificateObjectLocalRulestack.cs | 9 +- sdk/dotnet/Cloudngfw/Firewall.cs | 9 +- .../Cloudngfw/FqdnListGlobalRulestack.cs | 9 +- .../Cloudngfw/FqdnListLocalRulestack.cs | 9 +- sdk/dotnet/Cloudngfw/GlobalRulestack.cs | 9 +- sdk/dotnet/Cloudngfw/LocalRule.cs | 9 +- sdk/dotnet/Cloudngfw/LocalRulestack.cs | 9 +- sdk/dotnet/Cloudngfw/PostRule.cs | 9 +- sdk/dotnet/Cloudngfw/PreRule.cs | 9 +- .../Cloudngfw/PrefixListGlobalRulestack.cs | 9 +- .../Cloudngfw/PrefixListLocalRulestack.cs | 9 +- sdk/dotnet/CodeSigning/CertificateProfile.cs | 2 + sdk/dotnet/CodeSigning/CodeSigningAccount.cs | 2 + sdk/dotnet/CognitiveServices/Account.cs | 20 +- .../CognitiveServices/CommitmentPlan.cs | 15 +- .../CommitmentPlanAssociation.cs | 9 +- sdk/dotnet/CognitiveServices/Deployment.cs | 15 +- .../CognitiveServices/EncryptionScope.cs | 6 +- .../PrivateEndpointConnection.cs | 19 +- sdk/dotnet/CognitiveServices/RaiBlocklist.cs | 6 +- .../CognitiveServices/RaiBlocklistItem.cs | 6 +- sdk/dotnet/CognitiveServices/RaiPolicy.cs | 6 +- .../CognitiveServices/SharedCommitmentPlan.cs | 9 +- .../Communication/CommunicationService.cs | 16 +- sdk/dotnet/Communication/Domain.cs | 11 +- sdk/dotnet/Communication/EmailService.cs | 12 +- sdk/dotnet/Communication/SenderUsername.cs | 8 +- sdk/dotnet/Communication/SuppressionList.cs | 3 +- .../Communication/SuppressionListAddress.cs | 3 +- sdk/dotnet/Community/CommunityTraining.cs | 1 + sdk/dotnet/Compute/AvailabilitySet.cs | 47 +- sdk/dotnet/Compute/CapacityReservation.cs | 19 +- .../Compute/CapacityReservationGroup.cs | 19 +- sdk/dotnet/Compute/CloudService.cs | 8 +- sdk/dotnet/Compute/DedicatedHost.cs | 31 +- sdk/dotnet/Compute/DedicatedHostGroup.cs | 31 +- sdk/dotnet/Compute/Disk.cs | 37 +- sdk/dotnet/Compute/DiskAccess.cs | 21 +- .../DiskAccessAPrivateEndpointConnection.cs | 17 +- sdk/dotnet/Compute/DiskEncryptionSet.cs | 25 +- sdk/dotnet/Compute/Gallery.cs | 20 +- sdk/dotnet/Compute/GalleryApplication.cs | 18 +- .../Compute/GalleryApplicationVersion.cs | 18 +- sdk/dotnet/Compute/GalleryImage.cs | 20 +- sdk/dotnet/Compute/GalleryImageVersion.cs | 20 +- .../GalleryInVMAccessControlProfile.cs | 1 + .../GalleryInVMAccessControlProfileVersion.cs | 1 + sdk/dotnet/Compute/Image.cs | 43 +- sdk/dotnet/Compute/ProximityPlacementGroup.cs | 37 +- sdk/dotnet/Compute/RestorePoint.cs | 19 +- sdk/dotnet/Compute/RestorePointCollection.cs | 21 +- sdk/dotnet/Compute/Snapshot.cs | 37 +- sdk/dotnet/Compute/SshPublicKey.cs | 27 +- sdk/dotnet/Compute/VirtualMachine.cs | 47 +- sdk/dotnet/Compute/VirtualMachineExtension.cs | 46 +- ...irtualMachineRunCommandByVirtualMachine.cs | 25 +- sdk/dotnet/Compute/VirtualMachineScaleSet.cs | 47 +- .../VirtualMachineScaleSetExtension.cs | 40 +- .../Compute/VirtualMachineScaleSetVM.cs | 39 +- .../VirtualMachineScaleSetVMExtension.cs | 28 +- .../VirtualMachineScaleSetVMRunCommand.cs | 25 +- sdk/dotnet/ConfidentialLedger/Ledger.cs | 11 +- sdk/dotnet/ConfidentialLedger/ManagedCCF.cs | 6 +- sdk/dotnet/Confluent/Connector.cs | 1 + sdk/dotnet/Confluent/Organization.cs | 11 +- .../Confluent/OrganizationClusterById.cs | 1 + .../Confluent/OrganizationEnvironmentById.cs | 1 + sdk/dotnet/Confluent/Topic.cs | 1 + .../ConnectedCache/CacheNodesOperation.cs | 1 + .../EnterpriseCustomerOperation.cs | 1 + .../EnterpriseMccCacheNodesOperation.cs | 1 + .../ConnectedCache/EnterpriseMccCustomer.cs | 1 + .../ConnectedCache/IspCacheNodesOperation.cs | 1 + sdk/dotnet/ConnectedCache/IspCustomer.cs | 1 + sdk/dotnet/ConnectedVMwarevSphere/Cluster.cs | 8 +- .../ConnectedVMwarevSphere/Datastore.cs | 8 +- .../ConnectedVMwarevSphere/GuestAgent.cs | 6 +- sdk/dotnet/ConnectedVMwarevSphere/Host.cs | 8 +- .../HybridIdentityMetadatum.cs | 6 +- .../ConnectedVMwarevSphere/InventoryItem.cs | 8 +- .../MachineExtension.cs | 5 +- .../ConnectedVMwarevSphere/ResourcePool.cs | 8 +- sdk/dotnet/ConnectedVMwarevSphere/VCenter.cs | 8 +- .../VMInstanceGuestAgent.cs | 3 + .../ConnectedVMwarevSphere/VirtualMachine.cs | 6 +- .../VirtualMachineInstance.cs | 3 + .../VirtualMachineTemplate.cs | 8 +- .../ConnectedVMwarevSphere/VirtualNetwork.cs | 8 +- sdk/dotnet/Consumption/Budget.cs | 25 +- .../ContainerInstance/ContainerGroup.cs | 36 +- .../ContainerGroupProfile.cs | 3 +- sdk/dotnet/ContainerRegistry/AgentPool.cs | 1 + sdk/dotnet/ContainerRegistry/Archife.cs | 4 + .../ContainerRegistry/ArchiveVersion.cs | 4 + sdk/dotnet/ContainerRegistry/CacheRule.cs | 6 + .../ContainerRegistry/ConnectedRegistry.cs | 15 +- sdk/dotnet/ContainerRegistry/CredentialSet.cs | 6 + .../ContainerRegistry/ExportPipeline.cs | 17 +- .../ContainerRegistry/ImportPipeline.cs | 17 +- sdk/dotnet/ContainerRegistry/PipelineRun.cs | 17 +- .../PrivateEndpointConnection.cs | 21 +- sdk/dotnet/ContainerRegistry/Registry.cs | 25 +- sdk/dotnet/ContainerRegistry/Replication.cs | 25 +- sdk/dotnet/ContainerRegistry/ScopeMap.cs | 19 +- sdk/dotnet/ContainerRegistry/Task.cs | 3 + sdk/dotnet/ContainerRegistry/TaskRun.cs | 1 + sdk/dotnet/ContainerRegistry/Token.cs | 19 +- sdk/dotnet/ContainerRegistry/Webhook.cs | 25 +- sdk/dotnet/ContainerService/AgentPool.cs | 132 +- .../ContainerService/AutoUpgradeProfile.cs | 1 + sdk/dotnet/ContainerService/Fleet.cs | 12 +- sdk/dotnet/ContainerService/FleetMember.cs | 12 +- .../ContainerService/FleetUpdateStrategy.cs | 5 + sdk/dotnet/ContainerService/LoadBalancer.cs | 8 +- .../MaintenanceConfiguration.cs | 108 +- sdk/dotnet/ContainerService/ManagedCluster.cs | 140 +- .../ManagedClusterSnapshot.cs | 47 +- .../PrivateEndpointConnection.cs | 116 +- sdk/dotnet/ContainerService/Snapshot.cs | 98 +- .../TrustedAccessRoleBinding.cs | 56 +- sdk/dotnet/ContainerService/UpdateRun.cs | 7 + sdk/dotnet/ContainerStorage/Pool.cs | 1 + sdk/dotnet/ContainerStorage/Snapshot.cs | 1 + sdk/dotnet/ContainerStorage/Volume.cs | 1 + sdk/dotnet/Contoso/Employee.cs | 3 +- sdk/dotnet/CosmosDB/CassandraCluster.cs | 56 +- sdk/dotnet/CosmosDB/CassandraDataCenter.cs | 56 +- .../CassandraResourceCassandraKeyspace.cs | 88 +- .../CassandraResourceCassandraTable.cs | 88 +- .../CassandraResourceCassandraView.cs | 30 +- sdk/dotnet/CosmosDB/DatabaseAccount.cs | 88 +- .../DatabaseAccountCassandraKeyspace.cs | 88 +- .../CosmosDB/DatabaseAccountCassandraTable.cs | 88 +- .../DatabaseAccountGremlinDatabase.cs | 88 +- .../CosmosDB/DatabaseAccountGremlinGraph.cs | 88 +- .../DatabaseAccountMongoDBCollection.cs | 88 +- .../DatabaseAccountMongoDBDatabase.cs | 88 +- .../CosmosDB/DatabaseAccountSqlContainer.cs | 88 +- .../CosmosDB/DatabaseAccountSqlDatabase.cs | 88 +- sdk/dotnet/CosmosDB/DatabaseAccountTable.cs | 88 +- sdk/dotnet/CosmosDB/GraphResourceGraph.cs | 30 +- .../GremlinResourceGremlinDatabase.cs | 88 +- .../CosmosDB/GremlinResourceGremlinGraph.cs | 88 +- sdk/dotnet/CosmosDB/MongoCluster.cs | 10 +- .../CosmosDB/MongoClusterFirewallRule.cs | 10 +- .../MongoDBResourceMongoDBCollection.cs | 88 +- .../MongoDBResourceMongoDBDatabase.cs | 88 +- .../MongoDBResourceMongoRoleDefinition.cs | 46 +- .../MongoDBResourceMongoUserDefinition.cs | 46 +- sdk/dotnet/CosmosDB/NotebookWorkspace.cs | 78 +- .../CosmosDB/PrivateEndpointConnection.cs | 68 +- sdk/dotnet/CosmosDB/Service.cs | 52 +- .../CosmosDB/SqlResourceSqlContainer.cs | 88 +- sdk/dotnet/CosmosDB/SqlResourceSqlDatabase.cs | 88 +- .../CosmosDB/SqlResourceSqlRoleAssignment.cs | 64 +- .../CosmosDB/SqlResourceSqlRoleDefinition.cs | 64 +- .../CosmosDB/SqlResourceSqlStoredProcedure.cs | 78 +- sdk/dotnet/CosmosDB/SqlResourceSqlTrigger.cs | 78 +- .../SqlResourceSqlUserDefinedFunction.cs | 78 +- sdk/dotnet/CosmosDB/TableResourceTable.cs | 88 +- .../TableResourceTableRoleAssignment.cs | 2 +- .../TableResourceTableRoleDefinition.cs | 2 +- sdk/dotnet/CosmosDB/ThroughputPool.cs | 10 +- sdk/dotnet/CosmosDB/ThroughputPoolAccount.cs | 10 +- sdk/dotnet/CostManagement/Budget.cs | 8 +- sdk/dotnet/CostManagement/CloudConnector.cs | 3 +- sdk/dotnet/CostManagement/Connector.cs | 3 +- .../CostManagement/CostAllocationRule.cs | 7 +- sdk/dotnet/CostManagement/Export.cs | 26 +- sdk/dotnet/CostManagement/MarkupRule.cs | 1 + sdk/dotnet/CostManagement/Report.cs | 1 + .../CostManagement/ReportByBillingAccount.cs | 1 + .../CostManagement/ReportByDepartment.cs | 1 + .../ReportByResourceGroupName.cs | 1 + sdk/dotnet/CostManagement/ScheduledAction.cs | 15 +- .../CostManagement/ScheduledActionByScope.cs | 15 +- sdk/dotnet/CostManagement/Setting.cs | 1 + .../CostManagement/TagInheritanceSetting.cs | 9 +- sdk/dotnet/CostManagement/View.cs | 21 +- sdk/dotnet/CostManagement/ViewByScope.cs | 21 +- sdk/dotnet/CustomProviders/Association.cs | 1 + .../CustomProviders/CustomResourceProvider.cs | 1 + sdk/dotnet/CustomerInsights/Connector.cs | 3 +- .../CustomerInsights/ConnectorMapping.cs | 3 +- sdk/dotnet/CustomerInsights/Hub.cs | 3 +- sdk/dotnet/CustomerInsights/Kpi.cs | 3 +- sdk/dotnet/CustomerInsights/Link.cs | 3 +- sdk/dotnet/CustomerInsights/Prediction.cs | 1 + sdk/dotnet/CustomerInsights/Profile.cs | 3 +- sdk/dotnet/CustomerInsights/Relationship.cs | 3 +- .../CustomerInsights/RelationshipLink.cs | 3 +- sdk/dotnet/CustomerInsights/RoleAssignment.cs | 3 +- sdk/dotnet/CustomerInsights/View.cs | 3 +- sdk/dotnet/DBforMariaDB/Configuration.cs | 2 + sdk/dotnet/DBforMariaDB/Database.cs | 2 + sdk/dotnet/DBforMariaDB/FirewallRule.cs | 2 + .../DBforMariaDB/PrivateEndpointConnection.cs | 2 + sdk/dotnet/DBforMariaDB/Server.cs | 2 + sdk/dotnet/DBforMariaDB/VirtualNetworkRule.cs | 2 + sdk/dotnet/DBforMySQL/AzureADAdministrator.cs | 6 +- sdk/dotnet/DBforMySQL/Configuration.cs | 14 +- sdk/dotnet/DBforMySQL/Database.cs | 15 +- sdk/dotnet/DBforMySQL/FirewallRule.cs | 15 +- .../DBforMySQL/PrivateEndpointConnection.cs | 3 +- sdk/dotnet/DBforMySQL/Server.cs | 20 +- sdk/dotnet/DBforMySQL/SingleServer.cs | 6 +- .../DBforMySQL/SingleServerConfiguration.cs | 6 +- sdk/dotnet/DBforMySQL/SingleServerDatabase.cs | 6 +- .../DBforMySQL/SingleServerFirewallRule.cs | 6 +- .../SingleServerServerAdministrator.cs | 6 +- .../SingleServerVirtualNetworkRule.cs | 6 +- sdk/dotnet/DBforPostgreSQL/Administrator.cs | 9 +- sdk/dotnet/DBforPostgreSQL/Backup.cs | 3 + sdk/dotnet/DBforPostgreSQL/Configuration.cs | 18 +- sdk/dotnet/DBforPostgreSQL/Database.cs | 18 +- sdk/dotnet/DBforPostgreSQL/FirewallRule.cs | 27 +- sdk/dotnet/DBforPostgreSQL/Migration.cs | 8 + .../PrivateEndpointConnection.cs | 8 +- sdk/dotnet/DBforPostgreSQL/Server.cs | 21 +- .../DBforPostgreSQL/ServerGroupCluster.cs | 6 +- .../ServerGroupFirewallRule.cs | 6 +- .../ServerGroupPrivateEndpointConnection.cs | 4 +- sdk/dotnet/DBforPostgreSQL/ServerGroupRole.cs | 4 +- sdk/dotnet/DBforPostgreSQL/SingleServer.cs | 4 +- .../SingleServerConfiguration.cs | 4 +- .../DBforPostgreSQL/SingleServerDatabase.cs | 4 +- .../SingleServerFirewallRule.cs | 4 +- .../SingleServerServerAdministrator.cs | 4 +- .../SingleServerServerSecurityAlertPolicy.cs | 4 +- .../SingleServerVirtualNetworkRule.cs | 4 +- sdk/dotnet/DBforPostgreSQL/VirtualEndpoint.cs | 5 + sdk/dotnet/Dashboard/Grafana.cs | 8 +- sdk/dotnet/Dashboard/IntegrationFabric.cs | 2 + .../Dashboard/ManagedPrivateEndpoint.cs | 4 + .../Dashboard/PrivateEndpointConnection.cs | 7 +- sdk/dotnet/DataBox/Job.cs | 29 +- sdk/dotnet/DataBoxEdge/ArcAddon.cs | 23 +- sdk/dotnet/DataBoxEdge/BandwidthSchedule.cs | 30 +- .../DataBoxEdge/CloudEdgeManagementRole.cs | 31 +- sdk/dotnet/DataBoxEdge/Container.cs | 26 +- sdk/dotnet/DataBoxEdge/Device.cs | 27 +- sdk/dotnet/DataBoxEdge/FileEventTrigger.cs | 31 +- sdk/dotnet/DataBoxEdge/IoTAddon.cs | 23 +- sdk/dotnet/DataBoxEdge/IoTRole.cs | 31 +- sdk/dotnet/DataBoxEdge/KubernetesRole.cs | 31 +- sdk/dotnet/DataBoxEdge/MECRole.cs | 31 +- sdk/dotnet/DataBoxEdge/MonitoringConfig.cs | 22 +- sdk/dotnet/DataBoxEdge/Order.cs | 29 +- .../DataBoxEdge/PeriodicTimerEventTrigger.cs | 31 +- sdk/dotnet/DataBoxEdge/Share.cs | 30 +- sdk/dotnet/DataBoxEdge/StorageAccount.cs | 26 +- .../DataBoxEdge/StorageAccountCredential.cs | 30 +- sdk/dotnet/DataBoxEdge/User.cs | 29 +- sdk/dotnet/DataCatalog/ADCCatalog.cs | 1 + sdk/dotnet/DataFactory/ChangeDataCapture.cs | 1 + sdk/dotnet/DataFactory/CredentialOperation.cs | 1 + sdk/dotnet/DataFactory/DataFlow.cs | 1 + sdk/dotnet/DataFactory/Dataset.cs | 3 +- sdk/dotnet/DataFactory/Factory.cs | 3 +- sdk/dotnet/DataFactory/GlobalParameter.cs | 1 + sdk/dotnet/DataFactory/IntegrationRuntime.cs | 3 +- sdk/dotnet/DataFactory/LinkedService.cs | 3 +- .../DataFactory/ManagedPrivateEndpoint.cs | 1 + sdk/dotnet/DataFactory/Pipeline.cs | 3 +- .../DataFactory/PrivateEndpointConnection.cs | 1 + sdk/dotnet/DataFactory/Trigger.cs | 3 +- sdk/dotnet/DataLakeAnalytics/Account.cs | 5 +- sdk/dotnet/DataLakeAnalytics/ComputePolicy.cs | 5 +- sdk/dotnet/DataLakeAnalytics/FirewallRule.cs | 5 +- sdk/dotnet/DataLakeStore/Account.cs | 1 + sdk/dotnet/DataLakeStore/FirewallRule.cs | 1 + sdk/dotnet/DataLakeStore/TrustedIdProvider.cs | 1 + .../DataLakeStore/VirtualNetworkRule.cs | 1 + ...atabaseMigrationsMongoToCosmosDbRUMongo.cs | 1 + ...baseMigrationsMongoToCosmosDbvCoreMongo.cs | 1 + .../DataMigration/DatabaseMigrationsSqlDb.cs | 2 + sdk/dotnet/DataMigration/File.cs | 9 +- sdk/dotnet/DataMigration/MigrationService.cs | 1 + sdk/dotnet/DataMigration/Project.cs | 16 +- sdk/dotnet/DataMigration/Service.cs | 17 +- sdk/dotnet/DataMigration/ServiceTask.cs | 9 +- .../DataMigration/SqlMigrationService.cs | 6 +- sdk/dotnet/DataMigration/Task.cs | 17 +- sdk/dotnet/DataProtection/BackupInstance.cs | 46 +- sdk/dotnet/DataProtection/BackupPolicy.cs | 46 +- sdk/dotnet/DataProtection/BackupVault.cs | 46 +- .../DataProtection/DppResourceGuardProxy.cs | 20 +- sdk/dotnet/DataProtection/ResourceGuard.cs | 39 +- sdk/dotnet/DataReplication/Dra.cs | 3 +- sdk/dotnet/DataReplication/Fabric.cs | 3 +- sdk/dotnet/DataReplication/Policy.cs | 3 +- sdk/dotnet/DataReplication/ProtectedItem.cs | 3 +- .../DataReplication/ReplicationExtension.cs | 3 +- sdk/dotnet/DataReplication/Vault.cs | 3 +- sdk/dotnet/DataShare/ADLSGen1FileDataSet.cs | 9 +- sdk/dotnet/DataShare/ADLSGen1FolderDataSet.cs | 9 +- sdk/dotnet/DataShare/ADLSGen2FileDataSet.cs | 9 +- .../DataShare/ADLSGen2FileDataSetMapping.cs | 9 +- .../DataShare/ADLSGen2FileSystemDataSet.cs | 9 +- .../ADLSGen2FileSystemDataSetMapping.cs | 9 +- sdk/dotnet/DataShare/ADLSGen2FolderDataSet.cs | 9 +- .../DataShare/ADLSGen2FolderDataSetMapping.cs | 9 +- sdk/dotnet/DataShare/Account.cs | 9 +- sdk/dotnet/DataShare/BlobContainerDataSet.cs | 9 +- .../DataShare/BlobContainerDataSetMapping.cs | 9 +- sdk/dotnet/DataShare/BlobDataSet.cs | 9 +- sdk/dotnet/DataShare/BlobDataSetMapping.cs | 9 +- sdk/dotnet/DataShare/BlobFolderDataSet.cs | 9 +- .../DataShare/BlobFolderDataSetMapping.cs | 9 +- sdk/dotnet/DataShare/Invitation.cs | 9 +- sdk/dotnet/DataShare/KustoClusterDataSet.cs | 9 +- .../DataShare/KustoClusterDataSetMapping.cs | 9 +- sdk/dotnet/DataShare/KustoDatabaseDataSet.cs | 9 +- .../DataShare/KustoDatabaseDataSetMapping.cs | 9 +- sdk/dotnet/DataShare/KustoTableDataSet.cs | 9 +- .../DataShare/KustoTableDataSetMapping.cs | 9 +- .../ScheduledSynchronizationSetting.cs | 9 +- sdk/dotnet/DataShare/ScheduledTrigger.cs | 9 +- sdk/dotnet/DataShare/Share.cs | 9 +- sdk/dotnet/DataShare/ShareSubscription.cs | 9 +- sdk/dotnet/DataShare/SqlDBTableDataSet.cs | 9 +- .../DataShare/SqlDBTableDataSetMapping.cs | 9 +- sdk/dotnet/DataShare/SqlDWTableDataSet.cs | 9 +- .../DataShare/SqlDWTableDataSetMapping.cs | 9 +- .../SynapseWorkspaceSqlPoolTableDataSet.cs | 9 +- ...apseWorkspaceSqlPoolTableDataSetMapping.cs | 9 +- .../DatabaseFleetManager/FirewallRule.cs | 2 +- sdk/dotnet/DatabaseFleetManager/Fleet.cs | 2 +- .../DatabaseFleetManager/FleetDatabase.cs | 2 +- sdk/dotnet/DatabaseFleetManager/FleetTier.cs | 2 +- sdk/dotnet/DatabaseFleetManager/Fleetspace.cs | 2 +- .../DatabaseWatcher/AlertRuleResource.cs | 3 + .../SharedPrivateLinkResource.cs | 4 + sdk/dotnet/DatabaseWatcher/Target.cs | 4 + sdk/dotnet/DatabaseWatcher/Watcher.cs | 4 + sdk/dotnet/Databricks/AccessConnector.cs | 8 +- .../Databricks/PrivateEndpointConnection.cs | 10 +- sdk/dotnet/Databricks/VNetPeering.cs | 12 +- sdk/dotnet/Databricks/Workspace.cs | 12 +- sdk/dotnet/Datadog/Monitor.cs | 9 +- sdk/dotnet/Datadog/MonitoredSubscription.cs | 3 + .../DelegatedNetwork/ControllerDetails.cs | 5 +- .../DelegatedSubnetServiceDetails.cs | 5 +- .../OrchestratorInstanceServiceDetails.cs | 5 +- sdk/dotnet/DependencyMap/DiscoverySource.cs | 2 +- sdk/dotnet/DependencyMap/Map.cs | 2 +- .../DesktopVirtualization/AppAttachPackage.cs | 9 +- .../DesktopVirtualization/Application.cs | 42 +- .../DesktopVirtualization/ApplicationGroup.cs | 41 +- sdk/dotnet/DesktopVirtualization/HostPool.cs | 41 +- .../DesktopVirtualization/MSIXPackage.cs | 36 +- .../PrivateEndpointConnectionByHostPool.cs | 19 +- .../PrivateEndpointConnectionByWorkspace.cs | 19 +- .../DesktopVirtualization/ScalingPlan.cs | 28 +- .../ScalingPlanPersonalSchedule.cs | 10 +- .../ScalingPlanPooledSchedule.cs | 14 +- sdk/dotnet/DesktopVirtualization/Workspace.cs | 42 +- .../DevCenter/AttachedNetworkByDevCenter.cs | 21 +- sdk/dotnet/DevCenter/Catalog.cs | 21 +- sdk/dotnet/DevCenter/CurationProfile.cs | 2 + sdk/dotnet/DevCenter/DevBoxDefinition.cs | 20 +- sdk/dotnet/DevCenter/DevCenter.cs | 21 +- sdk/dotnet/DevCenter/EncryptionSet.cs | 5 + sdk/dotnet/DevCenter/EnvironmentType.cs | 21 +- sdk/dotnet/DevCenter/Gallery.cs | 21 +- sdk/dotnet/DevCenter/NetworkConnection.cs | 21 +- sdk/dotnet/DevCenter/Plan.cs | 5 + sdk/dotnet/DevCenter/PlanMember.cs | 5 + sdk/dotnet/DevCenter/Pool.cs | 21 +- sdk/dotnet/DevCenter/Project.cs | 21 +- sdk/dotnet/DevCenter/ProjectCatalog.cs | 8 +- .../DevCenter/ProjectEnvironmentType.cs | 21 +- sdk/dotnet/DevCenter/ProjectPolicy.cs | 3 +- sdk/dotnet/DevCenter/Schedule.cs | 21 +- sdk/dotnet/DevHub/IacProfile.cs | 4 +- sdk/dotnet/DevHub/Workflow.cs | 8 +- sdk/dotnet/DevOpsInfrastructure/Pool.cs | 6 + sdk/dotnet/DevSpaces/Controller.cs | 1 + sdk/dotnet/DevTestLab/ArtifactSource.cs | 5 +- sdk/dotnet/DevTestLab/CustomImage.cs | 5 +- sdk/dotnet/DevTestLab/Disk.cs | 3 +- sdk/dotnet/DevTestLab/Environment.cs | 3 +- sdk/dotnet/DevTestLab/Formula.cs | 5 +- sdk/dotnet/DevTestLab/GlobalSchedule.cs | 3 +- sdk/dotnet/DevTestLab/Lab.cs | 5 +- sdk/dotnet/DevTestLab/NotificationChannel.cs | 3 +- sdk/dotnet/DevTestLab/Policy.cs | 5 +- sdk/dotnet/DevTestLab/Schedule.cs | 5 +- sdk/dotnet/DevTestLab/Secret.cs | 3 +- sdk/dotnet/DevTestLab/ServiceFabric.cs | 1 + .../DevTestLab/ServiceFabricSchedule.cs | 1 + sdk/dotnet/DevTestLab/ServiceRunner.cs | 3 +- sdk/dotnet/DevTestLab/User.cs | 3 +- sdk/dotnet/DevTestLab/VirtualMachine.cs | 5 +- .../DevTestLab/VirtualMachineSchedule.cs | 3 +- sdk/dotnet/DevTestLab/VirtualNetwork.cs | 5 +- .../DpsCertificate.cs | 22 +- .../IotDpsResource.cs | 22 +- ...IotDpsResourcePrivateEndpointConnection.cs | 14 +- sdk/dotnet/DeviceRegistry/Asset.cs | 3 + .../DeviceRegistry/AssetEndpointProfile.cs | 3 + sdk/dotnet/DeviceRegistry/DiscoveredAsset.cs | 1 + .../DiscoveredAssetEndpointProfile.cs | 1 + sdk/dotnet/DeviceRegistry/Schema.cs | 1 + sdk/dotnet/DeviceRegistry/SchemaRegistry.cs | 1 + sdk/dotnet/DeviceRegistry/SchemaVersion.cs | 1 + sdk/dotnet/DeviceUpdate/Account.cs | 9 +- sdk/dotnet/DeviceUpdate/Instance.cs | 9 +- .../DeviceUpdate/PrivateEndpointConnection.cs | 9 +- .../PrivateEndpointConnectionProxy.cs | 9 +- sdk/dotnet/DigitalTwins/DigitalTwin.cs | 13 +- .../DigitalTwins/DigitalTwinsEndpoint.cs | 13 +- .../DigitalTwins/PrivateEndpointConnection.cs | 8 +- .../TimeSeriesDatabaseConnection.cs | 7 +- sdk/dotnet/Dns/DnssecConfig.cs | 2 +- sdk/dotnet/Dns/RecordSet.cs | 14 +- sdk/dotnet/Dns/Zone.cs | 14 +- .../DnsResolver/DnsForwardingRuleset.cs | 6 +- sdk/dotnet/DnsResolver/DnsResolver.cs | 6 +- .../DnsResolver/DnsResolverDomainList.cs | 2 +- sdk/dotnet/DnsResolver/DnsResolverPolicy.cs | 2 +- .../DnsResolverPolicyVirtualNetworkLink.cs | 2 +- sdk/dotnet/DnsResolver/DnsSecurityRule.cs | 2 +- sdk/dotnet/DnsResolver/ForwardingRule.cs | 6 +- sdk/dotnet/DnsResolver/InboundEndpoint.cs | 6 +- sdk/dotnet/DnsResolver/OutboundEndpoint.cs | 6 +- .../PrivateResolverVirtualNetworkLink.cs | 6 +- sdk/dotnet/DomainRegistration/Domain.cs | 27 +- .../DomainOwnershipIdentifier.cs | 27 +- sdk/dotnet/DurableTask/Scheduler.cs | 1 + sdk/dotnet/DurableTask/TaskHub.cs | 1 + .../InstanceDetails.cs | 1 + sdk/dotnet/Easm/LabelByWorkspace.cs | 3 +- sdk/dotnet/Easm/Workspace.cs | 3 +- sdk/dotnet/Edge/Site.cs | 1 + sdk/dotnet/Edge/SitesBySubscription.cs | 1 + sdk/dotnet/EdgeOrder/Address.cs | 6 +- sdk/dotnet/EdgeOrder/OrderItem.cs | 6 +- sdk/dotnet/Education/Lab.cs | 1 + sdk/dotnet/Education/Student.cs | 1 + sdk/dotnet/Elastic/Monitor.cs | 30 +- sdk/dotnet/Elastic/MonitoredSubscription.cs | 5 +- sdk/dotnet/Elastic/OpenAI.cs | 7 +- sdk/dotnet/Elastic/TagRule.cs | 30 +- sdk/dotnet/ElasticSan/ElasticSan.cs | 5 + .../ElasticSan/PrivateEndpointConnection.cs | 4 + sdk/dotnet/ElasticSan/Volume.cs | 5 + sdk/dotnet/ElasticSan/VolumeGroup.cs | 5 + sdk/dotnet/ElasticSan/VolumeSnapshot.cs | 3 + sdk/dotnet/EngagementFabric/Account.cs | 1 + sdk/dotnet/EngagementFabric/Channel.cs | 1 + .../EnterpriseKnowledgeGraph.cs | 1 + sdk/dotnet/EventGrid/CaCertificate.cs | 6 +- sdk/dotnet/EventGrid/Channel.cs | 9 +- sdk/dotnet/EventGrid/Client.cs | 6 +- sdk/dotnet/EventGrid/ClientGroup.cs | 6 +- sdk/dotnet/EventGrid/Domain.cs | 26 +- .../EventGrid/DomainEventSubscription.cs | 9 +- sdk/dotnet/EventGrid/DomainTopic.cs | 25 +- .../EventGrid/DomainTopicEventSubscription.cs | 9 +- sdk/dotnet/EventGrid/EventSubscription.cs | 37 +- sdk/dotnet/EventGrid/Namespace.cs | 6 +- sdk/dotnet/EventGrid/NamespaceTopic.cs | 6 +- .../NamespaceTopicEventSubscription.cs | 6 +- sdk/dotnet/EventGrid/PartnerConfiguration.cs | 9 +- sdk/dotnet/EventGrid/PartnerDestination.cs | 5 + sdk/dotnet/EventGrid/PartnerNamespace.cs | 15 +- sdk/dotnet/EventGrid/PartnerRegistration.cs | 14 +- sdk/dotnet/EventGrid/PartnerTopic.cs | 9 +- .../PartnerTopicEventSubscription.cs | 15 +- sdk/dotnet/EventGrid/PermissionBinding.cs | 6 +- .../EventGrid/PrivateEndpointConnection.cs | 19 +- sdk/dotnet/EventGrid/SystemTopic.cs | 17 +- .../EventGrid/SystemTopicEventSubscription.cs | 17 +- sdk/dotnet/EventGrid/Topic.cs | 36 +- .../EventGrid/TopicEventSubscription.cs | 9 +- sdk/dotnet/EventGrid/TopicSpace.cs | 6 +- sdk/dotnet/EventHub/ApplicationGroup.cs | 6 +- sdk/dotnet/EventHub/Cluster.cs | 12 +- sdk/dotnet/EventHub/ConsumerGroup.cs | 20 +- sdk/dotnet/EventHub/DisasterRecoveryConfig.cs | 16 +- sdk/dotnet/EventHub/EventHub.cs | 20 +- .../EventHub/EventHubAuthorizationRule.cs | 20 +- sdk/dotnet/EventHub/Namespace.cs | 20 +- .../EventHub/NamespaceAuthorizationRule.cs | 20 +- sdk/dotnet/EventHub/NamespaceIpFilterRule.cs | 1 + .../EventHub/NamespaceNetworkRuleSet.cs | 16 +- .../EventHub/NamespaceVirtualNetworkRule.cs | 1 + .../EventHub/PrivateEndpointConnection.cs | 14 +- sdk/dotnet/EventHub/SchemaRegistry.cs | 8 +- sdk/dotnet/ExtendedLocation/CustomLocation.cs | 4 +- .../ExtendedLocation/ResourceSyncRule.cs | 1 + sdk/dotnet/Fabric/FabricCapacity.cs | 2 + .../SubscriptionFeatureRegistration.cs | 1 + sdk/dotnet/FluidRelay/FluidRelayServer.cs | 16 +- sdk/dotnet/FrontDoor/Experiment.cs | 2 +- sdk/dotnet/FrontDoor/FrontDoor.cs | 12 +- .../FrontDoor/NetworkExperimentProfile.cs | 2 +- sdk/dotnet/FrontDoor/Policy.cs | 14 +- sdk/dotnet/FrontDoor/RulesEngine.cs | 8 +- sdk/dotnet/GraphServices/Account.cs | 3 +- .../GuestConfigurationAssignment.cs | 10 +- .../GuestConfigurationAssignmentsVMSS.cs | 2 + ...urationConnectedVMwarevSphereAssignment.cs | 4 +- .../GuestConfigurationHCRPAssignment.cs | 8 +- sdk/dotnet/HDInsight/Application.cs | 10 +- sdk/dotnet/HDInsight/Cluster.cs | 13 +- sdk/dotnet/HDInsight/ClusterPool.cs | 3 + sdk/dotnet/HDInsight/ClusterPoolCluster.cs | 6 +- .../HDInsight/PrivateEndpointConnection.cs | 6 +- .../CloudHsmCluster.cs | 3 + ...loudHsmClusterPrivateEndpointConnection.cs | 3 + .../HardwareSecurityModules/DedicatedHsm.cs | 4 +- sdk/dotnet/HealthBot/Bot.cs | 15 +- .../HealthDataAIServices/DeidService.cs | 2 + .../PrivateEndpointConnection.cs | 2 + .../HealthcareApis/AnalyticsConnector.cs | 1 + sdk/dotnet/HealthcareApis/DicomService.cs | 22 +- sdk/dotnet/HealthcareApis/FhirService.cs | 22 +- sdk/dotnet/HealthcareApis/IotConnector.cs | 22 +- .../IotConnectorFhirDestination.cs | 22 +- .../PrivateEndpointConnection.cs | 26 +- sdk/dotnet/HealthcareApis/Service.cs | 32 +- sdk/dotnet/HealthcareApis/Workspace.cs | 22 +- .../WorkspacePrivateEndpointConnection.cs | 20 +- sdk/dotnet/HybridCloud/CloudConnection.cs | 1 + sdk/dotnet/HybridCloud/CloudConnector.cs | 1 + sdk/dotnet/HybridCompute/Gateway.cs | 7 +- sdk/dotnet/HybridCompute/License.cs | 10 +- sdk/dotnet/HybridCompute/LicenseProfile.cs | 10 +- sdk/dotnet/HybridCompute/Machine.cs | 46 +- sdk/dotnet/HybridCompute/MachineExtension.cs | 45 +- sdk/dotnet/HybridCompute/MachineRunCommand.cs | 8 +- .../PrivateEndpointConnection.cs | 38 +- sdk/dotnet/HybridCompute/PrivateLinkScope.cs | 38 +- .../PrivateLinkScopedResource.cs | 1 + sdk/dotnet/HybridConnectivity/Endpoint.cs | 5 +- .../PublicCloudConnector.cs | 1 + .../ServiceConfiguration.cs | 2 + .../SolutionConfiguration.cs | 1 + .../HybridContainerService/AgentPool.cs | 4 +- .../ClusterInstanceHybridIdentityMetadatum.cs | 4 +- .../HybridIdentityMetadatum.cs | 4 +- .../ProvisionedCluster.cs | 2 + .../StorageSpaceRetrieve.cs | 3 +- .../VirtualNetworkRetrieve.cs | 5 +- sdk/dotnet/HybridData/DataManager.cs | 3 +- sdk/dotnet/HybridData/DataStore.cs | 3 +- sdk/dotnet/HybridData/JobDefinition.cs | 3 +- sdk/dotnet/HybridNetwork/ArtifactManifest.cs | 2 + sdk/dotnet/HybridNetwork/ArtifactStore.cs | 2 + .../HybridNetwork/ConfigurationGroupSchema.cs | 2 + .../HybridNetwork/ConfigurationGroupValue.cs | 2 + sdk/dotnet/HybridNetwork/Device.cs | 5 +- sdk/dotnet/HybridNetwork/NetworkFunction.cs | 7 +- .../NetworkFunctionDefinitionGroup.cs | 2 + .../NetworkFunctionDefinitionVersion.cs | 2 + .../NetworkServiceDesignGroup.cs | 2 + .../NetworkServiceDesignVersion.cs | 2 + sdk/dotnet/HybridNetwork/Publisher.cs | 2 + sdk/dotnet/HybridNetwork/Site.cs | 2 + .../HybridNetwork/SiteNetworkService.cs | 2 + sdk/dotnet/HybridNetwork/Vendor.cs | 5 +- sdk/dotnet/HybridNetwork/VendorSkuPreview.cs | 5 +- sdk/dotnet/HybridNetwork/VendorSkus.cs | 5 +- sdk/dotnet/Impact/Connector.cs | 1 + sdk/dotnet/Impact/Insight.cs | 1 + sdk/dotnet/Impact/WorkloadImpact.cs | 1 + sdk/dotnet/ImportExport/Job.cs | 5 +- sdk/dotnet/IntegrationSpaces/Application.cs | 1 + .../IntegrationSpaces/ApplicationResource.cs | 1 + .../IntegrationSpaces/BusinessProcess.cs | 1 + .../InfrastructureResource.cs | 1 + sdk/dotnet/IntegrationSpaces/Space.cs | 1 + sdk/dotnet/Intune/AndroidMAMPolicyByName.cs | 2 + sdk/dotnet/Intune/IoMAMPolicyByName.cs | 2 + sdk/dotnet/IoTCentral/App.cs | 4 +- .../IoTCentral/PrivateEndpointConnection.cs | 1 + sdk/dotnet/IoTFirmwareDefense/Firmware.cs | 4 +- sdk/dotnet/IoTFirmwareDefense/Workspace.cs | 4 +- sdk/dotnet/IoTHub/Certificate.cs | 52 +- sdk/dotnet/IoTHub/IotHubResource.cs | 56 +- .../IotHubResourceEventHubConsumerGroup.cs | 56 +- .../IoTHub/PrivateEndpointConnection.cs | 36 +- sdk/dotnet/IoTOperations/Broker.cs | 6 +- .../IoTOperations/BrokerAuthentication.cs | 6 +- .../IoTOperations/BrokerAuthorization.cs | 6 +- sdk/dotnet/IoTOperations/BrokerListener.cs | 6 +- sdk/dotnet/IoTOperations/Dataflow.cs | 7 +- sdk/dotnet/IoTOperations/DataflowEndpoint.cs | 7 +- sdk/dotnet/IoTOperations/DataflowProfile.cs | 7 +- sdk/dotnet/IoTOperations/Instance.cs | 6 +- .../IoTOperationsDataProcessor/Dataset.cs | 1 + .../IoTOperationsDataProcessor/Instance.cs | 1 + .../IoTOperationsDataProcessor/Pipeline.cs | 1 + sdk/dotnet/IoTOperationsMQ/Broker.cs | 1 + .../IoTOperationsMQ/BrokerAuthentication.cs | 1 + .../IoTOperationsMQ/BrokerAuthorization.cs | 1 + sdk/dotnet/IoTOperationsMQ/BrokerListener.cs | 1 + .../IoTOperationsMQ/DataLakeConnector.cs | 1 + .../DataLakeConnectorTopicMap.cs | 1 + .../IoTOperationsMQ/DiagnosticService.cs | 1 + sdk/dotnet/IoTOperationsMQ/KafkaConnector.cs | 1 + .../IoTOperationsMQ/KafkaConnectorTopicMap.cs | 1 + sdk/dotnet/IoTOperationsMQ/Mq.cs | 1 + .../IoTOperationsMQ/MqttBridgeConnector.cs | 1 + .../IoTOperationsMQ/MqttBridgeTopicMap.cs | 1 + .../IoTOperationsOrchestrator/Instance.cs | 1 + .../IoTOperationsOrchestrator/Solution.cs | 1 + .../IoTOperationsOrchestrator/Target.cs | 1 + sdk/dotnet/KeyVault/Key.cs | 23 +- .../KeyVault/MHSMPrivateEndpointConnection.cs | 19 +- sdk/dotnet/KeyVault/ManagedHsm.cs | 21 +- .../KeyVault/PrivateEndpointConnection.cs | 25 +- sdk/dotnet/KeyVault/Secret.cs | 29 +- sdk/dotnet/KeyVault/Vault.cs | 31 +- sdk/dotnet/Kubernetes/ConnectedCluster.cs | 17 +- .../KubernetesConfiguration/Extension.cs | 18 +- .../FluxConfiguration.cs | 12 +- .../PrivateEndpointConnection.cs | 3 +- .../PrivateLinkScope.cs | 3 +- .../SourceControlConfiguration.cs | 21 +- sdk/dotnet/KubernetesRuntime/BgpPeer.cs | 2 + sdk/dotnet/KubernetesRuntime/LoadBalancer.cs | 2 + sdk/dotnet/KubernetesRuntime/Service.cs | 2 + sdk/dotnet/KubernetesRuntime/StorageClass.cs | 2 + .../Kusto/AttachedDatabaseConfiguration.cs | 24 +- sdk/dotnet/Kusto/Cluster.cs | 31 +- .../Kusto/ClusterPrincipalAssignment.cs | 22 +- sdk/dotnet/Kusto/CosmosDbDataConnection.cs | 28 +- .../Kusto/DatabasePrincipalAssignment.cs | 22 +- sdk/dotnet/Kusto/EventGridDataConnection.cs | 27 +- sdk/dotnet/Kusto/EventHubConnection.cs | 3 +- sdk/dotnet/Kusto/EventHubDataConnection.cs | 28 +- sdk/dotnet/Kusto/IotHubDataConnection.cs | 28 +- sdk/dotnet/Kusto/ManagedPrivateEndpoint.cs | 12 +- sdk/dotnet/Kusto/PrivateEndpointConnection.cs | 12 +- sdk/dotnet/Kusto/ReadOnlyFollowingDatabase.cs | 31 +- sdk/dotnet/Kusto/ReadWriteDatabase.cs | 30 +- sdk/dotnet/Kusto/SandboxCustomImage.cs | 2 + sdk/dotnet/Kusto/Script.cs | 13 +- sdk/dotnet/LabServices/Lab.cs | 7 +- sdk/dotnet/LabServices/LabPlan.cs | 6 +- sdk/dotnet/LabServices/Schedule.cs | 6 +- sdk/dotnet/LabServices/User.cs | 7 +- sdk/dotnet/LoadTestService/LoadTest.cs | 7 +- sdk/dotnet/LoadTestService/LoadTestMapping.cs | 3 +- .../LoadTestService/LoadTestProfileMapping.cs | 3 +- sdk/dotnet/Logic/IntegrationAccount.cs | 6 +- .../Logic/IntegrationAccountAgreement.cs | 6 +- .../Logic/IntegrationAccountAssembly.cs | 5 +- .../IntegrationAccountBatchConfiguration.cs | 5 +- .../Logic/IntegrationAccountCertificate.cs | 6 +- sdk/dotnet/Logic/IntegrationAccountMap.cs | 6 +- sdk/dotnet/Logic/IntegrationAccountPartner.cs | 6 +- sdk/dotnet/Logic/IntegrationAccountSchema.cs | 6 +- sdk/dotnet/Logic/IntegrationAccountSession.cs | 5 +- .../Logic/IntegrationServiceEnvironment.cs | 1 + ...IntegrationServiceEnvironmentManagedApi.cs | 1 + .../Logic/RosettaNetProcessConfiguration.cs | 1 + sdk/dotnet/Logic/Workflow.cs | 4 + sdk/dotnet/Logic/WorkflowAccessKey.cs | 1 + .../PrivateEndpointConnectionsAdtAPI.cs | 1 + .../PrivateEndpointConnectionsComp.cs | 1 + .../PrivateEndpointConnectionsForEDM.cs | 1 + ...vateEndpointConnectionsForMIPPolicySync.cs | 1 + ...vateEndpointConnectionsForSCCPowershell.cs | 1 + .../PrivateEndpointConnectionsSec.cs | 1 + .../PrivateLinkServicesForEDMUpload.cs | 1 + ...vateLinkServicesForM365ComplianceCenter.cs | 1 + ...rivateLinkServicesForM365SecurityCenter.cs | 1 + .../PrivateLinkServicesForMIPPolicySync.cs | 1 + ...inkServicesForO365ManagementActivityAPI.cs | 1 + .../PrivateLinkServicesForSCCPowershell.cs | 1 + sdk/dotnet/MachineLearning/Workspace.cs | 3 +- .../BatchDeployment.cs | 27 +- .../MachineLearningServices/BatchEndpoint.cs | 27 +- .../MachineLearningServices/CapabilityHost.cs | 3 +- .../CapacityReservationGroup.cs | 3 + .../MachineLearningServices/CodeContainer.cs | 27 +- .../MachineLearningServices/CodeVersion.cs | 27 +- .../ComponentContainer.cs | 26 +- .../ComponentVersion.cs | 26 +- sdk/dotnet/MachineLearningServices/Compute.cs | 64 +- .../ConnectionDeployment.cs | 5 +- .../ConnectionRaiBlocklist.cs | 6 +- .../ConnectionRaiBlocklistItem.cs | 6 +- .../ConnectionRaiPolicy.cs | 5 +- .../MachineLearningServices/DataContainer.cs | 27 +- .../MachineLearningServices/DataVersion.cs | 27 +- .../MachineLearningServices/Datastore.cs | 29 +- .../EndpointDeployment.cs | 6 +- .../EnvironmentContainer.cs | 27 +- .../EnvironmentSpecificationVersion.cs | 39 +- .../EnvironmentVersion.cs | 28 +- .../FeaturesetContainerEntity.cs | 14 +- .../FeaturesetVersion.cs | 14 +- .../FeaturestoreEntityContainerEntity.cs | 14 +- .../FeaturestoreEntityVersion.cs | 14 +- .../InferenceEndpoint.cs | 6 +- .../MachineLearningServices/InferenceGroup.cs | 6 +- .../MachineLearningServices/InferencePool.cs | 6 +- sdk/dotnet/MachineLearningServices/Job.cs | 27 +- .../MachineLearningServices/LabelingJob.cs | 15 +- .../MachineLearningServices/LinkedService.cs | 1 + .../LinkedWorkspace.cs | 3 +- .../MachineLearningDataset.cs | 1 + .../MachineLearningDatastore.cs | 41 +- .../ManagedNetworkSettingsRule.cs | 12 +- .../MarketplaceSubscription.cs | 8 +- .../MachineLearningServices/ModelContainer.cs | 27 +- .../MachineLearningServices/ModelVersion.cs | 27 +- .../OnlineDeployment.cs | 27 +- .../MachineLearningServices/OnlineEndpoint.cs | 27 +- .../PrivateEndpointConnection.cs | 54 +- .../MachineLearningServices/RaiPolicy.cs | 5 +- .../MachineLearningServices/Registry.cs | 19 +- .../RegistryCodeContainer.cs | 19 +- .../RegistryCodeVersion.cs | 19 +- .../RegistryComponentContainer.cs | 19 +- .../RegistryComponentVersion.cs | 19 +- .../RegistryDataContainer.cs | 15 +- .../RegistryDataVersion.cs | 15 +- .../RegistryEnvironmentContainer.cs | 19 +- .../RegistryEnvironmentVersion.cs | 19 +- .../RegistryModelContainer.cs | 19 +- .../RegistryModelVersion.cs | 19 +- .../MachineLearningServices/Schedule.cs | 23 +- .../ServerlessEndpoint.cs | 9 +- .../MachineLearningServices/Workspace.cs | 62 +- .../WorkspaceConnection.cs | 41 +- .../Maintenance/ConfigurationAssignment.cs | 10 +- .../ConfigurationAssignmentParent.cs | 10 +- ...onfigurationAssignmentsForResourceGroup.cs | 3 + ...ConfigurationAssignmentsForSubscription.cs | 3 + .../Maintenance/MaintenanceConfiguration.cs | 18 +- .../FederatedIdentityCredential.cs | 7 +- .../ManagedIdentity/UserAssignedIdentity.cs | 13 +- sdk/dotnet/ManagedNetwork/ManagedNetwork.cs | 1 + .../ManagedNetwork/ManagedNetworkGroup.cs | 1 + .../ManagedNetworkPeeringPolicy.cs | 1 + sdk/dotnet/ManagedNetwork/ScopeAssignment.cs | 1 + .../ManagedNetworkFabric/AccessControlList.cs | 2 + .../ManagedNetworkFabric/ExternalNetwork.cs | 2 + .../ManagedNetworkFabric/InternalNetwork.cs | 2 + .../ManagedNetworkFabric/InternetGateway.cs | 1 + .../InternetGatewayRule.cs | 1 + .../ManagedNetworkFabric/IpCommunity.cs | 2 + .../IpExtendedCommunity.cs | 2 + sdk/dotnet/ManagedNetworkFabric/IpPrefix.cs | 2 + .../ManagedNetworkFabric/L2IsolationDomain.cs | 2 + .../ManagedNetworkFabric/L3IsolationDomain.cs | 2 + .../ManagedNetworkFabric/NeighborGroup.cs | 1 + .../ManagedNetworkFabric/NetworkDevice.cs | 2 + .../ManagedNetworkFabric/NetworkFabric.cs | 2 + .../NetworkFabricController.cs | 2 + .../ManagedNetworkFabric/NetworkInterface.cs | 2 + .../NetworkPacketBroker.cs | 1 + .../ManagedNetworkFabric/NetworkRack.cs | 2 + sdk/dotnet/ManagedNetworkFabric/NetworkTap.cs | 1 + .../ManagedNetworkFabric/NetworkTapRule.cs | 1 + .../NetworkToNetworkInterconnect.cs | 2 + .../ManagedNetworkFabric/RoutePolicy.cs | 2 + .../ManagedServices/RegistrationAssignment.cs | 13 +- .../ManagedServices/RegistrationDefinition.cs | 13 +- sdk/dotnet/Management/HierarchySetting.cs | 8 +- sdk/dotnet/Management/ManagementGroup.cs | 16 +- .../Management/ManagementGroupSubscription.cs | 6 +- sdk/dotnet/ManagementPartner/Partner.cs | 1 + .../ManufacturingDataService.cs | 2 +- sdk/dotnet/Maps/Account.cs | 14 +- sdk/dotnet/Maps/Creator.cs | 10 +- sdk/dotnet/Maps/PrivateAtlase.cs | 1 + sdk/dotnet/Maps/PrivateEndpointConnection.cs | 2 + .../Marketplace/PrivateStoreCollection.cs | 9 +- .../PrivateStoreCollectionOffer.cs | 9 +- sdk/dotnet/Media/AccountFilter.cs | 11 +- sdk/dotnet/Media/Asset.cs | 15 +- sdk/dotnet/Media/AssetFilter.cs | 11 +- sdk/dotnet/Media/ContentKeyPolicy.cs | 15 +- sdk/dotnet/Media/Job.cs | 15 +- sdk/dotnet/Media/LiveEvent.cs | 15 +- sdk/dotnet/Media/LiveOutput.cs | 17 +- sdk/dotnet/Media/MediaService.cs | 16 +- sdk/dotnet/Media/PrivateEndpointConnection.cs | 9 +- sdk/dotnet/Media/StreamingEndpoint.cs | 16 +- sdk/dotnet/Media/StreamingLocator.cs | 14 +- sdk/dotnet/Media/StreamingPolicy.cs | 15 +- sdk/dotnet/Media/Track.cs | 5 +- sdk/dotnet/Media/Transform.cs | 15 +- sdk/dotnet/Migrate/AksAssessmentOperation.cs | 4 + sdk/dotnet/Migrate/Assessment.cs | 12 +- .../Migrate/AssessmentProjectsOperation.cs | 7 +- sdk/dotnet/Migrate/AssessmentsOperation.cs | 7 +- sdk/dotnet/Migrate/AvsAssessmentsOperation.cs | 5 + sdk/dotnet/Migrate/BusinessCaseOperation.cs | 4 + sdk/dotnet/Migrate/Group.cs | 12 +- sdk/dotnet/Migrate/GroupsOperation.cs | 7 +- sdk/dotnet/Migrate/HyperVCollector.cs | 11 +- .../Migrate/HypervCollectorsOperation.cs | 7 +- sdk/dotnet/Migrate/ImportCollector.cs | 11 +- .../Migrate/ImportCollectorsOperation.cs | 7 +- sdk/dotnet/Migrate/MigrateAgent.cs | 1 + sdk/dotnet/Migrate/MigrateProject.cs | 5 +- ...MigrateProjectsControllerMigrateProject.cs | 4 +- sdk/dotnet/Migrate/ModernizeProject.cs | 1 + sdk/dotnet/Migrate/MoveCollection.cs | 8 +- sdk/dotnet/Migrate/MoveResource.cs | 8 +- .../Migrate/PrivateEndpointConnection.cs | 11 +- ...tionControllerPrivateEndpointConnection.cs | 2 + .../PrivateEndpointConnectionOperation.cs | 7 +- sdk/dotnet/Migrate/Project.cs | 12 +- sdk/dotnet/Migrate/ServerCollector.cs | 11 +- .../Migrate/ServerCollectorsOperation.cs | 7 +- sdk/dotnet/Migrate/Solution.cs | 3 +- .../Migrate/SqlAssessmentV2Operation.cs | 5 + sdk/dotnet/Migrate/SqlCollectorOperation.cs | 5 + sdk/dotnet/Migrate/VMwareCollector.cs | 11 +- .../Migrate/VmwareCollectorsOperation.cs | 7 +- .../Migrate/WebAppAssessmentV2Operation.cs | 4 + .../Migrate/WebAppCollectorOperation.cs | 4 + sdk/dotnet/Migrate/WorkloadDeployment.cs | 1 + sdk/dotnet/Migrate/WorkloadInstance.cs | 1 + .../MixedReality/ObjectAnchorsAccount.cs | 1 + .../MixedReality/RemoteRenderingAccount.cs | 8 +- .../MixedReality/SpatialAnchorsAccount.cs | 8 +- .../MobileNetwork/AttachedDataNetwork.cs | 8 +- sdk/dotnet/MobileNetwork/DataNetwork.cs | 8 +- .../MobileNetwork/DiagnosticsPackage.cs | 4 + sdk/dotnet/MobileNetwork/MobileNetwork.cs | 8 +- sdk/dotnet/MobileNetwork/PacketCapture.cs | 4 + .../MobileNetwork/PacketCoreControlPlane.cs | 7 + .../MobileNetwork/PacketCoreDataPlane.cs | 8 +- sdk/dotnet/MobileNetwork/Service.cs | 8 +- sdk/dotnet/MobileNetwork/Sim.cs | 7 +- sdk/dotnet/MobileNetwork/SimGroup.cs | 6 + sdk/dotnet/MobileNetwork/SimPolicy.cs | 8 +- sdk/dotnet/MobileNetwork/Site.cs | 8 +- sdk/dotnet/MobileNetwork/Slice.cs | 8 +- sdk/dotnet/MongoCluster/FirewallRule.cs | 8 +- sdk/dotnet/MongoCluster/MongoCluster.cs | 8 +- .../MongoCluster/PrivateEndpointConnection.cs | 8 +- sdk/dotnet/Monitor/ActionGroup.cs | 22 +- sdk/dotnet/Monitor/AutoscaleSetting.cs | 8 +- sdk/dotnet/Monitor/AzureMonitorWorkspace.cs | 4 +- sdk/dotnet/Monitor/DiagnosticSetting.cs | 4 +- .../ManagementGroupDiagnosticSetting.cs | 4 +- sdk/dotnet/Monitor/PipelineGroup.cs | 2 + .../Monitor/PrivateEndpointConnection.cs | 8 +- sdk/dotnet/Monitor/PrivateLinkScope.cs | 8 +- .../Monitor/PrivateLinkScopedResource.cs | 8 +- sdk/dotnet/Monitor/ScheduledQueryRule.cs | 20 +- .../Monitor/SubscriptionDiagnosticSetting.cs | 4 +- sdk/dotnet/Monitor/TenantActionGroup.cs | 4 +- sdk/dotnet/MySQLDiscovery/MySQLServer.cs | 2 +- sdk/dotnet/MySQLDiscovery/MySQLSite.cs | 2 +- sdk/dotnet/NetApp/Account.cs | 69 +- sdk/dotnet/NetApp/Backup.cs | 16 +- sdk/dotnet/NetApp/BackupPolicy.cs | 50 +- sdk/dotnet/NetApp/BackupVault.cs | 15 +- sdk/dotnet/NetApp/CapacityPool.cs | 86 +- sdk/dotnet/NetApp/CapacityPoolBackup.cs | 36 +- sdk/dotnet/NetApp/CapacityPoolSnapshot.cs | 86 +- sdk/dotnet/NetApp/CapacityPoolSubvolume.cs | 44 +- sdk/dotnet/NetApp/CapacityPoolVolume.cs | 86 +- .../NetApp/CapacityPoolVolumeQuotaRule.cs | 42 +- sdk/dotnet/NetApp/SnapshotPolicy.cs | 52 +- sdk/dotnet/NetApp/VolumeGroup.cs | 29 +- sdk/dotnet/Network/AdminRule.cs | 26 +- sdk/dotnet/Network/AdminRuleCollection.cs | 26 +- sdk/dotnet/Network/ApplicationGateway.cs | 97 +- ...icationGatewayPrivateEndpointConnection.cs | 37 +- .../Network/ApplicationSecurityGroup.cs | 81 +- sdk/dotnet/Network/AzureFirewall.cs | 70 +- sdk/dotnet/Network/BastionHost.cs | 55 +- .../Network/ConfigurationPolicyGroup.cs | 21 +- sdk/dotnet/Network/ConnectionMonitor.cs | 78 +- .../Network/ConnectivityConfiguration.cs | 25 +- sdk/dotnet/Network/CustomIPPrefix.cs | 34 +- sdk/dotnet/Network/DdosCustomPolicy.cs | 60 +- sdk/dotnet/Network/DdosProtectionPlan.cs | 72 +- sdk/dotnet/Network/DefaultAdminRule.cs | 27 +- sdk/dotnet/Network/DefaultUserRule.cs | 10 +- sdk/dotnet/Network/DscpConfiguration.cs | 35 +- sdk/dotnet/Network/ExpressRouteCircuit.cs | 97 +- .../ExpressRouteCircuitAuthorization.cs | 98 +- .../Network/ExpressRouteCircuitConnection.cs | 73 +- .../Network/ExpressRouteCircuitPeering.cs | 96 +- sdk/dotnet/Network/ExpressRouteConnection.cs | 65 +- .../ExpressRouteCrossConnectionPeering.cs | 72 +- sdk/dotnet/Network/ExpressRouteGateway.cs | 64 +- sdk/dotnet/Network/ExpressRoutePort.cs | 64 +- .../Network/ExpressRoutePortAuthorization.cs | 21 +- sdk/dotnet/Network/FirewallPolicy.cs | 51 +- sdk/dotnet/Network/FirewallPolicyDraft.cs | 4 + .../FirewallPolicyRuleCollectionGroup.cs | 37 +- .../FirewallPolicyRuleCollectionGroupDraft.cs | 4 + sdk/dotnet/Network/FirewallPolicyRuleGroup.cs | 15 +- sdk/dotnet/Network/FlowLog.cs | 45 +- sdk/dotnet/Network/HubRouteTable.cs | 39 +- .../Network/HubVirtualNetworkConnection.cs | 37 +- sdk/dotnet/Network/InboundNatRule.cs | 84 +- sdk/dotnet/Network/InterfaceEndpoint.cs | 73 +- sdk/dotnet/Network/IpAllocation.cs | 41 +- sdk/dotnet/Network/IpGroup.cs | 47 +- sdk/dotnet/Network/IpamPool.cs | 2 + sdk/dotnet/Network/LoadBalancer.cs | 96 +- .../Network/LoadBalancerBackendAddressPool.cs | 39 +- sdk/dotnet/Network/LocalNetworkGateway.cs | 96 +- ...ManagementGroupNetworkManagerConnection.cs | 23 +- sdk/dotnet/Network/NatGateway.cs | 55 +- sdk/dotnet/Network/NatRule.cs | 31 +- sdk/dotnet/Network/NetworkGroup.cs | 24 +- sdk/dotnet/Network/NetworkInterface.cs | 95 +- .../NetworkInterfaceTapConfiguration.cs | 65 +- sdk/dotnet/Network/NetworkManager.cs | 26 +- .../NetworkManagerRoutingConfiguration.cs | 2 + sdk/dotnet/Network/NetworkProfile.cs | 64 +- sdk/dotnet/Network/NetworkSecurityGroup.cs | 97 +- .../Network/NetworkSecurityPerimeter.cs | 6 +- .../NetworkSecurityPerimeterAccessRule.cs | 8 +- .../NetworkSecurityPerimeterAssociation.cs | 8 +- .../Network/NetworkSecurityPerimeterLink.cs | 8 +- ...rkSecurityPerimeterLoggingConfiguration.cs | 2 +- .../NetworkSecurityPerimeterProfile.cs | 8 +- sdk/dotnet/Network/NetworkVirtualAppliance.cs | 42 +- .../NetworkVirtualApplianceConnection.cs | 6 + sdk/dotnet/Network/NetworkWatcher.cs | 90 +- sdk/dotnet/Network/NspAccessRule.cs | 5 +- sdk/dotnet/Network/NspAssociation.cs | 5 +- sdk/dotnet/Network/NspLink.cs | 5 +- sdk/dotnet/Network/NspProfile.cs | 5 +- sdk/dotnet/Network/P2sVpnGateway.cs | 64 +- .../Network/P2sVpnServerConfiguration.cs | 15 +- sdk/dotnet/Network/PacketCapture.cs | 90 +- sdk/dotnet/Network/PrivateDnsZoneGroup.cs | 40 +- sdk/dotnet/Network/PrivateEndpoint.cs | 64 +- sdk/dotnet/Network/PrivateLinkService.cs | 53 +- ...ateLinkServicePrivateEndpointConnection.cs | 47 +- sdk/dotnet/Network/PublicIPAddress.cs | 97 +- sdk/dotnet/Network/PublicIPPrefix.cs | 65 +- .../Network/ReachabilityAnalysisIntent.cs | 2 + sdk/dotnet/Network/ReachabilityAnalysisRun.cs | 2 + sdk/dotnet/Network/Route.cs | 98 +- sdk/dotnet/Network/RouteFilter.cs | 88 +- sdk/dotnet/Network/RouteFilterRule.cs | 89 +- sdk/dotnet/Network/RouteMap.cs | 17 +- sdk/dotnet/Network/RouteTable.cs | 98 +- sdk/dotnet/Network/RoutingIntent.cs | 23 +- sdk/dotnet/Network/RoutingRule.cs | 2 + sdk/dotnet/Network/RoutingRuleCollection.cs | 2 + sdk/dotnet/Network/ScopeConnection.cs | 25 +- .../Network/SecurityAdminConfiguration.cs | 27 +- sdk/dotnet/Network/SecurityPartnerProvider.cs | 41 +- sdk/dotnet/Network/SecurityRule.cs | 97 +- .../Network/SecurityUserConfiguration.cs | 8 +- sdk/dotnet/Network/SecurityUserRule.cs | 10 +- .../Network/SecurityUserRuleCollection.cs | 10 +- sdk/dotnet/Network/ServiceEndpointPolicy.cs | 66 +- .../ServiceEndpointPolicyDefinition.cs | 66 +- sdk/dotnet/Network/StaticCidr.cs | 2 + sdk/dotnet/Network/StaticMember.cs | 25 +- sdk/dotnet/Network/Subnet.cs | 94 +- .../SubscriptionNetworkManagerConnection.cs | 25 +- sdk/dotnet/Network/UserRule.cs | 10 +- sdk/dotnet/Network/UserRuleCollection.cs | 9 +- sdk/dotnet/Network/VerifierWorkspace.cs | 2 + sdk/dotnet/Network/VirtualApplianceSite.cs | 37 +- sdk/dotnet/Network/VirtualHub.cs | 68 +- sdk/dotnet/Network/VirtualHubBgpConnection.cs | 37 +- .../Network/VirtualHubIpConfiguration.cs | 37 +- sdk/dotnet/Network/VirtualHubRouteTableV2.cs | 47 +- sdk/dotnet/Network/VirtualNetwork.cs | 97 +- sdk/dotnet/Network/VirtualNetworkGateway.cs | 96 +- .../VirtualNetworkGatewayConnection.cs | 96 +- .../Network/VirtualNetworkGatewayNatRule.cs | 27 +- sdk/dotnet/Network/VirtualNetworkPeering.cs | 92 +- sdk/dotnet/Network/VirtualNetworkTap.cs | 65 +- sdk/dotnet/Network/VirtualRouter.cs | 51 +- sdk/dotnet/Network/VirtualRouterPeering.cs | 51 +- sdk/dotnet/Network/VirtualWan.cs | 70 +- sdk/dotnet/Network/VpnConnection.cs | 70 +- sdk/dotnet/Network/VpnGateway.cs | 70 +- sdk/dotnet/Network/VpnServerConfiguration.cs | 49 +- sdk/dotnet/Network/VpnSite.cs | 70 +- .../Network/WebApplicationFirewallPolicy.cs | 58 +- sdk/dotnet/NetworkCloud/AgentPool.cs | 7 +- sdk/dotnet/NetworkCloud/BareMetalMachine.cs | 7 +- .../NetworkCloud/BareMetalMachineKeySet.cs | 7 +- sdk/dotnet/NetworkCloud/BmcKeySet.cs | 7 +- .../NetworkCloud/CloudServicesNetwork.cs | 7 +- sdk/dotnet/NetworkCloud/Cluster.cs | 7 +- sdk/dotnet/NetworkCloud/ClusterManager.cs | 7 +- sdk/dotnet/NetworkCloud/Console.cs | 7 +- sdk/dotnet/NetworkCloud/KubernetesCluster.cs | 7 +- .../NetworkCloud/KubernetesClusterFeature.cs | 5 +- sdk/dotnet/NetworkCloud/L2Network.cs | 7 +- sdk/dotnet/NetworkCloud/L3Network.cs | 7 +- .../NetworkCloud/MetricsConfiguration.cs | 7 +- sdk/dotnet/NetworkCloud/Rack.cs | 7 +- sdk/dotnet/NetworkCloud/StorageAppliance.cs | 7 +- sdk/dotnet/NetworkCloud/TrunkedNetwork.cs | 7 +- sdk/dotnet/NetworkCloud/VirtualMachine.cs | 7 +- sdk/dotnet/NetworkCloud/Volume.cs | 7 +- .../NetworkFunction/AzureTrafficCollector.cs | 6 +- sdk/dotnet/NetworkFunction/CollectorPolicy.cs | 6 +- sdk/dotnet/NotificationHubs/Namespace.cs | 8 +- .../NamespaceAuthorizationRule.cs | 6 +- .../NotificationHubs/NotificationHub.cs | 8 +- .../NotificationHubAuthorizationRule.cs | 6 +- .../PrivateEndpointConnection.cs | 3 + sdk/dotnet/OffAzure/HyperVSite.cs | 9 +- .../HypervClusterControllerCluster.cs | 3 + sdk/dotnet/OffAzure/HypervHostController.cs | 3 + sdk/dotnet/OffAzure/HypervSitesController.cs | 7 +- sdk/dotnet/OffAzure/ImportSitesController.cs | 3 + sdk/dotnet/OffAzure/MasterSitesController.cs | 5 +- .../OffAzure/PrivateEndpointConnection.cs | 7 +- .../PrivateEndpointConnectionController.cs | 5 +- sdk/dotnet/OffAzure/ServerSitesController.cs | 3 + sdk/dotnet/OffAzure/Site.cs | 9 +- sdk/dotnet/OffAzure/SitesController.cs | 7 +- .../SqlDiscoverySiteDataSourceController.cs | 3 + sdk/dotnet/OffAzure/SqlSitesController.cs | 3 + sdk/dotnet/OffAzure/VcenterController.cs | 7 +- ...ebAppDiscoverySiteDataSourcesController.cs | 3 + sdk/dotnet/OffAzure/WebAppSitesController.cs | 3 + .../OffAzureSpringBoot/Springbootapp.cs | 1 + .../OffAzureSpringBoot/Springbootserver.cs | 2 + .../OffAzureSpringBoot/Springbootsite.cs | 2 + .../OpenEnergyPlatform/EnergyService.cs | 3 +- sdk/dotnet/OperationalInsights/Cluster.cs | 12 +- sdk/dotnet/OperationalInsights/DataExport.cs | 8 +- sdk/dotnet/OperationalInsights/DataSource.cs | 7 +- .../OperationalInsights/LinkedService.cs | 9 +- .../LinkedStorageAccount.cs | 8 +- .../OperationalInsights/MachineGroup.cs | 1 + sdk/dotnet/OperationalInsights/Query.cs | 5 +- sdk/dotnet/OperationalInsights/QueryPack.cs | 5 +- sdk/dotnet/OperationalInsights/SavedSearch.cs | 8 +- .../StorageInsightConfig.cs | 8 +- sdk/dotnet/OperationalInsights/Table.cs | 6 +- sdk/dotnet/OperationalInsights/Workspace.cs | 11 +- .../ManagementAssociation.cs | 1 + .../ManagementConfiguration.cs | 1 + sdk/dotnet/OperationsManagement/Solution.cs | 1 + sdk/dotnet/Orbital/Contact.cs | 2 + sdk/dotnet/Orbital/ContactProfile.cs | 2 + sdk/dotnet/Orbital/EdgeSite.cs | 2 + sdk/dotnet/Orbital/GroundStation.cs | 2 + sdk/dotnet/Orbital/L2Connection.cs | 2 + sdk/dotnet/Orbital/Spacecraft.cs | 2 + sdk/dotnet/Peering/ConnectionMonitorTest.cs | 7 +- sdk/dotnet/Peering/PeerAsn.cs | 18 +- sdk/dotnet/Peering/Peering.cs | 19 +- sdk/dotnet/Peering/PeeringService.cs | 19 +- sdk/dotnet/Peering/Prefix.cs | 19 +- sdk/dotnet/Peering/RegisteredAsn.cs | 15 +- sdk/dotnet/Peering/RegisteredPrefix.cs | 15 +- .../PolicyInsights/AttestationAtResource.cs | 4 +- .../AttestationAtResourceGroup.cs | 4 +- .../AttestationAtSubscription.cs | 4 +- .../RemediationAtManagementGroup.cs | 6 +- .../PolicyInsights/RemediationAtResource.cs | 6 +- .../RemediationAtResourceGroup.cs | 6 +- .../RemediationAtSubscription.cs | 6 +- sdk/dotnet/Portal/Console.cs | 1 + sdk/dotnet/Portal/ConsoleWithLocation.cs | 1 + sdk/dotnet/Portal/Dashboard.cs | 9 +- sdk/dotnet/Portal/TenantConfiguration.cs | 6 +- sdk/dotnet/Portal/UserSettings.cs | 1 + sdk/dotnet/Portal/UserSettingsWithLocation.cs | 1 + sdk/dotnet/PortalServices/CopilotSetting.cs | 3 +- sdk/dotnet/PowerBI/PowerBIResource.cs | 1 + .../PowerBI/PrivateEndpointConnection.cs | 1 + sdk/dotnet/PowerBI/WorkspaceCollection.cs | 1 + sdk/dotnet/PowerBIDedicated/AutoScaleVCore.cs | 1 + .../PowerBIDedicated/CapacityDetails.cs | 3 +- sdk/dotnet/PowerPlatform/Account.cs | 1 + sdk/dotnet/PowerPlatform/EnterprisePolicy.cs | 1 + .../PrivateEndpointConnection.cs | 1 + sdk/dotnet/PrivateDns/PrivateRecordSet.cs | 8 +- sdk/dotnet/PrivateDns/PrivateZone.cs | 8 +- sdk/dotnet/PrivateDns/VirtualNetworkLink.cs | 8 +- .../ProfessionalServiceSubscriptionLevel.cs | 1 + .../ProgrammableConnectivity/Gateway.cs | 1 + .../OperatorApiConnection.cs | 1 + sdk/dotnet/ProviderHub/DefaultRollout.cs | 7 +- .../ProviderHub/NotificationRegistration.cs | 7 +- .../OperationByProviderRegistration.cs | 6 +- .../ProviderHub/ProviderRegistration.cs | 7 +- .../ProviderHub/ResourceTypeRegistration.cs | 7 +- sdk/dotnet/ProviderHub/Skus.cs | 7 +- .../SkusNestedResourceTypeFirst.cs | 7 +- .../SkusNestedResourceTypeSecond.cs | 7 +- .../SkusNestedResourceTypeThird.cs | 7 +- sdk/dotnet/Purview/Account.cs | 5 + sdk/dotnet/Purview/KafkaConfiguration.cs | 3 + .../Purview/PrivateEndpointConnection.cs | 6 +- sdk/dotnet/Quantum/Workspace.cs | 4 +- sdk/dotnet/Quota/GroupQuota.cs | 6 +- sdk/dotnet/Quota/GroupQuotaSubscription.cs | 6 +- sdk/dotnet/RecommendationsService/Account.cs | 2 + sdk/dotnet/RecommendationsService/Modeling.cs | 2 + .../RecommendationsService/ServiceEndpoint.cs | 2 + .../PrivateEndpointConnection.cs | 59 +- sdk/dotnet/RecoveryServices/ProtectedItem.cs | 63 +- .../RecoveryServices/ProtectionContainer.cs | 59 +- .../RecoveryServices/ProtectionIntent.cs | 53 +- .../RecoveryServices/ProtectionPolicy.cs | 59 +- .../RecoveryServices/ReplicationFabric.cs | 51 +- .../ReplicationMigrationItem.cs | 49 +- .../ReplicationNetworkMapping.cs | 50 +- .../RecoveryServices/ReplicationPolicy.cs | 51 +- .../ReplicationProtectedItem.cs | 51 +- .../ReplicationProtectionCluster.cs | 3 + .../ReplicationProtectionContainerMapping.cs | 51 +- .../ReplicationRecoveryPlan.cs | 51 +- .../ReplicationRecoveryServicesProvider.cs | 49 +- ...ReplicationStorageClassificationMapping.cs | 51 +- .../RecoveryServices/ReplicationvCenter.cs | 50 +- .../RecoveryServices/ResourceGuardProxy.cs | 41 +- sdk/dotnet/RecoveryServices/Vault.cs | 56 +- sdk/dotnet/RedHatOpenShift/MachinePool.cs | 5 + .../RedHatOpenShift/OpenShiftCluster.cs | 12 +- sdk/dotnet/RedHatOpenShift/Secret.cs | 5 + .../RedHatOpenShift/SyncIdentityProvider.cs | 5 + sdk/dotnet/RedHatOpenShift/SyncSet.cs | 5 + sdk/dotnet/Redis/AccessPolicy.cs | 10 +- sdk/dotnet/Redis/AccessPolicyAssignment.cs | 10 +- sdk/dotnet/Redis/FirewallRule.cs | 32 +- sdk/dotnet/Redis/LinkedServer.cs | 30 +- sdk/dotnet/Redis/PatchSchedule.cs | 28 +- sdk/dotnet/Redis/PrivateEndpointConnection.cs | 22 +- sdk/dotnet/Redis/Redis.cs | 34 +- sdk/dotnet/Redis/RedisFirewallRule.cs | 32 +- sdk/dotnet/Redis/RedisLinkedServer.cs | 30 +- .../RedisEnterprise/AccessPolicyAssignment.cs | 4 +- sdk/dotnet/RedisEnterprise/Database.cs | 34 +- .../PrivateEndpointConnection.cs | 34 +- sdk/dotnet/RedisEnterprise/RedisEnterprise.cs | 34 +- sdk/dotnet/Relay/HybridConnection.cs | 6 +- .../HybridConnectionAuthorizationRule.cs | 5 +- sdk/dotnet/Relay/Namespace.cs | 8 +- .../Relay/NamespaceAuthorizationRule.cs | 5 +- sdk/dotnet/Relay/PrivateEndpointConnection.cs | 3 + sdk/dotnet/Relay/WCFRelay.cs | 6 +- sdk/dotnet/Relay/WCFRelayAuthorizationRule.cs | 5 +- sdk/dotnet/ResourceConnector/Appliance.cs | 4 +- sdk/dotnet/ResourceGraph/GraphQuery.cs | 6 + sdk/dotnet/Resources/AzureCliScript.cs | 3 + sdk/dotnet/Resources/AzurePowerShellScript.cs | 3 + sdk/dotnet/Resources/Deployment.cs | 41 +- .../DeploymentAtManagementGroupScope.cs | 25 +- sdk/dotnet/Resources/DeploymentAtScope.cs | 21 +- .../DeploymentAtSubscriptionScope.cs | 29 +- .../Resources/DeploymentAtTenantScope.cs | 21 +- .../DeploymentStackAtManagementGroup.cs | 2 + .../DeploymentStackAtResourceGroup.cs | 2 + .../DeploymentStackAtSubscription.cs | 2 + sdk/dotnet/Resources/Resource.cs | 41 +- sdk/dotnet/Resources/ResourceGroup.cs | 41 +- sdk/dotnet/Resources/TagAtScope.cs | 17 +- sdk/dotnet/Resources/TemplateSpec.cs | 7 +- sdk/dotnet/Resources/TemplateSpecVersion.cs | 6 +- sdk/dotnet/SaaS/SaasSubscriptionLevel.cs | 1 + sdk/dotnet/ScVmm/AvailabilitySet.cs | 6 +- sdk/dotnet/ScVmm/Cloud.cs | 6 +- sdk/dotnet/ScVmm/GuestAgent.cs | 4 +- sdk/dotnet/ScVmm/HybridIdentityMetadata.cs | 2 + sdk/dotnet/ScVmm/InventoryItem.cs | 6 +- sdk/dotnet/ScVmm/MachineExtension.cs | 2 + sdk/dotnet/ScVmm/VMInstanceGuestAgent.cs | 5 +- sdk/dotnet/ScVmm/VirtualMachine.cs | 4 +- sdk/dotnet/ScVmm/VirtualMachineInstance.cs | 3 + sdk/dotnet/ScVmm/VirtualMachineTemplate.cs | 6 +- sdk/dotnet/ScVmm/VirtualNetwork.cs | 6 +- sdk/dotnet/ScVmm/VmmServer.cs | 6 +- sdk/dotnet/Scheduler/Job.cs | 5 +- sdk/dotnet/Scheduler/JobCollection.cs | 5 +- sdk/dotnet/Scom/Instance.cs | 1 + sdk/dotnet/Scom/ManagedGateway.cs | 1 + sdk/dotnet/Scom/MonitoredResource.cs | 1 + .../Search/PrivateEndpointConnection.cs | 15 +- sdk/dotnet/Search/Service.cs | 16 +- .../Search/SharedPrivateLinkResource.cs | 11 +- .../AzureKeyVaultSecretProviderClass.cs | 1 + sdk/dotnet/SecretSyncController/SecretSync.cs | 1 + sdk/dotnet/Security/APICollection.cs | 3 +- ...PICollectionByAzureApiManagementService.cs | 3 +- .../Security/AdvancedThreatProtection.cs | 3 +- sdk/dotnet/Security/AlertsSuppressionRule.cs | 1 + sdk/dotnet/Security/Application.cs | 1 + sdk/dotnet/Security/Assessment.cs | 4 +- .../AssessmentMetadataInSubscription.cs | 5 +- .../AssessmentsMetadataSubscription.cs | 5 +- sdk/dotnet/Security/Assignment.cs | 1 + sdk/dotnet/Security/Automation.cs | 2 + sdk/dotnet/Security/AzureServersSetting.cs | 1 + sdk/dotnet/Security/Connector.cs | 1 + .../Security/CustomAssessmentAutomation.cs | 1 + .../Security/CustomEntityStoreAssignment.cs | 1 + sdk/dotnet/Security/CustomRecommendation.cs | 1 + sdk/dotnet/Security/DefenderForStorage.cs | 2 + sdk/dotnet/Security/DevOpsConfiguration.cs | 5 +- sdk/dotnet/Security/DeviceSecurityGroup.cs | 3 +- sdk/dotnet/Security/GovernanceAssignment.cs | 1 + sdk/dotnet/Security/GovernanceRule.cs | 1 + sdk/dotnet/Security/IotSecuritySolution.cs | 2 + sdk/dotnet/Security/JitNetworkAccessPolicy.cs | 3 +- sdk/dotnet/Security/Pricing.cs | 1 + sdk/dotnet/Security/SecurityConnector.cs | 12 +- .../Security/SecurityConnectorApplication.cs | 1 + sdk/dotnet/Security/SecurityContact.cs | 3 + sdk/dotnet/Security/SecurityOperator.cs | 1 + sdk/dotnet/Security/SecurityStandard.cs | 1 + .../Security/ServerVulnerabilityAssessment.cs | 1 + .../SqlVulnerabilityAssessmentBaselineRule.cs | 3 +- sdk/dotnet/Security/Standard.cs | 1 + sdk/dotnet/Security/StandardAssignment.cs | 1 + sdk/dotnet/Security/WorkspaceSetting.cs | 1 + .../PrivateEndpointConnectionsAdtAPI.cs | 3 +- .../PrivateEndpointConnectionsComp.cs | 3 +- .../PrivateEndpointConnectionsForEDM.cs | 3 +- ...vateEndpointConnectionsForMIPPolicySync.cs | 1 + ...vateEndpointConnectionsForSCCPowershell.cs | 3 +- .../PrivateEndpointConnectionsSec.cs | 3 +- .../PrivateLinkServicesForEDMUpload.cs | 3 +- ...vateLinkServicesForM365ComplianceCenter.cs | 3 +- ...rivateLinkServicesForM365SecurityCenter.cs | 3 +- .../PrivateLinkServicesForMIPPolicySync.cs | 1 + ...inkServicesForO365ManagementActivityAPI.cs | 3 +- .../PrivateLinkServicesForSCCPowershell.cs | 3 +- .../SecurityInsights/AADDataConnector.cs | 60 +- .../SecurityInsights/AATPDataConnector.cs | 60 +- .../SecurityInsights/ASCDataConnector.cs | 61 +- sdk/dotnet/SecurityInsights/Action.cs | 60 +- .../ActivityCustomEntityQuery.cs | 44 +- sdk/dotnet/SecurityInsights/Anomalies.cs | 46 +- .../AnomalySecurityMLAnalyticsSettings.cs | 44 +- sdk/dotnet/SecurityInsights/AutomationRule.cs | 56 +- .../AwsCloudTrailDataConnector.cs | 60 +- sdk/dotnet/SecurityInsights/Bookmark.cs | 58 +- .../SecurityInsights/BookmarkRelation.cs | 44 +- .../BusinessApplicationAgent.cs | 4 +- sdk/dotnet/SecurityInsights/ContentPackage.cs | 20 +- .../SecurityInsights/ContentTemplate.cs | 20 +- .../CustomizableConnectorDefinition.cs | 13 +- .../SecurityInsights/EntityAnalytics.cs | 45 +- sdk/dotnet/SecurityInsights/EyesOn.cs | 46 +- sdk/dotnet/SecurityInsights/FileImport.cs | 29 +- .../SecurityInsights/FusionAlertRule.cs | 60 +- sdk/dotnet/SecurityInsights/Hunt.cs | 15 +- sdk/dotnet/SecurityInsights/HuntComment.cs | 15 +- sdk/dotnet/SecurityInsights/HuntRelation.cs | 15 +- sdk/dotnet/SecurityInsights/Incident.cs | 60 +- .../SecurityInsights/IncidentComment.cs | 60 +- .../SecurityInsights/IncidentRelation.cs | 60 +- sdk/dotnet/SecurityInsights/IncidentTask.cs | 25 +- .../SecurityInsights/MCASDataConnector.cs | 60 +- .../SecurityInsights/MDATPDataConnector.cs | 60 +- .../SecurityInsights/MSTIDataConnector.cs | 63 +- sdk/dotnet/SecurityInsights/Metadata.cs | 49 +- ...rosoftSecurityIncidentCreationAlertRule.cs | 61 +- .../SecurityInsights/OfficeDataConnector.cs | 60 +- ...mMicrosoftDefenderForThreatIntelligence.cs | 73 +- .../RestApiPollerDataConnector.cs | 70 +- .../SecurityInsights/ScheduledAlertRule.cs | 61 +- .../SentinelOnboardingState.cs | 56 +- sdk/dotnet/SecurityInsights/SourceControl.cs | 32 +- sdk/dotnet/SecurityInsights/System.cs | 4 +- .../SecurityInsights/TIDataConnector.cs | 60 +- .../ThreatIntelligenceIndicator.cs | 57 +- sdk/dotnet/SecurityInsights/Ueba.cs | 46 +- sdk/dotnet/SecurityInsights/Watchlist.cs | 56 +- sdk/dotnet/SecurityInsights/WatchlistItem.cs | 60 +- .../WorkspaceManagerAssignment.cs | 15 +- .../WorkspaceManagerConfiguration.cs | 15 +- .../SecurityInsights/WorkspaceManagerGroup.cs | 15 +- .../WorkspaceManagerMember.cs | 15 +- sdk/dotnet/SerialConsole/SerialPort.cs | 1 + .../ServiceBus/DisasterRecoveryConfig.cs | 14 +- sdk/dotnet/ServiceBus/MigrationConfig.cs | 14 +- sdk/dotnet/ServiceBus/Namespace.cs | 18 +- .../ServiceBus/NamespaceAuthorizationRule.cs | 18 +- .../ServiceBus/NamespaceIpFilterRule.cs | 1 + .../ServiceBus/NamespaceNetworkRuleSet.cs | 14 +- .../ServiceBus/NamespaceVirtualNetworkRule.cs | 1 + .../ServiceBus/PrivateEndpointConnection.cs | 12 +- sdk/dotnet/ServiceBus/Queue.cs | 18 +- .../ServiceBus/QueueAuthorizationRule.cs | 18 +- sdk/dotnet/ServiceBus/Rule.cs | 14 +- sdk/dotnet/ServiceBus/Subscription.cs | 18 +- sdk/dotnet/ServiceBus/Topic.cs | 18 +- .../ServiceBus/TopicAuthorizationRule.cs | 18 +- sdk/dotnet/ServiceFabric/Application.cs | 43 +- sdk/dotnet/ServiceFabric/ApplicationType.cs | 43 +- .../ServiceFabric/ApplicationTypeVersion.cs | 43 +- sdk/dotnet/ServiceFabric/ManagedCluster.cs | 32 +- .../ManagedClusterApplication.cs | 33 +- .../ManagedClusterApplicationType.cs | 33 +- .../ManagedClusterApplicationTypeVersion.cs | 33 +- .../ServiceFabric/ManagedClusterService.cs | 33 +- sdk/dotnet/ServiceFabric/NodeType.cs | 35 +- sdk/dotnet/ServiceFabric/Service.cs | 43 +- sdk/dotnet/ServiceFabricMesh/Application.cs | 3 +- sdk/dotnet/ServiceFabricMesh/Gateway.cs | 1 + sdk/dotnet/ServiceFabricMesh/Network.cs | 3 +- sdk/dotnet/ServiceFabricMesh/Secret.cs | 1 + sdk/dotnet/ServiceFabricMesh/SecretValue.cs | 1 + sdk/dotnet/ServiceFabricMesh/Volume.cs | 3 +- sdk/dotnet/ServiceLinker/Connector.cs | 4 + sdk/dotnet/ServiceLinker/ConnectorDryrun.cs | 4 + sdk/dotnet/ServiceLinker/Linker.cs | 9 +- sdk/dotnet/ServiceLinker/LinkerDryrun.cs | 4 + .../AssociationsInterface.cs | 7 +- .../ServiceNetworking/FrontendsInterface.cs | 7 +- .../SecurityPoliciesInterface.cs | 4 +- .../TrafficControllerInterface.cs | 7 +- sdk/dotnet/SignalRService/SignalR.cs | 29 +- .../SignalRCustomCertificate.cs | 13 +- .../SignalRService/SignalRCustomDomain.cs | 13 +- .../SignalRPrivateEndpointConnection.cs | 25 +- sdk/dotnet/SignalRService/SignalRReplica.cs | 8 + .../SignalRSharedPrivateLinkResource.cs | 21 +- sdk/dotnet/SoftwarePlan/HybridUseBenefit.cs | 3 +- sdk/dotnet/Solutions/Application.cs | 22 +- sdk/dotnet/Solutions/ApplicationDefinition.cs | 22 +- sdk/dotnet/Solutions/JitRequest.cs | 14 +- .../Sovereign/LandingZoneAccountOperation.cs | 2 +- .../LandingZoneConfigurationOperation.cs | 2 +- .../LandingZoneRegistrationOperation.cs | 2 +- .../Sql/BackupLongTermRetentionPolicy.cs | 35 +- .../Sql/BackupShortTermRetentionPolicy.cs | 30 +- sdk/dotnet/Sql/DataMaskingPolicy.cs | 16 +- sdk/dotnet/Sql/Database.cs | 32 +- sdk/dotnet/Sql/DatabaseAdvisor.cs | 31 +- sdk/dotnet/Sql/DatabaseBlobAuditingPolicy.cs | 32 +- sdk/dotnet/Sql/DatabaseSecurityAlertPolicy.cs | 31 +- ...eSqlVulnerabilityAssessmentRuleBaseline.cs | 13 +- .../Sql/DatabaseThreatDetectionPolicy.cs | 37 +- .../Sql/DatabaseVulnerabilityAssessment.cs | 30 +- ...baseVulnerabilityAssessmentRuleBaseline.cs | 30 +- .../Sql/DisasterRecoveryConfiguration.cs | 1 + .../Sql/DistributedAvailabilityGroup.cs | 20 +- sdk/dotnet/Sql/ElasticPool.cs | 31 +- sdk/dotnet/Sql/EncryptionProtector.cs | 30 +- .../Sql/ExtendedDatabaseBlobAuditingPolicy.cs | 30 +- .../Sql/ExtendedServerBlobAuditingPolicy.cs | 30 +- sdk/dotnet/Sql/FailoverGroup.cs | 30 +- sdk/dotnet/Sql/FirewallRule.cs | 31 +- sdk/dotnet/Sql/GeoBackupPolicy.cs | 16 +- sdk/dotnet/Sql/IPv6FirewallRule.cs | 18 +- sdk/dotnet/Sql/InstanceFailoverGroup.cs | 30 +- sdk/dotnet/Sql/InstancePool.cs | 30 +- sdk/dotnet/Sql/Job.cs | 30 +- sdk/dotnet/Sql/JobAgent.cs | 30 +- sdk/dotnet/Sql/JobCredential.cs | 30 +- sdk/dotnet/Sql/JobPrivateEndpoint.cs | 5 +- sdk/dotnet/Sql/JobStep.cs | 30 +- sdk/dotnet/Sql/JobTargetGroup.cs | 30 +- sdk/dotnet/Sql/LongTermRetentionPolicy.cs | 30 +- sdk/dotnet/Sql/ManagedDatabase.cs | 34 +- .../Sql/ManagedDatabaseSensitivityLabel.cs | 30 +- .../ManagedDatabaseVulnerabilityAssessment.cs | 30 +- ...baseVulnerabilityAssessmentRuleBaseline.cs | 30 +- sdk/dotnet/Sql/ManagedInstance.cs | 31 +- .../Sql/ManagedInstanceAdministrator.cs | 30 +- ...anagedInstanceAzureADOnlyAuthentication.cs | 28 +- sdk/dotnet/Sql/ManagedInstanceKey.cs | 30 +- .../ManagedInstanceLongTermRetentionPolicy.cs | 11 +- ...anagedInstancePrivateEndpointConnection.cs | 28 +- .../ManagedInstanceVulnerabilityAssessment.cs | 30 +- sdk/dotnet/Sql/ManagedServerDnsAlias.cs | 16 +- sdk/dotnet/Sql/OutboundFirewallRule.cs | 22 +- sdk/dotnet/Sql/PrivateEndpointConnection.cs | 30 +- sdk/dotnet/Sql/ReplicationLink.cs | 5 +- sdk/dotnet/Sql/SensitivityLabel.cs | 30 +- sdk/dotnet/Sql/Server.cs | 33 +- sdk/dotnet/Sql/ServerAdvisor.cs | 31 +- sdk/dotnet/Sql/ServerAzureADAdministrator.cs | 33 +- .../Sql/ServerAzureADOnlyAuthentication.cs | 28 +- sdk/dotnet/Sql/ServerBlobAuditingPolicy.cs | 30 +- sdk/dotnet/Sql/ServerCommunicationLink.cs | 1 + sdk/dotnet/Sql/ServerDnsAlias.cs | 30 +- sdk/dotnet/Sql/ServerKey.cs | 29 +- sdk/dotnet/Sql/ServerSecurityAlertPolicy.cs | 29 +- sdk/dotnet/Sql/ServerTrustCertificate.cs | 20 +- sdk/dotnet/Sql/ServerTrustGroup.cs | 28 +- .../Sql/ServerVulnerabilityAssessment.cs | 30 +- .../SqlVulnerabilityAssessmentRuleBaseline.cs | 13 +- .../Sql/SqlVulnerabilityAssessmentsSetting.cs | 13 +- .../Sql/StartStopManagedInstanceSchedule.cs | 9 +- sdk/dotnet/Sql/SyncAgent.cs | 30 +- sdk/dotnet/Sql/SyncGroup.cs | 32 +- sdk/dotnet/Sql/SyncMember.cs | 32 +- sdk/dotnet/Sql/TransparentDataEncryption.cs | 29 +- sdk/dotnet/Sql/VirtualNetworkRule.cs | 30 +- sdk/dotnet/Sql/WorkloadClassifier.cs | 30 +- sdk/dotnet/Sql/WorkloadGroup.cs | 30 +- .../AvailabilityGroupListener.cs | 13 +- .../SqlVirtualMachine/SqlVirtualMachine.cs | 13 +- .../SqlVirtualMachineGroup.cs | 13 +- .../StandbyPool/StandbyContainerGroupPool.cs | 5 +- .../StandbyPool/StandbyVirtualMachinePool.cs | 5 +- sdk/dotnet/StorSimple/AccessControlRecord.cs | 3 +- sdk/dotnet/StorSimple/BackupPolicy.cs | 1 + sdk/dotnet/StorSimple/BackupSchedule.cs | 1 + sdk/dotnet/StorSimple/BandwidthSetting.cs | 1 + sdk/dotnet/StorSimple/Manager.cs | 3 +- sdk/dotnet/StorSimple/ManagerExtendedInfo.cs | 3 +- .../StorSimple/StorageAccountCredential.cs | 3 +- sdk/dotnet/StorSimple/Volume.cs | 1 + sdk/dotnet/StorSimple/VolumeContainer.cs | 1 + sdk/dotnet/Storage/BlobContainer.cs | 34 +- .../BlobContainerImmutabilityPolicy.cs | 34 +- sdk/dotnet/Storage/BlobInventoryPolicy.cs | 24 +- sdk/dotnet/Storage/BlobServiceProperties.cs | 30 +- sdk/dotnet/Storage/EncryptionScope.cs | 24 +- sdk/dotnet/Storage/FileServiceProperties.cs | 26 +- sdk/dotnet/Storage/FileShare.cs | 26 +- sdk/dotnet/Storage/LocalUser.cs | 12 +- sdk/dotnet/Storage/ManagementPolicy.cs | 30 +- sdk/dotnet/Storage/ObjectReplicationPolicy.cs | 24 +- .../Storage/PrivateEndpointConnection.cs | 24 +- sdk/dotnet/Storage/Queue.cs | 24 +- sdk/dotnet/Storage/QueueServiceProperties.cs | 24 +- sdk/dotnet/Storage/StorageAccount.cs | 48 +- sdk/dotnet/Storage/StorageTaskAssignment.cs | 3 +- sdk/dotnet/Storage/Table.cs | 24 +- sdk/dotnet/Storage/TableServiceProperties.cs | 24 +- sdk/dotnet/StorageActions/StorageTask.cs | 1 + sdk/dotnet/StorageCache/AmlFilesystem.cs | 6 +- sdk/dotnet/StorageCache/Cache.cs | 25 +- sdk/dotnet/StorageCache/ImportJob.cs | 3 +- sdk/dotnet/StorageCache/StorageTarget.cs | 26 +- sdk/dotnet/StorageMover/Agent.cs | 6 +- sdk/dotnet/StorageMover/Endpoint.cs | 6 +- sdk/dotnet/StorageMover/JobDefinition.cs | 6 +- sdk/dotnet/StorageMover/Project.cs | 6 +- sdk/dotnet/StorageMover/StorageMover.cs | 6 +- sdk/dotnet/StoragePool/DiskPool.cs | 4 +- sdk/dotnet/StoragePool/IscsiTarget.cs | 4 +- sdk/dotnet/StorageSync/CloudEndpoint.cs | 22 +- .../StorageSync/PrivateEndpointConnection.cs | 6 +- sdk/dotnet/StorageSync/RegisteredServer.cs | 22 +- sdk/dotnet/StorageSync/ServerEndpoint.cs | 22 +- sdk/dotnet/StorageSync/StorageSyncService.cs | 22 +- sdk/dotnet/StorageSync/SyncGroup.cs | 22 +- sdk/dotnet/StreamAnalytics/Cluster.cs | 2 + sdk/dotnet/StreamAnalytics/Function.cs | 5 +- sdk/dotnet/StreamAnalytics/Input.cs | 6 +- sdk/dotnet/StreamAnalytics/Output.cs | 6 +- sdk/dotnet/StreamAnalytics/PrivateEndpoint.cs | 2 + sdk/dotnet/StreamAnalytics/StreamingJob.cs | 5 +- sdk/dotnet/Subscription/Alias.cs | 5 +- .../Subscription/SubscriptionTarDirectory.cs | 1 + sdk/dotnet/Synapse/BigDataPool.cs | 11 +- .../Synapse/DatabasePrincipalAssignment.cs | 3 +- sdk/dotnet/Synapse/EventGridDataConnection.cs | 3 +- sdk/dotnet/Synapse/EventHubDataConnection.cs | 3 +- sdk/dotnet/Synapse/IntegrationRuntime.cs | 12 +- sdk/dotnet/Synapse/IotHubDataConnection.cs | 3 +- sdk/dotnet/Synapse/IpFirewallRule.cs | 12 +- sdk/dotnet/Synapse/Key.cs | 12 +- sdk/dotnet/Synapse/KustoPool.cs | 2 + .../KustoPoolAttachedDatabaseConfiguration.cs | 1 + .../KustoPoolDatabasePrincipalAssignment.cs | 3 +- .../Synapse/KustoPoolPrincipalAssignment.cs | 3 +- .../Synapse/PrivateEndpointConnection.cs | 12 +- sdk/dotnet/Synapse/PrivateLinkHub.cs | 12 +- .../Synapse/ReadOnlyFollowingDatabase.cs | 3 +- sdk/dotnet/Synapse/ReadWriteDatabase.cs | 3 +- sdk/dotnet/Synapse/SqlPool.cs | 13 +- sdk/dotnet/Synapse/SqlPoolSensitivityLabel.cs | 12 +- .../SqlPoolTransparentDataEncryption.cs | 12 +- .../Synapse/SqlPoolVulnerabilityAssessment.cs | 12 +- ...PoolVulnerabilityAssessmentRuleBaseline.cs | 12 +- .../Synapse/SqlPoolWorkloadClassifier.cs | 12 +- sdk/dotnet/Synapse/SqlPoolWorkloadGroup.cs | 12 +- sdk/dotnet/Synapse/Workspace.cs | 11 +- sdk/dotnet/Synapse/WorkspaceAadAdmin.cs | 12 +- ...ManagedSqlServerVulnerabilityAssessment.cs | 12 +- sdk/dotnet/Synapse/WorkspaceSqlAadAdmin.cs | 12 +- sdk/dotnet/Syntex/DocumentProcessor.cs | 1 + sdk/dotnet/TestBase/ActionRequest.cs | 1 + sdk/dotnet/TestBase/Credential.cs | 1 + sdk/dotnet/TestBase/CustomImage.cs | 1 + sdk/dotnet/TestBase/CustomerEvent.cs | 4 +- sdk/dotnet/TestBase/DraftPackage.cs | 1 + sdk/dotnet/TestBase/FavoriteProcess.cs | 4 +- sdk/dotnet/TestBase/ImageDefinition.cs | 1 + sdk/dotnet/TestBase/Package.cs | 4 +- sdk/dotnet/TestBase/TestBaseAccount.cs | 4 +- sdk/dotnet/TimeSeriesInsights/AccessPolicy.cs | 10 +- .../TimeSeriesInsights/EventHubEventSource.cs | 11 +- .../TimeSeriesInsights/Gen1Environment.cs | 11 +- .../TimeSeriesInsights/Gen2Environment.cs | 10 +- .../TimeSeriesInsights/IoTHubEventSource.cs | 11 +- .../TimeSeriesInsights/ReferenceDataSet.cs | 10 +- sdk/dotnet/TrafficManager/Endpoint.cs | 18 +- sdk/dotnet/TrafficManager/Profile.cs | 18 +- .../TrafficManagerUserMetricsKey.cs | 8 +- .../VMwareCloudSimple/DedicatedCloudNode.cs | 1 + .../DedicatedCloudService.cs | 1 + .../VMwareCloudSimple/VirtualMachine.cs | 1 + sdk/dotnet/VerifiedId/Authority.cs | 1 + sdk/dotnet/VideoAnalyzer/AccessPolicy.cs | 3 +- sdk/dotnet/VideoAnalyzer/EdgeModule.cs | 3 +- sdk/dotnet/VideoAnalyzer/LivePipeline.cs | 1 + sdk/dotnet/VideoAnalyzer/PipelineJob.cs | 1 + sdk/dotnet/VideoAnalyzer/PipelineTopology.cs | 1 + .../PrivateEndpointConnection.cs | 1 + sdk/dotnet/VideoAnalyzer/Video.cs | 2 + sdk/dotnet/VideoAnalyzer/VideoAnalyzer.cs | 2 + sdk/dotnet/VideoIndexer/Account.cs | 19 +- .../VideoIndexer/PrivateEndpointConnection.cs | 1 + sdk/dotnet/VirtualMachineImages/Trigger.cs | 3 + .../VirtualMachineImageTemplate.cs | 15 +- .../VoiceServices/CommunicationsGateway.cs | 6 +- sdk/dotnet/VoiceServices/Contact.cs | 1 + sdk/dotnet/VoiceServices/TestLine.cs | 5 +- sdk/dotnet/Web/AppServiceEnvironment.cs | 27 +- ...ironmentAseCustomDnsSuffixConfiguration.cs | 6 +- ...iceEnvironmentPrivateEndpointConnection.cs | 16 +- sdk/dotnet/Web/AppServicePlan.cs | 28 +- sdk/dotnet/Web/AppServicePlanRouteForVnet.cs | 28 +- sdk/dotnet/Web/Certificate.cs | 30 +- sdk/dotnet/Web/Connection.cs | 2 + sdk/dotnet/Web/ConnectionGateway.cs | 1 + sdk/dotnet/Web/CustomApi.cs | 1 + sdk/dotnet/Web/KubeEnvironment.cs | 14 +- sdk/dotnet/Web/StaticSite.cs | 22 +- .../Web/StaticSiteBuildDatabaseConnection.cs | 4 + sdk/dotnet/Web/StaticSiteCustomDomain.cs | 16 +- .../Web/StaticSiteDatabaseConnection.cs | 4 + sdk/dotnet/Web/StaticSiteLinkedBackend.cs | 6 +- .../Web/StaticSiteLinkedBackendForBuild.cs | 6 +- .../StaticSitePrivateEndpointConnection.cs | 16 +- ...iteUserProvidedFunctionAppForStaticSite.cs | 16 +- ...erProvidedFunctionAppForStaticSiteBuild.cs | 16 +- sdk/dotnet/Web/WebApp.cs | 29 +- sdk/dotnet/Web/WebAppApplicationSettings.cs | 31 +- .../Web/WebAppApplicationSettingsSlot.cs | 31 +- sdk/dotnet/Web/WebAppAuthSettings.cs | 31 +- sdk/dotnet/Web/WebAppAuthSettingsSlot.cs | 31 +- sdk/dotnet/Web/WebAppAuthSettingsV2.cs | 12 +- sdk/dotnet/Web/WebAppAuthSettingsV2Slot.cs | 12 +- sdk/dotnet/Web/WebAppAzureStorageAccounts.cs | 27 +- .../Web/WebAppAzureStorageAccountsSlot.cs | 27 +- sdk/dotnet/Web/WebAppBackupConfiguration.cs | 30 +- .../Web/WebAppBackupConfigurationSlot.cs | 30 +- sdk/dotnet/Web/WebAppConnectionStrings.cs | 31 +- sdk/dotnet/Web/WebAppConnectionStringsSlot.cs | 31 +- sdk/dotnet/Web/WebAppDeployment.cs | 31 +- sdk/dotnet/Web/WebAppDeploymentSlot.cs | 31 +- .../Web/WebAppDiagnosticLogsConfiguration.cs | 31 +- .../WebAppDiagnosticLogsConfigurationSlot.cs | 19 +- .../Web/WebAppDomainOwnershipIdentifier.cs | 28 +- .../WebAppDomainOwnershipIdentifierSlot.cs | 28 +- sdk/dotnet/Web/WebAppFtpAllowed.cs | 14 + sdk/dotnet/Web/WebAppFtpAllowedSlot.cs | 10 + sdk/dotnet/Web/WebAppFunction.cs | 28 +- sdk/dotnet/Web/WebAppHostNameBinding.cs | 31 +- sdk/dotnet/Web/WebAppHostNameBindingSlot.cs | 31 +- sdk/dotnet/Web/WebAppHybridConnection.cs | 29 +- sdk/dotnet/Web/WebAppHybridConnectionSlot.cs | 29 +- sdk/dotnet/Web/WebAppInstanceFunctionSlot.cs | 28 +- sdk/dotnet/Web/WebAppMetadata.cs | 31 +- sdk/dotnet/Web/WebAppMetadataSlot.cs | 31 +- sdk/dotnet/Web/WebAppPremierAddOn.cs | 30 +- sdk/dotnet/Web/WebAppPremierAddOnSlot.cs | 30 +- .../Web/WebAppPrivateEndpointConnection.cs | 23 +- .../WebAppPrivateEndpointConnectionSlot.cs | 16 +- sdk/dotnet/Web/WebAppPublicCertificate.cs | 29 +- sdk/dotnet/Web/WebAppPublicCertificateSlot.cs | 29 +- .../Web/WebAppRelayServiceConnection.cs | 31 +- .../Web/WebAppRelayServiceConnectionSlot.cs | 31 +- sdk/dotnet/Web/WebAppScmAllowed.cs | 14 + sdk/dotnet/Web/WebAppScmAllowedSlot.cs | 10 + sdk/dotnet/Web/WebAppSiteContainer.cs | 2 + sdk/dotnet/Web/WebAppSiteContainerSlot.cs | 2 + sdk/dotnet/Web/WebAppSiteExtension.cs | 28 +- sdk/dotnet/Web/WebAppSiteExtensionSlot.cs | 28 +- sdk/dotnet/Web/WebAppSitePushSettings.cs | 29 +- sdk/dotnet/Web/WebAppSitePushSettingsSlot.cs | 29 +- sdk/dotnet/Web/WebAppSlot.cs | 29 +- .../Web/WebAppSlotConfigurationNames.cs | 31 +- sdk/dotnet/Web/WebAppSourceControl.cs | 31 +- sdk/dotnet/Web/WebAppSourceControlSlot.cs | 31 +- .../WebAppSwiftVirtualNetworkConnection.cs | 27 +- ...WebAppSwiftVirtualNetworkConnectionSlot.cs | 23 +- sdk/dotnet/Web/WebAppVnetConnection.cs | 31 +- sdk/dotnet/Web/WebAppVnetConnectionSlot.cs | 31 +- sdk/dotnet/WebPubSub/WebPubSub.cs | 16 +- .../WebPubSub/WebPubSubCustomCertificate.cs | 11 +- sdk/dotnet/WebPubSub/WebPubSubCustomDomain.cs | 11 +- sdk/dotnet/WebPubSub/WebPubSubHub.cs | 13 +- .../WebPubSubPrivateEndpointConnection.cs | 19 +- sdk/dotnet/WebPubSub/WebPubSubReplica.cs | 8 + .../WebPubSubSharedPrivateLinkResource.cs | 19 +- sdk/dotnet/WeightsAndBiases/Instance.cs | 2 +- .../WindowsESU/MultipleActivationKey.cs | 1 + sdk/dotnet/WindowsIoT/Service.cs | 3 +- sdk/dotnet/Workloads/ACSSBackupConnection.cs | 1 + sdk/dotnet/Workloads/Alert.cs | 1 + sdk/dotnet/Workloads/Connector.cs | 1 + sdk/dotnet/Workloads/Monitor.cs | 8 +- sdk/dotnet/Workloads/ProviderInstance.cs | 8 +- .../Workloads/SapApplicationServerInstance.cs | 9 +- .../Workloads/SapCentralServerInstance.cs | 9 +- sdk/dotnet/Workloads/SapDatabaseInstance.cs | 9 +- sdk/dotnet/Workloads/SapDiscoverySite.cs | 1 + sdk/dotnet/Workloads/SapInstance.cs | 1 + sdk/dotnet/Workloads/SapLandscapeMonitor.cs | 6 +- sdk/dotnet/Workloads/SapVirtualInstance.cs | 9 +- sdk/dotnet/Workloads/ServerInstance.cs | 1 + sdk/nodejs/aad/domainService.ts | 2 +- sdk/nodejs/aad/ouContainer.ts | 2 +- sdk/nodejs/aadiam/diagnosticSetting.ts | 2 +- sdk/nodejs/addons/supportPlanType.ts | 2 +- sdk/nodejs/advisor/assessment.ts | 2 +- sdk/nodejs/advisor/suppression.ts | 2 +- sdk/nodejs/agfoodplatform/dataConnector.ts | 2 +- .../dataManagerForAgricultureResource.ts | 2 +- sdk/nodejs/agfoodplatform/extension.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/agfoodplatform/solution.ts | 2 +- sdk/nodejs/agricultureplatform/agriService.ts | 2 +- .../alertsmanagement/actionRuleByName.ts | 2 +- .../alertProcessingRuleByName.ts | 2 +- .../alertsmanagement/prometheusRuleGroup.ts | 2 +- .../smartDetectorAlertRule.ts | 2 +- sdk/nodejs/analysisservices/serverDetails.ts | 2 +- sdk/nodejs/apicenter/api.ts | 2 +- sdk/nodejs/apicenter/apiDefinition.ts | 2 +- sdk/nodejs/apicenter/apiSource.ts | 2 +- sdk/nodejs/apicenter/apiVersion.ts | 2 +- sdk/nodejs/apicenter/deployment.ts | 2 +- sdk/nodejs/apicenter/environment.ts | 2 +- sdk/nodejs/apicenter/metadataSchema.ts | 2 +- sdk/nodejs/apicenter/service.ts | 2 +- sdk/nodejs/apicenter/workspace.ts | 2 +- sdk/nodejs/apimanagement/api.ts | 2 +- sdk/nodejs/apimanagement/apiDiagnostic.ts | 2 +- sdk/nodejs/apimanagement/apiGateway.ts | 2 +- .../apiGatewayConfigConnection.ts | 2 +- sdk/nodejs/apimanagement/apiIssue.ts | 2 +- .../apimanagement/apiIssueAttachment.ts | 2 +- sdk/nodejs/apimanagement/apiIssueComment.ts | 2 +- .../apimanagement/apiManagementService.ts | 2 +- sdk/nodejs/apimanagement/apiOperation.ts | 2 +- .../apimanagement/apiOperationPolicy.ts | 2 +- sdk/nodejs/apimanagement/apiPolicy.ts | 2 +- sdk/nodejs/apimanagement/apiRelease.ts | 2 +- sdk/nodejs/apimanagement/apiSchema.ts | 2 +- sdk/nodejs/apimanagement/apiTagDescription.ts | 2 +- sdk/nodejs/apimanagement/apiVersionSet.ts | 2 +- sdk/nodejs/apimanagement/apiWiki.ts | 2 +- sdk/nodejs/apimanagement/authorization.ts | 2 +- .../authorizationAccessPolicy.ts | 2 +- .../apimanagement/authorizationProvider.ts | 2 +- .../apimanagement/authorizationServer.ts | 2 +- sdk/nodejs/apimanagement/backend.ts | 2 +- sdk/nodejs/apimanagement/cache.ts | 2 +- sdk/nodejs/apimanagement/certificate.ts | 2 +- sdk/nodejs/apimanagement/contentItem.ts | 2 +- sdk/nodejs/apimanagement/contentType.ts | 2 +- sdk/nodejs/apimanagement/diagnostic.ts | 2 +- sdk/nodejs/apimanagement/documentation.ts | 2 +- sdk/nodejs/apimanagement/emailTemplate.ts | 2 +- sdk/nodejs/apimanagement/gateway.ts | 2 +- .../apimanagement/gatewayApiEntityTag.ts | 2 +- .../gatewayCertificateAuthority.ts | 2 +- .../gatewayHostnameConfiguration.ts | 2 +- sdk/nodejs/apimanagement/globalSchema.ts | 2 +- .../apimanagement/graphQLApiResolver.ts | 2 +- .../apimanagement/graphQLApiResolverPolicy.ts | 2 +- sdk/nodejs/apimanagement/group.ts | 2 +- sdk/nodejs/apimanagement/groupUser.ts | 2 +- sdk/nodejs/apimanagement/identityProvider.ts | 2 +- sdk/nodejs/apimanagement/logger.ts | 2 +- sdk/nodejs/apimanagement/namedValue.ts | 2 +- .../notificationRecipientEmail.ts | 2 +- .../notificationRecipientUser.ts | 2 +- .../apimanagement/openIdConnectProvider.ts | 2 +- sdk/nodejs/apimanagement/policy.ts | 2 +- sdk/nodejs/apimanagement/policyFragment.ts | 2 +- sdk/nodejs/apimanagement/policyRestriction.ts | 2 +- .../privateEndpointConnectionByName.ts | 2 +- sdk/nodejs/apimanagement/product.ts | 2 +- sdk/nodejs/apimanagement/productApi.ts | 2 +- sdk/nodejs/apimanagement/productApiLink.ts | 2 +- sdk/nodejs/apimanagement/productGroup.ts | 2 +- sdk/nodejs/apimanagement/productGroupLink.ts | 2 +- sdk/nodejs/apimanagement/productPolicy.ts | 2 +- sdk/nodejs/apimanagement/productWiki.ts | 2 +- sdk/nodejs/apimanagement/schema.ts | 2 +- sdk/nodejs/apimanagement/subscription.ts | 2 +- sdk/nodejs/apimanagement/tag.ts | 2 +- sdk/nodejs/apimanagement/tagApiLink.ts | 2 +- sdk/nodejs/apimanagement/tagByApi.ts | 2 +- sdk/nodejs/apimanagement/tagByOperation.ts | 2 +- sdk/nodejs/apimanagement/tagByProduct.ts | 2 +- sdk/nodejs/apimanagement/tagOperationLink.ts | 2 +- sdk/nodejs/apimanagement/tagProductLink.ts | 2 +- sdk/nodejs/apimanagement/user.ts | 2 +- sdk/nodejs/apimanagement/workspace.ts | 2 +- sdk/nodejs/apimanagement/workspaceApi.ts | 2 +- .../apimanagement/workspaceApiDiagnostic.ts | 2 +- .../apimanagement/workspaceApiOperation.ts | 2 +- .../workspaceApiOperationPolicy.ts | 2 +- .../apimanagement/workspaceApiPolicy.ts | 2 +- .../apimanagement/workspaceApiRelease.ts | 2 +- .../apimanagement/workspaceApiSchema.ts | 2 +- .../apimanagement/workspaceApiVersionSet.ts | 2 +- sdk/nodejs/apimanagement/workspaceBackend.ts | 2 +- .../apimanagement/workspaceCertificate.ts | 2 +- .../apimanagement/workspaceDiagnostic.ts | 2 +- .../apimanagement/workspaceGlobalSchema.ts | 2 +- sdk/nodejs/apimanagement/workspaceGroup.ts | 2 +- .../apimanagement/workspaceGroupUser.ts | 2 +- sdk/nodejs/apimanagement/workspaceLogger.ts | 2 +- .../apimanagement/workspaceNamedValue.ts | 2 +- .../workspaceNotificationRecipientEmail.ts | 2 +- .../workspaceNotificationRecipientUser.ts | 2 +- sdk/nodejs/apimanagement/workspacePolicy.ts | 2 +- .../apimanagement/workspacePolicyFragment.ts | 2 +- sdk/nodejs/apimanagement/workspaceProduct.ts | 2 +- .../apimanagement/workspaceProductApiLink.ts | 2 +- .../workspaceProductGroupLink.ts | 2 +- .../apimanagement/workspaceProductPolicy.ts | 2 +- .../apimanagement/workspaceSubscription.ts | 2 +- sdk/nodejs/apimanagement/workspaceTag.ts | 2 +- .../apimanagement/workspaceTagApiLink.ts | 2 +- .../workspaceTagOperationLink.ts | 2 +- .../apimanagement/workspaceTagProductLink.ts | 2 +- sdk/nodejs/app/appResiliency.ts | 2 +- sdk/nodejs/app/build.ts | 2 +- sdk/nodejs/app/builder.ts | 2 +- sdk/nodejs/app/certificate.ts | 2 +- sdk/nodejs/app/connectedEnvironment.ts | 2 +- .../app/connectedEnvironmentsCertificate.ts | 2 +- .../app/connectedEnvironmentsDaprComponent.ts | 2 +- .../app/connectedEnvironmentsStorage.ts | 2 +- sdk/nodejs/app/containerApp.ts | 2 +- sdk/nodejs/app/containerAppsAuthConfig.ts | 2 +- sdk/nodejs/app/containerAppsSessionPool.ts | 2 +- sdk/nodejs/app/containerAppsSourceControl.ts | 2 +- sdk/nodejs/app/daprComponent.ts | 2 +- .../app/daprComponentResiliencyPolicy.ts | 2 +- sdk/nodejs/app/daprSubscription.ts | 2 +- sdk/nodejs/app/dotNetComponent.ts | 2 +- sdk/nodejs/app/httpRouteConfig.ts | 2 +- sdk/nodejs/app/javaComponent.ts | 2 +- sdk/nodejs/app/job.ts | 2 +- sdk/nodejs/app/logicApp.ts | 2 +- sdk/nodejs/app/maintenanceConfiguration.ts | 2 +- sdk/nodejs/app/managedCertificate.ts | 2 +- sdk/nodejs/app/managedEnvironment.ts | 2 +- ...gedEnvironmentPrivateEndpointConnection.ts | 2 +- sdk/nodejs/app/managedEnvironmentsStorage.ts | 2 +- .../appcomplianceautomation/evidence.ts | 2 +- sdk/nodejs/appcomplianceautomation/report.ts | 2 +- .../scopingConfiguration.ts | 2 +- sdk/nodejs/appcomplianceautomation/webhook.ts | 2 +- .../appconfiguration/configurationStore.ts | 2 +- sdk/nodejs/appconfiguration/keyValue.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/appconfiguration/replica.ts | 2 +- .../applicationinsights/analyticsItem.ts | 2 +- sdk/nodejs/applicationinsights/component.ts | 2 +- .../componentCurrentBillingFeature.ts | 2 +- .../componentLinkedStorageAccount.ts | 2 +- .../exportConfiguration.ts | 2 +- sdk/nodejs/applicationinsights/favorite.ts | 2 +- sdk/nodejs/applicationinsights/myWorkbook.ts | 2 +- .../proactiveDetectionConfiguration.ts | 2 +- sdk/nodejs/applicationinsights/webTest.ts | 2 +- sdk/nodejs/applicationinsights/workbook.ts | 2 +- .../applicationinsights/workbookTemplate.ts | 2 +- sdk/nodejs/appplatform/apiPortal.ts | 2 +- .../appplatform/apiPortalCustomDomain.ts | 2 +- sdk/nodejs/appplatform/apm.ts | 2 +- sdk/nodejs/appplatform/app.ts | 2 +- .../appplatform/applicationAccelerator.ts | 2 +- sdk/nodejs/appplatform/applicationLiveView.ts | 2 +- sdk/nodejs/appplatform/binding.ts | 2 +- .../appplatform/buildServiceAgentPool.ts | 2 +- sdk/nodejs/appplatform/buildServiceBuild.ts | 2 +- sdk/nodejs/appplatform/buildServiceBuilder.ts | 2 +- sdk/nodejs/appplatform/buildpackBinding.ts | 2 +- sdk/nodejs/appplatform/certificate.ts | 2 +- sdk/nodejs/appplatform/configServer.ts | 2 +- .../appplatform/configurationService.ts | 2 +- sdk/nodejs/appplatform/containerRegistry.ts | 2 +- sdk/nodejs/appplatform/customDomain.ts | 2 +- .../appplatform/customizedAccelerator.ts | 2 +- sdk/nodejs/appplatform/deployment.ts | 2 +- sdk/nodejs/appplatform/devToolPortal.ts | 2 +- sdk/nodejs/appplatform/gateway.ts | 2 +- sdk/nodejs/appplatform/gatewayCustomDomain.ts | 2 +- sdk/nodejs/appplatform/gatewayRouteConfig.ts | 2 +- sdk/nodejs/appplatform/job.ts | 2 +- sdk/nodejs/appplatform/monitoringSetting.ts | 2 +- sdk/nodejs/appplatform/service.ts | 2 +- sdk/nodejs/appplatform/serviceRegistry.ts | 2 +- sdk/nodejs/appplatform/storage.ts | 2 +- sdk/nodejs/attestation/attestationProvider.ts | 2 +- .../attestation/privateEndpointConnection.ts | 2 +- .../accessReviewHistoryDefinitionById.ts | 2 +- .../accessReviewScheduleDefinitionById.ts | 2 +- .../managementLockAtResourceGroupLevel.ts | 2 +- .../managementLockAtResourceLevel.ts | 2 +- .../managementLockAtSubscriptionLevel.ts | 2 +- .../authorization/managementLockByScope.ts | 2 +- .../pimRoleEligibilitySchedule.ts | 2 +- sdk/nodejs/authorization/policyAssignment.ts | 2 +- sdk/nodejs/authorization/policyDefinition.ts | 2 +- .../policyDefinitionAtManagementGroup.ts | 2 +- .../authorization/policyDefinitionVersion.ts | 2 +- ...olicyDefinitionVersionAtManagementGroup.ts | 2 +- sdk/nodejs/authorization/policyExemption.ts | 2 +- .../authorization/policySetDefinition.ts | 2 +- .../policySetDefinitionAtManagementGroup.ts | 2 +- .../policySetDefinitionVersion.ts | 2 +- ...cySetDefinitionVersionAtManagementGroup.ts | 2 +- .../authorization/privateLinkAssociation.ts | 2 +- .../resourceManagementPrivateLink.ts | 2 +- sdk/nodejs/authorization/roleAssignment.ts | 2 +- sdk/nodejs/authorization/roleDefinition.ts | 2 +- .../authorization/roleManagementPolicy.ts | 2 +- .../roleManagementPolicyAssignment.ts | 2 +- .../scopeAccessReviewHistoryDefinitionById.ts | 2 +- ...scopeAccessReviewScheduleDefinitionById.ts | 2 +- sdk/nodejs/authorization/variable.ts | 2 +- .../variableAtManagementGroup.ts | 2 +- sdk/nodejs/authorization/variableValue.ts | 2 +- .../variableValueAtManagementGroup.ts | 2 +- sdk/nodejs/automanage/configurationProfile.ts | 2 +- .../configurationProfileAssignment.ts | 2 +- .../configurationProfileHCIAssignment.ts | 2 +- .../configurationProfileHCRPAssignment.ts | 2 +- .../configurationProfilesVersion.ts | 2 +- sdk/nodejs/automation/automationAccount.ts | 2 +- sdk/nodejs/automation/certificate.ts | 2 +- sdk/nodejs/automation/connection.ts | 2 +- sdk/nodejs/automation/connectionType.ts | 2 +- sdk/nodejs/automation/credential.ts | 2 +- sdk/nodejs/automation/dscConfiguration.ts | 2 +- sdk/nodejs/automation/dscNodeConfiguration.ts | 2 +- sdk/nodejs/automation/hybridRunbookWorker.ts | 2 +- .../automation/hybridRunbookWorkerGroup.ts | 2 +- sdk/nodejs/automation/jobSchedule.ts | 2 +- sdk/nodejs/automation/module.ts | 2 +- sdk/nodejs/automation/package.ts | 2 +- sdk/nodejs/automation/powerShell72Module.ts | 2 +- .../automation/privateEndpointConnection.ts | 2 +- sdk/nodejs/automation/python2Package.ts | 2 +- sdk/nodejs/automation/python3Package.ts | 2 +- sdk/nodejs/automation/runbook.ts | 2 +- sdk/nodejs/automation/runtimeEnvironment.ts | 2 +- sdk/nodejs/automation/schedule.ts | 2 +- .../softwareUpdateConfigurationByName.ts | 2 +- sdk/nodejs/automation/sourceControl.ts | 2 +- sdk/nodejs/automation/variable.ts | 2 +- sdk/nodejs/automation/watcher.ts | 2 +- sdk/nodejs/automation/webhook.ts | 2 +- sdk/nodejs/avs/addon.ts | 2 +- sdk/nodejs/avs/authorization.ts | 2 +- sdk/nodejs/avs/cloudLink.ts | 2 +- sdk/nodejs/avs/cluster.ts | 2 +- sdk/nodejs/avs/datastore.ts | 2 +- sdk/nodejs/avs/globalReachConnection.ts | 2 +- sdk/nodejs/avs/hcxEnterpriseSite.ts | 2 +- sdk/nodejs/avs/iscsiPath.ts | 2 +- sdk/nodejs/avs/placementPolicy.ts | 2 +- sdk/nodejs/avs/privateCloud.ts | 2 +- sdk/nodejs/avs/scriptExecution.ts | 2 +- sdk/nodejs/avs/workloadNetworkDhcp.ts | 2 +- sdk/nodejs/avs/workloadNetworkDnsService.ts | 2 +- sdk/nodejs/avs/workloadNetworkDnsZone.ts | 2 +- .../avs/workloadNetworkPortMirroring.ts | 2 +- sdk/nodejs/avs/workloadNetworkPublicIP.ts | 2 +- sdk/nodejs/avs/workloadNetworkSegment.ts | 2 +- sdk/nodejs/avs/workloadNetworkVMGroup.ts | 2 +- .../awsconnector/accessAnalyzerAnalyzer.ts | 2 +- .../awsconnector/acmCertificateSummary.ts | 2 +- sdk/nodejs/awsconnector/apiGatewayRestApi.ts | 2 +- sdk/nodejs/awsconnector/apiGatewayStage.ts | 2 +- sdk/nodejs/awsconnector/appSyncGraphqlApi.ts | 2 +- .../autoScalingAutoScalingGroup.ts | 2 +- .../awsconnector/cloudFormationStack.ts | 2 +- .../awsconnector/cloudFormationStackSet.ts | 2 +- .../awsconnector/cloudFrontDistribution.ts | 2 +- sdk/nodejs/awsconnector/cloudTrailTrail.ts | 2 +- sdk/nodejs/awsconnector/cloudWatchAlarm.ts | 2 +- sdk/nodejs/awsconnector/codeBuildProject.ts | 2 +- .../codeBuildSourceCredentialsInfo.ts | 2 +- .../configServiceConfigurationRecorder.ts | 2 +- ...onfigServiceConfigurationRecorderStatus.ts | 2 +- .../configServiceDeliveryChannel.ts | 2 +- ...baseMigrationServiceReplicationInstance.ts | 2 +- sdk/nodejs/awsconnector/daxCluster.ts | 2 +- .../dynamoDbContinuousBackupsDescription.ts | 2 +- sdk/nodejs/awsconnector/dynamoDbTable.ts | 2 +- .../awsconnector/ec2AccountAttribute.ts | 2 +- sdk/nodejs/awsconnector/ec2Address.ts | 2 +- sdk/nodejs/awsconnector/ec2FlowLog.ts | 2 +- sdk/nodejs/awsconnector/ec2Image.ts | 2 +- sdk/nodejs/awsconnector/ec2Instance.ts | 2 +- sdk/nodejs/awsconnector/ec2InstanceStatus.ts | 2 +- sdk/nodejs/awsconnector/ec2Ipam.ts | 2 +- sdk/nodejs/awsconnector/ec2KeyPair.ts | 2 +- sdk/nodejs/awsconnector/ec2NetworkAcl.ts | 2 +- .../awsconnector/ec2NetworkInterface.ts | 2 +- sdk/nodejs/awsconnector/ec2RouteTable.ts | 2 +- sdk/nodejs/awsconnector/ec2SecurityGroup.ts | 2 +- sdk/nodejs/awsconnector/ec2Snapshot.ts | 2 +- sdk/nodejs/awsconnector/ec2Subnet.ts | 2 +- sdk/nodejs/awsconnector/ec2Volume.ts | 2 +- sdk/nodejs/awsconnector/ec2Vpc.ts | 2 +- sdk/nodejs/awsconnector/ec2VpcEndpoint.ts | 2 +- .../awsconnector/ec2VpcPeeringConnection.ts | 2 +- sdk/nodejs/awsconnector/ecrImageDetail.ts | 2 +- sdk/nodejs/awsconnector/ecrRepository.ts | 2 +- sdk/nodejs/awsconnector/ecsCluster.ts | 2 +- sdk/nodejs/awsconnector/ecsService.ts | 2 +- sdk/nodejs/awsconnector/ecsTaskDefinition.ts | 2 +- sdk/nodejs/awsconnector/efsFileSystem.ts | 2 +- sdk/nodejs/awsconnector/efsMountTarget.ts | 2 +- sdk/nodejs/awsconnector/eksCluster.ts | 2 +- sdk/nodejs/awsconnector/eksNodegroup.ts | 2 +- .../elasticBeanstalkApplication.ts | 2 +- .../elasticBeanstalkConfigurationTemplate.ts | 2 +- .../elasticBeanstalkEnvironment.ts | 2 +- .../elasticLoadBalancingV2Listener.ts | 2 +- .../elasticLoadBalancingV2LoadBalancer.ts | 2 +- .../elasticLoadBalancingV2TargetGroup.ts | 2 +- ...cLoadBalancingv2TargetHealthDescription.ts | 2 +- sdk/nodejs/awsconnector/emrCluster.ts | 2 +- sdk/nodejs/awsconnector/guardDutyDetector.ts | 2 +- .../awsconnector/iamAccessKeyLastUsed.ts | 2 +- .../awsconnector/iamAccessKeyMetadataInfo.ts | 2 +- sdk/nodejs/awsconnector/iamGroup.ts | 2 +- sdk/nodejs/awsconnector/iamInstanceProfile.ts | 2 +- sdk/nodejs/awsconnector/iamMfaDevice.ts | 2 +- sdk/nodejs/awsconnector/iamPasswordPolicy.ts | 2 +- sdk/nodejs/awsconnector/iamPolicyVersion.ts | 2 +- sdk/nodejs/awsconnector/iamRole.ts | 2 +- .../awsconnector/iamServerCertificate.ts | 2 +- .../awsconnector/iamVirtualMfaDevice.ts | 2 +- sdk/nodejs/awsconnector/kmsAlias.ts | 2 +- sdk/nodejs/awsconnector/kmsKey.ts | 2 +- sdk/nodejs/awsconnector/lambdaFunction.ts | 2 +- .../lambdaFunctionCodeLocation.ts | 2 +- sdk/nodejs/awsconnector/lightsailBucket.ts | 2 +- sdk/nodejs/awsconnector/lightsailInstance.ts | 2 +- sdk/nodejs/awsconnector/logsLogGroup.ts | 2 +- sdk/nodejs/awsconnector/logsLogStream.ts | 2 +- sdk/nodejs/awsconnector/logsMetricFilter.ts | 2 +- .../awsconnector/logsSubscriptionFilter.ts | 2 +- sdk/nodejs/awsconnector/macie2JobSummary.ts | 2 +- sdk/nodejs/awsconnector/macieAllowList.ts | 2 +- .../awsconnector/networkFirewallFirewall.ts | 2 +- .../networkFirewallFirewallPolicy.ts | 2 +- .../awsconnector/networkFirewallRuleGroup.ts | 2 +- .../awsconnector/openSearchDomainStatus.ts | 2 +- .../awsconnector/organizationsAccount.ts | 2 +- .../awsconnector/organizationsOrganization.ts | 2 +- sdk/nodejs/awsconnector/rdsDbCluster.ts | 2 +- sdk/nodejs/awsconnector/rdsDbInstance.ts | 2 +- sdk/nodejs/awsconnector/rdsDbSnapshot.ts | 2 +- .../rdsDbSnapshotAttributesResult.ts | 2 +- .../awsconnector/rdsEventSubscription.ts | 2 +- sdk/nodejs/awsconnector/rdsExportTask.ts | 2 +- sdk/nodejs/awsconnector/redshiftCluster.ts | 2 +- .../redshiftClusterParameterGroup.ts | 2 +- .../route53DomainsDomainSummary.ts | 2 +- sdk/nodejs/awsconnector/route53HostedZone.ts | 2 +- .../awsconnector/route53ResourceRecordSet.ts | 2 +- .../awsconnector/s3accessControlPolicy.ts | 2 +- sdk/nodejs/awsconnector/s3accessPoint.ts | 2 +- sdk/nodejs/awsconnector/s3bucket.ts | 2 +- sdk/nodejs/awsconnector/s3bucketPolicy.ts | 2 +- ...rolMultiRegionAccessPointPolicyDocument.ts | 2 +- sdk/nodejs/awsconnector/sageMakerApp.ts | 2 +- .../sageMakerNotebookInstanceSummary.ts | 2 +- .../secretsManagerResourcePolicy.ts | 2 +- .../awsconnector/secretsManagerSecret.ts | 2 +- sdk/nodejs/awsconnector/snsSubscription.ts | 2 +- sdk/nodejs/awsconnector/snsTopic.ts | 2 +- sdk/nodejs/awsconnector/sqsQueue.ts | 2 +- .../awsconnector/ssmInstanceInformation.ts | 2 +- sdk/nodejs/awsconnector/ssmParameter.ts | 2 +- .../ssmResourceComplianceSummaryItem.ts | 2 +- sdk/nodejs/awsconnector/wafWebAclSummary.ts | 2 +- .../awsconnector/wafv2LoggingConfiguration.ts | 2 +- sdk/nodejs/azureactivedirectory/b2ctenant.ts | 2 +- sdk/nodejs/azureactivedirectory/ciamtenant.ts | 2 +- sdk/nodejs/azureactivedirectory/guestUsage.ts | 2 +- .../azurearcdata/activeDirectoryConnector.ts | 2 +- sdk/nodejs/azurearcdata/dataController.ts | 2 +- sdk/nodejs/azurearcdata/failoverGroup.ts | 2 +- sdk/nodejs/azurearcdata/postgresInstance.ts | 2 +- sdk/nodejs/azurearcdata/sqlManagedInstance.ts | 2 +- .../sqlServerAvailabilityGroup.ts | 2 +- sdk/nodejs/azurearcdata/sqlServerDatabase.ts | 2 +- .../azurearcdata/sqlServerEsuLicense.ts | 2 +- sdk/nodejs/azurearcdata/sqlServerInstance.ts | 2 +- sdk/nodejs/azurearcdata/sqlServerLicense.ts | 2 +- sdk/nodejs/azuredata/sqlServer.ts | 2 +- sdk/nodejs/azuredata/sqlServerRegistration.ts | 2 +- sdk/nodejs/azuredatatransfer/connection.ts | 2 +- sdk/nodejs/azuredatatransfer/flow.ts | 2 +- sdk/nodejs/azuredatatransfer/pipeline.ts | 2 +- sdk/nodejs/azurefleet/fleet.ts | 2 +- .../azurelargeinstance/azureLargeInstance.ts | 2 +- .../azureLargeStorageInstance.ts | 2 +- sdk/nodejs/azureplaywrightservice/account.ts | 2 +- sdk/nodejs/azuresphere/catalog.ts | 2 +- sdk/nodejs/azuresphere/deployment.ts | 2 +- sdk/nodejs/azuresphere/device.ts | 2 +- sdk/nodejs/azuresphere/deviceGroup.ts | 2 +- sdk/nodejs/azuresphere/image.ts | 2 +- sdk/nodejs/azuresphere/product.ts | 2 +- sdk/nodejs/azurestack/customerSubscription.ts | 2 +- sdk/nodejs/azurestack/linkedSubscription.ts | 2 +- sdk/nodejs/azurestack/registration.ts | 2 +- sdk/nodejs/azurestackhci/arcSetting.ts | 2 +- sdk/nodejs/azurestackhci/cluster.ts | 2 +- sdk/nodejs/azurestackhci/deploymentSetting.ts | 2 +- sdk/nodejs/azurestackhci/extension.ts | 2 +- sdk/nodejs/azurestackhci/galleryImage.ts | 2 +- sdk/nodejs/azurestackhci/guestAgent.ts | 2 +- sdk/nodejs/azurestackhci/hciEdgeDevice.ts | 2 +- sdk/nodejs/azurestackhci/hciEdgeDeviceJob.ts | 2 +- .../azurestackhci/hybridIdentityMetadatum.ts | 2 +- sdk/nodejs/azurestackhci/logicalNetwork.ts | 2 +- sdk/nodejs/azurestackhci/machineExtension.ts | 2 +- .../azurestackhci/marketplaceGalleryImage.ts | 2 +- sdk/nodejs/azurestackhci/networkInterface.ts | 2 +- .../azurestackhci/networkSecurityGroup.ts | 2 +- sdk/nodejs/azurestackhci/securityRule.ts | 2 +- sdk/nodejs/azurestackhci/securitySetting.ts | 2 +- sdk/nodejs/azurestackhci/storageContainer.ts | 2 +- sdk/nodejs/azurestackhci/update.ts | 2 +- sdk/nodejs/azurestackhci/updateRun.ts | 2 +- sdk/nodejs/azurestackhci/updateSummary.ts | 2 +- sdk/nodejs/azurestackhci/virtualHardDisk.ts | 2 +- sdk/nodejs/azurestackhci/virtualMachine.ts | 2 +- .../azurestackhci/virtualMachineInstance.ts | 2 +- sdk/nodejs/azurestackhci/virtualNetwork.ts | 2 +- .../azureBareMetalInstance.ts | 2 +- .../azureBareMetalStorageInstance.ts | 2 +- sdk/nodejs/batch/application.ts | 2 +- sdk/nodejs/batch/applicationPackage.ts | 2 +- sdk/nodejs/batch/batchAccount.ts | 2 +- sdk/nodejs/batch/pool.ts | 2 +- sdk/nodejs/billing/associatedTenant.ts | 2 +- sdk/nodejs/billing/billingProfile.ts | 2 +- .../billingRoleAssignmentByBillingAccount.ts | 2 +- .../billingRoleAssignmentByDepartment.ts | 2 +- ...illingRoleAssignmentByEnrollmentAccount.ts | 2 +- sdk/nodejs/billing/invoiceSection.ts | 2 +- sdk/nodejs/billingbenefits/discount.ts | 2 +- sdk/nodejs/blueprint/assignment.ts | 2 +- sdk/nodejs/blueprint/blueprint.ts | 2 +- .../blueprint/policyAssignmentArtifact.ts | 2 +- sdk/nodejs/blueprint/publishedBlueprint.ts | 2 +- .../blueprint/roleAssignmentArtifact.ts | 2 +- sdk/nodejs/blueprint/templateArtifact.ts | 2 +- sdk/nodejs/botservice/bot.ts | 2 +- sdk/nodejs/botservice/botConnection.ts | 2 +- sdk/nodejs/botservice/channel.ts | 2 +- .../botservice/privateEndpointConnection.ts | 2 +- sdk/nodejs/cdn/afdcustomDomain.ts | 2 +- sdk/nodejs/cdn/afdendpoint.ts | 2 +- sdk/nodejs/cdn/afdorigin.ts | 2 +- sdk/nodejs/cdn/afdoriginGroup.ts | 2 +- sdk/nodejs/cdn/afdtargetGroup.ts | 2 +- sdk/nodejs/cdn/customDomain.ts | 2 +- sdk/nodejs/cdn/endpoint.ts | 2 +- sdk/nodejs/cdn/keyGroup.ts | 2 +- sdk/nodejs/cdn/origin.ts | 2 +- sdk/nodejs/cdn/originGroup.ts | 2 +- sdk/nodejs/cdn/policy.ts | 2 +- sdk/nodejs/cdn/profile.ts | 2 +- sdk/nodejs/cdn/route.ts | 2 +- sdk/nodejs/cdn/rule.ts | 2 +- sdk/nodejs/cdn/ruleSet.ts | 2 +- sdk/nodejs/cdn/secret.ts | 2 +- sdk/nodejs/cdn/securityPolicy.ts | 2 +- sdk/nodejs/cdn/tunnelPolicy.ts | 2 +- .../appServiceCertificateOrder.ts | 2 +- .../appServiceCertificateOrderCertificate.ts | 2 +- .../changeanalysis/configurationProfile.ts | 2 +- sdk/nodejs/chaos/capability.ts | 2 +- sdk/nodejs/chaos/experiment.ts | 2 +- sdk/nodejs/chaos/privateAccess.ts | 2 +- sdk/nodejs/chaos/target.ts | 2 +- .../certificateObjectGlobalRulestack.ts | 2 +- .../certificateObjectLocalRulestack.ts | 2 +- sdk/nodejs/cloudngfw/firewall.ts | 2 +- .../cloudngfw/fqdnListGlobalRulestack.ts | 2 +- .../cloudngfw/fqdnListLocalRulestack.ts | 2 +- sdk/nodejs/cloudngfw/globalRulestack.ts | 2 +- sdk/nodejs/cloudngfw/localRule.ts | 2 +- sdk/nodejs/cloudngfw/localRulestack.ts | 2 +- sdk/nodejs/cloudngfw/postRule.ts | 2 +- sdk/nodejs/cloudngfw/preRule.ts | 2 +- .../cloudngfw/prefixListGlobalRulestack.ts | 2 +- .../cloudngfw/prefixListLocalRulestack.ts | 2 +- sdk/nodejs/codesigning/certificateProfile.ts | 2 +- sdk/nodejs/codesigning/codeSigningAccount.ts | 2 +- sdk/nodejs/cognitiveservices/account.ts | 2 +- .../cognitiveservices/commitmentPlan.ts | 2 +- .../commitmentPlanAssociation.ts | 2 +- sdk/nodejs/cognitiveservices/deployment.ts | 2 +- .../cognitiveservices/encryptionScope.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/cognitiveservices/raiBlocklist.ts | 2 +- .../cognitiveservices/raiBlocklistItem.ts | 2 +- sdk/nodejs/cognitiveservices/raiPolicy.ts | 2 +- .../cognitiveservices/sharedCommitmentPlan.ts | 2 +- .../communication/communicationService.ts | 2 +- sdk/nodejs/communication/domain.ts | 2 +- sdk/nodejs/communication/emailService.ts | 2 +- sdk/nodejs/communication/senderUsername.ts | 2 +- sdk/nodejs/communication/suppressionList.ts | 2 +- .../communication/suppressionListAddress.ts | 2 +- sdk/nodejs/community/communityTraining.ts | 2 +- sdk/nodejs/compute/availabilitySet.ts | 2 +- sdk/nodejs/compute/capacityReservation.ts | 2 +- .../compute/capacityReservationGroup.ts | 2 +- sdk/nodejs/compute/cloudService.ts | 2 +- sdk/nodejs/compute/dedicatedHost.ts | 2 +- sdk/nodejs/compute/dedicatedHostGroup.ts | 2 +- sdk/nodejs/compute/disk.ts | 2 +- sdk/nodejs/compute/diskAccess.ts | 2 +- .../diskAccessAPrivateEndpointConnection.ts | 2 +- sdk/nodejs/compute/diskEncryptionSet.ts | 2 +- sdk/nodejs/compute/gallery.ts | 2 +- sdk/nodejs/compute/galleryApplication.ts | 2 +- .../compute/galleryApplicationVersion.ts | 2 +- sdk/nodejs/compute/galleryImage.ts | 2 +- sdk/nodejs/compute/galleryImageVersion.ts | 2 +- .../galleryInVMAccessControlProfile.ts | 2 +- .../galleryInVMAccessControlProfileVersion.ts | 2 +- sdk/nodejs/compute/image.ts | 2 +- sdk/nodejs/compute/proximityPlacementGroup.ts | 2 +- sdk/nodejs/compute/restorePoint.ts | 2 +- sdk/nodejs/compute/restorePointCollection.ts | 2 +- sdk/nodejs/compute/snapshot.ts | 2 +- sdk/nodejs/compute/sshPublicKey.ts | 2 +- sdk/nodejs/compute/virtualMachine.ts | 2 +- sdk/nodejs/compute/virtualMachineExtension.ts | 2 +- ...irtualMachineRunCommandByVirtualMachine.ts | 2 +- sdk/nodejs/compute/virtualMachineScaleSet.ts | 2 +- .../virtualMachineScaleSetExtension.ts | 2 +- .../compute/virtualMachineScaleSetVM.ts | 2 +- .../virtualMachineScaleSetVMExtension.ts | 2 +- .../virtualMachineScaleSetVMRunCommand.ts | 2 +- sdk/nodejs/confidentialledger/ledger.ts | 2 +- sdk/nodejs/confidentialledger/managedCCF.ts | 2 +- sdk/nodejs/confluent/connector.ts | 2 +- sdk/nodejs/confluent/organization.ts | 2 +- .../confluent/organizationClusterById.ts | 2 +- .../confluent/organizationEnvironmentById.ts | 2 +- sdk/nodejs/confluent/topic.ts | 2 +- .../connectedcache/cacheNodesOperation.ts | 2 +- .../enterpriseCustomerOperation.ts | 2 +- .../enterpriseMccCacheNodesOperation.ts | 2 +- .../connectedcache/enterpriseMccCustomer.ts | 2 +- .../connectedcache/ispCacheNodesOperation.ts | 2 +- sdk/nodejs/connectedcache/ispCustomer.ts | 2 +- sdk/nodejs/connectedvmwarevsphere/cluster.ts | 2 +- .../connectedvmwarevsphere/datastore.ts | 2 +- .../connectedvmwarevsphere/guestAgent.ts | 2 +- sdk/nodejs/connectedvmwarevsphere/host.ts | 2 +- .../hybridIdentityMetadatum.ts | 2 +- .../connectedvmwarevsphere/inventoryItem.ts | 2 +- .../machineExtension.ts | 2 +- .../connectedvmwarevsphere/resourcePool.ts | 2 +- sdk/nodejs/connectedvmwarevsphere/vcenter.ts | 2 +- .../connectedvmwarevsphere/virtualMachine.ts | 2 +- .../virtualMachineInstance.ts | 2 +- .../virtualMachineTemplate.ts | 2 +- .../connectedvmwarevsphere/virtualNetwork.ts | 2 +- .../vminstanceGuestAgent.ts | 2 +- sdk/nodejs/consumption/budget.ts | 2 +- .../containerinstance/containerGroup.ts | 2 +- .../containerGroupProfile.ts | 2 +- sdk/nodejs/containerregistry/agentPool.ts | 2 +- sdk/nodejs/containerregistry/archife.ts | 2 +- .../containerregistry/archiveVersion.ts | 2 +- sdk/nodejs/containerregistry/cacheRule.ts | 2 +- .../containerregistry/connectedRegistry.ts | 2 +- sdk/nodejs/containerregistry/credentialSet.ts | 2 +- .../containerregistry/exportPipeline.ts | 2 +- .../containerregistry/importPipeline.ts | 2 +- sdk/nodejs/containerregistry/pipelineRun.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/containerregistry/registry.ts | 2 +- sdk/nodejs/containerregistry/replication.ts | 2 +- sdk/nodejs/containerregistry/scopeMap.ts | 2 +- sdk/nodejs/containerregistry/task.ts | 2 +- sdk/nodejs/containerregistry/taskRun.ts | 2 +- sdk/nodejs/containerregistry/token.ts | 2 +- sdk/nodejs/containerregistry/webhook.ts | 2 +- sdk/nodejs/containerservice/agentPool.ts | 2 +- .../containerservice/autoUpgradeProfile.ts | 2 +- sdk/nodejs/containerservice/fleet.ts | 2 +- sdk/nodejs/containerservice/fleetMember.ts | 2 +- .../containerservice/fleetUpdateStrategy.ts | 2 +- sdk/nodejs/containerservice/loadBalancer.ts | 2 +- .../maintenanceConfiguration.ts | 2 +- sdk/nodejs/containerservice/managedCluster.ts | 2 +- .../managedClusterSnapshot.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/containerservice/snapshot.ts | 2 +- .../trustedAccessRoleBinding.ts | 2 +- sdk/nodejs/containerservice/updateRun.ts | 2 +- sdk/nodejs/containerstorage/pool.ts | 2 +- sdk/nodejs/containerstorage/snapshot.ts | 2 +- sdk/nodejs/containerstorage/volume.ts | 2 +- sdk/nodejs/contoso/employee.ts | 2 +- sdk/nodejs/cosmosdb/cassandraCluster.ts | 2 +- sdk/nodejs/cosmosdb/cassandraDataCenter.ts | 2 +- .../cassandraResourceCassandraKeyspace.ts | 2 +- .../cassandraResourceCassandraTable.ts | 2 +- .../cassandraResourceCassandraView.ts | 2 +- sdk/nodejs/cosmosdb/databaseAccount.ts | 2 +- .../databaseAccountCassandraKeyspace.ts | 2 +- .../cosmosdb/databaseAccountCassandraTable.ts | 2 +- .../databaseAccountGremlinDatabase.ts | 2 +- .../cosmosdb/databaseAccountGremlinGraph.ts | 2 +- .../databaseAccountMongoDBCollection.ts | 2 +- .../databaseAccountMongoDBDatabase.ts | 2 +- .../cosmosdb/databaseAccountSqlContainer.ts | 2 +- .../cosmosdb/databaseAccountSqlDatabase.ts | 2 +- sdk/nodejs/cosmosdb/databaseAccountTable.ts | 2 +- sdk/nodejs/cosmosdb/graphResourceGraph.ts | 2 +- .../gremlinResourceGremlinDatabase.ts | 2 +- .../cosmosdb/gremlinResourceGremlinGraph.ts | 2 +- sdk/nodejs/cosmosdb/mongoCluster.ts | 2 +- .../cosmosdb/mongoClusterFirewallRule.ts | 2 +- .../mongoDBResourceMongoDBCollection.ts | 2 +- .../mongoDBResourceMongoDBDatabase.ts | 2 +- .../mongoDBResourceMongoRoleDefinition.ts | 2 +- .../mongoDBResourceMongoUserDefinition.ts | 2 +- sdk/nodejs/cosmosdb/notebookWorkspace.ts | 2 +- .../cosmosdb/privateEndpointConnection.ts | 2 +- sdk/nodejs/cosmosdb/service.ts | 2 +- .../cosmosdb/sqlResourceSqlContainer.ts | 2 +- sdk/nodejs/cosmosdb/sqlResourceSqlDatabase.ts | 2 +- .../cosmosdb/sqlResourceSqlRoleAssignment.ts | 2 +- .../cosmosdb/sqlResourceSqlRoleDefinition.ts | 2 +- .../cosmosdb/sqlResourceSqlStoredProcedure.ts | 2 +- sdk/nodejs/cosmosdb/sqlResourceSqlTrigger.ts | 2 +- .../sqlResourceSqlUserDefinedFunction.ts | 2 +- sdk/nodejs/cosmosdb/tableResourceTable.ts | 2 +- .../tableResourceTableRoleAssignment.ts | 2 +- .../tableResourceTableRoleDefinition.ts | 2 +- sdk/nodejs/cosmosdb/throughputPool.ts | 2 +- sdk/nodejs/cosmosdb/throughputPoolAccount.ts | 2 +- sdk/nodejs/costmanagement/budget.ts | 2 +- sdk/nodejs/costmanagement/cloudConnector.ts | 2 +- sdk/nodejs/costmanagement/connector.ts | 2 +- .../costmanagement/costAllocationRule.ts | 2 +- sdk/nodejs/costmanagement/export.ts | 2 +- sdk/nodejs/costmanagement/markupRule.ts | 2 +- sdk/nodejs/costmanagement/report.ts | 2 +- .../costmanagement/reportByBillingAccount.ts | 2 +- .../costmanagement/reportByDepartment.ts | 2 +- .../reportByResourceGroupName.ts | 2 +- sdk/nodejs/costmanagement/scheduledAction.ts | 2 +- .../costmanagement/scheduledActionByScope.ts | 2 +- sdk/nodejs/costmanagement/setting.ts | 2 +- .../costmanagement/tagInheritanceSetting.ts | 2 +- sdk/nodejs/costmanagement/view.ts | 2 +- sdk/nodejs/costmanagement/viewByScope.ts | 2 +- sdk/nodejs/customerinsights/connector.ts | 2 +- .../customerinsights/connectorMapping.ts | 2 +- sdk/nodejs/customerinsights/hub.ts | 2 +- sdk/nodejs/customerinsights/kpi.ts | 2 +- sdk/nodejs/customerinsights/link.ts | 2 +- sdk/nodejs/customerinsights/prediction.ts | 2 +- sdk/nodejs/customerinsights/profile.ts | 2 +- sdk/nodejs/customerinsights/relationship.ts | 2 +- .../customerinsights/relationshipLink.ts | 2 +- sdk/nodejs/customerinsights/roleAssignment.ts | 2 +- sdk/nodejs/customerinsights/view.ts | 2 +- sdk/nodejs/customproviders/association.ts | 2 +- .../customproviders/customResourceProvider.ts | 2 +- sdk/nodejs/dashboard/grafana.ts | 2 +- sdk/nodejs/dashboard/integrationFabric.ts | 2 +- .../dashboard/managedPrivateEndpoint.ts | 2 +- .../dashboard/privateEndpointConnection.ts | 2 +- .../databasefleetmanager/firewallRule.ts | 2 +- sdk/nodejs/databasefleetmanager/fleet.ts | 2 +- .../databasefleetmanager/fleetDatabase.ts | 2 +- sdk/nodejs/databasefleetmanager/fleetTier.ts | 2 +- sdk/nodejs/databasefleetmanager/fleetspace.ts | 2 +- .../databasewatcher/alertRuleResource.ts | 2 +- .../sharedPrivateLinkResource.ts | 2 +- sdk/nodejs/databasewatcher/target.ts | 2 +- sdk/nodejs/databasewatcher/watcher.ts | 2 +- sdk/nodejs/databox/job.ts | 2 +- sdk/nodejs/databoxedge/arcAddon.ts | 2 +- sdk/nodejs/databoxedge/bandwidthSchedule.ts | 2 +- .../databoxedge/cloudEdgeManagementRole.ts | 2 +- sdk/nodejs/databoxedge/container.ts | 2 +- sdk/nodejs/databoxedge/device.ts | 2 +- sdk/nodejs/databoxedge/fileEventTrigger.ts | 2 +- sdk/nodejs/databoxedge/ioTAddon.ts | 2 +- sdk/nodejs/databoxedge/ioTRole.ts | 2 +- sdk/nodejs/databoxedge/kubernetesRole.ts | 2 +- sdk/nodejs/databoxedge/mecrole.ts | 2 +- sdk/nodejs/databoxedge/monitoringConfig.ts | 2 +- sdk/nodejs/databoxedge/order.ts | 2 +- .../databoxedge/periodicTimerEventTrigger.ts | 2 +- sdk/nodejs/databoxedge/share.ts | 2 +- sdk/nodejs/databoxedge/storageAccount.ts | 2 +- .../databoxedge/storageAccountCredential.ts | 2 +- sdk/nodejs/databoxedge/user.ts | 2 +- sdk/nodejs/databricks/accessConnector.ts | 2 +- .../databricks/privateEndpointConnection.ts | 2 +- sdk/nodejs/databricks/vnetPeering.ts | 2 +- sdk/nodejs/databricks/workspace.ts | 2 +- sdk/nodejs/datacatalog/adccatalog.ts | 2 +- sdk/nodejs/datadog/monitor.ts | 2 +- sdk/nodejs/datadog/monitoredSubscription.ts | 2 +- sdk/nodejs/datafactory/changeDataCapture.ts | 2 +- sdk/nodejs/datafactory/credentialOperation.ts | 2 +- sdk/nodejs/datafactory/dataFlow.ts | 2 +- sdk/nodejs/datafactory/dataset.ts | 2 +- sdk/nodejs/datafactory/factory.ts | 2 +- sdk/nodejs/datafactory/globalParameter.ts | 2 +- sdk/nodejs/datafactory/integrationRuntime.ts | 2 +- sdk/nodejs/datafactory/linkedService.ts | 2 +- .../datafactory/managedPrivateEndpoint.ts | 2 +- sdk/nodejs/datafactory/pipeline.ts | 2 +- .../datafactory/privateEndpointConnection.ts | 2 +- sdk/nodejs/datafactory/trigger.ts | 2 +- sdk/nodejs/datalakeanalytics/account.ts | 2 +- sdk/nodejs/datalakeanalytics/computePolicy.ts | 2 +- sdk/nodejs/datalakeanalytics/firewallRule.ts | 2 +- sdk/nodejs/datalakestore/account.ts | 2 +- sdk/nodejs/datalakestore/firewallRule.ts | 2 +- sdk/nodejs/datalakestore/trustedIdProvider.ts | 2 +- .../datalakestore/virtualNetworkRule.ts | 2 +- ...atabaseMigrationsMongoToCosmosDbRUMongo.ts | 2 +- ...baseMigrationsMongoToCosmosDbvCoreMongo.ts | 2 +- .../datamigration/databaseMigrationsSqlDb.ts | 2 +- sdk/nodejs/datamigration/file.ts | 2 +- sdk/nodejs/datamigration/migrationService.ts | 2 +- sdk/nodejs/datamigration/project.ts | 2 +- sdk/nodejs/datamigration/service.ts | 2 +- sdk/nodejs/datamigration/serviceTask.ts | 2 +- .../datamigration/sqlMigrationService.ts | 2 +- sdk/nodejs/datamigration/task.ts | 2 +- sdk/nodejs/dataprotection/backupInstance.ts | 2 +- sdk/nodejs/dataprotection/backupPolicy.ts | 2 +- sdk/nodejs/dataprotection/backupVault.ts | 2 +- .../dataprotection/dppResourceGuardProxy.ts | 2 +- sdk/nodejs/dataprotection/resourceGuard.ts | 2 +- sdk/nodejs/datareplication/dra.ts | 2 +- sdk/nodejs/datareplication/fabric.ts | 2 +- sdk/nodejs/datareplication/policy.ts | 2 +- sdk/nodejs/datareplication/protectedItem.ts | 2 +- .../datareplication/replicationExtension.ts | 2 +- sdk/nodejs/datareplication/vault.ts | 2 +- sdk/nodejs/datashare/account.ts | 2 +- sdk/nodejs/datashare/adlsgen1FileDataSet.ts | 2 +- sdk/nodejs/datashare/adlsgen1FolderDataSet.ts | 2 +- sdk/nodejs/datashare/adlsgen2FileDataSet.ts | 2 +- .../datashare/adlsgen2FileDataSetMapping.ts | 2 +- .../datashare/adlsgen2FileSystemDataSet.ts | 2 +- .../adlsgen2FileSystemDataSetMapping.ts | 2 +- sdk/nodejs/datashare/adlsgen2FolderDataSet.ts | 2 +- .../datashare/adlsgen2FolderDataSetMapping.ts | 2 +- sdk/nodejs/datashare/blobContainerDataSet.ts | 2 +- .../datashare/blobContainerDataSetMapping.ts | 2 +- sdk/nodejs/datashare/blobDataSet.ts | 2 +- sdk/nodejs/datashare/blobDataSetMapping.ts | 2 +- sdk/nodejs/datashare/blobFolderDataSet.ts | 2 +- .../datashare/blobFolderDataSetMapping.ts | 2 +- sdk/nodejs/datashare/invitation.ts | 2 +- sdk/nodejs/datashare/kustoClusterDataSet.ts | 2 +- .../datashare/kustoClusterDataSetMapping.ts | 2 +- sdk/nodejs/datashare/kustoDatabaseDataSet.ts | 2 +- .../datashare/kustoDatabaseDataSetMapping.ts | 2 +- sdk/nodejs/datashare/kustoTableDataSet.ts | 2 +- .../datashare/kustoTableDataSetMapping.ts | 2 +- .../scheduledSynchronizationSetting.ts | 2 +- sdk/nodejs/datashare/scheduledTrigger.ts | 2 +- sdk/nodejs/datashare/share.ts | 2 +- sdk/nodejs/datashare/shareSubscription.ts | 2 +- sdk/nodejs/datashare/sqlDBTableDataSet.ts | 2 +- .../datashare/sqlDBTableDataSetMapping.ts | 2 +- sdk/nodejs/datashare/sqlDWTableDataSet.ts | 2 +- .../datashare/sqlDWTableDataSetMapping.ts | 2 +- .../synapseWorkspaceSqlPoolTableDataSet.ts | 2 +- ...apseWorkspaceSqlPoolTableDataSetMapping.ts | 2 +- sdk/nodejs/dbformariadb/configuration.ts | 2 +- sdk/nodejs/dbformariadb/database.ts | 2 +- sdk/nodejs/dbformariadb/firewallRule.ts | 2 +- .../dbformariadb/privateEndpointConnection.ts | 2 +- sdk/nodejs/dbformariadb/server.ts | 2 +- sdk/nodejs/dbformariadb/virtualNetworkRule.ts | 2 +- sdk/nodejs/dbformysql/azureADAdministrator.ts | 2 +- sdk/nodejs/dbformysql/configuration.ts | 2 +- sdk/nodejs/dbformysql/database.ts | 2 +- sdk/nodejs/dbformysql/firewallRule.ts | 2 +- .../dbformysql/privateEndpointConnection.ts | 2 +- sdk/nodejs/dbformysql/server.ts | 2 +- sdk/nodejs/dbformysql/singleServer.ts | 2 +- .../dbformysql/singleServerConfiguration.ts | 2 +- sdk/nodejs/dbformysql/singleServerDatabase.ts | 2 +- .../dbformysql/singleServerFirewallRule.ts | 2 +- .../singleServerServerAdministrator.ts | 2 +- .../singleServerVirtualNetworkRule.ts | 2 +- sdk/nodejs/dbforpostgresql/administrator.ts | 2 +- sdk/nodejs/dbforpostgresql/backup.ts | 2 +- sdk/nodejs/dbforpostgresql/configuration.ts | 2 +- sdk/nodejs/dbforpostgresql/database.ts | 2 +- sdk/nodejs/dbforpostgresql/firewallRule.ts | 2 +- sdk/nodejs/dbforpostgresql/migration.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/dbforpostgresql/server.ts | 2 +- .../dbforpostgresql/serverGroupCluster.ts | 2 +- .../serverGroupFirewallRule.ts | 2 +- .../serverGroupPrivateEndpointConnection.ts | 2 +- sdk/nodejs/dbforpostgresql/serverGroupRole.ts | 2 +- sdk/nodejs/dbforpostgresql/singleServer.ts | 2 +- .../singleServerConfiguration.ts | 2 +- .../dbforpostgresql/singleServerDatabase.ts | 2 +- .../singleServerFirewallRule.ts | 2 +- .../singleServerServerAdministrator.ts | 2 +- .../singleServerServerSecurityAlertPolicy.ts | 2 +- .../singleServerVirtualNetworkRule.ts | 2 +- sdk/nodejs/dbforpostgresql/virtualEndpoint.ts | 2 +- .../delegatednetwork/controllerDetails.ts | 2 +- .../delegatedSubnetServiceDetails.ts | 2 +- .../orchestratorInstanceServiceDetails.ts | 2 +- sdk/nodejs/dependencymap/discoverySource.ts | 2 +- sdk/nodejs/dependencymap/map.ts | 2 +- .../desktopvirtualization/appAttachPackage.ts | 2 +- .../desktopvirtualization/application.ts | 2 +- .../desktopvirtualization/applicationGroup.ts | 2 +- sdk/nodejs/desktopvirtualization/hostPool.ts | 2 +- .../desktopvirtualization/msixpackage.ts | 2 +- .../privateEndpointConnectionByHostPool.ts | 2 +- .../privateEndpointConnectionByWorkspace.ts | 2 +- .../desktopvirtualization/scalingPlan.ts | 2 +- .../scalingPlanPersonalSchedule.ts | 2 +- .../scalingPlanPooledSchedule.ts | 2 +- sdk/nodejs/desktopvirtualization/workspace.ts | 2 +- .../devcenter/attachedNetworkByDevCenter.ts | 2 +- sdk/nodejs/devcenter/catalog.ts | 2 +- sdk/nodejs/devcenter/curationProfile.ts | 2 +- sdk/nodejs/devcenter/devBoxDefinition.ts | 2 +- sdk/nodejs/devcenter/devCenter.ts | 2 +- sdk/nodejs/devcenter/encryptionSet.ts | 2 +- sdk/nodejs/devcenter/environmentType.ts | 2 +- sdk/nodejs/devcenter/gallery.ts | 2 +- sdk/nodejs/devcenter/networkConnection.ts | 2 +- sdk/nodejs/devcenter/plan.ts | 2 +- sdk/nodejs/devcenter/planMember.ts | 2 +- sdk/nodejs/devcenter/pool.ts | 2 +- sdk/nodejs/devcenter/project.ts | 2 +- sdk/nodejs/devcenter/projectCatalog.ts | 2 +- .../devcenter/projectEnvironmentType.ts | 2 +- sdk/nodejs/devcenter/projectPolicy.ts | 2 +- sdk/nodejs/devcenter/schedule.ts | 2 +- sdk/nodejs/devhub/iacProfile.ts | 2 +- sdk/nodejs/devhub/workflow.ts | 2 +- .../dpsCertificate.ts | 2 +- .../iotDpsResource.ts | 2 +- ...iotDpsResourcePrivateEndpointConnection.ts | 2 +- sdk/nodejs/deviceregistry/asset.ts | 2 +- .../deviceregistry/assetEndpointProfile.ts | 2 +- sdk/nodejs/deviceregistry/discoveredAsset.ts | 2 +- .../discoveredAssetEndpointProfile.ts | 2 +- sdk/nodejs/deviceregistry/schema.ts | 2 +- sdk/nodejs/deviceregistry/schemaRegistry.ts | 2 +- sdk/nodejs/deviceregistry/schemaVersion.ts | 2 +- sdk/nodejs/deviceupdate/account.ts | 2 +- sdk/nodejs/deviceupdate/instance.ts | 2 +- .../deviceupdate/privateEndpointConnection.ts | 2 +- .../privateEndpointConnectionProxy.ts | 2 +- sdk/nodejs/devopsinfrastructure/pool.ts | 2 +- sdk/nodejs/devspaces/controller.ts | 2 +- sdk/nodejs/devtestlab/artifactSource.ts | 2 +- sdk/nodejs/devtestlab/customImage.ts | 2 +- sdk/nodejs/devtestlab/disk.ts | 2 +- sdk/nodejs/devtestlab/environment.ts | 2 +- sdk/nodejs/devtestlab/formula.ts | 2 +- sdk/nodejs/devtestlab/globalSchedule.ts | 2 +- sdk/nodejs/devtestlab/lab.ts | 2 +- sdk/nodejs/devtestlab/notificationChannel.ts | 2 +- sdk/nodejs/devtestlab/policy.ts | 2 +- sdk/nodejs/devtestlab/schedule.ts | 2 +- sdk/nodejs/devtestlab/secret.ts | 2 +- sdk/nodejs/devtestlab/serviceFabric.ts | 2 +- .../devtestlab/serviceFabricSchedule.ts | 2 +- sdk/nodejs/devtestlab/serviceRunner.ts | 2 +- sdk/nodejs/devtestlab/user.ts | 2 +- sdk/nodejs/devtestlab/virtualMachine.ts | 2 +- .../devtestlab/virtualMachineSchedule.ts | 2 +- sdk/nodejs/devtestlab/virtualNetwork.ts | 2 +- sdk/nodejs/digitaltwins/digitalTwin.ts | 2 +- .../digitaltwins/digitalTwinsEndpoint.ts | 2 +- .../digitaltwins/privateEndpointConnection.ts | 2 +- .../timeSeriesDatabaseConnection.ts | 2 +- sdk/nodejs/dns/dnssecConfig.ts | 2 +- sdk/nodejs/dns/recordSet.ts | 2 +- sdk/nodejs/dns/zone.ts | 2 +- .../dnsresolver/dnsForwardingRuleset.ts | 2 +- sdk/nodejs/dnsresolver/dnsResolver.ts | 2 +- .../dnsresolver/dnsResolverDomainList.ts | 2 +- sdk/nodejs/dnsresolver/dnsResolverPolicy.ts | 2 +- .../dnsResolverPolicyVirtualNetworkLink.ts | 2 +- sdk/nodejs/dnsresolver/dnsSecurityRule.ts | 2 +- sdk/nodejs/dnsresolver/forwardingRule.ts | 2 +- sdk/nodejs/dnsresolver/inboundEndpoint.ts | 2 +- sdk/nodejs/dnsresolver/outboundEndpoint.ts | 2 +- .../privateResolverVirtualNetworkLink.ts | 2 +- sdk/nodejs/domainregistration/domain.ts | 2 +- .../domainOwnershipIdentifier.ts | 2 +- sdk/nodejs/durabletask/scheduler.ts | 2 +- sdk/nodejs/durabletask/taskHub.ts | 2 +- .../instanceDetails.ts | 2 +- sdk/nodejs/easm/labelByWorkspace.ts | 2 +- sdk/nodejs/easm/workspace.ts | 2 +- sdk/nodejs/edge/site.ts | 2 +- sdk/nodejs/edge/sitesBySubscription.ts | 2 +- sdk/nodejs/edgeorder/address.ts | 2 +- sdk/nodejs/edgeorder/orderItem.ts | 2 +- sdk/nodejs/education/lab.ts | 2 +- sdk/nodejs/education/student.ts | 2 +- sdk/nodejs/elastic/monitor.ts | 2 +- sdk/nodejs/elastic/monitoredSubscription.ts | 2 +- sdk/nodejs/elastic/openAI.ts | 2 +- sdk/nodejs/elastic/tagRule.ts | 2 +- sdk/nodejs/elasticsan/elasticSan.ts | 2 +- .../elasticsan/privateEndpointConnection.ts | 2 +- sdk/nodejs/elasticsan/volume.ts | 2 +- sdk/nodejs/elasticsan/volumeGroup.ts | 2 +- sdk/nodejs/elasticsan/volumeSnapshot.ts | 2 +- sdk/nodejs/engagementfabric/account.ts | 2 +- sdk/nodejs/engagementfabric/channel.ts | 2 +- .../enterpriseKnowledgeGraph.ts | 2 +- sdk/nodejs/eventgrid/caCertificate.ts | 2 +- sdk/nodejs/eventgrid/channel.ts | 2 +- sdk/nodejs/eventgrid/client.ts | 2 +- sdk/nodejs/eventgrid/clientGroup.ts | 2 +- sdk/nodejs/eventgrid/domain.ts | 2 +- .../eventgrid/domainEventSubscription.ts | 2 +- sdk/nodejs/eventgrid/domainTopic.ts | 2 +- .../eventgrid/domainTopicEventSubscription.ts | 2 +- sdk/nodejs/eventgrid/eventSubscription.ts | 2 +- sdk/nodejs/eventgrid/namespace.ts | 2 +- sdk/nodejs/eventgrid/namespaceTopic.ts | 2 +- .../namespaceTopicEventSubscription.ts | 2 +- sdk/nodejs/eventgrid/partnerConfiguration.ts | 2 +- sdk/nodejs/eventgrid/partnerDestination.ts | 2 +- sdk/nodejs/eventgrid/partnerNamespace.ts | 2 +- sdk/nodejs/eventgrid/partnerRegistration.ts | 2 +- sdk/nodejs/eventgrid/partnerTopic.ts | 2 +- .../partnerTopicEventSubscription.ts | 2 +- sdk/nodejs/eventgrid/permissionBinding.ts | 2 +- .../eventgrid/privateEndpointConnection.ts | 2 +- sdk/nodejs/eventgrid/systemTopic.ts | 2 +- .../eventgrid/systemTopicEventSubscription.ts | 2 +- sdk/nodejs/eventgrid/topic.ts | 2 +- .../eventgrid/topicEventSubscription.ts | 2 +- sdk/nodejs/eventgrid/topicSpace.ts | 2 +- sdk/nodejs/eventhub/applicationGroup.ts | 2 +- sdk/nodejs/eventhub/cluster.ts | 2 +- sdk/nodejs/eventhub/consumerGroup.ts | 2 +- sdk/nodejs/eventhub/disasterRecoveryConfig.ts | 2 +- sdk/nodejs/eventhub/eventHub.ts | 2 +- .../eventhub/eventHubAuthorizationRule.ts | 2 +- sdk/nodejs/eventhub/namespace.ts | 2 +- .../eventhub/namespaceAuthorizationRule.ts | 2 +- sdk/nodejs/eventhub/namespaceIpFilterRule.ts | 2 +- .../eventhub/namespaceNetworkRuleSet.ts | 2 +- .../eventhub/namespaceVirtualNetworkRule.ts | 2 +- .../eventhub/privateEndpointConnection.ts | 2 +- sdk/nodejs/eventhub/schemaRegistry.ts | 2 +- sdk/nodejs/extendedlocation/customLocation.ts | 2 +- .../extendedlocation/resourceSyncRule.ts | 2 +- sdk/nodejs/fabric/fabricCapacity.ts | 2 +- .../subscriptionFeatureRegistration.ts | 2 +- sdk/nodejs/fluidrelay/fluidRelayServer.ts | 2 +- sdk/nodejs/frontdoor/experiment.ts | 2 +- sdk/nodejs/frontdoor/frontDoor.ts | 2 +- .../frontdoor/networkExperimentProfile.ts | 2 +- sdk/nodejs/frontdoor/policy.ts | 2 +- sdk/nodejs/frontdoor/rulesEngine.ts | 2 +- sdk/nodejs/graphservices/account.ts | 2 +- .../guestConfigurationAssignment.ts | 2 +- .../guestConfigurationAssignmentsVMSS.ts | 2 +- ...urationConnectedVMwarevSphereAssignment.ts | 2 +- .../guestConfigurationHCRPAssignment.ts | 2 +- .../cloudHsmCluster.ts | 2 +- ...loudHsmClusterPrivateEndpointConnection.ts | 2 +- .../hardwaresecuritymodules/dedicatedHsm.ts | 2 +- sdk/nodejs/hdinsight/application.ts | 2 +- sdk/nodejs/hdinsight/cluster.ts | 2 +- sdk/nodejs/hdinsight/clusterPool.ts | 2 +- sdk/nodejs/hdinsight/clusterPoolCluster.ts | 2 +- .../hdinsight/privateEndpointConnection.ts | 2 +- sdk/nodejs/healthbot/bot.ts | 2 +- .../healthcareapis/analyticsConnector.ts | 2 +- sdk/nodejs/healthcareapis/dicomService.ts | 2 +- sdk/nodejs/healthcareapis/fhirService.ts | 2 +- sdk/nodejs/healthcareapis/iotConnector.ts | 2 +- .../iotConnectorFhirDestination.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/healthcareapis/service.ts | 2 +- sdk/nodejs/healthcareapis/workspace.ts | 2 +- .../workspacePrivateEndpointConnection.ts | 2 +- .../healthdataaiservices/deidService.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/hybridcloud/cloudConnection.ts | 2 +- sdk/nodejs/hybridcloud/cloudConnector.ts | 2 +- sdk/nodejs/hybridcompute/gateway.ts | 2 +- sdk/nodejs/hybridcompute/license.ts | 2 +- sdk/nodejs/hybridcompute/licenseProfile.ts | 2 +- sdk/nodejs/hybridcompute/machine.ts | 2 +- sdk/nodejs/hybridcompute/machineExtension.ts | 2 +- sdk/nodejs/hybridcompute/machineRunCommand.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/hybridcompute/privateLinkScope.ts | 2 +- .../privateLinkScopedResource.ts | 2 +- sdk/nodejs/hybridconnectivity/endpoint.ts | 2 +- .../publicCloudConnector.ts | 2 +- .../serviceConfiguration.ts | 2 +- .../solutionConfiguration.ts | 2 +- .../hybridcontainerservice/agentPool.ts | 2 +- .../clusterInstanceHybridIdentityMetadatum.ts | 2 +- .../hybridIdentityMetadatum.ts | 2 +- .../provisionedCluster.ts | 2 +- .../storageSpaceRetrieve.ts | 2 +- .../virtualNetworkRetrieve.ts | 2 +- sdk/nodejs/hybriddata/dataManager.ts | 2 +- sdk/nodejs/hybriddata/dataStore.ts | 2 +- sdk/nodejs/hybriddata/jobDefinition.ts | 2 +- sdk/nodejs/hybridnetwork/artifactManifest.ts | 2 +- sdk/nodejs/hybridnetwork/artifactStore.ts | 2 +- .../hybridnetwork/configurationGroupSchema.ts | 2 +- .../hybridnetwork/configurationGroupValue.ts | 2 +- sdk/nodejs/hybridnetwork/device.ts | 2 +- sdk/nodejs/hybridnetwork/networkFunction.ts | 2 +- .../networkFunctionDefinitionGroup.ts | 2 +- .../networkFunctionDefinitionVersion.ts | 2 +- .../networkServiceDesignGroup.ts | 2 +- .../networkServiceDesignVersion.ts | 2 +- sdk/nodejs/hybridnetwork/publisher.ts | 2 +- sdk/nodejs/hybridnetwork/site.ts | 2 +- .../hybridnetwork/siteNetworkService.ts | 2 +- sdk/nodejs/hybridnetwork/vendor.ts | 2 +- sdk/nodejs/hybridnetwork/vendorSkuPreview.ts | 2 +- sdk/nodejs/hybridnetwork/vendorSkus.ts | 2 +- sdk/nodejs/impact/connector.ts | 2 +- sdk/nodejs/impact/insight.ts | 2 +- sdk/nodejs/impact/workloadImpact.ts | 2 +- sdk/nodejs/importexport/job.ts | 2 +- sdk/nodejs/integrationspaces/application.ts | 2 +- .../integrationspaces/applicationResource.ts | 2 +- .../integrationspaces/businessProcess.ts | 2 +- .../infrastructureResource.ts | 2 +- sdk/nodejs/integrationspaces/space.ts | 2 +- sdk/nodejs/intune/androidMAMPolicyByName.ts | 2 +- sdk/nodejs/intune/ioMAMPolicyByName.ts | 2 +- sdk/nodejs/iotcentral/app.ts | 2 +- .../iotcentral/privateEndpointConnection.ts | 2 +- sdk/nodejs/iotfirmwaredefense/firmware.ts | 2 +- sdk/nodejs/iotfirmwaredefense/workspace.ts | 2 +- sdk/nodejs/iothub/certificate.ts | 2 +- sdk/nodejs/iothub/iotHubResource.ts | 2 +- .../iotHubResourceEventHubConsumerGroup.ts | 2 +- .../iothub/privateEndpointConnection.ts | 2 +- sdk/nodejs/iotoperations/broker.ts | 2 +- .../iotoperations/brokerAuthentication.ts | 2 +- .../iotoperations/brokerAuthorization.ts | 2 +- sdk/nodejs/iotoperations/brokerListener.ts | 2 +- sdk/nodejs/iotoperations/dataflow.ts | 2 +- sdk/nodejs/iotoperations/dataflowEndpoint.ts | 2 +- sdk/nodejs/iotoperations/dataflowProfile.ts | 2 +- sdk/nodejs/iotoperations/instance.ts | 2 +- .../iotoperationsdataprocessor/dataset.ts | 2 +- .../iotoperationsdataprocessor/instance.ts | 2 +- .../iotoperationsdataprocessor/pipeline.ts | 2 +- sdk/nodejs/iotoperationsmq/broker.ts | 2 +- .../iotoperationsmq/brokerAuthentication.ts | 2 +- .../iotoperationsmq/brokerAuthorization.ts | 2 +- sdk/nodejs/iotoperationsmq/brokerListener.ts | 2 +- .../iotoperationsmq/dataLakeConnector.ts | 2 +- .../dataLakeConnectorTopicMap.ts | 2 +- .../iotoperationsmq/diagnosticService.ts | 2 +- sdk/nodejs/iotoperationsmq/kafkaConnector.ts | 2 +- .../iotoperationsmq/kafkaConnectorTopicMap.ts | 2 +- sdk/nodejs/iotoperationsmq/mq.ts | 2 +- .../iotoperationsmq/mqttBridgeConnector.ts | 2 +- .../iotoperationsmq/mqttBridgeTopicMap.ts | 2 +- .../iotoperationsorchestrator/instance.ts | 2 +- .../iotoperationsorchestrator/solution.ts | 2 +- .../iotoperationsorchestrator/target.ts | 2 +- sdk/nodejs/keyvault/key.ts | 2 +- sdk/nodejs/keyvault/managedHsm.ts | 2 +- .../keyvault/mhsmprivateEndpointConnection.ts | 2 +- .../keyvault/privateEndpointConnection.ts | 2 +- sdk/nodejs/keyvault/secret.ts | 2 +- sdk/nodejs/keyvault/vault.ts | 2 +- sdk/nodejs/kubernetes/connectedCluster.ts | 2 +- .../kubernetesconfiguration/extension.ts | 2 +- .../fluxConfiguration.ts | 2 +- .../privateEndpointConnection.ts | 2 +- .../privateLinkScope.ts | 2 +- .../sourceControlConfiguration.ts | 2 +- sdk/nodejs/kubernetesruntime/bgpPeer.ts | 2 +- sdk/nodejs/kubernetesruntime/loadBalancer.ts | 2 +- sdk/nodejs/kubernetesruntime/service.ts | 2 +- sdk/nodejs/kubernetesruntime/storageClass.ts | 2 +- .../kusto/attachedDatabaseConfiguration.ts | 2 +- sdk/nodejs/kusto/cluster.ts | 2 +- .../kusto/clusterPrincipalAssignment.ts | 2 +- sdk/nodejs/kusto/cosmosDbDataConnection.ts | 2 +- .../kusto/databasePrincipalAssignment.ts | 2 +- sdk/nodejs/kusto/eventGridDataConnection.ts | 2 +- sdk/nodejs/kusto/eventHubConnection.ts | 2 +- sdk/nodejs/kusto/eventHubDataConnection.ts | 2 +- sdk/nodejs/kusto/iotHubDataConnection.ts | 2 +- sdk/nodejs/kusto/managedPrivateEndpoint.ts | 2 +- sdk/nodejs/kusto/privateEndpointConnection.ts | 2 +- sdk/nodejs/kusto/readOnlyFollowingDatabase.ts | 2 +- sdk/nodejs/kusto/readWriteDatabase.ts | 2 +- sdk/nodejs/kusto/sandboxCustomImage.ts | 2 +- sdk/nodejs/kusto/script.ts | 2 +- sdk/nodejs/labservices/lab.ts | 2 +- sdk/nodejs/labservices/labPlan.ts | 2 +- sdk/nodejs/labservices/schedule.ts | 2 +- sdk/nodejs/labservices/user.ts | 2 +- sdk/nodejs/loadtestservice/loadTest.ts | 2 +- sdk/nodejs/loadtestservice/loadTestMapping.ts | 2 +- .../loadtestservice/loadTestProfileMapping.ts | 2 +- sdk/nodejs/logic/integrationAccount.ts | 2 +- .../logic/integrationAccountAgreement.ts | 2 +- .../logic/integrationAccountAssembly.ts | 2 +- .../integrationAccountBatchConfiguration.ts | 2 +- .../logic/integrationAccountCertificate.ts | 2 +- sdk/nodejs/logic/integrationAccountMap.ts | 2 +- sdk/nodejs/logic/integrationAccountPartner.ts | 2 +- sdk/nodejs/logic/integrationAccountSchema.ts | 2 +- sdk/nodejs/logic/integrationAccountSession.ts | 2 +- .../logic/integrationServiceEnvironment.ts | 2 +- ...integrationServiceEnvironmentManagedApi.ts | 2 +- .../logic/rosettaNetProcessConfiguration.ts | 2 +- sdk/nodejs/logic/workflow.ts | 2 +- sdk/nodejs/logic/workflowAccessKey.ts | 2 +- .../privateEndpointConnectionsAdtAPI.ts | 2 +- .../privateEndpointConnectionsComp.ts | 2 +- .../privateEndpointConnectionsForEDM.ts | 2 +- ...vateEndpointConnectionsForMIPPolicySync.ts | 2 +- ...vateEndpointConnectionsForSCCPowershell.ts | 2 +- .../privateEndpointConnectionsSec.ts | 2 +- .../privateLinkServicesForEDMUpload.ts | 2 +- ...vateLinkServicesForM365ComplianceCenter.ts | 2 +- ...rivateLinkServicesForM365SecurityCenter.ts | 2 +- .../privateLinkServicesForMIPPolicySync.ts | 2 +- ...inkServicesForO365ManagementActivityAPI.ts | 2 +- .../privateLinkServicesForSCCPowershell.ts | 2 +- sdk/nodejs/machinelearning/workspace.ts | 2 +- .../batchDeployment.ts | 2 +- .../machinelearningservices/batchEndpoint.ts | 2 +- .../machinelearningservices/capabilityHost.ts | 2 +- .../capacityReservationGroup.ts | 2 +- .../machinelearningservices/codeContainer.ts | 2 +- .../machinelearningservices/codeVersion.ts | 2 +- .../componentContainer.ts | 2 +- .../componentVersion.ts | 2 +- sdk/nodejs/machinelearningservices/compute.ts | 2 +- .../connectionDeployment.ts | 2 +- .../connectionRaiBlocklist.ts | 2 +- .../connectionRaiBlocklistItem.ts | 2 +- .../connectionRaiPolicy.ts | 2 +- .../machinelearningservices/dataContainer.ts | 2 +- .../machinelearningservices/dataVersion.ts | 2 +- .../machinelearningservices/datastore.ts | 2 +- .../endpointDeployment.ts | 2 +- .../environmentContainer.ts | 2 +- .../environmentSpecificationVersion.ts | 2 +- .../environmentVersion.ts | 2 +- .../featuresetContainerEntity.ts | 2 +- .../featuresetVersion.ts | 2 +- .../featurestoreEntityContainerEntity.ts | 2 +- .../featurestoreEntityVersion.ts | 2 +- .../inferenceEndpoint.ts | 2 +- .../machinelearningservices/inferenceGroup.ts | 2 +- .../machinelearningservices/inferencePool.ts | 2 +- sdk/nodejs/machinelearningservices/job.ts | 2 +- .../machinelearningservices/labelingJob.ts | 2 +- .../machinelearningservices/linkedService.ts | 2 +- .../linkedWorkspace.ts | 2 +- .../machineLearningDataset.ts | 2 +- .../machineLearningDatastore.ts | 2 +- .../managedNetworkSettingsRule.ts | 2 +- .../marketplaceSubscription.ts | 2 +- .../machinelearningservices/modelContainer.ts | 2 +- .../machinelearningservices/modelVersion.ts | 2 +- .../onlineDeployment.ts | 2 +- .../machinelearningservices/onlineEndpoint.ts | 2 +- .../privateEndpointConnection.ts | 2 +- .../machinelearningservices/raiPolicy.ts | 2 +- .../machinelearningservices/registry.ts | 2 +- .../registryCodeContainer.ts | 2 +- .../registryCodeVersion.ts | 2 +- .../registryComponentContainer.ts | 2 +- .../registryComponentVersion.ts | 2 +- .../registryDataContainer.ts | 2 +- .../registryDataVersion.ts | 2 +- .../registryEnvironmentContainer.ts | 2 +- .../registryEnvironmentVersion.ts | 2 +- .../registryModelContainer.ts | 2 +- .../registryModelVersion.ts | 2 +- .../machinelearningservices/schedule.ts | 2 +- .../serverlessEndpoint.ts | 2 +- .../machinelearningservices/workspace.ts | 2 +- .../workspaceConnection.ts | 2 +- .../maintenance/configurationAssignment.ts | 2 +- .../configurationAssignmentParent.ts | 2 +- ...onfigurationAssignmentsForResourceGroup.ts | 2 +- ...configurationAssignmentsForSubscription.ts | 2 +- .../maintenance/maintenanceConfiguration.ts | 2 +- .../federatedIdentityCredential.ts | 2 +- .../managedidentity/userAssignedIdentity.ts | 2 +- sdk/nodejs/managednetwork/managedNetwork.ts | 2 +- .../managednetwork/managedNetworkGroup.ts | 2 +- .../managedNetworkPeeringPolicy.ts | 2 +- sdk/nodejs/managednetwork/scopeAssignment.ts | 2 +- .../managednetworkfabric/accessControlList.ts | 2 +- .../managednetworkfabric/externalNetwork.ts | 2 +- .../managednetworkfabric/internalNetwork.ts | 2 +- .../managednetworkfabric/internetGateway.ts | 2 +- .../internetGatewayRule.ts | 2 +- .../managednetworkfabric/ipCommunity.ts | 2 +- .../ipExtendedCommunity.ts | 2 +- sdk/nodejs/managednetworkfabric/ipPrefix.ts | 2 +- .../managednetworkfabric/l2isolationDomain.ts | 2 +- .../managednetworkfabric/l3isolationDomain.ts | 2 +- .../managednetworkfabric/neighborGroup.ts | 2 +- .../managednetworkfabric/networkDevice.ts | 2 +- .../managednetworkfabric/networkFabric.ts | 2 +- .../networkFabricController.ts | 2 +- .../managednetworkfabric/networkInterface.ts | 2 +- .../networkPacketBroker.ts | 2 +- .../managednetworkfabric/networkRack.ts | 2 +- sdk/nodejs/managednetworkfabric/networkTap.ts | 2 +- .../managednetworkfabric/networkTapRule.ts | 2 +- .../networkToNetworkInterconnect.ts | 2 +- .../managednetworkfabric/routePolicy.ts | 2 +- .../managedservices/registrationAssignment.ts | 2 +- .../managedservices/registrationDefinition.ts | 2 +- sdk/nodejs/management/hierarchySetting.ts | 2 +- sdk/nodejs/management/managementGroup.ts | 2 +- .../management/managementGroupSubscription.ts | 2 +- sdk/nodejs/managementpartner/partner.ts | 2 +- .../manufacturingDataService.ts | 2 +- sdk/nodejs/maps/account.ts | 2 +- sdk/nodejs/maps/creator.ts | 2 +- sdk/nodejs/maps/privateAtlase.ts | 2 +- sdk/nodejs/maps/privateEndpointConnection.ts | 2 +- .../marketplace/privateStoreCollection.ts | 2 +- .../privateStoreCollectionOffer.ts | 2 +- sdk/nodejs/media/accountFilter.ts | 2 +- sdk/nodejs/media/asset.ts | 2 +- sdk/nodejs/media/assetFilter.ts | 2 +- sdk/nodejs/media/contentKeyPolicy.ts | 2 +- sdk/nodejs/media/job.ts | 2 +- sdk/nodejs/media/liveEvent.ts | 2 +- sdk/nodejs/media/liveOutput.ts | 2 +- sdk/nodejs/media/mediaService.ts | 2 +- sdk/nodejs/media/privateEndpointConnection.ts | 2 +- sdk/nodejs/media/streamingEndpoint.ts | 2 +- sdk/nodejs/media/streamingLocator.ts | 2 +- sdk/nodejs/media/streamingPolicy.ts | 2 +- sdk/nodejs/media/track.ts | 2 +- sdk/nodejs/media/transform.ts | 2 +- sdk/nodejs/migrate/aksAssessmentOperation.ts | 2 +- sdk/nodejs/migrate/assessment.ts | 2 +- .../migrate/assessmentProjectsOperation.ts | 2 +- sdk/nodejs/migrate/assessmentsOperation.ts | 2 +- sdk/nodejs/migrate/avsAssessmentsOperation.ts | 2 +- sdk/nodejs/migrate/businessCaseOperation.ts | 2 +- sdk/nodejs/migrate/group.ts | 2 +- sdk/nodejs/migrate/groupsOperation.ts | 2 +- sdk/nodejs/migrate/hyperVCollector.ts | 2 +- .../migrate/hypervCollectorsOperation.ts | 2 +- sdk/nodejs/migrate/importCollector.ts | 2 +- .../migrate/importCollectorsOperation.ts | 2 +- sdk/nodejs/migrate/migrateAgent.ts | 2 +- sdk/nodejs/migrate/migrateProject.ts | 2 +- ...migrateProjectsControllerMigrateProject.ts | 2 +- sdk/nodejs/migrate/modernizeProject.ts | 2 +- sdk/nodejs/migrate/moveCollection.ts | 2 +- sdk/nodejs/migrate/moveResource.ts | 2 +- .../migrate/privateEndpointConnection.ts | 2 +- ...tionControllerPrivateEndpointConnection.ts | 2 +- .../privateEndpointConnectionOperation.ts | 2 +- sdk/nodejs/migrate/project.ts | 2 +- sdk/nodejs/migrate/serverCollector.ts | 2 +- .../migrate/serverCollectorsOperation.ts | 2 +- sdk/nodejs/migrate/solution.ts | 2 +- .../migrate/sqlAssessmentV2Operation.ts | 2 +- sdk/nodejs/migrate/sqlCollectorOperation.ts | 2 +- sdk/nodejs/migrate/vmwareCollector.ts | 2 +- .../migrate/vmwareCollectorsOperation.ts | 2 +- .../migrate/webAppAssessmentV2Operation.ts | 2 +- .../migrate/webAppCollectorOperation.ts | 2 +- sdk/nodejs/migrate/workloadDeployment.ts | 2 +- sdk/nodejs/migrate/workloadInstance.ts | 2 +- .../mixedreality/objectAnchorsAccount.ts | 2 +- .../mixedreality/remoteRenderingAccount.ts | 2 +- .../mixedreality/spatialAnchorsAccount.ts | 2 +- .../mobilenetwork/attachedDataNetwork.ts | 2 +- sdk/nodejs/mobilenetwork/dataNetwork.ts | 2 +- .../mobilenetwork/diagnosticsPackage.ts | 2 +- sdk/nodejs/mobilenetwork/mobileNetwork.ts | 2 +- sdk/nodejs/mobilenetwork/packetCapture.ts | 2 +- .../mobilenetwork/packetCoreControlPlane.ts | 2 +- .../mobilenetwork/packetCoreDataPlane.ts | 2 +- sdk/nodejs/mobilenetwork/service.ts | 2 +- sdk/nodejs/mobilenetwork/sim.ts | 2 +- sdk/nodejs/mobilenetwork/simGroup.ts | 2 +- sdk/nodejs/mobilenetwork/simPolicy.ts | 2 +- sdk/nodejs/mobilenetwork/site.ts | 2 +- sdk/nodejs/mobilenetwork/slice.ts | 2 +- sdk/nodejs/mongocluster/firewallRule.ts | 2 +- sdk/nodejs/mongocluster/mongoCluster.ts | 2 +- .../mongocluster/privateEndpointConnection.ts | 2 +- sdk/nodejs/monitor/actionGroup.ts | 2 +- sdk/nodejs/monitor/autoscaleSetting.ts | 2 +- sdk/nodejs/monitor/azureMonitorWorkspace.ts | 2 +- sdk/nodejs/monitor/diagnosticSetting.ts | 2 +- .../managementGroupDiagnosticSetting.ts | 2 +- sdk/nodejs/monitor/pipelineGroup.ts | 2 +- .../monitor/privateEndpointConnection.ts | 2 +- sdk/nodejs/monitor/privateLinkScope.ts | 2 +- .../monitor/privateLinkScopedResource.ts | 2 +- sdk/nodejs/monitor/scheduledQueryRule.ts | 2 +- .../monitor/subscriptionDiagnosticSetting.ts | 2 +- sdk/nodejs/monitor/tenantActionGroup.ts | 2 +- sdk/nodejs/mysqldiscovery/mySQLServer.ts | 2 +- sdk/nodejs/mysqldiscovery/mySQLSite.ts | 2 +- sdk/nodejs/netapp/account.ts | 2 +- sdk/nodejs/netapp/backup.ts | 2 +- sdk/nodejs/netapp/backupPolicy.ts | 2 +- sdk/nodejs/netapp/backupVault.ts | 2 +- sdk/nodejs/netapp/capacityPool.ts | 2 +- sdk/nodejs/netapp/capacityPoolBackup.ts | 2 +- sdk/nodejs/netapp/capacityPoolSnapshot.ts | 2 +- sdk/nodejs/netapp/capacityPoolSubvolume.ts | 2 +- sdk/nodejs/netapp/capacityPoolVolume.ts | 2 +- .../netapp/capacityPoolVolumeQuotaRule.ts | 2 +- sdk/nodejs/netapp/snapshotPolicy.ts | 2 +- sdk/nodejs/netapp/volumeGroup.ts | 2 +- sdk/nodejs/network/adminRule.ts | 2 +- sdk/nodejs/network/adminRuleCollection.ts | 2 +- sdk/nodejs/network/applicationGateway.ts | 2 +- ...icationGatewayPrivateEndpointConnection.ts | 2 +- .../network/applicationSecurityGroup.ts | 2 +- sdk/nodejs/network/azureFirewall.ts | 2 +- sdk/nodejs/network/bastionHost.ts | 2 +- .../network/configurationPolicyGroup.ts | 2 +- sdk/nodejs/network/connectionMonitor.ts | 2 +- .../network/connectivityConfiguration.ts | 2 +- sdk/nodejs/network/customIPPrefix.ts | 2 +- sdk/nodejs/network/ddosCustomPolicy.ts | 2 +- sdk/nodejs/network/ddosProtectionPlan.ts | 2 +- sdk/nodejs/network/defaultAdminRule.ts | 2 +- sdk/nodejs/network/defaultUserRule.ts | 2 +- sdk/nodejs/network/dscpConfiguration.ts | 2 +- sdk/nodejs/network/expressRouteCircuit.ts | 2 +- .../expressRouteCircuitAuthorization.ts | 2 +- .../network/expressRouteCircuitConnection.ts | 2 +- .../network/expressRouteCircuitPeering.ts | 2 +- sdk/nodejs/network/expressRouteConnection.ts | 2 +- .../expressRouteCrossConnectionPeering.ts | 2 +- sdk/nodejs/network/expressRouteGateway.ts | 2 +- sdk/nodejs/network/expressRoutePort.ts | 2 +- .../network/expressRoutePortAuthorization.ts | 2 +- sdk/nodejs/network/firewallPolicy.ts | 2 +- sdk/nodejs/network/firewallPolicyDraft.ts | 2 +- .../firewallPolicyRuleCollectionGroup.ts | 2 +- .../firewallPolicyRuleCollectionGroupDraft.ts | 2 +- sdk/nodejs/network/firewallPolicyRuleGroup.ts | 2 +- sdk/nodejs/network/flowLog.ts | 2 +- sdk/nodejs/network/hubRouteTable.ts | 2 +- .../network/hubVirtualNetworkConnection.ts | 2 +- sdk/nodejs/network/inboundNatRule.ts | 2 +- sdk/nodejs/network/interfaceEndpoint.ts | 2 +- sdk/nodejs/network/ipAllocation.ts | 2 +- sdk/nodejs/network/ipGroup.ts | 2 +- sdk/nodejs/network/ipamPool.ts | 2 +- sdk/nodejs/network/loadBalancer.ts | 2 +- .../network/loadBalancerBackendAddressPool.ts | 2 +- sdk/nodejs/network/localNetworkGateway.ts | 2 +- ...managementGroupNetworkManagerConnection.ts | 2 +- sdk/nodejs/network/natGateway.ts | 2 +- sdk/nodejs/network/natRule.ts | 2 +- sdk/nodejs/network/networkGroup.ts | 2 +- sdk/nodejs/network/networkInterface.ts | 2 +- .../networkInterfaceTapConfiguration.ts | 2 +- sdk/nodejs/network/networkManager.ts | 2 +- .../networkManagerRoutingConfiguration.ts | 2 +- sdk/nodejs/network/networkProfile.ts | 2 +- sdk/nodejs/network/networkSecurityGroup.ts | 2 +- .../network/networkSecurityPerimeter.ts | 2 +- .../networkSecurityPerimeterAccessRule.ts | 2 +- .../networkSecurityPerimeterAssociation.ts | 2 +- .../network/networkSecurityPerimeterLink.ts | 2 +- ...rkSecurityPerimeterLoggingConfiguration.ts | 2 +- .../networkSecurityPerimeterProfile.ts | 2 +- sdk/nodejs/network/networkVirtualAppliance.ts | 2 +- .../networkVirtualApplianceConnection.ts | 2 +- sdk/nodejs/network/networkWatcher.ts | 2 +- sdk/nodejs/network/nspAccessRule.ts | 2 +- sdk/nodejs/network/nspAssociation.ts | 2 +- sdk/nodejs/network/nspLink.ts | 2 +- sdk/nodejs/network/nspProfile.ts | 2 +- sdk/nodejs/network/p2sVpnGateway.ts | 2 +- .../network/p2sVpnServerConfiguration.ts | 2 +- sdk/nodejs/network/packetCapture.ts | 2 +- sdk/nodejs/network/privateDnsZoneGroup.ts | 2 +- sdk/nodejs/network/privateEndpoint.ts | 2 +- sdk/nodejs/network/privateLinkService.ts | 2 +- ...ateLinkServicePrivateEndpointConnection.ts | 2 +- sdk/nodejs/network/publicIPAddress.ts | 2 +- sdk/nodejs/network/publicIPPrefix.ts | 2 +- .../network/reachabilityAnalysisIntent.ts | 2 +- sdk/nodejs/network/reachabilityAnalysisRun.ts | 2 +- sdk/nodejs/network/route.ts | 2 +- sdk/nodejs/network/routeFilter.ts | 2 +- sdk/nodejs/network/routeFilterRule.ts | 2 +- sdk/nodejs/network/routeMap.ts | 2 +- sdk/nodejs/network/routeTable.ts | 2 +- sdk/nodejs/network/routingIntent.ts | 2 +- sdk/nodejs/network/routingRule.ts | 2 +- sdk/nodejs/network/routingRuleCollection.ts | 2 +- sdk/nodejs/network/scopeConnection.ts | 2 +- .../network/securityAdminConfiguration.ts | 2 +- sdk/nodejs/network/securityPartnerProvider.ts | 2 +- sdk/nodejs/network/securityRule.ts | 2 +- .../network/securityUserConfiguration.ts | 2 +- sdk/nodejs/network/securityUserRule.ts | 2 +- .../network/securityUserRuleCollection.ts | 2 +- sdk/nodejs/network/serviceEndpointPolicy.ts | 2 +- .../serviceEndpointPolicyDefinition.ts | 2 +- sdk/nodejs/network/staticCidr.ts | 2 +- sdk/nodejs/network/staticMember.ts | 2 +- sdk/nodejs/network/subnet.ts | 2 +- .../subscriptionNetworkManagerConnection.ts | 2 +- sdk/nodejs/network/userRule.ts | 2 +- sdk/nodejs/network/userRuleCollection.ts | 2 +- sdk/nodejs/network/verifierWorkspace.ts | 2 +- sdk/nodejs/network/virtualApplianceSite.ts | 2 +- sdk/nodejs/network/virtualHub.ts | 2 +- sdk/nodejs/network/virtualHubBgpConnection.ts | 2 +- .../network/virtualHubIpConfiguration.ts | 2 +- sdk/nodejs/network/virtualHubRouteTableV2.ts | 2 +- sdk/nodejs/network/virtualNetwork.ts | 2 +- sdk/nodejs/network/virtualNetworkGateway.ts | 2 +- .../virtualNetworkGatewayConnection.ts | 2 +- .../network/virtualNetworkGatewayNatRule.ts | 2 +- sdk/nodejs/network/virtualNetworkPeering.ts | 2 +- sdk/nodejs/network/virtualNetworkTap.ts | 2 +- sdk/nodejs/network/virtualRouter.ts | 2 +- sdk/nodejs/network/virtualRouterPeering.ts | 2 +- sdk/nodejs/network/virtualWan.ts | 2 +- sdk/nodejs/network/vpnConnection.ts | 2 +- sdk/nodejs/network/vpnGateway.ts | 2 +- sdk/nodejs/network/vpnServerConfiguration.ts | 2 +- sdk/nodejs/network/vpnSite.ts | 2 +- .../network/webApplicationFirewallPolicy.ts | 2 +- sdk/nodejs/networkcloud/agentPool.ts | 2 +- sdk/nodejs/networkcloud/bareMetalMachine.ts | 2 +- .../networkcloud/bareMetalMachineKeySet.ts | 2 +- sdk/nodejs/networkcloud/bmcKeySet.ts | 2 +- .../networkcloud/cloudServicesNetwork.ts | 2 +- sdk/nodejs/networkcloud/cluster.ts | 2 +- sdk/nodejs/networkcloud/clusterManager.ts | 2 +- sdk/nodejs/networkcloud/console.ts | 2 +- sdk/nodejs/networkcloud/kubernetesCluster.ts | 2 +- .../networkcloud/kubernetesClusterFeature.ts | 2 +- sdk/nodejs/networkcloud/l2network.ts | 2 +- sdk/nodejs/networkcloud/l3network.ts | 2 +- .../networkcloud/metricsConfiguration.ts | 2 +- sdk/nodejs/networkcloud/rack.ts | 2 +- sdk/nodejs/networkcloud/storageAppliance.ts | 2 +- sdk/nodejs/networkcloud/trunkedNetwork.ts | 2 +- sdk/nodejs/networkcloud/virtualMachine.ts | 2 +- sdk/nodejs/networkcloud/volume.ts | 2 +- .../networkfunction/azureTrafficCollector.ts | 2 +- sdk/nodejs/networkfunction/collectorPolicy.ts | 2 +- sdk/nodejs/notificationhubs/namespace.ts | 2 +- .../namespaceAuthorizationRule.ts | 2 +- .../notificationhubs/notificationHub.ts | 2 +- .../notificationHubAuthorizationRule.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/offazure/hyperVSite.ts | 2 +- .../hypervClusterControllerCluster.ts | 2 +- sdk/nodejs/offazure/hypervHostController.ts | 2 +- sdk/nodejs/offazure/hypervSitesController.ts | 2 +- sdk/nodejs/offazure/importSitesController.ts | 2 +- sdk/nodejs/offazure/masterSitesController.ts | 2 +- .../offazure/privateEndpointConnection.ts | 2 +- .../privateEndpointConnectionController.ts | 2 +- sdk/nodejs/offazure/serverSitesController.ts | 2 +- sdk/nodejs/offazure/site.ts | 2 +- sdk/nodejs/offazure/sitesController.ts | 2 +- .../sqlDiscoverySiteDataSourceController.ts | 2 +- sdk/nodejs/offazure/sqlSitesController.ts | 2 +- sdk/nodejs/offazure/vcenterController.ts | 2 +- ...ebAppDiscoverySiteDataSourcesController.ts | 2 +- sdk/nodejs/offazure/webAppSitesController.ts | 2 +- .../offazurespringboot/springbootapp.ts | 2 +- .../offazurespringboot/springbootserver.ts | 2 +- .../offazurespringboot/springbootsite.ts | 2 +- .../openenergyplatform/energyService.ts | 2 +- sdk/nodejs/operationalinsights/cluster.ts | 2 +- sdk/nodejs/operationalinsights/dataExport.ts | 2 +- sdk/nodejs/operationalinsights/dataSource.ts | 2 +- .../operationalinsights/linkedService.ts | 2 +- .../linkedStorageAccount.ts | 2 +- .../operationalinsights/machineGroup.ts | 2 +- sdk/nodejs/operationalinsights/query.ts | 2 +- sdk/nodejs/operationalinsights/queryPack.ts | 2 +- sdk/nodejs/operationalinsights/savedSearch.ts | 2 +- .../storageInsightConfig.ts | 2 +- sdk/nodejs/operationalinsights/table.ts | 2 +- sdk/nodejs/operationalinsights/workspace.ts | 2 +- .../managementAssociation.ts | 2 +- .../managementConfiguration.ts | 2 +- sdk/nodejs/operationsmanagement/solution.ts | 2 +- sdk/nodejs/orbital/contact.ts | 2 +- sdk/nodejs/orbital/contactProfile.ts | 2 +- sdk/nodejs/orbital/edgeSite.ts | 2 +- sdk/nodejs/orbital/groundStation.ts | 2 +- sdk/nodejs/orbital/l2connection.ts | 2 +- sdk/nodejs/orbital/spacecraft.ts | 2 +- sdk/nodejs/peering/connectionMonitorTest.ts | 2 +- sdk/nodejs/peering/peerAsn.ts | 2 +- sdk/nodejs/peering/peering.ts | 2 +- sdk/nodejs/peering/peeringService.ts | 2 +- sdk/nodejs/peering/prefix.ts | 2 +- sdk/nodejs/peering/registeredAsn.ts | 2 +- sdk/nodejs/peering/registeredPrefix.ts | 2 +- .../policyinsights/attestationAtResource.ts | 2 +- .../attestationAtResourceGroup.ts | 2 +- .../attestationAtSubscription.ts | 2 +- .../remediationAtManagementGroup.ts | 2 +- .../policyinsights/remediationAtResource.ts | 2 +- .../remediationAtResourceGroup.ts | 2 +- .../remediationAtSubscription.ts | 2 +- sdk/nodejs/portal/console.ts | 2 +- sdk/nodejs/portal/consoleWithLocation.ts | 2 +- sdk/nodejs/portal/dashboard.ts | 2 +- sdk/nodejs/portal/tenantConfiguration.ts | 2 +- sdk/nodejs/portal/userSettings.ts | 2 +- sdk/nodejs/portal/userSettingsWithLocation.ts | 2 +- sdk/nodejs/portalservices/copilotSetting.ts | 2 +- sdk/nodejs/powerbi/powerBIResource.ts | 2 +- .../powerbi/privateEndpointConnection.ts | 2 +- sdk/nodejs/powerbi/workspaceCollection.ts | 2 +- sdk/nodejs/powerbidedicated/autoScaleVCore.ts | 2 +- .../powerbidedicated/capacityDetails.ts | 2 +- sdk/nodejs/powerplatform/account.ts | 2 +- sdk/nodejs/powerplatform/enterprisePolicy.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/privatedns/privateRecordSet.ts | 2 +- sdk/nodejs/privatedns/privateZone.ts | 2 +- sdk/nodejs/privatedns/virtualNetworkLink.ts | 2 +- .../professionalServiceSubscriptionLevel.ts | 2 +- .../programmableconnectivity/gateway.ts | 2 +- .../operatorApiConnection.ts | 2 +- sdk/nodejs/providerhub/defaultRollout.ts | 2 +- .../providerhub/notificationRegistration.ts | 2 +- .../operationByProviderRegistration.ts | 2 +- .../providerhub/providerRegistration.ts | 2 +- .../providerhub/resourceTypeRegistration.ts | 2 +- sdk/nodejs/providerhub/skus.ts | 2 +- .../skusNestedResourceTypeFirst.ts | 2 +- .../skusNestedResourceTypeSecond.ts | 2 +- .../skusNestedResourceTypeThird.ts | 2 +- sdk/nodejs/purview/account.ts | 2 +- sdk/nodejs/purview/kafkaConfiguration.ts | 2 +- .../purview/privateEndpointConnection.ts | 2 +- sdk/nodejs/quantum/workspace.ts | 2 +- sdk/nodejs/quota/groupQuota.ts | 2 +- sdk/nodejs/quota/groupQuotaSubscription.ts | 2 +- sdk/nodejs/recommendationsservice/account.ts | 2 +- sdk/nodejs/recommendationsservice/modeling.ts | 2 +- .../recommendationsservice/serviceEndpoint.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/recoveryservices/protectedItem.ts | 2 +- .../recoveryservices/protectionContainer.ts | 2 +- .../recoveryservices/protectionIntent.ts | 2 +- .../recoveryservices/protectionPolicy.ts | 2 +- .../recoveryservices/replicationFabric.ts | 2 +- .../replicationMigrationItem.ts | 2 +- .../replicationNetworkMapping.ts | 2 +- .../recoveryservices/replicationPolicy.ts | 2 +- .../replicationProtectedItem.ts | 2 +- .../replicationProtectionCluster.ts | 2 +- .../replicationProtectionContainerMapping.ts | 2 +- .../replicationRecoveryPlan.ts | 2 +- .../replicationRecoveryServicesProvider.ts | 2 +- ...replicationStorageClassificationMapping.ts | 2 +- .../recoveryservices/replicationvCenter.ts | 2 +- .../recoveryservices/resourceGuardProxy.ts | 2 +- sdk/nodejs/recoveryservices/vault.ts | 2 +- sdk/nodejs/redhatopenshift/machinePool.ts | 2 +- .../redhatopenshift/openShiftCluster.ts | 2 +- sdk/nodejs/redhatopenshift/secret.ts | 2 +- .../redhatopenshift/syncIdentityProvider.ts | 2 +- sdk/nodejs/redhatopenshift/syncSet.ts | 2 +- sdk/nodejs/redis/accessPolicy.ts | 2 +- sdk/nodejs/redis/accessPolicyAssignment.ts | 2 +- sdk/nodejs/redis/firewallRule.ts | 2 +- sdk/nodejs/redis/linkedServer.ts | 2 +- sdk/nodejs/redis/patchSchedule.ts | 2 +- sdk/nodejs/redis/privateEndpointConnection.ts | 2 +- sdk/nodejs/redis/redis.ts | 2 +- sdk/nodejs/redis/redisFirewallRule.ts | 2 +- sdk/nodejs/redis/redisLinkedServer.ts | 2 +- .../redisenterprise/accessPolicyAssignment.ts | 2 +- sdk/nodejs/redisenterprise/database.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/redisenterprise/redisEnterprise.ts | 2 +- sdk/nodejs/relay/hybridConnection.ts | 2 +- .../hybridConnectionAuthorizationRule.ts | 2 +- sdk/nodejs/relay/namespace.ts | 2 +- .../relay/namespaceAuthorizationRule.ts | 2 +- sdk/nodejs/relay/privateEndpointConnection.ts | 2 +- sdk/nodejs/relay/wcfrelay.ts | 2 +- sdk/nodejs/relay/wcfrelayAuthorizationRule.ts | 2 +- sdk/nodejs/resourceconnector/appliance.ts | 2 +- sdk/nodejs/resourcegraph/graphQuery.ts | 2 +- sdk/nodejs/resources/azureCliScript.ts | 2 +- sdk/nodejs/resources/azurePowerShellScript.ts | 2 +- sdk/nodejs/resources/deployment.ts | 2 +- .../deploymentAtManagementGroupScope.ts | 2 +- sdk/nodejs/resources/deploymentAtScope.ts | 2 +- .../deploymentAtSubscriptionScope.ts | 2 +- .../resources/deploymentAtTenantScope.ts | 2 +- .../deploymentStackAtManagementGroup.ts | 2 +- .../deploymentStackAtResourceGroup.ts | 2 +- .../deploymentStackAtSubscription.ts | 2 +- sdk/nodejs/resources/resource.ts | 2 +- sdk/nodejs/resources/resourceGroup.ts | 2 +- sdk/nodejs/resources/tagAtScope.ts | 2 +- sdk/nodejs/resources/templateSpec.ts | 2 +- sdk/nodejs/resources/templateSpecVersion.ts | 2 +- sdk/nodejs/saas/saasSubscriptionLevel.ts | 2 +- sdk/nodejs/scheduler/job.ts | 2 +- sdk/nodejs/scheduler/jobCollection.ts | 2 +- sdk/nodejs/scom/instance.ts | 2 +- sdk/nodejs/scom/managedGateway.ts | 2 +- sdk/nodejs/scom/monitoredResource.ts | 2 +- sdk/nodejs/scvmm/availabilitySet.ts | 2 +- sdk/nodejs/scvmm/cloud.ts | 2 +- sdk/nodejs/scvmm/guestAgent.ts | 2 +- sdk/nodejs/scvmm/hybridIdentityMetadata.ts | 2 +- sdk/nodejs/scvmm/inventoryItem.ts | 2 +- sdk/nodejs/scvmm/machineExtension.ts | 2 +- sdk/nodejs/scvmm/virtualMachine.ts | 2 +- sdk/nodejs/scvmm/virtualMachineInstance.ts | 2 +- sdk/nodejs/scvmm/virtualMachineTemplate.ts | 2 +- sdk/nodejs/scvmm/virtualNetwork.ts | 2 +- sdk/nodejs/scvmm/vminstanceGuestAgent.ts | 2 +- sdk/nodejs/scvmm/vmmServer.ts | 2 +- .../search/privateEndpointConnection.ts | 2 +- sdk/nodejs/search/service.ts | 2 +- .../search/sharedPrivateLinkResource.ts | 2 +- .../azureKeyVaultSecretProviderClass.ts | 2 +- sdk/nodejs/secretsynccontroller/secretSync.ts | 2 +- .../security/advancedThreatProtection.ts | 2 +- sdk/nodejs/security/alertsSuppressionRule.ts | 2 +- sdk/nodejs/security/apicollection.ts | 2 +- ...picollectionByAzureApiManagementService.ts | 2 +- sdk/nodejs/security/application.ts | 2 +- sdk/nodejs/security/assessment.ts | 2 +- .../assessmentMetadataInSubscription.ts | 2 +- .../assessmentsMetadataSubscription.ts | 2 +- sdk/nodejs/security/assignment.ts | 2 +- sdk/nodejs/security/automation.ts | 2 +- sdk/nodejs/security/azureServersSetting.ts | 2 +- sdk/nodejs/security/connector.ts | 2 +- .../security/customAssessmentAutomation.ts | 2 +- .../security/customEntityStoreAssignment.ts | 2 +- sdk/nodejs/security/customRecommendation.ts | 2 +- sdk/nodejs/security/defenderForStorage.ts | 2 +- sdk/nodejs/security/devOpsConfiguration.ts | 2 +- sdk/nodejs/security/deviceSecurityGroup.ts | 2 +- sdk/nodejs/security/governanceAssignment.ts | 2 +- sdk/nodejs/security/governanceRule.ts | 2 +- sdk/nodejs/security/iotSecuritySolution.ts | 2 +- sdk/nodejs/security/jitNetworkAccessPolicy.ts | 2 +- sdk/nodejs/security/pricing.ts | 2 +- sdk/nodejs/security/securityConnector.ts | 2 +- .../security/securityConnectorApplication.ts | 2 +- sdk/nodejs/security/securityContact.ts | 2 +- sdk/nodejs/security/securityOperator.ts | 2 +- sdk/nodejs/security/securityStandard.ts | 2 +- .../security/serverVulnerabilityAssessment.ts | 2 +- .../sqlVulnerabilityAssessmentBaselineRule.ts | 2 +- sdk/nodejs/security/standard.ts | 2 +- sdk/nodejs/security/standardAssignment.ts | 2 +- sdk/nodejs/security/workspaceSetting.ts | 2 +- .../privateEndpointConnectionsAdtAPI.ts | 2 +- .../privateEndpointConnectionsComp.ts | 2 +- .../privateEndpointConnectionsForEDM.ts | 2 +- ...vateEndpointConnectionsForMIPPolicySync.ts | 2 +- ...vateEndpointConnectionsForSCCPowershell.ts | 2 +- .../privateEndpointConnectionsSec.ts | 2 +- .../privateLinkServicesForEDMUpload.ts | 2 +- ...vateLinkServicesForM365ComplianceCenter.ts | 2 +- ...rivateLinkServicesForM365SecurityCenter.ts | 2 +- .../privateLinkServicesForMIPPolicySync.ts | 2 +- ...inkServicesForO365ManagementActivityAPI.ts | 2 +- .../privateLinkServicesForSCCPowershell.ts | 2 +- .../securityinsights/aaddataConnector.ts | 2 +- .../securityinsights/aatpdataConnector.ts | 2 +- sdk/nodejs/securityinsights/action.ts | 2 +- .../activityCustomEntityQuery.ts | 2 +- sdk/nodejs/securityinsights/anomalies.ts | 2 +- .../anomalySecurityMLAnalyticsSettings.ts | 2 +- .../securityinsights/ascdataConnector.ts | 2 +- sdk/nodejs/securityinsights/automationRule.ts | 2 +- .../awsCloudTrailDataConnector.ts | 2 +- sdk/nodejs/securityinsights/bookmark.ts | 2 +- .../securityinsights/bookmarkRelation.ts | 2 +- .../businessApplicationAgent.ts | 2 +- sdk/nodejs/securityinsights/contentPackage.ts | 2 +- .../securityinsights/contentTemplate.ts | 2 +- .../customizableConnectorDefinition.ts | 2 +- .../securityinsights/entityAnalytics.ts | 2 +- sdk/nodejs/securityinsights/eyesOn.ts | 2 +- sdk/nodejs/securityinsights/fileImport.ts | 2 +- .../securityinsights/fusionAlertRule.ts | 2 +- sdk/nodejs/securityinsights/hunt.ts | 2 +- sdk/nodejs/securityinsights/huntComment.ts | 2 +- sdk/nodejs/securityinsights/huntRelation.ts | 2 +- sdk/nodejs/securityinsights/incident.ts | 2 +- .../securityinsights/incidentComment.ts | 2 +- .../securityinsights/incidentRelation.ts | 2 +- sdk/nodejs/securityinsights/incidentTask.ts | 2 +- .../securityinsights/mcasdataConnector.ts | 2 +- .../securityinsights/mdatpdataConnector.ts | 2 +- sdk/nodejs/securityinsights/metadata.ts | 2 +- ...rosoftSecurityIncidentCreationAlertRule.ts | 2 +- .../securityinsights/mstidataConnector.ts | 2 +- .../securityinsights/officeDataConnector.ts | 2 +- ...mMicrosoftDefenderForThreatIntelligence.ts | 2 +- .../restApiPollerDataConnector.ts | 2 +- .../securityinsights/scheduledAlertRule.ts | 2 +- .../sentinelOnboardingState.ts | 2 +- sdk/nodejs/securityinsights/sourceControl.ts | 2 +- sdk/nodejs/securityinsights/system.ts | 2 +- .../threatIntelligenceIndicator.ts | 2 +- .../securityinsights/tidataConnector.ts | 2 +- sdk/nodejs/securityinsights/ueba.ts | 2 +- sdk/nodejs/securityinsights/watchlist.ts | 2 +- sdk/nodejs/securityinsights/watchlistItem.ts | 2 +- .../workspaceManagerAssignment.ts | 2 +- .../workspaceManagerConfiguration.ts | 2 +- .../securityinsights/workspaceManagerGroup.ts | 2 +- .../workspaceManagerMember.ts | 2 +- sdk/nodejs/serialconsole/serialPort.ts | 2 +- .../servicebus/disasterRecoveryConfig.ts | 2 +- sdk/nodejs/servicebus/migrationConfig.ts | 2 +- sdk/nodejs/servicebus/namespace.ts | 2 +- .../servicebus/namespaceAuthorizationRule.ts | 2 +- .../servicebus/namespaceIpFilterRule.ts | 2 +- .../servicebus/namespaceNetworkRuleSet.ts | 2 +- .../servicebus/namespaceVirtualNetworkRule.ts | 2 +- .../servicebus/privateEndpointConnection.ts | 2 +- sdk/nodejs/servicebus/queue.ts | 2 +- .../servicebus/queueAuthorizationRule.ts | 2 +- sdk/nodejs/servicebus/rule.ts | 2 +- sdk/nodejs/servicebus/subscription.ts | 2 +- sdk/nodejs/servicebus/topic.ts | 2 +- .../servicebus/topicAuthorizationRule.ts | 2 +- sdk/nodejs/servicefabric/application.ts | 2 +- sdk/nodejs/servicefabric/applicationType.ts | 2 +- .../servicefabric/applicationTypeVersion.ts | 2 +- sdk/nodejs/servicefabric/managedCluster.ts | 2 +- .../managedClusterApplication.ts | 2 +- .../managedClusterApplicationType.ts | 2 +- .../managedClusterApplicationTypeVersion.ts | 2 +- .../servicefabric/managedClusterService.ts | 2 +- sdk/nodejs/servicefabric/nodeType.ts | 2 +- sdk/nodejs/servicefabric/service.ts | 2 +- sdk/nodejs/servicefabricmesh/application.ts | 2 +- sdk/nodejs/servicefabricmesh/gateway.ts | 2 +- sdk/nodejs/servicefabricmesh/network.ts | 2 +- sdk/nodejs/servicefabricmesh/secret.ts | 2 +- sdk/nodejs/servicefabricmesh/secretValue.ts | 2 +- sdk/nodejs/servicefabricmesh/volume.ts | 2 +- sdk/nodejs/servicelinker/connector.ts | 2 +- sdk/nodejs/servicelinker/connectorDryrun.ts | 2 +- sdk/nodejs/servicelinker/linker.ts | 2 +- sdk/nodejs/servicelinker/linkerDryrun.ts | 2 +- .../associationsInterface.ts | 2 +- .../servicenetworking/frontendsInterface.ts | 2 +- .../securityPoliciesInterface.ts | 2 +- .../trafficControllerInterface.ts | 2 +- sdk/nodejs/signalrservice/signalR.ts | 2 +- .../signalRCustomCertificate.ts | 2 +- .../signalrservice/signalRCustomDomain.ts | 2 +- .../signalRPrivateEndpointConnection.ts | 2 +- sdk/nodejs/signalrservice/signalRReplica.ts | 2 +- .../signalRSharedPrivateLinkResource.ts | 2 +- sdk/nodejs/softwareplan/hybridUseBenefit.ts | 2 +- sdk/nodejs/solutions/application.ts | 2 +- sdk/nodejs/solutions/applicationDefinition.ts | 2 +- sdk/nodejs/solutions/jitRequest.ts | 2 +- .../sovereign/landingZoneAccountOperation.ts | 2 +- .../landingZoneConfigurationOperation.ts | 2 +- .../landingZoneRegistrationOperation.ts | 2 +- .../sql/backupLongTermRetentionPolicy.ts | 2 +- .../sql/backupShortTermRetentionPolicy.ts | 2 +- sdk/nodejs/sql/dataMaskingPolicy.ts | 2 +- sdk/nodejs/sql/database.ts | 2 +- sdk/nodejs/sql/databaseAdvisor.ts | 2 +- sdk/nodejs/sql/databaseBlobAuditingPolicy.ts | 2 +- sdk/nodejs/sql/databaseSecurityAlertPolicy.ts | 2 +- ...eSqlVulnerabilityAssessmentRuleBaseline.ts | 2 +- .../sql/databaseThreatDetectionPolicy.ts | 2 +- .../sql/databaseVulnerabilityAssessment.ts | 2 +- ...baseVulnerabilityAssessmentRuleBaseline.ts | 2 +- .../sql/disasterRecoveryConfiguration.ts | 2 +- .../sql/distributedAvailabilityGroup.ts | 2 +- sdk/nodejs/sql/elasticPool.ts | 2 +- sdk/nodejs/sql/encryptionProtector.ts | 2 +- .../sql/extendedDatabaseBlobAuditingPolicy.ts | 2 +- .../sql/extendedServerBlobAuditingPolicy.ts | 2 +- sdk/nodejs/sql/failoverGroup.ts | 2 +- sdk/nodejs/sql/firewallRule.ts | 2 +- sdk/nodejs/sql/geoBackupPolicy.ts | 2 +- sdk/nodejs/sql/instanceFailoverGroup.ts | 2 +- sdk/nodejs/sql/instancePool.ts | 2 +- sdk/nodejs/sql/ipv6FirewallRule.ts | 2 +- sdk/nodejs/sql/job.ts | 2 +- sdk/nodejs/sql/jobAgent.ts | 2 +- sdk/nodejs/sql/jobCredential.ts | 2 +- sdk/nodejs/sql/jobPrivateEndpoint.ts | 2 +- sdk/nodejs/sql/jobStep.ts | 2 +- sdk/nodejs/sql/jobTargetGroup.ts | 2 +- sdk/nodejs/sql/longTermRetentionPolicy.ts | 2 +- sdk/nodejs/sql/managedDatabase.ts | 2 +- .../sql/managedDatabaseSensitivityLabel.ts | 2 +- .../managedDatabaseVulnerabilityAssessment.ts | 2 +- ...baseVulnerabilityAssessmentRuleBaseline.ts | 2 +- sdk/nodejs/sql/managedInstance.ts | 2 +- .../sql/managedInstanceAdministrator.ts | 2 +- ...anagedInstanceAzureADOnlyAuthentication.ts | 2 +- sdk/nodejs/sql/managedInstanceKey.ts | 2 +- .../managedInstanceLongTermRetentionPolicy.ts | 2 +- ...anagedInstancePrivateEndpointConnection.ts | 2 +- .../managedInstanceVulnerabilityAssessment.ts | 2 +- sdk/nodejs/sql/managedServerDnsAlias.ts | 2 +- sdk/nodejs/sql/outboundFirewallRule.ts | 2 +- sdk/nodejs/sql/privateEndpointConnection.ts | 2 +- sdk/nodejs/sql/replicationLink.ts | 2 +- sdk/nodejs/sql/sensitivityLabel.ts | 2 +- sdk/nodejs/sql/server.ts | 2 +- sdk/nodejs/sql/serverAdvisor.ts | 2 +- sdk/nodejs/sql/serverAzureADAdministrator.ts | 2 +- .../sql/serverAzureADOnlyAuthentication.ts | 2 +- sdk/nodejs/sql/serverBlobAuditingPolicy.ts | 2 +- sdk/nodejs/sql/serverCommunicationLink.ts | 2 +- sdk/nodejs/sql/serverDnsAlias.ts | 2 +- sdk/nodejs/sql/serverKey.ts | 2 +- sdk/nodejs/sql/serverSecurityAlertPolicy.ts | 2 +- sdk/nodejs/sql/serverTrustCertificate.ts | 2 +- sdk/nodejs/sql/serverTrustGroup.ts | 2 +- .../sql/serverVulnerabilityAssessment.ts | 2 +- .../sqlVulnerabilityAssessmentRuleBaseline.ts | 2 +- .../sql/sqlVulnerabilityAssessmentsSetting.ts | 2 +- .../sql/startStopManagedInstanceSchedule.ts | 2 +- sdk/nodejs/sql/syncAgent.ts | 2 +- sdk/nodejs/sql/syncGroup.ts | 2 +- sdk/nodejs/sql/syncMember.ts | 2 +- sdk/nodejs/sql/transparentDataEncryption.ts | 2 +- sdk/nodejs/sql/virtualNetworkRule.ts | 2 +- sdk/nodejs/sql/workloadClassifier.ts | 2 +- sdk/nodejs/sql/workloadGroup.ts | 2 +- .../availabilityGroupListener.ts | 2 +- .../sqlvirtualmachine/sqlVirtualMachine.ts | 2 +- .../sqlVirtualMachineGroup.ts | 2 +- .../standbypool/standbyContainerGroupPool.ts | 2 +- .../standbypool/standbyVirtualMachinePool.ts | 2 +- sdk/nodejs/storage/blobContainer.ts | 2 +- .../blobContainerImmutabilityPolicy.ts | 2 +- sdk/nodejs/storage/blobInventoryPolicy.ts | 2 +- sdk/nodejs/storage/blobServiceProperties.ts | 2 +- sdk/nodejs/storage/encryptionScope.ts | 2 +- sdk/nodejs/storage/fileServiceProperties.ts | 2 +- sdk/nodejs/storage/fileShare.ts | 2 +- sdk/nodejs/storage/localUser.ts | 2 +- sdk/nodejs/storage/managementPolicy.ts | 2 +- sdk/nodejs/storage/objectReplicationPolicy.ts | 2 +- .../storage/privateEndpointConnection.ts | 2 +- sdk/nodejs/storage/queue.ts | 2 +- sdk/nodejs/storage/queueServiceProperties.ts | 2 +- sdk/nodejs/storage/storageAccount.ts | 2 +- sdk/nodejs/storage/storageTaskAssignment.ts | 2 +- sdk/nodejs/storage/table.ts | 2 +- sdk/nodejs/storage/tableServiceProperties.ts | 2 +- sdk/nodejs/storageactions/storageTask.ts | 2 +- sdk/nodejs/storagecache/amlFilesystem.ts | 2 +- sdk/nodejs/storagecache/cache.ts | 2 +- sdk/nodejs/storagecache/importJob.ts | 2 +- sdk/nodejs/storagecache/storageTarget.ts | 2 +- sdk/nodejs/storagemover/agent.ts | 2 +- sdk/nodejs/storagemover/endpoint.ts | 2 +- sdk/nodejs/storagemover/jobDefinition.ts | 2 +- sdk/nodejs/storagemover/project.ts | 2 +- sdk/nodejs/storagemover/storageMover.ts | 2 +- sdk/nodejs/storagepool/diskPool.ts | 2 +- sdk/nodejs/storagepool/iscsiTarget.ts | 2 +- sdk/nodejs/storagesync/cloudEndpoint.ts | 2 +- .../storagesync/privateEndpointConnection.ts | 2 +- sdk/nodejs/storagesync/registeredServer.ts | 2 +- sdk/nodejs/storagesync/serverEndpoint.ts | 2 +- sdk/nodejs/storagesync/storageSyncService.ts | 2 +- sdk/nodejs/storagesync/syncGroup.ts | 2 +- sdk/nodejs/storsimple/accessControlRecord.ts | 2 +- sdk/nodejs/storsimple/backupPolicy.ts | 2 +- sdk/nodejs/storsimple/backupSchedule.ts | 2 +- sdk/nodejs/storsimple/bandwidthSetting.ts | 2 +- sdk/nodejs/storsimple/manager.ts | 2 +- sdk/nodejs/storsimple/managerExtendedInfo.ts | 2 +- .../storsimple/storageAccountCredential.ts | 2 +- sdk/nodejs/storsimple/volume.ts | 2 +- sdk/nodejs/storsimple/volumeContainer.ts | 2 +- sdk/nodejs/streamanalytics/cluster.ts | 2 +- sdk/nodejs/streamanalytics/function.ts | 2 +- sdk/nodejs/streamanalytics/input.ts | 2 +- sdk/nodejs/streamanalytics/output.ts | 2 +- sdk/nodejs/streamanalytics/privateEndpoint.ts | 2 +- sdk/nodejs/streamanalytics/streamingJob.ts | 2 +- sdk/nodejs/subscription/alias.ts | 2 +- .../subscription/subscriptionTarDirectory.ts | 2 +- sdk/nodejs/synapse/bigDataPool.ts | 2 +- .../synapse/databasePrincipalAssignment.ts | 2 +- sdk/nodejs/synapse/eventGridDataConnection.ts | 2 +- sdk/nodejs/synapse/eventHubDataConnection.ts | 2 +- sdk/nodejs/synapse/integrationRuntime.ts | 2 +- sdk/nodejs/synapse/iotHubDataConnection.ts | 2 +- sdk/nodejs/synapse/ipFirewallRule.ts | 2 +- sdk/nodejs/synapse/key.ts | 2 +- sdk/nodejs/synapse/kustoPool.ts | 2 +- .../kustoPoolAttachedDatabaseConfiguration.ts | 2 +- .../kustoPoolDatabasePrincipalAssignment.ts | 2 +- .../synapse/kustoPoolPrincipalAssignment.ts | 2 +- .../synapse/privateEndpointConnection.ts | 2 +- sdk/nodejs/synapse/privateLinkHub.ts | 2 +- .../synapse/readOnlyFollowingDatabase.ts | 2 +- sdk/nodejs/synapse/readWriteDatabase.ts | 2 +- sdk/nodejs/synapse/sqlPool.ts | 2 +- sdk/nodejs/synapse/sqlPoolSensitivityLabel.ts | 2 +- .../sqlPoolTransparentDataEncryption.ts | 2 +- .../synapse/sqlPoolVulnerabilityAssessment.ts | 2 +- ...PoolVulnerabilityAssessmentRuleBaseline.ts | 2 +- .../synapse/sqlPoolWorkloadClassifier.ts | 2 +- sdk/nodejs/synapse/sqlPoolWorkloadGroup.ts | 2 +- sdk/nodejs/synapse/workspace.ts | 2 +- sdk/nodejs/synapse/workspaceAadAdmin.ts | 2 +- ...ManagedSqlServerVulnerabilityAssessment.ts | 2 +- sdk/nodejs/synapse/workspaceSqlAadAdmin.ts | 2 +- sdk/nodejs/syntex/documentProcessor.ts | 2 +- sdk/nodejs/testbase/actionRequest.ts | 2 +- sdk/nodejs/testbase/credential.ts | 2 +- sdk/nodejs/testbase/customImage.ts | 2 +- sdk/nodejs/testbase/customerEvent.ts | 2 +- sdk/nodejs/testbase/draftPackage.ts | 2 +- sdk/nodejs/testbase/favoriteProcess.ts | 2 +- sdk/nodejs/testbase/imageDefinition.ts | 2 +- sdk/nodejs/testbase/package.ts | 2 +- sdk/nodejs/testbase/testBaseAccount.ts | 2 +- sdk/nodejs/timeseriesinsights/accessPolicy.ts | 2 +- .../timeseriesinsights/eventHubEventSource.ts | 2 +- .../timeseriesinsights/gen1Environment.ts | 2 +- .../timeseriesinsights/gen2Environment.ts | 2 +- .../timeseriesinsights/ioTHubEventSource.ts | 2 +- .../timeseriesinsights/referenceDataSet.ts | 2 +- sdk/nodejs/trafficmanager/endpoint.ts | 2 +- sdk/nodejs/trafficmanager/profile.ts | 2 +- .../trafficManagerUserMetricsKey.ts | 2 +- sdk/nodejs/verifiedid/authority.ts | 2 +- sdk/nodejs/videoanalyzer/accessPolicy.ts | 2 +- sdk/nodejs/videoanalyzer/edgeModule.ts | 2 +- sdk/nodejs/videoanalyzer/livePipeline.ts | 2 +- sdk/nodejs/videoanalyzer/pipelineJob.ts | 2 +- sdk/nodejs/videoanalyzer/pipelineTopology.ts | 2 +- .../privateEndpointConnection.ts | 2 +- sdk/nodejs/videoanalyzer/video.ts | 2 +- sdk/nodejs/videoanalyzer/videoAnalyzer.ts | 2 +- sdk/nodejs/videoindexer/account.ts | 2 +- .../videoindexer/privateEndpointConnection.ts | 2 +- sdk/nodejs/virtualmachineimages/trigger.ts | 2 +- .../virtualMachineImageTemplate.ts | 2 +- .../vmwarecloudsimple/dedicatedCloudNode.ts | 2 +- .../dedicatedCloudService.ts | 2 +- .../vmwarecloudsimple/virtualMachine.ts | 2 +- .../voiceservices/communicationsGateway.ts | 2 +- sdk/nodejs/voiceservices/contact.ts | 2 +- sdk/nodejs/voiceservices/testLine.ts | 2 +- sdk/nodejs/web/appServiceEnvironment.ts | 2 +- ...ironmentAseCustomDnsSuffixConfiguration.ts | 2 +- ...iceEnvironmentPrivateEndpointConnection.ts | 2 +- sdk/nodejs/web/appServicePlan.ts | 2 +- sdk/nodejs/web/appServicePlanRouteForVnet.ts | 2 +- sdk/nodejs/web/certificate.ts | 2 +- sdk/nodejs/web/connection.ts | 2 +- sdk/nodejs/web/connectionGateway.ts | 2 +- sdk/nodejs/web/customApi.ts | 2 +- sdk/nodejs/web/kubeEnvironment.ts | 2 +- sdk/nodejs/web/staticSite.ts | 2 +- .../web/staticSiteBuildDatabaseConnection.ts | 2 +- sdk/nodejs/web/staticSiteCustomDomain.ts | 2 +- .../web/staticSiteDatabaseConnection.ts | 2 +- sdk/nodejs/web/staticSiteLinkedBackend.ts | 2 +- .../web/staticSiteLinkedBackendForBuild.ts | 2 +- .../staticSitePrivateEndpointConnection.ts | 2 +- ...iteUserProvidedFunctionAppForStaticSite.ts | 2 +- ...erProvidedFunctionAppForStaticSiteBuild.ts | 2 +- sdk/nodejs/web/webApp.ts | 2 +- sdk/nodejs/web/webAppApplicationSettings.ts | 2 +- .../web/webAppApplicationSettingsSlot.ts | 2 +- sdk/nodejs/web/webAppAuthSettings.ts | 2 +- sdk/nodejs/web/webAppAuthSettingsSlot.ts | 2 +- sdk/nodejs/web/webAppAuthSettingsV2.ts | 2 +- sdk/nodejs/web/webAppAuthSettingsV2Slot.ts | 2 +- sdk/nodejs/web/webAppAzureStorageAccounts.ts | 2 +- .../web/webAppAzureStorageAccountsSlot.ts | 2 +- sdk/nodejs/web/webAppBackupConfiguration.ts | 2 +- .../web/webAppBackupConfigurationSlot.ts | 2 +- sdk/nodejs/web/webAppConnectionStrings.ts | 2 +- sdk/nodejs/web/webAppConnectionStringsSlot.ts | 2 +- sdk/nodejs/web/webAppDeployment.ts | 2 +- sdk/nodejs/web/webAppDeploymentSlot.ts | 2 +- .../web/webAppDiagnosticLogsConfiguration.ts | 2 +- .../webAppDiagnosticLogsConfigurationSlot.ts | 2 +- .../web/webAppDomainOwnershipIdentifier.ts | 2 +- .../webAppDomainOwnershipIdentifierSlot.ts | 2 +- sdk/nodejs/web/webAppFtpAllowed.ts | 2 +- sdk/nodejs/web/webAppFtpAllowedSlot.ts | 2 +- sdk/nodejs/web/webAppFunction.ts | 2 +- sdk/nodejs/web/webAppHostNameBinding.ts | 2 +- sdk/nodejs/web/webAppHostNameBindingSlot.ts | 2 +- sdk/nodejs/web/webAppHybridConnection.ts | 2 +- sdk/nodejs/web/webAppHybridConnectionSlot.ts | 2 +- sdk/nodejs/web/webAppInstanceFunctionSlot.ts | 2 +- sdk/nodejs/web/webAppMetadata.ts | 2 +- sdk/nodejs/web/webAppMetadataSlot.ts | 2 +- sdk/nodejs/web/webAppPremierAddOn.ts | 2 +- sdk/nodejs/web/webAppPremierAddOnSlot.ts | 2 +- .../web/webAppPrivateEndpointConnection.ts | 2 +- .../webAppPrivateEndpointConnectionSlot.ts | 2 +- sdk/nodejs/web/webAppPublicCertificate.ts | 2 +- sdk/nodejs/web/webAppPublicCertificateSlot.ts | 2 +- .../web/webAppRelayServiceConnection.ts | 2 +- .../web/webAppRelayServiceConnectionSlot.ts | 2 +- sdk/nodejs/web/webAppScmAllowed.ts | 2 +- sdk/nodejs/web/webAppScmAllowedSlot.ts | 2 +- sdk/nodejs/web/webAppSiteContainer.ts | 2 +- sdk/nodejs/web/webAppSiteContainerSlot.ts | 2 +- sdk/nodejs/web/webAppSiteExtension.ts | 2 +- sdk/nodejs/web/webAppSiteExtensionSlot.ts | 2 +- sdk/nodejs/web/webAppSitePushSettings.ts | 2 +- sdk/nodejs/web/webAppSitePushSettingsSlot.ts | 2 +- sdk/nodejs/web/webAppSlot.ts | 2 +- .../web/webAppSlotConfigurationNames.ts | 2 +- sdk/nodejs/web/webAppSourceControl.ts | 2 +- sdk/nodejs/web/webAppSourceControlSlot.ts | 2 +- .../webAppSwiftVirtualNetworkConnection.ts | 2 +- ...webAppSwiftVirtualNetworkConnectionSlot.ts | 2 +- sdk/nodejs/web/webAppVnetConnection.ts | 2 +- sdk/nodejs/web/webAppVnetConnectionSlot.ts | 2 +- sdk/nodejs/webpubsub/webPubSub.ts | 2 +- .../webpubsub/webPubSubCustomCertificate.ts | 2 +- sdk/nodejs/webpubsub/webPubSubCustomDomain.ts | 2 +- sdk/nodejs/webpubsub/webPubSubHub.ts | 2 +- .../webPubSubPrivateEndpointConnection.ts | 2 +- sdk/nodejs/webpubsub/webPubSubReplica.ts | 2 +- .../webPubSubSharedPrivateLinkResource.ts | 2 +- sdk/nodejs/weightsandbiases/instance.ts | 2 +- .../windowsesu/multipleActivationKey.ts | 2 +- sdk/nodejs/windowsiot/service.ts | 2 +- sdk/nodejs/workloads/acssbackupConnection.ts | 2 +- sdk/nodejs/workloads/alert.ts | 2 +- sdk/nodejs/workloads/connector.ts | 2 +- sdk/nodejs/workloads/monitor.ts | 2 +- sdk/nodejs/workloads/providerInstance.ts | 2 +- .../workloads/sapApplicationServerInstance.ts | 2 +- .../workloads/sapCentralServerInstance.ts | 2 +- sdk/nodejs/workloads/sapDatabaseInstance.ts | 2 +- sdk/nodejs/workloads/sapDiscoverySite.ts | 2 +- sdk/nodejs/workloads/sapInstance.ts | 2 +- sdk/nodejs/workloads/sapLandscapeMonitor.ts | 2 +- sdk/nodejs/workloads/sapVirtualInstance.ts | 2 +- sdk/nodejs/workloads/serverInstance.ts | 2 +- .../pulumi_azure_native/aad/domain_service.py | 2 +- .../pulumi_azure_native/aad/ou_container.py | 2 +- .../aadiam/diagnostic_setting.py | 2 +- .../addons/support_plan_type.py | 2 +- .../pulumi_azure_native/advisor/assessment.py | 2 +- .../advisor/suppression.py | 2 +- .../agfoodplatform/data_connector.py | 2 +- .../data_manager_for_agriculture_resource.py | 2 +- .../agfoodplatform/extension.py | 2 +- .../private_endpoint_connection.py | 2 +- .../agfoodplatform/solution.py | 2 +- .../agricultureplatform/agri_service.py | 2 +- .../alertsmanagement/action_rule_by_name.py | 2 +- .../alert_processing_rule_by_name.py | 2 +- .../alertsmanagement/prometheus_rule_group.py | 2 +- .../smart_detector_alert_rule.py | 2 +- .../analysisservices/server_details.py | 2 +- .../pulumi_azure_native/apicenter/api.py | 2 +- .../apicenter/api_definition.py | 2 +- .../apicenter/api_source.py | 2 +- .../apicenter/api_version.py | 2 +- .../apicenter/deployment.py | 2 +- .../apicenter/environment.py | 2 +- .../apicenter/metadata_schema.py | 2 +- .../pulumi_azure_native/apicenter/service.py | 2 +- .../apicenter/workspace.py | 2 +- .../pulumi_azure_native/apimanagement/api.py | 2 +- .../apimanagement/api_diagnostic.py | 2 +- .../apimanagement/api_gateway.py | 2 +- .../api_gateway_config_connection.py | 2 +- .../apimanagement/api_issue.py | 2 +- .../apimanagement/api_issue_attachment.py | 2 +- .../apimanagement/api_issue_comment.py | 2 +- .../apimanagement/api_management_service.py | 2 +- .../apimanagement/api_operation.py | 2 +- .../apimanagement/api_operation_policy.py | 2 +- .../apimanagement/api_policy.py | 2 +- .../apimanagement/api_release.py | 2 +- .../apimanagement/api_schema.py | 2 +- .../apimanagement/api_tag_description.py | 2 +- .../apimanagement/api_version_set.py | 2 +- .../apimanagement/api_wiki.py | 2 +- .../apimanagement/authorization.py | 2 +- .../authorization_access_policy.py | 2 +- .../apimanagement/authorization_provider.py | 2 +- .../apimanagement/authorization_server.py | 2 +- .../apimanagement/backend.py | 2 +- .../apimanagement/cache.py | 2 +- .../apimanagement/certificate.py | 2 +- .../apimanagement/content_item.py | 2 +- .../apimanagement/content_type.py | 2 +- .../apimanagement/diagnostic.py | 2 +- .../apimanagement/documentation.py | 2 +- .../apimanagement/email_template.py | 2 +- .../apimanagement/gateway.py | 2 +- .../apimanagement/gateway_api_entity_tag.py | 2 +- .../gateway_certificate_authority.py | 2 +- .../gateway_hostname_configuration.py | 2 +- .../apimanagement/global_schema.py | 2 +- .../apimanagement/graph_ql_api_resolver.py | 2 +- .../graph_ql_api_resolver_policy.py | 2 +- .../apimanagement/group.py | 2 +- .../apimanagement/group_user.py | 2 +- .../apimanagement/identity_provider.py | 2 +- .../apimanagement/logger.py | 2 +- .../apimanagement/named_value.py | 2 +- .../notification_recipient_email.py | 2 +- .../notification_recipient_user.py | 2 +- .../apimanagement/open_id_connect_provider.py | 2 +- .../apimanagement/policy.py | 2 +- .../apimanagement/policy_fragment.py | 2 +- .../apimanagement/policy_restriction.py | 2 +- .../private_endpoint_connection_by_name.py | 2 +- .../apimanagement/product.py | 2 +- .../apimanagement/product_api.py | 2 +- .../apimanagement/product_api_link.py | 2 +- .../apimanagement/product_group.py | 2 +- .../apimanagement/product_group_link.py | 2 +- .../apimanagement/product_policy.py | 2 +- .../apimanagement/product_wiki.py | 2 +- .../apimanagement/schema.py | 2 +- .../apimanagement/subscription.py | 2 +- .../pulumi_azure_native/apimanagement/tag.py | 2 +- .../apimanagement/tag_api_link.py | 2 +- .../apimanagement/tag_by_api.py | 2 +- .../apimanagement/tag_by_operation.py | 2 +- .../apimanagement/tag_by_product.py | 2 +- .../apimanagement/tag_operation_link.py | 2 +- .../apimanagement/tag_product_link.py | 2 +- .../pulumi_azure_native/apimanagement/user.py | 2 +- .../apimanagement/workspace.py | 2 +- .../apimanagement/workspace_api.py | 2 +- .../apimanagement/workspace_api_diagnostic.py | 2 +- .../apimanagement/workspace_api_operation.py | 2 +- .../workspace_api_operation_policy.py | 2 +- .../apimanagement/workspace_api_policy.py | 2 +- .../apimanagement/workspace_api_release.py | 2 +- .../apimanagement/workspace_api_schema.py | 2 +- .../workspace_api_version_set.py | 2 +- .../apimanagement/workspace_backend.py | 2 +- .../apimanagement/workspace_certificate.py | 2 +- .../apimanagement/workspace_diagnostic.py | 2 +- .../apimanagement/workspace_global_schema.py | 2 +- .../apimanagement/workspace_group.py | 2 +- .../apimanagement/workspace_group_user.py | 2 +- .../apimanagement/workspace_logger.py | 2 +- .../apimanagement/workspace_named_value.py | 2 +- .../workspace_notification_recipient_email.py | 2 +- .../workspace_notification_recipient_user.py | 2 +- .../apimanagement/workspace_policy.py | 2 +- .../workspace_policy_fragment.py | 2 +- .../apimanagement/workspace_product.py | 2 +- .../workspace_product_api_link.py | 2 +- .../workspace_product_group_link.py | 2 +- .../apimanagement/workspace_product_policy.py | 2 +- .../apimanagement/workspace_subscription.py | 2 +- .../apimanagement/workspace_tag.py | 2 +- .../apimanagement/workspace_tag_api_link.py | 2 +- .../workspace_tag_operation_link.py | 2 +- .../workspace_tag_product_link.py | 2 +- .../pulumi_azure_native/app/app_resiliency.py | 2 +- sdk/python/pulumi_azure_native/app/build.py | 2 +- sdk/python/pulumi_azure_native/app/builder.py | 2 +- .../pulumi_azure_native/app/certificate.py | 2 +- .../app/connected_environment.py | 2 +- .../app/connected_environments_certificate.py | 2 +- .../connected_environments_dapr_component.py | 2 +- .../app/connected_environments_storage.py | 2 +- .../pulumi_azure_native/app/container_app.py | 2 +- .../app/container_apps_auth_config.py | 2 +- .../app/container_apps_session_pool.py | 2 +- .../app/container_apps_source_control.py | 2 +- .../pulumi_azure_native/app/dapr_component.py | 2 +- .../app/dapr_component_resiliency_policy.py | 2 +- .../app/dapr_subscription.py | 2 +- .../app/dot_net_component.py | 2 +- .../app/http_route_config.py | 2 +- .../pulumi_azure_native/app/java_component.py | 2 +- sdk/python/pulumi_azure_native/app/job.py | 2 +- .../pulumi_azure_native/app/logic_app.py | 2 +- .../app/maintenance_configuration.py | 2 +- .../app/managed_certificate.py | 2 +- .../app/managed_environment.py | 2 +- ...environment_private_endpoint_connection.py | 2 +- .../app/managed_environments_storage.py | 2 +- .../appcomplianceautomation/evidence.py | 2 +- .../appcomplianceautomation/report.py | 2 +- .../scoping_configuration.py | 2 +- .../appcomplianceautomation/webhook.py | 2 +- .../appconfiguration/configuration_store.py | 2 +- .../appconfiguration/key_value.py | 2 +- .../private_endpoint_connection.py | 2 +- .../appconfiguration/replica.py | 2 +- .../applicationinsights/analytics_item.py | 2 +- .../applicationinsights/component.py | 2 +- .../component_current_billing_feature.py | 2 +- .../component_linked_storage_account.py | 2 +- .../export_configuration.py | 2 +- .../applicationinsights/favorite.py | 2 +- .../applicationinsights/my_workbook.py | 2 +- .../proactive_detection_configuration.py | 2 +- .../applicationinsights/web_test.py | 2 +- .../applicationinsights/workbook.py | 2 +- .../applicationinsights/workbook_template.py | 2 +- .../appplatform/api_portal.py | 2 +- .../appplatform/api_portal_custom_domain.py | 2 +- .../pulumi_azure_native/appplatform/apm.py | 2 +- .../pulumi_azure_native/appplatform/app.py | 2 +- .../appplatform/application_accelerator.py | 2 +- .../appplatform/application_live_view.py | 2 +- .../appplatform/binding.py | 2 +- .../appplatform/build_service_agent_pool.py | 2 +- .../appplatform/build_service_build.py | 2 +- .../appplatform/build_service_builder.py | 2 +- .../appplatform/buildpack_binding.py | 2 +- .../appplatform/certificate.py | 2 +- .../appplatform/config_server.py | 2 +- .../appplatform/configuration_service.py | 2 +- .../appplatform/container_registry.py | 2 +- .../appplatform/custom_domain.py | 2 +- .../appplatform/customized_accelerator.py | 2 +- .../appplatform/deployment.py | 2 +- .../appplatform/dev_tool_portal.py | 2 +- .../appplatform/gateway.py | 2 +- .../appplatform/gateway_custom_domain.py | 2 +- .../appplatform/gateway_route_config.py | 2 +- .../pulumi_azure_native/appplatform/job.py | 2 +- .../appplatform/monitoring_setting.py | 2 +- .../appplatform/service.py | 2 +- .../appplatform/service_registry.py | 2 +- .../appplatform/storage.py | 2 +- .../attestation/attestation_provider.py | 2 +- .../private_endpoint_connection.py | 2 +- .../access_review_history_definition_by_id.py | 2 +- ...access_review_schedule_definition_by_id.py | 2 +- ...management_lock_at_resource_group_level.py | 2 +- .../management_lock_at_resource_level.py | 2 +- .../management_lock_at_subscription_level.py | 2 +- .../authorization/management_lock_by_scope.py | 2 +- .../pim_role_eligibility_schedule.py | 2 +- .../authorization/policy_assignment.py | 2 +- .../authorization/policy_definition.py | 2 +- .../policy_definition_at_management_group.py | 2 +- .../policy_definition_version.py | 2 +- ..._definition_version_at_management_group.py | 2 +- .../authorization/policy_exemption.py | 2 +- .../authorization/policy_set_definition.py | 2 +- ...licy_set_definition_at_management_group.py | 2 +- .../policy_set_definition_version.py | 2 +- ..._definition_version_at_management_group.py | 2 +- .../authorization/private_link_association.py | 2 +- .../resource_management_private_link.py | 2 +- .../authorization/role_assignment.py | 2 +- .../authorization/role_definition.py | 2 +- .../authorization/role_management_policy.py | 2 +- .../role_management_policy_assignment.py | 2 +- ..._access_review_history_definition_by_id.py | 2 +- ...access_review_schedule_definition_by_id.py | 2 +- .../authorization/variable.py | 2 +- .../variable_at_management_group.py | 2 +- .../authorization/variable_value.py | 2 +- .../variable_value_at_management_group.py | 2 +- .../automanage/configuration_profile.py | 2 +- .../configuration_profile_assignment.py | 2 +- .../configuration_profile_hciassignment.py | 2 +- .../configuration_profile_hcrpassignment.py | 2 +- .../configuration_profiles_version.py | 2 +- .../automation/automation_account.py | 2 +- .../automation/certificate.py | 2 +- .../automation/connection.py | 2 +- .../automation/connection_type.py | 2 +- .../automation/credential.py | 2 +- .../automation/dsc_configuration.py | 2 +- .../automation/dsc_node_configuration.py | 2 +- .../automation/hybrid_runbook_worker.py | 2 +- .../automation/hybrid_runbook_worker_group.py | 2 +- .../automation/job_schedule.py | 2 +- .../pulumi_azure_native/automation/module.py | 2 +- .../pulumi_azure_native/automation/package.py | 2 +- .../automation/power_shell72_module.py | 2 +- .../automation/private_endpoint_connection.py | 2 +- .../automation/python2_package.py | 2 +- .../automation/python3_package.py | 2 +- .../pulumi_azure_native/automation/runbook.py | 2 +- .../automation/runtime_environment.py | 2 +- .../automation/schedule.py | 2 +- .../software_update_configuration_by_name.py | 2 +- .../automation/source_control.py | 2 +- .../automation/variable.py | 2 +- .../pulumi_azure_native/automation/watcher.py | 2 +- .../pulumi_azure_native/automation/webhook.py | 2 +- sdk/python/pulumi_azure_native/avs/addon.py | 2 +- .../pulumi_azure_native/avs/authorization.py | 2 +- .../pulumi_azure_native/avs/cloud_link.py | 2 +- sdk/python/pulumi_azure_native/avs/cluster.py | 2 +- .../pulumi_azure_native/avs/datastore.py | 2 +- .../avs/global_reach_connection.py | 2 +- .../avs/hcx_enterprise_site.py | 2 +- .../pulumi_azure_native/avs/iscsi_path.py | 2 +- .../avs/placement_policy.py | 2 +- .../pulumi_azure_native/avs/private_cloud.py | 2 +- .../avs/script_execution.py | 2 +- .../avs/workload_network_dhcp.py | 2 +- .../avs/workload_network_dns_service.py | 2 +- .../avs/workload_network_dns_zone.py | 2 +- .../avs/workload_network_port_mirroring.py | 2 +- .../avs/workload_network_public_ip.py | 2 +- .../avs/workload_network_segment.py | 2 +- .../avs/workload_network_vm_group.py | 2 +- .../awsconnector/access_analyzer_analyzer.py | 2 +- .../awsconnector/acm_certificate_summary.py | 2 +- .../awsconnector/api_gateway_rest_api.py | 2 +- .../awsconnector/api_gateway_stage.py | 2 +- .../awsconnector/app_sync_graphql_api.py | 2 +- .../auto_scaling_auto_scaling_group.py | 2 +- .../awsconnector/cloud_formation_stack.py | 2 +- .../awsconnector/cloud_formation_stack_set.py | 2 +- .../awsconnector/cloud_front_distribution.py | 2 +- .../awsconnector/cloud_trail_trail.py | 2 +- .../awsconnector/cloud_watch_alarm.py | 2 +- .../awsconnector/code_build_project.py | 2 +- .../code_build_source_credentials_info.py | 2 +- .../config_service_configuration_recorder.py | 2 +- ...g_service_configuration_recorder_status.py | 2 +- .../config_service_delivery_channel.py | 2 +- ..._migration_service_replication_instance.py | 2 +- .../awsconnector/dax_cluster.py | 2 +- ...ynamo_db_continuous_backups_description.py | 2 +- .../awsconnector/dynamo_db_table.py | 2 +- .../awsconnector/ec2_account_attribute.py | 2 +- .../awsconnector/ec2_address.py | 2 +- .../awsconnector/ec2_flow_log.py | 2 +- .../awsconnector/ec2_image.py | 2 +- .../awsconnector/ec2_instance.py | 2 +- .../awsconnector/ec2_instance_status.py | 2 +- .../awsconnector/ec2_ipam.py | 2 +- .../awsconnector/ec2_key_pair.py | 2 +- .../awsconnector/ec2_network_acl.py | 2 +- .../awsconnector/ec2_network_interface.py | 2 +- .../awsconnector/ec2_route_table.py | 2 +- .../awsconnector/ec2_security_group.py | 2 +- .../awsconnector/ec2_snapshot.py | 2 +- .../awsconnector/ec2_subnet.py | 2 +- .../awsconnector/ec2_volume.py | 2 +- .../awsconnector/ec2_vpc.py | 2 +- .../awsconnector/ec2_vpc_endpoint.py | 2 +- .../ec2_vpc_peering_connection.py | 2 +- .../awsconnector/ecr_image_detail.py | 2 +- .../awsconnector/ecr_repository.py | 2 +- .../awsconnector/ecs_cluster.py | 2 +- .../awsconnector/ecs_service.py | 2 +- .../awsconnector/ecs_task_definition.py | 2 +- .../awsconnector/efs_file_system.py | 2 +- .../awsconnector/efs_mount_target.py | 2 +- .../awsconnector/eks_cluster.py | 2 +- .../awsconnector/eks_nodegroup.py | 2 +- .../elastic_beanstalk_application.py | 2 +- ...lastic_beanstalk_configuration_template.py | 2 +- .../elastic_beanstalk_environment.py | 2 +- .../elastic_load_balancing_v2_listener.py | 2 +- ...elastic_load_balancing_v2_load_balancer.py | 2 +- .../elastic_load_balancing_v2_target_group.py | 2 +- ...d_balancingv2_target_health_description.py | 2 +- .../awsconnector/emr_cluster.py | 2 +- .../awsconnector/guard_duty_detector.py | 2 +- .../awsconnector/iam_access_key_last_used.py | 2 +- .../iam_access_key_metadata_info.py | 2 +- .../awsconnector/iam_group.py | 2 +- .../awsconnector/iam_instance_profile.py | 2 +- .../awsconnector/iam_mfa_device.py | 2 +- .../awsconnector/iam_password_policy.py | 2 +- .../awsconnector/iam_policy_version.py | 2 +- .../awsconnector/iam_role.py | 2 +- .../awsconnector/iam_server_certificate.py | 2 +- .../awsconnector/iam_virtual_mfa_device.py | 2 +- .../awsconnector/kms_alias.py | 2 +- .../awsconnector/kms_key.py | 2 +- .../awsconnector/lambda_function.py | 2 +- .../lambda_function_code_location.py | 2 +- .../awsconnector/lightsail_bucket.py | 2 +- .../awsconnector/lightsail_instance.py | 2 +- .../awsconnector/logs_log_group.py | 2 +- .../awsconnector/logs_log_stream.py | 2 +- .../awsconnector/logs_metric_filter.py | 2 +- .../awsconnector/logs_subscription_filter.py | 2 +- .../awsconnector/macie2_job_summary.py | 2 +- .../awsconnector/macie_allow_list.py | 2 +- .../awsconnector/network_firewall_firewall.py | 2 +- .../network_firewall_firewall_policy.py | 2 +- .../network_firewall_rule_group.py | 2 +- .../awsconnector/open_search_domain_status.py | 2 +- .../awsconnector/organizations_account.py | 2 +- .../organizations_organization.py | 2 +- .../awsconnector/rds_db_cluster.py | 2 +- .../awsconnector/rds_db_instance.py | 2 +- .../awsconnector/rds_db_snapshot.py | 2 +- .../rds_db_snapshot_attributes_result.py | 2 +- .../awsconnector/rds_event_subscription.py | 2 +- .../awsconnector/rds_export_task.py | 2 +- .../awsconnector/redshift_cluster.py | 2 +- .../redshift_cluster_parameter_group.py | 2 +- .../route53_domains_domain_summary.py | 2 +- .../awsconnector/route53_hosted_zone.py | 2 +- .../route53_resource_record_set.py | 2 +- .../awsconnector/s3_access_control_policy.py | 2 +- .../awsconnector/s3_access_point.py | 2 +- .../awsconnector/s3_bucket.py | 2 +- .../awsconnector/s3_bucket_policy.py | 2 +- ...lti_region_access_point_policy_document.py | 2 +- .../awsconnector/sage_maker_app.py | 2 +- .../sage_maker_notebook_instance_summary.py | 2 +- .../secrets_manager_resource_policy.py | 2 +- .../awsconnector/secrets_manager_secret.py | 2 +- .../awsconnector/sns_subscription.py | 2 +- .../awsconnector/sns_topic.py | 2 +- .../awsconnector/sqs_queue.py | 2 +- .../awsconnector/ssm_instance_information.py | 2 +- .../awsconnector/ssm_parameter.py | 2 +- .../ssm_resource_compliance_summary_item.py | 2 +- .../awsconnector/waf_web_acl_summary.py | 2 +- .../wafv2_logging_configuration.py | 2 +- .../azureactivedirectory/b2_c_tenant.py | 2 +- .../azureactivedirectory/ciam_tenant.py | 2 +- .../azureactivedirectory/guest_usage.py | 2 +- .../active_directory_connector.py | 2 +- .../azurearcdata/data_controller.py | 2 +- .../azurearcdata/failover_group.py | 2 +- .../azurearcdata/postgres_instance.py | 2 +- .../azurearcdata/sql_managed_instance.py | 2 +- .../sql_server_availability_group.py | 2 +- .../azurearcdata/sql_server_database.py | 2 +- .../azurearcdata/sql_server_esu_license.py | 2 +- .../azurearcdata/sql_server_instance.py | 2 +- .../azurearcdata/sql_server_license.py | 2 +- .../azuredata/sql_server.py | 2 +- .../azuredata/sql_server_registration.py | 2 +- .../azuredatatransfer/connection.py | 2 +- .../azuredatatransfer/flow.py | 2 +- .../azuredatatransfer/pipeline.py | 2 +- .../pulumi_azure_native/azurefleet/fleet.py | 2 +- .../azure_large_instance.py | 2 +- .../azure_large_storage_instance.py | 2 +- .../azureplaywrightservice/account.py | 2 +- .../azuresphere/catalog.py | 2 +- .../azuresphere/deployment.py | 2 +- .../pulumi_azure_native/azuresphere/device.py | 2 +- .../azuresphere/device_group.py | 2 +- .../pulumi_azure_native/azuresphere/image.py | 2 +- .../azuresphere/product.py | 2 +- .../azurestack/customer_subscription.py | 2 +- .../azurestack/linked_subscription.py | 2 +- .../azurestack/registration.py | 2 +- .../azurestackhci/arc_setting.py | 2 +- .../azurestackhci/cluster.py | 2 +- .../azurestackhci/deployment_setting.py | 2 +- .../azurestackhci/extension.py | 2 +- .../azurestackhci/gallery_image.py | 2 +- .../azurestackhci/guest_agent.py | 2 +- .../azurestackhci/hci_edge_device.py | 2 +- .../azurestackhci/hci_edge_device_job.py | 2 +- .../hybrid_identity_metadatum.py | 2 +- .../azurestackhci/logical_network.py | 2 +- .../azurestackhci/machine_extension.py | 2 +- .../marketplace_gallery_image.py | 2 +- .../azurestackhci/network_interface.py | 2 +- .../azurestackhci/network_security_group.py | 2 +- .../azurestackhci/security_rule.py | 2 +- .../azurestackhci/security_setting.py | 2 +- .../azurestackhci/storage_container.py | 2 +- .../azurestackhci/update.py | 2 +- .../azurestackhci/update_run.py | 2 +- .../azurestackhci/update_summary.py | 2 +- .../azurestackhci/virtual_hard_disk.py | 2 +- .../azurestackhci/virtual_machine.py | 2 +- .../azurestackhci/virtual_machine_instance.py | 2 +- .../azurestackhci/virtual_network.py | 2 +- .../azure_bare_metal_instance.py | 2 +- .../azure_bare_metal_storage_instance.py | 2 +- .../pulumi_azure_native/batch/application.py | 2 +- .../batch/application_package.py | 2 +- .../batch/batch_account.py | 2 +- sdk/python/pulumi_azure_native/batch/pool.py | 2 +- .../billing/associated_tenant.py | 2 +- .../billing/billing_profile.py | 2 +- ...ling_role_assignment_by_billing_account.py | 2 +- .../billing_role_assignment_by_department.py | 2 +- ...g_role_assignment_by_enrollment_account.py | 2 +- .../billing/invoice_section.py | 2 +- .../billingbenefits/discount.py | 2 +- .../blueprint/assignment.py | 2 +- .../blueprint/blueprint.py | 2 +- .../blueprint/policy_assignment_artifact.py | 2 +- .../blueprint/published_blueprint.py | 2 +- .../blueprint/role_assignment_artifact.py | 2 +- .../blueprint/template_artifact.py | 2 +- .../pulumi_azure_native/botservice/bot.py | 2 +- .../botservice/bot_connection.py | 2 +- .../pulumi_azure_native/botservice/channel.py | 2 +- .../botservice/private_endpoint_connection.py | 2 +- .../cdn/afd_custom_domain.py | 2 +- .../pulumi_azure_native/cdn/afd_endpoint.py | 2 +- .../pulumi_azure_native/cdn/afd_origin.py | 2 +- .../cdn/afd_origin_group.py | 2 +- .../cdn/afd_target_group.py | 2 +- .../pulumi_azure_native/cdn/custom_domain.py | 2 +- .../pulumi_azure_native/cdn/endpoint.py | 2 +- .../pulumi_azure_native/cdn/key_group.py | 2 +- sdk/python/pulumi_azure_native/cdn/origin.py | 2 +- .../pulumi_azure_native/cdn/origin_group.py | 2 +- sdk/python/pulumi_azure_native/cdn/policy.py | 2 +- sdk/python/pulumi_azure_native/cdn/profile.py | 2 +- sdk/python/pulumi_azure_native/cdn/route.py | 2 +- sdk/python/pulumi_azure_native/cdn/rule.py | 2 +- .../pulumi_azure_native/cdn/rule_set.py | 2 +- sdk/python/pulumi_azure_native/cdn/secret.py | 2 +- .../cdn/security_policy.py | 2 +- .../pulumi_azure_native/cdn/tunnel_policy.py | 2 +- .../app_service_certificate_order.py | 2 +- ...p_service_certificate_order_certificate.py | 2 +- .../changeanalysis/configuration_profile.py | 2 +- .../pulumi_azure_native/chaos/capability.py | 2 +- .../pulumi_azure_native/chaos/experiment.py | 2 +- .../chaos/private_access.py | 2 +- .../pulumi_azure_native/chaos/target.py | 2 +- .../certificate_object_global_rulestack.py | 2 +- .../certificate_object_local_rulestack.py | 2 +- .../pulumi_azure_native/cloudngfw/firewall.py | 2 +- .../cloudngfw/fqdn_list_global_rulestack.py | 2 +- .../cloudngfw/fqdn_list_local_rulestack.py | 2 +- .../cloudngfw/global_rulestack.py | 2 +- .../cloudngfw/local_rule.py | 2 +- .../cloudngfw/local_rulestack.py | 2 +- .../cloudngfw/post_rule.py | 2 +- .../pulumi_azure_native/cloudngfw/pre_rule.py | 2 +- .../cloudngfw/prefix_list_global_rulestack.py | 2 +- .../cloudngfw/prefix_list_local_rulestack.py | 2 +- .../codesigning/certificate_profile.py | 2 +- .../codesigning/code_signing_account.py | 2 +- .../cognitiveservices/account.py | 2 +- .../cognitiveservices/commitment_plan.py | 2 +- .../commitment_plan_association.py | 2 +- .../cognitiveservices/deployment.py | 2 +- .../cognitiveservices/encryption_scope.py | 2 +- .../private_endpoint_connection.py | 2 +- .../cognitiveservices/rai_blocklist.py | 2 +- .../cognitiveservices/rai_blocklist_item.py | 2 +- .../cognitiveservices/rai_policy.py | 2 +- .../shared_commitment_plan.py | 2 +- .../communication/communication_service.py | 2 +- .../communication/domain.py | 2 +- .../communication/email_service.py | 2 +- .../communication/sender_username.py | 2 +- .../communication/suppression_list.py | 2 +- .../communication/suppression_list_address.py | 2 +- .../community/community_training.py | 2 +- .../compute/availability_set.py | 2 +- .../compute/capacity_reservation.py | 2 +- .../compute/capacity_reservation_group.py | 2 +- .../compute/cloud_service.py | 2 +- .../compute/dedicated_host.py | 2 +- .../compute/dedicated_host_group.py | 2 +- .../pulumi_azure_native/compute/disk.py | 2 +- .../compute/disk_access.py | 2 +- ...sk_access_a_private_endpoint_connection.py | 2 +- .../compute/disk_encryption_set.py | 2 +- .../pulumi_azure_native/compute/gallery.py | 2 +- .../compute/gallery_application.py | 2 +- .../compute/gallery_application_version.py | 2 +- .../compute/gallery_image.py | 2 +- .../compute/gallery_image_version.py | 2 +- .../gallery_in_vm_access_control_profile.py | 2 +- ...ry_in_vm_access_control_profile_version.py | 2 +- .../pulumi_azure_native/compute/image.py | 2 +- .../compute/proximity_placement_group.py | 2 +- .../compute/restore_point.py | 2 +- .../compute/restore_point_collection.py | 2 +- .../pulumi_azure_native/compute/snapshot.py | 2 +- .../compute/ssh_public_key.py | 2 +- .../compute/virtual_machine.py | 2 +- .../compute/virtual_machine_extension.py | 2 +- ..._machine_run_command_by_virtual_machine.py | 2 +- .../compute/virtual_machine_scale_set.py | 2 +- .../virtual_machine_scale_set_extension.py | 2 +- .../compute/virtual_machine_scale_set_vm.py | 2 +- .../virtual_machine_scale_set_vm_extension.py | 2 +- ...irtual_machine_scale_set_vm_run_command.py | 2 +- .../confidentialledger/ledger.py | 2 +- .../confidentialledger/managed_ccf.py | 2 +- .../confluent/connector.py | 2 +- .../confluent/organization.py | 2 +- .../confluent/organization_cluster_by_id.py | 2 +- .../organization_environment_by_id.py | 2 +- .../pulumi_azure_native/confluent/topic.py | 2 +- .../connectedcache/cache_nodes_operation.py | 2 +- .../enterprise_customer_operation.py | 2 +- .../enterprise_mcc_cache_nodes_operation.py | 2 +- .../connectedcache/enterprise_mcc_customer.py | 2 +- .../isp_cache_nodes_operation.py | 2 +- .../connectedcache/isp_customer.py | 2 +- .../connectedvmwarevsphere/cluster.py | 2 +- .../connectedvmwarevsphere/datastore.py | 2 +- .../connectedvmwarevsphere/guest_agent.py | 2 +- .../connectedvmwarevsphere/host.py | 2 +- .../hybrid_identity_metadatum.py | 2 +- .../connectedvmwarevsphere/inventory_item.py | 2 +- .../machine_extension.py | 2 +- .../connectedvmwarevsphere/resource_pool.py | 2 +- .../connectedvmwarevsphere/v_center.py | 2 +- .../connectedvmwarevsphere/virtual_machine.py | 2 +- .../virtual_machine_instance.py | 2 +- .../virtual_machine_template.py | 2 +- .../connectedvmwarevsphere/virtual_network.py | 2 +- .../vm_instance_guest_agent.py | 2 +- .../pulumi_azure_native/consumption/budget.py | 2 +- .../containerinstance/container_group.py | 2 +- .../container_group_profile.py | 2 +- .../containerregistry/agent_pool.py | 2 +- .../containerregistry/archife.py | 2 +- .../containerregistry/archive_version.py | 2 +- .../containerregistry/cache_rule.py | 2 +- .../containerregistry/connected_registry.py | 2 +- .../containerregistry/credential_set.py | 2 +- .../containerregistry/export_pipeline.py | 2 +- .../containerregistry/import_pipeline.py | 2 +- .../containerregistry/pipeline_run.py | 2 +- .../private_endpoint_connection.py | 2 +- .../containerregistry/registry.py | 2 +- .../containerregistry/replication.py | 2 +- .../containerregistry/scope_map.py | 2 +- .../containerregistry/task.py | 2 +- .../containerregistry/task_run.py | 2 +- .../containerregistry/token.py | 2 +- .../containerregistry/webhook.py | 2 +- .../containerservice/agent_pool.py | 2 +- .../containerservice/auto_upgrade_profile.py | 2 +- .../containerservice/fleet.py | 2 +- .../containerservice/fleet_member.py | 2 +- .../containerservice/fleet_update_strategy.py | 2 +- .../containerservice/load_balancer.py | 2 +- .../maintenance_configuration.py | 2 +- .../containerservice/managed_cluster.py | 2 +- .../managed_cluster_snapshot.py | 2 +- .../private_endpoint_connection.py | 2 +- .../containerservice/snapshot.py | 2 +- .../trusted_access_role_binding.py | 2 +- .../containerservice/update_run.py | 2 +- .../containerstorage/pool.py | 2 +- .../containerstorage/snapshot.py | 2 +- .../containerstorage/volume.py | 2 +- .../pulumi_azure_native/contoso/employee.py | 2 +- .../cosmosdb/cassandra_cluster.py | 2 +- .../cosmosdb/cassandra_data_center.py | 2 +- .../cassandra_resource_cassandra_keyspace.py | 2 +- .../cassandra_resource_cassandra_table.py | 2 +- .../cassandra_resource_cassandra_view.py | 2 +- .../cosmosdb/database_account.py | 2 +- .../database_account_cassandra_keyspace.py | 2 +- .../database_account_cassandra_table.py | 2 +- .../database_account_gremlin_database.py | 2 +- .../database_account_gremlin_graph.py | 2 +- .../database_account_mongo_db_collection.py | 2 +- .../database_account_mongo_db_database.py | 2 +- .../database_account_sql_container.py | 2 +- .../cosmosdb/database_account_sql_database.py | 2 +- .../cosmosdb/database_account_table.py | 2 +- .../cosmosdb/graph_resource_graph.py | 2 +- .../gremlin_resource_gremlin_database.py | 2 +- .../gremlin_resource_gremlin_graph.py | 2 +- .../cosmosdb/mongo_cluster.py | 2 +- .../cosmosdb/mongo_cluster_firewall_rule.py | 2 +- .../mongo_db_resource_mongo_db_collection.py | 2 +- .../mongo_db_resource_mongo_db_database.py | 2 +- ...mongo_db_resource_mongo_role_definition.py | 2 +- ...mongo_db_resource_mongo_user_definition.py | 2 +- .../cosmosdb/notebook_workspace.py | 2 +- .../cosmosdb/private_endpoint_connection.py | 2 +- .../pulumi_azure_native/cosmosdb/service.py | 2 +- .../cosmosdb/sql_resource_sql_container.py | 2 +- .../cosmosdb/sql_resource_sql_database.py | 2 +- .../sql_resource_sql_role_assignment.py | 2 +- .../sql_resource_sql_role_definition.py | 2 +- .../sql_resource_sql_stored_procedure.py | 2 +- .../cosmosdb/sql_resource_sql_trigger.py | 2 +- .../sql_resource_sql_user_defined_function.py | 2 +- .../cosmosdb/table_resource_table.py | 2 +- .../table_resource_table_role_assignment.py | 2 +- .../table_resource_table_role_definition.py | 2 +- .../cosmosdb/throughput_pool.py | 2 +- .../cosmosdb/throughput_pool_account.py | 2 +- .../costmanagement/budget.py | 2 +- .../costmanagement/cloud_connector.py | 2 +- .../costmanagement/connector.py | 2 +- .../costmanagement/cost_allocation_rule.py | 2 +- .../costmanagement/export.py | 2 +- .../costmanagement/markup_rule.py | 2 +- .../costmanagement/report.py | 2 +- .../report_by_billing_account.py | 2 +- .../costmanagement/report_by_department.py | 2 +- .../report_by_resource_group_name.py | 2 +- .../costmanagement/scheduled_action.py | 2 +- .../scheduled_action_by_scope.py | 2 +- .../costmanagement/setting.py | 2 +- .../costmanagement/tag_inheritance_setting.py | 2 +- .../costmanagement/view.py | 2 +- .../costmanagement/view_by_scope.py | 2 +- .../customerinsights/connector.py | 2 +- .../customerinsights/connector_mapping.py | 2 +- .../customerinsights/hub.py | 2 +- .../customerinsights/kpi.py | 2 +- .../customerinsights/link.py | 2 +- .../customerinsights/prediction.py | 2 +- .../customerinsights/profile.py | 2 +- .../customerinsights/relationship.py | 2 +- .../customerinsights/relationship_link.py | 2 +- .../customerinsights/role_assignment.py | 2 +- .../customerinsights/view.py | 2 +- .../customproviders/association.py | 2 +- .../custom_resource_provider.py | 2 +- .../pulumi_azure_native/dashboard/grafana.py | 2 +- .../dashboard/integration_fabric.py | 2 +- .../dashboard/managed_private_endpoint.py | 2 +- .../dashboard/private_endpoint_connection.py | 2 +- .../databasefleetmanager/firewall_rule.py | 2 +- .../databasefleetmanager/fleet.py | 2 +- .../databasefleetmanager/fleet_database.py | 2 +- .../databasefleetmanager/fleet_tier.py | 2 +- .../databasefleetmanager/fleetspace.py | 2 +- .../databasewatcher/alert_rule_resource.py | 2 +- .../shared_private_link_resource.py | 2 +- .../databasewatcher/target.py | 2 +- .../databasewatcher/watcher.py | 2 +- sdk/python/pulumi_azure_native/databox/job.py | 2 +- .../databoxedge/arc_addon.py | 2 +- .../databoxedge/bandwidth_schedule.py | 2 +- .../databoxedge/cloud_edge_management_role.py | 2 +- .../databoxedge/container.py | 2 +- .../pulumi_azure_native/databoxedge/device.py | 2 +- .../databoxedge/file_event_trigger.py | 2 +- .../databoxedge/io_t_addon.py | 2 +- .../databoxedge/io_t_role.py | 2 +- .../databoxedge/kubernetes_role.py | 2 +- .../databoxedge/mec_role.py | 2 +- .../databoxedge/monitoring_config.py | 2 +- .../pulumi_azure_native/databoxedge/order.py | 2 +- .../periodic_timer_event_trigger.py | 2 +- .../pulumi_azure_native/databoxedge/share.py | 2 +- .../databoxedge/storage_account.py | 2 +- .../databoxedge/storage_account_credential.py | 2 +- .../pulumi_azure_native/databoxedge/user.py | 2 +- .../databricks/access_connector.py | 2 +- .../databricks/private_endpoint_connection.py | 2 +- .../databricks/v_net_peering.py | 2 +- .../databricks/workspace.py | 2 +- .../datacatalog/adc_catalog.py | 2 +- .../pulumi_azure_native/datadog/monitor.py | 2 +- .../datadog/monitored_subscription.py | 2 +- .../datafactory/change_data_capture.py | 2 +- .../datafactory/credential_operation.py | 2 +- .../datafactory/data_flow.py | 2 +- .../datafactory/dataset.py | 2 +- .../datafactory/factory.py | 2 +- .../datafactory/global_parameter.py | 2 +- .../datafactory/integration_runtime.py | 2 +- .../datafactory/linked_service.py | 2 +- .../datafactory/managed_private_endpoint.py | 2 +- .../datafactory/pipeline.py | 2 +- .../private_endpoint_connection.py | 2 +- .../datafactory/trigger.py | 2 +- .../datalakeanalytics/account.py | 2 +- .../datalakeanalytics/compute_policy.py | 2 +- .../datalakeanalytics/firewall_rule.py | 2 +- .../datalakestore/account.py | 2 +- .../datalakestore/firewall_rule.py | 2 +- .../datalakestore/trusted_id_provider.py | 2 +- .../datalakestore/virtual_network_rule.py | 2 +- ..._migrations_mongo_to_cosmos_db_ru_mongo.py | 2 +- ...grations_mongo_to_cosmos_dbv_core_mongo.py | 2 +- .../database_migrations_sql_db.py | 2 +- .../pulumi_azure_native/datamigration/file.py | 2 +- .../datamigration/migration_service.py | 2 +- .../datamigration/project.py | 2 +- .../datamigration/service.py | 2 +- .../datamigration/service_task.py | 2 +- .../datamigration/sql_migration_service.py | 2 +- .../pulumi_azure_native/datamigration/task.py | 2 +- .../dataprotection/backup_instance.py | 2 +- .../dataprotection/backup_policy.py | 2 +- .../dataprotection/backup_vault.py | 2 +- .../dpp_resource_guard_proxy.py | 2 +- .../dataprotection/resource_guard.py | 2 +- .../datareplication/dra.py | 2 +- .../datareplication/fabric.py | 2 +- .../datareplication/policy.py | 2 +- .../datareplication/protected_item.py | 2 +- .../datareplication/replication_extension.py | 2 +- .../datareplication/vault.py | 2 +- .../pulumi_azure_native/datashare/account.py | 2 +- .../datashare/adls_gen1_file_data_set.py | 2 +- .../datashare/adls_gen1_folder_data_set.py | 2 +- .../datashare/adls_gen2_file_data_set.py | 2 +- .../adls_gen2_file_data_set_mapping.py | 2 +- .../adls_gen2_file_system_data_set.py | 2 +- .../adls_gen2_file_system_data_set_mapping.py | 2 +- .../datashare/adls_gen2_folder_data_set.py | 2 +- .../adls_gen2_folder_data_set_mapping.py | 2 +- .../datashare/blob_container_data_set.py | 2 +- .../blob_container_data_set_mapping.py | 2 +- .../datashare/blob_data_set.py | 2 +- .../datashare/blob_data_set_mapping.py | 2 +- .../datashare/blob_folder_data_set.py | 2 +- .../datashare/blob_folder_data_set_mapping.py | 2 +- .../datashare/invitation.py | 2 +- .../datashare/kusto_cluster_data_set.py | 2 +- .../kusto_cluster_data_set_mapping.py | 2 +- .../datashare/kusto_database_data_set.py | 2 +- .../kusto_database_data_set_mapping.py | 2 +- .../datashare/kusto_table_data_set.py | 2 +- .../datashare/kusto_table_data_set_mapping.py | 2 +- .../scheduled_synchronization_setting.py | 2 +- .../datashare/scheduled_trigger.py | 2 +- .../pulumi_azure_native/datashare/share.py | 2 +- .../datashare/share_subscription.py | 2 +- .../datashare/sql_db_table_data_set.py | 2 +- .../sql_db_table_data_set_mapping.py | 2 +- .../datashare/sql_dw_table_data_set.py | 2 +- .../sql_dw_table_data_set_mapping.py | 2 +- ...napse_workspace_sql_pool_table_data_set.py | 2 +- ...rkspace_sql_pool_table_data_set_mapping.py | 2 +- .../dbformariadb/configuration.py | 2 +- .../dbformariadb/database.py | 2 +- .../dbformariadb/firewall_rule.py | 2 +- .../private_endpoint_connection.py | 2 +- .../dbformariadb/server.py | 2 +- .../dbformariadb/virtual_network_rule.py | 2 +- .../dbformysql/azure_ad_administrator.py | 2 +- .../dbformysql/configuration.py | 2 +- .../dbformysql/database.py | 2 +- .../dbformysql/firewall_rule.py | 2 +- .../dbformysql/private_endpoint_connection.py | 2 +- .../pulumi_azure_native/dbformysql/server.py | 2 +- .../dbformysql/single_server.py | 2 +- .../dbformysql/single_server_configuration.py | 2 +- .../dbformysql/single_server_database.py | 2 +- .../dbformysql/single_server_firewall_rule.py | 2 +- .../single_server_server_administrator.py | 2 +- .../single_server_virtual_network_rule.py | 2 +- .../dbforpostgresql/administrator.py | 2 +- .../dbforpostgresql/backup.py | 2 +- .../dbforpostgresql/configuration.py | 2 +- .../dbforpostgresql/database.py | 2 +- .../dbforpostgresql/firewall_rule.py | 2 +- .../dbforpostgresql/migration.py | 2 +- .../private_endpoint_connection.py | 2 +- .../dbforpostgresql/server.py | 2 +- .../dbforpostgresql/server_group_cluster.py | 2 +- .../server_group_firewall_rule.py | 2 +- ...erver_group_private_endpoint_connection.py | 2 +- .../dbforpostgresql/server_group_role.py | 2 +- .../dbforpostgresql/single_server.py | 2 +- .../single_server_configuration.py | 2 +- .../dbforpostgresql/single_server_database.py | 2 +- .../single_server_firewall_rule.py | 2 +- .../single_server_server_administrator.py | 2 +- ...gle_server_server_security_alert_policy.py | 2 +- .../single_server_virtual_network_rule.py | 2 +- .../dbforpostgresql/virtual_endpoint.py | 2 +- .../delegatednetwork/controller_details.py | 2 +- .../delegated_subnet_service_details.py | 2 +- .../orchestrator_instance_service_details.py | 2 +- .../dependencymap/discovery_source.py | 2 +- .../pulumi_azure_native/dependencymap/map.py | 2 +- .../app_attach_package.py | 2 +- .../desktopvirtualization/application.py | 2 +- .../application_group.py | 2 +- .../desktopvirtualization/host_pool.py | 2 +- .../desktopvirtualization/msix_package.py | 2 +- ...rivate_endpoint_connection_by_host_pool.py | 2 +- ...rivate_endpoint_connection_by_workspace.py | 2 +- .../desktopvirtualization/scaling_plan.py | 2 +- .../scaling_plan_personal_schedule.py | 2 +- .../scaling_plan_pooled_schedule.py | 2 +- .../desktopvirtualization/workspace.py | 2 +- .../attached_network_by_dev_center.py | 2 +- .../pulumi_azure_native/devcenter/catalog.py | 2 +- .../devcenter/curation_profile.py | 2 +- .../devcenter/dev_box_definition.py | 2 +- .../devcenter/dev_center.py | 2 +- .../devcenter/encryption_set.py | 2 +- .../devcenter/environment_type.py | 2 +- .../pulumi_azure_native/devcenter/gallery.py | 2 +- .../devcenter/network_connection.py | 2 +- .../pulumi_azure_native/devcenter/plan.py | 2 +- .../devcenter/plan_member.py | 2 +- .../pulumi_azure_native/devcenter/pool.py | 2 +- .../pulumi_azure_native/devcenter/project.py | 2 +- .../devcenter/project_catalog.py | 2 +- .../devcenter/project_environment_type.py | 2 +- .../devcenter/project_policy.py | 2 +- .../pulumi_azure_native/devcenter/schedule.py | 2 +- .../pulumi_azure_native/devhub/iac_profile.py | 2 +- .../pulumi_azure_native/devhub/workflow.py | 2 +- .../dps_certificate.py | 2 +- .../iot_dps_resource.py | 2 +- ...ps_resource_private_endpoint_connection.py | 2 +- .../deviceregistry/asset.py | 2 +- .../deviceregistry/asset_endpoint_profile.py | 2 +- .../deviceregistry/discovered_asset.py | 2 +- .../discovered_asset_endpoint_profile.py | 2 +- .../deviceregistry/schema.py | 2 +- .../deviceregistry/schema_registry.py | 2 +- .../deviceregistry/schema_version.py | 2 +- .../deviceupdate/account.py | 2 +- .../deviceupdate/instance.py | 2 +- .../private_endpoint_connection.py | 2 +- .../private_endpoint_connection_proxy.py | 2 +- .../devopsinfrastructure/pool.py | 2 +- .../devspaces/controller.py | 2 +- .../devtestlab/artifact_source.py | 2 +- .../devtestlab/custom_image.py | 2 +- .../pulumi_azure_native/devtestlab/disk.py | 2 +- .../devtestlab/environment.py | 2 +- .../pulumi_azure_native/devtestlab/formula.py | 2 +- .../devtestlab/global_schedule.py | 2 +- .../pulumi_azure_native/devtestlab/lab.py | 2 +- .../devtestlab/notification_channel.py | 2 +- .../pulumi_azure_native/devtestlab/policy.py | 2 +- .../devtestlab/schedule.py | 2 +- .../pulumi_azure_native/devtestlab/secret.py | 2 +- .../devtestlab/service_fabric.py | 2 +- .../devtestlab/service_fabric_schedule.py | 2 +- .../devtestlab/service_runner.py | 2 +- .../pulumi_azure_native/devtestlab/user.py | 2 +- .../devtestlab/virtual_machine.py | 2 +- .../devtestlab/virtual_machine_schedule.py | 2 +- .../devtestlab/virtual_network.py | 2 +- .../digitaltwins/digital_twin.py | 2 +- .../digitaltwins/digital_twins_endpoint.py | 2 +- .../private_endpoint_connection.py | 2 +- .../time_series_database_connection.py | 2 +- .../pulumi_azure_native/dns/dnssec_config.py | 2 +- .../pulumi_azure_native/dns/record_set.py | 2 +- sdk/python/pulumi_azure_native/dns/zone.py | 2 +- .../dnsresolver/dns_forwarding_ruleset.py | 2 +- .../dnsresolver/dns_resolver.py | 2 +- .../dnsresolver/dns_resolver_domain_list.py | 2 +- .../dnsresolver/dns_resolver_policy.py | 2 +- ...ns_resolver_policy_virtual_network_link.py | 2 +- .../dnsresolver/dns_security_rule.py | 2 +- .../dnsresolver/forwarding_rule.py | 2 +- .../dnsresolver/inbound_endpoint.py | 2 +- .../dnsresolver/outbound_endpoint.py | 2 +- .../private_resolver_virtual_network_link.py | 2 +- .../domainregistration/domain.py | 2 +- .../domain_ownership_identifier.py | 2 +- .../durabletask/scheduler.py | 2 +- .../durabletask/task_hub.py | 2 +- .../instance_details.py | 2 +- .../easm/label_by_workspace.py | 2 +- .../pulumi_azure_native/easm/workspace.py | 2 +- sdk/python/pulumi_azure_native/edge/site.py | 2 +- .../edge/sites_by_subscription.py | 2 +- .../pulumi_azure_native/edgeorder/address.py | 2 +- .../edgeorder/order_item.py | 2 +- .../pulumi_azure_native/education/lab.py | 2 +- .../pulumi_azure_native/education/student.py | 2 +- .../pulumi_azure_native/elastic/monitor.py | 2 +- .../elastic/monitored_subscription.py | 2 +- .../pulumi_azure_native/elastic/open_ai.py | 2 +- .../pulumi_azure_native/elastic/tag_rule.py | 2 +- .../elasticsan/elastic_san.py | 2 +- .../elasticsan/private_endpoint_connection.py | 2 +- .../pulumi_azure_native/elasticsan/volume.py | 2 +- .../elasticsan/volume_group.py | 2 +- .../elasticsan/volume_snapshot.py | 2 +- .../engagementfabric/account.py | 2 +- .../engagementfabric/channel.py | 2 +- .../enterprise_knowledge_graph.py | 2 +- .../eventgrid/ca_certificate.py | 2 +- .../pulumi_azure_native/eventgrid/channel.py | 2 +- .../pulumi_azure_native/eventgrid/client.py | 2 +- .../eventgrid/client_group.py | 2 +- .../pulumi_azure_native/eventgrid/domain.py | 2 +- .../eventgrid/domain_event_subscription.py | 2 +- .../eventgrid/domain_topic.py | 2 +- .../domain_topic_event_subscription.py | 2 +- .../eventgrid/event_subscription.py | 2 +- .../eventgrid/namespace.py | 2 +- .../eventgrid/namespace_topic.py | 2 +- .../namespace_topic_event_subscription.py | 2 +- .../eventgrid/partner_configuration.py | 2 +- .../eventgrid/partner_destination.py | 2 +- .../eventgrid/partner_namespace.py | 2 +- .../eventgrid/partner_registration.py | 2 +- .../eventgrid/partner_topic.py | 2 +- .../partner_topic_event_subscription.py | 2 +- .../eventgrid/permission_binding.py | 2 +- .../eventgrid/private_endpoint_connection.py | 2 +- .../eventgrid/system_topic.py | 2 +- .../system_topic_event_subscription.py | 2 +- .../pulumi_azure_native/eventgrid/topic.py | 2 +- .../eventgrid/topic_event_subscription.py | 2 +- .../eventgrid/topic_space.py | 2 +- .../eventhub/application_group.py | 2 +- .../pulumi_azure_native/eventhub/cluster.py | 2 +- .../eventhub/consumer_group.py | 2 +- .../eventhub/disaster_recovery_config.py | 2 +- .../pulumi_azure_native/eventhub/event_hub.py | 2 +- .../eventhub/event_hub_authorization_rule.py | 2 +- .../pulumi_azure_native/eventhub/namespace.py | 2 +- .../eventhub/namespace_authorization_rule.py | 2 +- .../eventhub/namespace_ip_filter_rule.py | 2 +- .../eventhub/namespace_network_rule_set.py | 2 +- .../namespace_virtual_network_rule.py | 2 +- .../eventhub/private_endpoint_connection.py | 2 +- .../eventhub/schema_registry.py | 2 +- .../extendedlocation/custom_location.py | 2 +- .../extendedlocation/resource_sync_rule.py | 2 +- .../fabric/fabric_capacity.py | 2 +- .../subscription_feature_registration.py | 2 +- .../fluidrelay/fluid_relay_server.py | 2 +- .../frontdoor/experiment.py | 2 +- .../frontdoor/front_door.py | 2 +- .../frontdoor/network_experiment_profile.py | 2 +- .../pulumi_azure_native/frontdoor/policy.py | 2 +- .../frontdoor/rules_engine.py | 2 +- .../graphservices/account.py | 2 +- .../guest_configuration_assignment.py | 2 +- .../guest_configuration_assignments_vmss.py | 2 +- ...on_connected_v_mwarev_sphere_assignment.py | 2 +- .../guest_configuration_hcrpassignment.py | 2 +- .../cloud_hsm_cluster.py | 2 +- ...hsm_cluster_private_endpoint_connection.py | 2 +- .../hardwaresecuritymodules/dedicated_hsm.py | 2 +- .../hdinsight/application.py | 2 +- .../pulumi_azure_native/hdinsight/cluster.py | 2 +- .../hdinsight/cluster_pool.py | 2 +- .../hdinsight/cluster_pool_cluster.py | 2 +- .../hdinsight/private_endpoint_connection.py | 2 +- .../pulumi_azure_native/healthbot/bot.py | 2 +- .../healthcareapis/analytics_connector.py | 2 +- .../healthcareapis/dicom_service.py | 2 +- .../healthcareapis/fhir_service.py | 2 +- .../healthcareapis/iot_connector.py | 2 +- .../iot_connector_fhir_destination.py | 2 +- .../private_endpoint_connection.py | 2 +- .../healthcareapis/service.py | 2 +- .../healthcareapis/workspace.py | 2 +- .../workspace_private_endpoint_connection.py | 2 +- .../healthdataaiservices/deid_service.py | 2 +- .../private_endpoint_connection.py | 2 +- .../hybridcloud/cloud_connection.py | 2 +- .../hybridcloud/cloud_connector.py | 2 +- .../hybridcompute/gateway.py | 2 +- .../hybridcompute/license.py | 2 +- .../hybridcompute/license_profile.py | 2 +- .../hybridcompute/machine.py | 2 +- .../hybridcompute/machine_extension.py | 2 +- .../hybridcompute/machine_run_command.py | 2 +- .../private_endpoint_connection.py | 2 +- .../hybridcompute/private_link_scope.py | 2 +- .../private_link_scoped_resource.py | 2 +- .../hybridconnectivity/endpoint.py | 2 +- .../public_cloud_connector.py | 2 +- .../service_configuration.py | 2 +- .../solution_configuration.py | 2 +- .../hybridcontainerservice/agent_pool.py | 2 +- ...ster_instance_hybrid_identity_metadatum.py | 2 +- .../hybrid_identity_metadatum.py | 2 +- .../provisioned_cluster.py | 2 +- .../storage_space_retrieve.py | 2 +- .../virtual_network_retrieve.py | 2 +- .../hybriddata/data_manager.py | 2 +- .../hybriddata/data_store.py | 2 +- .../hybriddata/job_definition.py | 2 +- .../hybridnetwork/artifact_manifest.py | 2 +- .../hybridnetwork/artifact_store.py | 2 +- .../configuration_group_schema.py | 2 +- .../configuration_group_value.py | 2 +- .../hybridnetwork/device.py | 2 +- .../hybridnetwork/network_function.py | 2 +- .../network_function_definition_group.py | 2 +- .../network_function_definition_version.py | 2 +- .../network_service_design_group.py | 2 +- .../network_service_design_version.py | 2 +- .../hybridnetwork/publisher.py | 2 +- .../pulumi_azure_native/hybridnetwork/site.py | 2 +- .../hybridnetwork/site_network_service.py | 2 +- .../hybridnetwork/vendor.py | 2 +- .../hybridnetwork/vendor_sku_preview.py | 2 +- .../hybridnetwork/vendor_skus.py | 2 +- .../pulumi_azure_native/impact/connector.py | 2 +- .../pulumi_azure_native/impact/insight.py | 2 +- .../impact/workload_impact.py | 2 +- .../pulumi_azure_native/importexport/job.py | 2 +- .../integrationspaces/application.py | 2 +- .../integrationspaces/application_resource.py | 2 +- .../integrationspaces/business_process.py | 2 +- .../infrastructure_resource.py | 2 +- .../integrationspaces/space.py | 2 +- .../intune/android_mam_policy_by_name.py | 2 +- .../intune/io_mam_policy_by_name.py | 2 +- .../pulumi_azure_native/iotcentral/app.py | 2 +- .../iotcentral/private_endpoint_connection.py | 2 +- .../iotfirmwaredefense/firmware.py | 2 +- .../iotfirmwaredefense/workspace.py | 2 +- .../pulumi_azure_native/iothub/certificate.py | 2 +- .../iothub/iot_hub_resource.py | 2 +- ...t_hub_resource_event_hub_consumer_group.py | 2 +- .../iothub/private_endpoint_connection.py | 2 +- .../iotoperations/broker.py | 2 +- .../iotoperations/broker_authentication.py | 2 +- .../iotoperations/broker_authorization.py | 2 +- .../iotoperations/broker_listener.py | 2 +- .../iotoperations/dataflow.py | 2 +- .../iotoperations/dataflow_endpoint.py | 2 +- .../iotoperations/dataflow_profile.py | 2 +- .../iotoperations/instance.py | 2 +- .../iotoperationsdataprocessor/dataset.py | 2 +- .../iotoperationsdataprocessor/instance.py | 2 +- .../iotoperationsdataprocessor/pipeline.py | 2 +- .../iotoperationsmq/broker.py | 2 +- .../iotoperationsmq/broker_authentication.py | 2 +- .../iotoperationsmq/broker_authorization.py | 2 +- .../iotoperationsmq/broker_listener.py | 2 +- .../iotoperationsmq/data_lake_connector.py | 2 +- .../data_lake_connector_topic_map.py | 2 +- .../iotoperationsmq/diagnostic_service.py | 2 +- .../iotoperationsmq/kafka_connector.py | 2 +- .../kafka_connector_topic_map.py | 2 +- .../pulumi_azure_native/iotoperationsmq/mq.py | 2 +- .../iotoperationsmq/mqtt_bridge_connector.py | 2 +- .../iotoperationsmq/mqtt_bridge_topic_map.py | 2 +- .../iotoperationsorchestrator/instance.py | 2 +- .../iotoperationsorchestrator/solution.py | 2 +- .../iotoperationsorchestrator/target.py | 2 +- .../pulumi_azure_native/keyvault/key.py | 2 +- .../keyvault/managed_hsm.py | 2 +- .../mhsm_private_endpoint_connection.py | 2 +- .../keyvault/private_endpoint_connection.py | 2 +- .../pulumi_azure_native/keyvault/secret.py | 2 +- .../pulumi_azure_native/keyvault/vault.py | 2 +- .../kubernetes/connected_cluster.py | 2 +- .../kubernetesconfiguration/extension.py | 2 +- .../flux_configuration.py | 2 +- .../private_endpoint_connection.py | 2 +- .../private_link_scope.py | 2 +- .../source_control_configuration.py | 2 +- .../kubernetesruntime/bgp_peer.py | 2 +- .../kubernetesruntime/load_balancer.py | 2 +- .../kubernetesruntime/service.py | 2 +- .../kubernetesruntime/storage_class.py | 2 +- .../kusto/attached_database_configuration.py | 2 +- .../pulumi_azure_native/kusto/cluster.py | 2 +- .../kusto/cluster_principal_assignment.py | 2 +- .../kusto/cosmos_db_data_connection.py | 2 +- .../kusto/database_principal_assignment.py | 2 +- .../kusto/event_grid_data_connection.py | 2 +- .../kusto/event_hub_connection.py | 2 +- .../kusto/event_hub_data_connection.py | 2 +- .../kusto/iot_hub_data_connection.py | 2 +- .../kusto/managed_private_endpoint.py | 2 +- .../kusto/private_endpoint_connection.py | 2 +- .../kusto/read_only_following_database.py | 2 +- .../kusto/read_write_database.py | 2 +- .../kusto/sandbox_custom_image.py | 2 +- .../pulumi_azure_native/kusto/script.py | 2 +- .../pulumi_azure_native/labservices/lab.py | 2 +- .../labservices/lab_plan.py | 2 +- .../labservices/schedule.py | 2 +- .../pulumi_azure_native/labservices/user.py | 2 +- .../loadtestservice/load_test.py | 2 +- .../loadtestservice/load_test_mapping.py | 2 +- .../load_test_profile_mapping.py | 2 +- .../logic/integration_account.py | 2 +- .../logic/integration_account_agreement.py | 2 +- .../logic/integration_account_assembly.py | 2 +- ...integration_account_batch_configuration.py | 2 +- .../logic/integration_account_certificate.py | 2 +- .../logic/integration_account_map.py | 2 +- .../logic/integration_account_partner.py | 2 +- .../logic/integration_account_schema.py | 2 +- .../logic/integration_account_session.py | 2 +- .../logic/integration_service_environment.py | 2 +- ...gration_service_environment_managed_api.py | 2 +- .../rosetta_net_process_configuration.py | 2 +- .../pulumi_azure_native/logic/workflow.py | 2 +- .../logic/workflow_access_key.py | 2 +- .../private_endpoint_connections_adt_api.py | 2 +- .../private_endpoint_connections_comp.py | 2 +- .../private_endpoint_connections_for_edm.py | 2 +- ...ndpoint_connections_for_mip_policy_sync.py | 2 +- ...endpoint_connections_for_scc_powershell.py | 2 +- .../private_endpoint_connections_sec.py | 2 +- .../private_link_services_for_edm_upload.py | 2 +- ...ink_services_for_m365_compliance_center.py | 2 +- ..._link_services_for_m365_security_center.py | 2 +- ...ivate_link_services_for_mip_policy_sync.py | 2 +- ...rvices_for_o365_management_activity_api.py | 2 +- ...rivate_link_services_for_scc_powershell.py | 2 +- .../machinelearning/workspace.py | 2 +- .../batch_deployment.py | 2 +- .../machinelearningservices/batch_endpoint.py | 2 +- .../capability_host.py | 2 +- .../capacity_reservation_group.py | 2 +- .../machinelearningservices/code_container.py | 2 +- .../machinelearningservices/code_version.py | 2 +- .../component_container.py | 2 +- .../component_version.py | 2 +- .../machinelearningservices/compute.py | 2 +- .../connection_deployment.py | 2 +- .../connection_rai_blocklist.py | 2 +- .../connection_rai_blocklist_item.py | 2 +- .../connection_rai_policy.py | 2 +- .../machinelearningservices/data_container.py | 2 +- .../machinelearningservices/data_version.py | 2 +- .../machinelearningservices/datastore.py | 2 +- .../endpoint_deployment.py | 2 +- .../environment_container.py | 2 +- .../environment_specification_version.py | 2 +- .../environment_version.py | 2 +- .../featureset_container_entity.py | 2 +- .../featureset_version.py | 2 +- .../featurestore_entity_container_entity.py | 2 +- .../featurestore_entity_version.py | 2 +- .../inference_endpoint.py | 2 +- .../inference_group.py | 2 +- .../machinelearningservices/inference_pool.py | 2 +- .../machinelearningservices/job.py | 2 +- .../machinelearningservices/labeling_job.py | 2 +- .../machinelearningservices/linked_service.py | 2 +- .../linked_workspace.py | 2 +- .../machine_learning_dataset.py | 2 +- .../machine_learning_datastore.py | 2 +- .../managed_network_settings_rule.py | 2 +- .../marketplace_subscription.py | 2 +- .../model_container.py | 2 +- .../machinelearningservices/model_version.py | 2 +- .../online_deployment.py | 2 +- .../online_endpoint.py | 2 +- .../private_endpoint_connection.py | 2 +- .../machinelearningservices/rai_policy.py | 2 +- .../machinelearningservices/registry.py | 2 +- .../registry_code_container.py | 2 +- .../registry_code_version.py | 2 +- .../registry_component_container.py | 2 +- .../registry_component_version.py | 2 +- .../registry_data_container.py | 2 +- .../registry_data_version.py | 2 +- .../registry_environment_container.py | 2 +- .../registry_environment_version.py | 2 +- .../registry_model_container.py | 2 +- .../registry_model_version.py | 2 +- .../machinelearningservices/schedule.py | 2 +- .../serverless_endpoint.py | 2 +- .../machinelearningservices/workspace.py | 2 +- .../workspace_connection.py | 2 +- .../maintenance/configuration_assignment.py | 2 +- .../configuration_assignment_parent.py | 2 +- ...guration_assignments_for_resource_group.py | 2 +- ...figuration_assignments_for_subscription.py | 2 +- .../maintenance/maintenance_configuration.py | 2 +- .../federated_identity_credential.py | 2 +- .../managedidentity/user_assigned_identity.py | 2 +- .../managednetwork/managed_network.py | 2 +- .../managednetwork/managed_network_group.py | 2 +- .../managed_network_peering_policy.py | 2 +- .../managednetwork/scope_assignment.py | 2 +- .../access_control_list.py | 2 +- .../managednetworkfabric/external_network.py | 2 +- .../managednetworkfabric/internal_network.py | 2 +- .../managednetworkfabric/internet_gateway.py | 2 +- .../internet_gateway_rule.py | 2 +- .../managednetworkfabric/ip_community.py | 2 +- .../ip_extended_community.py | 2 +- .../managednetworkfabric/ip_prefix.py | 2 +- .../l2_isolation_domain.py | 2 +- .../l3_isolation_domain.py | 2 +- .../managednetworkfabric/neighbor_group.py | 2 +- .../managednetworkfabric/network_device.py | 2 +- .../managednetworkfabric/network_fabric.py | 2 +- .../network_fabric_controller.py | 2 +- .../managednetworkfabric/network_interface.py | 2 +- .../network_packet_broker.py | 2 +- .../managednetworkfabric/network_rack.py | 2 +- .../managednetworkfabric/network_tap.py | 2 +- .../managednetworkfabric/network_tap_rule.py | 2 +- .../network_to_network_interconnect.py | 2 +- .../managednetworkfabric/route_policy.py | 2 +- .../registration_assignment.py | 2 +- .../registration_definition.py | 2 +- .../management/hierarchy_setting.py | 2 +- .../management/management_group.py | 2 +- .../management_group_subscription.py | 2 +- .../managementpartner/partner.py | 2 +- .../manufacturing_data_service.py | 2 +- .../pulumi_azure_native/maps/account.py | 2 +- .../pulumi_azure_native/maps/creator.py | 2 +- .../maps/private_atlase.py | 2 +- .../maps/private_endpoint_connection.py | 2 +- .../marketplace/private_store_collection.py | 2 +- .../private_store_collection_offer.py | 2 +- .../media/account_filter.py | 2 +- sdk/python/pulumi_azure_native/media/asset.py | 2 +- .../pulumi_azure_native/media/asset_filter.py | 2 +- .../media/content_key_policy.py | 2 +- sdk/python/pulumi_azure_native/media/job.py | 2 +- .../pulumi_azure_native/media/live_event.py | 2 +- .../pulumi_azure_native/media/live_output.py | 2 +- .../media/media_service.py | 2 +- .../media/private_endpoint_connection.py | 2 +- .../media/streaming_endpoint.py | 2 +- .../media/streaming_locator.py | 2 +- .../media/streaming_policy.py | 2 +- sdk/python/pulumi_azure_native/media/track.py | 2 +- .../pulumi_azure_native/media/transform.py | 2 +- .../migrate/aks_assessment_operation.py | 2 +- .../pulumi_azure_native/migrate/assessment.py | 2 +- .../migrate/assessment_projects_operation.py | 2 +- .../migrate/assessments_operation.py | 2 +- .../migrate/avs_assessments_operation.py | 2 +- .../migrate/business_case_operation.py | 2 +- .../pulumi_azure_native/migrate/group.py | 2 +- .../migrate/groups_operation.py | 2 +- .../migrate/hyper_v_collector.py | 2 +- .../migrate/hyperv_collectors_operation.py | 2 +- .../migrate/import_collector.py | 2 +- .../migrate/import_collectors_operation.py | 2 +- .../migrate/migrate_agent.py | 2 +- .../migrate/migrate_project.py | 2 +- ...ate_projects_controller_migrate_project.py | 2 +- .../migrate/modernize_project.py | 2 +- .../migrate/move_collection.py | 2 +- .../migrate/move_resource.py | 2 +- .../migrate/private_endpoint_connection.py | 2 +- ..._controller_private_endpoint_connection.py | 2 +- .../private_endpoint_connection_operation.py | 2 +- .../pulumi_azure_native/migrate/project.py | 2 +- .../migrate/server_collector.py | 2 +- .../migrate/server_collectors_operation.py | 2 +- .../pulumi_azure_native/migrate/solution.py | 2 +- .../migrate/sql_assessment_v2_operation.py | 2 +- .../migrate/sql_collector_operation.py | 2 +- .../migrate/v_mware_collector.py | 2 +- .../migrate/vmware_collectors_operation.py | 2 +- .../web_app_assessment_v2_operation.py | 2 +- .../migrate/web_app_collector_operation.py | 2 +- .../migrate/workload_deployment.py | 2 +- .../migrate/workload_instance.py | 2 +- .../mixedreality/object_anchors_account.py | 2 +- .../mixedreality/remote_rendering_account.py | 2 +- .../mixedreality/spatial_anchors_account.py | 2 +- .../mobilenetwork/attached_data_network.py | 2 +- .../mobilenetwork/data_network.py | 2 +- .../mobilenetwork/diagnostics_package.py | 2 +- .../mobilenetwork/mobile_network.py | 2 +- .../mobilenetwork/packet_capture.py | 2 +- .../packet_core_control_plane.py | 2 +- .../mobilenetwork/packet_core_data_plane.py | 2 +- .../mobilenetwork/service.py | 2 +- .../pulumi_azure_native/mobilenetwork/sim.py | 2 +- .../mobilenetwork/sim_group.py | 2 +- .../mobilenetwork/sim_policy.py | 2 +- .../pulumi_azure_native/mobilenetwork/site.py | 2 +- .../mobilenetwork/slice.py | 2 +- .../mongocluster/firewall_rule.py | 2 +- .../mongocluster/mongo_cluster.py | 2 +- .../private_endpoint_connection.py | 2 +- .../monitor/action_group.py | 2 +- .../monitor/autoscale_setting.py | 2 +- .../monitor/azure_monitor_workspace.py | 2 +- .../monitor/diagnostic_setting.py | 2 +- .../management_group_diagnostic_setting.py | 2 +- .../monitor/pipeline_group.py | 2 +- .../monitor/private_endpoint_connection.py | 2 +- .../monitor/private_link_scope.py | 2 +- .../monitor/private_link_scoped_resource.py | 2 +- .../monitor/scheduled_query_rule.py | 2 +- .../subscription_diagnostic_setting.py | 2 +- .../monitor/tenant_action_group.py | 2 +- .../mysqldiscovery/my_sql_server.py | 2 +- .../mysqldiscovery/my_sql_site.py | 2 +- .../pulumi_azure_native/netapp/account.py | 2 +- .../pulumi_azure_native/netapp/backup.py | 2 +- .../netapp/backup_policy.py | 2 +- .../netapp/backup_vault.py | 2 +- .../netapp/capacity_pool.py | 2 +- .../netapp/capacity_pool_backup.py | 2 +- .../netapp/capacity_pool_snapshot.py | 2 +- .../netapp/capacity_pool_subvolume.py | 2 +- .../netapp/capacity_pool_volume.py | 2 +- .../netapp/capacity_pool_volume_quota_rule.py | 2 +- .../netapp/snapshot_policy.py | 2 +- .../netapp/volume_group.py | 2 +- .../pulumi_azure_native/network/admin_rule.py | 2 +- .../network/admin_rule_collection.py | 2 +- .../network/application_gateway.py | 2 +- ...ion_gateway_private_endpoint_connection.py | 2 +- .../network/application_security_group.py | 2 +- .../network/azure_firewall.py | 2 +- .../network/bastion_host.py | 2 +- .../network/configuration_policy_group.py | 2 +- .../network/connection_monitor.py | 2 +- .../network/connectivity_configuration.py | 2 +- .../network/custom_ip_prefix.py | 2 +- .../network/ddos_custom_policy.py | 2 +- .../network/ddos_protection_plan.py | 2 +- .../network/default_admin_rule.py | 2 +- .../network/default_user_rule.py | 2 +- .../network/dscp_configuration.py | 2 +- .../network/express_route_circuit.py | 2 +- .../express_route_circuit_authorization.py | 2 +- .../express_route_circuit_connection.py | 2 +- .../network/express_route_circuit_peering.py | 2 +- .../network/express_route_connection.py | 2 +- .../express_route_cross_connection_peering.py | 2 +- .../network/express_route_gateway.py | 2 +- .../network/express_route_port.py | 2 +- .../express_route_port_authorization.py | 2 +- .../network/firewall_policy.py | 2 +- .../network/firewall_policy_draft.py | 2 +- .../firewall_policy_rule_collection_group.py | 2 +- ...wall_policy_rule_collection_group_draft.py | 2 +- .../network/firewall_policy_rule_group.py | 2 +- .../pulumi_azure_native/network/flow_log.py | 2 +- .../network/hub_route_table.py | 2 +- .../network/hub_virtual_network_connection.py | 2 +- .../network/inbound_nat_rule.py | 2 +- .../network/interface_endpoint.py | 2 +- .../network/ip_allocation.py | 2 +- .../pulumi_azure_native/network/ip_group.py | 2 +- .../pulumi_azure_native/network/ipam_pool.py | 2 +- .../network/load_balancer.py | 2 +- .../load_balancer_backend_address_pool.py | 2 +- .../network/local_network_gateway.py | 2 +- ...gement_group_network_manager_connection.py | 2 +- .../network/nat_gateway.py | 2 +- .../pulumi_azure_native/network/nat_rule.py | 2 +- .../network/network_group.py | 2 +- .../network/network_interface.py | 2 +- .../network_interface_tap_configuration.py | 2 +- .../network/network_manager.py | 2 +- .../network_manager_routing_configuration.py | 2 +- .../network/network_profile.py | 2 +- .../network/network_security_group.py | 2 +- .../network/network_security_perimeter.py | 2 +- .../network_security_perimeter_access_rule.py | 2 +- .../network_security_perimeter_association.py | 2 +- .../network_security_perimeter_link.py | 2 +- ...ecurity_perimeter_logging_configuration.py | 2 +- .../network_security_perimeter_profile.py | 2 +- .../network/network_virtual_appliance.py | 2 +- .../network_virtual_appliance_connection.py | 2 +- .../network/network_watcher.py | 2 +- .../network/nsp_access_rule.py | 2 +- .../network/nsp_association.py | 2 +- .../pulumi_azure_native/network/nsp_link.py | 2 +- .../network/nsp_profile.py | 2 +- .../network/p2s_vpn_gateway.py | 2 +- .../network/p2s_vpn_server_configuration.py | 2 +- .../network/packet_capture.py | 2 +- .../network/private_dns_zone_group.py | 2 +- .../network/private_endpoint.py | 2 +- .../network/private_link_service.py | 2 +- ...ink_service_private_endpoint_connection.py | 2 +- .../network/public_ip_address.py | 2 +- .../network/public_ip_prefix.py | 2 +- .../network/reachability_analysis_intent.py | 2 +- .../network/reachability_analysis_run.py | 2 +- .../pulumi_azure_native/network/route.py | 2 +- .../network/route_filter.py | 2 +- .../network/route_filter_rule.py | 2 +- .../pulumi_azure_native/network/route_map.py | 2 +- .../network/route_table.py | 2 +- .../network/routing_intent.py | 2 +- .../network/routing_rule.py | 2 +- .../network/routing_rule_collection.py | 2 +- .../network/scope_connection.py | 2 +- .../network/security_admin_configuration.py | 2 +- .../network/security_partner_provider.py | 2 +- .../network/security_rule.py | 2 +- .../network/security_user_configuration.py | 2 +- .../network/security_user_rule.py | 2 +- .../network/security_user_rule_collection.py | 2 +- .../network/service_endpoint_policy.py | 2 +- .../service_endpoint_policy_definition.py | 2 +- .../network/static_cidr.py | 2 +- .../network/static_member.py | 2 +- .../pulumi_azure_native/network/subnet.py | 2 +- ...subscription_network_manager_connection.py | 2 +- .../pulumi_azure_native/network/user_rule.py | 2 +- .../network/user_rule_collection.py | 2 +- .../network/verifier_workspace.py | 2 +- .../network/virtual_appliance_site.py | 2 +- .../network/virtual_hub.py | 2 +- .../network/virtual_hub_bgp_connection.py | 2 +- .../network/virtual_hub_ip_configuration.py | 2 +- .../network/virtual_hub_route_table_v2.py | 2 +- .../network/virtual_network.py | 2 +- .../network/virtual_network_gateway.py | 2 +- .../virtual_network_gateway_connection.py | 2 +- .../virtual_network_gateway_nat_rule.py | 2 +- .../network/virtual_network_peering.py | 2 +- .../network/virtual_network_tap.py | 2 +- .../network/virtual_router.py | 2 +- .../network/virtual_router_peering.py | 2 +- .../network/virtual_wan.py | 2 +- .../network/vpn_connection.py | 2 +- .../network/vpn_gateway.py | 2 +- .../network/vpn_server_configuration.py | 2 +- .../pulumi_azure_native/network/vpn_site.py | 2 +- .../web_application_firewall_policy.py | 2 +- .../networkcloud/agent_pool.py | 2 +- .../networkcloud/bare_metal_machine.py | 2 +- .../bare_metal_machine_key_set.py | 2 +- .../networkcloud/bmc_key_set.py | 2 +- .../networkcloud/cloud_services_network.py | 2 +- .../networkcloud/cluster.py | 2 +- .../networkcloud/cluster_manager.py | 2 +- .../networkcloud/console.py | 2 +- .../networkcloud/kubernetes_cluster.py | 2 +- .../kubernetes_cluster_feature.py | 2 +- .../networkcloud/l2_network.py | 2 +- .../networkcloud/l3_network.py | 2 +- .../networkcloud/metrics_configuration.py | 2 +- .../pulumi_azure_native/networkcloud/rack.py | 2 +- .../networkcloud/storage_appliance.py | 2 +- .../networkcloud/trunked_network.py | 2 +- .../networkcloud/virtual_machine.py | 2 +- .../networkcloud/volume.py | 2 +- .../azure_traffic_collector.py | 2 +- .../networkfunction/collector_policy.py | 2 +- .../notificationhubs/namespace.py | 2 +- .../namespace_authorization_rule.py | 2 +- .../notificationhubs/notification_hub.py | 2 +- .../notification_hub_authorization_rule.py | 2 +- .../private_endpoint_connection.py | 2 +- .../offazure/hyper_v_site.py | 2 +- .../hyperv_cluster_controller_cluster.py | 2 +- .../offazure/hyperv_host_controller.py | 2 +- .../offazure/hyperv_sites_controller.py | 2 +- .../offazure/import_sites_controller.py | 2 +- .../offazure/master_sites_controller.py | 2 +- .../offazure/private_endpoint_connection.py | 2 +- .../private_endpoint_connection_controller.py | 2 +- .../offazure/server_sites_controller.py | 2 +- .../pulumi_azure_native/offazure/site.py | 2 +- .../offazure/sites_controller.py | 2 +- ...l_discovery_site_data_source_controller.py | 2 +- .../offazure/sql_sites_controller.py | 2 +- .../offazure/vcenter_controller.py | 2 +- ..._discovery_site_data_sources_controller.py | 2 +- .../offazure/web_app_sites_controller.py | 2 +- .../offazurespringboot/springbootapp.py | 2 +- .../offazurespringboot/springbootserver.py | 2 +- .../offazurespringboot/springbootsite.py | 2 +- .../openenergyplatform/energy_service.py | 2 +- .../operationalinsights/cluster.py | 2 +- .../operationalinsights/data_export.py | 2 +- .../operationalinsights/data_source.py | 2 +- .../operationalinsights/linked_service.py | 2 +- .../linked_storage_account.py | 2 +- .../operationalinsights/machine_group.py | 2 +- .../operationalinsights/query.py | 2 +- .../operationalinsights/query_pack.py | 2 +- .../operationalinsights/saved_search.py | 2 +- .../storage_insight_config.py | 2 +- .../operationalinsights/table.py | 2 +- .../operationalinsights/workspace.py | 2 +- .../management_association.py | 2 +- .../management_configuration.py | 2 +- .../operationsmanagement/solution.py | 2 +- .../pulumi_azure_native/orbital/contact.py | 2 +- .../orbital/contact_profile.py | 2 +- .../pulumi_azure_native/orbital/edge_site.py | 2 +- .../orbital/ground_station.py | 2 +- .../orbital/l2_connection.py | 2 +- .../pulumi_azure_native/orbital/spacecraft.py | 2 +- .../peering/connection_monitor_test.py | 2 +- .../pulumi_azure_native/peering/peer_asn.py | 2 +- .../pulumi_azure_native/peering/peering.py | 2 +- .../peering/peering_service.py | 2 +- .../pulumi_azure_native/peering/prefix.py | 2 +- .../peering/registered_asn.py | 2 +- .../peering/registered_prefix.py | 2 +- .../policyinsights/attestation_at_resource.py | 2 +- .../attestation_at_resource_group.py | 2 +- .../attestation_at_subscription.py | 2 +- .../remediation_at_management_group.py | 2 +- .../policyinsights/remediation_at_resource.py | 2 +- .../remediation_at_resource_group.py | 2 +- .../remediation_at_subscription.py | 2 +- .../pulumi_azure_native/portal/console.py | 2 +- .../portal/console_with_location.py | 2 +- .../pulumi_azure_native/portal/dashboard.py | 2 +- .../portal/tenant_configuration.py | 2 +- .../portal/user_settings.py | 2 +- .../portal/user_settings_with_location.py | 2 +- .../portalservices/copilot_setting.py | 2 +- .../powerbi/power_bi_resource.py | 2 +- .../powerbi/private_endpoint_connection.py | 2 +- .../powerbi/workspace_collection.py | 2 +- .../powerbidedicated/auto_scale_v_core.py | 2 +- .../powerbidedicated/capacity_details.py | 2 +- .../powerplatform/account.py | 2 +- .../powerplatform/enterprise_policy.py | 2 +- .../private_endpoint_connection.py | 2 +- .../privatedns/private_record_set.py | 2 +- .../privatedns/private_zone.py | 2 +- .../privatedns/virtual_network_link.py | 2 +- ...professional_service_subscription_level.py | 2 +- .../programmableconnectivity/gateway.py | 2 +- .../operator_api_connection.py | 2 +- .../providerhub/default_rollout.py | 2 +- .../providerhub/notification_registration.py | 2 +- .../operation_by_provider_registration.py | 2 +- .../providerhub/provider_registration.py | 2 +- .../providerhub/resource_type_registration.py | 2 +- .../pulumi_azure_native/providerhub/skus.py | 2 +- .../skus_nested_resource_type_first.py | 2 +- .../skus_nested_resource_type_second.py | 2 +- .../skus_nested_resource_type_third.py | 2 +- .../pulumi_azure_native/purview/account.py | 2 +- .../purview/kafka_configuration.py | 2 +- .../purview/private_endpoint_connection.py | 2 +- .../pulumi_azure_native/quantum/workspace.py | 2 +- .../pulumi_azure_native/quota/group_quota.py | 2 +- .../quota/group_quota_subscription.py | 2 +- .../recommendationsservice/account.py | 2 +- .../recommendationsservice/modeling.py | 2 +- .../service_endpoint.py | 2 +- .../private_endpoint_connection.py | 2 +- .../recoveryservices/protected_item.py | 2 +- .../recoveryservices/protection_container.py | 2 +- .../recoveryservices/protection_intent.py | 2 +- .../recoveryservices/protection_policy.py | 2 +- .../recoveryservices/replication_fabric.py | 2 +- .../replication_migration_item.py | 2 +- .../replication_network_mapping.py | 2 +- .../recoveryservices/replication_policy.py | 2 +- .../replication_protected_item.py | 2 +- .../replication_protection_cluster.py | 2 +- ...eplication_protection_container_mapping.py | 2 +- .../replication_recovery_plan.py | 2 +- .../replication_recovery_services_provider.py | 2 +- ...lication_storage_classification_mapping.py | 2 +- .../recoveryservices/replicationv_center.py | 2 +- .../recoveryservices/resource_guard_proxy.py | 2 +- .../recoveryservices/vault.py | 2 +- .../redhatopenshift/machine_pool.py | 2 +- .../redhatopenshift/open_shift_cluster.py | 2 +- .../redhatopenshift/secret.py | 2 +- .../redhatopenshift/sync_identity_provider.py | 2 +- .../redhatopenshift/sync_set.py | 2 +- .../redis/access_policy.py | 2 +- .../redis/access_policy_assignment.py | 2 +- .../redis/firewall_rule.py | 2 +- .../redis/linked_server.py | 2 +- .../redis/patch_schedule.py | 2 +- .../redis/private_endpoint_connection.py | 2 +- sdk/python/pulumi_azure_native/redis/redis.py | 2 +- .../redis/redis_firewall_rule.py | 2 +- .../redis/redis_linked_server.py | 2 +- .../access_policy_assignment.py | 2 +- .../redisenterprise/database.py | 2 +- .../private_endpoint_connection.py | 2 +- .../redisenterprise/redis_enterprise.py | 2 +- .../relay/hybrid_connection.py | 2 +- .../hybrid_connection_authorization_rule.py | 2 +- .../pulumi_azure_native/relay/namespace.py | 2 +- .../relay/namespace_authorization_rule.py | 2 +- .../relay/private_endpoint_connection.py | 2 +- .../pulumi_azure_native/relay/wcf_relay.py | 2 +- .../relay/wcf_relay_authorization_rule.py | 2 +- .../resourceconnector/appliance.py | 2 +- .../resourcegraph/graph_query.py | 2 +- .../resources/azure_cli_script.py | 2 +- .../resources/azure_power_shell_script.py | 2 +- .../resources/deployment.py | 2 +- .../deployment_at_management_group_scope.py | 2 +- .../resources/deployment_at_scope.py | 2 +- .../deployment_at_subscription_scope.py | 2 +- .../resources/deployment_at_tenant_scope.py | 2 +- .../deployment_stack_at_management_group.py | 2 +- .../deployment_stack_at_resource_group.py | 2 +- .../deployment_stack_at_subscription.py | 2 +- .../pulumi_azure_native/resources/resource.py | 2 +- .../resources/resource_group.py | 2 +- .../resources/tag_at_scope.py | 2 +- .../resources/template_spec.py | 2 +- .../resources/template_spec_version.py | 2 +- .../saas/saas_subscription_level.py | 2 +- .../pulumi_azure_native/scheduler/job.py | 2 +- .../scheduler/job_collection.py | 2 +- .../pulumi_azure_native/scom/instance.py | 2 +- .../scom/managed_gateway.py | 2 +- .../scom/monitored_resource.py | 2 +- .../scvmm/availability_set.py | 2 +- sdk/python/pulumi_azure_native/scvmm/cloud.py | 2 +- .../pulumi_azure_native/scvmm/guest_agent.py | 2 +- .../scvmm/hybrid_identity_metadata.py | 2 +- .../scvmm/inventory_item.py | 2 +- .../scvmm/machine_extension.py | 2 +- .../scvmm/virtual_machine.py | 2 +- .../scvmm/virtual_machine_instance.py | 2 +- .../scvmm/virtual_machine_template.py | 2 +- .../scvmm/virtual_network.py | 2 +- .../scvmm/vm_instance_guest_agent.py | 2 +- .../pulumi_azure_native/scvmm/vmm_server.py | 2 +- .../search/private_endpoint_connection.py | 2 +- .../pulumi_azure_native/search/service.py | 2 +- .../search/shared_private_link_resource.py | 2 +- .../azure_key_vault_secret_provider_class.py | 2 +- .../secretsynccontroller/secret_sync.py | 2 +- .../security/advanced_threat_protection.py | 2 +- .../security/alerts_suppression_rule.py | 2 +- .../security/api_collection.py | 2 +- ...lection_by_azure_api_management_service.py | 2 +- .../security/application.py | 2 +- .../security/assessment.py | 2 +- .../assessment_metadata_in_subscription.py | 2 +- .../assessments_metadata_subscription.py | 2 +- .../security/assignment.py | 2 +- .../security/automation.py | 2 +- .../security/azure_servers_setting.py | 2 +- .../pulumi_azure_native/security/connector.py | 2 +- .../security/custom_assessment_automation.py | 2 +- .../custom_entity_store_assignment.py | 2 +- .../security/custom_recommendation.py | 2 +- .../security/defender_for_storage.py | 2 +- .../security/dev_ops_configuration.py | 2 +- .../security/device_security_group.py | 2 +- .../security/governance_assignment.py | 2 +- .../security/governance_rule.py | 2 +- .../security/iot_security_solution.py | 2 +- .../security/jit_network_access_policy.py | 2 +- .../pulumi_azure_native/security/pricing.py | 2 +- .../security/security_connector.py | 2 +- .../security_connector_application.py | 2 +- .../security/security_contact.py | 2 +- .../security/security_operator.py | 2 +- .../security/security_standard.py | 2 +- .../server_vulnerability_assessment.py | 2 +- ..._vulnerability_assessment_baseline_rule.py | 2 +- .../pulumi_azure_native/security/standard.py | 2 +- .../security/standard_assignment.py | 2 +- .../security/workspace_setting.py | 2 +- .../private_endpoint_connections_adt_api.py | 2 +- .../private_endpoint_connections_comp.py | 2 +- .../private_endpoint_connections_for_edm.py | 2 +- ...ndpoint_connections_for_mip_policy_sync.py | 2 +- ...endpoint_connections_for_scc_powershell.py | 2 +- .../private_endpoint_connections_sec.py | 2 +- .../private_link_services_for_edm_upload.py | 2 +- ...ink_services_for_m365_compliance_center.py | 2 +- ..._link_services_for_m365_security_center.py | 2 +- ...ivate_link_services_for_mip_policy_sync.py | 2 +- ...rvices_for_o365_management_activity_api.py | 2 +- ...rivate_link_services_for_scc_powershell.py | 2 +- .../securityinsights/aad_data_connector.py | 2 +- .../securityinsights/aatp_data_connector.py | 2 +- .../securityinsights/action.py | 2 +- .../activity_custom_entity_query.py | 2 +- .../securityinsights/anomalies.py | 2 +- .../anomaly_security_ml_analytics_settings.py | 2 +- .../securityinsights/asc_data_connector.py | 2 +- .../securityinsights/automation_rule.py | 2 +- .../aws_cloud_trail_data_connector.py | 2 +- .../securityinsights/bookmark.py | 2 +- .../securityinsights/bookmark_relation.py | 2 +- .../business_application_agent.py | 2 +- .../securityinsights/content_package.py | 2 +- .../securityinsights/content_template.py | 2 +- .../customizable_connector_definition.py | 2 +- .../securityinsights/entity_analytics.py | 2 +- .../securityinsights/eyes_on.py | 2 +- .../securityinsights/file_import.py | 2 +- .../securityinsights/fusion_alert_rule.py | 2 +- .../securityinsights/hunt.py | 2 +- .../securityinsights/hunt_comment.py | 2 +- .../securityinsights/hunt_relation.py | 2 +- .../securityinsights/incident.py | 2 +- .../securityinsights/incident_comment.py | 2 +- .../securityinsights/incident_relation.py | 2 +- .../securityinsights/incident_task.py | 2 +- .../securityinsights/mcas_data_connector.py | 2 +- .../securityinsights/mdatp_data_connector.py | 2 +- .../securityinsights/metadata.py | 2 +- ...t_security_incident_creation_alert_rule.py | 2 +- .../securityinsights/msti_data_connector.py | 2 +- .../securityinsights/office_data_connector.py | 2 +- ...rosoft_defender_for_threat_intelligence.py | 2 +- .../rest_api_poller_data_connector.py | 2 +- .../securityinsights/scheduled_alert_rule.py | 2 +- .../sentinel_onboarding_state.py | 2 +- .../securityinsights/source_control.py | 2 +- .../securityinsights/system.py | 2 +- .../threat_intelligence_indicator.py | 2 +- .../securityinsights/ti_data_connector.py | 2 +- .../securityinsights/ueba.py | 2 +- .../securityinsights/watchlist.py | 2 +- .../securityinsights/watchlist_item.py | 2 +- .../workspace_manager_assignment.py | 2 +- .../workspace_manager_configuration.py | 2 +- .../workspace_manager_group.py | 2 +- .../workspace_manager_member.py | 2 +- .../serialconsole/serial_port.py | 2 +- .../servicebus/disaster_recovery_config.py | 2 +- .../servicebus/migration_config.py | 2 +- .../servicebus/namespace.py | 2 +- .../namespace_authorization_rule.py | 2 +- .../servicebus/namespace_ip_filter_rule.py | 2 +- .../servicebus/namespace_network_rule_set.py | 2 +- .../namespace_virtual_network_rule.py | 2 +- .../servicebus/private_endpoint_connection.py | 2 +- .../pulumi_azure_native/servicebus/queue.py | 2 +- .../servicebus/queue_authorization_rule.py | 2 +- .../pulumi_azure_native/servicebus/rule.py | 2 +- .../servicebus/subscription.py | 2 +- .../pulumi_azure_native/servicebus/topic.py | 2 +- .../servicebus/topic_authorization_rule.py | 2 +- .../servicefabric/application.py | 2 +- .../servicefabric/application_type.py | 2 +- .../servicefabric/application_type_version.py | 2 +- .../servicefabric/managed_cluster.py | 2 +- .../managed_cluster_application.py | 2 +- .../managed_cluster_application_type.py | 2 +- ...anaged_cluster_application_type_version.py | 2 +- .../servicefabric/managed_cluster_service.py | 2 +- .../servicefabric/node_type.py | 2 +- .../servicefabric/service.py | 2 +- .../servicefabricmesh/application.py | 2 +- .../servicefabricmesh/gateway.py | 2 +- .../servicefabricmesh/network.py | 2 +- .../servicefabricmesh/secret.py | 2 +- .../servicefabricmesh/secret_value.py | 2 +- .../servicefabricmesh/volume.py | 2 +- .../servicelinker/connector.py | 2 +- .../servicelinker/connector_dryrun.py | 2 +- .../servicelinker/linker.py | 2 +- .../servicelinker/linker_dryrun.py | 2 +- .../associations_interface.py | 2 +- .../servicenetworking/frontends_interface.py | 2 +- .../security_policies_interface.py | 2 +- .../traffic_controller_interface.py | 2 +- .../signalrservice/signal_r.py | 2 +- .../signal_r_custom_certificate.py | 2 +- .../signalrservice/signal_r_custom_domain.py | 2 +- .../signal_r_private_endpoint_connection.py | 2 +- .../signalrservice/signal_r_replica.py | 2 +- .../signal_r_shared_private_link_resource.py | 2 +- .../softwareplan/hybrid_use_benefit.py | 2 +- .../solutions/application.py | 2 +- .../solutions/application_definition.py | 2 +- .../solutions/jit_request.py | 2 +- .../landing_zone_account_operation.py | 2 +- .../landing_zone_configuration_operation.py | 2 +- .../landing_zone_registration_operation.py | 2 +- .../sql/backup_long_term_retention_policy.py | 2 +- .../sql/backup_short_term_retention_policy.py | 2 +- .../sql/data_masking_policy.py | 2 +- .../pulumi_azure_native/sql/database.py | 2 +- .../sql/database_advisor.py | 2 +- .../sql/database_blob_auditing_policy.py | 2 +- .../sql/database_security_alert_policy.py | 2 +- ..._vulnerability_assessment_rule_baseline.py | 2 +- .../sql/database_threat_detection_policy.py | 2 +- .../sql/database_vulnerability_assessment.py | 2 +- ..._vulnerability_assessment_rule_baseline.py | 2 +- .../sql/disaster_recovery_configuration.py | 2 +- .../sql/distributed_availability_group.py | 2 +- .../pulumi_azure_native/sql/elastic_pool.py | 2 +- .../sql/encryption_protector.py | 2 +- .../extended_database_blob_auditing_policy.py | 2 +- .../extended_server_blob_auditing_policy.py | 2 +- .../pulumi_azure_native/sql/failover_group.py | 2 +- .../pulumi_azure_native/sql/firewall_rule.py | 2 +- .../sql/geo_backup_policy.py | 2 +- .../sql/i_pv6_firewall_rule.py | 2 +- .../sql/instance_failover_group.py | 2 +- .../pulumi_azure_native/sql/instance_pool.py | 2 +- sdk/python/pulumi_azure_native/sql/job.py | 2 +- .../pulumi_azure_native/sql/job_agent.py | 2 +- .../pulumi_azure_native/sql/job_credential.py | 2 +- .../sql/job_private_endpoint.py | 2 +- .../pulumi_azure_native/sql/job_step.py | 2 +- .../sql/job_target_group.py | 2 +- .../sql/long_term_retention_policy.py | 2 +- .../sql/managed_database.py | 2 +- .../sql/managed_database_sensitivity_label.py | 2 +- ...naged_database_vulnerability_assessment.py | 2 +- ..._vulnerability_assessment_rule_baseline.py | 2 +- .../sql/managed_instance.py | 2 +- .../sql/managed_instance_administrator.py | 2 +- ...d_instance_azure_ad_only_authentication.py | 2 +- .../sql/managed_instance_key.py | 2 +- ...ged_instance_long_term_retention_policy.py | 2 +- ...ed_instance_private_endpoint_connection.py | 2 +- ...naged_instance_vulnerability_assessment.py | 2 +- .../sql/managed_server_dns_alias.py | 2 +- .../sql/outbound_firewall_rule.py | 2 +- .../sql/private_endpoint_connection.py | 2 +- .../sql/replication_link.py | 2 +- .../sql/sensitivity_label.py | 2 +- sdk/python/pulumi_azure_native/sql/server.py | 2 +- .../pulumi_azure_native/sql/server_advisor.py | 2 +- .../sql/server_azure_ad_administrator.py | 2 +- .../server_azure_ad_only_authentication.py | 2 +- .../sql/server_blob_auditing_policy.py | 2 +- .../sql/server_communication_link.py | 2 +- .../sql/server_dns_alias.py | 2 +- .../pulumi_azure_native/sql/server_key.py | 2 +- .../sql/server_security_alert_policy.py | 2 +- .../sql/server_trust_certificate.py | 2 +- .../sql/server_trust_group.py | 2 +- .../sql/server_vulnerability_assessment.py | 2 +- ..._vulnerability_assessment_rule_baseline.py | 2 +- .../sql_vulnerability_assessments_setting.py | 2 +- .../start_stop_managed_instance_schedule.py | 2 +- .../pulumi_azure_native/sql/sync_agent.py | 2 +- .../pulumi_azure_native/sql/sync_group.py | 2 +- .../pulumi_azure_native/sql/sync_member.py | 2 +- .../sql/transparent_data_encryption.py | 2 +- .../sql/virtual_network_rule.py | 2 +- .../sql/workload_classifier.py | 2 +- .../pulumi_azure_native/sql/workload_group.py | 2 +- .../availability_group_listener.py | 2 +- .../sqlvirtualmachine/sql_virtual_machine.py | 2 +- .../sql_virtual_machine_group.py | 2 +- .../standby_container_group_pool.py | 2 +- .../standby_virtual_machine_pool.py | 2 +- .../storage/blob_container.py | 2 +- .../blob_container_immutability_policy.py | 2 +- .../storage/blob_inventory_policy.py | 2 +- .../storage/blob_service_properties.py | 2 +- .../storage/encryption_scope.py | 2 +- .../storage/file_service_properties.py | 2 +- .../pulumi_azure_native/storage/file_share.py | 2 +- .../pulumi_azure_native/storage/local_user.py | 2 +- .../storage/management_policy.py | 2 +- .../storage/object_replication_policy.py | 2 +- .../storage/private_endpoint_connection.py | 2 +- .../pulumi_azure_native/storage/queue.py | 2 +- .../storage/queue_service_properties.py | 2 +- .../storage/storage_account.py | 2 +- .../storage/storage_task_assignment.py | 2 +- .../pulumi_azure_native/storage/table.py | 2 +- .../storage/table_service_properties.py | 2 +- .../storageactions/storage_task.py | 2 +- .../storagecache/aml_filesystem.py | 2 +- .../pulumi_azure_native/storagecache/cache.py | 2 +- .../storagecache/import_job.py | 2 +- .../storagecache/storage_target.py | 2 +- .../pulumi_azure_native/storagemover/agent.py | 2 +- .../storagemover/endpoint.py | 2 +- .../storagemover/job_definition.py | 2 +- .../storagemover/project.py | 2 +- .../storagemover/storage_mover.py | 2 +- .../storagepool/disk_pool.py | 2 +- .../storagepool/iscsi_target.py | 2 +- .../storagesync/cloud_endpoint.py | 2 +- .../private_endpoint_connection.py | 2 +- .../storagesync/registered_server.py | 2 +- .../storagesync/server_endpoint.py | 2 +- .../storagesync/storage_sync_service.py | 2 +- .../storagesync/sync_group.py | 2 +- .../storsimple/access_control_record.py | 2 +- .../storsimple/backup_policy.py | 2 +- .../storsimple/backup_schedule.py | 2 +- .../storsimple/bandwidth_setting.py | 2 +- .../pulumi_azure_native/storsimple/manager.py | 2 +- .../storsimple/manager_extended_info.py | 2 +- .../storsimple/storage_account_credential.py | 2 +- .../pulumi_azure_native/storsimple/volume.py | 2 +- .../storsimple/volume_container.py | 2 +- .../streamanalytics/cluster.py | 2 +- .../streamanalytics/function.py | 2 +- .../streamanalytics/input.py | 2 +- .../streamanalytics/output.py | 2 +- .../streamanalytics/private_endpoint.py | 2 +- .../streamanalytics/streaming_job.py | 2 +- .../pulumi_azure_native/subscription/alias.py | 2 +- .../subscription_tar_directory.py | 2 +- .../synapse/big_data_pool.py | 2 +- .../synapse/database_principal_assignment.py | 2 +- .../synapse/event_grid_data_connection.py | 2 +- .../synapse/event_hub_data_connection.py | 2 +- .../synapse/integration_runtime.py | 2 +- .../synapse/iot_hub_data_connection.py | 2 +- .../synapse/ip_firewall_rule.py | 2 +- sdk/python/pulumi_azure_native/synapse/key.py | 2 +- .../pulumi_azure_native/synapse/kusto_pool.py | 2 +- ...to_pool_attached_database_configuration.py | 2 +- ...usto_pool_database_principal_assignment.py | 2 +- .../kusto_pool_principal_assignment.py | 2 +- .../synapse/private_endpoint_connection.py | 2 +- .../synapse/private_link_hub.py | 2 +- .../synapse/read_only_following_database.py | 2 +- .../synapse/read_write_database.py | 2 +- .../pulumi_azure_native/synapse/sql_pool.py | 2 +- .../synapse/sql_pool_sensitivity_label.py | 2 +- .../sql_pool_transparent_data_encryption.py | 2 +- .../sql_pool_vulnerability_assessment.py | 2 +- ..._vulnerability_assessment_rule_baseline.py | 2 +- .../synapse/sql_pool_workload_classifier.py | 2 +- .../synapse/sql_pool_workload_group.py | 2 +- .../pulumi_azure_native/synapse/workspace.py | 2 +- .../synapse/workspace_aad_admin.py | 2 +- ...ged_sql_server_vulnerability_assessment.py | 2 +- .../synapse/workspace_sql_aad_admin.py | 2 +- .../syntex/document_processor.py | 2 +- .../testbase/action_request.py | 2 +- .../testbase/credential.py | 2 +- .../testbase/custom_image.py | 2 +- .../testbase/customer_event.py | 2 +- .../testbase/draft_package.py | 2 +- .../testbase/favorite_process.py | 2 +- .../testbase/image_definition.py | 2 +- .../pulumi_azure_native/testbase/package.py | 2 +- .../testbase/test_base_account.py | 2 +- .../timeseriesinsights/access_policy.py | 2 +- .../event_hub_event_source.py | 2 +- .../timeseriesinsights/gen1_environment.py | 2 +- .../timeseriesinsights/gen2_environment.py | 2 +- .../io_t_hub_event_source.py | 2 +- .../timeseriesinsights/reference_data_set.py | 2 +- .../trafficmanager/endpoint.py | 2 +- .../trafficmanager/profile.py | 2 +- .../traffic_manager_user_metrics_key.py | 2 +- .../verifiedid/authority.py | 2 +- .../videoanalyzer/access_policy.py | 2 +- .../videoanalyzer/edge_module.py | 2 +- .../videoanalyzer/live_pipeline.py | 2 +- .../videoanalyzer/pipeline_job.py | 2 +- .../videoanalyzer/pipeline_topology.py | 2 +- .../private_endpoint_connection.py | 2 +- .../videoanalyzer/video.py | 2 +- .../videoanalyzer/video_analyzer.py | 2 +- .../videoindexer/account.py | 2 +- .../private_endpoint_connection.py | 2 +- .../virtualmachineimages/trigger.py | 2 +- .../virtual_machine_image_template.py | 2 +- .../vmwarecloudsimple/dedicated_cloud_node.py | 2 +- .../dedicated_cloud_service.py | 2 +- .../vmwarecloudsimple/virtual_machine.py | 2 +- .../voiceservices/communications_gateway.py | 2 +- .../voiceservices/contact.py | 2 +- .../voiceservices/test_line.py | 2 +- .../web/app_service_environment.py | 2 +- ...ent_ase_custom_dns_suffix_configuration.py | 2 +- ...environment_private_endpoint_connection.py | 2 +- .../web/app_service_plan.py | 2 +- .../web/app_service_plan_route_for_vnet.py | 2 +- .../pulumi_azure_native/web/certificate.py | 2 +- .../pulumi_azure_native/web/connection.py | 2 +- .../web/connection_gateway.py | 2 +- .../pulumi_azure_native/web/custom_api.py | 2 +- .../web/kube_environment.py | 2 +- .../pulumi_azure_native/web/static_site.py | 2 +- .../static_site_build_database_connection.py | 2 +- .../web/static_site_custom_domain.py | 2 +- .../web/static_site_database_connection.py | 2 +- .../web/static_site_linked_backend.py | 2 +- .../static_site_linked_backend_for_build.py | 2 +- ...static_site_private_endpoint_connection.py | 2 +- ...r_provided_function_app_for_static_site.py | 2 +- ...ided_function_app_for_static_site_build.py | 2 +- sdk/python/pulumi_azure_native/web/web_app.py | 2 +- .../web/web_app_application_settings.py | 2 +- .../web/web_app_application_settings_slot.py | 2 +- .../web/web_app_auth_settings.py | 2 +- .../web/web_app_auth_settings_slot.py | 2 +- .../web/web_app_auth_settings_v2.py | 2 +- .../web/web_app_auth_settings_v2_slot.py | 2 +- .../web/web_app_azure_storage_accounts.py | 2 +- .../web_app_azure_storage_accounts_slot.py | 2 +- .../web/web_app_backup_configuration.py | 2 +- .../web/web_app_backup_configuration_slot.py | 2 +- .../web/web_app_connection_strings.py | 2 +- .../web/web_app_connection_strings_slot.py | 2 +- .../web/web_app_deployment.py | 2 +- .../web/web_app_deployment_slot.py | 2 +- .../web_app_diagnostic_logs_configuration.py | 2 +- ..._app_diagnostic_logs_configuration_slot.py | 2 +- .../web_app_domain_ownership_identifier.py | 2 +- ...eb_app_domain_ownership_identifier_slot.py | 2 +- .../web/web_app_ftp_allowed.py | 2 +- .../web/web_app_ftp_allowed_slot.py | 2 +- .../web/web_app_function.py | 2 +- .../web/web_app_host_name_binding.py | 2 +- .../web/web_app_host_name_binding_slot.py | 2 +- .../web/web_app_hybrid_connection.py | 2 +- .../web/web_app_hybrid_connection_slot.py | 2 +- .../web/web_app_instance_function_slot.py | 2 +- .../web/web_app_metadata.py | 2 +- .../web/web_app_metadata_slot.py | 2 +- .../web/web_app_premier_add_on.py | 2 +- .../web/web_app_premier_add_on_slot.py | 2 +- .../web_app_private_endpoint_connection.py | 2 +- ...eb_app_private_endpoint_connection_slot.py | 2 +- .../web/web_app_public_certificate.py | 2 +- .../web/web_app_public_certificate_slot.py | 2 +- .../web/web_app_relay_service_connection.py | 2 +- .../web_app_relay_service_connection_slot.py | 2 +- .../web/web_app_scm_allowed.py | 2 +- .../web/web_app_scm_allowed_slot.py | 2 +- .../web/web_app_site_container.py | 2 +- .../web/web_app_site_container_slot.py | 2 +- .../web/web_app_site_extension.py | 2 +- .../web/web_app_site_extension_slot.py | 2 +- .../web/web_app_site_push_settings.py | 2 +- .../web/web_app_site_push_settings_slot.py | 2 +- .../pulumi_azure_native/web/web_app_slot.py | 2 +- .../web/web_app_slot_configuration_names.py | 2 +- .../web/web_app_source_control.py | 2 +- .../web/web_app_source_control_slot.py | 2 +- ...eb_app_swift_virtual_network_connection.py | 2 +- ...p_swift_virtual_network_connection_slot.py | 2 +- .../web/web_app_vnet_connection.py | 2 +- .../web/web_app_vnet_connection_slot.py | 2 +- .../webpubsub/web_pub_sub.py | 2 +- .../web_pub_sub_custom_certificate.py | 2 +- .../webpubsub/web_pub_sub_custom_domain.py | 2 +- .../webpubsub/web_pub_sub_hub.py | 2 +- ...web_pub_sub_private_endpoint_connection.py | 2 +- .../webpubsub/web_pub_sub_replica.py | 2 +- ...eb_pub_sub_shared_private_link_resource.py | 2 +- .../weightsandbiases/instance.py | 2 +- .../windowsesu/multiple_activation_key.py | 2 +- .../pulumi_azure_native/windowsiot/service.py | 2 +- .../workloads/acss_backup_connection.py | 2 +- .../pulumi_azure_native/workloads/alert.py | 2 +- .../workloads/connector.py | 2 +- .../pulumi_azure_native/workloads/monitor.py | 2 +- .../workloads/provider_instance.py | 2 +- .../sap_application_server_instance.py | 2 +- .../workloads/sap_central_server_instance.py | 2 +- .../workloads/sap_database_instance.py | 2 +- .../workloads/sap_discovery_site.py | 2 +- .../workloads/sap_instance.py | 2 +- .../workloads/sap_landscape_monitor.py | 2 +- .../workloads/sap_virtual_instance.py | 2 +- .../workloads/server_instance.py | 2 +- 6310 files changed, 50936 insertions(+), 42710 deletions(-) diff --git a/reports/flattenedPropertyConflicts.json b/reports/flattenedPropertyConflicts.json index 7136183893ea..f824f25b7117 100644 --- a/reports/flattenedPropertyConflicts.json +++ b/reports/flattenedPropertyConflicts.json @@ -1,305 +1,305 @@ { - "azure-native:applicationinsights/v20150501:Workbook": { - "properties.kind": {} - }, - "azure-native:applicationinsights/v20180501preview:ProactiveDetectionConfiguration": { - "properties.name": {} - }, "azure-native:applicationinsights:ProactiveDetectionConfiguration": { "properties.name": {} }, - "azure-native:authorization/v20210301preview:AccessReviewScheduleDefinitionById": { - "range.type": {}, - "scope.principalType": {} + "azure-native:authorization:AccessReviewHistoryDefinitionById": { + "range.type": {} }, - "azure-native:authorization/v20210701preview:AccessReviewScheduleDefinitionById": { + "azure-native:authorization:AccessReviewScheduleDefinitionById": { "range.type": {}, "scope.principalType": {} }, - "azure-native:authorization/v20211116preview:AccessReviewHistoryDefinitionById": { + "azure-native:authorization:ScopeAccessReviewHistoryDefinitionById": { "range.type": {} }, - "azure-native:authorization/v20211116preview:AccessReviewScheduleDefinitionById": { + "azure-native:authorization:ScopeAccessReviewScheduleDefinitionById": { "range.type": {}, "scope.principalType": {} }, - "azure-native:authorization/v20211201preview:AccessReviewHistoryDefinitionById": { - "range.type": {} + "azure-native:devhub:Workflow": { + "githubWorkflowProfile.namespace": {} + }, + "azure-native:education:Lab": { + "totalBudget.currency": {}, + "totalBudget.value": {} + }, + "azure-native:monitor:AutoscaleSetting": { + "properties.name": {} + }, + "azure-native:network:NetworkVirtualApplianceConnection": { + "properties.name": {} + }, + "azure-native:network:P2sVpnServerConfiguration": { + "properties.etag": {}, + "properties.name": {} + }, + "azure-native:network:VpnServerConfiguration": { + "properties.etag": {}, + "properties.name": {} + }, + "azure-native:orbital:L2Connection": { + "groundStationPartnerRouter.name": {} + }, + "azure-native:vmwarecloudsimple:DedicatedCloudNode": { + "properties.id": {}, + "properties.name": {} }, - "azure-native:authorization/v20211201preview:AccessReviewScheduleDefinitionById": { + "azure-native_applicationinsights_v20150501:applicationinsights:Workbook": { + "properties.kind": {} + }, + "azure-native_applicationinsights_v20180501preview:applicationinsights:ProactiveDetectionConfiguration": { + "properties.name": {} + }, + "azure-native_authorization_v20210301preview:authorization:AccessReviewScheduleDefinitionById": { + "range.type": {}, + "scope.principalType": {} + }, + "azure-native_authorization_v20210701preview:authorization:AccessReviewScheduleDefinitionById": { "range.type": {}, "scope.principalType": {} }, - "azure-native:authorization/v20211201preview:ScopeAccessReviewHistoryDefinitionById": { + "azure-native_authorization_v20211116preview:authorization:AccessReviewHistoryDefinitionById": { "range.type": {} }, - "azure-native:authorization/v20211201preview:ScopeAccessReviewScheduleDefinitionById": { + "azure-native_authorization_v20211116preview:authorization:AccessReviewScheduleDefinitionById": { "range.type": {}, "scope.principalType": {} }, - "azure-native:authorization:AccessReviewHistoryDefinitionById": { + "azure-native_authorization_v20211201preview:authorization:AccessReviewHistoryDefinitionById": { "range.type": {} }, - "azure-native:authorization:AccessReviewScheduleDefinitionById": { + "azure-native_authorization_v20211201preview:authorization:AccessReviewScheduleDefinitionById": { "range.type": {}, "scope.principalType": {} }, - "azure-native:authorization:ScopeAccessReviewHistoryDefinitionById": { + "azure-native_authorization_v20211201preview:authorization:ScopeAccessReviewHistoryDefinitionById": { "range.type": {} }, - "azure-native:authorization:ScopeAccessReviewScheduleDefinitionById": { + "azure-native_authorization_v20211201preview:authorization:ScopeAccessReviewScheduleDefinitionById": { "range.type": {}, "scope.principalType": {} }, - "azure-native:devhub/v20221011preview:Workflow": { + "azure-native_devhub_v20221011preview:devhub:Workflow": { "githubWorkflowProfile.namespace": {} }, - "azure-native:devhub/v20230801:Workflow": { + "azure-native_devhub_v20230801:devhub:Workflow": { "githubWorkflowProfile.namespace": {} }, - "azure-native:devhub/v20240501preview:Workflow": { + "azure-native_devhub_v20240501preview:devhub:Workflow": { "githubWorkflowProfile.namespace": {} }, - "azure-native:devhub:Workflow": { - "githubWorkflowProfile.namespace": {} - }, - "azure-native:education/v20211201preview:Lab": { - "totalBudget.currency": {}, - "totalBudget.value": {} - }, - "azure-native:education:Lab": { + "azure-native_education_v20211201preview:education:Lab": { "totalBudget.currency": {}, "totalBudget.value": {} }, - "azure-native:monitor/v20210501preview:AutoscaleSetting": { + "azure-native_monitor_v20210501preview:monitor:AutoscaleSetting": { "properties.name": {} }, - "azure-native:monitor:AutoscaleSetting": { - "properties.name": {} - }, - "azure-native:network/v20180801:P2sVpnServerConfiguration": { + "azure-native_network_v20180801:network:P2sVpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20180801:VirtualWan": { + "azure-native_network_v20180801:network:VirtualWan": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20181001:P2sVpnServerConfiguration": { + "azure-native_network_v20181001:network:P2sVpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20181001:VirtualWan": { + "azure-native_network_v20181001:network:VirtualWan": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20181101:P2sVpnServerConfiguration": { + "azure-native_network_v20181101:network:P2sVpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20181101:VirtualWan": { + "azure-native_network_v20181101:network:VirtualWan": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20181201:P2sVpnServerConfiguration": { + "azure-native_network_v20181201:network:P2sVpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20181201:VirtualWan": { + "azure-native_network_v20181201:network:VirtualWan": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20190201:P2sVpnServerConfiguration": { + "azure-native_network_v20190201:network:P2sVpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20190201:VirtualWan": { + "azure-native_network_v20190201:network:VirtualWan": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20190401:P2sVpnServerConfiguration": { + "azure-native_network_v20190401:network:P2sVpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20190401:VirtualWan": { + "azure-native_network_v20190401:network:VirtualWan": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20190601:P2sVpnServerConfiguration": { + "azure-native_network_v20190601:network:P2sVpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20190601:VirtualWan": { + "azure-native_network_v20190601:network:VirtualWan": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20190701:P2sVpnServerConfiguration": { + "azure-native_network_v20190701:network:P2sVpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20190701:VirtualWan": { + "azure-native_network_v20190701:network:VirtualWan": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20190801:VpnServerConfiguration": { + "azure-native_network_v20190801:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20190901:VpnServerConfiguration": { + "azure-native_network_v20190901:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20191101:VpnServerConfiguration": { + "azure-native_network_v20191101:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20191201:VpnServerConfiguration": { + "azure-native_network_v20191201:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20200301:VpnServerConfiguration": { + "azure-native_network_v20200301:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20200401:VpnServerConfiguration": { + "azure-native_network_v20200401:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20200501:VpnServerConfiguration": { + "azure-native_network_v20200501:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20200601:VpnServerConfiguration": { + "azure-native_network_v20200601:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20200701:VpnServerConfiguration": { + "azure-native_network_v20200701:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20200801:VpnServerConfiguration": { + "azure-native_network_v20200801:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20201101:VpnServerConfiguration": { + "azure-native_network_v20201101:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20210201:VpnServerConfiguration": { + "azure-native_network_v20210201:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20210301:VpnServerConfiguration": { + "azure-native_network_v20210301:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20210501:VpnServerConfiguration": { + "azure-native_network_v20210501:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20210801:VpnServerConfiguration": { + "azure-native_network_v20210801:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20220101:VpnServerConfiguration": { + "azure-native_network_v20220101:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20220501:VpnServerConfiguration": { + "azure-native_network_v20220501:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20220701:VpnServerConfiguration": { + "azure-native_network_v20220701:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20220901:VpnServerConfiguration": { + "azure-native_network_v20220901:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20221101:VpnServerConfiguration": { + "azure-native_network_v20221101:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20230201:VpnServerConfiguration": { + "azure-native_network_v20230201:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20230401:VpnServerConfiguration": { + "azure-native_network_v20230401:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20230501:VpnServerConfiguration": { - "properties.etag": {}, - "properties.name": {} - }, - "azure-native:network/v20230601:NetworkVirtualApplianceConnection": { - "properties.name": {} - }, - "azure-native:network/v20230601:VpnServerConfiguration": { + "azure-native_network_v20230501:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20230901:NetworkVirtualApplianceConnection": { + "azure-native_network_v20230601:network:NetworkVirtualApplianceConnection": { "properties.name": {} }, - "azure-native:network/v20230901:VpnServerConfiguration": { + "azure-native_network_v20230601:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20231101:NetworkVirtualApplianceConnection": { + "azure-native_network_v20230901:network:NetworkVirtualApplianceConnection": { "properties.name": {} }, - "azure-native:network/v20231101:VpnServerConfiguration": { + "azure-native_network_v20230901:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20240101:NetworkVirtualApplianceConnection": { + "azure-native_network_v20231101:network:NetworkVirtualApplianceConnection": { "properties.name": {} }, - "azure-native:network/v20240101:VpnServerConfiguration": { + "azure-native_network_v20231101:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20240301:NetworkVirtualApplianceConnection": { + "azure-native_network_v20240101:network:NetworkVirtualApplianceConnection": { "properties.name": {} }, - "azure-native:network/v20240301:VpnServerConfiguration": { + "azure-native_network_v20240101:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network/v20240501:NetworkVirtualApplianceConnection": { + "azure-native_network_v20240301:network:NetworkVirtualApplianceConnection": { "properties.name": {} }, - "azure-native:network/v20240501:VpnServerConfiguration": { + "azure-native_network_v20240301:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network:NetworkVirtualApplianceConnection": { + "azure-native_network_v20240501:network:NetworkVirtualApplianceConnection": { "properties.name": {} }, - "azure-native:network:P2sVpnServerConfiguration": { + "azure-native_network_v20240501:network:VpnServerConfiguration": { "properties.etag": {}, "properties.name": {} }, - "azure-native:network:VpnServerConfiguration": { - "properties.etag": {}, - "properties.name": {} - }, - "azure-native:orbital/v20240301:L2Connection": { + "azure-native_orbital_v20240301:orbital:L2Connection": { "groundStationPartnerRouter.name": {} }, - "azure-native:orbital/v20240301preview:L2Connection": { - "groundStationPartnerRouter.name": {} - }, - "azure-native:orbital:L2Connection": { + "azure-native_orbital_v20240301preview:orbital:L2Connection": { "groundStationPartnerRouter.name": {} }, - "azure-native:vmwarecloudsimple/v20190401:DedicatedCloudNode": { - "properties.id": {}, - "properties.name": {} - }, - "azure-native:vmwarecloudsimple:DedicatedCloudNode": { + "azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:DedicatedCloudNode": { "properties.id": {}, "properties.name": {} } diff --git a/reports/forceNewTypes.json b/reports/forceNewTypes.json index cd93e41ab6fd..1170d27f0a1b 100644 --- a/reports/forceNewTypes.json +++ b/reports/forceNewTypes.json @@ -77,931 +77,931 @@ "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20221001", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "runtimeSubnetId" }, { - "VersionedModule": "app/v20221101preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20221101preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20221101preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20221101preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20221101preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20221101preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20221101preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20221101preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20221101preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20221101preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20221101preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20230401preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20230401preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20230401preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20230401preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20230401preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20230401preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20230401preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20230401preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20230401preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20230401preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20230401preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20230501", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20230501", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20230501", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20230501", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20230501", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20230501", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20230501", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20230501", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20230501", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20230501", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20230501", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20230502preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20230502preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20230502preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20230502preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20230502preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20230502preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20230502preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20230502preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20230502preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20230502preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20230502preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20230801preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20230801preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20230801preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20230801preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20230801preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20230801preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20230801preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20230801preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20230801preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20230801preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20230801preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20231102preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20231102preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20231102preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20231102preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20231102preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20231102preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20231102preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20231102preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20231102preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20231102preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20231102preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20240202preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20240202preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20240202preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20240202preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20240202preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20240202preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20240202preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20240202preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20240202preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20240202preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20240202preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20240301", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20240301", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20240301", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20240301", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20240301", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20240301", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20240301", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20240301", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20240301", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20240301", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20240301", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20240802preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20240802preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20240802preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20240802preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20240802preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20240802preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20240802preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20240802preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20240802preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20240802preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20240802preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20241002preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20241002preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20241002preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20241002preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20241002preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20241002preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20241002preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20241002preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20241002preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20241002preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20241002preview", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "app/v20250101", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20250101", + "VersionedModule": "app", "Module": "App", "ResourceName": "Certificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20250101", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20250101", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "password" }, { - "VersionedModule": "app/v20250101", + "VersionedModule": "app", "Module": "App", "ResourceName": "ConnectedEnvironmentsCertificate", "ReferenceName": "Certificate", "Property": "value" }, { - "VersionedModule": "app/v20250101", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "CustomDomainConfiguration", "Property": "dnsSuffix" }, { - "VersionedModule": "app/v20250101", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "app/v20250101", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "infrastructureSubnetId" }, { - "VersionedModule": "app/v20250101", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "internal" }, { - "VersionedModule": "app/v20250101", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "app/v20250101", + "VersionedModule": "app", "Module": "App", "ResourceName": "ManagedEnvironment", "ReferenceName": "VnetConfiguration", @@ -1106,630 +1106,630 @@ "Property": "zoneRedundant" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appSubnetId" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "outboundType" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceCidr" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeSubnetId" }, { - "VersionedModule": "appplatform/v20230501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "ClusterResourceProperties", "Property": "zoneRedundant" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appSubnetId" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "outboundType" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceCidr" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeSubnetId" }, { - "VersionedModule": "appplatform/v20230701preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "ClusterResourceProperties", "Property": "zoneRedundant" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appSubnetId" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "outboundType" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceCidr" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeSubnetId" }, { - "VersionedModule": "appplatform/v20230901preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "ClusterResourceProperties", "Property": "zoneRedundant" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Gateway", "ReferenceName": "GatewayResponseCacheProperties", "Property": "responseCacheType" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Gateway", "ReferenceName": "GatewayResponseCacheProperties", "Property": "responseCacheType" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appSubnetId" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "outboundType" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceCidr" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeSubnetId" }, { - "VersionedModule": "appplatform/v20231101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "ClusterResourceProperties", "Property": "zoneRedundant" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appSubnetId" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "outboundType" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceCidr" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeSubnetId" }, { - "VersionedModule": "appplatform/v20231201", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "ClusterResourceProperties", "Property": "zoneRedundant" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Gateway", "ReferenceName": "GatewayResponseCacheProperties", "Property": "responseCacheType" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Gateway", "ReferenceName": "GatewayResponseCacheProperties", "Property": "responseCacheType" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appSubnetId" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "outboundType" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceCidr" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeSubnetId" }, { - "VersionedModule": "appplatform/v20240101preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "ClusterResourceProperties", "Property": "zoneRedundant" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Certificate", "ReferenceName": "CertificateProperties", "Property": "type" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "CustomizedAccelerator", "ReferenceName": "AcceleratorAuthSetting", "Property": "authType" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Gateway", "ReferenceName": "GatewayResponseCacheProperties", "Property": "responseCacheType" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Gateway", "ReferenceName": "GatewayResponseCacheProperties", "Property": "responseCacheType" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "appSubnetId" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "outboundType" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceCidr" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeNetworkResourceGroup" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "NetworkProfile", "Property": "serviceRuntimeSubnetId" }, { - "VersionedModule": "appplatform/v20240501preview", + "VersionedModule": "appplatform", "Module": "AppPlatform", "ResourceName": "Service", "ReferenceName": "ClusterResourceProperties", @@ -1743,14 +1743,14 @@ "Property": "location" }, { - "VersionedModule": "automation/v20230515preview", + "VersionedModule": "automation", "Module": "Automation", "ResourceName": "Package", "ReferenceName": "TrackedResource", "Property": "location" }, { - "VersionedModule": "automation/v20241023", + "VersionedModule": "automation", "Module": "Automation", "ResourceName": "Package", "ReferenceName": "TrackedResource", @@ -1778,21 +1778,21 @@ "Property": "tier" }, { - "VersionedModule": "azureactivedirectory/v20230517preview", + "VersionedModule": "azureactivedirectory", "Module": "AzureActiveDirectory", "ResourceName": "CIAMTenant", "ReferenceName": "CreateCIAMTenantProperties", "Property": "countryCode" }, { - "VersionedModule": "azureactivedirectory/v20230517preview", + "VersionedModule": "azureactivedirectory", "Module": "AzureActiveDirectory", "ResourceName": "CIAMTenant", "ReferenceName": "CreateCIAMTenantProperties", "Property": "displayName" }, { - "VersionedModule": "azureactivedirectory/v20230517preview", + "VersionedModule": "azureactivedirectory", "Module": "AzureActiveDirectory", "ResourceName": "CIAMTenant", "ReferenceName": "CIAMResourceSKU", @@ -1813,42 +1813,42 @@ "Property": "licenseCategory" }, { - "VersionedModule": "azurearcdata/v20230115preview", + "VersionedModule": "azurearcdata", "Module": "AzureArcData", "ResourceName": "SqlServerDatabase", "ReferenceName": "SqlServerDatabaseResourceProperties", "Property": "collationName" }, { - "VersionedModule": "azurearcdata/v20240101", + "VersionedModule": "azurearcdata", "Module": "AzureArcData", "ResourceName": "SqlServerDatabase", "ReferenceName": "SqlServerDatabaseResourceProperties", "Property": "collationName" }, { - "VersionedModule": "azurearcdata/v20240501preview", + "VersionedModule": "azurearcdata", "Module": "AzureArcData", "ResourceName": "SqlServerDatabase", "ReferenceName": "SqlServerDatabaseResourceProperties", "Property": "collationName" }, { - "VersionedModule": "azurearcdata/v20240501preview", + "VersionedModule": "azurearcdata", "Module": "AzureArcData", "ResourceName": "SqlServerLicense", "ReferenceName": "SqlServerLicenseProperties", "Property": "licenseCategory" }, { - "VersionedModule": "azurearcdata/v20250301preview", + "VersionedModule": "azurearcdata", "Module": "AzureArcData", "ResourceName": "SqlServerDatabase", "ReferenceName": "SqlServerDatabaseResourceProperties", "Property": "collationName" }, { - "VersionedModule": "azurearcdata/v20250301preview", + "VersionedModule": "azurearcdata", "Module": "AzureArcData", "ResourceName": "SqlServerLicense", "ReferenceName": "SqlServerLicenseProperties", @@ -1862,42 +1862,42 @@ "Property": "location" }, { - "VersionedModule": "azuredatatransfer/v20231011preview", + "VersionedModule": "azuredatatransfer", "Module": "AzureDataTransfer", "ResourceName": "Flow", "ReferenceName": "selectedResource", "Property": "location" }, { - "VersionedModule": "azuredatatransfer/v20240125", + "VersionedModule": "azuredatatransfer", "Module": "AzureDataTransfer", "ResourceName": "Flow", "ReferenceName": "selectedResource", "Property": "location" }, { - "VersionedModule": "azuredatatransfer/v20240507", + "VersionedModule": "azuredatatransfer", "Module": "AzureDataTransfer", "ResourceName": "Flow", "ReferenceName": "selectedResource", "Property": "location" }, { - "VersionedModule": "azuredatatransfer/v20240911", + "VersionedModule": "azuredatatransfer", "Module": "AzureDataTransfer", "ResourceName": "Flow", "ReferenceName": "selectedResource", "Property": "location" }, { - "VersionedModule": "azuredatatransfer/v20240927", + "VersionedModule": "azuredatatransfer", "Module": "AzureDataTransfer", "ResourceName": "Flow", "ReferenceName": "selectedResource", "Property": "location" }, { - "VersionedModule": "azuredatatransfer/v20250301preview", + "VersionedModule": "azuredatatransfer", "Module": "AzureDataTransfer", "ResourceName": "Flow", "ReferenceName": "selectedResource", @@ -1925,42 +1925,42 @@ "Property": "regionalDataBoundary" }, { - "VersionedModule": "azuresphere/v20220901preview", + "VersionedModule": "azuresphere", "Module": "AzureSphere", "ResourceName": "Deployment", "ReferenceName": "ImageProperties", "Property": "image" }, { - "VersionedModule": "azuresphere/v20220901preview", + "VersionedModule": "azuresphere", "Module": "AzureSphere", "ResourceName": "Deployment", "ReferenceName": "ImageProperties", "Property": "imageId" }, { - "VersionedModule": "azuresphere/v20220901preview", + "VersionedModule": "azuresphere", "Module": "AzureSphere", "ResourceName": "Deployment", "ReferenceName": "RegionalDataBoundary", "Property": "regionalDataBoundary" }, { - "VersionedModule": "azuresphere/v20240401", + "VersionedModule": "azuresphere", "Module": "AzureSphere", "ResourceName": "Deployment", "ReferenceName": "ImageProperties", "Property": "image" }, { - "VersionedModule": "azuresphere/v20240401", + "VersionedModule": "azuresphere", "Module": "AzureSphere", "ResourceName": "Deployment", "ReferenceName": "ImageProperties", "Property": "imageId" }, { - "VersionedModule": "azuresphere/v20240401", + "VersionedModule": "azuresphere", "Module": "AzureSphere", "ResourceName": "Deployment", "ReferenceName": "RegionalDataBoundary", @@ -2023,308 +2023,308 @@ "Property": "imageReference" }, { - "VersionedModule": "azurestackhci/v20221215preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "NetworkInterface", "ReferenceName": "IPConfiguration", "Property": "name" }, { - "VersionedModule": "azurestackhci/v20221215preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachineProperties", "Property": "adminPassword" }, { - "VersionedModule": "azurestackhci/v20221215preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachineProperties", "Property": "id" }, { - "VersionedModule": "azurestackhci/v20230701preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "NetworkInterface", "ReferenceName": "IPConfiguration", "Property": "name" }, { - "VersionedModule": "azurestackhci/v20230701preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstanceProperties", "Property": "adminPassword" }, { - "VersionedModule": "azurestackhci/v20230701preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstanceProperties", "Property": "id" }, { - "VersionedModule": "azurestackhci/v20230901preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "NetworkInterface", "ReferenceName": "IPConfiguration", "Property": "name" }, { - "VersionedModule": "azurestackhci/v20230901preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstanceProperties", "Property": "adminPassword" }, { - "VersionedModule": "azurestackhci/v20230901preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstanceProperties", "Property": "id" }, { - "VersionedModule": "azurestackhci/v20240101", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "NetworkInterface", "ReferenceName": "IPConfiguration", "Property": "name" }, { - "VersionedModule": "azurestackhci/v20240101", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstanceProperties", "Property": "adminPassword" }, { - "VersionedModule": "azurestackhci/v20240101", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstanceProperties", "Property": "id" }, { - "VersionedModule": "azurestackhci/v20240201preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "NetworkInterface", "ReferenceName": "IPConfiguration", "Property": "name" }, { - "VersionedModule": "azurestackhci/v20240201preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstancePropertiesOsProfile", "Property": "adminPassword" }, { - "VersionedModule": "azurestackhci/v20240201preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "id" }, { - "VersionedModule": "azurestackhci/v20240201preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "imageReference" }, { - "VersionedModule": "azurestackhci/v20240501preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "NetworkInterface", "ReferenceName": "IPConfiguration", "Property": "name" }, { - "VersionedModule": "azurestackhci/v20240501preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstancePropertiesOsProfile", "Property": "adminPassword" }, { - "VersionedModule": "azurestackhci/v20240501preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "id" }, { - "VersionedModule": "azurestackhci/v20240501preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "imageReference" }, { - "VersionedModule": "azurestackhci/v20240715preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "NetworkInterface", "ReferenceName": "IPConfiguration", "Property": "name" }, { - "VersionedModule": "azurestackhci/v20240715preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstancePropertiesOsProfile", "Property": "adminPassword" }, { - "VersionedModule": "azurestackhci/v20240715preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "id" }, { - "VersionedModule": "azurestackhci/v20240715preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "imageReference" }, { - "VersionedModule": "azurestackhci/v20240801preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "NetworkInterface", "ReferenceName": "IPConfiguration", "Property": "name" }, { - "VersionedModule": "azurestackhci/v20240801preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstancePropertiesOsProfile", "Property": "adminPassword" }, { - "VersionedModule": "azurestackhci/v20240801preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "id" }, { - "VersionedModule": "azurestackhci/v20240801preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "imageReference" }, { - "VersionedModule": "azurestackhci/v20240901preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "HciEdgeDeviceJob", "ReferenceName": "HciEdgeDeviceJobType", "Property": "jobType" }, { - "VersionedModule": "azurestackhci/v20240901preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "HciEdgeDeviceJob", "ReferenceName": "HciEdgeDeviceJobType", "Property": "jobType" }, { - "VersionedModule": "azurestackhci/v20241001preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "NetworkInterface", "ReferenceName": "IPConfiguration", "Property": "name" }, { - "VersionedModule": "azurestackhci/v20241001preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstancePropertiesOsProfile", "Property": "adminPassword" }, { - "VersionedModule": "azurestackhci/v20241001preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "id" }, { - "VersionedModule": "azurestackhci/v20241001preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "imageReference" }, { - "VersionedModule": "azurestackhci/v20241201preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "HciEdgeDeviceJob", "ReferenceName": "HciEdgeDeviceJobType", "Property": "jobType" }, { - "VersionedModule": "azurestackhci/v20241201preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "HciEdgeDeviceJob", "ReferenceName": "HciEdgeDeviceJobType", "Property": "jobType" }, { - "VersionedModule": "azurestackhci/v20250201preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "NetworkInterface", "ReferenceName": "IPConfiguration", "Property": "name" }, { - "VersionedModule": "azurestackhci/v20250201preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstancePropertiesOsProfile", "Property": "adminPassword" }, { - "VersionedModule": "azurestackhci/v20250201preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "id" }, { - "VersionedModule": "azurestackhci/v20250201preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "imageReference" }, { - "VersionedModule": "azurestackhci/v20250401preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "NetworkInterface", "ReferenceName": "IPConfiguration", "Property": "name" }, { - "VersionedModule": "azurestackhci/v20250401preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualMachineInstancePropertiesOsProfile", "Property": "adminPassword" }, { - "VersionedModule": "azurestackhci/v20250401preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", "Property": "id" }, { - "VersionedModule": "azurestackhci/v20250401preview", + "VersionedModule": "azurestackhci", "Module": "AzureStackHCI", "ResourceName": "VirtualMachineInstance", "ReferenceName": "ImageArmReference", @@ -2513,364 +2513,364 @@ "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Bot", "ReferenceName": "BotProperties", "Property": "msaAppId" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Bot", "ReferenceName": "BotProperties", "Property": "msaAppTenantId" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Bot", "ReferenceName": "BotProperties", "Property": "tenantId" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Site", "Property": "isV1Enabled" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Site", "Property": "siteName" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Site", "Property": "isV1Enabled" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Site", "Property": "siteName" }, { - "VersionedModule": "botservice/v20220915", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Bot", "ReferenceName": "BotProperties", "Property": "msaAppId" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Bot", "ReferenceName": "BotProperties", "Property": "msaAppTenantId" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Bot", "ReferenceName": "BotProperties", "Property": "tenantId" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Site", "Property": "isV1Enabled" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Site", "Property": "siteName" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", "Property": "etag" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Site", "Property": "isV1Enabled" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Site", "Property": "siteName" }, { - "VersionedModule": "botservice/v20230915preview", + "VersionedModule": "botservice", "Module": "BotService", "ResourceName": "Channel", "ReferenceName": "Channel", @@ -2884,21 +2884,21 @@ "Property": "token" }, { - "VersionedModule": "confluent/v20230822", + "VersionedModule": "confluent", "Module": "Confluent", "ResourceName": "Organization", "ReferenceName": "LinkOrganization", "Property": "token" }, { - "VersionedModule": "confluent/v20240213", + "VersionedModule": "confluent", "Module": "Confluent", "ResourceName": "Organization", "ReferenceName": "LinkOrganization", "Property": "token" }, { - "VersionedModule": "confluent/v20240701", + "VersionedModule": "confluent", "Module": "Confluent", "ResourceName": "Organization", "ReferenceName": "LinkOrganization", @@ -2982,378 +2982,378 @@ "Property": "nodeImageSelection" }, { - "VersionedModule": "containerservice/v20220602preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "FleetHubProfile", "Property": "dnsPrefix" }, { - "VersionedModule": "containerservice/v20220702preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "FleetHubProfile", "Property": "dnsPrefix" }, { - "VersionedModule": "containerservice/v20220902preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "FleetHubProfile", "Property": "dnsPrefix" }, { - "VersionedModule": "containerservice/v20230315preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "FleetHubProfile", "Property": "dnsPrefix" }, { - "VersionedModule": "containerservice/v20230615preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "SubnetResourceId", "Property": "subnetId" }, { - "VersionedModule": "containerservice/v20230615preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "AgentProfile", "Property": "agentProfile" }, { - "VersionedModule": "containerservice/v20230615preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "enablePrivateCluster" }, { - "VersionedModule": "containerservice/v20230615preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "enableVnetIntegration" }, { - "VersionedModule": "containerservice/v20230615preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "SubnetResourceId", "Property": "subnetId" }, { - "VersionedModule": "containerservice/v20230615preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "apiServerAccessProfile" }, { - "VersionedModule": "containerservice/v20230615preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "FleetHubProfile", "Property": "dnsPrefix" }, { - "VersionedModule": "containerservice/v20230615preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelectionType", "Property": "type" }, { - "VersionedModule": "containerservice/v20230615preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelection", "Property": "nodeImageSelection" }, { - "VersionedModule": "containerservice/v20230815preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "SubnetResourceId", "Property": "subnetId" }, { - "VersionedModule": "containerservice/v20230815preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "AgentProfile", "Property": "vmSize" }, { - "VersionedModule": "containerservice/v20230815preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "AgentProfile", "Property": "agentProfile" }, { - "VersionedModule": "containerservice/v20230815preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "enablePrivateCluster" }, { - "VersionedModule": "containerservice/v20230815preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "enableVnetIntegration" }, { - "VersionedModule": "containerservice/v20230815preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "SubnetResourceId", "Property": "subnetId" }, { - "VersionedModule": "containerservice/v20230815preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "apiServerAccessProfile" }, { - "VersionedModule": "containerservice/v20230815preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "FleetHubProfile", "Property": "dnsPrefix" }, { - "VersionedModule": "containerservice/v20230815preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelectionType", "Property": "type" }, { - "VersionedModule": "containerservice/v20230815preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelection", "Property": "nodeImageSelection" }, { - "VersionedModule": "containerservice/v20231015", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelectionType", "Property": "type" }, { - "VersionedModule": "containerservice/v20231015", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelection", "Property": "nodeImageSelection" }, { - "VersionedModule": "containerservice/v20240202preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "SubnetResourceId", "Property": "subnetId" }, { - "VersionedModule": "containerservice/v20240202preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "AgentProfile", "Property": "vmSize" }, { - "VersionedModule": "containerservice/v20240202preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "AgentProfile", "Property": "agentProfile" }, { - "VersionedModule": "containerservice/v20240202preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "enablePrivateCluster" }, { - "VersionedModule": "containerservice/v20240202preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "enableVnetIntegration" }, { - "VersionedModule": "containerservice/v20240202preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "SubnetResourceId", "Property": "subnetId" }, { - "VersionedModule": "containerservice/v20240202preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "apiServerAccessProfile" }, { - "VersionedModule": "containerservice/v20240202preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "FleetHubProfile", "Property": "dnsPrefix" }, { - "VersionedModule": "containerservice/v20240202preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelectionType", "Property": "type" }, { - "VersionedModule": "containerservice/v20240202preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelection", "Property": "nodeImageSelection" }, { - "VersionedModule": "containerservice/v20240401", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "SubnetResourceId", "Property": "subnetId" }, { - "VersionedModule": "containerservice/v20240401", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "AgentProfile", "Property": "vmSize" }, { - "VersionedModule": "containerservice/v20240401", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "AgentProfile", "Property": "agentProfile" }, { - "VersionedModule": "containerservice/v20240401", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "enablePrivateCluster" }, { - "VersionedModule": "containerservice/v20240401", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "apiServerAccessProfile" }, { - "VersionedModule": "containerservice/v20240401", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "FleetHubProfile", "Property": "dnsPrefix" }, { - "VersionedModule": "containerservice/v20240401", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelectionType", "Property": "type" }, { - "VersionedModule": "containerservice/v20240401", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelection", "Property": "nodeImageSelection" }, { - "VersionedModule": "containerservice/v20240502preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "AutoUpgradeProfile", "ReferenceName": "AutoUpgradeNodeImageSelectionType", "Property": "type" }, { - "VersionedModule": "containerservice/v20240502preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "SubnetResourceId", "Property": "subnetId" }, { - "VersionedModule": "containerservice/v20240502preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "AgentProfile", "Property": "vmSize" }, { - "VersionedModule": "containerservice/v20240502preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "AgentProfile", "Property": "agentProfile" }, { - "VersionedModule": "containerservice/v20240502preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "enablePrivateCluster" }, { - "VersionedModule": "containerservice/v20240502preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "enableVnetIntegration" }, { - "VersionedModule": "containerservice/v20240502preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "SubnetResourceId", "Property": "subnetId" }, { - "VersionedModule": "containerservice/v20240502preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "APIServerAccessProfile", "Property": "apiServerAccessProfile" }, { - "VersionedModule": "containerservice/v20240502preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "Fleet", "ReferenceName": "FleetHubProfile", "Property": "dnsPrefix" }, { - "VersionedModule": "containerservice/v20240502preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelectionType", "Property": "type" }, { - "VersionedModule": "containerservice/v20240502preview", + "VersionedModule": "containerservice", "Module": "ContainerService", "ResourceName": "UpdateRun", "ReferenceName": "NodeImageSelection", @@ -3395,35 +3395,35 @@ "Property": "skuName" }, { - "VersionedModule": "containerstorage/v20230701preview", + "VersionedModule": "containerstorage", "Module": "ContainerStorage", "ResourceName": "Pool", "ReferenceName": "AssignmentId", "Property": "id" }, { - "VersionedModule": "containerstorage/v20230701preview", + "VersionedModule": "containerstorage", "Module": "ContainerStorage", "ResourceName": "Pool", "ReferenceName": "Encryption", "Property": "encryption" }, { - "VersionedModule": "containerstorage/v20230701preview", + "VersionedModule": "containerstorage", "Module": "ContainerStorage", "ResourceName": "Pool", "ReferenceName": "AzureDiskSkuName", "Property": "skuName" }, { - "VersionedModule": "containerstorage/v20230701preview", + "VersionedModule": "containerstorage", "Module": "ContainerStorage", "ResourceName": "Pool", "ReferenceName": "Encryption", "Property": "encryption" }, { - "VersionedModule": "containerstorage/v20230701preview", + "VersionedModule": "containerstorage", "Module": "ContainerStorage", "ResourceName": "Pool", "ReferenceName": "ElasticSanSkuName", @@ -3521,1862 +3521,1862 @@ "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20200601preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "DatabaseAccount", "ReferenceName": "RestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20210301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20210301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20210301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20210301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20210301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20210301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20210301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "DatabaseAccount", "ReferenceName": "RestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20210401preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20210401preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20210401preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20210401preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20210401preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20210401preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20210401preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "DatabaseAccount", "ReferenceName": "RestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20210701preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20210701preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20210701preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20210701preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20210701preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20210701preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20211015", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20211015", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20211015", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20211015", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20211015", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20211015", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20211015preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20211015preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20211015preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20211015preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20211015preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20211015preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20211115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20211115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20211115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20211115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20211115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20211115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20220215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20220215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20220215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20220215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20220215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20220215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20220515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20220515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20220515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20220515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20220515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20220515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20220515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20220515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20220515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20220515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20220515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20220515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20220815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20220815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20220815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20220815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20220815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20220815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20220815preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20220815preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20220815preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20220815preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20220815preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20220815preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20220815preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20220815preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20220815preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20220815preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20221115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20221115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20221115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20221115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20221115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20221115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20221115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230301preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230315", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20230315", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20230315", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20230315", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20230315", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20230315", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230315preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230415", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20230415", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20230415", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20230415", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20230415", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20230415", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20230915", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20230915", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20230915", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20230915", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20230915", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20230915", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20230915preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20231115preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240215preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240515preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240815", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20240901preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241115", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "clusterNameOverride" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "delegatedManagementSubnetId" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "initialCassandraAdminPassword" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraCluster", "ReferenceName": "ClusterResource", "Property": "restoreFromBackupId" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "dataCenterLocation" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "CassandraDataCenter", "ReferenceName": "DataCenterResource", "Property": "delegatedSubnetId" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "GremlinResourceGremlinGraph", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBCollection", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "MongoDBResourceMongoDBDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlContainer", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "SqlResourceSqlDatabase", "ReferenceName": "ResourceRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "cosmosdb/v20241201preview", + "VersionedModule": "cosmosdb", "Module": "CosmosDB", "ResourceName": "TableResourceTable", "ReferenceName": "ResourceRestoreParameters", @@ -5418,245 +5418,245 @@ "Property": "storageRedundancy" }, { - "VersionedModule": "dbformysql/v20230601preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "dataDirPath" }, { - "VersionedModule": "dbformysql/v20230601preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "sasToken" }, { - "VersionedModule": "dbformysql/v20230601preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageType" }, { - "VersionedModule": "dbformysql/v20230601preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageUrl" }, { - "VersionedModule": "dbformysql/v20230630", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "dataDirPath" }, { - "VersionedModule": "dbformysql/v20230630", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "sasToken" }, { - "VersionedModule": "dbformysql/v20230630", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageType" }, { - "VersionedModule": "dbformysql/v20230630", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageUrl" }, { - "VersionedModule": "dbformysql/v20231001preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "dataDirPath" }, { - "VersionedModule": "dbformysql/v20231001preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "sasToken" }, { - "VersionedModule": "dbformysql/v20231001preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageType" }, { - "VersionedModule": "dbformysql/v20231001preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageUrl" }, { - "VersionedModule": "dbformysql/v20231201preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "dataDirPath" }, { - "VersionedModule": "dbformysql/v20231201preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "sasToken" }, { - "VersionedModule": "dbformysql/v20231201preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageType" }, { - "VersionedModule": "dbformysql/v20231201preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageUrl" }, { - "VersionedModule": "dbformysql/v20231230", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "dataDirPath" }, { - "VersionedModule": "dbformysql/v20231230", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "sasToken" }, { - "VersionedModule": "dbformysql/v20231230", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageType" }, { - "VersionedModule": "dbformysql/v20231230", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageUrl" }, { - "VersionedModule": "dbformysql/v20240201preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "dataDirPath" }, { - "VersionedModule": "dbformysql/v20240201preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "sasToken" }, { - "VersionedModule": "dbformysql/v20240201preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageType" }, { - "VersionedModule": "dbformysql/v20240201preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageUrl" }, { - "VersionedModule": "dbformysql/v20240201preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "StorageRedundancyEnum", "Property": "storageRedundancy" }, { - "VersionedModule": "dbformysql/v20240601preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "dataDirPath" }, { - "VersionedModule": "dbformysql/v20240601preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "sasToken" }, { - "VersionedModule": "dbformysql/v20240601preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageType" }, { - "VersionedModule": "dbformysql/v20240601preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageUrl" }, { - "VersionedModule": "dbformysql/v20240601preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "StorageRedundancyEnum", "Property": "storageRedundancy" }, { - "VersionedModule": "dbformysql/v20241001preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "dataDirPath" }, { - "VersionedModule": "dbformysql/v20241001preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "sasToken" }, { - "VersionedModule": "dbformysql/v20241001preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageType" }, { - "VersionedModule": "dbformysql/v20241001preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "ImportSourceProperties", "Property": "storageUrl" }, { - "VersionedModule": "dbformysql/v20241001preview", + "VersionedModule": "dbformysql", "Module": "DBforMySQL", "ResourceName": "Server", "ReferenceName": "StorageRedundancyEnum", @@ -5670,49 +5670,49 @@ "Property": "geoRedundantBackup" }, { - "VersionedModule": "dbforpostgresql/v20221201", + "VersionedModule": "dbforpostgresql", "Module": "DBforPostgreSQL", "ResourceName": "Server", "ReferenceName": "Backup", "Property": "geoRedundantBackup" }, { - "VersionedModule": "dbforpostgresql/v20230301preview", + "VersionedModule": "dbforpostgresql", "Module": "DBforPostgreSQL", "ResourceName": "Server", "ReferenceName": "Backup", "Property": "geoRedundantBackup" }, { - "VersionedModule": "dbforpostgresql/v20230601preview", + "VersionedModule": "dbforpostgresql", "Module": "DBforPostgreSQL", "ResourceName": "Server", "ReferenceName": "Backup", "Property": "geoRedundantBackup" }, { - "VersionedModule": "dbforpostgresql/v20231201preview", + "VersionedModule": "dbforpostgresql", "Module": "DBforPostgreSQL", "ResourceName": "Server", "ReferenceName": "Backup", "Property": "geoRedundantBackup" }, { - "VersionedModule": "dbforpostgresql/v20240301preview", + "VersionedModule": "dbforpostgresql", "Module": "DBforPostgreSQL", "ResourceName": "Server", "ReferenceName": "Backup", "Property": "geoRedundantBackup" }, { - "VersionedModule": "dbforpostgresql/v20240801", + "VersionedModule": "dbforpostgresql", "Module": "DBforPostgreSQL", "ResourceName": "Server", "ReferenceName": "Backup", "Property": "geoRedundantBackup" }, { - "VersionedModule": "dbforpostgresql/v20241101preview", + "VersionedModule": "dbforpostgresql", "Module": "DBforPostgreSQL", "ResourceName": "Server", "ReferenceName": "Backup", @@ -5726,35 +5726,35 @@ "Property": "autoGeneratedDomainNameLabelScope" }, { - "VersionedModule": "dashboard/v20220801", + "VersionedModule": "dashboard", "Module": "Dashboard", "ResourceName": "Grafana", "ReferenceName": "AutoGeneratedDomainNameLabelScope", "Property": "autoGeneratedDomainNameLabelScope" }, { - "VersionedModule": "dashboard/v20221001preview", + "VersionedModule": "dashboard", "Module": "Dashboard", "ResourceName": "Grafana", "ReferenceName": "AutoGeneratedDomainNameLabelScope", "Property": "autoGeneratedDomainNameLabelScope" }, { - "VersionedModule": "dashboard/v20230901", + "VersionedModule": "dashboard", "Module": "Dashboard", "ResourceName": "Grafana", "ReferenceName": "AutoGeneratedDomainNameLabelScope", "Property": "autoGeneratedDomainNameLabelScope" }, { - "VersionedModule": "dashboard/v20231001preview", + "VersionedModule": "dashboard", "Module": "Dashboard", "ResourceName": "Grafana", "ReferenceName": "AutoGeneratedDomainNameLabelScope", "Property": "autoGeneratedDomainNameLabelScope" }, { - "VersionedModule": "dashboard/v20241001", + "VersionedModule": "dashboard", "Module": "Dashboard", "ResourceName": "Grafana", "ReferenceName": "AutoGeneratedDomainNameLabelScope", @@ -5775,84 +5775,84 @@ "Property": "sharePassword" }, { - "VersionedModule": "databox/v20221201", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", "Property": "sharePassword" }, { - "VersionedModule": "databox/v20221201", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", "Property": "sharePassword" }, { - "VersionedModule": "databox/v20230301", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", "Property": "sharePassword" }, { - "VersionedModule": "databox/v20230301", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", "Property": "sharePassword" }, { - "VersionedModule": "databox/v20231201", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", "Property": "sharePassword" }, { - "VersionedModule": "databox/v20231201", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", "Property": "sharePassword" }, { - "VersionedModule": "databox/v20240201preview", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", "Property": "sharePassword" }, { - "VersionedModule": "databox/v20240201preview", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", "Property": "sharePassword" }, { - "VersionedModule": "databox/v20240301preview", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", "Property": "sharePassword" }, { - "VersionedModule": "databox/v20240301preview", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", "Property": "sharePassword" }, { - "VersionedModule": "databox/v20250201", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", "Property": "sharePassword" }, { - "VersionedModule": "databox/v20250201", + "VersionedModule": "databox", "Module": "DataBox", "ResourceName": "Job", "ReferenceName": "DataAccountDetails", @@ -5866,14 +5866,14 @@ "Property": "scope" }, { - "VersionedModule": "datamigration/v20220330preview", + "VersionedModule": "datamigration", "Module": "DataMigration", "ResourceName": "DatabaseMigrationsSqlDb", "ReferenceName": "DatabaseMigrationProperties", "Property": "scope" }, { - "VersionedModule": "datamigration/v20230715preview", + "VersionedModule": "datamigration", "Module": "DataMigration", "ResourceName": "DatabaseMigrationsSqlDb", "ReferenceName": "DatabaseMigrationBaseProperties", @@ -5887,84 +5887,84 @@ "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20230101", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20230401preview", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20230501", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20230601preview", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20230801preview", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20231101", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20231201", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20240201preview", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20240301", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20240401", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20250101", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", "Property": "policyParameters" }, { - "VersionedModule": "dataprotection/v20250201", + "VersionedModule": "dataprotection", "Module": "DataProtection", "ResourceName": "BackupInstance", "ReferenceName": "PolicyParameters", @@ -6139,168 +6139,168 @@ "Property": "mainPrincipal" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FirewallRule", "ReferenceName": "FirewallRuleProperties", "Property": "endIpAddress" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FirewallRule", "ReferenceName": "FirewallRuleProperties", "Property": "startIpAddress" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "Fleet", "ReferenceName": "FleetProperties", "Property": "description" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetDatabase", "ReferenceName": "FleetDatabaseProperties", "Property": "collation" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetDatabase", "ReferenceName": "DatabaseCreateMode", "Property": "createMode" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetDatabase", "ReferenceName": "FleetDatabaseProperties", "Property": "restoreFromTime" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetDatabase", "ReferenceName": "FleetDatabaseProperties", "Property": "sourceDatabaseName" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetDatabase", "ReferenceName": "FleetDatabaseProperties", "Property": "tierName" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetTier", "ReferenceName": "FleetTierProperties", "Property": "capacity" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetTier", "ReferenceName": "FleetTierProperties", "Property": "databaseCapacityMax" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetTier", "ReferenceName": "FleetTierProperties", "Property": "databaseCapacityMin" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetTier", "ReferenceName": "FleetTierProperties", "Property": "databaseSizeGbMax" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetTier", "ReferenceName": "FleetTierProperties", "Property": "family" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetTier", "ReferenceName": "FleetTierProperties", "Property": "highAvailabilityReplicaCount" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetTier", "ReferenceName": "FleetTierProperties", "Property": "pooled" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetTier", "ReferenceName": "FleetTierProperties", "Property": "serverless" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetTier", "ReferenceName": "FleetTierProperties", "Property": "serviceTier" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "FleetTier", "ReferenceName": "ZoneRedundancy", "Property": "zoneRedundancy" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "Fleetspace", "ReferenceName": "Azure.Core.uuid", "Property": "applicationId" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "Fleetspace", "ReferenceName": "MainPrincipal", "Property": "login" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "Fleetspace", "ReferenceName": "Azure.Core.uuid", "Property": "objectId" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "Fleetspace", "ReferenceName": "PrincipalType", "Property": "principalType" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "Fleetspace", "ReferenceName": "Azure.Core.uuid", "Property": "tenantId" }, { - "VersionedModule": "databasefleetmanager/v20250201preview", + "VersionedModule": "databasefleetmanager", "Module": "DatabaseFleetManager", "ResourceName": "Fleetspace", "ReferenceName": "MainPrincipal", @@ -6363,280 +6363,280 @@ "Property": "redirectUri" }, { - "VersionedModule": "datadog/v20220601", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "apiKey" }, { - "VersionedModule": "datadog/v20220601", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "applicationKey" }, { - "VersionedModule": "datadog/v20220601", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "enterpriseAppId" }, { - "VersionedModule": "datadog/v20220601", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "id" }, { - "VersionedModule": "datadog/v20220601", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "linkingAuthCode" }, { - "VersionedModule": "datadog/v20220601", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "linkingClientId" }, { - "VersionedModule": "datadog/v20220601", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "name" }, { - "VersionedModule": "datadog/v20220601", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "redirectUri" }, { - "VersionedModule": "datadog/v20220801", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "apiKey" }, { - "VersionedModule": "datadog/v20220801", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "applicationKey" }, { - "VersionedModule": "datadog/v20220801", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "enterpriseAppId" }, { - "VersionedModule": "datadog/v20220801", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "id" }, { - "VersionedModule": "datadog/v20220801", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "linkingAuthCode" }, { - "VersionedModule": "datadog/v20220801", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "linkingClientId" }, { - "VersionedModule": "datadog/v20220801", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "name" }, { - "VersionedModule": "datadog/v20220801", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "redirectUri" }, { - "VersionedModule": "datadog/v20230101", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "apiKey" }, { - "VersionedModule": "datadog/v20230101", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "applicationKey" }, { - "VersionedModule": "datadog/v20230101", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "enterpriseAppId" }, { - "VersionedModule": "datadog/v20230101", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "id" }, { - "VersionedModule": "datadog/v20230101", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "linkingAuthCode" }, { - "VersionedModule": "datadog/v20230101", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "linkingClientId" }, { - "VersionedModule": "datadog/v20230101", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "name" }, { - "VersionedModule": "datadog/v20230101", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "redirectUri" }, { - "VersionedModule": "datadog/v20230707", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "apiKey" }, { - "VersionedModule": "datadog/v20230707", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "applicationKey" }, { - "VersionedModule": "datadog/v20230707", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "enterpriseAppId" }, { - "VersionedModule": "datadog/v20230707", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "id" }, { - "VersionedModule": "datadog/v20230707", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "linkingAuthCode" }, { - "VersionedModule": "datadog/v20230707", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "linkingClientId" }, { - "VersionedModule": "datadog/v20230707", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "name" }, { - "VersionedModule": "datadog/v20230707", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "redirectUri" }, { - "VersionedModule": "datadog/v20231020", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "apiKey" }, { - "VersionedModule": "datadog/v20231020", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "applicationKey" }, { - "VersionedModule": "datadog/v20231020", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "enterpriseAppId" }, { - "VersionedModule": "datadog/v20231020", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "id" }, { - "VersionedModule": "datadog/v20231020", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "linkingAuthCode" }, { - "VersionedModule": "datadog/v20231020", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "linkingClientId" }, { - "VersionedModule": "datadog/v20231020", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", "Property": "name" }, { - "VersionedModule": "datadog/v20231020", + "VersionedModule": "datadog", "Module": "Datadog", "ResourceName": "Monitor", "ReferenceName": "DatadogOrganizationProperties", @@ -6650,21 +6650,21 @@ "Property": "subnet" }, { - "VersionedModule": "dnsresolver/v20200401preview", + "VersionedModule": "dnsresolver", "Module": "DnsResolver", "ResourceName": "InboundEndpoint", "ReferenceName": "SubResource", "Property": "subnet" }, { - "VersionedModule": "dnsresolver/v20220701", + "VersionedModule": "dnsresolver", "Module": "DnsResolver", "ResourceName": "InboundEndpoint", "ReferenceName": "SubResource", "Property": "subnet" }, { - "VersionedModule": "dnsresolver/v20230701preview", + "VersionedModule": "dnsresolver", "Module": "DnsResolver", "ResourceName": "InboundEndpoint", "ReferenceName": "SubResource", @@ -6678,77 +6678,77 @@ "Property": "userInfo" }, { - "VersionedModule": "elastic/v20230601", + "VersionedModule": "elastic", "Module": "Elastic", "ResourceName": "Monitor", "ReferenceName": "UserInfo", "Property": "userInfo" }, { - "VersionedModule": "elastic/v20230615preview", + "VersionedModule": "elastic", "Module": "Elastic", "ResourceName": "Monitor", "ReferenceName": "UserInfo", "Property": "userInfo" }, { - "VersionedModule": "elastic/v20230701preview", + "VersionedModule": "elastic", "Module": "Elastic", "ResourceName": "Monitor", "ReferenceName": "UserInfo", "Property": "userInfo" }, { - "VersionedModule": "elastic/v20231001preview", + "VersionedModule": "elastic", "Module": "Elastic", "ResourceName": "Monitor", "ReferenceName": "UserInfo", "Property": "userInfo" }, { - "VersionedModule": "elastic/v20231101preview", + "VersionedModule": "elastic", "Module": "Elastic", "ResourceName": "Monitor", "ReferenceName": "UserInfo", "Property": "userInfo" }, { - "VersionedModule": "elastic/v20240101preview", + "VersionedModule": "elastic", "Module": "Elastic", "ResourceName": "Monitor", "ReferenceName": "UserInfo", "Property": "userInfo" }, { - "VersionedModule": "elastic/v20240301", + "VersionedModule": "elastic", "Module": "Elastic", "ResourceName": "Monitor", "ReferenceName": "UserInfo", "Property": "userInfo" }, { - "VersionedModule": "elastic/v20240501preview", + "VersionedModule": "elastic", "Module": "Elastic", "ResourceName": "Monitor", "ReferenceName": "UserInfo", "Property": "userInfo" }, { - "VersionedModule": "elastic/v20240615preview", + "VersionedModule": "elastic", "Module": "Elastic", "ResourceName": "Monitor", "ReferenceName": "UserInfo", "Property": "userInfo" }, { - "VersionedModule": "elastic/v20241001preview", + "VersionedModule": "elastic", "Module": "Elastic", "ResourceName": "Monitor", "ReferenceName": "UserInfo", "Property": "userInfo" }, { - "VersionedModule": "elastic/v20250115preview", + "VersionedModule": "elastic", "Module": "Elastic", "ResourceName": "Monitor", "ReferenceName": "UserInfo", @@ -6762,7 +6762,7 @@ "Property": "appId" }, { - "VersionedModule": "graphservices/v20230413", + "VersionedModule": "graphservices", "Module": "GraphServices", "ResourceName": "Account", "ReferenceName": "AccountResource", @@ -6832,273 +6832,273 @@ "Property": "enableInternalIngress" }, { - "VersionedModule": "hdinsight/v20210601", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "Role", "Property": "VMGroupName" }, { - "VersionedModule": "hdinsight/v20210601", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "ApplicationGetHttpsEndpoint", "Property": "privateIPAddress" }, { - "VersionedModule": "hdinsight/v20210601", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "ApplicationGetEndpoint", "Property": "privateIPAddress" }, { - "VersionedModule": "hdinsight/v20210601", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "ClusterDefinition", "Property": "componentVersion" }, { - "VersionedModule": "hdinsight/v20210601", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "Role", "Property": "VMGroupName" }, { - "VersionedModule": "hdinsight/v20210601", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "SecurityProfile", "Property": "organizationalUnitDN" }, { - "VersionedModule": "hdinsight/v20210601", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "ClusterCreateProperties", "Property": "tier" }, { - "VersionedModule": "hdinsight/v20230415preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "Role", "Property": "VMGroupName" }, { - "VersionedModule": "hdinsight/v20230415preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "ApplicationGetHttpsEndpoint", "Property": "privateIPAddress" }, { - "VersionedModule": "hdinsight/v20230415preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "ApplicationGetEndpoint", "Property": "privateIPAddress" }, { - "VersionedModule": "hdinsight/v20230415preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "ClusterDefinition", "Property": "componentVersion" }, { - "VersionedModule": "hdinsight/v20230415preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "Role", "Property": "VMGroupName" }, { - "VersionedModule": "hdinsight/v20230415preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "SecurityProfile", "Property": "organizationalUnitDN" }, { - "VersionedModule": "hdinsight/v20230415preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "ClusterCreateProperties", "Property": "tier" }, { - "VersionedModule": "hdinsight/v20230815preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "Role", "Property": "VMGroupName" }, { - "VersionedModule": "hdinsight/v20230815preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "ApplicationGetHttpsEndpoint", "Property": "privateIPAddress" }, { - "VersionedModule": "hdinsight/v20230815preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "ApplicationGetEndpoint", "Property": "privateIPAddress" }, { - "VersionedModule": "hdinsight/v20230815preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "ClusterDefinition", "Property": "componentVersion" }, { - "VersionedModule": "hdinsight/v20230815preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "Role", "Property": "VMGroupName" }, { - "VersionedModule": "hdinsight/v20230815preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "SecurityProfile", "Property": "organizationalUnitDN" }, { - "VersionedModule": "hdinsight/v20230815preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "ClusterCreateProperties", "Property": "tier" }, { - "VersionedModule": "hdinsight/v20231101preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "ClusterPool", "ReferenceName": "ClusterPoolNetworkProfile", "Property": "enablePrivateApiServer" }, { - "VersionedModule": "hdinsight/v20231101preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "ClusterPoolCluster", "ReferenceName": "ClusterAccessProfile", "Property": "enableInternalIngress" }, { - "VersionedModule": "hdinsight/v20240501preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "ClusterPool", "ReferenceName": "ClusterPoolNetworkProfile", "Property": "enablePrivateApiServer" }, { - "VersionedModule": "hdinsight/v20240501preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "ClusterPoolCluster", "ReferenceName": "ClusterAccessProfile", "Property": "enableInternalIngress" }, { - "VersionedModule": "hdinsight/v20240801preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "Role", "Property": "VMGroupName" }, { - "VersionedModule": "hdinsight/v20240801preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "ApplicationGetHttpsEndpoint", "Property": "privateIPAddress" }, { - "VersionedModule": "hdinsight/v20240801preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "ApplicationGetEndpoint", "Property": "privateIPAddress" }, { - "VersionedModule": "hdinsight/v20240801preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "ClusterDefinition", "Property": "componentVersion" }, { - "VersionedModule": "hdinsight/v20240801preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "Role", "Property": "VMGroupName" }, { - "VersionedModule": "hdinsight/v20240801preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "SecurityProfile", "Property": "organizationalUnitDN" }, { - "VersionedModule": "hdinsight/v20240801preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "ClusterCreateProperties", "Property": "tier" }, { - "VersionedModule": "hdinsight/v20250115preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "Role", "Property": "VMGroupName" }, { - "VersionedModule": "hdinsight/v20250115preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "ApplicationGetHttpsEndpoint", "Property": "privateIPAddress" }, { - "VersionedModule": "hdinsight/v20250115preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Application", "ReferenceName": "ApplicationGetEndpoint", "Property": "privateIPAddress" }, { - "VersionedModule": "hdinsight/v20250115preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "ClusterDefinition", "Property": "componentVersion" }, { - "VersionedModule": "hdinsight/v20250115preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "Role", "Property": "VMGroupName" }, { - "VersionedModule": "hdinsight/v20250115preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "SecurityProfile", "Property": "organizationalUnitDN" }, { - "VersionedModule": "hdinsight/v20250115preview", + "VersionedModule": "hdinsight", "Module": "HDInsight", "ResourceName": "Cluster", "ReferenceName": "ClusterCreateProperties", @@ -7112,126 +7112,126 @@ "Property": "location" }, { - "VersionedModule": "hybridcompute/v20210128preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "MachineProperties", "Property": "vmId" }, { - "VersionedModule": "hybridcompute/v20210325preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "MachineProperties", "Property": "vmId" }, { - "VersionedModule": "hybridcompute/v20210422preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "MachineProperties", "Property": "vmId" }, { - "VersionedModule": "hybridcompute/v20210517preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "MachineProperties", "Property": "vmId" }, { - "VersionedModule": "hybridcompute/v20210520", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "MachineProperties", "Property": "vmId" }, { - "VersionedModule": "hybridcompute/v20210610preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "MachineProperties", "Property": "vmId" }, { - "VersionedModule": "hybridcompute/v20211210preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "MachineProperties", "Property": "vmId" }, { - "VersionedModule": "hybridcompute/v20220310", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "MachineProperties", "Property": "vmId" }, { - "VersionedModule": "hybridcompute/v20220510preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "MachineProperties", "Property": "vmId" }, { - "VersionedModule": "hybridcompute/v20230620preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "TrackedResource", "Property": "location" }, { - "VersionedModule": "hybridcompute/v20231003preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "TrackedResource", "Property": "location" }, { - "VersionedModule": "hybridcompute/v20240331preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "TrackedResource", "Property": "location" }, { - "VersionedModule": "hybridcompute/v20240520preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "TrackedResource", "Property": "location" }, { - "VersionedModule": "hybridcompute/v20240710", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "TrackedResource", "Property": "location" }, { - "VersionedModule": "hybridcompute/v20240731preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "TrackedResource", "Property": "location" }, { - "VersionedModule": "hybridcompute/v20240910preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "TrackedResource", "Property": "location" }, { - "VersionedModule": "hybridcompute/v20241110preview", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "TrackedResource", "Property": "location" }, { - "VersionedModule": "hybridcompute/v20250113", + "VersionedModule": "hybridcompute", "Module": "HybridCompute", "ResourceName": "Machine", "ReferenceName": "TrackedResource", @@ -7252,14 +7252,14 @@ "Property": "isOrganizationalAccount" }, { - "VersionedModule": "hybridconnectivity/v20241201", + "VersionedModule": "hybridconnectivity", "Module": "HybridConnectivity", "ResourceName": "PublicCloudConnector", "ReferenceName": "AwsCloudProfile", "Property": "accountId" }, { - "VersionedModule": "hybridconnectivity/v20241201", + "VersionedModule": "hybridconnectivity", "Module": "HybridConnectivity", "ResourceName": "PublicCloudConnector", "ReferenceName": "AwsCloudProfile", @@ -7364,203 +7364,203 @@ "Property": "scope" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactManifest", "ReferenceName": "ManifestArtifactFormat", "Property": "artifactName" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactManifest", "ReferenceName": "ArtifactType", "Property": "artifactType" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactManifest", "ReferenceName": "ManifestArtifactFormat", "Property": "artifactVersion" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactStore", "ReferenceName": "ArtifactStorePropertiesFormat", "Property": "location" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactStore", "ReferenceName": "ArtifactStorePropertiesFormat", "Property": "name" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactStore", "ReferenceName": "ArtifactStorePropertiesFormat", "Property": "storeType" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "HelmMappingRuleProfile", "Property": "values" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "ContainerizedNetworkFunctionTemplate", "Property": "nfviType" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "NetworkFunctionType", "Property": "networkFunctionType" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "VirtualNetworkFunctionTemplate", "Property": "nfviType" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "VirtualNetworkFunctionTemplate", "Property": "nfviType" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "NetworkFunctionType", "Property": "networkFunctionType" }, { - "VersionedModule": "hybridnetwork/v20230901", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "Publisher", "ReferenceName": "PublisherScope", "Property": "scope" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactManifest", "ReferenceName": "ManifestArtifactFormat", "Property": "artifactName" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactManifest", "ReferenceName": "ArtifactType", "Property": "artifactType" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactManifest", "ReferenceName": "ManifestArtifactFormat", "Property": "artifactVersion" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactStore", "ReferenceName": "backingResourcePublicNetworkAccess", "Property": "backingResourcePublicNetworkAccess" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactStore", "ReferenceName": "ArtifactStorePropertiesFormat", "Property": "location" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactStore", "ReferenceName": "ArtifactStorePropertiesFormat", "Property": "name" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "ArtifactStore", "ReferenceName": "ArtifactStorePropertiesFormat", "Property": "storeType" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunction", "ReferenceName": "PublisherScope", "Property": "publisherScope" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunction", "ReferenceName": "PublisherScope", "Property": "publisherScope" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "HelmMappingRuleProfile", "Property": "values" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "ContainerizedNetworkFunctionTemplate", "Property": "nfviType" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "NetworkFunctionType", "Property": "networkFunctionType" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "VirtualNetworkFunctionTemplate", "Property": "nfviType" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "VirtualNetworkFunctionTemplate", "Property": "nfviType" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "NetworkFunctionDefinitionVersion", "ReferenceName": "NetworkFunctionType", "Property": "networkFunctionType" }, { - "VersionedModule": "hybridnetwork/v20240415", + "VersionedModule": "hybridnetwork", "Module": "HybridNetwork", "ResourceName": "Publisher", "ReferenceName": "PublisherScope", @@ -7602,210 +7602,210 @@ "Property": "memoryProfile" }, { - "VersionedModule": "iotoperations/v20240701preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "AdvancedSettings", "Property": "advanced" }, { - "VersionedModule": "iotoperations/v20240701preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "Cardinality", "Property": "cardinality" }, { - "VersionedModule": "iotoperations/v20240701preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "DiskBackedMessageBuffer", "Property": "diskBackedMessageBuffer" }, { - "VersionedModule": "iotoperations/v20240701preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "GenerateResourceLimits", "Property": "generateResourceLimits" }, { - "VersionedModule": "iotoperations/v20240701preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "BrokerProperties", "Property": "memoryProfile" }, { - "VersionedModule": "iotoperations/v20240815preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "AdvancedSettings", "Property": "advanced" }, { - "VersionedModule": "iotoperations/v20240815preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "Cardinality", "Property": "cardinality" }, { - "VersionedModule": "iotoperations/v20240815preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "DiskBackedMessageBuffer", "Property": "diskBackedMessageBuffer" }, { - "VersionedModule": "iotoperations/v20240815preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "GenerateResourceLimits", "Property": "generateResourceLimits" }, { - "VersionedModule": "iotoperations/v20240815preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "BrokerProperties", "Property": "memoryProfile" }, { - "VersionedModule": "iotoperations/v20240815preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Instance", "ReferenceName": "OperationalMode", "Property": "state" }, { - "VersionedModule": "iotoperations/v20240815preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Instance", "ReferenceName": "OperationalMode", "Property": "state" }, { - "VersionedModule": "iotoperations/v20240815preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Instance", "ReferenceName": "OperationalMode", "Property": "state" }, { - "VersionedModule": "iotoperations/v20240815preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Instance", "ReferenceName": "OperationalMode", "Property": "state" }, { - "VersionedModule": "iotoperations/v20240815preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Instance", "ReferenceName": "OperationalMode", "Property": "state" }, { - "VersionedModule": "iotoperations/v20240915preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "AdvancedSettings", "Property": "advanced" }, { - "VersionedModule": "iotoperations/v20240915preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "Cardinality", "Property": "cardinality" }, { - "VersionedModule": "iotoperations/v20240915preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "DiskBackedMessageBuffer", "Property": "diskBackedMessageBuffer" }, { - "VersionedModule": "iotoperations/v20240915preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "GenerateResourceLimits", "Property": "generateResourceLimits" }, { - "VersionedModule": "iotoperations/v20240915preview", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "BrokerProperties", "Property": "memoryProfile" }, { - "VersionedModule": "iotoperations/v20241101", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "AdvancedSettings", "Property": "advanced" }, { - "VersionedModule": "iotoperations/v20241101", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "Cardinality", "Property": "cardinality" }, { - "VersionedModule": "iotoperations/v20241101", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "DiskBackedMessageBuffer", "Property": "diskBackedMessageBuffer" }, { - "VersionedModule": "iotoperations/v20241101", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "GenerateResourceLimits", "Property": "generateResourceLimits" }, { - "VersionedModule": "iotoperations/v20241101", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "BrokerProperties", "Property": "memoryProfile" }, { - "VersionedModule": "iotoperations/v20250401", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "AdvancedSettings", "Property": "advanced" }, { - "VersionedModule": "iotoperations/v20250401", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "Cardinality", "Property": "cardinality" }, { - "VersionedModule": "iotoperations/v20250401", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "DiskBackedMessageBuffer", "Property": "diskBackedMessageBuffer" }, { - "VersionedModule": "iotoperations/v20250401", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "GenerateResourceLimits", "Property": "generateResourceLimits" }, { - "VersionedModule": "iotoperations/v20250401", + "VersionedModule": "iotoperations", "Module": "IoTOperations", "ResourceName": "Broker", "ReferenceName": "BrokerProperties", @@ -7833,189 +7833,189 @@ "Property": "subnetId" }, { - "VersionedModule": "kusto/v20210101", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "dataManagementPublicIpId" }, { - "VersionedModule": "kusto/v20210101", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "enginePublicIpId" }, { - "VersionedModule": "kusto/v20210101", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "subnetId" }, { - "VersionedModule": "kusto/v20210827", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "dataManagementPublicIpId" }, { - "VersionedModule": "kusto/v20210827", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "enginePublicIpId" }, { - "VersionedModule": "kusto/v20210827", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "subnetId" }, { - "VersionedModule": "kusto/v20220201", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "dataManagementPublicIpId" }, { - "VersionedModule": "kusto/v20220201", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "enginePublicIpId" }, { - "VersionedModule": "kusto/v20220201", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "subnetId" }, { - "VersionedModule": "kusto/v20220707", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "dataManagementPublicIpId" }, { - "VersionedModule": "kusto/v20220707", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "enginePublicIpId" }, { - "VersionedModule": "kusto/v20220707", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "subnetId" }, { - "VersionedModule": "kusto/v20221111", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "dataManagementPublicIpId" }, { - "VersionedModule": "kusto/v20221111", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "enginePublicIpId" }, { - "VersionedModule": "kusto/v20221111", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "subnetId" }, { - "VersionedModule": "kusto/v20221229", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "dataManagementPublicIpId" }, { - "VersionedModule": "kusto/v20221229", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "enginePublicIpId" }, { - "VersionedModule": "kusto/v20221229", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "subnetId" }, { - "VersionedModule": "kusto/v20230502", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "dataManagementPublicIpId" }, { - "VersionedModule": "kusto/v20230502", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "enginePublicIpId" }, { - "VersionedModule": "kusto/v20230502", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "subnetId" }, { - "VersionedModule": "kusto/v20230815", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "dataManagementPublicIpId" }, { - "VersionedModule": "kusto/v20230815", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "enginePublicIpId" }, { - "VersionedModule": "kusto/v20230815", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "subnetId" }, { - "VersionedModule": "kusto/v20240413", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "dataManagementPublicIpId" }, { - "VersionedModule": "kusto/v20240413", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", "Property": "enginePublicIpId" }, { - "VersionedModule": "kusto/v20240413", + "VersionedModule": "kusto", "Module": "Kusto", "ResourceName": "Cluster", "ReferenceName": "VirtualNetworkConfiguration", @@ -8113,364 +8113,364 @@ "Property": "shutdownWhenNotConnected" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "shutdownOnDisconnect" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "shutdownWhenNotConnected" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "openAccess" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "installGpuDrivers" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "VirtualMachineAdditionalCapabilities", "Property": "additionalCapabilities" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Credentials", "Property": "password" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Credentials", "Property": "username" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "VirtualMachineProfile", "Property": "createOption" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "ImageReference", "Property": "imageReference" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Sku", "Property": "sku" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "useSharedPassword" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "LabPlan", "ReferenceName": "enableState", "Property": "shutdownOnDisconnect" }, { - "VersionedModule": "labservices/v20211001preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "LabPlan", "ReferenceName": "enableState", "Property": "shutdownWhenNotConnected" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "shutdownOnDisconnect" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "shutdownWhenNotConnected" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "openAccess" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "installGpuDrivers" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "VirtualMachineAdditionalCapabilities", "Property": "additionalCapabilities" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Credentials", "Property": "password" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Credentials", "Property": "username" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "VirtualMachineProfile", "Property": "createOption" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "ImageReference", "Property": "imageReference" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Sku", "Property": "sku" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "useSharedPassword" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "LabPlan", "ReferenceName": "enableState", "Property": "shutdownOnDisconnect" }, { - "VersionedModule": "labservices/v20211115preview", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "LabPlan", "ReferenceName": "enableState", "Property": "shutdownWhenNotConnected" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "shutdownOnDisconnect" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "shutdownWhenNotConnected" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "openAccess" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "installGpuDrivers" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "VirtualMachineAdditionalCapabilities", "Property": "additionalCapabilities" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Credentials", "Property": "password" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Credentials", "Property": "username" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "VirtualMachineProfile", "Property": "createOption" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "ImageReference", "Property": "imageReference" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Sku", "Property": "sku" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "useSharedPassword" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "LabPlan", "ReferenceName": "enableState", "Property": "shutdownOnDisconnect" }, { - "VersionedModule": "labservices/v20220801", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "LabPlan", "ReferenceName": "enableState", "Property": "shutdownWhenNotConnected" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "shutdownOnDisconnect" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "shutdownWhenNotConnected" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "openAccess" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "installGpuDrivers" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "VirtualMachineAdditionalCapabilities", "Property": "additionalCapabilities" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Credentials", "Property": "password" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Credentials", "Property": "username" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "VirtualMachineProfile", "Property": "createOption" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "ImageReference", "Property": "imageReference" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "Sku", "Property": "sku" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "Lab", "ReferenceName": "enableState", "Property": "useSharedPassword" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "LabPlan", "ReferenceName": "enableState", "Property": "shutdownOnDisconnect" }, { - "VersionedModule": "labservices/v20230607", + "VersionedModule": "labservices", "Module": "LabServices", "ResourceName": "LabPlan", "ReferenceName": "enableState", @@ -12530,63875 +12530,63875 @@ "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20200901preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDatasetConfiguration", "Property": "assetName" }, { - "VersionedModule": "machinelearningservices/v20200901preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDatasetConfiguration", "Property": "datasetVersion" }, { - "VersionedModule": "machinelearningservices/v20200901preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDatasetConfiguration", "Property": "datasetConfiguration" }, { - "VersionedModule": "machinelearningservices/v20200901preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobInstructions", "Property": "jobInstructions" }, { - "VersionedModule": "machinelearningservices/v20200901preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobProperties", "Property": "labelCategories" }, { - "VersionedModule": "machinelearningservices/v20200901preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobMediaProperties", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20200901preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobImageProperties", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20200901preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobImageProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20200901preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MLAssistConfiguration", "Property": "modelNamePrefix" }, { - "VersionedModule": "machinelearningservices/v20200901preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MLAssistConfiguration", "Property": "prelabelAccuracyThreshold" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ComputeConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ComputeConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ComputeConfiguration", "Property": "isLocal" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ComputeConfiguration", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ComputeConfiguration", "Property": "target" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "CodeVersion", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersion", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobContents", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobContents", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobContents", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobContents", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Contents", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Contents", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Contents", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Contents", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileContents", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileContents", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileContents", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileContents", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzurePostgreSqlContents", "Property": "databaseName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzurePostgreSqlContents", "Property": "enableSSL" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzurePostgreSqlContents", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzurePostgreSqlContents", "Property": "portNumber" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzurePostgreSqlContents", "Property": "serverName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureSqlDatabaseContents", "Property": "databaseName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureSqlDatabaseContents", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureSqlDatabaseContents", "Property": "portNumber" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureSqlDatabaseContents", "Property": "serverName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "GlusterFsContents", "Property": "serverAddress" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "GlusterFsContents", "Property": "volumeName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentSpecificationVersion", "ReferenceName": "DockerBuild", "Property": "context" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentSpecificationVersion", "ReferenceName": "DockerBuild", "Property": "dockerfile" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentSpecificationVersion", "ReferenceName": "DockerSpecificationType", "Property": "dockerSpecificationType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentSpecificationVersion", "ReferenceName": "DockerImagePlatform", "Property": "platform" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentSpecificationVersion", "ReferenceName": "DockerImage", "Property": "dockerImageUri" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentSpecificationVersion", "ReferenceName": "DockerSpecificationType", "Property": "dockerSpecificationType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentSpecificationVersion", "ReferenceName": "DockerImagePlatform", "Property": "platform" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentSpecificationVersion", "ReferenceName": "EnvironmentSpecificationVersion", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ComputeConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ComputeConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ComputeConfiguration", "Property": "isLocal" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ComputeConfiguration", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ComputeConfiguration", "Property": "target" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ComputeConfiguration", "Property": "compute" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDataBinding", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DataBindingMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDataBinding", "Property": "pathOnCompute" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputDataBindings" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDataBinding", "Property": "datastoreId" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DataBindingMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDataBinding", "Property": "pathOnCompute" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDataBinding", "Property": "pathOnDatastore" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputDataBindings" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ComputeConfiguration", "Property": "compute" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "inputDataBindings" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "outputDataBindings" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "timeout" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDatasetConfiguration", "Property": "assetName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDatasetConfiguration", "Property": "datasetVersion" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDatasetConfiguration", "Property": "datasetConfiguration" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ComputeConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ComputeConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ComputeConfiguration", "Property": "isLocal" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ComputeConfiguration", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ComputeConfiguration", "Property": "target" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "ModelVersion", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "ManagedOnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20210301preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "hdfsServerCertificate" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "nameNodeAddress" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ScheduleType", "Property": "scheduleType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ScheduleType", "Property": "scheduleType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20220201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20220501", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "hdfsServerCertificate" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "nameNodeAddress" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20220601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "hdfsServerCertificate" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "nameNodeAddress" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "hdfsServerCertificate" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "nameNodeAddress" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20221201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "hdfsServerCertificate" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "nameNodeAddress" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturestoreEntityVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "notificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230201preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Registry", "ReferenceName": "RegistryPrivateEndpointConnection", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "hdfsServerCertificate" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "nameNodeAddress" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifactName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifact" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "oneLakeWorkspaceName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturestoreEntityVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Registry", "ReferenceName": "RegistryPrivateEndpointConnection", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringAlertNotificationType", "Property": "alertNotificationType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailNotificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringAlertNotificationType", "Property": "alertNotificationType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringAlertNotificationSettingsBase", "Property": "alertNotificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "monitoringTarget" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "asset" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataContext", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "targetColumnName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputAssets" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMetricThreshold", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "value" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "lookbackPeriod" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "baselineData" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "feature" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "values" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "dataSegment" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureSubset", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TopNFeaturesByAttribution", "Property": "top" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "targetData" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "lookbackPeriod" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "baselineData" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "targetData" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "lookbackPeriod" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "baselineData" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetricThreshold", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringModelType", "Property": "modelType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "targetData" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "lookbackPeriod" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "baselineData" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "dataSegment" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ClassificationModelPerformanceMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringModelType", "Property": "modelType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RegressionModelPerformanceMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringModelType", "Property": "modelType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelPerformanceMetricThresholdBase", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "targetData" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "lookbackPeriod" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "baselineData" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringModelType", "Property": "modelType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputData", "Property": "targetData" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "lookbackPeriod" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "signals" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "monitorDefinition" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230401preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "hdfsServerCertificate" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "nameNodeAddress" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifactName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifact" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "oneLakeWorkspaceName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturestoreEntityVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Registry", "ReferenceName": "RegistryPrivateEndpointConnection", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringAlertNotificationType", "Property": "alertNotificationType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailNotificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringAlertNotificationType", "Property": "alertNotificationType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringAlertNotificationSettingsBase", "Property": "alertNotificationSetting" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityBase", "Property": "computeIdentity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeType", "Property": "computeType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeConfigurationBase", "Property": "computeConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "deploymentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "modelId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "monitoringTarget" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowEnd" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowStart" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrailingInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrailingInputData", "Property": "windowOffset" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrailingInputData", "Property": "windowSize" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputAssets" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMetricThreshold", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "value" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringWorkspaceConnection", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringWorkspaceConnection", "Property": "secrets" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringWorkspaceConnection", "Property": "workspaceConnection" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "feature" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "values" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "dataSegment" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureSubset", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TopNFeaturesByAttribution", "Property": "top" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetricThreshold", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "samplingRate" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "workspaceConnectionId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationTokenStatisticsMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationTokenStatisticsSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationTokenStatisticsSignal", "Property": "samplingRate" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "dataSegment" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ClassificationModelPerformanceMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringModelType", "Property": "modelType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RegressionModelPerformanceMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringModelType", "Property": "modelType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelPerformanceMetricThresholdBase", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelPerformanceSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringModelType", "Property": "modelType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringNotificationMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "signals" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "monitorDefinition" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230601preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "hdfsServerCertificate" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "nameNodeAddress" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifactName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifact" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "oneLakeWorkspaceName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturestoreEntityVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "InferencePool", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "InferencePool", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ComponentConfiguration", "Property": "pipelineSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ComponentConfiguration", "Property": "componentConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Registry", "ReferenceName": "RegistryPrivateEndpointConnection", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emailNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorNotificationSettings", "Property": "alertNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityBase", "Property": "computeIdentity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeType", "Property": "computeType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeConfigurationBase", "Property": "computeConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "deploymentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "modelId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "monitoringTarget" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowOffset" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowSize" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowEnd" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowStart" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputAssets" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMetricThreshold", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "value" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringWorkspaceConnection", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringWorkspaceConnection", "Property": "secrets" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringWorkspaceConnection", "Property": "workspaceConnection" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "feature" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "values" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "dataSegment" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureSubset", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TopNFeaturesByAttribution", "Property": "top" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetricThreshold", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "samplingRate" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "workspaceConnectionId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationTokenUsageMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationTokenUsageSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationTokenUsageSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationTokenUsageSignal", "Property": "samplingRate" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "dataSegment" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ClassificationModelPerformanceMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringModelType", "Property": "modelType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RegressionModelPerformanceMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringModelType", "Property": "modelType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelPerformanceMetricThresholdBase", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelPerformanceSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "signals" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "monitorDefinition" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ComponentConfiguration", "Property": "pipelineSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ComponentConfiguration", "Property": "componentConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20230801preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturestoreEntityVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Registry", "ReferenceName": "RegistryPrivateEndpointConnection", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emailNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorNotificationSettings", "Property": "alertNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityBase", "Property": "computeIdentity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeType", "Property": "computeType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeConfigurationBase", "Property": "computeConfiguration" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "deploymentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "modelId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "monitoringTarget" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowOffset" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowSize" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowEnd" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowStart" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputAssets" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMetricThreshold", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "value" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureSubset", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TopNFeaturesByAttribution", "Property": "top" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetricThreshold", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "signals" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "monitorDefinition" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20231001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosKdcAddress" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosPrincipal" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "KerberosCredentials", "Property": "kerberosRealm" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "hdfsServerCertificate" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "nameNodeAddress" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "HdfsDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifactName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifact" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "oneLakeWorkspaceName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturestoreEntityVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "InferencePool", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "InferencePool", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ComponentConfiguration", "Property": "pipelineSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ComponentConfiguration", "Property": "componentConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "LabelingJob", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Registry", "ReferenceName": "RegistryPrivateEndpointConnection", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emailNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorNotificationSettings", "Property": "alertNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityBase", "Property": "computeIdentity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeType", "Property": "computeType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeConfigurationBase", "Property": "computeConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "deploymentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "modelId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "monitoringTarget" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowOffset" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowSize" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowEnd" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowStart" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputAssets" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMetricThreshold", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "value" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringWorkspaceConnection", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringWorkspaceConnection", "Property": "secrets" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringWorkspaceConnection", "Property": "workspaceConnection" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "feature" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "values" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "dataSegment" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureSubset", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TopNFeaturesByAttribution", "Property": "top" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetricThreshold", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "samplingRate" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationSafetyQualityMonitoringSignal", "Property": "workspaceConnectionId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationTokenUsageMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationTokenUsageSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationTokenUsageSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "GenerationTokenUsageSignal", "Property": "samplingRate" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringDataSegment", "Property": "dataSegment" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ClassificationModelPerformanceMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringModelType", "Property": "modelType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RegressionModelPerformanceMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringModelType", "Property": "modelType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelPerformanceMetricThresholdBase", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelPerformanceSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "signals" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "monitorDefinition" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataImportSourceType", "Property": "sourceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IntellectualProperty", "Property": "intellectualProperty" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "priority" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "locations" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "maxInstanceCount" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SecretConfiguration", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SecretConfiguration", "Property": "workspaceSecretName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLFlowAutologgerState", "Property": "mlflowAutologger" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutologgerSettings", "Property": "autologgerSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingDataConfiguration", "Property": "dataConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelClass", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelCategory", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ImageAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TextAnnotationType", "Property": "annotationType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MediaType", "Property": "mediaType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "LabelingJobMediaProperties", "Property": "labelingJobMediaProperties" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MLAssistConfiguration", "Property": "mlAssistConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ComponentConfiguration", "Property": "pipelineSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ComponentConfiguration", "Property": "componentConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "secretsConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifactName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifact" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "oneLakeWorkspaceName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturestoreEntityVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Registry", "ReferenceName": "RegistryPrivateEndpointConnection", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emailNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorNotificationSettings", "Property": "alertNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityBase", "Property": "computeIdentity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeType", "Property": "computeType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeConfigurationBase", "Property": "computeConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "deploymentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "modelId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "monitoringTarget" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowOffset" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowSize" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowEnd" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowStart" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputAssets" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMetricThreshold", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "value" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureSubset", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TopNFeaturesByAttribution", "Property": "top" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetricThreshold", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "signals" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "monitorDefinition" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240401", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifactName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifact" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "oneLakeWorkspaceName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturestoreEntityVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResources", "Property": "instanceTypes" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResources", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Registry", "ReferenceName": "RegistryPrivateEndpointConnection", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emailNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorNotificationSettings", "Property": "alertNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityBase", "Property": "computeIdentity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeType", "Property": "computeType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeConfigurationBase", "Property": "computeConfiguration" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "deploymentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "modelId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "monitoringTarget" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowOffset" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowSize" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowEnd" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowStart" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputAssets" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMetricThreshold", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "value" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureSubset", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TopNFeaturesByAttribution", "Property": "top" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetricThreshold", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "signals" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "monitorDefinition" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResources", "Property": "instanceTypes" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResources", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20240701preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifactName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifact" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "oneLakeWorkspaceName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturestoreEntityVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Registry", "ReferenceName": "RegistryPrivateEndpointConnection", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emailNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorNotificationSettings", "Property": "alertNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityBase", "Property": "computeIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeType", "Property": "computeType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeConfigurationBase", "Property": "computeConfiguration" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "deploymentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "modelId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "monitoringTarget" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowOffset" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowSize" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowEnd" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowStart" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputAssets" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMetricThreshold", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "value" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureSubset", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TopNFeaturesByAttribution", "Property": "top" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetricThreshold", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "signals" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "monitorDefinition" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifactName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifact" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "oneLakeWorkspaceName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturestoreEntityVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgsList" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResources", "Property": "instanceTypes" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResources", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Registry", "ReferenceName": "RegistryPrivateEndpointConnection", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emailNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorNotificationSettings", "Property": "alertNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityBase", "Property": "computeIdentity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeType", "Property": "computeType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeConfigurationBase", "Property": "computeConfiguration" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "deploymentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "modelId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "monitoringTarget" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowOffset" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowSize" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowEnd" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowStart" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputAssets" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMetricThreshold", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "value" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureSubset", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TopNFeaturesByAttribution", "Property": "top" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetricThreshold", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "signals" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "monitorDefinition" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgsList" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResources", "Property": "instanceTypes" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResources", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20241001preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "BatchEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "CodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "computeLocation" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Compute", "ReferenceName": "Compute", "Property": "disableLocalAuth" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "DataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "containerName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureBlobDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen1Datastore", "Property": "storeName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "filesystem" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureDataLakeGen2Datastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "accountName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "fileShareName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "AzureFileDatastore", "Property": "protocol" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifactName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeArtifact", "Property": "artifact" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "OneLakeDatastore", "Property": "oneLakeWorkspaceName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Datastore", "ReferenceName": "ServiceDataAccessAuthIdentity", "Property": "serviceDataAccessAuthIdentity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "EnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturesetVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "FeaturestoreEntityVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgsList" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DataGenerationTaskType", "Property": "dataGenerationTaskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DataGenerationType", "Property": "dataGenerationType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TeacherModelEndpoint", "Property": "teacherModelEndpoint" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistillationJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResources", "Property": "instanceTypes" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResources", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "FineTuningJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResources", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Job", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "ModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "CodeConfiguration", "Property": "scoringScript" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineDeployment", "ReferenceName": "OnlineDeployment", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "primaryKey" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "secondaryKey" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "OnlineEndpoint", "ReferenceName": "EndpointAuthKeys", "Property": "keys" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Registry", "ReferenceName": "RegistryPrivateEndpointConnection", "Property": "location" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryCodeVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "ComponentVersion", "Property": "componentSpec" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryComponentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataContainer", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "MLTableData", "Property": "referencedUris" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "DataVersionBase", "Property": "dataUri" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryDataVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AutoRebuildSetting", "Property": "autoRebuild" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "contextUri" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "dockerfilePath" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "BuildContext", "Property": "build" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "condaFile" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "EnvironmentVersion", "Property": "image" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "InferenceContainerProperties", "Property": "inferenceConfig" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "OperatingSystemType", "Property": "osType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryEnvironmentVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "RegistryModelVersion", "ReferenceName": "AssetBase", "Property": "isAnonymous" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorEmailNotificationSettings", "Property": "emailNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorNotificationSettings", "Property": "alertNotificationSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityType", "Property": "computeIdentityType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeIdentityBase", "Property": "computeIdentity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorServerlessSparkCompute", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeType", "Property": "computeType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorComputeConfigurationBase", "Property": "computeConfiguration" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "deploymentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "modelId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringTarget", "Property": "monitoringTarget" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowOffset" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "RollingInputData", "Property": "windowSize" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "preprocessingComponentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowEnd" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "StaticInputData", "Property": "windowStart" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "columns" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "dataContext" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataType", "Property": "inputDataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "uri" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputAssets" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "InputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobInputType", "Property": "jobInputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMetricThreshold", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "value" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CustomMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureSubset", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TopNFeaturesByAttribution", "Property": "top" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterType", "Property": "filterType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureFilterBase", "Property": "features" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalDataQualityMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataQualityMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureImportanceSettings", "Property": "featureImportanceSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionMetricThreshold", "Property": "metricThreshold" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FeatureAttributionDriftMonitoringSignal", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "featureDataTypeOverride" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CategoricalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NumericalPredictionDriftMetric", "Property": "metric" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringFeatureDataType", "Property": "dataType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringThreshold", "Property": "threshold" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PredictionDriftMonitoringSignal", "Property": "metricThresholds" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "productionData" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringInputDataBase", "Property": "referenceData" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalBase", "Property": "notificationTypes" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitoringSignalType", "Property": "signalType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "signals" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "MonitorDefinition", "Property": "monitorDefinition" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "OutputDeliveryMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutput", "Property": "description" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobOutputType", "Property": "jobOutputType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "AutoMLJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobTier", "Property": "jobTier" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "dockerArgsList" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "shmSize" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceCount" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ResourceConfiguration", "Property": "properties" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NCrossValidationsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ForecastHorizonMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SeasonalityMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetLagsMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TargetRollingWindowSizeMode", "Property": "mode" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "clientId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "objectId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ManagedIdentity", "Property": "resourceId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfigurationType", "Property": "identityType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emailOn" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NotificationSetting", "Property": "emails" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Webhook", "Property": "eventType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "WebhookType", "Property": "webhookType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "endpoint" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "jobServiceType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "NodesValueType", "Property": "nodesValueType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobService", "Property": "port" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Mpi", "Property": "processCountPerInstance" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "parameterServerCount" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TensorFlow", "Property": "workerCount" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionType", "Property": "distributionType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "CommandJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataGenerationTaskType", "Property": "dataGenerationTaskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DataGenerationType", "Property": "dataGenerationType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TeacherModelEndpoint", "Property": "teacherModelEndpoint" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistillationJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResources", "Property": "instanceTypes" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResources", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "ModelProvider", "Property": "modelProvider" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningTaskType", "Property": "taskType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "FineTuningJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResources", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "jobs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "settings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "PipelineJob", "Property": "sourceJobId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "archives" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "args" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "conf" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobPythonEntry", "Property": "file" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobScalaEntry", "Property": "className" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntryType", "Property": "sparkJobEntryType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJobEntry", "Property": "entry" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "files" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "jars" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkJob", "Property": "pyFiles" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "instanceType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "runtimeVersion" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SparkResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "inputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJobLimits", "Property": "limits" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "SweepJob", "Property": "outputs" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "QueueSettings", "Property": "queueSettings" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "codeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "command" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "DistributionConfiguration", "Property": "distribution" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "TrialComponent", "Property": "environmentVariables" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobResourceConfiguration", "Property": "resources" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "componentId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "computeId" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "displayName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobBase", "Property": "experimentName" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "IdentityConfiguration", "Property": "identity" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "JobType", "Property": "jobType" }, { - "VersionedModule": "machinelearningservices/v20250101preview", + "VersionedModule": "machinelearningservices", "Module": "MachineLearningServices", "ResourceName": "Schedule", "ReferenceName": "Schedule", @@ -76454,49 +76454,49 @@ "Property": "redundancyState" }, { - "VersionedModule": "manufacturingplatform/v20250301", + "VersionedModule": "manufacturingplatform", "Module": "ManufacturingPlatform", "ResourceName": "ManufacturingDataService", "ReferenceName": "MdsResourceProperties", "Property": "aadApplicationId" }, { - "VersionedModule": "manufacturingplatform/v20250301", + "VersionedModule": "manufacturingplatform", "Module": "ManufacturingPlatform", "ResourceName": "ManufacturingDataService", "ReferenceName": "MdsResourceProperties", "Property": "aksAdminGroupId" }, { - "VersionedModule": "manufacturingplatform/v20250301", + "VersionedModule": "manufacturingplatform", "Module": "ManufacturingPlatform", "ResourceName": "ManufacturingDataService", "ReferenceName": "CmkProfile", "Property": "keyUri" }, { - "VersionedModule": "manufacturingplatform/v20250301", + "VersionedModule": "manufacturingplatform", "Module": "ManufacturingPlatform", "ResourceName": "ManufacturingDataService", "ReferenceName": "CmkProfile", "Property": "cmkProfile" }, { - "VersionedModule": "manufacturingplatform/v20250301", + "VersionedModule": "manufacturingplatform", "Module": "ManufacturingPlatform", "ResourceName": "ManufacturingDataService", "ReferenceName": "OpenAIProfile", "Property": "embeddingModelName" }, { - "VersionedModule": "manufacturingplatform/v20250301", + "VersionedModule": "manufacturingplatform", "Module": "ManufacturingPlatform", "ResourceName": "ManufacturingDataService", "ReferenceName": "OpenAIProfile", "Property": "embeddingModelVersion" }, { - "VersionedModule": "manufacturingplatform/v20250301", + "VersionedModule": "manufacturingplatform", "Module": "ManufacturingPlatform", "ResourceName": "ManufacturingDataService", "ReferenceName": "RedundancyState", @@ -76594,455 +76594,455 @@ "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20191001preview", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210101", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20210801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20220801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", "Property": "resourceType" }, { - "VersionedModule": "migrate/v20230801", + "VersionedModule": "migrate", "Module": "Migrate", "ResourceName": "MoveResource", "ReferenceName": "ResourceSettings", @@ -77070,77 +77070,77 @@ "Property": "restoreParameters" }, { - "VersionedModule": "mongocluster/v20240301preview", + "VersionedModule": "mongocluster", "Module": "MongoCluster", "ResourceName": "MongoCluster", "ReferenceName": "CreateMode", "Property": "createMode" }, { - "VersionedModule": "mongocluster/v20240301preview", + "VersionedModule": "mongocluster", "Module": "MongoCluster", "ResourceName": "MongoCluster", "ReferenceName": "MongoClusterRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "mongocluster/v20240601preview", + "VersionedModule": "mongocluster", "Module": "MongoCluster", "ResourceName": "MongoCluster", "ReferenceName": "CreateMode", "Property": "createMode" }, { - "VersionedModule": "mongocluster/v20240601preview", + "VersionedModule": "mongocluster", "Module": "MongoCluster", "ResourceName": "MongoCluster", "ReferenceName": "MongoClusterReplicaParameters", "Property": "replicaParameters" }, { - "VersionedModule": "mongocluster/v20240601preview", + "VersionedModule": "mongocluster", "Module": "MongoCluster", "ResourceName": "MongoCluster", "ReferenceName": "MongoClusterRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "mongocluster/v20240701", + "VersionedModule": "mongocluster", "Module": "MongoCluster", "ResourceName": "MongoCluster", "ReferenceName": "CreateMode", "Property": "createMode" }, { - "VersionedModule": "mongocluster/v20240701", + "VersionedModule": "mongocluster", "Module": "MongoCluster", "ResourceName": "MongoCluster", "ReferenceName": "MongoClusterReplicaParameters", "Property": "replicaParameters" }, { - "VersionedModule": "mongocluster/v20240701", + "VersionedModule": "mongocluster", "Module": "MongoCluster", "ResourceName": "MongoCluster", "ReferenceName": "MongoClusterRestoreParameters", "Property": "restoreParameters" }, { - "VersionedModule": "mongocluster/v20241001preview", + "VersionedModule": "mongocluster", "Module": "MongoCluster", "ResourceName": "MongoCluster", "ReferenceName": "CreateMode", "Property": "createMode" }, { - "VersionedModule": "mongocluster/v20241001preview", + "VersionedModule": "mongocluster", "Module": "MongoCluster", "ResourceName": "MongoCluster", "ReferenceName": "MongoClusterReplicaParameters", "Property": "replicaParameters" }, { - "VersionedModule": "mongocluster/v20241001preview", + "VersionedModule": "mongocluster", "Module": "MongoCluster", "ResourceName": "MongoCluster", "ReferenceName": "MongoClusterRestoreParameters", @@ -77189,721 +77189,721 @@ "Property": "zones" }, { - "VersionedModule": "netapp/v20221101", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20221101", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20221101", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20221101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20221101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20221101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20230501", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20230501", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20230501", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20230501", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20230501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20230501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20230501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20230501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20230501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20230501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20230701", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20230701", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20230701", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20230701", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20230701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20230701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20230701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20230701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20230701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20230701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20230701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20230701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20231101", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20231101", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20231101", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20231101", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20231101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20231101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20231101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "acceptGrowCapacityPoolForShortTermCloneSplit" }, { - "VersionedModule": "netapp/v20231101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20231101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20231101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20231101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20231101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20231101preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20240101", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20240101", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20240101", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20240101", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20240301", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20240301", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20240301", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20240301", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20240301preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240301preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20240301preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "acceptGrowCapacityPoolForShortTermCloneSplit" }, { - "VersionedModule": "netapp/v20240301preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20240301preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240301preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20240301preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20240301preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20240301preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20240501", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240501", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20240501", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240501", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20240501", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20240501", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20240501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20240501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "acceptGrowCapacityPoolForShortTermCloneSplit" }, { - "VersionedModule": "netapp/v20240501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20240501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20240501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20240501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20240501preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20240701", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240701", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20240701", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240701", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20240701", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20240701", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20240701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20240701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "acceptGrowCapacityPoolForShortTermCloneSplit" }, { - "VersionedModule": "netapp/v20240701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20240701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20240701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20240701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20240701preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20240901", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240901", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20240901", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240901", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20240901", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20240901", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", "Property": "zones" }, { - "VersionedModule": "netapp/v20240901preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240901preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "CapacityPoolVolume", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20240901preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "acceptGrowCapacityPoolForShortTermCloneSplit" }, { - "VersionedModule": "netapp/v20240901preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "backupId" }, { - "VersionedModule": "netapp/v20240901preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "remotePath", "Property": "remotePath" }, { - "VersionedModule": "netapp/v20240901preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "replicationObject", "Property": "remoteVolumeResourceId" }, { - "VersionedModule": "netapp/v20240901preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "kerberosEnabled" }, { - "VersionedModule": "netapp/v20240901preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeProperties", "Property": "snapshotId" }, { - "VersionedModule": "netapp/v20240901preview", + "VersionedModule": "netapp", "Module": "NetApp", "ResourceName": "VolumeGroup", "ReferenceName": "volumeGroupVolumeProperties", @@ -78764,4298 +78764,4298 @@ "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AdministratorConfiguration", "Property": "adminUsername" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AgentOptions", "Property": "hugepagesSize" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l2Networks" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "ipamEnabled" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l3Networks" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "trunkedNetworks" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "KubernetesLabel", "Property": "key" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "KubernetesLabel", "Property": "value" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachine", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachine", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachineKeySet", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachineKeySet", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BmcKeySet", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BmcKeySet", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "CloudServicesNetwork", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "CloudServicesNetwork", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "ClusterManager", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "ClusterManager", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Console", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Console", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AadConfiguration", "Property": "adminGroupObjectIds" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "adminUsername" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "administratorConfiguration" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ControlPlaneNodeConfiguration", "Property": "availabilityZones" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ControlPlaneNodeConfiguration", "Property": "vmSkuName" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "administratorConfiguration" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AgentOptions", "Property": "hugepagesSize" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AgentOptions", "Property": "agentOptions" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l2Networks" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "ipamEnabled" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l3Networks" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "trunkedNetworks" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "attachedNetworkConfiguration" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "availabilityZones" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "count" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "KubernetesLabel", "Property": "key" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "KubernetesLabel", "Property": "value" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "labels" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "mode" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "taints" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "vmSkuName" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "attachedNetworkConfiguration" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "advertiseToFabric" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "communities" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "peers" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpAdvertisements" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "bfdEnabled" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "bgpMultiHop" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "holdTime" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "keepAliveTime" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "myAsn" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "password" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerAddress" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerAsn" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerPort" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpPeers" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "fabricPeeringEnabled" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "addresses" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "autoAssign" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "onlyUseHostIps" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpServiceLoadBalancerConfiguration" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "cloudServicesNetworkId" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "cniNetworkId" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "dnsServiceIp" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "podCidrs" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "serviceCidrs" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L2Network", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L2Network", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L3Network", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L3Network", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "MetricsConfiguration", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "MetricsConfiguration", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Rack", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Rack", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "StorageAppliance", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "StorageAppliance", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "TrunkedNetwork", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "TrunkedNetwork", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "attachedNetworkId" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipAllocationMethod" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipv4Address" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipv6Address" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "networkAttachmentName" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "hintType" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "resourceId" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "schedulingExecution" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "scope" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Volume", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20231001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Volume", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AdministratorConfiguration", "Property": "adminUsername" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AgentOptions", "Property": "hugepagesSize" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l2Networks" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "ipamEnabled" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l3Networks" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "trunkedNetworks" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "KubernetesLabel", "Property": "key" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "KubernetesLabel", "Property": "value" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachine", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachine", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachineKeySet", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachineKeySet", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BmcKeySet", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BmcKeySet", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "CloudServicesNetwork", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "CloudServicesNetwork", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "ClusterManager", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "ClusterManager", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Console", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Console", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AadConfiguration", "Property": "adminGroupObjectIds" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "adminUsername" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "administratorConfiguration" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ControlPlaneNodeConfiguration", "Property": "availabilityZones" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ControlPlaneNodeConfiguration", "Property": "vmSkuName" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "administratorConfiguration" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AgentOptions", "Property": "hugepagesSize" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AgentOptions", "Property": "agentOptions" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l2Networks" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "ipamEnabled" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l3Networks" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "trunkedNetworks" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "attachedNetworkConfiguration" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "availabilityZones" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "count" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "KubernetesLabel", "Property": "key" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "KubernetesLabel", "Property": "value" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "labels" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "mode" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "taints" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "vmSkuName" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "attachedNetworkConfiguration" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "advertiseToFabric" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "communities" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "peers" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpAdvertisements" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "bfdEnabled" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "bgpMultiHop" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "holdTime" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "keepAliveTime" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "myAsn" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "password" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerAddress" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerAsn" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerPort" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpPeers" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "fabricPeeringEnabled" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "addresses" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "autoAssign" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "onlyUseHostIps" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpServiceLoadBalancerConfiguration" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "cloudServicesNetworkId" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "cniNetworkId" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "dnsServiceIp" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2ServiceLoadBalancerConfiguration", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2ServiceLoadBalancerConfiguration", "Property": "l2ServiceLoadBalancerConfiguration" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "podCidrs" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "serviceCidrs" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesClusterFeature", "ReferenceName": "StringKeyValuePair", "Property": "key" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesClusterFeature", "ReferenceName": "StringKeyValuePair", "Property": "value" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L2Network", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L2Network", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L3Network", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L3Network", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "MetricsConfiguration", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "MetricsConfiguration", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Rack", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Rack", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "StorageAppliance", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "StorageAppliance", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "TrunkedNetwork", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "TrunkedNetwork", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "attachedNetworkId" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipAllocationMethod" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipv4Address" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipv6Address" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "networkAttachmentName" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "hintType" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "resourceId" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "schedulingExecution" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "scope" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Volume", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240601preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Volume", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AdministratorConfiguration", "Property": "adminUsername" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AgentOptions", "Property": "hugepagesSize" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l2Networks" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "ipamEnabled" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l3Networks" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "trunkedNetworks" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "KubernetesLabel", "Property": "key" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "KubernetesLabel", "Property": "value" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachine", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachine", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachineKeySet", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachineKeySet", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BmcKeySet", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BmcKeySet", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "CloudServicesNetwork", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "CloudServicesNetwork", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "ClusterManager", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "ClusterManager", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Console", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Console", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AadConfiguration", "Property": "adminGroupObjectIds" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "adminUsername" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "administratorConfiguration" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ControlPlaneNodeConfiguration", "Property": "availabilityZones" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ControlPlaneNodeConfiguration", "Property": "vmSkuName" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "administratorConfiguration" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AgentOptions", "Property": "hugepagesSize" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AgentOptions", "Property": "agentOptions" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l2Networks" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "ipamEnabled" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l3Networks" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "trunkedNetworks" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "attachedNetworkConfiguration" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "availabilityZones" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "count" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "KubernetesLabel", "Property": "key" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "KubernetesLabel", "Property": "value" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "labels" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "mode" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "taints" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "vmSkuName" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "attachedNetworkConfiguration" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "advertiseToFabric" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "communities" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "peers" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpAdvertisements" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "bfdEnabled" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "bgpMultiHop" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "holdTime" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "keepAliveTime" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "myAsn" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "password" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerAddress" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerAsn" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerPort" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpPeers" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "fabricPeeringEnabled" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "addresses" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "autoAssign" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "onlyUseHostIps" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpServiceLoadBalancerConfiguration" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "cloudServicesNetworkId" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "cniNetworkId" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "dnsServiceIp" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2ServiceLoadBalancerConfiguration", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2ServiceLoadBalancerConfiguration", "Property": "l2ServiceLoadBalancerConfiguration" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "podCidrs" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "serviceCidrs" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesClusterFeature", "ReferenceName": "StringKeyValuePair", "Property": "key" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesClusterFeature", "ReferenceName": "StringKeyValuePair", "Property": "value" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L2Network", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L2Network", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L3Network", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L3Network", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "MetricsConfiguration", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "MetricsConfiguration", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Rack", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Rack", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "StorageAppliance", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "StorageAppliance", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "TrunkedNetwork", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "TrunkedNetwork", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "attachedNetworkId" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipAllocationMethod" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipv4Address" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipv6Address" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "networkAttachmentName" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "hintType" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "resourceId" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "schedulingExecution" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "scope" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Volume", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20240701", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Volume", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AdministratorConfiguration", "Property": "adminUsername" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AgentOptions", "Property": "hugepagesSize" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l2Networks" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "ipamEnabled" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l3Networks" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "trunkedNetworks" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "KubernetesLabel", "Property": "key" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "KubernetesLabel", "Property": "value" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachine", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachine", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachineKeySet", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachineKeySet", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BmcKeySet", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BmcKeySet", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "CloudServicesNetwork", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "CloudServicesNetwork", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "ClusterManager", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "ClusterManager", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Console", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Console", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AadConfiguration", "Property": "adminGroupObjectIds" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "adminUsername" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "administratorConfiguration" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ControlPlaneNodeConfiguration", "Property": "availabilityZones" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ControlPlaneNodeConfiguration", "Property": "vmSkuName" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "administratorConfiguration" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AgentOptions", "Property": "hugepagesSize" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AgentOptions", "Property": "agentOptions" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l2Networks" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "ipamEnabled" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l3Networks" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "trunkedNetworks" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "attachedNetworkConfiguration" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "availabilityZones" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "count" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "KubernetesLabel", "Property": "key" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "KubernetesLabel", "Property": "value" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "labels" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "mode" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "taints" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "vmSkuName" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "attachedNetworkConfiguration" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "advertiseToFabric" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "communities" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "peers" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpAdvertisements" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "bfdEnabled" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "bgpMultiHop" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "holdTime" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "keepAliveTime" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "myAsn" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "password" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerAddress" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerAsn" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerPort" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpPeers" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "fabricPeeringEnabled" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "addresses" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "autoAssign" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "onlyUseHostIps" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpServiceLoadBalancerConfiguration" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "cloudServicesNetworkId" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "cniNetworkId" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "dnsServiceIp" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2ServiceLoadBalancerConfiguration", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2ServiceLoadBalancerConfiguration", "Property": "l2ServiceLoadBalancerConfiguration" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "podCidrs" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "serviceCidrs" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesClusterFeature", "ReferenceName": "StringKeyValuePair", "Property": "key" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesClusterFeature", "ReferenceName": "StringKeyValuePair", "Property": "value" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L2Network", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L2Network", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L3Network", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L3Network", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "MetricsConfiguration", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "MetricsConfiguration", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Rack", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Rack", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "StorageAppliance", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "StorageAppliance", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "TrunkedNetwork", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "TrunkedNetwork", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "attachedNetworkId" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipAllocationMethod" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipv4Address" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipv6Address" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "networkAttachmentName" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "hintType" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "resourceId" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "schedulingExecution" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "scope" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Volume", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20241001preview", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Volume", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AdministratorConfiguration", "Property": "adminUsername" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AgentOptions", "Property": "hugepagesSize" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l2Networks" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "ipamEnabled" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l3Networks" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "AttachedNetworkConfiguration", "Property": "trunkedNetworks" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "KubernetesLabel", "Property": "key" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "AgentPool", "ReferenceName": "KubernetesLabel", "Property": "value" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachine", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachine", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachineKeySet", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BareMetalMachineKeySet", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BmcKeySet", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "BmcKeySet", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "CloudServicesNetwork", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "CloudServicesNetwork", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Cluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "ClusterManager", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "ClusterManager", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Console", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Console", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AadConfiguration", "Property": "adminGroupObjectIds" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "adminUsername" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "administratorConfiguration" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ControlPlaneNodeConfiguration", "Property": "availabilityZones" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ControlPlaneNodeConfiguration", "Property": "vmSkuName" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AdministratorConfiguration", "Property": "administratorConfiguration" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AgentOptions", "Property": "hugepagesSize" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AgentOptions", "Property": "agentOptions" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l2Networks" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "ipamEnabled" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L3NetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "l3Networks" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "networkId" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "TrunkedNetworkAttachmentConfiguration", "Property": "pluginType" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "trunkedNetworks" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "attachedNetworkConfiguration" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "availabilityZones" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "count" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "KubernetesLabel", "Property": "key" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "KubernetesLabel", "Property": "value" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "labels" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "mode" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "taints" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "InitialAgentPoolConfiguration", "Property": "vmSkuName" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "location" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ManagedResourceGroupConfiguration", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "AttachedNetworkConfiguration", "Property": "attachedNetworkConfiguration" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "advertiseToFabric" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "communities" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpAdvertisement", "Property": "peers" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpAdvertisements" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "bfdEnabled" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "bgpMultiHop" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "holdTime" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "keepAliveTime" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "myAsn" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "password" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerAddress" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerAsn" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "ServiceLoadBalancerBgpPeer", "Property": "peerPort" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpPeers" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "fabricPeeringEnabled" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "addresses" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "autoAssign" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "IpAddressPool", "Property": "onlyUseHostIps" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "BgpServiceLoadBalancerConfiguration", "Property": "bgpServiceLoadBalancerConfiguration" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "cloudServicesNetworkId" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "cniNetworkId" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "dnsServiceIp" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2ServiceLoadBalancerConfiguration", "Property": "ipAddressPools" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "L2ServiceLoadBalancerConfiguration", "Property": "l2ServiceLoadBalancerConfiguration" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "podCidrs" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesCluster", "ReferenceName": "NetworkConfiguration", "Property": "serviceCidrs" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesClusterFeature", "ReferenceName": "StringKeyValuePair", "Property": "key" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "KubernetesClusterFeature", "ReferenceName": "StringKeyValuePair", "Property": "value" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L2Network", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L2Network", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L3Network", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "L3Network", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "MetricsConfiguration", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "MetricsConfiguration", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Rack", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Rack", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "StorageAppliance", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "StorageAppliance", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "TrunkedNetwork", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "TrunkedNetwork", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "attachedNetworkId" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipAllocationMethod" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipv4Address" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "ipv6Address" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "NetworkAttachment", "Property": "networkAttachmentName" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "hintType" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "resourceId" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "schedulingExecution" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "VirtualMachine", "ReferenceName": "VirtualMachinePlacementHint", "Property": "scope" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Volume", "ReferenceName": "ExtendedLocation", "Property": "name" }, { - "VersionedModule": "networkcloud/v20250201", + "VersionedModule": "networkcloud", "Module": "NetworkCloud", "ResourceName": "Volume", "ReferenceName": "ExtendedLocation", "Property": "type" }, { - "VersionedModule": "notificationhubs/v20230101preview", + "VersionedModule": "notificationhubs", "Module": "NotificationHubs", "ResourceName": "Namespace", "ReferenceName": "NamespaceProperties", "Property": "scaleUnit" }, { - "VersionedModule": "notificationhubs/v20230101preview", + "VersionedModule": "notificationhubs", "Module": "NotificationHubs", "ResourceName": "Namespace", "ReferenceName": "ZoneRedundancyPreference", "Property": "zoneRedundancy" }, { - "VersionedModule": "notificationhubs/v20230101preview", + "VersionedModule": "notificationhubs", "Module": "NotificationHubs", "ResourceName": "NotificationHub", "ReferenceName": "NotificationHubProperties", "Property": "name" }, { - "VersionedModule": "notificationhubs/v20230901", + "VersionedModule": "notificationhubs", "Module": "NotificationHubs", "ResourceName": "Namespace", "ReferenceName": "NamespaceProperties", "Property": "scaleUnit" }, { - "VersionedModule": "notificationhubs/v20230901", + "VersionedModule": "notificationhubs", "Module": "NotificationHubs", "ResourceName": "Namespace", "ReferenceName": "ZoneRedundancyPreference", "Property": "zoneRedundancy" }, { - "VersionedModule": "notificationhubs/v20230901", + "VersionedModule": "notificationhubs", "Module": "NotificationHubs", "ResourceName": "NotificationHub", "ReferenceName": "NotificationHubProperties", "Property": "name" }, { - "VersionedModule": "operationalinsights/v20250201", + "VersionedModule": "operationalinsights", "Module": "OperationalInsights", "ResourceName": "Cluster", "ReferenceName": "ClusterReplicationProperties", "Property": "location" }, { - "VersionedModule": "operationalinsights/v20250201", + "VersionedModule": "operationalinsights", "Module": "OperationalInsights", "ResourceName": "Workspace", "ReferenceName": "WorkspaceReplicationProperties", @@ -83097,35 +83097,35 @@ "Property": "polarization" }, { - "VersionedModule": "orbital/v20221101", + "VersionedModule": "orbital", "Module": "Orbital", "ResourceName": "Spacecraft", "ReferenceName": "SpacecraftLink", "Property": "bandwidthMHz" }, { - "VersionedModule": "orbital/v20221101", + "VersionedModule": "orbital", "Module": "Orbital", "ResourceName": "Spacecraft", "ReferenceName": "SpacecraftLink", "Property": "centerFrequencyMHz" }, { - "VersionedModule": "orbital/v20221101", + "VersionedModule": "orbital", "Module": "Orbital", "ResourceName": "Spacecraft", "ReferenceName": "SpacecraftLink", "Property": "direction" }, { - "VersionedModule": "orbital/v20221101", + "VersionedModule": "orbital", "Module": "Orbital", "ResourceName": "Spacecraft", "ReferenceName": "SpacecraftLink", "Property": "name" }, { - "VersionedModule": "orbital/v20221101", + "VersionedModule": "orbital", "Module": "Orbital", "ResourceName": "Spacecraft", "ReferenceName": "SpacecraftLink", @@ -83167,70 +83167,70 @@ "Property": "preAllocatedCapacity" }, { - "VersionedModule": "recommendationsservice/v20220201", + "VersionedModule": "recommendationsservice", "Module": "RecommendationsService", "ResourceName": "Account", "ReferenceName": "AccountResource", "Property": "configuration" }, { - "VersionedModule": "recommendationsservice/v20220201", + "VersionedModule": "recommendationsservice", "Module": "RecommendationsService", "ResourceName": "Modeling", "ReferenceName": "ModelingResource", "Property": "features" }, { - "VersionedModule": "recommendationsservice/v20220201", + "VersionedModule": "recommendationsservice", "Module": "RecommendationsService", "ResourceName": "Modeling", "ReferenceName": "ModelingResource", "Property": "frequency" }, { - "VersionedModule": "recommendationsservice/v20220201", + "VersionedModule": "recommendationsservice", "Module": "RecommendationsService", "ResourceName": "Modeling", "ReferenceName": "ModelingResource", "Property": "size" }, { - "VersionedModule": "recommendationsservice/v20220201", + "VersionedModule": "recommendationsservice", "Module": "RecommendationsService", "ResourceName": "ServiceEndpoint", "ReferenceName": "ServiceEndpointResource", "Property": "preAllocatedCapacity" }, { - "VersionedModule": "recommendationsservice/v20220301preview", + "VersionedModule": "recommendationsservice", "Module": "RecommendationsService", "ResourceName": "Account", "ReferenceName": "AccountResource", "Property": "configuration" }, { - "VersionedModule": "recommendationsservice/v20220301preview", + "VersionedModule": "recommendationsservice", "Module": "RecommendationsService", "ResourceName": "Modeling", "ReferenceName": "ModelingResource", "Property": "features" }, { - "VersionedModule": "recommendationsservice/v20220301preview", + "VersionedModule": "recommendationsservice", "Module": "RecommendationsService", "ResourceName": "Modeling", "ReferenceName": "ModelingResource", "Property": "frequency" }, { - "VersionedModule": "recommendationsservice/v20220301preview", + "VersionedModule": "recommendationsservice", "Module": "RecommendationsService", "ResourceName": "Modeling", "ReferenceName": "ModelingResource", "Property": "size" }, { - "VersionedModule": "recommendationsservice/v20220301preview", + "VersionedModule": "recommendationsservice", "Module": "RecommendationsService", "ResourceName": "ServiceEndpoint", "ReferenceName": "ServiceEndpointResource", @@ -83265,581 +83265,581 @@ "Property": "name" }, { - "VersionedModule": "redisenterprise/v20201001preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "args" - }, - { - "VersionedModule": "redisenterprise/v20201001preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "name" - }, - { - "VersionedModule": "redisenterprise/v20210201preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "DatabaseProperties", - "Property": "groupNickname" - }, - { - "VersionedModule": "redisenterprise/v20210201preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "LinkedDatabase", - "Property": "id" - }, - { - "VersionedModule": "redisenterprise/v20210201preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "args" - }, - { - "VersionedModule": "redisenterprise/v20210201preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "name" - }, - { - "VersionedModule": "redisenterprise/v20210301", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "args" - }, - { - "VersionedModule": "redisenterprise/v20210301", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "name" - }, - { - "VersionedModule": "redisenterprise/v20210801", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "args" - }, - { - "VersionedModule": "redisenterprise/v20210801", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "name" - }, - { - "VersionedModule": "redisenterprise/v20220101", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "DatabaseProperties", - "Property": "groupNickname" - }, - { - "VersionedModule": "redisenterprise/v20220101", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "LinkedDatabase", - "Property": "id" - }, - { - "VersionedModule": "redisenterprise/v20220101", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "args" - }, - { - "VersionedModule": "redisenterprise/v20220101", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "name" - }, - { - "VersionedModule": "redisenterprise/v20221101preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "DatabaseProperties", - "Property": "groupNickname" - }, - { - "VersionedModule": "redisenterprise/v20221101preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "LinkedDatabase", - "Property": "id" - }, - { - "VersionedModule": "redisenterprise/v20221101preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "args" - }, - { - "VersionedModule": "redisenterprise/v20221101preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "name" - }, - { - "VersionedModule": "redisenterprise/v20230301preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "DatabaseProperties", - "Property": "groupNickname" - }, - { - "VersionedModule": "redisenterprise/v20230301preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "LinkedDatabase", - "Property": "id" - }, - { - "VersionedModule": "redisenterprise/v20230301preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "args" - }, - { - "VersionedModule": "redisenterprise/v20230301preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "name" - }, - { - "VersionedModule": "redisenterprise/v20230701", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "DatabaseProperties", - "Property": "groupNickname" - }, - { - "VersionedModule": "redisenterprise/v20230701", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "LinkedDatabase", - "Property": "id" - }, - { - "VersionedModule": "redisenterprise/v20230701", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "args" - }, - { - "VersionedModule": "redisenterprise/v20230701", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "name" - }, - { - "VersionedModule": "redisenterprise/v20230801preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "DatabaseProperties", - "Property": "groupNickname" - }, - { - "VersionedModule": "redisenterprise/v20230801preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "LinkedDatabase", - "Property": "id" - }, - { - "VersionedModule": "redisenterprise/v20230801preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "args" - }, - { - "VersionedModule": "redisenterprise/v20230801preview", - "Module": "RedisEnterprise", - "ResourceName": "Database", - "ReferenceName": "Module", - "Property": "name" - }, - { - "VersionedModule": "redisenterprise/v20231001preview", + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "args" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "name" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "DatabaseProperties", + "Property": "groupNickname" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "LinkedDatabase", + "Property": "id" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "args" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "name" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "args" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "name" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "args" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "name" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "DatabaseProperties", + "Property": "groupNickname" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "LinkedDatabase", + "Property": "id" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "args" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "name" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "DatabaseProperties", + "Property": "groupNickname" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "LinkedDatabase", + "Property": "id" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "args" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "name" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "DatabaseProperties", + "Property": "groupNickname" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "LinkedDatabase", + "Property": "id" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "args" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "name" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "DatabaseProperties", + "Property": "groupNickname" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "LinkedDatabase", + "Property": "id" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "args" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "name" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "DatabaseProperties", + "Property": "groupNickname" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "LinkedDatabase", + "Property": "id" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "args" + }, + { + "VersionedModule": "redisenterprise", + "Module": "RedisEnterprise", + "ResourceName": "Database", + "ReferenceName": "Module", + "Property": "name" + }, + { + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "DatabaseProperties", "Property": "groupNickname" }, { - "VersionedModule": "redisenterprise/v20231001preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "LinkedDatabase", "Property": "id" }, { - "VersionedModule": "redisenterprise/v20231001preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "args" }, { - "VersionedModule": "redisenterprise/v20231001preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "name" }, { - "VersionedModule": "redisenterprise/v20231101", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "DatabaseProperties", "Property": "groupNickname" }, { - "VersionedModule": "redisenterprise/v20231101", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "LinkedDatabase", "Property": "id" }, { - "VersionedModule": "redisenterprise/v20231101", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "args" }, { - "VersionedModule": "redisenterprise/v20231101", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "name" }, { - "VersionedModule": "redisenterprise/v20240201", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "DatabaseProperties", "Property": "groupNickname" }, { - "VersionedModule": "redisenterprise/v20240201", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "LinkedDatabase", "Property": "id" }, { - "VersionedModule": "redisenterprise/v20240201", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "args" }, { - "VersionedModule": "redisenterprise/v20240201", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "name" }, { - "VersionedModule": "redisenterprise/v20240301preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "DatabaseProperties", "Property": "groupNickname" }, { - "VersionedModule": "redisenterprise/v20240301preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "LinkedDatabase", "Property": "id" }, { - "VersionedModule": "redisenterprise/v20240301preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "args" }, { - "VersionedModule": "redisenterprise/v20240301preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "name" }, { - "VersionedModule": "redisenterprise/v20240601preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "DatabaseProperties", "Property": "groupNickname" }, { - "VersionedModule": "redisenterprise/v20240601preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "LinkedDatabase", "Property": "id" }, { - "VersionedModule": "redisenterprise/v20240601preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "args" }, { - "VersionedModule": "redisenterprise/v20240601preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "name" }, { - "VersionedModule": "redisenterprise/v20240901preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "DatabaseProperties", "Property": "groupNickname" }, { - "VersionedModule": "redisenterprise/v20240901preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "LinkedDatabase", "Property": "id" }, { - "VersionedModule": "redisenterprise/v20240901preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "args" }, { - "VersionedModule": "redisenterprise/v20240901preview", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "name" }, { - "VersionedModule": "redisenterprise/v20241001", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "DatabaseProperties", "Property": "groupNickname" }, { - "VersionedModule": "redisenterprise/v20241001", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "LinkedDatabase", "Property": "id" }, { - "VersionedModule": "redisenterprise/v20241001", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "args" }, { - "VersionedModule": "redisenterprise/v20241001", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "name" }, { - "VersionedModule": "redisenterprise/v20250401", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "DatabaseProperties", "Property": "groupNickname" }, { - "VersionedModule": "redisenterprise/v20250401", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "LinkedDatabase", "Property": "id" }, { - "VersionedModule": "redisenterprise/v20250401", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "args" }, { - "VersionedModule": "redisenterprise/v20250401", + "VersionedModule": "redisenterprise", "Module": "RedisEnterprise", "ResourceName": "Database", "ReferenceName": "Module", "Property": "name" }, { - "VersionedModule": "scvmm/v20231007", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "biosGuid" }, { - "VersionedModule": "scvmm/v20231007", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "cloudId" }, { - "VersionedModule": "scvmm/v20231007", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "generation" }, { - "VersionedModule": "scvmm/v20231007", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "inventoryItemId" }, { - "VersionedModule": "scvmm/v20231007", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "templateId" }, { - "VersionedModule": "scvmm/v20231007", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "uuid" }, { - "VersionedModule": "scvmm/v20231007", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "vmName" }, { - "VersionedModule": "scvmm/v20231007", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "vmmServerId" }, { - "VersionedModule": "scvmm/v20231007", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "CreateDiffDisk", "Property": "createDiffDisk" }, { - "VersionedModule": "scvmm/v20231007", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualDisk", "Property": "templateDiskId" }, { - "VersionedModule": "scvmm/v20240601", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "biosGuid" }, { - "VersionedModule": "scvmm/v20240601", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "cloudId" }, { - "VersionedModule": "scvmm/v20240601", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "generation" }, { - "VersionedModule": "scvmm/v20240601", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "inventoryItemId" }, { - "VersionedModule": "scvmm/v20240601", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "templateId" }, { - "VersionedModule": "scvmm/v20240601", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "uuid" }, { - "VersionedModule": "scvmm/v20240601", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "vmName" }, { - "VersionedModule": "scvmm/v20240601", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "InfrastructureProfile", "Property": "vmmServerId" }, { - "VersionedModule": "scvmm/v20240601", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "OsProfileForVmInstance", "Property": "productKey" }, { - "VersionedModule": "scvmm/v20240601", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "CreateDiffDisk", "Property": "createDiffDisk" }, { - "VersionedModule": "scvmm/v20240601", + "VersionedModule": "scvmm", "Module": "ScVmm", "ResourceName": "VirtualMachineInstance", "ReferenceName": "VirtualDisk", @@ -83853,7 +83853,7 @@ "Property": "region" }, { - "VersionedModule": "security/v20200101preview", + "VersionedModule": "security", "Module": "Security", "ResourceName": "Connector", "ReferenceName": "HybridComputeSettingsProperties", @@ -83937,385 +83937,385 @@ "Property": "storageAccountUrl" }, { - "VersionedModule": "sqlvirtualmachine/v20220201", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlConnectivityUpdateSettings", "Property": "sqlAuthUpdatePassword" }, { - "VersionedModule": "sqlvirtualmachine/v20220201", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlConnectivityUpdateSettings", "Property": "sqlAuthUpdateUserName" }, { - "VersionedModule": "sqlvirtualmachine/v20220201", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlWorkloadTypeUpdateSettings", "Property": "sqlWorkloadType" }, { - "VersionedModule": "sqlvirtualmachine/v20220201", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "StorageConfigurationSettings", "Property": "storageWorkloadType" }, { - "VersionedModule": "sqlvirtualmachine/v20220201", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "clusterBootstrapAccount" }, { - "VersionedModule": "sqlvirtualmachine/v20220201", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "clusterSubnetType" }, { - "VersionedModule": "sqlvirtualmachine/v20220201", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "domainFqdn" }, { - "VersionedModule": "sqlvirtualmachine/v20220201", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "fileShareWitnessPath" }, { - "VersionedModule": "sqlvirtualmachine/v20220201", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "ouPath" }, { - "VersionedModule": "sqlvirtualmachine/v20220201", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "storageAccountPrimaryKey" }, { - "VersionedModule": "sqlvirtualmachine/v20220201", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "storageAccountUrl" }, { - "VersionedModule": "sqlvirtualmachine/v20220701preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlConnectivityUpdateSettings", "Property": "sqlAuthUpdatePassword" }, { - "VersionedModule": "sqlvirtualmachine/v20220701preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlConnectivityUpdateSettings", "Property": "sqlAuthUpdateUserName" }, { - "VersionedModule": "sqlvirtualmachine/v20220701preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlWorkloadTypeUpdateSettings", "Property": "sqlWorkloadType" }, { - "VersionedModule": "sqlvirtualmachine/v20220701preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "StorageConfigurationSettings", "Property": "storageWorkloadType" }, { - "VersionedModule": "sqlvirtualmachine/v20220701preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "clusterBootstrapAccount" }, { - "VersionedModule": "sqlvirtualmachine/v20220701preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "clusterSubnetType" }, { - "VersionedModule": "sqlvirtualmachine/v20220701preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "domainFqdn" }, { - "VersionedModule": "sqlvirtualmachine/v20220701preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "fileShareWitnessPath" }, { - "VersionedModule": "sqlvirtualmachine/v20220701preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "ouPath" }, { - "VersionedModule": "sqlvirtualmachine/v20220701preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "storageAccountPrimaryKey" }, { - "VersionedModule": "sqlvirtualmachine/v20220701preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "storageAccountUrl" }, { - "VersionedModule": "sqlvirtualmachine/v20220801preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlConnectivityUpdateSettings", "Property": "sqlAuthUpdatePassword" }, { - "VersionedModule": "sqlvirtualmachine/v20220801preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlConnectivityUpdateSettings", "Property": "sqlAuthUpdateUserName" }, { - "VersionedModule": "sqlvirtualmachine/v20220801preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlWorkloadTypeUpdateSettings", "Property": "sqlWorkloadType" }, { - "VersionedModule": "sqlvirtualmachine/v20220801preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "StorageConfigurationSettings", "Property": "storageWorkloadType" }, { - "VersionedModule": "sqlvirtualmachine/v20220801preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "clusterBootstrapAccount" }, { - "VersionedModule": "sqlvirtualmachine/v20220801preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "clusterSubnetType" }, { - "VersionedModule": "sqlvirtualmachine/v20220801preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "domainFqdn" }, { - "VersionedModule": "sqlvirtualmachine/v20220801preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "fileShareWitnessPath" }, { - "VersionedModule": "sqlvirtualmachine/v20220801preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "ouPath" }, { - "VersionedModule": "sqlvirtualmachine/v20220801preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "storageAccountPrimaryKey" }, { - "VersionedModule": "sqlvirtualmachine/v20220801preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "storageAccountUrl" }, { - "VersionedModule": "sqlvirtualmachine/v20230101preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlConnectivityUpdateSettings", "Property": "sqlAuthUpdatePassword" }, { - "VersionedModule": "sqlvirtualmachine/v20230101preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlConnectivityUpdateSettings", "Property": "sqlAuthUpdateUserName" }, { - "VersionedModule": "sqlvirtualmachine/v20230101preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlWorkloadTypeUpdateSettings", "Property": "sqlWorkloadType" }, { - "VersionedModule": "sqlvirtualmachine/v20230101preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "StorageConfigurationSettings", "Property": "storageWorkloadType" }, { - "VersionedModule": "sqlvirtualmachine/v20230101preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "clusterBootstrapAccount" }, { - "VersionedModule": "sqlvirtualmachine/v20230101preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "clusterSubnetType" }, { - "VersionedModule": "sqlvirtualmachine/v20230101preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "domainFqdn" }, { - "VersionedModule": "sqlvirtualmachine/v20230101preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "fileShareWitnessPath" }, { - "VersionedModule": "sqlvirtualmachine/v20230101preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "ouPath" }, { - "VersionedModule": "sqlvirtualmachine/v20230101preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "storageAccountPrimaryKey" }, { - "VersionedModule": "sqlvirtualmachine/v20230101preview", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "storageAccountUrl" }, { - "VersionedModule": "sqlvirtualmachine/v20231001", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlConnectivityUpdateSettings", "Property": "sqlAuthUpdatePassword" }, { - "VersionedModule": "sqlvirtualmachine/v20231001", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlConnectivityUpdateSettings", "Property": "sqlAuthUpdateUserName" }, { - "VersionedModule": "sqlvirtualmachine/v20231001", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "SqlWorkloadTypeUpdateSettings", "Property": "sqlWorkloadType" }, { - "VersionedModule": "sqlvirtualmachine/v20231001", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachine", "ReferenceName": "StorageConfigurationSettings", "Property": "storageWorkloadType" }, { - "VersionedModule": "sqlvirtualmachine/v20231001", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "clusterBootstrapAccount" }, { - "VersionedModule": "sqlvirtualmachine/v20231001", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "clusterSubnetType" }, { - "VersionedModule": "sqlvirtualmachine/v20231001", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "domainFqdn" }, { - "VersionedModule": "sqlvirtualmachine/v20231001", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "fileShareWitnessPath" }, { - "VersionedModule": "sqlvirtualmachine/v20231001", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "ouPath" }, { - "VersionedModule": "sqlvirtualmachine/v20231001", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", "Property": "storageAccountPrimaryKey" }, { - "VersionedModule": "sqlvirtualmachine/v20231001", + "VersionedModule": "sqlvirtualmachine", "Module": "SqlVirtualMachine", "ResourceName": "SqlVirtualMachineGroup", "ReferenceName": "WsfcDomainProfile", @@ -84329,35 +84329,35 @@ "Property": "keyType" }, { - "VersionedModule": "storage/v20220901", + "VersionedModule": "storage", "Module": "Storage", "ResourceName": "StorageAccount", "ReferenceName": "EncryptionService", "Property": "keyType" }, { - "VersionedModule": "storage/v20230101", + "VersionedModule": "storage", "Module": "Storage", "ResourceName": "StorageAccount", "ReferenceName": "EncryptionService", "Property": "keyType" }, { - "VersionedModule": "storage/v20230401", + "VersionedModule": "storage", "Module": "Storage", "ResourceName": "StorageAccount", "ReferenceName": "EncryptionService", "Property": "keyType" }, { - "VersionedModule": "storage/v20230501", + "VersionedModule": "storage", "Module": "Storage", "ResourceName": "StorageAccount", "ReferenceName": "EncryptionService", "Property": "keyType" }, { - "VersionedModule": "storage/v20240101", + "VersionedModule": "storage", "Module": "Storage", "ResourceName": "StorageAccount", "ReferenceName": "EncryptionService", @@ -84392,112 +84392,112 @@ "Property": "target" }, { - "VersionedModule": "storagecache/v20230501", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "AmlFilesystem", "ReferenceName": "AmlFilesystemHsmSettings", "Property": "settings" }, { - "VersionedModule": "storagecache/v20230501", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "URLString", "Property": "target" }, { - "VersionedModule": "storagecache/v20230501", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "URLString", "Property": "target" }, { - "VersionedModule": "storagecache/v20230501", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "Nfs3Target", "Property": "target" }, { - "VersionedModule": "storagecache/v20231101preview", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "AmlFilesystem", "ReferenceName": "AmlFilesystemHsmSettings", "Property": "settings" }, { - "VersionedModule": "storagecache/v20231101preview", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "URLString", "Property": "target" }, { - "VersionedModule": "storagecache/v20231101preview", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "URLString", "Property": "target" }, { - "VersionedModule": "storagecache/v20231101preview", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "Nfs3Target", "Property": "target" }, { - "VersionedModule": "storagecache/v20240301", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "AmlFilesystem", "ReferenceName": "AmlFilesystemHsmSettings", "Property": "settings" }, { - "VersionedModule": "storagecache/v20240301", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "URLString", "Property": "target" }, { - "VersionedModule": "storagecache/v20240301", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "URLString", "Property": "target" }, { - "VersionedModule": "storagecache/v20240301", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "Nfs3Target", "Property": "target" }, { - "VersionedModule": "storagecache/v20240701", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "AmlFilesystem", "ReferenceName": "AmlFilesystemHsmSettings", "Property": "settings" }, { - "VersionedModule": "storagecache/v20240701", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "URLString", "Property": "target" }, { - "VersionedModule": "storagecache/v20240701", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "URLString", "Property": "target" }, { - "VersionedModule": "storagecache/v20240701", + "VersionedModule": "storagecache", "Module": "StorageCache", "ResourceName": "StorageTarget", "ReferenceName": "Nfs3Target", @@ -84602,322 +84602,322 @@ "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20230301", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "AzureStorageBlobContainerEndpointProperties", "Property": "blobContainerName" }, { - "VersionedModule": "storagemover/v20230301", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointBaseProperties", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20230301", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "export" }, { - "VersionedModule": "storagemover/v20230301", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "host" }, { - "VersionedModule": "storagemover/v20230301", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "nfsVersion" }, { - "VersionedModule": "storagemover/v20230301", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointBaseProperties", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "AzureStorageBlobContainerEndpointProperties", "Property": "blobContainerName" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "AzureStorageSmbFileShareEndpointProperties", "Property": "fileShareName" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "AzureStorageSmbFileShareEndpointProperties", "Property": "storageAccountResourceId" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "export" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "host" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "nfsVersion" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "CredentialType", "Property": "type" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "SmbMountEndpointProperties", "Property": "host" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "SmbMountEndpointProperties", "Property": "shareName" }, { - "VersionedModule": "storagemover/v20230701preview", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "AzureStorageBlobContainerEndpointProperties", "Property": "blobContainerName" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "AzureStorageSmbFileShareEndpointProperties", "Property": "fileShareName" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "AzureStorageSmbFileShareEndpointProperties", "Property": "storageAccountResourceId" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "export" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "host" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "nfsVersion" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "CredentialType", "Property": "type" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "SmbMountEndpointProperties", "Property": "host" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "SmbMountEndpointProperties", "Property": "shareName" }, { - "VersionedModule": "storagemover/v20231001", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "AzureStorageBlobContainerEndpointProperties", "Property": "blobContainerName" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "AzureStorageBlobContainerEndpointProperties", "Property": "storageAccountResourceId" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "AzureStorageSmbFileShareEndpointProperties", "Property": "fileShareName" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "AzureStorageSmbFileShareEndpointProperties", "Property": "storageAccountResourceId" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "export" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "host" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "NfsMountEndpointProperties", "Property": "nfsVersion" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", "Property": "endpointType" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "CredentialType", "Property": "type" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "SmbMountEndpointProperties", "Property": "host" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "SmbMountEndpointProperties", "Property": "shareName" }, { - "VersionedModule": "storagemover/v20240701", + "VersionedModule": "storagemover", "Module": "StorageMover", "ResourceName": "Endpoint", "ReferenceName": "EndpointType", @@ -84987,98 +84987,98 @@ "Property": "filesystem" }, { - "VersionedModule": "synapse/v20210601", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "BigDataPool", "ReferenceName": "AutoScaleProperties", "Property": "maxNodeCount" }, { - "VersionedModule": "synapse/v20210601", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "BigDataPool", "ReferenceName": "AutoScaleProperties", "Property": "minNodeCount" }, { - "VersionedModule": "synapse/v20210601", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "BigDataPool", "ReferenceName": "SparkConfigProperties", "Property": "configurationType" }, { - "VersionedModule": "synapse/v20210601", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "IntegrationRuntime", "ReferenceName": "ManagedIntegrationRuntimeManagedVirtualNetworkReference", "Property": "id" }, { - "VersionedModule": "synapse/v20210601", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "SqlPool", "ReferenceName": "Sku", "Property": "tier" }, { - "VersionedModule": "synapse/v20210601", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "Workspace", "ReferenceName": "CspWorkspaceAdminProperties", "Property": "initialWorkspaceAdminObjectId" }, { - "VersionedModule": "synapse/v20210601", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "Workspace", "ReferenceName": "DataLakeStorageAccountDetails", "Property": "accountUrl" }, { - "VersionedModule": "synapse/v20210601", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "Workspace", "ReferenceName": "DataLakeStorageAccountDetails", "Property": "createManagedPrivateEndpoint" }, { - "VersionedModule": "synapse/v20210601", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "Workspace", "ReferenceName": "DataLakeStorageAccountDetails", "Property": "filesystem" }, { - "VersionedModule": "synapse/v20210601preview", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "BigDataPool", "ReferenceName": "AutoScaleProperties", "Property": "maxNodeCount" }, { - "VersionedModule": "synapse/v20210601preview", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "BigDataPool", "ReferenceName": "AutoScaleProperties", "Property": "minNodeCount" }, { - "VersionedModule": "synapse/v20210601preview", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "BigDataPool", "ReferenceName": "SparkConfigProperties", "Property": "configurationType" }, { - "VersionedModule": "synapse/v20210601preview", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "Workspace", "ReferenceName": "DataLakeStorageAccountDetails", "Property": "accountUrl" }, { - "VersionedModule": "synapse/v20210601preview", + "VersionedModule": "synapse", "Module": "Synapse", "ResourceName": "Workspace", "ReferenceName": "DataLakeStorageAccountDetails", @@ -85092,28 +85092,28 @@ "Property": "name" }, { - "VersionedModule": "voiceservices/v20221201preview", + "VersionedModule": "voiceservices", "Module": "VoiceServices", "ResourceName": "CommunicationsGateway", "ReferenceName": "ServiceRegionProperties", "Property": "name" }, { - "VersionedModule": "voiceservices/v20230131", + "VersionedModule": "voiceservices", "Module": "VoiceServices", "ResourceName": "CommunicationsGateway", "ReferenceName": "ServiceRegionProperties", "Property": "name" }, { - "VersionedModule": "voiceservices/v20230403", + "VersionedModule": "voiceservices", "Module": "VoiceServices", "ResourceName": "CommunicationsGateway", "ReferenceName": "ServiceRegionProperties", "Property": "name" }, { - "VersionedModule": "voiceservices/v20230901", + "VersionedModule": "voiceservices", "Module": "VoiceServices", "ResourceName": "CommunicationsGateway", "ReferenceName": "ServiceRegionProperties", @@ -85211,805 +85211,805 @@ "Property": "vnetName" }, { - "VersionedModule": "web/v20160801", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20160801", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20180201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20180201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20181101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20181101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20190801", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20190801", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20200601", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20200601", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20200901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20200901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20201001", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20201001", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20201201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20201201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20210101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageAccessMode" }, { - "VersionedModule": "web/v20210101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageClassName" }, { - "VersionedModule": "web/v20210101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageMountPath" }, { - "VersionedModule": "web/v20210101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageNodeName" }, { - "VersionedModule": "web/v20210101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactsStorageType" }, { - "VersionedModule": "web/v20210101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20210101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20210115", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageAccessMode" }, { - "VersionedModule": "web/v20210115", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageClassName" }, { - "VersionedModule": "web/v20210115", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageMountPath" }, { - "VersionedModule": "web/v20210115", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageNodeName" }, { - "VersionedModule": "web/v20210115", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactsStorageType" }, { - "VersionedModule": "web/v20210115", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20210115", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20210201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageAccessMode" }, { - "VersionedModule": "web/v20210201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageClassName" }, { - "VersionedModule": "web/v20210201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageMountPath" }, { - "VersionedModule": "web/v20210201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageNodeName" }, { - "VersionedModule": "web/v20210201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactsStorageType" }, { - "VersionedModule": "web/v20210201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20210201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageAccessMode" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageClassName" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageMountPath" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageNodeName" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactsStorageType" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "appSubnetResourceId" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "controlPlaneSubnetResourceId" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "daprAIInstrumentationKey" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20210301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageAccessMode" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageClassName" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageMountPath" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageNodeName" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactsStorageType" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "appSubnetResourceId" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "controlPlaneSubnetResourceId" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "daprAIInstrumentationKey" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20220301", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageAccessMode" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageClassName" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageMountPath" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageNodeName" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactsStorageType" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "appSubnetResourceId" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "controlPlaneSubnetResourceId" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "daprAIInstrumentationKey" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20220901", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageAccessMode" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageClassName" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageMountPath" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageNodeName" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactsStorageType" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "appSubnetResourceId" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "controlPlaneSubnetResourceId" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "daprAIInstrumentationKey" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20230101", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageAccessMode" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageClassName" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageMountPath" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageNodeName" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactsStorageType" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "appSubnetResourceId" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "controlPlaneSubnetResourceId" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "daprAIInstrumentationKey" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20231201", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageAccessMode" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageClassName" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageMountPath" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactStorageNodeName" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ArcConfiguration", "Property": "artifactsStorageType" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "appSubnetResourceId" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "controlPlaneSubnetResourceId" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "daprAIInstrumentationKey" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "dockerBridgeCidr" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedCidr" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "KubeEnvironment", "ReferenceName": "ContainerAppsConfiguration", "Property": "platformReservedDnsIP" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebApp", "ReferenceName": "SiteConfig", "Property": "vnetName" }, { - "VersionedModule": "web/v20240401", + "VersionedModule": "web", "Module": "Web", "ResourceName": "WebAppSlot", "ReferenceName": "SiteConfig", @@ -86086,448 +86086,448 @@ "Property": "providerType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "NamingPatternType", "Property": "namingPatternType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "SAPDatabaseType", "Property": "databaseType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "OSConfiguration", "Property": "osType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "OSConfiguration", "Property": "osType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "DeploymentType", "Property": "deploymentType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "NamingPatternType", "Property": "namingPatternType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "SAPDatabaseType", "Property": "databaseType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "HighAvailabilityType", "Property": "highAvailabilityType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "FileShareConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "FileShareConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "FileShareConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "DeploymentType", "Property": "deploymentType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "SAPSoftwareInstallationType", "Property": "softwareInstallationType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "SAPSoftwareInstallationType", "Property": "softwareInstallationType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "SAPSoftwareInstallationType", "Property": "softwareInstallationType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "ConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "ConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20230401", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "ConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ACSSBackupConnection", "ReferenceName": "BackupType", "Property": "backupType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ACSSBackupConnection", "ReferenceName": "BackupType", "Property": "backupType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ACSSBackupConnection", "ReferenceName": "BackupType", "Property": "backupType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "NamingPatternType", "Property": "namingPatternType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "SAPDatabaseType", "Property": "databaseType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "OSConfiguration", "Property": "osType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "OSConfiguration", "Property": "osType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "DeploymentType", "Property": "deploymentType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "NamingPatternType", "Property": "namingPatternType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "SAPDatabaseType", "Property": "databaseType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "HighAvailabilityType", "Property": "highAvailabilityType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "FileShareConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "FileShareConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "FileShareConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "DeploymentType", "Property": "deploymentType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "SAPSoftwareInstallationType", "Property": "softwareInstallationType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "SAPSoftwareInstallationType", "Property": "softwareInstallationType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "SAPSoftwareInstallationType", "Property": "softwareInstallationType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "ConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "ConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20231001preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "SAPVirtualInstance", "ReferenceName": "ConfigurationType", "Property": "configurationType" }, { - "VersionedModule": "workloads/v20231201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20231201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20231201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20231201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20231201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20231201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20240201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20240201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20240201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20240201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20240201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20240201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", "Property": "providerType" }, { - "VersionedModule": "workloads/v20240201preview", + "VersionedModule": "workloads", "Module": "Workloads", "ResourceName": "ProviderInstance", "ReferenceName": "ProviderSpecificProperties", diff --git a/reports/tokenPaths.json b/reports/tokenPaths.json index 38276330552c..8922dc4a7b17 100644 --- a/reports/tokenPaths.json +++ b/reports/tokenPaths.json @@ -1,74 +1,21 @@ { - "azure-native:aad/v20221201:DomainService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AAD/domainServices/{domainServiceName}", - "azure-native:aad/v20221201:OuContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Aad/domainServices/{domainServiceName}/ouContainer/{ouContainerName}", "azure-native:aad:DomainService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AAD/domainServices/{domainServiceName}", "azure-native:aad:OuContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Aad/domainServices/{domainServiceName}/ouContainer/{ouContainerName}", - "azure-native:aadiam/v20170401:DiagnosticSetting": "/providers/microsoft.aadiam/diagnosticSettings/{name}", - "azure-native:aadiam/v20200301:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:aadiam/v20200301:PrivateLinkForAzureAd": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}", - "azure-native:aadiam/v20200301preview:PrivateLinkForAzureAd": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}", - "azure-native:aadiam/v20200701preview:AzureADMetric": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/azureADMetrics/{azureADMetricsName}", "azure-native:aadiam:DiagnosticSetting": "/providers/microsoft.aadiam/diagnosticSettings/{name}", - "azure-native:addons/v20180301:SupportPlanType": "/subscriptions/{subscriptionId}/providers/Microsoft.Addons/supportProviders/{providerName}/supportPlanTypes/{planTypeName}", "azure-native:addons:SupportPlanType": "/subscriptions/{subscriptionId}/providers/Microsoft.Addons/supportProviders/{providerName}/supportPlanTypes/{planTypeName}", - "azure-native:advisor/v20230101:Suppression": "/{resourceUri}/providers/Microsoft.Advisor/recommendations/{recommendationId}/suppressions/{name}", - "azure-native:advisor/v20230901preview:Assessment": "/subscriptions/{subscriptionId}/providers/Microsoft.Advisor/assessments/{assessmentName}", - "azure-native:advisor/v20230901preview:Suppression": "/{resourceUri}/providers/Microsoft.Advisor/recommendations/{recommendationId}/suppressions/{name}", - "azure-native:advisor/v20250101:Suppression": "/{resourceUri}/providers/Microsoft.Advisor/recommendations/{recommendationId}/suppressions/{name}", "azure-native:advisor:Assessment": "/subscriptions/{subscriptionId}/providers/Microsoft.Advisor/assessments/{assessmentName}", "azure-native:advisor:Suppression": "/{resourceUri}/providers/Microsoft.Advisor/recommendations/{recommendationId}/suppressions/{name}", - "azure-native:agfoodplatform/v20230601preview:DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/dataConnectors/{dataConnectorName}", - "azure-native:agfoodplatform/v20230601preview:DataManagerForAgricultureResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}", - "azure-native:agfoodplatform/v20230601preview:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/extensions/{extensionId}", - "azure-native:agfoodplatform/v20230601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:agfoodplatform/v20230601preview:Solution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/solutions/{solutionId}", "azure-native:agfoodplatform:DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/dataConnectors/{dataConnectorName}", "azure-native:agfoodplatform:DataManagerForAgricultureResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}", "azure-native:agfoodplatform:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/extensions/{extensionId}", "azure-native:agfoodplatform:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:agfoodplatform:Solution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/solutions/{solutionId}", - "azure-native:agricultureplatform/v20240601preview:AgriService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgriculturePlatform/agriServices/{agriServiceResourceName}", "azure-native:agricultureplatform:AgriService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgriculturePlatform/agriServices/{agriServiceResourceName}", - "azure-native:alertsmanagement/v20190505preview:ActionRuleByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/actionRules/{actionRuleName}", - "azure-native:alertsmanagement/v20190601:SmartDetectorAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.alertsManagement/smartDetectorAlertRules/{alertRuleName}", - "azure-native:alertsmanagement/v20210401:SmartDetectorAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.alertsManagement/smartDetectorAlertRules/{alertRuleName}", - "azure-native:alertsmanagement/v20210722preview:PrometheusRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/prometheusRuleGroups/{ruleGroupName}", - "azure-native:alertsmanagement/v20210808:AlertProcessingRuleByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/actionRules/{alertProcessingRuleName}", - "azure-native:alertsmanagement/v20210808preview:AlertProcessingRuleByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/actionRules/{alertProcessingRuleName}", - "azure-native:alertsmanagement/v20230301:PrometheusRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/prometheusRuleGroups/{ruleGroupName}", - "azure-native:alertsmanagement/v20230401preview:TenantActivityLogAlert": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.AlertsManagement/tenantActivityLogAlerts/{alertRuleName}", "azure-native:alertsmanagement:ActionRuleByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/actionRules/{actionRuleName}", "azure-native:alertsmanagement:AlertProcessingRuleByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/actionRules/{alertProcessingRuleName}", "azure-native:alertsmanagement:PrometheusRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/prometheusRuleGroups/{ruleGroupName}", "azure-native:alertsmanagement:SmartDetectorAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.alertsManagement/smartDetectorAlertRules/{alertRuleName}", - "azure-native:analysisservices/v20170801:ServerDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AnalysisServices/servers/{serverName}", "azure-native:analysisservices:ServerDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AnalysisServices/servers/{serverName}", - "azure-native:apicenter/v20230701preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}", - "azure-native:apicenter/v20240301:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}", - "azure-native:apicenter/v20240301:ApiDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}/definitions/{definitionName}", - "azure-native:apicenter/v20240301:ApiVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}", - "azure-native:apicenter/v20240301:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/deployments/{deploymentName}", - "azure-native:apicenter/v20240301:Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/environments/{environmentName}", - "azure-native:apicenter/v20240301:MetadataSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/metadataSchemas/{metadataSchemaName}", - "azure-native:apicenter/v20240301:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}", - "azure-native:apicenter/v20240301:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}", - "azure-native:apicenter/v20240315preview:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}", - "azure-native:apicenter/v20240315preview:ApiDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}/definitions/{definitionName}", - "azure-native:apicenter/v20240315preview:ApiVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}", - "azure-native:apicenter/v20240315preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/deployments/{deploymentName}", - "azure-native:apicenter/v20240315preview:Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/environments/{environmentName}", - "azure-native:apicenter/v20240315preview:MetadataSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/metadataSchemas/{metadataSchemaName}", - "azure-native:apicenter/v20240315preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}", - "azure-native:apicenter/v20240315preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}", - "azure-native:apicenter/v20240601preview:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}", - "azure-native:apicenter/v20240601preview:ApiDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}/definitions/{definitionName}", - "azure-native:apicenter/v20240601preview:ApiSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apiSources/{apiSourceName}", - "azure-native:apicenter/v20240601preview:ApiVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}", - "azure-native:apicenter/v20240601preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/deployments/{deploymentName}", - "azure-native:apicenter/v20240601preview:Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/environments/{environmentName}", - "azure-native:apicenter/v20240601preview:MetadataSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/metadataSchemas/{metadataSchemaName}", - "azure-native:apicenter/v20240601preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}", - "azure-native:apicenter/v20240601preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}", "azure-native:apicenter:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}", "azure-native:apicenter:ApiDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}/definitions/{definitionName}", "azure-native:apicenter:ApiSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apiSources/{apiSourceName}", @@ -78,785 +25,6 @@ "azure-native:apicenter:MetadataSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/metadataSchemas/{metadataSchemaName}", "azure-native:apicenter:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}", "azure-native:apicenter:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}", - "azure-native:apimanagement/v20210401preview:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", - "azure-native:apimanagement/v20210401preview:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20210401preview:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", - "azure-native:apimanagement/v20210401preview:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", - "azure-native:apimanagement/v20210401preview:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", - "azure-native:apimanagement/v20210401preview:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", - "azure-native:apimanagement/v20210401preview:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20210401preview:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20210401preview:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20210401preview:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20210401preview:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20210401preview:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", - "azure-native:apimanagement/v20210401preview:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20210401preview:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", - "azure-native:apimanagement/v20210401preview:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", - "azure-native:apimanagement/v20210401preview:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", - "azure-native:apimanagement/v20210401preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", - "azure-native:apimanagement/v20210401preview:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", - "azure-native:apimanagement/v20210401preview:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", - "azure-native:apimanagement/v20210401preview:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20210401preview:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", - "azure-native:apimanagement/v20210401preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", - "azure-native:apimanagement/v20210401preview:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", - "azure-native:apimanagement/v20210401preview:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", - "azure-native:apimanagement/v20210401preview:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", - "azure-native:apimanagement/v20210401preview:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", - "azure-native:apimanagement/v20210401preview:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20210401preview:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", - "azure-native:apimanagement/v20210401preview:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", - "azure-native:apimanagement/v20210401preview:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20210401preview:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20210401preview:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20210401preview:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", - "azure-native:apimanagement/v20210401preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", - "azure-native:apimanagement/v20210401preview:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:apimanagement/v20210401preview:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", - "azure-native:apimanagement/v20210401preview:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", - "azure-native:apimanagement/v20210401preview:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", - "azure-native:apimanagement/v20210401preview:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20210401preview:Schema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", - "azure-native:apimanagement/v20210401preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", - "azure-native:apimanagement/v20210401preview:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", - "azure-native:apimanagement/v20210401preview:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", - "azure-native:apimanagement/v20210401preview:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", - "azure-native:apimanagement/v20210401preview:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", - "azure-native:apimanagement/v20210401preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", - "azure-native:apimanagement/v20210801:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", - "azure-native:apimanagement/v20210801:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20210801:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", - "azure-native:apimanagement/v20210801:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", - "azure-native:apimanagement/v20210801:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", - "azure-native:apimanagement/v20210801:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", - "azure-native:apimanagement/v20210801:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20210801:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20210801:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20210801:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20210801:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20210801:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", - "azure-native:apimanagement/v20210801:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20210801:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", - "azure-native:apimanagement/v20210801:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", - "azure-native:apimanagement/v20210801:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", - "azure-native:apimanagement/v20210801:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", - "azure-native:apimanagement/v20210801:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", - "azure-native:apimanagement/v20210801:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", - "azure-native:apimanagement/v20210801:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20210801:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", - "azure-native:apimanagement/v20210801:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", - "azure-native:apimanagement/v20210801:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", - "azure-native:apimanagement/v20210801:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", - "azure-native:apimanagement/v20210801:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", - "azure-native:apimanagement/v20210801:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", - "azure-native:apimanagement/v20210801:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", - "azure-native:apimanagement/v20210801:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20210801:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", - "azure-native:apimanagement/v20210801:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", - "azure-native:apimanagement/v20210801:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20210801:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20210801:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20210801:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", - "azure-native:apimanagement/v20210801:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", - "azure-native:apimanagement/v20210801:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:apimanagement/v20210801:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", - "azure-native:apimanagement/v20210801:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", - "azure-native:apimanagement/v20210801:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", - "azure-native:apimanagement/v20210801:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20210801:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", - "azure-native:apimanagement/v20210801:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", - "azure-native:apimanagement/v20210801:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", - "azure-native:apimanagement/v20210801:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", - "azure-native:apimanagement/v20210801:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", - "azure-native:apimanagement/v20210801:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", - "azure-native:apimanagement/v20211201preview:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", - "azure-native:apimanagement/v20211201preview:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20211201preview:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", - "azure-native:apimanagement/v20211201preview:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", - "azure-native:apimanagement/v20211201preview:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", - "azure-native:apimanagement/v20211201preview:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", - "azure-native:apimanagement/v20211201preview:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20211201preview:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20211201preview:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20211201preview:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20211201preview:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20211201preview:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", - "azure-native:apimanagement/v20211201preview:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20211201preview:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", - "azure-native:apimanagement/v20211201preview:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", - "azure-native:apimanagement/v20211201preview:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", - "azure-native:apimanagement/v20211201preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", - "azure-native:apimanagement/v20211201preview:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", - "azure-native:apimanagement/v20211201preview:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", - "azure-native:apimanagement/v20211201preview:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20211201preview:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", - "azure-native:apimanagement/v20211201preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", - "azure-native:apimanagement/v20211201preview:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", - "azure-native:apimanagement/v20211201preview:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", - "azure-native:apimanagement/v20211201preview:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", - "azure-native:apimanagement/v20211201preview:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", - "azure-native:apimanagement/v20211201preview:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", - "azure-native:apimanagement/v20211201preview:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20211201preview:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", - "azure-native:apimanagement/v20211201preview:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", - "azure-native:apimanagement/v20211201preview:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20211201preview:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20211201preview:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20211201preview:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", - "azure-native:apimanagement/v20211201preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", - "azure-native:apimanagement/v20211201preview:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", - "azure-native:apimanagement/v20211201preview:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:apimanagement/v20211201preview:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", - "azure-native:apimanagement/v20211201preview:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", - "azure-native:apimanagement/v20211201preview:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", - "azure-native:apimanagement/v20211201preview:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20211201preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", - "azure-native:apimanagement/v20211201preview:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", - "azure-native:apimanagement/v20211201preview:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", - "azure-native:apimanagement/v20211201preview:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", - "azure-native:apimanagement/v20211201preview:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", - "azure-native:apimanagement/v20211201preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", - "azure-native:apimanagement/v20220401preview:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", - "azure-native:apimanagement/v20220401preview:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20220401preview:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", - "azure-native:apimanagement/v20220401preview:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", - "azure-native:apimanagement/v20220401preview:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", - "azure-native:apimanagement/v20220401preview:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", - "azure-native:apimanagement/v20220401preview:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20220401preview:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20220401preview:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20220401preview:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20220401preview:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20220401preview:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", - "azure-native:apimanagement/v20220401preview:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20220401preview:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", - "azure-native:apimanagement/v20220401preview:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", - "azure-native:apimanagement/v20220401preview:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", - "azure-native:apimanagement/v20220401preview:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", - "azure-native:apimanagement/v20220401preview:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", - "azure-native:apimanagement/v20220401preview:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", - "azure-native:apimanagement/v20220401preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", - "azure-native:apimanagement/v20220401preview:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", - "azure-native:apimanagement/v20220401preview:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", - "azure-native:apimanagement/v20220401preview:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20220401preview:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", - "azure-native:apimanagement/v20220401preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", - "azure-native:apimanagement/v20220401preview:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", - "azure-native:apimanagement/v20220401preview:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", - "azure-native:apimanagement/v20220401preview:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", - "azure-native:apimanagement/v20220401preview:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", - "azure-native:apimanagement/v20220401preview:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", - "azure-native:apimanagement/v20220401preview:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20220401preview:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", - "azure-native:apimanagement/v20220401preview:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", - "azure-native:apimanagement/v20220401preview:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20220401preview:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20220401preview:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20220401preview:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", - "azure-native:apimanagement/v20220401preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", - "azure-native:apimanagement/v20220401preview:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", - "azure-native:apimanagement/v20220401preview:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:apimanagement/v20220401preview:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", - "azure-native:apimanagement/v20220401preview:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", - "azure-native:apimanagement/v20220401preview:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", - "azure-native:apimanagement/v20220401preview:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20220401preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", - "azure-native:apimanagement/v20220401preview:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", - "azure-native:apimanagement/v20220401preview:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", - "azure-native:apimanagement/v20220401preview:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", - "azure-native:apimanagement/v20220401preview:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", - "azure-native:apimanagement/v20220401preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", - "azure-native:apimanagement/v20220801:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", - "azure-native:apimanagement/v20220801:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20220801:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", - "azure-native:apimanagement/v20220801:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", - "azure-native:apimanagement/v20220801:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", - "azure-native:apimanagement/v20220801:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", - "azure-native:apimanagement/v20220801:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20220801:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20220801:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20220801:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20220801:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20220801:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", - "azure-native:apimanagement/v20220801:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20220801:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", - "azure-native:apimanagement/v20220801:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", - "azure-native:apimanagement/v20220801:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", - "azure-native:apimanagement/v20220801:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", - "azure-native:apimanagement/v20220801:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", - "azure-native:apimanagement/v20220801:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", - "azure-native:apimanagement/v20220801:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", - "azure-native:apimanagement/v20220801:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", - "azure-native:apimanagement/v20220801:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", - "azure-native:apimanagement/v20220801:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", - "azure-native:apimanagement/v20220801:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20220801:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", - "azure-native:apimanagement/v20220801:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", - "azure-native:apimanagement/v20220801:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", - "azure-native:apimanagement/v20220801:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", - "azure-native:apimanagement/v20220801:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", - "azure-native:apimanagement/v20220801:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", - "azure-native:apimanagement/v20220801:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", - "azure-native:apimanagement/v20220801:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", - "azure-native:apimanagement/v20220801:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", - "azure-native:apimanagement/v20220801:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", - "azure-native:apimanagement/v20220801:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20220801:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", - "azure-native:apimanagement/v20220801:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", - "azure-native:apimanagement/v20220801:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20220801:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20220801:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20220801:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", - "azure-native:apimanagement/v20220801:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", - "azure-native:apimanagement/v20220801:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", - "azure-native:apimanagement/v20220801:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:apimanagement/v20220801:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", - "azure-native:apimanagement/v20220801:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", - "azure-native:apimanagement/v20220801:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", - "azure-native:apimanagement/v20220801:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20220801:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", - "azure-native:apimanagement/v20220801:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", - "azure-native:apimanagement/v20220801:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", - "azure-native:apimanagement/v20220801:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", - "azure-native:apimanagement/v20220801:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", - "azure-native:apimanagement/v20220801:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", - "azure-native:apimanagement/v20220801:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", - "azure-native:apimanagement/v20220901preview:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", - "azure-native:apimanagement/v20220901preview:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20220901preview:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", - "azure-native:apimanagement/v20220901preview:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", - "azure-native:apimanagement/v20220901preview:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", - "azure-native:apimanagement/v20220901preview:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", - "azure-native:apimanagement/v20220901preview:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20220901preview:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20220901preview:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20220901preview:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20220901preview:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20220901preview:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", - "azure-native:apimanagement/v20220901preview:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20220901preview:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", - "azure-native:apimanagement/v20220901preview:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", - "azure-native:apimanagement/v20220901preview:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", - "azure-native:apimanagement/v20220901preview:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", - "azure-native:apimanagement/v20220901preview:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", - "azure-native:apimanagement/v20220901preview:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", - "azure-native:apimanagement/v20220901preview:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", - "azure-native:apimanagement/v20220901preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", - "azure-native:apimanagement/v20220901preview:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", - "azure-native:apimanagement/v20220901preview:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", - "azure-native:apimanagement/v20220901preview:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20220901preview:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", - "azure-native:apimanagement/v20220901preview:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", - "azure-native:apimanagement/v20220901preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", - "azure-native:apimanagement/v20220901preview:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", - "azure-native:apimanagement/v20220901preview:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", - "azure-native:apimanagement/v20220901preview:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", - "azure-native:apimanagement/v20220901preview:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", - "azure-native:apimanagement/v20220901preview:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", - "azure-native:apimanagement/v20220901preview:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", - "azure-native:apimanagement/v20220901preview:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", - "azure-native:apimanagement/v20220901preview:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20220901preview:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", - "azure-native:apimanagement/v20220901preview:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", - "azure-native:apimanagement/v20220901preview:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20220901preview:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20220901preview:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20220901preview:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", - "azure-native:apimanagement/v20220901preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", - "azure-native:apimanagement/v20220901preview:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", - "azure-native:apimanagement/v20220901preview:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:apimanagement/v20220901preview:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", - "azure-native:apimanagement/v20220901preview:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", - "azure-native:apimanagement/v20220901preview:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20220901preview:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", - "azure-native:apimanagement/v20220901preview:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20220901preview:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20220901preview:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", - "azure-native:apimanagement/v20220901preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", - "azure-native:apimanagement/v20220901preview:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", - "azure-native:apimanagement/v20220901preview:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20220901preview:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", - "azure-native:apimanagement/v20220901preview:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", - "azure-native:apimanagement/v20220901preview:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", - "azure-native:apimanagement/v20220901preview:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20220901preview:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:apimanagement/v20220901preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", - "azure-native:apimanagement/v20220901preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", - "azure-native:apimanagement/v20220901preview:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", - "azure-native:apimanagement/v20220901preview:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20220901preview:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20220901preview:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20220901preview:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20220901preview:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20220901preview:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20220901preview:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", - "azure-native:apimanagement/v20220901preview:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", - "azure-native:apimanagement/v20220901preview:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20220901preview:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20220901preview:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20220901preview:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20220901preview:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", - "azure-native:apimanagement/v20220901preview:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", - "azure-native:apimanagement/v20220901preview:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", - "azure-native:apimanagement/v20220901preview:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20220901preview:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20220901preview:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20220901preview:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", - "azure-native:apimanagement/v20220901preview:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", - "azure-native:apimanagement/v20220901preview:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20220901preview:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20220901preview:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:apimanagement/v20230301preview:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", - "azure-native:apimanagement/v20230301preview:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20230301preview:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", - "azure-native:apimanagement/v20230301preview:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", - "azure-native:apimanagement/v20230301preview:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", - "azure-native:apimanagement/v20230301preview:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", - "azure-native:apimanagement/v20230301preview:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20230301preview:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20230301preview:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20230301preview:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20230301preview:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20230301preview:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", - "azure-native:apimanagement/v20230301preview:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20230301preview:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", - "azure-native:apimanagement/v20230301preview:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", - "azure-native:apimanagement/v20230301preview:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", - "azure-native:apimanagement/v20230301preview:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", - "azure-native:apimanagement/v20230301preview:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", - "azure-native:apimanagement/v20230301preview:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", - "azure-native:apimanagement/v20230301preview:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", - "azure-native:apimanagement/v20230301preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", - "azure-native:apimanagement/v20230301preview:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", - "azure-native:apimanagement/v20230301preview:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", - "azure-native:apimanagement/v20230301preview:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20230301preview:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", - "azure-native:apimanagement/v20230301preview:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", - "azure-native:apimanagement/v20230301preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", - "azure-native:apimanagement/v20230301preview:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", - "azure-native:apimanagement/v20230301preview:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", - "azure-native:apimanagement/v20230301preview:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", - "azure-native:apimanagement/v20230301preview:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", - "azure-native:apimanagement/v20230301preview:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", - "azure-native:apimanagement/v20230301preview:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", - "azure-native:apimanagement/v20230301preview:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", - "azure-native:apimanagement/v20230301preview:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20230301preview:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", - "azure-native:apimanagement/v20230301preview:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", - "azure-native:apimanagement/v20230301preview:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20230301preview:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20230301preview:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20230301preview:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", - "azure-native:apimanagement/v20230301preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", - "azure-native:apimanagement/v20230301preview:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", - "azure-native:apimanagement/v20230301preview:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:apimanagement/v20230301preview:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", - "azure-native:apimanagement/v20230301preview:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", - "azure-native:apimanagement/v20230301preview:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230301preview:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", - "azure-native:apimanagement/v20230301preview:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20230301preview:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20230301preview:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", - "azure-native:apimanagement/v20230301preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", - "azure-native:apimanagement/v20230301preview:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", - "azure-native:apimanagement/v20230301preview:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230301preview:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", - "azure-native:apimanagement/v20230301preview:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", - "azure-native:apimanagement/v20230301preview:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", - "azure-native:apimanagement/v20230301preview:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20230301preview:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:apimanagement/v20230301preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", - "azure-native:apimanagement/v20230301preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", - "azure-native:apimanagement/v20230301preview:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", - "azure-native:apimanagement/v20230301preview:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20230301preview:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20230301preview:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20230301preview:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20230301preview:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20230301preview:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20230301preview:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", - "azure-native:apimanagement/v20230301preview:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", - "azure-native:apimanagement/v20230301preview:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20230301preview:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20230301preview:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20230301preview:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20230301preview:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", - "azure-native:apimanagement/v20230301preview:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", - "azure-native:apimanagement/v20230301preview:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", - "azure-native:apimanagement/v20230301preview:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230301preview:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20230301preview:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20230301preview:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", - "azure-native:apimanagement/v20230301preview:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", - "azure-native:apimanagement/v20230301preview:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230301preview:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20230301preview:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:apimanagement/v20230501preview:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", - "azure-native:apimanagement/v20230501preview:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20230501preview:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", - "azure-native:apimanagement/v20230501preview:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", - "azure-native:apimanagement/v20230501preview:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", - "azure-native:apimanagement/v20230501preview:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", - "azure-native:apimanagement/v20230501preview:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20230501preview:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20230501preview:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20230501preview:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20230501preview:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20230501preview:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", - "azure-native:apimanagement/v20230501preview:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20230501preview:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", - "azure-native:apimanagement/v20230501preview:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", - "azure-native:apimanagement/v20230501preview:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", - "azure-native:apimanagement/v20230501preview:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", - "azure-native:apimanagement/v20230501preview:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", - "azure-native:apimanagement/v20230501preview:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", - "azure-native:apimanagement/v20230501preview:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", - "azure-native:apimanagement/v20230501preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", - "azure-native:apimanagement/v20230501preview:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", - "azure-native:apimanagement/v20230501preview:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", - "azure-native:apimanagement/v20230501preview:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20230501preview:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", - "azure-native:apimanagement/v20230501preview:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", - "azure-native:apimanagement/v20230501preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", - "azure-native:apimanagement/v20230501preview:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", - "azure-native:apimanagement/v20230501preview:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", - "azure-native:apimanagement/v20230501preview:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", - "azure-native:apimanagement/v20230501preview:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", - "azure-native:apimanagement/v20230501preview:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", - "azure-native:apimanagement/v20230501preview:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", - "azure-native:apimanagement/v20230501preview:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", - "azure-native:apimanagement/v20230501preview:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20230501preview:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", - "azure-native:apimanagement/v20230501preview:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", - "azure-native:apimanagement/v20230501preview:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20230501preview:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20230501preview:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20230501preview:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", - "azure-native:apimanagement/v20230501preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", - "azure-native:apimanagement/v20230501preview:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", - "azure-native:apimanagement/v20230501preview:PolicyRestriction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyRestrictions/{policyRestrictionId}", - "azure-native:apimanagement/v20230501preview:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:apimanagement/v20230501preview:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", - "azure-native:apimanagement/v20230501preview:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", - "azure-native:apimanagement/v20230501preview:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230501preview:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", - "azure-native:apimanagement/v20230501preview:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20230501preview:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20230501preview:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", - "azure-native:apimanagement/v20230501preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", - "azure-native:apimanagement/v20230501preview:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", - "azure-native:apimanagement/v20230501preview:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230501preview:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", - "azure-native:apimanagement/v20230501preview:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", - "azure-native:apimanagement/v20230501preview:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", - "azure-native:apimanagement/v20230501preview:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20230501preview:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:apimanagement/v20230501preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", - "azure-native:apimanagement/v20230501preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", - "azure-native:apimanagement/v20230501preview:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", - "azure-native:apimanagement/v20230501preview:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20230501preview:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20230501preview:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20230501preview:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20230501preview:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20230501preview:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20230501preview:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", - "azure-native:apimanagement/v20230501preview:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", - "azure-native:apimanagement/v20230501preview:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20230501preview:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20230501preview:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20230501preview:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20230501preview:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", - "azure-native:apimanagement/v20230501preview:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", - "azure-native:apimanagement/v20230501preview:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", - "azure-native:apimanagement/v20230501preview:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230501preview:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20230501preview:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20230501preview:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", - "azure-native:apimanagement/v20230501preview:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", - "azure-native:apimanagement/v20230501preview:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230501preview:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20230501preview:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:apimanagement/v20230901preview:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", - "azure-native:apimanagement/v20230901preview:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20230901preview:ApiGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}", - "azure-native:apimanagement/v20230901preview:ApiGatewayConfigConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}/configConnections/{configConnectionName}", - "azure-native:apimanagement/v20230901preview:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", - "azure-native:apimanagement/v20230901preview:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", - "azure-native:apimanagement/v20230901preview:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", - "azure-native:apimanagement/v20230901preview:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", - "azure-native:apimanagement/v20230901preview:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20230901preview:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20230901preview:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20230901preview:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20230901preview:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20230901preview:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", - "azure-native:apimanagement/v20230901preview:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20230901preview:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", - "azure-native:apimanagement/v20230901preview:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", - "azure-native:apimanagement/v20230901preview:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", - "azure-native:apimanagement/v20230901preview:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", - "azure-native:apimanagement/v20230901preview:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", - "azure-native:apimanagement/v20230901preview:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", - "azure-native:apimanagement/v20230901preview:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", - "azure-native:apimanagement/v20230901preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", - "azure-native:apimanagement/v20230901preview:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", - "azure-native:apimanagement/v20230901preview:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", - "azure-native:apimanagement/v20230901preview:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20230901preview:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", - "azure-native:apimanagement/v20230901preview:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", - "azure-native:apimanagement/v20230901preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", - "azure-native:apimanagement/v20230901preview:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", - "azure-native:apimanagement/v20230901preview:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", - "azure-native:apimanagement/v20230901preview:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", - "azure-native:apimanagement/v20230901preview:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", - "azure-native:apimanagement/v20230901preview:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", - "azure-native:apimanagement/v20230901preview:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", - "azure-native:apimanagement/v20230901preview:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", - "azure-native:apimanagement/v20230901preview:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20230901preview:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", - "azure-native:apimanagement/v20230901preview:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", - "azure-native:apimanagement/v20230901preview:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20230901preview:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20230901preview:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20230901preview:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", - "azure-native:apimanagement/v20230901preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", - "azure-native:apimanagement/v20230901preview:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", - "azure-native:apimanagement/v20230901preview:PolicyRestriction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyRestrictions/{policyRestrictionId}", - "azure-native:apimanagement/v20230901preview:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:apimanagement/v20230901preview:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", - "azure-native:apimanagement/v20230901preview:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", - "azure-native:apimanagement/v20230901preview:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230901preview:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", - "azure-native:apimanagement/v20230901preview:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20230901preview:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20230901preview:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", - "azure-native:apimanagement/v20230901preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", - "azure-native:apimanagement/v20230901preview:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", - "azure-native:apimanagement/v20230901preview:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230901preview:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", - "azure-native:apimanagement/v20230901preview:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", - "azure-native:apimanagement/v20230901preview:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", - "azure-native:apimanagement/v20230901preview:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20230901preview:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:apimanagement/v20230901preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", - "azure-native:apimanagement/v20230901preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", - "azure-native:apimanagement/v20230901preview:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", - "azure-native:apimanagement/v20230901preview:WorkspaceApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20230901preview:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20230901preview:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20230901preview:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20230901preview:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20230901preview:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20230901preview:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20230901preview:WorkspaceBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/backends/{backendId}", - "azure-native:apimanagement/v20230901preview:WorkspaceCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/certificates/{certificateId}", - "azure-native:apimanagement/v20230901preview:WorkspaceDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20230901preview:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", - "azure-native:apimanagement/v20230901preview:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", - "azure-native:apimanagement/v20230901preview:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20230901preview:WorkspaceLogger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/loggers/{loggerId}", - "azure-native:apimanagement/v20230901preview:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20230901preview:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", - "azure-native:apimanagement/v20230901preview:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", - "azure-native:apimanagement/v20230901preview:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", - "azure-native:apimanagement/v20230901preview:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230901preview:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20230901preview:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20230901preview:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", - "azure-native:apimanagement/v20230901preview:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", - "azure-native:apimanagement/v20230901preview:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20230901preview:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20230901preview:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:apimanagement/v20240501:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", - "azure-native:apimanagement/v20240501:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20240501:ApiGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}", - "azure-native:apimanagement/v20240501:ApiGatewayConfigConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}/configConnections/{configConnectionName}", - "azure-native:apimanagement/v20240501:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", - "azure-native:apimanagement/v20240501:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", - "azure-native:apimanagement/v20240501:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", - "azure-native:apimanagement/v20240501:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", - "azure-native:apimanagement/v20240501:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20240501:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20240501:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20240501:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20240501:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20240501:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", - "azure-native:apimanagement/v20240501:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20240501:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", - "azure-native:apimanagement/v20240501:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", - "azure-native:apimanagement/v20240501:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", - "azure-native:apimanagement/v20240501:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", - "azure-native:apimanagement/v20240501:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", - "azure-native:apimanagement/v20240501:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", - "azure-native:apimanagement/v20240501:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", - "azure-native:apimanagement/v20240501:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", - "azure-native:apimanagement/v20240501:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", - "azure-native:apimanagement/v20240501:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", - "azure-native:apimanagement/v20240501:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20240501:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", - "azure-native:apimanagement/v20240501:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", - "azure-native:apimanagement/v20240501:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", - "azure-native:apimanagement/v20240501:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", - "azure-native:apimanagement/v20240501:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", - "azure-native:apimanagement/v20240501:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", - "azure-native:apimanagement/v20240501:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", - "azure-native:apimanagement/v20240501:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", - "azure-native:apimanagement/v20240501:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", - "azure-native:apimanagement/v20240501:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", - "azure-native:apimanagement/v20240501:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20240501:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", - "azure-native:apimanagement/v20240501:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", - "azure-native:apimanagement/v20240501:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20240501:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20240501:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20240501:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", - "azure-native:apimanagement/v20240501:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", - "azure-native:apimanagement/v20240501:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", - "azure-native:apimanagement/v20240501:PolicyRestriction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyRestrictions/{policyRestrictionId}", - "azure-native:apimanagement/v20240501:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:apimanagement/v20240501:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", - "azure-native:apimanagement/v20240501:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", - "azure-native:apimanagement/v20240501:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20240501:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", - "azure-native:apimanagement/v20240501:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20240501:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20240501:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", - "azure-native:apimanagement/v20240501:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", - "azure-native:apimanagement/v20240501:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", - "azure-native:apimanagement/v20240501:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20240501:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", - "azure-native:apimanagement/v20240501:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", - "azure-native:apimanagement/v20240501:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", - "azure-native:apimanagement/v20240501:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20240501:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:apimanagement/v20240501:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", - "azure-native:apimanagement/v20240501:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", - "azure-native:apimanagement/v20240501:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", - "azure-native:apimanagement/v20240501:WorkspaceApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20240501:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20240501:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20240501:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20240501:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20240501:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20240501:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20240501:WorkspaceBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/backends/{backendId}", - "azure-native:apimanagement/v20240501:WorkspaceCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/certificates/{certificateId}", - "azure-native:apimanagement/v20240501:WorkspaceDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20240501:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", - "azure-native:apimanagement/v20240501:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", - "azure-native:apimanagement/v20240501:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20240501:WorkspaceLogger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/loggers/{loggerId}", - "azure-native:apimanagement/v20240501:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20240501:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", - "azure-native:apimanagement/v20240501:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", - "azure-native:apimanagement/v20240501:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", - "azure-native:apimanagement/v20240501:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20240501:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20240501:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20240501:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", - "azure-native:apimanagement/v20240501:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", - "azure-native:apimanagement/v20240501:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20240501:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20240501:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:apimanagement/v20240601preview:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", - "azure-native:apimanagement/v20240601preview:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20240601preview:ApiGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}", - "azure-native:apimanagement/v20240601preview:ApiGatewayConfigConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}/configConnections/{configConnectionName}", - "azure-native:apimanagement/v20240601preview:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", - "azure-native:apimanagement/v20240601preview:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", - "azure-native:apimanagement/v20240601preview:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", - "azure-native:apimanagement/v20240601preview:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", - "azure-native:apimanagement/v20240601preview:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20240601preview:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20240601preview:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20240601preview:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20240601preview:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20240601preview:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", - "azure-native:apimanagement/v20240601preview:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20240601preview:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", - "azure-native:apimanagement/v20240601preview:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", - "azure-native:apimanagement/v20240601preview:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", - "azure-native:apimanagement/v20240601preview:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", - "azure-native:apimanagement/v20240601preview:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", - "azure-native:apimanagement/v20240601preview:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", - "azure-native:apimanagement/v20240601preview:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", - "azure-native:apimanagement/v20240601preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", - "azure-native:apimanagement/v20240601preview:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", - "azure-native:apimanagement/v20240601preview:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", - "azure-native:apimanagement/v20240601preview:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20240601preview:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", - "azure-native:apimanagement/v20240601preview:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", - "azure-native:apimanagement/v20240601preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", - "azure-native:apimanagement/v20240601preview:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", - "azure-native:apimanagement/v20240601preview:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", - "azure-native:apimanagement/v20240601preview:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", - "azure-native:apimanagement/v20240601preview:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", - "azure-native:apimanagement/v20240601preview:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", - "azure-native:apimanagement/v20240601preview:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", - "azure-native:apimanagement/v20240601preview:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", - "azure-native:apimanagement/v20240601preview:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20240601preview:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", - "azure-native:apimanagement/v20240601preview:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", - "azure-native:apimanagement/v20240601preview:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20240601preview:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20240601preview:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20240601preview:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", - "azure-native:apimanagement/v20240601preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", - "azure-native:apimanagement/v20240601preview:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", - "azure-native:apimanagement/v20240601preview:PolicyRestriction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyRestrictions/{policyRestrictionId}", - "azure-native:apimanagement/v20240601preview:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:apimanagement/v20240601preview:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", - "azure-native:apimanagement/v20240601preview:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", - "azure-native:apimanagement/v20240601preview:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20240601preview:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", - "azure-native:apimanagement/v20240601preview:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20240601preview:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20240601preview:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", - "azure-native:apimanagement/v20240601preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", - "azure-native:apimanagement/v20240601preview:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", - "azure-native:apimanagement/v20240601preview:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20240601preview:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", - "azure-native:apimanagement/v20240601preview:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", - "azure-native:apimanagement/v20240601preview:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", - "azure-native:apimanagement/v20240601preview:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20240601preview:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:apimanagement/v20240601preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", - "azure-native:apimanagement/v20240601preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", - "azure-native:apimanagement/v20240601preview:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", - "azure-native:apimanagement/v20240601preview:WorkspaceApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20240601preview:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", - "azure-native:apimanagement/v20240601preview:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", - "azure-native:apimanagement/v20240601preview:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", - "azure-native:apimanagement/v20240601preview:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", - "azure-native:apimanagement/v20240601preview:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", - "azure-native:apimanagement/v20240601preview:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", - "azure-native:apimanagement/v20240601preview:WorkspaceBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/backends/{backendId}", - "azure-native:apimanagement/v20240601preview:WorkspaceCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/certificates/{certificateId}", - "azure-native:apimanagement/v20240601preview:WorkspaceDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/diagnostics/{diagnosticId}", - "azure-native:apimanagement/v20240601preview:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", - "azure-native:apimanagement/v20240601preview:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", - "azure-native:apimanagement/v20240601preview:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", - "azure-native:apimanagement/v20240601preview:WorkspaceLogger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/loggers/{loggerId}", - "azure-native:apimanagement/v20240601preview:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", - "azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", - "azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", - "azure-native:apimanagement/v20240601preview:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", - "azure-native:apimanagement/v20240601preview:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", - "azure-native:apimanagement/v20240601preview:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", - "azure-native:apimanagement/v20240601preview:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20240601preview:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", - "azure-native:apimanagement/v20240601preview:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", - "azure-native:apimanagement/v20240601preview:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", - "azure-native:apimanagement/v20240601preview:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", - "azure-native:apimanagement/v20240601preview:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", - "azure-native:apimanagement/v20240601preview:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", - "azure-native:apimanagement/v20240601preview:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", "azure-native:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", "azure-native:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", "azure-native:apimanagement:ApiGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}", @@ -951,206 +119,6 @@ "azure-native:apimanagement:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", "azure-native:apimanagement:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", "azure-native:apimanagement:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", - "azure-native:app/v20221001:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20221001:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20221001:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20221001:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20221001:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20221001:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20221001:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20221001:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20221001:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20221001:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20221001:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:app/v20221101preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20221101preview:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20221101preview:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20221101preview:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20221101preview:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20221101preview:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20221101preview:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20221101preview:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20221101preview:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20221101preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", - "azure-native:app/v20221101preview:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", - "azure-native:app/v20221101preview:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20221101preview:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:app/v20230401preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20230401preview:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20230401preview:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20230401preview:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20230401preview:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20230401preview:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20230401preview:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20230401preview:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20230401preview:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20230401preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", - "azure-native:app/v20230401preview:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", - "azure-native:app/v20230401preview:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20230401preview:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:app/v20230501:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20230501:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20230501:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20230501:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20230501:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20230501:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20230501:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20230501:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20230501:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20230501:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", - "azure-native:app/v20230501:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", - "azure-native:app/v20230501:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20230501:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:app/v20230502preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20230502preview:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20230502preview:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20230502preview:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20230502preview:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20230502preview:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20230502preview:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20230502preview:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20230502preview:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20230502preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", - "azure-native:app/v20230502preview:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", - "azure-native:app/v20230502preview:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20230502preview:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:app/v20230801preview:AppResiliency": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{appName}/resiliencyPolicies/{name}", - "azure-native:app/v20230801preview:Build": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}/builds/{buildName}", - "azure-native:app/v20230801preview:Builder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}", - "azure-native:app/v20230801preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20230801preview:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20230801preview:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20230801preview:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20230801preview:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20230801preview:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20230801preview:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20230801preview:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20230801preview:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20230801preview:DaprComponentResiliencyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}/resiliencyPolicies/{name}", - "azure-native:app/v20230801preview:DaprSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprSubscriptions/{name}", - "azure-native:app/v20230801preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", - "azure-native:app/v20230801preview:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", - "azure-native:app/v20230801preview:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20230801preview:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:app/v20231102preview:AppResiliency": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{appName}/resiliencyPolicies/{name}", - "azure-native:app/v20231102preview:Build": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}/builds/{buildName}", - "azure-native:app/v20231102preview:Builder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}", - "azure-native:app/v20231102preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20231102preview:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20231102preview:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20231102preview:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20231102preview:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20231102preview:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20231102preview:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20231102preview:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20231102preview:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20231102preview:DaprComponentResiliencyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}/resiliencyPolicies/{name}", - "azure-native:app/v20231102preview:DaprSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprSubscriptions/{name}", - "azure-native:app/v20231102preview:DotNetComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/dotNetComponents/{name}", - "azure-native:app/v20231102preview:JavaComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/javaComponents/{name}", - "azure-native:app/v20231102preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", - "azure-native:app/v20231102preview:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", - "azure-native:app/v20231102preview:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20231102preview:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:app/v20240202preview:AppResiliency": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{appName}/resiliencyPolicies/{name}", - "azure-native:app/v20240202preview:Build": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}/builds/{buildName}", - "azure-native:app/v20240202preview:Builder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}", - "azure-native:app/v20240202preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20240202preview:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20240202preview:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20240202preview:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20240202preview:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20240202preview:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20240202preview:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20240202preview:ContainerAppsSessionPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/sessionPools/{sessionPoolName}", - "azure-native:app/v20240202preview:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20240202preview:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20240202preview:DaprComponentResiliencyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}/resiliencyPolicies/{name}", - "azure-native:app/v20240202preview:DaprSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprSubscriptions/{name}", - "azure-native:app/v20240202preview:DotNetComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/dotNetComponents/{name}", - "azure-native:app/v20240202preview:JavaComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/javaComponents/{name}", - "azure-native:app/v20240202preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", - "azure-native:app/v20240202preview:LogicApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/providers/Microsoft.App/logicApps/{logicAppName}", - "azure-native:app/v20240202preview:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", - "azure-native:app/v20240202preview:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20240202preview:ManagedEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:app/v20240202preview:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:app/v20240301:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20240301:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20240301:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20240301:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20240301:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20240301:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20240301:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20240301:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20240301:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20240301:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", - "azure-native:app/v20240301:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", - "azure-native:app/v20240301:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20240301:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:app/v20240802preview:AppResiliency": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{appName}/resiliencyPolicies/{name}", - "azure-native:app/v20240802preview:Build": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}/builds/{buildName}", - "azure-native:app/v20240802preview:Builder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}", - "azure-native:app/v20240802preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20240802preview:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20240802preview:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20240802preview:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20240802preview:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20240802preview:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20240802preview:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20240802preview:ContainerAppsSessionPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/sessionPools/{sessionPoolName}", - "azure-native:app/v20240802preview:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20240802preview:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20240802preview:DaprComponentResiliencyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}/resiliencyPolicies/{name}", - "azure-native:app/v20240802preview:DaprSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprSubscriptions/{name}", - "azure-native:app/v20240802preview:DotNetComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/dotNetComponents/{name}", - "azure-native:app/v20240802preview:JavaComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/javaComponents/{name}", - "azure-native:app/v20240802preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", - "azure-native:app/v20240802preview:LogicApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/providers/Microsoft.App/logicApps/{logicAppName}", - "azure-native:app/v20240802preview:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", - "azure-native:app/v20240802preview:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20240802preview:ManagedEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:app/v20240802preview:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:app/v20241002preview:AppResiliency": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{appName}/resiliencyPolicies/{name}", - "azure-native:app/v20241002preview:Build": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}/builds/{buildName}", - "azure-native:app/v20241002preview:Builder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}", - "azure-native:app/v20241002preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20241002preview:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20241002preview:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20241002preview:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20241002preview:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20241002preview:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20241002preview:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20241002preview:ContainerAppsSessionPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/sessionPools/{sessionPoolName}", - "azure-native:app/v20241002preview:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20241002preview:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20241002preview:DaprComponentResiliencyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}/resiliencyPolicies/{name}", - "azure-native:app/v20241002preview:DaprSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprSubscriptions/{name}", - "azure-native:app/v20241002preview:DotNetComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/dotNetComponents/{name}", - "azure-native:app/v20241002preview:HttpRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/httpRouteConfigs/{httpRouteName}", - "azure-native:app/v20241002preview:JavaComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/javaComponents/{name}", - "azure-native:app/v20241002preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", - "azure-native:app/v20241002preview:LogicApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/providers/Microsoft.App/logicApps/{logicAppName}", - "azure-native:app/v20241002preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/maintenanceConfigurations/{configName}", - "azure-native:app/v20241002preview:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", - "azure-native:app/v20241002preview:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20241002preview:ManagedEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:app/v20241002preview:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:app/v20250101:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", - "azure-native:app/v20250101:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", - "azure-native:app/v20250101:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", - "azure-native:app/v20250101:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", - "azure-native:app/v20250101:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", - "azure-native:app/v20250101:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", - "azure-native:app/v20250101:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", - "azure-native:app/v20250101:ContainerAppsSessionPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/sessionPools/{sessionPoolName}", - "azure-native:app/v20250101:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", - "azure-native:app/v20250101:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", - "azure-native:app/v20250101:JavaComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/javaComponents/{name}", - "azure-native:app/v20250101:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", - "azure-native:app/v20250101:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", - "azure-native:app/v20250101:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", - "azure-native:app/v20250101:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", "azure-native:app:AppResiliency": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{appName}/resiliencyPolicies/{name}", "azure-native:app:Build": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}/builds/{buildName}", "azure-native:app:Builder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}", @@ -1176,62 +144,14 @@ "azure-native:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", "azure-native:app:ManagedEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", - "azure-native:appcomplianceautomation/v20221116preview:Report": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}", - "azure-native:appcomplianceautomation/v20240627:Evidence": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}/evidences/{evidenceName}", - "azure-native:appcomplianceautomation/v20240627:Report": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}", - "azure-native:appcomplianceautomation/v20240627:ScopingConfiguration": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}/scopingConfigurations/{scopingConfigurationName}", - "azure-native:appcomplianceautomation/v20240627:Webhook": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}/webhooks/{webhookName}", "azure-native:appcomplianceautomation:Evidence": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}/evidences/{evidenceName}", "azure-native:appcomplianceautomation:Report": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}", "azure-native:appcomplianceautomation:ScopingConfiguration": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}/scopingConfigurations/{scopingConfigurationName}", "azure-native:appcomplianceautomation:Webhook": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}/webhooks/{webhookName}", - "azure-native:appconfiguration/v20230301:ConfigurationStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}", - "azure-native:appconfiguration/v20230301:KeyValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/keyValues/{keyValueName}", - "azure-native:appconfiguration/v20230301:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:appconfiguration/v20230301:Replica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/replicas/{replicaName}", - "azure-native:appconfiguration/v20230801preview:ConfigurationStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}", - "azure-native:appconfiguration/v20230801preview:KeyValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/keyValues/{keyValueName}", - "azure-native:appconfiguration/v20230801preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:appconfiguration/v20230801preview:Replica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/replicas/{replicaName}", - "azure-native:appconfiguration/v20230901preview:ConfigurationStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}", - "azure-native:appconfiguration/v20230901preview:KeyValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/keyValues/{keyValueName}", - "azure-native:appconfiguration/v20230901preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:appconfiguration/v20230901preview:Replica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/replicas/{replicaName}", - "azure-native:appconfiguration/v20240501:ConfigurationStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}", - "azure-native:appconfiguration/v20240501:KeyValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/keyValues/{keyValueName}", - "azure-native:appconfiguration/v20240501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:appconfiguration/v20240501:Replica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/replicas/{replicaName}", "azure-native:appconfiguration:ConfigurationStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}", "azure-native:appconfiguration:KeyValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/keyValues/{keyValueName}", "azure-native:appconfiguration:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:appconfiguration:Replica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/replicas/{replicaName}", - "azure-native:applicationinsights/v20150501:AnalyticsItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/components/{resourceName}/{scopePath}/item", - "azure-native:applicationinsights/v20150501:Component": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}", - "azure-native:applicationinsights/v20150501:ComponentCurrentBillingFeature": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}/currentbillingfeatures", - "azure-native:applicationinsights/v20150501:ExportConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}/exportconfiguration/{exportId}", - "azure-native:applicationinsights/v20150501:Favorite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}/favorites/{favoriteId}", - "azure-native:applicationinsights/v20150501:MyWorkbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/myWorkbooks/{resourceName}", - "azure-native:applicationinsights/v20150501:ProactiveDetectionConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}/ProactiveDetectionConfigs/{ConfigurationId}", - "azure-native:applicationinsights/v20150501:WebTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/webtests/{webTestName}", - "azure-native:applicationinsights/v20150501:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/workbooks/{resourceName}", - "azure-native:applicationinsights/v20180501preview:Component": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}", - "azure-native:applicationinsights/v20180501preview:ProactiveDetectionConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}/ProactiveDetectionConfigs/{ConfigurationId}", - "azure-native:applicationinsights/v20180501preview:WebTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/webtests/{webTestName}", - "azure-native:applicationinsights/v20180617preview:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/workbooks/{resourceName}", - "azure-native:applicationinsights/v20191017preview:WorkbookTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/workbooktemplates/{resourceName}", - "azure-native:applicationinsights/v20200202:Component": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}", - "azure-native:applicationinsights/v20200202preview:Component": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}", - "azure-native:applicationinsights/v20200301preview:ComponentLinkedStorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/components/{resourceName}/linkedStorageAccounts/{storageType}", - "azure-native:applicationinsights/v20201005preview:WebTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/webtests/{webTestName}", - "azure-native:applicationinsights/v20201020:MyWorkbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/myWorkbooks/{resourceName}", - "azure-native:applicationinsights/v20201020:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooks/{resourceName}", - "azure-native:applicationinsights/v20201120:WorkbookTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooktemplates/{resourceName}", - "azure-native:applicationinsights/v20210308:MyWorkbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/myWorkbooks/{resourceName}", - "azure-native:applicationinsights/v20210308:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooks/{resourceName}", - "azure-native:applicationinsights/v20210801:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooks/{resourceName}", - "azure-native:applicationinsights/v20220401:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooks/{resourceName}", - "azure-native:applicationinsights/v20220615:WebTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/webtests/{webTestName}", - "azure-native:applicationinsights/v20230601:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooks/{resourceName}", "azure-native:applicationinsights:AnalyticsItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/components/{resourceName}/{scopePath}/item", "azure-native:applicationinsights:Component": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}", "azure-native:applicationinsights:ComponentCurrentBillingFeature": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}/currentbillingfeatures", @@ -1243,189 +163,6 @@ "azure-native:applicationinsights:WebTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/webtests/{webTestName}", "azure-native:applicationinsights:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooks/{resourceName}", "azure-native:applicationinsights:WorkbookTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooktemplates/{resourceName}", - "azure-native:appplatform/v20230501preview:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", - "azure-native:appplatform/v20230501preview:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", - "azure-native:appplatform/v20230501preview:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", - "azure-native:appplatform/v20230501preview:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", - "azure-native:appplatform/v20230501preview:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", - "azure-native:appplatform/v20230501preview:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", - "azure-native:appplatform/v20230501preview:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", - "azure-native:appplatform/v20230501preview:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", - "azure-native:appplatform/v20230501preview:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", - "azure-native:appplatform/v20230501preview:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", - "azure-native:appplatform/v20230501preview:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", - "azure-native:appplatform/v20230501preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", - "azure-native:appplatform/v20230501preview:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", - "azure-native:appplatform/v20230501preview:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", - "azure-native:appplatform/v20230501preview:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", - "azure-native:appplatform/v20230501preview:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", - "azure-native:appplatform/v20230501preview:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", - "azure-native:appplatform/v20230501preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", - "azure-native:appplatform/v20230501preview:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", - "azure-native:appplatform/v20230501preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", - "azure-native:appplatform/v20230501preview:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", - "azure-native:appplatform/v20230501preview:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", - "azure-native:appplatform/v20230501preview:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", - "azure-native:appplatform/v20230501preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", - "azure-native:appplatform/v20230501preview:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", - "azure-native:appplatform/v20230501preview:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", - "azure-native:appplatform/v20230701preview:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", - "azure-native:appplatform/v20230701preview:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", - "azure-native:appplatform/v20230701preview:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", - "azure-native:appplatform/v20230701preview:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", - "azure-native:appplatform/v20230701preview:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", - "azure-native:appplatform/v20230701preview:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", - "azure-native:appplatform/v20230701preview:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", - "azure-native:appplatform/v20230701preview:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", - "azure-native:appplatform/v20230701preview:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", - "azure-native:appplatform/v20230701preview:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", - "azure-native:appplatform/v20230701preview:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", - "azure-native:appplatform/v20230701preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", - "azure-native:appplatform/v20230701preview:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", - "azure-native:appplatform/v20230701preview:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", - "azure-native:appplatform/v20230701preview:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", - "azure-native:appplatform/v20230701preview:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", - "azure-native:appplatform/v20230701preview:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", - "azure-native:appplatform/v20230701preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", - "azure-native:appplatform/v20230701preview:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", - "azure-native:appplatform/v20230701preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", - "azure-native:appplatform/v20230701preview:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", - "azure-native:appplatform/v20230701preview:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", - "azure-native:appplatform/v20230701preview:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", - "azure-native:appplatform/v20230701preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", - "azure-native:appplatform/v20230701preview:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", - "azure-native:appplatform/v20230701preview:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", - "azure-native:appplatform/v20230901preview:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", - "azure-native:appplatform/v20230901preview:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", - "azure-native:appplatform/v20230901preview:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", - "azure-native:appplatform/v20230901preview:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", - "azure-native:appplatform/v20230901preview:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", - "azure-native:appplatform/v20230901preview:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", - "azure-native:appplatform/v20230901preview:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", - "azure-native:appplatform/v20230901preview:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", - "azure-native:appplatform/v20230901preview:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", - "azure-native:appplatform/v20230901preview:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", - "azure-native:appplatform/v20230901preview:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", - "azure-native:appplatform/v20230901preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", - "azure-native:appplatform/v20230901preview:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", - "azure-native:appplatform/v20230901preview:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", - "azure-native:appplatform/v20230901preview:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", - "azure-native:appplatform/v20230901preview:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", - "azure-native:appplatform/v20230901preview:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", - "azure-native:appplatform/v20230901preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", - "azure-native:appplatform/v20230901preview:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", - "azure-native:appplatform/v20230901preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", - "azure-native:appplatform/v20230901preview:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", - "azure-native:appplatform/v20230901preview:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", - "azure-native:appplatform/v20230901preview:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", - "azure-native:appplatform/v20230901preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", - "azure-native:appplatform/v20230901preview:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", - "azure-native:appplatform/v20230901preview:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", - "azure-native:appplatform/v20231101preview:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", - "azure-native:appplatform/v20231101preview:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", - "azure-native:appplatform/v20231101preview:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", - "azure-native:appplatform/v20231101preview:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", - "azure-native:appplatform/v20231101preview:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", - "azure-native:appplatform/v20231101preview:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", - "azure-native:appplatform/v20231101preview:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", - "azure-native:appplatform/v20231101preview:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", - "azure-native:appplatform/v20231101preview:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", - "azure-native:appplatform/v20231101preview:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", - "azure-native:appplatform/v20231101preview:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", - "azure-native:appplatform/v20231101preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", - "azure-native:appplatform/v20231101preview:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", - "azure-native:appplatform/v20231101preview:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", - "azure-native:appplatform/v20231101preview:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", - "azure-native:appplatform/v20231101preview:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", - "azure-native:appplatform/v20231101preview:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", - "azure-native:appplatform/v20231101preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", - "azure-native:appplatform/v20231101preview:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", - "azure-native:appplatform/v20231101preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", - "azure-native:appplatform/v20231101preview:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", - "azure-native:appplatform/v20231101preview:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", - "azure-native:appplatform/v20231101preview:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", - "azure-native:appplatform/v20231101preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", - "azure-native:appplatform/v20231101preview:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", - "azure-native:appplatform/v20231101preview:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", - "azure-native:appplatform/v20231201:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", - "azure-native:appplatform/v20231201:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", - "azure-native:appplatform/v20231201:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", - "azure-native:appplatform/v20231201:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", - "azure-native:appplatform/v20231201:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", - "azure-native:appplatform/v20231201:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", - "azure-native:appplatform/v20231201:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", - "azure-native:appplatform/v20231201:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", - "azure-native:appplatform/v20231201:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", - "azure-native:appplatform/v20231201:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", - "azure-native:appplatform/v20231201:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", - "azure-native:appplatform/v20231201:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", - "azure-native:appplatform/v20231201:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", - "azure-native:appplatform/v20231201:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", - "azure-native:appplatform/v20231201:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", - "azure-native:appplatform/v20231201:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", - "azure-native:appplatform/v20231201:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", - "azure-native:appplatform/v20231201:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", - "azure-native:appplatform/v20231201:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", - "azure-native:appplatform/v20231201:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", - "azure-native:appplatform/v20231201:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", - "azure-native:appplatform/v20231201:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", - "azure-native:appplatform/v20231201:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", - "azure-native:appplatform/v20231201:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", - "azure-native:appplatform/v20231201:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", - "azure-native:appplatform/v20231201:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", - "azure-native:appplatform/v20240101preview:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", - "azure-native:appplatform/v20240101preview:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", - "azure-native:appplatform/v20240101preview:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", - "azure-native:appplatform/v20240101preview:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", - "azure-native:appplatform/v20240101preview:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", - "azure-native:appplatform/v20240101preview:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", - "azure-native:appplatform/v20240101preview:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", - "azure-native:appplatform/v20240101preview:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", - "azure-native:appplatform/v20240101preview:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", - "azure-native:appplatform/v20240101preview:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", - "azure-native:appplatform/v20240101preview:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", - "azure-native:appplatform/v20240101preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", - "azure-native:appplatform/v20240101preview:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", - "azure-native:appplatform/v20240101preview:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", - "azure-native:appplatform/v20240101preview:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", - "azure-native:appplatform/v20240101preview:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", - "azure-native:appplatform/v20240101preview:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", - "azure-native:appplatform/v20240101preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", - "azure-native:appplatform/v20240101preview:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", - "azure-native:appplatform/v20240101preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", - "azure-native:appplatform/v20240101preview:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", - "azure-native:appplatform/v20240101preview:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", - "azure-native:appplatform/v20240101preview:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", - "azure-native:appplatform/v20240101preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", - "azure-native:appplatform/v20240101preview:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", - "azure-native:appplatform/v20240101preview:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", - "azure-native:appplatform/v20240501preview:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", - "azure-native:appplatform/v20240501preview:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", - "azure-native:appplatform/v20240501preview:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", - "azure-native:appplatform/v20240501preview:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", - "azure-native:appplatform/v20240501preview:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", - "azure-native:appplatform/v20240501preview:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", - "azure-native:appplatform/v20240501preview:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", - "azure-native:appplatform/v20240501preview:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", - "azure-native:appplatform/v20240501preview:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", - "azure-native:appplatform/v20240501preview:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", - "azure-native:appplatform/v20240501preview:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", - "azure-native:appplatform/v20240501preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", - "azure-native:appplatform/v20240501preview:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", - "azure-native:appplatform/v20240501preview:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", - "azure-native:appplatform/v20240501preview:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", - "azure-native:appplatform/v20240501preview:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", - "azure-native:appplatform/v20240501preview:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", - "azure-native:appplatform/v20240501preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", - "azure-native:appplatform/v20240501preview:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", - "azure-native:appplatform/v20240501preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", - "azure-native:appplatform/v20240501preview:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", - "azure-native:appplatform/v20240501preview:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", - "azure-native:appplatform/v20240501preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/jobs/{jobName}", - "azure-native:appplatform/v20240501preview:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", - "azure-native:appplatform/v20240501preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", - "azure-native:appplatform/v20240501preview:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", - "azure-native:appplatform/v20240501preview:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", "azure-native:appplatform:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", "azure-native:appplatform:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", "azure-native:appplatform:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", @@ -1453,97 +190,8 @@ "azure-native:appplatform:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", "azure-native:appplatform:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", "azure-native:appplatform:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", - "azure-native:attestation/v20210601:AttestationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Attestation/attestationProviders/{providerName}", - "azure-native:attestation/v20210601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Attestation/attestationProviders/{providerName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:attestation:AttestationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Attestation/attestationProviders/{providerName}", "azure-native:attestation:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Attestation/attestationProviders/{providerName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:authorization/v20200501:ManagementLockAtResourceGroupLevel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Authorization/locks/{lockName}", - "azure-native:authorization/v20200501:ManagementLockAtResourceLevel": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}/providers/Microsoft.Authorization/locks/{lockName}", - "azure-native:authorization/v20200501:ManagementLockAtSubscriptionLevel": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/locks/{lockName}", - "azure-native:authorization/v20200501:ManagementLockByScope": "/{scope}/providers/Microsoft.Authorization/locks/{lockName}", - "azure-native:authorization/v20200501:PrivateLinkAssociation": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Authorization/privateLinkAssociations/{plaId}", - "azure-native:authorization/v20200501:ResourceManagementPrivateLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Authorization/resourceManagementPrivateLinks/{rmplName}", - "azure-native:authorization/v20200701preview:PolicyExemption": "/{scope}/providers/Microsoft.Authorization/policyExemptions/{policyExemptionName}", - "azure-native:authorization/v20200801preview:RoleAssignment": "/{scope}/providers/Microsoft.Authorization/roleAssignments/{roleAssignmentName}", - "azure-native:authorization/v20200901:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", - "azure-native:authorization/v20200901:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20200901:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20200901:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20200901:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20201001:PimRoleEligibilitySchedule": "/{scope}/providers/Microsoft.Authorization/roleEligibilityScheduleRequests/{roleEligibilityScheduleRequestName}", - "azure-native:authorization/v20201001:RoleManagementPolicy": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicies/{roleManagementPolicyName}", - "azure-native:authorization/v20201001:RoleManagementPolicyAssignment": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicyAssignments/{roleManagementPolicyAssignmentName}", - "azure-native:authorization/v20201001preview:RoleAssignment": "/{scope}/providers/Microsoft.Authorization/roleAssignments/{roleAssignmentName}", - "azure-native:authorization/v20201001preview:RoleManagementPolicy": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicies/{roleManagementPolicyName}", - "azure-native:authorization/v20201001preview:RoleManagementPolicyAssignment": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicyAssignments/{roleManagementPolicyAssignmentName}", - "azure-native:authorization/v20210301preview:AccessReviewScheduleDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewScheduleDefinitions/{scheduleDefinitionId}", - "azure-native:authorization/v20210601:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", - "azure-native:authorization/v20210601:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20210601:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20210601:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20210601:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20210701preview:AccessReviewScheduleDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewScheduleDefinitions/{scheduleDefinitionId}", - "azure-native:authorization/v20211116preview:AccessReviewHistoryDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewHistoryDefinitions/{historyDefinitionId}", - "azure-native:authorization/v20211116preview:AccessReviewScheduleDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewScheduleDefinitions/{scheduleDefinitionId}", - "azure-native:authorization/v20211201preview:AccessReviewHistoryDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewHistoryDefinitions/{historyDefinitionId}", - "azure-native:authorization/v20211201preview:AccessReviewScheduleDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewScheduleDefinitions/{scheduleDefinitionId}", - "azure-native:authorization/v20211201preview:ScopeAccessReviewHistoryDefinitionById": "/{scope}/providers/Microsoft.Authorization/accessReviewHistoryDefinitions/{historyDefinitionId}", - "azure-native:authorization/v20211201preview:ScopeAccessReviewScheduleDefinitionById": "/{scope}/providers/Microsoft.Authorization/accessReviewScheduleDefinitions/{scheduleDefinitionId}", - "azure-native:authorization/v20220401:RoleAssignment": "/{scope}/providers/Microsoft.Authorization/roleAssignments/{roleAssignmentName}", - "azure-native:authorization/v20220401:RoleDefinition": "/{scope}/providers/Microsoft.Authorization/roleDefinitions/{roleDefinitionId}", - "azure-native:authorization/v20220501preview:RoleDefinition": "/{scope}/providers/Microsoft.Authorization/roleDefinitions/{roleDefinitionId}", - "azure-native:authorization/v20220601:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", - "azure-native:authorization/v20220701preview:PolicyExemption": "/{scope}/providers/Microsoft.Authorization/policyExemptions/{policyExemptionName}", - "azure-native:authorization/v20220801preview:Variable": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/variables/{variableName}", - "azure-native:authorization/v20220801preview:VariableAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/variables/{variableName}", - "azure-native:authorization/v20220801preview:VariableValue": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/variables/{variableName}/values/{variableValueName}", - "azure-native:authorization/v20220801preview:VariableValueAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/variables/{variableName}/values/{variableValueName}", - "azure-native:authorization/v20230401:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", - "azure-native:authorization/v20230401:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20230401:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20230401:PolicyDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20230401:PolicyDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20230401:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20230401:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20230401:PolicySetDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20230401:PolicySetDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20240201preview:RoleManagementPolicy": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicies/{roleManagementPolicyName}", - "azure-native:authorization/v20240201preview:RoleManagementPolicyAssignment": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicyAssignments/{roleManagementPolicyAssignmentName}", - "azure-native:authorization/v20240401:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", - "azure-native:authorization/v20240501:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", - "azure-native:authorization/v20240501:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20240501:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20240501:PolicyDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20240501:PolicyDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20240501:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20240501:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20240501:PolicySetDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20240501:PolicySetDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20240901preview:RoleManagementPolicy": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicies/{roleManagementPolicyName}", - "azure-native:authorization/v20240901preview:RoleManagementPolicyAssignment": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicyAssignments/{roleManagementPolicyAssignmentName}", - "azure-native:authorization/v20241201preview:PolicyExemption": "/{scope}/providers/Microsoft.Authorization/policyExemptions/{policyExemptionName}", - "azure-native:authorization/v20241201preview:Variable": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/variables/{variableName}", - "azure-native:authorization/v20241201preview:VariableAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/variables/{variableName}", - "azure-native:authorization/v20241201preview:VariableValue": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/variables/{variableName}/values/{variableValueName}", - "azure-native:authorization/v20241201preview:VariableValueAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/variables/{variableName}/values/{variableValueName}", - "azure-native:authorization/v20250101:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", - "azure-native:authorization/v20250101:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20250101:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20250101:PolicyDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20250101:PolicyDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20250101:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20250101:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20250101:PolicySetDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20250101:PolicySetDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20250301:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", - "azure-native:authorization/v20250301:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20250301:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", - "azure-native:authorization/v20250301:PolicyDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20250301:PolicyDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20250301:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20250301:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", - "azure-native:authorization/v20250301:PolicySetDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", - "azure-native:authorization/v20250301:PolicySetDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", "azure-native:authorization:AccessReviewHistoryDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewHistoryDefinitions/{historyDefinitionId}", "azure-native:authorization:AccessReviewScheduleDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewScheduleDefinitions/{scheduleDefinitionId}", "azure-native:authorization:ManagementLockAtResourceGroupLevel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Authorization/locks/{lockName}", @@ -1573,158 +221,11 @@ "azure-native:authorization:VariableAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/variables/{variableName}", "azure-native:authorization:VariableValue": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/variables/{variableName}/values/{variableValueName}", "azure-native:authorization:VariableValueAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/variables/{variableName}/values/{variableValueName}", - "azure-native:automanage/v20200630preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/accounts/{accountName}", - "azure-native:automanage/v20200630preview:ConfigurationProfileAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", - "azure-native:automanage/v20200630preview:ConfigurationProfilePreference": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfilePreferences/{configurationProfilePreferenceName}", - "azure-native:automanage/v20210430preview:ConfigurationProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfiles/{configurationProfileName}", - "azure-native:automanage/v20210430preview:ConfigurationProfileAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", - "azure-native:automanage/v20210430preview:ConfigurationProfileHCIAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHci/clusters/{clusterName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", - "azure-native:automanage/v20210430preview:ConfigurationProfileHCRPAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", - "azure-native:automanage/v20210430preview:ConfigurationProfilesVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfiles/{configurationProfileName}/versions/{versionName}", - "azure-native:automanage/v20220504:ConfigurationProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfiles/{configurationProfileName}", - "azure-native:automanage/v20220504:ConfigurationProfileAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", - "azure-native:automanage/v20220504:ConfigurationProfileHCIAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHci/clusters/{clusterName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", - "azure-native:automanage/v20220504:ConfigurationProfileHCRPAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", - "azure-native:automanage/v20220504:ConfigurationProfilesVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfiles/{configurationProfileName}/versions/{versionName}", "azure-native:automanage:ConfigurationProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfiles/{configurationProfileName}", "azure-native:automanage:ConfigurationProfileAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", "azure-native:automanage:ConfigurationProfileHCIAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHci/clusters/{clusterName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", "azure-native:automanage:ConfigurationProfileHCRPAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", "azure-native:automanage:ConfigurationProfilesVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfiles/{configurationProfileName}/versions/{versionName}", - "azure-native:automation/v20151031:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", - "azure-native:automation/v20151031:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", - "azure-native:automation/v20151031:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", - "azure-native:automation/v20151031:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", - "azure-native:automation/v20151031:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", - "azure-native:automation/v20151031:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", - "azure-native:automation/v20151031:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", - "azure-native:automation/v20151031:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", - "azure-native:automation/v20151031:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", - "azure-native:automation/v20151031:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", - "azure-native:automation/v20151031:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", - "azure-native:automation/v20151031:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", - "azure-native:automation/v20151031:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/watchers/{watcherName}", - "azure-native:automation/v20151031:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/webhooks/{webhookName}", - "azure-native:automation/v20170515preview:SoftwareUpdateConfigurationByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/softwareUpdateConfigurations/{softwareUpdateConfigurationName}", - "azure-native:automation/v20170515preview:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", - "azure-native:automation/v20180115:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", - "azure-native:automation/v20180630:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", - "azure-native:automation/v20180630:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", - "azure-native:automation/v20190601:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", - "azure-native:automation/v20190601:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", - "azure-native:automation/v20190601:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", - "azure-native:automation/v20190601:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", - "azure-native:automation/v20190601:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", - "azure-native:automation/v20190601:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", - "azure-native:automation/v20190601:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", - "azure-native:automation/v20190601:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", - "azure-native:automation/v20190601:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", - "azure-native:automation/v20190601:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", - "azure-native:automation/v20190601:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", - "azure-native:automation/v20190601:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", - "azure-native:automation/v20190601:SoftwareUpdateConfigurationByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/softwareUpdateConfigurations/{softwareUpdateConfigurationName}", - "azure-native:automation/v20190601:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", - "azure-native:automation/v20190601:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", - "azure-native:automation/v20190601:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/watchers/{watcherName}", - "azure-native:automation/v20200113preview:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", - "azure-native:automation/v20200113preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", - "azure-native:automation/v20200113preview:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", - "azure-native:automation/v20200113preview:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", - "azure-native:automation/v20200113preview:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", - "azure-native:automation/v20200113preview:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", - "azure-native:automation/v20200113preview:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", - "azure-native:automation/v20200113preview:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", - "azure-native:automation/v20200113preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:automation/v20200113preview:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", - "azure-native:automation/v20200113preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", - "azure-native:automation/v20200113preview:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", - "azure-native:automation/v20200113preview:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", - "azure-native:automation/v20200113preview:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/watchers/{watcherName}", - "azure-native:automation/v20210622:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", - "azure-native:automation/v20210622:HybridRunbookWorker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}/hybridRunbookWorkers/{hybridRunbookWorkerId}", - "azure-native:automation/v20210622:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", - "azure-native:automation/v20220222:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", - "azure-native:automation/v20220808:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", - "azure-native:automation/v20220808:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", - "azure-native:automation/v20220808:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", - "azure-native:automation/v20220808:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", - "azure-native:automation/v20220808:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", - "azure-native:automation/v20220808:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", - "azure-native:automation/v20220808:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", - "azure-native:automation/v20220808:HybridRunbookWorker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}/hybridRunbookWorkers/{hybridRunbookWorkerId}", - "azure-native:automation/v20220808:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", - "azure-native:automation/v20220808:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", - "azure-native:automation/v20220808:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", - "azure-native:automation/v20220808:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", - "azure-native:automation/v20220808:Python3Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python3Packages/{packageName}", - "azure-native:automation/v20220808:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", - "azure-native:automation/v20220808:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", - "azure-native:automation/v20220808:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", - "azure-native:automation/v20220808:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", - "azure-native:automation/v20230515preview:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", - "azure-native:automation/v20230515preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", - "azure-native:automation/v20230515preview:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", - "azure-native:automation/v20230515preview:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", - "azure-native:automation/v20230515preview:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", - "azure-native:automation/v20230515preview:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", - "azure-native:automation/v20230515preview:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", - "azure-native:automation/v20230515preview:HybridRunbookWorker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}/hybridRunbookWorkers/{hybridRunbookWorkerId}", - "azure-native:automation/v20230515preview:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", - "azure-native:automation/v20230515preview:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", - "azure-native:automation/v20230515preview:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", - "azure-native:automation/v20230515preview:Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runtimeEnvironments/{runtimeEnvironmentName}/packages/{packageName}", - "azure-native:automation/v20230515preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:automation/v20230515preview:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", - "azure-native:automation/v20230515preview:Python3Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python3Packages/{packageName}", - "azure-native:automation/v20230515preview:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", - "azure-native:automation/v20230515preview:RuntimeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runtimeEnvironments/{runtimeEnvironmentName}", - "azure-native:automation/v20230515preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", - "azure-native:automation/v20230515preview:SoftwareUpdateConfigurationByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/softwareUpdateConfigurations/{softwareUpdateConfigurationName}", - "azure-native:automation/v20230515preview:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", - "azure-native:automation/v20230515preview:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", - "azure-native:automation/v20230515preview:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/watchers/{watcherName}", - "azure-native:automation/v20230515preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/webhooks/{webhookName}", - "azure-native:automation/v20231101:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", - "azure-native:automation/v20231101:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", - "azure-native:automation/v20231101:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", - "azure-native:automation/v20231101:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", - "azure-native:automation/v20231101:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", - "azure-native:automation/v20231101:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", - "azure-native:automation/v20231101:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", - "azure-native:automation/v20231101:HybridRunbookWorker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}/hybridRunbookWorkers/{hybridRunbookWorkerId}", - "azure-native:automation/v20231101:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", - "azure-native:automation/v20231101:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", - "azure-native:automation/v20231101:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", - "azure-native:automation/v20231101:PowerShell72Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/powerShell72Modules/{moduleName}", - "azure-native:automation/v20231101:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", - "azure-native:automation/v20231101:Python3Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python3Packages/{packageName}", - "azure-native:automation/v20231101:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", - "azure-native:automation/v20231101:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", - "azure-native:automation/v20231101:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", - "azure-native:automation/v20231101:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", - "azure-native:automation/v20241023:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", - "azure-native:automation/v20241023:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", - "azure-native:automation/v20241023:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", - "azure-native:automation/v20241023:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", - "azure-native:automation/v20241023:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", - "azure-native:automation/v20241023:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", - "azure-native:automation/v20241023:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", - "azure-native:automation/v20241023:HybridRunbookWorker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}/hybridRunbookWorkers/{hybridRunbookWorkerId}", - "azure-native:automation/v20241023:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", - "azure-native:automation/v20241023:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", - "azure-native:automation/v20241023:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", - "azure-native:automation/v20241023:Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runtimeEnvironments/{runtimeEnvironmentName}/packages/{packageName}", - "azure-native:automation/v20241023:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:automation/v20241023:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", - "azure-native:automation/v20241023:Python3Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python3Packages/{packageName}", - "azure-native:automation/v20241023:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", - "azure-native:automation/v20241023:RuntimeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runtimeEnvironments/{runtimeEnvironmentName}", - "azure-native:automation/v20241023:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", - "azure-native:automation/v20241023:SoftwareUpdateConfigurationByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/softwareUpdateConfigurations/{softwareUpdateConfigurationName}", - "azure-native:automation/v20241023:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", - "azure-native:automation/v20241023:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", - "azure-native:automation/v20241023:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/watchers/{watcherName}", - "azure-native:automation/v20241023:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/webhooks/{webhookName}", "azure-native:automation:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", "azure-native:automation:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", "azure-native:automation:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", @@ -1749,58 +250,6 @@ "azure-native:automation:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", "azure-native:automation:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/watchers/{watcherName}", "azure-native:automation:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/webhooks/{webhookName}", - "azure-native:avs/v20220501:Addon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/addons/{addonName}", - "azure-native:avs/v20220501:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/authorizations/{authorizationName}", - "azure-native:avs/v20220501:CloudLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/cloudLinks/{cloudLinkName}", - "azure-native:avs/v20220501:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}", - "azure-native:avs/v20220501:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/datastores/{datastoreName}", - "azure-native:avs/v20220501:GlobalReachConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/globalReachConnections/{globalReachConnectionName}", - "azure-native:avs/v20220501:HcxEnterpriseSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/hcxEnterpriseSites/{hcxEnterpriseSiteName}", - "azure-native:avs/v20220501:PlacementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/placementPolicies/{placementPolicyName}", - "azure-native:avs/v20220501:PrivateCloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}", - "azure-native:avs/v20220501:ScriptExecution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/scriptExecutions/{scriptExecutionName}", - "azure-native:avs/v20220501:WorkloadNetworkDhcp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dhcpConfigurations/{dhcpId}", - "azure-native:avs/v20220501:WorkloadNetworkDnsService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsServices/{dnsServiceId}", - "azure-native:avs/v20220501:WorkloadNetworkDnsZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsZones/{dnsZoneId}", - "azure-native:avs/v20220501:WorkloadNetworkPortMirroring": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/portMirroringProfiles/{portMirroringId}", - "azure-native:avs/v20220501:WorkloadNetworkPublicIP": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/publicIPs/{publicIPId}", - "azure-native:avs/v20220501:WorkloadNetworkSegment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/segments/{segmentId}", - "azure-native:avs/v20220501:WorkloadNetworkVMGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/vmGroups/{vmGroupId}", - "azure-native:avs/v20230301:Addon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/addons/{addonName}", - "azure-native:avs/v20230301:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/authorizations/{authorizationName}", - "azure-native:avs/v20230301:CloudLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/cloudLinks/{cloudLinkName}", - "azure-native:avs/v20230301:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}", - "azure-native:avs/v20230301:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/datastores/{datastoreName}", - "azure-native:avs/v20230301:GlobalReachConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/globalReachConnections/{globalReachConnectionName}", - "azure-native:avs/v20230301:HcxEnterpriseSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/hcxEnterpriseSites/{hcxEnterpriseSiteName}", - "azure-native:avs/v20230301:PlacementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/placementPolicies/{placementPolicyName}", - "azure-native:avs/v20230301:PrivateCloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}", - "azure-native:avs/v20230301:ScriptExecution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/scriptExecutions/{scriptExecutionName}", - "azure-native:avs/v20230301:WorkloadNetworkDhcp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dhcpConfigurations/{dhcpId}", - "azure-native:avs/v20230301:WorkloadNetworkDnsService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsServices/{dnsServiceId}", - "azure-native:avs/v20230301:WorkloadNetworkDnsZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsZones/{dnsZoneId}", - "azure-native:avs/v20230301:WorkloadNetworkPortMirroring": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/portMirroringProfiles/{portMirroringId}", - "azure-native:avs/v20230301:WorkloadNetworkPublicIP": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/publicIPs/{publicIPId}", - "azure-native:avs/v20230301:WorkloadNetworkSegment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/segments/{segmentId}", - "azure-native:avs/v20230301:WorkloadNetworkVMGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/vmGroups/{vmGroupId}", - "azure-native:avs/v20230901:Addon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/addons/{addonName}", - "azure-native:avs/v20230901:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/authorizations/{authorizationName}", - "azure-native:avs/v20230901:CloudLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/cloudLinks/{cloudLinkName}", - "azure-native:avs/v20230901:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}", - "azure-native:avs/v20230901:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/datastores/{datastoreName}", - "azure-native:avs/v20230901:GlobalReachConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/globalReachConnections/{globalReachConnectionName}", - "azure-native:avs/v20230901:HcxEnterpriseSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/hcxEnterpriseSites/{hcxEnterpriseSiteName}", - "azure-native:avs/v20230901:IscsiPath": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/iscsiPaths/default", - "azure-native:avs/v20230901:PlacementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/placementPolicies/{placementPolicyName}", - "azure-native:avs/v20230901:PrivateCloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}", - "azure-native:avs/v20230901:ScriptExecution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/scriptExecutions/{scriptExecutionName}", - "azure-native:avs/v20230901:WorkloadNetworkDhcp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dhcpConfigurations/{dhcpId}", - "azure-native:avs/v20230901:WorkloadNetworkDnsService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsServices/{dnsServiceId}", - "azure-native:avs/v20230901:WorkloadNetworkDnsZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsZones/{dnsZoneId}", - "azure-native:avs/v20230901:WorkloadNetworkPortMirroring": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/portMirroringProfiles/{portMirroringId}", - "azure-native:avs/v20230901:WorkloadNetworkPublicIP": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/publicIPs/{publicIPId}", - "azure-native:avs/v20230901:WorkloadNetworkSegment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/segments/{segmentId}", - "azure-native:avs/v20230901:WorkloadNetworkVMGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/vmGroups/{vmGroupId}", "azure-native:avs:Addon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/addons/{addonName}", "azure-native:avs:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/authorizations/{authorizationName}", "azure-native:avs:CloudLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/cloudLinks/{cloudLinkName}", @@ -1819,118 +268,6 @@ "azure-native:avs:WorkloadNetworkPublicIP": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/publicIPs/{publicIPId}", "azure-native:avs:WorkloadNetworkSegment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/segments/{segmentId}", "azure-native:avs:WorkloadNetworkVMGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/vmGroups/{vmGroupId}", - "azure-native:awsconnector/v20241201:AccessAnalyzerAnalyzer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/accessAnalyzerAnalyzers/{name}", - "azure-native:awsconnector/v20241201:AcmCertificateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/acmCertificateSummaries/{name}", - "azure-native:awsconnector/v20241201:ApiGatewayRestApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/apiGatewayRestApis/{name}", - "azure-native:awsconnector/v20241201:ApiGatewayStage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/apiGatewayStages/{name}", - "azure-native:awsconnector/v20241201:AppSyncGraphqlApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/appSyncGraphqlApis/{name}", - "azure-native:awsconnector/v20241201:AutoScalingAutoScalingGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/autoScalingAutoScalingGroups/{name}", - "azure-native:awsconnector/v20241201:CloudFormationStack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/cloudFormationStacks/{name}", - "azure-native:awsconnector/v20241201:CloudFormationStackSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/cloudFormationStackSets/{name}", - "azure-native:awsconnector/v20241201:CloudFrontDistribution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/cloudFrontDistributions/{name}", - "azure-native:awsconnector/v20241201:CloudTrailTrail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/cloudTrailTrails/{name}", - "azure-native:awsconnector/v20241201:CloudWatchAlarm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/cloudWatchAlarms/{name}", - "azure-native:awsconnector/v20241201:CodeBuildProject": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/codeBuildProjects/{name}", - "azure-native:awsconnector/v20241201:CodeBuildSourceCredentialsInfo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/codeBuildSourceCredentialsInfos/{name}", - "azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/configServiceConfigurationRecorders/{name}", - "azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorderStatus": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/configServiceConfigurationRecorderStatuses/{name}", - "azure-native:awsconnector/v20241201:ConfigServiceDeliveryChannel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/configServiceDeliveryChannels/{name}", - "azure-native:awsconnector/v20241201:DatabaseMigrationServiceReplicationInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/databaseMigrationServiceReplicationInstances/{name}", - "azure-native:awsconnector/v20241201:DaxCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/daxClusters/{name}", - "azure-native:awsconnector/v20241201:DynamoDbContinuousBackupsDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/dynamoDBContinuousBackupsDescriptions/{name}", - "azure-native:awsconnector/v20241201:DynamoDbTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/dynamoDBTables/{name}", - "azure-native:awsconnector/v20241201:Ec2AccountAttribute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2AccountAttributes/{name}", - "azure-native:awsconnector/v20241201:Ec2Address": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Addresses/{name}", - "azure-native:awsconnector/v20241201:Ec2FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2FlowLogs/{name}", - "azure-native:awsconnector/v20241201:Ec2Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Images/{name}", - "azure-native:awsconnector/v20241201:Ec2Instance": "/{resourceUri}/providers/Microsoft.AwsConnector/ec2Instances/default", - "azure-native:awsconnector/v20241201:Ec2InstanceStatus": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2InstanceStatuses/{name}", - "azure-native:awsconnector/v20241201:Ec2Ipam": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Ipams/{name}", - "azure-native:awsconnector/v20241201:Ec2KeyPair": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2KeyPairs/{name}", - "azure-native:awsconnector/v20241201:Ec2NetworkAcl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2NetworkAcls/{name}", - "azure-native:awsconnector/v20241201:Ec2NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2NetworkInterfaces/{name}", - "azure-native:awsconnector/v20241201:Ec2RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2RouteTables/{name}", - "azure-native:awsconnector/v20241201:Ec2SecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2SecurityGroups/{name}", - "azure-native:awsconnector/v20241201:Ec2Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Snapshots/{name}", - "azure-native:awsconnector/v20241201:Ec2Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Subnets/{name}", - "azure-native:awsconnector/v20241201:Ec2Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Volumes/{name}", - "azure-native:awsconnector/v20241201:Ec2Vpc": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Vpcs/{name}", - "azure-native:awsconnector/v20241201:Ec2VpcEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2VPCEndpoints/{name}", - "azure-native:awsconnector/v20241201:Ec2VpcPeeringConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2VPCPeeringConnections/{name}", - "azure-native:awsconnector/v20241201:EcrImageDetail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ecrImageDetails/{name}", - "azure-native:awsconnector/v20241201:EcrRepository": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ecrRepositories/{name}", - "azure-native:awsconnector/v20241201:EcsCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ecsClusters/{name}", - "azure-native:awsconnector/v20241201:EcsService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ecsServices/{name}", - "azure-native:awsconnector/v20241201:EcsTaskDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ecsTaskDefinitions/{name}", - "azure-native:awsconnector/v20241201:EfsFileSystem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/efsFileSystems/{name}", - "azure-native:awsconnector/v20241201:EfsMountTarget": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/efsMountTargets/{name}", - "azure-native:awsconnector/v20241201:EksCluster": "/{resourceUri}/providers/Microsoft.AwsConnector/eksClusters/default", - "azure-native:awsconnector/v20241201:EksNodegroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/eksNodegroups/{name}", - "azure-native:awsconnector/v20241201:ElasticBeanstalkApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticBeanstalkApplications/{name}", - "azure-native:awsconnector/v20241201:ElasticBeanstalkConfigurationTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticBeanstalkConfigurationTemplates/{name}", - "azure-native:awsconnector/v20241201:ElasticBeanstalkEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticBeanstalkEnvironments/{name}", - "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2Listener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticLoadBalancingV2Listeners/{name}", - "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticLoadBalancingV2LoadBalancers/{name}", - "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2TargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticLoadBalancingV2TargetGroups/{name}", - "azure-native:awsconnector/v20241201:ElasticLoadBalancingv2TargetHealthDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticLoadBalancingV2TargetHealthDescriptions/{name}", - "azure-native:awsconnector/v20241201:EmrCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/emrClusters/{name}", - "azure-native:awsconnector/v20241201:GuardDutyDetector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/guardDutyDetectors/{name}", - "azure-native:awsconnector/v20241201:IamAccessKeyLastUsed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamAccessKeyLastUseds/{name}", - "azure-native:awsconnector/v20241201:IamAccessKeyMetadataInfo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamAccessKeyMetadata/{name}", - "azure-native:awsconnector/v20241201:IamGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamGroups/{name}", - "azure-native:awsconnector/v20241201:IamInstanceProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamInstanceProfiles/{name}", - "azure-native:awsconnector/v20241201:IamMfaDevice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamMFADevices/{name}", - "azure-native:awsconnector/v20241201:IamPasswordPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamPasswordPolicies/{name}", - "azure-native:awsconnector/v20241201:IamPolicyVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamPolicyVersions/{name}", - "azure-native:awsconnector/v20241201:IamRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamRoles/{name}", - "azure-native:awsconnector/v20241201:IamServerCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamServerCertificates/{name}", - "azure-native:awsconnector/v20241201:IamVirtualMfaDevice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamVirtualMFADevices/{name}", - "azure-native:awsconnector/v20241201:KmsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/kmsAliases/{name}", - "azure-native:awsconnector/v20241201:KmsKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/kmsKeys/{name}", - "azure-native:awsconnector/v20241201:LambdaFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/lambdaFunctions/{name}", - "azure-native:awsconnector/v20241201:LambdaFunctionCodeLocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/lambdaFunctionCodeLocations/{name}", - "azure-native:awsconnector/v20241201:LightsailBucket": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/lightsailBuckets/{name}", - "azure-native:awsconnector/v20241201:LightsailInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/lightsailInstances/{name}", - "azure-native:awsconnector/v20241201:LogsLogGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/logsLogGroups/{name}", - "azure-native:awsconnector/v20241201:LogsLogStream": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/logsLogStreams/{name}", - "azure-native:awsconnector/v20241201:LogsMetricFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/logsMetricFilters/{name}", - "azure-native:awsconnector/v20241201:LogsSubscriptionFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/logsSubscriptionFilters/{name}", - "azure-native:awsconnector/v20241201:Macie2JobSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/macie2JobSummaries/{name}", - "azure-native:awsconnector/v20241201:MacieAllowList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/macieAllowLists/{name}", - "azure-native:awsconnector/v20241201:NetworkFirewallFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/networkFirewallFirewalls/{name}", - "azure-native:awsconnector/v20241201:NetworkFirewallFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/networkFirewallFirewallPolicies/{name}", - "azure-native:awsconnector/v20241201:NetworkFirewallRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/networkFirewallRuleGroups/{name}", - "azure-native:awsconnector/v20241201:OpenSearchDomainStatus": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/openSearchDomainStatuses/{name}", - "azure-native:awsconnector/v20241201:OrganizationsAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/organizationsAccounts/{name}", - "azure-native:awsconnector/v20241201:OrganizationsOrganization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/organizationsOrganizations/{name}", - "azure-native:awsconnector/v20241201:RdsDbCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsDBClusters/{name}", - "azure-native:awsconnector/v20241201:RdsDbInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsDBInstances/{name}", - "azure-native:awsconnector/v20241201:RdsDbSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsDBSnapshots/{name}", - "azure-native:awsconnector/v20241201:RdsDbSnapshotAttributesResult": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsDBSnapshotAttributesResults/{name}", - "azure-native:awsconnector/v20241201:RdsEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsEventSubscriptions/{name}", - "azure-native:awsconnector/v20241201:RdsExportTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsExportTasks/{name}", - "azure-native:awsconnector/v20241201:RedshiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/redshiftClusters/{name}", - "azure-native:awsconnector/v20241201:RedshiftClusterParameterGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/redshiftClusterParameterGroups/{name}", - "azure-native:awsconnector/v20241201:Route53DomainsDomainSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/route53DomainsDomainSummaries/{name}", - "azure-native:awsconnector/v20241201:Route53HostedZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/route53HostedZones/{name}", - "azure-native:awsconnector/v20241201:Route53ResourceRecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/route53ResourceRecordSets/{name}", - "azure-native:awsconnector/v20241201:S3AccessControlPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/s3AccessControlPolicies/{name}", - "azure-native:awsconnector/v20241201:S3AccessPoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/s3AccessPoints/{name}", - "azure-native:awsconnector/v20241201:S3Bucket": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/s3Buckets/{name}", - "azure-native:awsconnector/v20241201:S3BucketPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/s3BucketPolicies/{name}", - "azure-native:awsconnector/v20241201:S3ControlMultiRegionAccessPointPolicyDocument": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/s3ControlMultiRegionAccessPointPolicyDocuments/{name}", - "azure-native:awsconnector/v20241201:SageMakerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/sageMakerApps/{name}", - "azure-native:awsconnector/v20241201:SageMakerNotebookInstanceSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/sageMakerNotebookInstanceSummaries/{name}", - "azure-native:awsconnector/v20241201:SecretsManagerResourcePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/secretsManagerResourcePolicies/{name}", - "azure-native:awsconnector/v20241201:SecretsManagerSecret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/secretsManagerSecrets/{name}", - "azure-native:awsconnector/v20241201:SnsSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/snsSubscriptions/{name}", - "azure-native:awsconnector/v20241201:SnsTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/snsTopics/{name}", - "azure-native:awsconnector/v20241201:SqsQueue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/sqsQueues/{name}", - "azure-native:awsconnector/v20241201:SsmInstanceInformation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ssmInstanceInformations/{name}", - "azure-native:awsconnector/v20241201:SsmParameter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ssmParameters/{name}", - "azure-native:awsconnector/v20241201:SsmResourceComplianceSummaryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ssmResourceComplianceSummaryItems/{name}", - "azure-native:awsconnector/v20241201:WafWebAclSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/wafWebACLSummaries/{name}", - "azure-native:awsconnector/v20241201:Wafv2LoggingConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/wafv2LoggingConfigurations/{name}", "azure-native:awsconnector:AccessAnalyzerAnalyzer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/accessAnalyzerAnalyzers/{name}", "azure-native:awsconnector:AcmCertificateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/acmCertificateSummaries/{name}", "azure-native:awsconnector:ApiGatewayRestApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/apiGatewayRestApis/{name}", @@ -2043,51 +380,9 @@ "azure-native:awsconnector:SsmResourceComplianceSummaryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ssmResourceComplianceSummaryItems/{name}", "azure-native:awsconnector:WafWebAclSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/wafWebACLSummaries/{name}", "azure-native:awsconnector:Wafv2LoggingConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/wafv2LoggingConfigurations/{name}", - "azure-native:azureactivedirectory/v20210401:B2CTenant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/b2cDirectories/{resourceName}", - "azure-native:azureactivedirectory/v20210401:GuestUsage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/guestUsages/{resourceName}", - "azure-native:azureactivedirectory/v20230118preview:B2CTenant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/b2cDirectories/{resourceName}", - "azure-native:azureactivedirectory/v20230118preview:GuestUsage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/guestUsages/{resourceName}", - "azure-native:azureactivedirectory/v20230517preview:B2CTenant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/b2cDirectories/{resourceName}", - "azure-native:azureactivedirectory/v20230517preview:CIAMTenant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/ciamDirectories/{resourceName}", - "azure-native:azureactivedirectory/v20230517preview:GuestUsage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/guestUsages/{resourceName}", "azure-native:azureactivedirectory:B2CTenant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/b2cDirectories/{resourceName}", "azure-native:azureactivedirectory:CIAMTenant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/ciamDirectories/{resourceName}", "azure-native:azureactivedirectory:GuestUsage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/guestUsages/{resourceName}", - "azure-native:azurearcdata/v20230115preview:ActiveDirectoryConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}/activeDirectoryConnectors/{activeDirectoryConnectorName}", - "azure-native:azurearcdata/v20230115preview:DataController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}", - "azure-native:azurearcdata/v20230115preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}/failoverGroups/{failoverGroupName}", - "azure-native:azurearcdata/v20230115preview:PostgresInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/postgresInstances/{postgresInstanceName}", - "azure-native:azurearcdata/v20230115preview:SqlManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}", - "azure-native:azurearcdata/v20230115preview:SqlServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/databases/{databaseName}", - "azure-native:azurearcdata/v20230115preview:SqlServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}", - "azure-native:azurearcdata/v20240101:ActiveDirectoryConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}/activeDirectoryConnectors/{activeDirectoryConnectorName}", - "azure-native:azurearcdata/v20240101:DataController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}", - "azure-native:azurearcdata/v20240101:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}/failoverGroups/{failoverGroupName}", - "azure-native:azurearcdata/v20240101:PostgresInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/postgresInstances/{postgresInstanceName}", - "azure-native:azurearcdata/v20240101:SqlManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}", - "azure-native:azurearcdata/v20240101:SqlServerAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/availabilityGroups/{availabilityGroupName}", - "azure-native:azurearcdata/v20240101:SqlServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/databases/{databaseName}", - "azure-native:azurearcdata/v20240101:SqlServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}", - "azure-native:azurearcdata/v20240501preview:ActiveDirectoryConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}/activeDirectoryConnectors/{activeDirectoryConnectorName}", - "azure-native:azurearcdata/v20240501preview:DataController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}", - "azure-native:azurearcdata/v20240501preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}/failoverGroups/{failoverGroupName}", - "azure-native:azurearcdata/v20240501preview:PostgresInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/postgresInstances/{postgresInstanceName}", - "azure-native:azurearcdata/v20240501preview:SqlManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}", - "azure-native:azurearcdata/v20240501preview:SqlServerAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/availabilityGroups/{availabilityGroupName}", - "azure-native:azurearcdata/v20240501preview:SqlServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/databases/{databaseName}", - "azure-native:azurearcdata/v20240501preview:SqlServerEsuLicense": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerEsuLicenses/{sqlServerEsuLicenseName}", - "azure-native:azurearcdata/v20240501preview:SqlServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}", - "azure-native:azurearcdata/v20240501preview:SqlServerLicense": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerLicenses/{sqlServerLicenseName}", - "azure-native:azurearcdata/v20250301preview:ActiveDirectoryConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}/activeDirectoryConnectors/{activeDirectoryConnectorName}", - "azure-native:azurearcdata/v20250301preview:DataController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}", - "azure-native:azurearcdata/v20250301preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}/failoverGroups/{failoverGroupName}", - "azure-native:azurearcdata/v20250301preview:PostgresInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/postgresInstances/{postgresInstanceName}", - "azure-native:azurearcdata/v20250301preview:SqlManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}", - "azure-native:azurearcdata/v20250301preview:SqlServerAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/availabilityGroups/{availabilityGroupName}", - "azure-native:azurearcdata/v20250301preview:SqlServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/databases/{databaseName}", - "azure-native:azurearcdata/v20250301preview:SqlServerEsuLicense": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerEsuLicenses/{sqlServerEsuLicenseName}", - "azure-native:azurearcdata/v20250301preview:SqlServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}", - "azure-native:azurearcdata/v20250301preview:SqlServerLicense": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerLicenses/{sqlServerLicenseName}", "azure-native:azurearcdata:ActiveDirectoryConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}/activeDirectoryConnectors/{activeDirectoryConnectorName}", "azure-native:azurearcdata:DataController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}", "azure-native:azurearcdata:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}/failoverGroups/{failoverGroupName}", @@ -2098,267 +393,24 @@ "azure-native:azurearcdata:SqlServerEsuLicense": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerEsuLicenses/{sqlServerEsuLicenseName}", "azure-native:azurearcdata:SqlServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}", "azure-native:azurearcdata:SqlServerLicense": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerLicenses/{sqlServerLicenseName}", - "azure-native:azuredata/v20190724preview:SqlServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureData/sqlServerRegistrations/{sqlServerRegistrationName}/sqlServers/{sqlServerName}", - "azure-native:azuredata/v20190724preview:SqlServerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureData/sqlServerRegistrations/{sqlServerRegistrationName}", "azure-native:azuredata:SqlServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureData/sqlServerRegistrations/{sqlServerRegistrationName}/sqlServers/{sqlServerName}", "azure-native:azuredata:SqlServerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureData/sqlServerRegistrations/{sqlServerRegistrationName}", - "azure-native:azuredatatransfer/v20231011preview:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", - "azure-native:azuredatatransfer/v20231011preview:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", - "azure-native:azuredatatransfer/v20231011preview:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", - "azure-native:azuredatatransfer/v20240125:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", - "azure-native:azuredatatransfer/v20240125:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", - "azure-native:azuredatatransfer/v20240125:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", - "azure-native:azuredatatransfer/v20240507:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", - "azure-native:azuredatatransfer/v20240507:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", - "azure-native:azuredatatransfer/v20240507:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", - "azure-native:azuredatatransfer/v20240911:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", - "azure-native:azuredatatransfer/v20240911:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", - "azure-native:azuredatatransfer/v20240911:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", - "azure-native:azuredatatransfer/v20240927:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", - "azure-native:azuredatatransfer/v20240927:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", - "azure-native:azuredatatransfer/v20240927:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", - "azure-native:azuredatatransfer/v20250301preview:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", - "azure-native:azuredatatransfer/v20250301preview:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", - "azure-native:azuredatatransfer/v20250301preview:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", "azure-native:azuredatatransfer:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", "azure-native:azuredatatransfer:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", "azure-native:azuredatatransfer:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", - "azure-native:azurefleet/v20240501preview:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureFleet/fleets/{fleetName}", - "azure-native:azurefleet/v20241101:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureFleet/fleets/{fleetName}", "azure-native:azurefleet:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureFleet/fleets/{fleetName}", - "azure-native:azurelargeinstance/v20240801preview:AzureLargeInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureLargeInstance/azureLargeInstances/{azureLargeInstanceName}", - "azure-native:azurelargeinstance/v20240801preview:AzureLargeStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureLargeInstance/azureLargeStorageInstances/{azureLargeStorageInstanceName}", "azure-native:azurelargeinstance:AzureLargeInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureLargeInstance/azureLargeInstances/{azureLargeInstanceName}", "azure-native:azurelargeinstance:AzureLargeStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureLargeInstance/azureLargeStorageInstances/{azureLargeStorageInstanceName}", - "azure-native:azureplaywrightservice/v20231001preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzurePlaywrightService/accounts/{name}", - "azure-native:azureplaywrightservice/v20240201preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzurePlaywrightService/accounts/{accountName}", - "azure-native:azureplaywrightservice/v20240801preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzurePlaywrightService/accounts/{accountName}", - "azure-native:azureplaywrightservice/v20241201:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzurePlaywrightService/accounts/{accountName}", "azure-native:azureplaywrightservice:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzurePlaywrightService/accounts/{accountName}", - "azure-native:azuresphere/v20220901preview:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}", - "azure-native:azuresphere/v20220901preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}/deployments/{deploymentName}", - "azure-native:azuresphere/v20220901preview:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}/devices/{deviceName}", - "azure-native:azuresphere/v20220901preview:DeviceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}", - "azure-native:azuresphere/v20220901preview:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/images/{imageName}", - "azure-native:azuresphere/v20220901preview:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}", - "azure-native:azuresphere/v20240401:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}", - "azure-native:azuresphere/v20240401:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}/deployments/{deploymentName}", - "azure-native:azuresphere/v20240401:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}/devices/{deviceName}", - "azure-native:azuresphere/v20240401:DeviceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}", - "azure-native:azuresphere/v20240401:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/images/{imageName}", - "azure-native:azuresphere/v20240401:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}", "azure-native:azuresphere:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}", "azure-native:azuresphere:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}/deployments/{deploymentName}", "azure-native:azuresphere:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}/devices/{deviceName}", "azure-native:azuresphere:DeviceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}", "azure-native:azuresphere:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/images/{imageName}", "azure-native:azuresphere:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}", - "azure-native:azurestack/v20200601preview:CustomerSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/registrations/{registrationName}/customerSubscriptions/{customerSubscriptionName}", - "azure-native:azurestack/v20200601preview:LinkedSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/linkedSubscriptions/{linkedSubscriptionName}", - "azure-native:azurestack/v20200601preview:Registration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/registrations/{registrationName}", - "azure-native:azurestack/v20220601:CustomerSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/registrations/{registrationName}/customerSubscriptions/{customerSubscriptionName}", - "azure-native:azurestack/v20220601:Registration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/registrations/{registrationName}", "azure-native:azurestack:CustomerSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/registrations/{registrationName}/customerSubscriptions/{customerSubscriptionName}", "azure-native:azurestack:LinkedSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/linkedSubscriptions/{linkedSubscriptionName}", "azure-native:azurestack:Registration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/registrations/{registrationName}", - "azure-native:azurestackhci/v20221215preview:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20221215preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20221215preview:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20221215preview:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", - "azure-native:azurestackhci/v20221215preview:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualMachines/{virtualMachineName}/guestAgents/{name}", - "azure-native:azurestackhci/v20221215preview:HybridIdentityMetadatum": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualMachines/{virtualMachineName}/hybridIdentityMetadata/{metadataName}", - "azure-native:azurestackhci/v20221215preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualMachines/{name}/extensions/{extensionName}", - "azure-native:azurestackhci/v20221215preview:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", - "azure-native:azurestackhci/v20221215preview:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", - "azure-native:azurestackhci/v20221215preview:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", - "azure-native:azurestackhci/v20221215preview:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20221215preview:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20221215preview:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20221215preview:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", - "azure-native:azurestackhci/v20221215preview:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualMachines/{virtualMachineName}", - "azure-native:azurestackhci/v20221215preview:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualNetworks/{virtualNetworkName}", - "azure-native:azurestackhci/v20230201:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20230201:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20230201:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20230201:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20230201:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20230201:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20230301:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20230301:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20230301:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20230301:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20230301:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20230301:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20230601:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20230601:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20230601:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20230601:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20230601:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20230601:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20230701preview:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", - "azure-native:azurestackhci/v20230701preview:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", - "azure-native:azurestackhci/v20230701preview:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", - "azure-native:azurestackhci/v20230701preview:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", - "azure-native:azurestackhci/v20230701preview:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", - "azure-native:azurestackhci/v20230701preview:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", - "azure-native:azurestackhci/v20230701preview:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", - "azure-native:azurestackhci/v20230701preview:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualNetworks/{virtualNetworkName}", - "azure-native:azurestackhci/v20230801:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20230801:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20230801:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20230801:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20230801:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20230801:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20230801preview:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20230801preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20230801preview:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", - "azure-native:azurestackhci/v20230801preview:EdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", - "azure-native:azurestackhci/v20230801preview:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20230801preview:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20230801preview:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20230801preview:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20230901preview:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", - "azure-native:azurestackhci/v20230901preview:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", - "azure-native:azurestackhci/v20230901preview:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", - "azure-native:azurestackhci/v20230901preview:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", - "azure-native:azurestackhci/v20230901preview:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", - "azure-native:azurestackhci/v20230901preview:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", - "azure-native:azurestackhci/v20230901preview:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", - "azure-native:azurestackhci/v20230901preview:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", - "azure-native:azurestackhci/v20231101preview:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20231101preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20231101preview:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", - "azure-native:azurestackhci/v20231101preview:EdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", - "azure-native:azurestackhci/v20231101preview:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20231101preview:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", - "azure-native:azurestackhci/v20231101preview:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20231101preview:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20231101preview:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20240101:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20240101:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20240101:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", - "azure-native:azurestackhci/v20240101:EdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", - "azure-native:azurestackhci/v20240101:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20240101:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", - "azure-native:azurestackhci/v20240101:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", - "azure-native:azurestackhci/v20240101:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", - "azure-native:azurestackhci/v20240101:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", - "azure-native:azurestackhci/v20240101:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", - "azure-native:azurestackhci/v20240101:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", - "azure-native:azurestackhci/v20240101:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", - "azure-native:azurestackhci/v20240101:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20240101:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20240101:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20240101:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", - "azure-native:azurestackhci/v20240101:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", - "azure-native:azurestackhci/v20240201preview:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", - "azure-native:azurestackhci/v20240201preview:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", - "azure-native:azurestackhci/v20240201preview:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", - "azure-native:azurestackhci/v20240201preview:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", - "azure-native:azurestackhci/v20240201preview:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", - "azure-native:azurestackhci/v20240201preview:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:azurestackhci/v20240201preview:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:azurestackhci/v20240201preview:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", - "azure-native:azurestackhci/v20240201preview:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", - "azure-native:azurestackhci/v20240201preview:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", - "azure-native:azurestackhci/v20240215preview:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20240215preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20240215preview:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", - "azure-native:azurestackhci/v20240215preview:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20240215preview:HciEdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", - "azure-native:azurestackhci/v20240215preview:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", - "azure-native:azurestackhci/v20240215preview:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20240215preview:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20240215preview:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20240401:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20240401:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20240401:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", - "azure-native:azurestackhci/v20240401:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20240401:HciEdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", - "azure-native:azurestackhci/v20240401:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", - "azure-native:azurestackhci/v20240401:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20240401:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20240401:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20240501preview:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", - "azure-native:azurestackhci/v20240501preview:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", - "azure-native:azurestackhci/v20240501preview:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", - "azure-native:azurestackhci/v20240501preview:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", - "azure-native:azurestackhci/v20240501preview:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", - "azure-native:azurestackhci/v20240501preview:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:azurestackhci/v20240501preview:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:azurestackhci/v20240501preview:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", - "azure-native:azurestackhci/v20240501preview:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", - "azure-native:azurestackhci/v20240501preview:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", - "azure-native:azurestackhci/v20240715preview:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", - "azure-native:azurestackhci/v20240715preview:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", - "azure-native:azurestackhci/v20240715preview:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", - "azure-native:azurestackhci/v20240715preview:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", - "azure-native:azurestackhci/v20240715preview:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", - "azure-native:azurestackhci/v20240715preview:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:azurestackhci/v20240715preview:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:azurestackhci/v20240715preview:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", - "azure-native:azurestackhci/v20240715preview:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", - "azure-native:azurestackhci/v20240715preview:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", - "azure-native:azurestackhci/v20240801preview:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", - "azure-native:azurestackhci/v20240801preview:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", - "azure-native:azurestackhci/v20240801preview:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", - "azure-native:azurestackhci/v20240801preview:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", - "azure-native:azurestackhci/v20240801preview:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", - "azure-native:azurestackhci/v20240801preview:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:azurestackhci/v20240801preview:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:azurestackhci/v20240801preview:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", - "azure-native:azurestackhci/v20240801preview:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", - "azure-native:azurestackhci/v20240801preview:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", - "azure-native:azurestackhci/v20240901preview:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20240901preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20240901preview:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", - "azure-native:azurestackhci/v20240901preview:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20240901preview:HciEdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", - "azure-native:azurestackhci/v20240901preview:HciEdgeDeviceJob": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}/jobs/{jobsName}", - "azure-native:azurestackhci/v20240901preview:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", - "azure-native:azurestackhci/v20240901preview:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20240901preview:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20240901preview:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20241001preview:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", - "azure-native:azurestackhci/v20241001preview:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", - "azure-native:azurestackhci/v20241001preview:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", - "azure-native:azurestackhci/v20241001preview:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", - "azure-native:azurestackhci/v20241001preview:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", - "azure-native:azurestackhci/v20241001preview:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:azurestackhci/v20241001preview:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:azurestackhci/v20241001preview:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", - "azure-native:azurestackhci/v20241001preview:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", - "azure-native:azurestackhci/v20241001preview:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", - "azure-native:azurestackhci/v20241201preview:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", - "azure-native:azurestackhci/v20241201preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", - "azure-native:azurestackhci/v20241201preview:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", - "azure-native:azurestackhci/v20241201preview:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", - "azure-native:azurestackhci/v20241201preview:HciEdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", - "azure-native:azurestackhci/v20241201preview:HciEdgeDeviceJob": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}/jobs/{jobsName}", - "azure-native:azurestackhci/v20241201preview:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", - "azure-native:azurestackhci/v20241201preview:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", - "azure-native:azurestackhci/v20241201preview:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", - "azure-native:azurestackhci/v20241201preview:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", - "azure-native:azurestackhci/v20250201preview:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", - "azure-native:azurestackhci/v20250201preview:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", - "azure-native:azurestackhci/v20250201preview:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", - "azure-native:azurestackhci/v20250201preview:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", - "azure-native:azurestackhci/v20250201preview:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", - "azure-native:azurestackhci/v20250201preview:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:azurestackhci/v20250201preview:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:azurestackhci/v20250201preview:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", - "azure-native:azurestackhci/v20250201preview:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", - "azure-native:azurestackhci/v20250201preview:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", - "azure-native:azurestackhci/v20250401preview:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", - "azure-native:azurestackhci/v20250401preview:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", - "azure-native:azurestackhci/v20250401preview:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", - "azure-native:azurestackhci/v20250401preview:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", - "azure-native:azurestackhci/v20250401preview:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", - "azure-native:azurestackhci/v20250401preview:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:azurestackhci/v20250401preview:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:azurestackhci/v20250401preview:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", - "azure-native:azurestackhci/v20250401preview:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", - "azure-native:azurestackhci/v20250401preview:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", "azure-native:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", "azure-native:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", "azure-native:azurestackhci:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", @@ -2383,172 +435,29 @@ "azure-native:azurestackhci:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualMachines/{virtualMachineName}", "azure-native:azurestackhci:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", "azure-native:azurestackhci:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualNetworks/{virtualNetworkName}", - "azure-native:baremetalinfrastructure/v20230406:AzureBareMetalStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalStorageInstances/{azureBareMetalStorageInstanceName}", - "azure-native:baremetalinfrastructure/v20230804preview:AzureBareMetalStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalStorageInstances/{azureBareMetalStorageInstanceName}", - "azure-native:baremetalinfrastructure/v20231101preview:AzureBareMetalStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalStorageInstances/{azureBareMetalStorageInstanceName}", - "azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalInstances/{azureBareMetalInstanceName}", - "azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalStorageInstances/{azureBareMetalStorageInstanceName}", "azure-native:baremetalinfrastructure:AzureBareMetalInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalInstances/{azureBareMetalInstanceName}", "azure-native:baremetalinfrastructure:AzureBareMetalStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalStorageInstances/{azureBareMetalStorageInstanceName}", - "azure-native:batch/v20230501:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}", - "azure-native:batch/v20230501:ApplicationPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}/versions/{versionName}", - "azure-native:batch/v20230501:BatchAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}", - "azure-native:batch/v20230501:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/pools/{poolName}", - "azure-native:batch/v20231101:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}", - "azure-native:batch/v20231101:ApplicationPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}/versions/{versionName}", - "azure-native:batch/v20231101:BatchAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}", - "azure-native:batch/v20231101:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/pools/{poolName}", - "azure-native:batch/v20240201:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}", - "azure-native:batch/v20240201:ApplicationPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}/versions/{versionName}", - "azure-native:batch/v20240201:BatchAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}", - "azure-native:batch/v20240201:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/pools/{poolName}", - "azure-native:batch/v20240701:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}", - "azure-native:batch/v20240701:ApplicationPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}/versions/{versionName}", - "azure-native:batch/v20240701:BatchAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}", - "azure-native:batch/v20240701:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/pools/{poolName}", "azure-native:batch:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}", "azure-native:batch:ApplicationPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}/versions/{versionName}", "azure-native:batch:BatchAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}", "azure-native:batch:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/pools/{poolName}", - "azure-native:billing/v20191001preview:BillingRoleAssignmentByBillingAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingRoleAssignments/{billingRoleAssignmentName}", - "azure-native:billing/v20191001preview:BillingRoleAssignmentByDepartment": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/departments/{departmentName}/billingRoleAssignments/{billingRoleAssignmentName}", - "azure-native:billing/v20191001preview:BillingRoleAssignmentByEnrollmentAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/enrollmentAccounts/{enrollmentAccountName}/billingRoleAssignments/{billingRoleAssignmentName}", - "azure-native:billing/v20240401:AssociatedTenant": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/associatedTenants/{associatedTenantName}", - "azure-native:billing/v20240401:BillingProfile": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}", - "azure-native:billing/v20240401:BillingRoleAssignmentByBillingAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingRoleAssignments/{billingRoleAssignmentName}", - "azure-native:billing/v20240401:BillingRoleAssignmentByDepartment": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/departments/{departmentName}/billingRoleAssignments/{billingRoleAssignmentName}", - "azure-native:billing/v20240401:BillingRoleAssignmentByEnrollmentAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/enrollmentAccounts/{enrollmentAccountName}/billingRoleAssignments/{billingRoleAssignmentName}", - "azure-native:billing/v20240401:InvoiceSection": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}/invoiceSections/{invoiceSectionName}", "azure-native:billing:AssociatedTenant": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/associatedTenants/{associatedTenantName}", "azure-native:billing:BillingProfile": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}", "azure-native:billing:BillingRoleAssignmentByBillingAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingRoleAssignments/{billingRoleAssignmentName}", "azure-native:billing:BillingRoleAssignmentByDepartment": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/departments/{departmentName}/billingRoleAssignments/{billingRoleAssignmentName}", "azure-native:billing:BillingRoleAssignmentByEnrollmentAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/enrollmentAccounts/{enrollmentAccountName}/billingRoleAssignments/{billingRoleAssignmentName}", "azure-native:billing:InvoiceSection": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}/invoiceSections/{invoiceSectionName}", - "azure-native:billingbenefits/v20241101preview:Discount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BillingBenefits/discounts/{discountName}", "azure-native:billingbenefits:Discount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BillingBenefits/discounts/{discountName}", - "azure-native:blueprint/v20181101preview:Assignment": "/{resourceScope}/providers/Microsoft.Blueprint/blueprintAssignments/{assignmentName}", - "azure-native:blueprint/v20181101preview:Blueprint": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}", - "azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/artifacts/{artifactName}", - "azure-native:blueprint/v20181101preview:PublishedBlueprint": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/versions/{versionId}", - "azure-native:blueprint/v20181101preview:RoleAssignmentArtifact": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/artifacts/{artifactName}", - "azure-native:blueprint/v20181101preview:TemplateArtifact": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/artifacts/{artifactName}", "azure-native:blueprint:Assignment": "/{resourceScope}/providers/Microsoft.Blueprint/blueprintAssignments/{assignmentName}", "azure-native:blueprint:Blueprint": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}", "azure-native:blueprint:PolicyAssignmentArtifact": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/artifacts/{artifactName}", "azure-native:blueprint:PublishedBlueprint": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/versions/{versionId}", "azure-native:blueprint:RoleAssignmentArtifact": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/artifacts/{artifactName}", "azure-native:blueprint:TemplateArtifact": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/artifacts/{artifactName}", - "azure-native:botservice/v20220915:Bot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}", - "azure-native:botservice/v20220915:BotConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/connections/{connectionName}", - "azure-native:botservice/v20220915:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/channels/{channelName}", - "azure-native:botservice/v20220915:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:botservice/v20230915preview:Bot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}", - "azure-native:botservice/v20230915preview:BotConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/connections/{connectionName}", - "azure-native:botservice/v20230915preview:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/channels/{channelName}", - "azure-native:botservice/v20230915preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:botservice:Bot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}", "azure-native:botservice:BotConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/connections/{connectionName}", "azure-native:botservice:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/channels/{channelName}", "azure-native:botservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cdn/v20230501:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", - "azure-native:cdn/v20230501:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", - "azure-native:cdn/v20230501:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", - "azure-native:cdn/v20230501:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", - "azure-native:cdn/v20230501:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", - "azure-native:cdn/v20230501:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", - "azure-native:cdn/v20230501:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", - "azure-native:cdn/v20230501:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", - "azure-native:cdn/v20230501:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", - "azure-native:cdn/v20230501:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", - "azure-native:cdn/v20230501:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", - "azure-native:cdn/v20230501:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", - "azure-native:cdn/v20230501:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", - "azure-native:cdn/v20230501:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", - "azure-native:cdn/v20230501:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", - "azure-native:cdn/v20230701preview:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", - "azure-native:cdn/v20230701preview:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", - "azure-native:cdn/v20230701preview:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", - "azure-native:cdn/v20230701preview:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", - "azure-native:cdn/v20230701preview:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", - "azure-native:cdn/v20230701preview:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", - "azure-native:cdn/v20230701preview:KeyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/keyGroups/{keyGroupName}", - "azure-native:cdn/v20230701preview:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", - "azure-native:cdn/v20230701preview:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", - "azure-native:cdn/v20230701preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", - "azure-native:cdn/v20230701preview:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", - "azure-native:cdn/v20230701preview:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", - "azure-native:cdn/v20230701preview:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", - "azure-native:cdn/v20230701preview:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", - "azure-native:cdn/v20230701preview:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", - "azure-native:cdn/v20230701preview:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", - "azure-native:cdn/v20240201:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", - "azure-native:cdn/v20240201:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", - "azure-native:cdn/v20240201:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", - "azure-native:cdn/v20240201:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", - "azure-native:cdn/v20240201:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", - "azure-native:cdn/v20240201:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", - "azure-native:cdn/v20240201:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", - "azure-native:cdn/v20240201:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", - "azure-native:cdn/v20240201:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", - "azure-native:cdn/v20240201:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", - "azure-native:cdn/v20240201:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", - "azure-native:cdn/v20240201:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", - "azure-native:cdn/v20240201:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", - "azure-native:cdn/v20240201:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", - "azure-native:cdn/v20240201:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", - "azure-native:cdn/v20240501preview:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", - "azure-native:cdn/v20240501preview:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", - "azure-native:cdn/v20240501preview:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", - "azure-native:cdn/v20240501preview:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", - "azure-native:cdn/v20240501preview:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", - "azure-native:cdn/v20240501preview:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", - "azure-native:cdn/v20240501preview:KeyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/keyGroups/{keyGroupName}", - "azure-native:cdn/v20240501preview:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", - "azure-native:cdn/v20240501preview:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", - "azure-native:cdn/v20240501preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", - "azure-native:cdn/v20240501preview:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", - "azure-native:cdn/v20240501preview:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", - "azure-native:cdn/v20240501preview:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", - "azure-native:cdn/v20240501preview:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", - "azure-native:cdn/v20240501preview:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", - "azure-native:cdn/v20240501preview:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", - "azure-native:cdn/v20240601preview:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", - "azure-native:cdn/v20240601preview:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", - "azure-native:cdn/v20240601preview:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", - "azure-native:cdn/v20240601preview:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", - "azure-native:cdn/v20240601preview:AFDTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/targetGroups/{targetGroupName}", - "azure-native:cdn/v20240601preview:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", - "azure-native:cdn/v20240601preview:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", - "azure-native:cdn/v20240601preview:KeyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/keyGroups/{keyGroupName}", - "azure-native:cdn/v20240601preview:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", - "azure-native:cdn/v20240601preview:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", - "azure-native:cdn/v20240601preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", - "azure-native:cdn/v20240601preview:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", - "azure-native:cdn/v20240601preview:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", - "azure-native:cdn/v20240601preview:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", - "azure-native:cdn/v20240601preview:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", - "azure-native:cdn/v20240601preview:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", - "azure-native:cdn/v20240601preview:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", - "azure-native:cdn/v20240601preview:TunnelPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/tunnelPolicies/{tunnelPolicyName}", - "azure-native:cdn/v20240722preview:EdgeAction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/edgeActions/{edgeActionName}", - "azure-native:cdn/v20240722preview:EdgeActionExecutionFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/edgeActions/{edgeActionName}/executionFilters/{executionFilter}", - "azure-native:cdn/v20240722preview:EdgeActionVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/edgeActions/{edgeActionName}/versions/{version}", - "azure-native:cdn/v20240901:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", - "azure-native:cdn/v20240901:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", - "azure-native:cdn/v20240901:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", - "azure-native:cdn/v20240901:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", - "azure-native:cdn/v20240901:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", - "azure-native:cdn/v20240901:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", - "azure-native:cdn/v20240901:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", - "azure-native:cdn/v20240901:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", - "azure-native:cdn/v20240901:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", - "azure-native:cdn/v20240901:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", - "azure-native:cdn/v20240901:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", - "azure-native:cdn/v20240901:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", - "azure-native:cdn/v20240901:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", - "azure-native:cdn/v20240901:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", - "azure-native:cdn/v20240901:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", "azure-native:cdn:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", "azure-native:cdn:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", "azure-native:cdn:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", @@ -2567,109 +476,13 @@ "azure-native:cdn:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", "azure-native:cdn:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", "azure-native:cdn:TunnelPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/tunnelPolicies/{tunnelPolicyName}", - "azure-native:certificateregistration/v20220901:AppServiceCertificateOrder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}", - "azure-native:certificateregistration/v20220901:AppServiceCertificateOrderCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}/certificates/{name}", - "azure-native:certificateregistration/v20230101:AppServiceCertificateOrder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}", - "azure-native:certificateregistration/v20230101:AppServiceCertificateOrderCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}/certificates/{name}", - "azure-native:certificateregistration/v20231201:AppServiceCertificateOrder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}", - "azure-native:certificateregistration/v20231201:AppServiceCertificateOrderCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}/certificates/{name}", - "azure-native:certificateregistration/v20240401:AppServiceCertificateOrder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}", - "azure-native:certificateregistration/v20240401:AppServiceCertificateOrderCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}/certificates/{name}", "azure-native:certificateregistration:AppServiceCertificateOrder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}", "azure-native:certificateregistration:AppServiceCertificateOrderCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}/certificates/{name}", - "azure-native:changeanalysis/v20200401preview:ConfigurationProfile": "/subscriptions/{subscriptionId}/providers/Microsoft.ChangeAnalysis/profile/{profileName}", "azure-native:changeanalysis:ConfigurationProfile": "/subscriptions/{subscriptionId}/providers/Microsoft.ChangeAnalysis/profile/{profileName}", - "azure-native:chaos/v20230415preview:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", - "azure-native:chaos/v20230415preview:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", - "azure-native:chaos/v20230415preview:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", - "azure-native:chaos/v20230901preview:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", - "azure-native:chaos/v20230901preview:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", - "azure-native:chaos/v20230901preview:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", - "azure-native:chaos/v20231027preview:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", - "azure-native:chaos/v20231027preview:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", - "azure-native:chaos/v20231027preview:PrivateAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/privateAccesses/{privateAccessName}", - "azure-native:chaos/v20231027preview:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", - "azure-native:chaos/v20231101:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", - "azure-native:chaos/v20231101:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", - "azure-native:chaos/v20231101:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", - "azure-native:chaos/v20240101:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", - "azure-native:chaos/v20240101:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", - "azure-native:chaos/v20240101:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", - "azure-native:chaos/v20240322preview:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", - "azure-native:chaos/v20240322preview:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", - "azure-native:chaos/v20240322preview:PrivateAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/privateAccesses/{privateAccessName}", - "azure-native:chaos/v20240322preview:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", - "azure-native:chaos/v20241101preview:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", - "azure-native:chaos/v20241101preview:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", - "azure-native:chaos/v20241101preview:PrivateAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/privateAccesses/{privateAccessName}", - "azure-native:chaos/v20241101preview:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", - "azure-native:chaos/v20250101:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", - "azure-native:chaos/v20250101:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", - "azure-native:chaos/v20250101:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", "azure-native:chaos:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", "azure-native:chaos:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", "azure-native:chaos:PrivateAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/privateAccesses/{privateAccessName}", "azure-native:chaos:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", - "azure-native:cloudngfw/v20230901:CertificateObjectGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/certificates/{name}", - "azure-native:cloudngfw/v20230901:CertificateObjectLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/certificates/{name}", - "azure-native:cloudngfw/v20230901:Firewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/firewalls/{firewallName}", - "azure-native:cloudngfw/v20230901:FqdnListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/fqdnlists/{name}", - "azure-native:cloudngfw/v20230901:FqdnListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/fqdnlists/{name}", - "azure-native:cloudngfw/v20230901:GlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}", - "azure-native:cloudngfw/v20230901:LocalRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/localRules/{priority}", - "azure-native:cloudngfw/v20230901:LocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}", - "azure-native:cloudngfw/v20230901:PostRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/postRules/{priority}", - "azure-native:cloudngfw/v20230901:PreRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/preRules/{priority}", - "azure-native:cloudngfw/v20230901:PrefixListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/prefixlists/{name}", - "azure-native:cloudngfw/v20230901:PrefixListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/prefixlists/{name}", - "azure-native:cloudngfw/v20231010preview:CertificateObjectGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/certificates/{name}", - "azure-native:cloudngfw/v20231010preview:CertificateObjectLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/certificates/{name}", - "azure-native:cloudngfw/v20231010preview:Firewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/firewalls/{firewallName}", - "azure-native:cloudngfw/v20231010preview:FqdnListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/fqdnlists/{name}", - "azure-native:cloudngfw/v20231010preview:FqdnListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/fqdnlists/{name}", - "azure-native:cloudngfw/v20231010preview:GlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}", - "azure-native:cloudngfw/v20231010preview:LocalRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/localRules/{priority}", - "azure-native:cloudngfw/v20231010preview:LocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}", - "azure-native:cloudngfw/v20231010preview:PostRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/postRules/{priority}", - "azure-native:cloudngfw/v20231010preview:PreRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/preRules/{priority}", - "azure-native:cloudngfw/v20231010preview:PrefixListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/prefixlists/{name}", - "azure-native:cloudngfw/v20231010preview:PrefixListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/prefixlists/{name}", - "azure-native:cloudngfw/v20240119preview:CertificateObjectGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/certificates/{name}", - "azure-native:cloudngfw/v20240119preview:CertificateObjectLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/certificates/{name}", - "azure-native:cloudngfw/v20240119preview:Firewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/firewalls/{firewallName}", - "azure-native:cloudngfw/v20240119preview:FqdnListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/fqdnlists/{name}", - "azure-native:cloudngfw/v20240119preview:FqdnListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/fqdnlists/{name}", - "azure-native:cloudngfw/v20240119preview:GlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}", - "azure-native:cloudngfw/v20240119preview:LocalRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/localRules/{priority}", - "azure-native:cloudngfw/v20240119preview:LocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}", - "azure-native:cloudngfw/v20240119preview:PostRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/postRules/{priority}", - "azure-native:cloudngfw/v20240119preview:PreRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/preRules/{priority}", - "azure-native:cloudngfw/v20240119preview:PrefixListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/prefixlists/{name}", - "azure-native:cloudngfw/v20240119preview:PrefixListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/prefixlists/{name}", - "azure-native:cloudngfw/v20240207preview:CertificateObjectGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/certificates/{name}", - "azure-native:cloudngfw/v20240207preview:CertificateObjectLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/certificates/{name}", - "azure-native:cloudngfw/v20240207preview:Firewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/firewalls/{firewallName}", - "azure-native:cloudngfw/v20240207preview:FqdnListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/fqdnlists/{name}", - "azure-native:cloudngfw/v20240207preview:FqdnListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/fqdnlists/{name}", - "azure-native:cloudngfw/v20240207preview:GlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}", - "azure-native:cloudngfw/v20240207preview:LocalRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/localRules/{priority}", - "azure-native:cloudngfw/v20240207preview:LocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}", - "azure-native:cloudngfw/v20240207preview:PostRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/postRules/{priority}", - "azure-native:cloudngfw/v20240207preview:PreRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/preRules/{priority}", - "azure-native:cloudngfw/v20240207preview:PrefixListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/prefixlists/{name}", - "azure-native:cloudngfw/v20240207preview:PrefixListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/prefixlists/{name}", - "azure-native:cloudngfw/v20250206preview:CertificateObjectGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/certificates/{name}", - "azure-native:cloudngfw/v20250206preview:CertificateObjectLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/certificates/{name}", - "azure-native:cloudngfw/v20250206preview:Firewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/firewalls/{firewallName}", - "azure-native:cloudngfw/v20250206preview:FqdnListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/fqdnlists/{name}", - "azure-native:cloudngfw/v20250206preview:FqdnListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/fqdnlists/{name}", - "azure-native:cloudngfw/v20250206preview:GlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}", - "azure-native:cloudngfw/v20250206preview:LocalRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/localRules/{priority}", - "azure-native:cloudngfw/v20250206preview:LocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}", - "azure-native:cloudngfw/v20250206preview:PostRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/postRules/{priority}", - "azure-native:cloudngfw/v20250206preview:PreRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/preRules/{priority}", - "azure-native:cloudngfw/v20250206preview:PrefixListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/prefixlists/{name}", - "azure-native:cloudngfw/v20250206preview:PrefixListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/prefixlists/{name}", "azure-native:cloudngfw:CertificateObjectGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/certificates/{name}", "azure-native:cloudngfw:CertificateObjectLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/certificates/{name}", "azure-native:cloudngfw:Firewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/firewalls/{firewallName}", @@ -2682,73 +495,8 @@ "azure-native:cloudngfw:PreRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/preRules/{priority}", "azure-native:cloudngfw:PrefixListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/prefixlists/{name}", "azure-native:cloudngfw:PrefixListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/prefixlists/{name}", - "azure-native:codesigning/v20240205preview:CertificateProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CodeSigning/codeSigningAccounts/{accountName}/certificateProfiles/{profileName}", - "azure-native:codesigning/v20240205preview:CodeSigningAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CodeSigning/codeSigningAccounts/{accountName}", - "azure-native:codesigning/v20240930preview:CertificateProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CodeSigning/codeSigningAccounts/{accountName}/certificateProfiles/{profileName}", - "azure-native:codesigning/v20240930preview:CodeSigningAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CodeSigning/codeSigningAccounts/{accountName}", "azure-native:codesigning:CertificateProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CodeSigning/codeSigningAccounts/{accountName}/certificateProfiles/{profileName}", "azure-native:codesigning:CodeSigningAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CodeSigning/codeSigningAccounts/{accountName}", - "azure-native:cognitiveservices/v20230501:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", - "azure-native:cognitiveservices/v20230501:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", - "azure-native:cognitiveservices/v20230501:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", - "azure-native:cognitiveservices/v20230501:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", - "azure-native:cognitiveservices/v20230501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cognitiveservices/v20230501:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", - "azure-native:cognitiveservices/v20231001preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", - "azure-native:cognitiveservices/v20231001preview:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", - "azure-native:cognitiveservices/v20231001preview:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", - "azure-native:cognitiveservices/v20231001preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", - "azure-native:cognitiveservices/v20231001preview:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/encryptionScopes/{encryptionScopeName}", - "azure-native:cognitiveservices/v20231001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cognitiveservices/v20231001preview:RaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}", - "azure-native:cognitiveservices/v20231001preview:RaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", - "azure-native:cognitiveservices/v20231001preview:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiPolicies/{raiPolicyName}", - "azure-native:cognitiveservices/v20231001preview:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", - "azure-native:cognitiveservices/v20240401preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", - "azure-native:cognitiveservices/v20240401preview:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", - "azure-native:cognitiveservices/v20240401preview:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", - "azure-native:cognitiveservices/v20240401preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", - "azure-native:cognitiveservices/v20240401preview:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/encryptionScopes/{encryptionScopeName}", - "azure-native:cognitiveservices/v20240401preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cognitiveservices/v20240401preview:RaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}", - "azure-native:cognitiveservices/v20240401preview:RaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", - "azure-native:cognitiveservices/v20240401preview:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiPolicies/{raiPolicyName}", - "azure-native:cognitiveservices/v20240401preview:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", - "azure-native:cognitiveservices/v20240601preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", - "azure-native:cognitiveservices/v20240601preview:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", - "azure-native:cognitiveservices/v20240601preview:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", - "azure-native:cognitiveservices/v20240601preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", - "azure-native:cognitiveservices/v20240601preview:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/encryptionScopes/{encryptionScopeName}", - "azure-native:cognitiveservices/v20240601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cognitiveservices/v20240601preview:RaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}", - "azure-native:cognitiveservices/v20240601preview:RaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", - "azure-native:cognitiveservices/v20240601preview:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiPolicies/{raiPolicyName}", - "azure-native:cognitiveservices/v20240601preview:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", - "azure-native:cognitiveservices/v20241001:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", - "azure-native:cognitiveservices/v20241001:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", - "azure-native:cognitiveservices/v20241001:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", - "azure-native:cognitiveservices/v20241001:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", - "azure-native:cognitiveservices/v20241001:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/encryptionScopes/{encryptionScopeName}", - "azure-native:cognitiveservices/v20241001:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cognitiveservices/v20241001:RaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}", - "azure-native:cognitiveservices/v20241001:RaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", - "azure-native:cognitiveservices/v20241001:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiPolicies/{raiPolicyName}", - "azure-native:cognitiveservices/v20241001:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", - "azure-native:cognitiveservices/v20250401preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", - "azure-native:cognitiveservices/v20250401preview:AccountCapabilityHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/capabilityHosts/{capabilityHostName}", - "azure-native:cognitiveservices/v20250401preview:AccountConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/connections/{connectionName}", - "azure-native:cognitiveservices/v20250401preview:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", - "azure-native:cognitiveservices/v20250401preview:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", - "azure-native:cognitiveservices/v20250401preview:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", - "azure-native:cognitiveservices/v20250401preview:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/encryptionScopes/{encryptionScopeName}", - "azure-native:cognitiveservices/v20250401preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cognitiveservices/v20250401preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/projects/{projectName}", - "azure-native:cognitiveservices/v20250401preview:ProjectCapabilityHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/projects/{projectName}/capabilityHosts/{capabilityHostName}", - "azure-native:cognitiveservices/v20250401preview:ProjectConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/projects/{projectName}/connections/{connectionName}", - "azure-native:cognitiveservices/v20250401preview:RaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}", - "azure-native:cognitiveservices/v20250401preview:RaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", - "azure-native:cognitiveservices/v20250401preview:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiPolicies/{raiPolicyName}", - "azure-native:cognitiveservices/v20250401preview:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", "azure-native:cognitiveservices:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", "azure-native:cognitiveservices:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", "azure-native:cognitiveservices:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", @@ -2759,233 +507,13 @@ "azure-native:cognitiveservices:RaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", "azure-native:cognitiveservices:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiPolicies/{raiPolicyName}", "azure-native:cognitiveservices:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", - "azure-native:communication/v20230331:CommunicationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}", - "azure-native:communication/v20230331:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}", - "azure-native:communication/v20230331:EmailService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}", - "azure-native:communication/v20230331:SenderUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/senderUsernames/{senderUsername}", - "azure-native:communication/v20230401:CommunicationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}", - "azure-native:communication/v20230401:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}", - "azure-native:communication/v20230401:EmailService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}", - "azure-native:communication/v20230401:SenderUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/senderUsernames/{senderUsername}", - "azure-native:communication/v20230401preview:CommunicationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}", - "azure-native:communication/v20230401preview:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}", - "azure-native:communication/v20230401preview:EmailService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}", - "azure-native:communication/v20230401preview:SenderUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/senderUsernames/{senderUsername}", - "azure-native:communication/v20230601preview:CommunicationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}", - "azure-native:communication/v20230601preview:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}", - "azure-native:communication/v20230601preview:EmailService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}", - "azure-native:communication/v20230601preview:SenderUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/senderUsernames/{senderUsername}", - "azure-native:communication/v20230601preview:SuppressionList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/suppressionLists/{suppressionListName}", - "azure-native:communication/v20230601preview:SuppressionListAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/suppressionLists/{suppressionListName}/suppressionListAddresses/{addressId}", - "azure-native:communication/v20240901preview:CommunicationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}", - "azure-native:communication/v20240901preview:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}", - "azure-native:communication/v20240901preview:EmailService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}", - "azure-native:communication/v20240901preview:SenderUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/senderUsernames/{senderUsername}", - "azure-native:communication/v20240901preview:SmtpUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}/smtpUsernames/{smtpUsername}", - "azure-native:communication/v20240901preview:SuppressionList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/suppressionLists/{suppressionListName}", - "azure-native:communication/v20240901preview:SuppressionListAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/suppressionLists/{suppressionListName}/suppressionListAddresses/{addressId}", "azure-native:communication:CommunicationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}", "azure-native:communication:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}", "azure-native:communication:EmailService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}", "azure-native:communication:SenderUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/senderUsernames/{senderUsername}", "azure-native:communication:SuppressionList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/suppressionLists/{suppressionListName}", "azure-native:communication:SuppressionListAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/suppressionLists/{suppressionListName}/suppressionListAddresses/{addressId}", - "azure-native:community/v20231101:CommunityTraining": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Community/communityTrainings/{communityTrainingName}", "azure-native:community:CommunityTraining": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Community/communityTrainings/{communityTrainingName}", - "azure-native:compute/v20220303:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}", - "azure-native:compute/v20220303:GalleryApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}", - "azure-native:compute/v20220303:GalleryApplicationVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}/versions/{galleryApplicationVersionName}", - "azure-native:compute/v20220303:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}", - "azure-native:compute/v20220303:GalleryImageVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}/versions/{galleryImageVersionName}", - "azure-native:compute/v20220404:CloudService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/cloudServices/{cloudServiceName}", - "azure-native:compute/v20220702:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/disks/{diskName}", - "azure-native:compute/v20220702:DiskAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}", - "azure-native:compute/v20220702:DiskAccessAPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:compute/v20220702:DiskEncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{diskEncryptionSetName}", - "azure-native:compute/v20220702:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/snapshots/{snapshotName}", - "azure-native:compute/v20220801:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", - "azure-native:compute/v20220801:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", - "azure-native:compute/v20220801:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", - "azure-native:compute/v20220801:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", - "azure-native:compute/v20220801:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", - "azure-native:compute/v20220801:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", - "azure-native:compute/v20220801:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", - "azure-native:compute/v20220801:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", - "azure-native:compute/v20220801:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", - "azure-native:compute/v20220801:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", - "azure-native:compute/v20220801:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", - "azure-native:compute/v20220801:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", - "azure-native:compute/v20220801:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", - "azure-native:compute/v20220801:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", - "azure-native:compute/v20220801:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", - "azure-native:compute/v20220801:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", - "azure-native:compute/v20220801:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", - "azure-native:compute/v20220801:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", - "azure-native:compute/v20220803:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}", - "azure-native:compute/v20220803:GalleryApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}", - "azure-native:compute/v20220803:GalleryApplicationVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}/versions/{galleryApplicationVersionName}", - "azure-native:compute/v20220803:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}", - "azure-native:compute/v20220803:GalleryImageVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}/versions/{galleryImageVersionName}", - "azure-native:compute/v20220904:CloudService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/cloudServices/{cloudServiceName}", - "azure-native:compute/v20221101:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", - "azure-native:compute/v20221101:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", - "azure-native:compute/v20221101:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", - "azure-native:compute/v20221101:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", - "azure-native:compute/v20221101:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", - "azure-native:compute/v20221101:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", - "azure-native:compute/v20221101:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", - "azure-native:compute/v20221101:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", - "azure-native:compute/v20221101:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", - "azure-native:compute/v20221101:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", - "azure-native:compute/v20221101:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", - "azure-native:compute/v20221101:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", - "azure-native:compute/v20221101:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", - "azure-native:compute/v20221101:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", - "azure-native:compute/v20221101:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", - "azure-native:compute/v20221101:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", - "azure-native:compute/v20221101:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", - "azure-native:compute/v20221101:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", - "azure-native:compute/v20230102:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/disks/{diskName}", - "azure-native:compute/v20230102:DiskAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}", - "azure-native:compute/v20230102:DiskAccessAPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:compute/v20230102:DiskEncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{diskEncryptionSetName}", - "azure-native:compute/v20230102:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/snapshots/{snapshotName}", - "azure-native:compute/v20230301:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", - "azure-native:compute/v20230301:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", - "azure-native:compute/v20230301:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", - "azure-native:compute/v20230301:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", - "azure-native:compute/v20230301:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", - "azure-native:compute/v20230301:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", - "azure-native:compute/v20230301:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", - "azure-native:compute/v20230301:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", - "azure-native:compute/v20230301:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", - "azure-native:compute/v20230301:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", - "azure-native:compute/v20230301:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", - "azure-native:compute/v20230301:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", - "azure-native:compute/v20230301:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", - "azure-native:compute/v20230301:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", - "azure-native:compute/v20230301:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", - "azure-native:compute/v20230301:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", - "azure-native:compute/v20230301:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", - "azure-native:compute/v20230301:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", - "azure-native:compute/v20230402:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/disks/{diskName}", - "azure-native:compute/v20230402:DiskAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}", - "azure-native:compute/v20230402:DiskAccessAPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:compute/v20230402:DiskEncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{diskEncryptionSetName}", - "azure-native:compute/v20230402:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/snapshots/{snapshotName}", - "azure-native:compute/v20230701:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", - "azure-native:compute/v20230701:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", - "azure-native:compute/v20230701:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", - "azure-native:compute/v20230701:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", - "azure-native:compute/v20230701:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", - "azure-native:compute/v20230701:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", - "azure-native:compute/v20230701:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", - "azure-native:compute/v20230701:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", - "azure-native:compute/v20230701:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", - "azure-native:compute/v20230701:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", - "azure-native:compute/v20230701:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", - "azure-native:compute/v20230701:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", - "azure-native:compute/v20230701:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", - "azure-native:compute/v20230701:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", - "azure-native:compute/v20230701:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", - "azure-native:compute/v20230701:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", - "azure-native:compute/v20230701:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", - "azure-native:compute/v20230701:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", - "azure-native:compute/v20230703:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}", - "azure-native:compute/v20230703:GalleryApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}", - "azure-native:compute/v20230703:GalleryApplicationVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}/versions/{galleryApplicationVersionName}", - "azure-native:compute/v20230703:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}", - "azure-native:compute/v20230703:GalleryImageVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}/versions/{galleryImageVersionName}", - "azure-native:compute/v20230901:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", - "azure-native:compute/v20230901:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", - "azure-native:compute/v20230901:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", - "azure-native:compute/v20230901:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", - "azure-native:compute/v20230901:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", - "azure-native:compute/v20230901:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", - "azure-native:compute/v20230901:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", - "azure-native:compute/v20230901:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", - "azure-native:compute/v20230901:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", - "azure-native:compute/v20230901:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", - "azure-native:compute/v20230901:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", - "azure-native:compute/v20230901:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", - "azure-native:compute/v20230901:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", - "azure-native:compute/v20230901:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", - "azure-native:compute/v20230901:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", - "azure-native:compute/v20230901:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", - "azure-native:compute/v20230901:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", - "azure-native:compute/v20230901:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", - "azure-native:compute/v20231002:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/disks/{diskName}", - "azure-native:compute/v20231002:DiskAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}", - "azure-native:compute/v20231002:DiskAccessAPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:compute/v20231002:DiskEncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{diskEncryptionSetName}", - "azure-native:compute/v20231002:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/snapshots/{snapshotName}", - "azure-native:compute/v20240301:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", - "azure-native:compute/v20240301:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", - "azure-native:compute/v20240301:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", - "azure-native:compute/v20240301:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", - "azure-native:compute/v20240301:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", - "azure-native:compute/v20240301:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", - "azure-native:compute/v20240301:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", - "azure-native:compute/v20240301:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", - "azure-native:compute/v20240301:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", - "azure-native:compute/v20240301:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", - "azure-native:compute/v20240301:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", - "azure-native:compute/v20240301:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", - "azure-native:compute/v20240301:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", - "azure-native:compute/v20240301:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", - "azure-native:compute/v20240301:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", - "azure-native:compute/v20240301:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", - "azure-native:compute/v20240301:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", - "azure-native:compute/v20240301:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", - "azure-native:compute/v20240302:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/disks/{diskName}", - "azure-native:compute/v20240302:DiskAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}", - "azure-native:compute/v20240302:DiskAccessAPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:compute/v20240302:DiskEncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{diskEncryptionSetName}", - "azure-native:compute/v20240302:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/snapshots/{snapshotName}", - "azure-native:compute/v20240303:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}", - "azure-native:compute/v20240303:GalleryApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}", - "azure-native:compute/v20240303:GalleryApplicationVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}/versions/{galleryApplicationVersionName}", - "azure-native:compute/v20240303:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}", - "azure-native:compute/v20240303:GalleryImageVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}/versions/{galleryImageVersionName}", - "azure-native:compute/v20240303:GalleryInVMAccessControlProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/inVMAccessControlProfiles/{inVMAccessControlProfileName}", - "azure-native:compute/v20240303:GalleryInVMAccessControlProfileVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/inVMAccessControlProfiles/{inVMAccessControlProfileName}/versions/{inVMAccessControlProfileVersionName}", - "azure-native:compute/v20240701:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", - "azure-native:compute/v20240701:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", - "azure-native:compute/v20240701:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", - "azure-native:compute/v20240701:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", - "azure-native:compute/v20240701:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", - "azure-native:compute/v20240701:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", - "azure-native:compute/v20240701:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", - "azure-native:compute/v20240701:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", - "azure-native:compute/v20240701:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", - "azure-native:compute/v20240701:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", - "azure-native:compute/v20240701:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", - "azure-native:compute/v20240701:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", - "azure-native:compute/v20240701:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", - "azure-native:compute/v20240701:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", - "azure-native:compute/v20240701:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", - "azure-native:compute/v20240701:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", - "azure-native:compute/v20240701:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", - "azure-native:compute/v20240701:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", - "azure-native:compute/v20241101:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", - "azure-native:compute/v20241101:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", - "azure-native:compute/v20241101:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", - "azure-native:compute/v20241101:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", - "azure-native:compute/v20241101:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", - "azure-native:compute/v20241101:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", - "azure-native:compute/v20241101:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", - "azure-native:compute/v20241101:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", - "azure-native:compute/v20241101:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", - "azure-native:compute/v20241101:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", - "azure-native:compute/v20241101:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", - "azure-native:compute/v20241101:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", - "azure-native:compute/v20241101:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", - "azure-native:compute/v20241101:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", - "azure-native:compute/v20241101:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", - "azure-native:compute/v20241101:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", - "azure-native:compute/v20241101:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", - "azure-native:compute/v20241101:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", - "azure-native:compute/v20241104:CloudService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/cloudServices/{cloudServiceName}", "azure-native:compute:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", "azure-native:compute:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", "azure-native:compute:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", @@ -3017,90 +545,19 @@ "azure-native:compute:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", "azure-native:compute:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", "azure-native:compute:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", - "azure-native:confidentialledger/v20220513:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", - "azure-native:confidentialledger/v20220908preview:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", - "azure-native:confidentialledger/v20220908preview:ManagedCCF": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/managedCCFs/{appName}", - "azure-native:confidentialledger/v20230126preview:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", - "azure-native:confidentialledger/v20230126preview:ManagedCCF": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/managedCCFs/{appName}", - "azure-native:confidentialledger/v20230628preview:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", - "azure-native:confidentialledger/v20230628preview:ManagedCCF": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/managedCCFs/{appName}", - "azure-native:confidentialledger/v20240709preview:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", - "azure-native:confidentialledger/v20240709preview:ManagedCCF": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/managedCCFs/{appName}", - "azure-native:confidentialledger/v20240919preview:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", - "azure-native:confidentialledger/v20240919preview:ManagedCCF": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/managedCCFs/{appName}", "azure-native:confidentialledger:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", "azure-native:confidentialledger:ManagedCCF": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/managedCCFs/{appName}", - "azure-native:confluent/v20211201:Organization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}", - "azure-native:confluent/v20230822:Organization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}", - "azure-native:confluent/v20240213:Organization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}", - "azure-native:confluent/v20240701:Connector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}/clusters/{clusterId}/connectors/{connectorName}", - "azure-native:confluent/v20240701:Organization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}", - "azure-native:confluent/v20240701:OrganizationClusterById": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}/clusters/{clusterId}", - "azure-native:confluent/v20240701:OrganizationEnvironmentById": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}", - "azure-native:confluent/v20240701:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}/clusters/{clusterId}/topics/{topicName}", "azure-native:confluent:Connector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}/clusters/{clusterId}/connectors/{connectorName}", "azure-native:confluent:Organization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}", "azure-native:confluent:OrganizationClusterById": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}/clusters/{clusterId}", "azure-native:confluent:OrganizationEnvironmentById": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}", "azure-native:confluent:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}/clusters/{clusterId}/topics/{topicName}", - "azure-native:connectedcache/v20230501preview:CacheNodesOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/cacheNodes/{customerResourceName}", - "azure-native:connectedcache/v20230501preview:EnterpriseCustomerOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/enterpriseCustomers/{customerResourceName}", - "azure-native:connectedcache/v20230501preview:EnterpriseMccCacheNodesOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/enterpriseMccCustomers/{customerResourceName}/enterpriseMccCacheNodes/{cacheNodeResourceName}", - "azure-native:connectedcache/v20230501preview:EnterpriseMccCustomer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/enterpriseMccCustomers/{customerResourceName}", - "azure-native:connectedcache/v20230501preview:IspCacheNodesOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/ispCustomers/{customerResourceName}/ispCacheNodes/{cacheNodeResourceName}", - "azure-native:connectedcache/v20230501preview:IspCustomer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/ispCustomers/{customerResourceName}", "azure-native:connectedcache:CacheNodesOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/cacheNodes/{customerResourceName}", "azure-native:connectedcache:EnterpriseCustomerOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/enterpriseCustomers/{customerResourceName}", "azure-native:connectedcache:EnterpriseMccCacheNodesOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/enterpriseMccCustomers/{customerResourceName}/enterpriseMccCacheNodes/{cacheNodeResourceName}", "azure-native:connectedcache:EnterpriseMccCustomer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/enterpriseMccCustomers/{customerResourceName}", "azure-native:connectedcache:IspCacheNodesOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/ispCustomers/{customerResourceName}/ispCacheNodes/{cacheNodeResourceName}", "azure-native:connectedcache:IspCustomer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/ispCustomers/{customerResourceName}", - "azure-native:connectedvmwarevsphere/v20220715preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/clusters/{clusterName}", - "azure-native:connectedvmwarevsphere/v20220715preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/datastores/{datastoreName}", - "azure-native:connectedvmwarevsphere/v20220715preview:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/guestAgents/{name}", - "azure-native:connectedvmwarevsphere/v20220715preview:Host": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/hosts/{hostName}", - "azure-native:connectedvmwarevsphere/v20220715preview:HybridIdentityMetadatum": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/hybridIdentityMetadata/{metadataName}", - "azure-native:connectedvmwarevsphere/v20220715preview:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}/inventoryItems/{inventoryItemName}", - "azure-native:connectedvmwarevsphere/v20220715preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/extensions/{extensionName}", - "azure-native:connectedvmwarevsphere/v20220715preview:ResourcePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/resourcePools/{resourcePoolName}", - "azure-native:connectedvmwarevsphere/v20220715preview:VCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}", - "azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}", - "azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineTemplates/{virtualMachineTemplateName}", - "azure-native:connectedvmwarevsphere/v20220715preview:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualNetworks/{virtualNetworkName}", - "azure-native:connectedvmwarevsphere/v20230301preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/clusters/{clusterName}", - "azure-native:connectedvmwarevsphere/v20230301preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/datastores/{datastoreName}", - "azure-native:connectedvmwarevsphere/v20230301preview:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/guestAgents/{name}", - "azure-native:connectedvmwarevsphere/v20230301preview:Host": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/hosts/{hostName}", - "azure-native:connectedvmwarevsphere/v20230301preview:HybridIdentityMetadatum": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/hybridIdentityMetadata/{metadataName}", - "azure-native:connectedvmwarevsphere/v20230301preview:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}/inventoryItems/{inventoryItemName}", - "azure-native:connectedvmwarevsphere/v20230301preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/extensions/{extensionName}", - "azure-native:connectedvmwarevsphere/v20230301preview:ResourcePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/resourcePools/{resourcePoolName}", - "azure-native:connectedvmwarevsphere/v20230301preview:VCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}", - "azure-native:connectedvmwarevsphere/v20230301preview:VMInstanceGuestAgent": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default/guestAgents/default", - "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}", - "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default", - "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineTemplates/{virtualMachineTemplateName}", - "azure-native:connectedvmwarevsphere/v20230301preview:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualNetworks/{virtualNetworkName}", - "azure-native:connectedvmwarevsphere/v20231001:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/clusters/{clusterName}", - "azure-native:connectedvmwarevsphere/v20231001:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/datastores/{datastoreName}", - "azure-native:connectedvmwarevsphere/v20231001:Host": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/hosts/{hostName}", - "azure-native:connectedvmwarevsphere/v20231001:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}/inventoryItems/{inventoryItemName}", - "azure-native:connectedvmwarevsphere/v20231001:ResourcePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/resourcePools/{resourcePoolName}", - "azure-native:connectedvmwarevsphere/v20231001:VCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}", - "azure-native:connectedvmwarevsphere/v20231001:VMInstanceGuestAgent": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default/guestAgents/default", - "azure-native:connectedvmwarevsphere/v20231001:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default", - "azure-native:connectedvmwarevsphere/v20231001:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineTemplates/{virtualMachineTemplateName}", - "azure-native:connectedvmwarevsphere/v20231001:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualNetworks/{virtualNetworkName}", - "azure-native:connectedvmwarevsphere/v20231201:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/clusters/{clusterName}", - "azure-native:connectedvmwarevsphere/v20231201:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/datastores/{datastoreName}", - "azure-native:connectedvmwarevsphere/v20231201:Host": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/hosts/{hostName}", - "azure-native:connectedvmwarevsphere/v20231201:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}/inventoryItems/{inventoryItemName}", - "azure-native:connectedvmwarevsphere/v20231201:ResourcePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/resourcePools/{resourcePoolName}", - "azure-native:connectedvmwarevsphere/v20231201:VCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}", - "azure-native:connectedvmwarevsphere/v20231201:VMInstanceGuestAgent": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default/guestAgents/default", - "azure-native:connectedvmwarevsphere/v20231201:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default", - "azure-native:connectedvmwarevsphere/v20231201:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineTemplates/{virtualMachineTemplateName}", - "azure-native:connectedvmwarevsphere/v20231201:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualNetworks/{virtualNetworkName}", "azure-native:connectedvmwarevsphere:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/clusters/{clusterName}", "azure-native:connectedvmwarevsphere:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/datastores/{datastoreName}", "azure-native:connectedvmwarevsphere:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/guestAgents/{name}", @@ -3115,167 +572,9 @@ "azure-native:connectedvmwarevsphere:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default", "azure-native:connectedvmwarevsphere:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineTemplates/{virtualMachineTemplateName}", "azure-native:connectedvmwarevsphere:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualNetworks/{virtualNetworkName}", - "azure-native:consumption/v20230501:Budget": "/{scope}/providers/Microsoft.Consumption/budgets/{budgetName}", - "azure-native:consumption/v20231101:Budget": "/{scope}/providers/Microsoft.Consumption/budgets/{budgetName}", - "azure-native:consumption/v20240801:Budget": "/{scope}/providers/Microsoft.Consumption/budgets/{budgetName}", "azure-native:consumption:Budget": "/{scope}/providers/Microsoft.Consumption/budgets/{budgetName}", - "azure-native:containerinstance/v20230501:ContainerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroups/{containerGroupName}", - "azure-native:containerinstance/v20240501preview:ContainerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroups/{containerGroupName}", - "azure-native:containerinstance/v20240501preview:ContainerGroupProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroupProfiles/{containerGroupProfileName}", - "azure-native:containerinstance/v20240901preview:ContainerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroups/{containerGroupName}", - "azure-native:containerinstance/v20240901preview:NGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/ngroups/{ngroupsName}", - "azure-native:containerinstance/v20241001preview:ContainerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroups/{containerGroupName}", - "azure-native:containerinstance/v20241101preview:CGProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroupProfiles/{containerGroupProfileName}", - "azure-native:containerinstance/v20241101preview:ContainerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroups/{containerGroupName}", - "azure-native:containerinstance/v20241101preview:NGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/ngroups/{ngroupsName}", "azure-native:containerinstance:ContainerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroups/{containerGroupName}", "azure-native:containerinstance:ContainerGroupProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroupProfiles/{containerGroupProfileName}", - "azure-native:containerregistry/v20190601preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/agentPools/{agentPoolName}", - "azure-native:containerregistry/v20190601preview:Task": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tasks/{taskName}", - "azure-native:containerregistry/v20190601preview:TaskRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/taskRuns/{taskRunName}", - "azure-native:containerregistry/v20191201preview:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", - "azure-native:containerregistry/v20191201preview:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", - "azure-native:containerregistry/v20191201preview:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", - "azure-native:containerregistry/v20191201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20191201preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20191201preview:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20191201preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20201101preview:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", - "azure-native:containerregistry/v20201101preview:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", - "azure-native:containerregistry/v20201101preview:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", - "azure-native:containerregistry/v20201101preview:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", - "azure-native:containerregistry/v20201101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20201101preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20201101preview:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20201101preview:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20201101preview:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20201101preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20210601preview:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", - "azure-native:containerregistry/v20210601preview:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", - "azure-native:containerregistry/v20210601preview:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", - "azure-native:containerregistry/v20210601preview:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", - "azure-native:containerregistry/v20210601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20210601preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20210601preview:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20210601preview:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20210601preview:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20210601preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20210801preview:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", - "azure-native:containerregistry/v20210801preview:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", - "azure-native:containerregistry/v20210801preview:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", - "azure-native:containerregistry/v20210801preview:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", - "azure-native:containerregistry/v20210801preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20210801preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20210801preview:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20210801preview:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20210801preview:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20210801preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20210901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20210901:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20210901:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20210901:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20211201preview:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", - "azure-native:containerregistry/v20211201preview:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", - "azure-native:containerregistry/v20211201preview:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", - "azure-native:containerregistry/v20211201preview:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", - "azure-native:containerregistry/v20211201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20211201preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20211201preview:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20211201preview:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20211201preview:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20211201preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20220201preview:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", - "azure-native:containerregistry/v20220201preview:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", - "azure-native:containerregistry/v20220201preview:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", - "azure-native:containerregistry/v20220201preview:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", - "azure-native:containerregistry/v20220201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20220201preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20220201preview:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20220201preview:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20220201preview:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20220201preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20221201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20221201:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20221201:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20221201:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20221201:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20221201:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20230101preview:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", - "azure-native:containerregistry/v20230101preview:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", - "azure-native:containerregistry/v20230101preview:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", - "azure-native:containerregistry/v20230101preview:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", - "azure-native:containerregistry/v20230101preview:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", - "azure-native:containerregistry/v20230101preview:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", - "azure-native:containerregistry/v20230101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20230101preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20230101preview:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20230101preview:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20230101preview:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20230101preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20230601preview:Archife": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}", - "azure-native:containerregistry/v20230601preview:ArchiveVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}/versions/{archiveVersionName}", - "azure-native:containerregistry/v20230601preview:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", - "azure-native:containerregistry/v20230601preview:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", - "azure-native:containerregistry/v20230601preview:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", - "azure-native:containerregistry/v20230601preview:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", - "azure-native:containerregistry/v20230601preview:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", - "azure-native:containerregistry/v20230601preview:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", - "azure-native:containerregistry/v20230601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20230601preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20230601preview:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20230601preview:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20230601preview:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20230601preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20230701:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", - "azure-native:containerregistry/v20230701:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", - "azure-native:containerregistry/v20230701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20230701:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20230701:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20230701:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20230701:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20230701:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20230801preview:Archife": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}", - "azure-native:containerregistry/v20230801preview:ArchiveVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}/versions/{archiveVersionName}", - "azure-native:containerregistry/v20230801preview:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", - "azure-native:containerregistry/v20230801preview:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", - "azure-native:containerregistry/v20230801preview:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", - "azure-native:containerregistry/v20230801preview:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", - "azure-native:containerregistry/v20230801preview:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", - "azure-native:containerregistry/v20230801preview:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", - "azure-native:containerregistry/v20230801preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20230801preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20230801preview:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20230801preview:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20230801preview:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20230801preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20231101preview:Archife": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}", - "azure-native:containerregistry/v20231101preview:ArchiveVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}/versions/{archiveVersionName}", - "azure-native:containerregistry/v20231101preview:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", - "azure-native:containerregistry/v20231101preview:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", - "azure-native:containerregistry/v20231101preview:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", - "azure-native:containerregistry/v20231101preview:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", - "azure-native:containerregistry/v20231101preview:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", - "azure-native:containerregistry/v20231101preview:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", - "azure-native:containerregistry/v20231101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20231101preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20231101preview:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20231101preview:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20231101preview:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20231101preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerregistry/v20241101preview:Archife": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}", - "azure-native:containerregistry/v20241101preview:ArchiveVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}/versions/{archiveVersionName}", - "azure-native:containerregistry/v20241101preview:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", - "azure-native:containerregistry/v20241101preview:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", - "azure-native:containerregistry/v20241101preview:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", - "azure-native:containerregistry/v20241101preview:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", - "azure-native:containerregistry/v20241101preview:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", - "azure-native:containerregistry/v20241101preview:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", - "azure-native:containerregistry/v20241101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerregistry/v20241101preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", - "azure-native:containerregistry/v20241101preview:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", - "azure-native:containerregistry/v20241101preview:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", - "azure-native:containerregistry/v20241101preview:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", - "azure-native:containerregistry/v20241101preview:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", "azure-native:containerregistry:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/agentPools/{agentPoolName}", "azure-native:containerregistry:Archife": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}", "azure-native:containerregistry:ArchiveVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}/versions/{archiveVersionName}", @@ -3293,475 +592,6 @@ "azure-native:containerregistry:TaskRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/taskRuns/{taskRunName}", "azure-native:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", "azure-native:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", - "azure-native:containerservice/v20191027preview:OpenShiftManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/openShiftManagedClusters/{resourceName}", - "azure-native:containerservice/v20191101:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20191101:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20200101:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20200101:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20200201:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20200201:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20200301:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20200301:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20200401:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20200401:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20200601:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20200601:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20200601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20200701:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20200701:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20200701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20200901:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20200901:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20200901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20201101:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20201101:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20201101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20201201:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20201201:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20201201:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20201201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20210201:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20210201:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20210201:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20210201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20210301:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20210301:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20210301:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20210301:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20210501:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20210501:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20210501:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20210501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20210701:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20210701:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20210701:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20210701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20210801:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20210801:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20210801:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20210801:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20210801:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20210901:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20210901:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20210901:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20210901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20210901:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20211001:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20211001:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20211001:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20211001:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20211001:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20211101preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20211101preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20211101preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20211101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20211101preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220101:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220101:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220101:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220101:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220102preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220102preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220102preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220102preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220102preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220201:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220201:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220201:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220201:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220202preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220202preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220202preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220202preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20220202preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220202preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220301:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220301:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220301:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220301:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220301:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220302preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220302preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220302preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220302preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20220302preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220302preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220401:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220401:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220401:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220401:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220401:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220402preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220402preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220402preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220402preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20220402preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220402preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220402preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20220502preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220502preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220502preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220502preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20220502preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220502preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220502preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20220601:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220601:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220601:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220601:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220602preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220602preview:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", - "azure-native:containerservice/v20220602preview:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", - "azure-native:containerservice/v20220602preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220602preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220602preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20220602preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220602preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220602preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20220701:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220701:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220701:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220701:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220702preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220702preview:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", - "azure-native:containerservice/v20220702preview:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", - "azure-native:containerservice/v20220702preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220702preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220702preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20220702preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220702preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220702preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20220802preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220802preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220802preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220802preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20220802preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220802preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220802preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20220803preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220803preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220803preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220803preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20220803preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220803preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220803preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20220901:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220901:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220901:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220901:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220902preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20220902preview:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", - "azure-native:containerservice/v20220902preview:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", - "azure-native:containerservice/v20220902preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20220902preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20220902preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20220902preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20220902preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20220902preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20221002preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20221002preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20221002preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20221002preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20221002preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20221002preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20221002preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20221101:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20221101:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20221101:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20221101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20221101:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20221102preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20221102preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20221102preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20221102preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20221102preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20221102preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20221102preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20230101:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230101:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230101:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230101:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230102preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230102preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230102preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230102preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20230102preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230102preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230102preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20230201:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230201:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230201:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230201:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230202preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230202preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230202preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230202preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20230202preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230202preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230202preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20230301:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230301:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230301:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230301:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230301:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230302preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230302preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230302preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230302preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20230302preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230302preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230302preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20230315preview:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", - "azure-native:containerservice/v20230315preview:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", - "azure-native:containerservice/v20230315preview:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", - "azure-native:containerservice/v20230401:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230401:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230401:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230401:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230401:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230402preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230402preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230402preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230402preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20230402preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230402preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230402preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20230501:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230501:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230501:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230501:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230502preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230502preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230502preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230502preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20230502preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230502preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230502preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20230601:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230601:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230601:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230601:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230602preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230602preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230602preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230602preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20230602preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230602preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230602preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20230615preview:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", - "azure-native:containerservice/v20230615preview:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", - "azure-native:containerservice/v20230615preview:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", - "azure-native:containerservice/v20230701:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230701:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230701:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230701:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230702preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230702preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230702preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230702preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20230702preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230702preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230702preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20230801:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230801:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230801:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230801:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230801:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230802preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230802preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230802preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230802preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20230802preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230802preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230802preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20230815preview:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", - "azure-native:containerservice/v20230815preview:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", - "azure-native:containerservice/v20230815preview:FleetUpdateStrategy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateStrategies/{updateStrategyName}", - "azure-native:containerservice/v20230815preview:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", - "azure-native:containerservice/v20230901:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230901:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230901:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230901:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230901:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20230902preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20230902preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20230902preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20230902preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20230902preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20230902preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20230902preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20231001:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20231001:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20231001:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20231001:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20231001:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20231001:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20231002preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20231002preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20231002preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20231002preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20231002preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20231002preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20231002preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20231015:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", - "azure-native:containerservice/v20231015:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", - "azure-native:containerservice/v20231015:FleetUpdateStrategy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateStrategies/{updateStrategyName}", - "azure-native:containerservice/v20231015:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", - "azure-native:containerservice/v20231101:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20231101:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20231101:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20231101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20231101:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20231101:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20231102preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20231102preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20231102preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20231102preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20231102preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20231102preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20231102preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240101:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240101:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240101:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240101:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240101:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240102preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240102preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240102preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240102preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20240102preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240102preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240102preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240201:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240201:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240201:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240201:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240201:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240202preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240202preview:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", - "azure-native:containerservice/v20240202preview:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", - "azure-native:containerservice/v20240202preview:FleetUpdateStrategy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateStrategies/{updateStrategyName}", - "azure-native:containerservice/v20240202preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240202preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240202preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20240202preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240202preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240202preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240202preview:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", - "azure-native:containerservice/v20240302preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240302preview:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", - "azure-native:containerservice/v20240302preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240302preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240302preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20240302preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240302preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240302preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240401:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", - "azure-native:containerservice/v20240401:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", - "azure-native:containerservice/v20240401:FleetUpdateStrategy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateStrategies/{updateStrategyName}", - "azure-native:containerservice/v20240401:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", - "azure-native:containerservice/v20240402preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240402preview:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", - "azure-native:containerservice/v20240402preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240402preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240402preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20240402preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240402preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240402preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240501:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240501:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240501:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240501:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240501:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240502preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240502preview:AutoUpgradeProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/autoUpgradeProfiles/{autoUpgradeProfileName}", - "azure-native:containerservice/v20240502preview:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", - "azure-native:containerservice/v20240502preview:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", - "azure-native:containerservice/v20240502preview:FleetUpdateStrategy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateStrategies/{updateStrategyName}", - "azure-native:containerservice/v20240502preview:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", - "azure-native:containerservice/v20240502preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240502preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240502preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20240502preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240502preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240502preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240502preview:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", - "azure-native:containerservice/v20240602preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240602preview:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", - "azure-native:containerservice/v20240602preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240602preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240602preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20240602preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240602preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240602preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240701:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240701:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240701:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240701:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240701:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240702preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240702preview:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", - "azure-native:containerservice/v20240702preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240702preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240702preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20240702preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240702preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240702preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240801:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240801:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240801:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240801:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240801:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240801:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240901:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240901:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240901:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240901:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240901:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20240902preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20240902preview:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", - "azure-native:containerservice/v20240902preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20240902preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20240902preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20240902preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20240902preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20240902preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20241001:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20241001:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20241001:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20241001:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20241001:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20241001:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20241002preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20241002preview:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", - "azure-native:containerservice/v20241002preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20241002preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20241002preview:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", - "azure-native:containerservice/v20241002preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20241002preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20241002preview:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", - "azure-native:containerservice/v20250101:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:containerservice/v20250101:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", - "azure-native:containerservice/v20250101:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", - "azure-native:containerservice/v20250101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:containerservice/v20250101:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", - "azure-native:containerservice/v20250101:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", "azure-native:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", "azure-native:containerservice:AutoUpgradeProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/autoUpgradeProfiles/{autoUpgradeProfileName}", "azure-native:containerservice:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", @@ -3775,889 +605,10 @@ "azure-native:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", "azure-native:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", "azure-native:containerservice:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", - "azure-native:containerstorage/v20230701preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerStorage/pools/{poolName}", - "azure-native:containerstorage/v20230701preview:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerStorage/pools/{poolName}/snapshots/{snapshotName}", - "azure-native:containerstorage/v20230701preview:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerStorage/pools/{poolName}/volumes/{volumeName}", "azure-native:containerstorage:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerStorage/pools/{poolName}", "azure-native:containerstorage:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerStorage/pools/{poolName}/snapshots/{snapshotName}", "azure-native:containerstorage:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerStorage/pools/{poolName}/volumes/{volumeName}", - "azure-native:contoso/v20211001preview:Employee": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Contoso/employees/{employeeName}", - "azure-native:contoso/v20211101:Employee": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Contoso/employees/{employeeName}", "azure-native:contoso:Employee": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Contoso/employees/{employeeName}", - "azure-native:cosmosdb/v20150401:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20150401:DatabaseAccountCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20150401:DatabaseAccountCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20150401:DatabaseAccountGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}", - "azure-native:cosmosdb/v20150401:DatabaseAccountGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20150401:DatabaseAccountMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20150401:DatabaseAccountMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}", - "azure-native:cosmosdb/v20150401:DatabaseAccountSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20150401:DatabaseAccountSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}", - "azure-native:cosmosdb/v20150401:DatabaseAccountTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/table/tables/{tableName}", - "azure-native:cosmosdb/v20150408:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20150408:DatabaseAccountCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20150408:DatabaseAccountCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20150408:DatabaseAccountGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}", - "azure-native:cosmosdb/v20150408:DatabaseAccountGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20150408:DatabaseAccountMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20150408:DatabaseAccountMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}", - "azure-native:cosmosdb/v20150408:DatabaseAccountSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20150408:DatabaseAccountSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}", - "azure-native:cosmosdb/v20150408:DatabaseAccountTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/table/tables/{tableName}", - "azure-native:cosmosdb/v20151106:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20151106:DatabaseAccountCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20151106:DatabaseAccountCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20151106:DatabaseAccountGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}", - "azure-native:cosmosdb/v20151106:DatabaseAccountGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20151106:DatabaseAccountMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20151106:DatabaseAccountMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}", - "azure-native:cosmosdb/v20151106:DatabaseAccountSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20151106:DatabaseAccountSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}", - "azure-native:cosmosdb/v20151106:DatabaseAccountTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/table/tables/{tableName}", - "azure-native:cosmosdb/v20160319:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20160319:DatabaseAccountCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20160319:DatabaseAccountCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20160319:DatabaseAccountGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}", - "azure-native:cosmosdb/v20160319:DatabaseAccountGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20160319:DatabaseAccountMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20160319:DatabaseAccountMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}", - "azure-native:cosmosdb/v20160319:DatabaseAccountSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20160319:DatabaseAccountSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}", - "azure-native:cosmosdb/v20160319:DatabaseAccountTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/table/tables/{tableName}", - "azure-native:cosmosdb/v20160331:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20160331:DatabaseAccountCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20160331:DatabaseAccountCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20160331:DatabaseAccountGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}", - "azure-native:cosmosdb/v20160331:DatabaseAccountGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20160331:DatabaseAccountMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20160331:DatabaseAccountMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}", - "azure-native:cosmosdb/v20160331:DatabaseAccountSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20160331:DatabaseAccountSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}", - "azure-native:cosmosdb/v20160331:DatabaseAccountTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/table/tables/{tableName}", - "azure-native:cosmosdb/v20190801:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20190801:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20190801:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20190801:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20190801:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20190801:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20190801:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20190801:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20190801:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20190801:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20190801:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20190801:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20190801:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20190801:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20190801preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20191212:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20191212:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20191212:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20191212:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20191212:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20191212:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20191212:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20191212:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20191212:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20191212:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20191212:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20191212:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20191212:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20191212:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20200301:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20200301:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20200301:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20200301:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20200301:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20200301:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20200301:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20200301:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20200301:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20200301:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20200301:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20200301:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20200301:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20200301:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20200401:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20200401:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20200401:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20200401:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20200401:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20200401:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20200401:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20200401:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20200401:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20200401:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20200401:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20200401:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20200401:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20200401:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20200601preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20200601preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20200601preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20200601preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20200601preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20200601preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20200601preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20200601preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20200601preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20200601preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20200601preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20200601preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20200601preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20200601preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20200601preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20200601preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20200901:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20200901:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20200901:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20200901:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20200901:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20200901:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20200901:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20200901:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20200901:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20200901:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20200901:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20200901:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20200901:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20200901:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20210115:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20210115:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20210115:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20210115:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20210115:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20210115:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20210115:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20210115:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20210115:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20210115:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20210115:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20210115:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20210115:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20210115:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20210115:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20210301preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20210301preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20210301preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20210301preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20210301preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20210301preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20210301preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20210301preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20210301preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20210301preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20210301preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20210301preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20210301preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20210301preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20210301preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20210301preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20210301preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20210301preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20210301preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20210315:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20210315:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20210315:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20210315:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20210315:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20210315:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20210315:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20210315:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20210315:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20210315:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20210315:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20210315:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20210315:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20210315:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20210315:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20210401preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20210401preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20210401preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20210401preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20210401preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20210401preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20210401preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20210401preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20210401preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20210401preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20210401preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20210401preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20210401preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20210401preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20210401preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20210401preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20210401preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20210401preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20210401preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20210401preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20210415:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20210415:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20210415:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20210415:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20210415:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20210415:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20210415:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20210415:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20210415:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20210415:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20210415:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20210415:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20210415:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20210415:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20210415:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20210415:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20210415:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20210515:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20210515:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20210515:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20210515:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20210515:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20210515:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20210515:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20210515:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20210515:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20210515:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20210515:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20210515:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20210515:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20210515:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20210515:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20210515:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20210515:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20210615:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20210615:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20210615:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20210615:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20210615:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20210615:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20210615:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20210615:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20210615:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20210615:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20210615:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20210615:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20210615:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20210615:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20210615:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20210615:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20210615:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20210701preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20210701preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20210701preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20210701preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20210701preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20210701preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20210701preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20210701preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20210701preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20210701preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20210701preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20210701preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20210701preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20210701preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20210701preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20210701preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20210701preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20210701preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20210701preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20211015:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20211015:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20211015:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20211015:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20211015:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20211015:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20211015:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20211015:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20211015:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20211015:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20211015:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20211015:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20211015:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20211015:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20211015:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20211015:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20211015:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20211015:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20211015:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20211015preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20211015preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20211015preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20211015preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20211015preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20211015preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20211015preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20211015preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20211015preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20211015preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20211015preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20211015preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20211015preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20211015preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20211015preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20211015preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20211015preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20211115preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20211115preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20211115preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20211115preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20211115preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20211115preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20211115preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20211115preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20211115preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20211115preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20211115preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20211115preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20211115preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20211115preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20211115preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20211115preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20211115preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20220215preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20220215preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20220215preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20220215preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20220215preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20220215preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20220215preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20220215preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20220215preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20220215preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20220215preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20220215preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20220215preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20220215preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20220215preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20220215preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20220215preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20220515:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20220515:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20220515:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20220515:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20220515:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20220515:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20220515:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20220515:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20220515:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20220515:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20220515:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20220515:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20220515:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20220515:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20220515:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20220515:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20220515:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20220515:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20220515:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20220515:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20220515preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20220515preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20220515preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20220515preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20220515preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20220515preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20220515preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20220515preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20220515preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20220515preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20220515preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20220515preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20220515preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20220515preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20220515preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20220515preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20220515preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20220815:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20220815:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20220815:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20220815:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20220815:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20220815:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20220815:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20220815:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20220815:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20220815:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20220815:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20220815:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20220815:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20220815:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20220815:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20220815:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20220815:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20220815:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20220815:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20220815:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20220815:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20220815:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20220815preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20220815preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20220815preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20220815preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20220815preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20220815preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20220815preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20220815preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20220815preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20220815preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20220815preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20220815preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20220815preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20220815preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20220815preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20220815preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20220815preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20221115:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20221115:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20221115:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20221115:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20221115:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20221115:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20221115:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20221115:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20221115:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20221115:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20221115:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20221115:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20221115:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20221115:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20221115:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20221115:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20221115:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20221115:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20221115:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20221115:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20221115:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20221115:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20221115preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20221115preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20221115preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20221115preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20221115preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20221115preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20221115preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20221115preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20221115preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20221115preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20221115preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20221115preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20221115preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20221115preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20221115preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20221115preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20221115preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20230301preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20230301preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20230301preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20230301preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20230301preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20230301preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20230301preview:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", - "azure-native:cosmosdb/v20230301preview:MongoClusterFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", - "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20230301preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20230301preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20230301preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20230301preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20230301preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20230301preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20230301preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20230301preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20230301preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20230301preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20230301preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20230315:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20230315:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20230315:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20230315:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20230315:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20230315:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20230315:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20230315:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20230315:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20230315:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20230315:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20230315:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20230315:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20230315:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20230315:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20230315:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20230315:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20230315:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20230315:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20230315:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20230315:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20230315:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20230315preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20230315preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20230315preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20230315preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20230315preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20230315preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20230315preview:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", - "azure-native:cosmosdb/v20230315preview:MongoClusterFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", - "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20230315preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20230315preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20230315preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20230315preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20230315preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20230315preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20230315preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20230315preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20230315preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20230315preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20230315preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20230415:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20230415:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20230415:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20230415:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20230415:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20230415:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20230415:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20230415:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20230415:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20230415:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20230415:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20230415:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20230415:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20230415:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20230415:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20230415:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20230415:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20230415:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20230415:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20230415:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20230415:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20230415:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20230915:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20230915:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20230915:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20230915:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20230915:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20230915:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20230915:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20230915:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20230915:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20230915:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20230915:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20230915:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20230915:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20230915:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20230915:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20230915:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20230915:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20230915:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20230915:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20230915:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20230915:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20230915:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20230915preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20230915preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20230915preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20230915preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20230915preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20230915preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20230915preview:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", - "azure-native:cosmosdb/v20230915preview:MongoClusterFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", - "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20230915preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20230915preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20230915preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20230915preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20230915preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20230915preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20230915preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20230915preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20230915preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20230915preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20230915preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20231115:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20231115:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20231115:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20231115:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20231115:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20231115:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20231115:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20231115:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20231115:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20231115:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20231115:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20231115:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20231115:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20231115:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20231115:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20231115:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20231115:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20231115:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20231115:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20231115:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20231115:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20231115:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20231115preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20231115preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20231115preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20231115preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20231115preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20231115preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20231115preview:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", - "azure-native:cosmosdb/v20231115preview:MongoClusterFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", - "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20231115preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20231115preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20231115preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20231115preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20231115preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20231115preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20231115preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20231115preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20231115preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20231115preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20231115preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20231115preview:ThroughputPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}", - "azure-native:cosmosdb/v20231115preview:ThroughputPoolAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}/throughputPoolAccounts/{throughputPoolAccountName}", - "azure-native:cosmosdb/v20240215preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20240215preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20240215preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20240215preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20240215preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20240215preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20240215preview:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", - "azure-native:cosmosdb/v20240215preview:MongoClusterFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", - "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20240215preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20240215preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20240215preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20240215preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20240215preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20240215preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20240215preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20240215preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20240215preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20240215preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20240215preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20240215preview:ThroughputPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}", - "azure-native:cosmosdb/v20240215preview:ThroughputPoolAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}/throughputPoolAccounts/{throughputPoolAccountName}", - "azure-native:cosmosdb/v20240515:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20240515:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20240515:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20240515:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20240515:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20240515:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20240515:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20240515:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20240515:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20240515:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20240515:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20240515:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20240515:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20240515:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20240515:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20240515:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20240515:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20240515:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20240515:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20240515:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20240515:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20240515:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20240515preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20240515preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20240515preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20240515preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20240515preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20240515preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20240515preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20240515preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20240515preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20240515preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20240515preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20240515preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20240515preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20240515preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20240515preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20240515preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20240515preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20240515preview:ThroughputPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}", - "azure-native:cosmosdb/v20240515preview:ThroughputPoolAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}/throughputPoolAccounts/{throughputPoolAccountName}", - "azure-native:cosmosdb/v20240815:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20240815:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20240815:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20240815:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20240815:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20240815:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20240815:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20240815:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20240815:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20240815:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20240815:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20240815:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20240815:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20240815:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20240815:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20240815:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20240815:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20240815:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20240815:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20240815:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20240815:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20240815:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20240901preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20240901preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20240901preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20240901preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20240901preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20240901preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20240901preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20240901preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20240901preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20240901preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20240901preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20240901preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20240901preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20240901preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20240901preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20240901preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20240901preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20240901preview:ThroughputPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}", - "azure-native:cosmosdb/v20240901preview:ThroughputPoolAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}/throughputPoolAccounts/{throughputPoolAccountName}", - "azure-native:cosmosdb/v20241115:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20241115:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20241115:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20241115:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20241115:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20241115:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20241115:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20241115:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20241115:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20241115:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20241115:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20241115:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20241115:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20241115:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20241115:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20241115:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20241115:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20241115:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20241115:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20241115:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20241115:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20241115:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20241201preview:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", - "azure-native:cosmosdb/v20241201preview:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", - "azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", - "azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", - "azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", - "azure-native:cosmosdb/v20241201preview:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", - "azure-native:cosmosdb/v20241201preview:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", - "azure-native:cosmosdb/v20241201preview:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", - "azure-native:cosmosdb/v20241201preview:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", - "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", - "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", - "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", - "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", - "azure-native:cosmosdb/v20241201preview:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", - "azure-native:cosmosdb/v20241201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:cosmosdb/v20241201preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", - "azure-native:cosmosdb/v20241201preview:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", - "azure-native:cosmosdb/v20241201preview:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", - "azure-native:cosmosdb/v20241201preview:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20241201preview:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20241201preview:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", - "azure-native:cosmosdb/v20241201preview:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", - "azure-native:cosmosdb/v20241201preview:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", - "azure-native:cosmosdb/v20241201preview:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", - "azure-native:cosmosdb/v20241201preview:TableResourceTableRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tableRoleAssignments/{roleAssignmentId}", - "azure-native:cosmosdb/v20241201preview:TableResourceTableRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tableRoleDefinitions/{roleDefinitionId}", - "azure-native:cosmosdb/v20241201preview:ThroughputPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}", - "azure-native:cosmosdb/v20241201preview:ThroughputPoolAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}/throughputPoolAccounts/{throughputPoolAccountName}", "azure-native:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", "azure-native:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", "azure-native:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", @@ -4697,105 +648,6 @@ "azure-native:cosmosdb:TableResourceTableRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tableRoleDefinitions/{roleDefinitionId}", "azure-native:cosmosdb:ThroughputPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}", "azure-native:cosmosdb:ThroughputPoolAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}/throughputPoolAccounts/{throughputPoolAccountName}", - "azure-native:costmanagement/v20180801preview:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.CostManagement/connectors/{connectorName}", - "azure-native:costmanagement/v20180801preview:Report": "/subscriptions/{subscriptionId}/providers/Microsoft.CostManagement/reports/{reportName}", - "azure-native:costmanagement/v20180801preview:ReportByBillingAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/reports/{reportName}", - "azure-native:costmanagement/v20180801preview:ReportByDepartment": "/providers/Microsoft.Billing/departments/{departmentId}/providers/Microsoft.CostManagement/reports/{reportName}", - "azure-native:costmanagement/v20180801preview:ReportByResourceGroupName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CostManagement/reports/{reportName}", - "azure-native:costmanagement/v20190101:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20190301preview:CloudConnector": "/providers/Microsoft.CostManagement/cloudConnectors/{connectorName}", - "azure-native:costmanagement/v20190401preview:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", - "azure-native:costmanagement/v20190401preview:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20190401preview:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20190901:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20191001:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20191101:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20191101:Setting": "/providers/Microsoft.CostManagement/settings/{settingName}", - "azure-native:costmanagement/v20191101:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20191101:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20200301preview:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", - "azure-native:costmanagement/v20200601:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20200601:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20200601:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20201201preview:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20210101:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20211001:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20211001:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20211001:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20220401preview:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20220401preview:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20220601preview:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20220601preview:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20220801preview:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20220801preview:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20221001:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20221001:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20221001:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20221001:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20221001:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20221001preview:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", - "azure-native:costmanagement/v20221001preview:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20221001preview:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20221005preview:MarkupRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/billingProfiles/{billingProfileId}/providers/Microsoft.CostManagement/markupRules/{name}", - "azure-native:costmanagement/v20221005preview:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", - "azure-native:costmanagement/v20221005preview:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20221005preview:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20230301:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20230301:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20230301:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20230301:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20230301:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20230401preview:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", - "azure-native:costmanagement/v20230401preview:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20230401preview:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20230401preview:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20230401preview:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20230401preview:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20230701preview:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20230701preview:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20230701preview:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20230701preview:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20230701preview:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20230801:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", - "azure-native:costmanagement/v20230801:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", - "azure-native:costmanagement/v20230801:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20230801:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20230801:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20230801:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", - "azure-native:costmanagement/v20230801:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20230801:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20230901:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", - "azure-native:costmanagement/v20230901:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", - "azure-native:costmanagement/v20230901:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20230901:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20230901:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20230901:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", - "azure-native:costmanagement/v20230901:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20230901:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20231101:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", - "azure-native:costmanagement/v20231101:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", - "azure-native:costmanagement/v20231101:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20231101:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20231101:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20231101:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", - "azure-native:costmanagement/v20231101:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20231101:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20240801:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", - "azure-native:costmanagement/v20240801:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", - "azure-native:costmanagement/v20240801:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20240801:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20240801:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20240801:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", - "azure-native:costmanagement/v20240801:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20240801:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20241001preview:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", - "azure-native:costmanagement/v20241001preview:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", - "azure-native:costmanagement/v20241001preview:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", - "azure-native:costmanagement/v20241001preview:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20241001preview:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", - "azure-native:costmanagement/v20241001preview:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", - "azure-native:costmanagement/v20241001preview:View": "/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:costmanagement/v20241001preview:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", "azure-native:costmanagement:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", "azure-native:costmanagement:CloudConnector": "/providers/Microsoft.CostManagement/cloudConnectors/{connectorName}", "azure-native:costmanagement:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.CostManagement/connectors/{connectorName}", @@ -4812,17 +664,6 @@ "azure-native:costmanagement:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", "azure-native:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", "azure-native:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", - "azure-native:customerinsights/v20170426:Connector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/connectors/{connectorName}", - "azure-native:customerinsights/v20170426:ConnectorMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/connectors/{connectorName}/mappings/{mappingName}", - "azure-native:customerinsights/v20170426:Hub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}", - "azure-native:customerinsights/v20170426:Kpi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/kpi/{kpiName}", - "azure-native:customerinsights/v20170426:Link": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/links/{linkName}", - "azure-native:customerinsights/v20170426:Prediction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/predictions/{predictionName}", - "azure-native:customerinsights/v20170426:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/profiles/{profileName}", - "azure-native:customerinsights/v20170426:Relationship": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/relationships/{relationshipName}", - "azure-native:customerinsights/v20170426:RelationshipLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/relationshipLinks/{relationshipLinkName}", - "azure-native:customerinsights/v20170426:RoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/roleAssignments/{assignmentName}", - "azure-native:customerinsights/v20170426:View": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/views/{viewName}", "azure-native:customerinsights:Connector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/connectors/{connectorName}", "azure-native:customerinsights:ConnectorMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/connectors/{connectorName}/mappings/{mappingName}", "azure-native:customerinsights:Hub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}", @@ -4834,165 +675,22 @@ "azure-native:customerinsights:RelationshipLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/relationshipLinks/{relationshipLinkName}", "azure-native:customerinsights:RoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/roleAssignments/{assignmentName}", "azure-native:customerinsights:View": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/views/{viewName}", - "azure-native:customproviders/v20180901preview:Association": "/{scope}/providers/Microsoft.CustomProviders/associations/{associationName}", - "azure-native:customproviders/v20180901preview:CustomResourceProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomProviders/resourceProviders/{resourceProviderName}", "azure-native:customproviders:Association": "/{scope}/providers/Microsoft.CustomProviders/associations/{associationName}", "azure-native:customproviders:CustomResourceProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomProviders/resourceProviders/{resourceProviderName}", - "azure-native:dashboard/v20220801:Grafana": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}", - "azure-native:dashboard/v20220801:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dashboard/v20221001preview:Grafana": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}", - "azure-native:dashboard/v20221001preview:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:dashboard/v20221001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dashboard/v20230901:Grafana": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}", - "azure-native:dashboard/v20230901:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:dashboard/v20230901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dashboard/v20231001preview:Grafana": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}", - "azure-native:dashboard/v20231001preview:IntegrationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/integrationFabrics/{integrationFabricName}", - "azure-native:dashboard/v20231001preview:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:dashboard/v20231001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dashboard/v20241001:Grafana": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}", - "azure-native:dashboard/v20241001:IntegrationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/integrationFabrics/{integrationFabricName}", - "azure-native:dashboard/v20241001:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:dashboard/v20241001:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:dashboard:Grafana": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}", "azure-native:dashboard:IntegrationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/integrationFabrics/{integrationFabricName}", "azure-native:dashboard:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/managedPrivateEndpoints/{managedPrivateEndpointName}", "azure-native:dashboard:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:databasefleetmanager/v20250201preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/fleetspaces/{fleetspaceName}/firewallRules/{firewallRuleName}", - "azure-native:databasefleetmanager/v20250201preview:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}", - "azure-native:databasefleetmanager/v20250201preview:FleetDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/fleetspaces/{fleetspaceName}/databases/{databaseName}", - "azure-native:databasefleetmanager/v20250201preview:FleetTier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/tiers/{tierName}", - "azure-native:databasefleetmanager/v20250201preview:Fleetspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/fleetspaces/{fleetspaceName}", "azure-native:databasefleetmanager:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/fleetspaces/{fleetspaceName}/firewallRules/{firewallRuleName}", "azure-native:databasefleetmanager:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}", "azure-native:databasefleetmanager:FleetDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/fleetspaces/{fleetspaceName}/databases/{databaseName}", "azure-native:databasefleetmanager:FleetTier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/tiers/{tierName}", "azure-native:databasefleetmanager:Fleetspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/fleetspaces/{fleetspaceName}", - "azure-native:databasewatcher/v20230901preview:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:databasewatcher/v20230901preview:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/targets/{targetName}", - "azure-native:databasewatcher/v20230901preview:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}", - "azure-native:databasewatcher/v20240719preview:AlertRuleResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/alertRuleResources/{alertRuleResourceName}", - "azure-native:databasewatcher/v20240719preview:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:databasewatcher/v20240719preview:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/targets/{targetName}", - "azure-native:databasewatcher/v20240719preview:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}", - "azure-native:databasewatcher/v20241001preview:AlertRuleResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/alertRuleResources/{alertRuleResourceName}", - "azure-native:databasewatcher/v20241001preview:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:databasewatcher/v20241001preview:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/targets/{targetName}", - "azure-native:databasewatcher/v20241001preview:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}", - "azure-native:databasewatcher/v20250102:AlertRuleResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/alertRuleResources/{alertRuleResourceName}", - "azure-native:databasewatcher/v20250102:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:databasewatcher/v20250102:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/targets/{targetName}", - "azure-native:databasewatcher/v20250102:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}", "azure-native:databasewatcher:AlertRuleResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/alertRuleResources/{alertRuleResourceName}", "azure-native:databasewatcher:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", "azure-native:databasewatcher:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/targets/{targetName}", "azure-native:databasewatcher:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}", - "azure-native:databox/v20221201:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", - "azure-native:databox/v20230301:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", - "azure-native:databox/v20231201:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", - "azure-native:databox/v20240201preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", - "azure-native:databox/v20240301preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", - "azure-native:databox/v20250201:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", "azure-native:databox:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", - "azure-native:databoxedge/v20220301:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", - "azure-native:databoxedge/v20220301:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", - "azure-native:databoxedge/v20220301:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20220301:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", - "azure-native:databoxedge/v20220301:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", - "azure-native:databoxedge/v20220301:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20220301:IoTAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", - "azure-native:databoxedge/v20220301:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20220301:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20220301:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20220301:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", - "azure-native:databoxedge/v20220301:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", - "azure-native:databoxedge/v20220301:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20220301:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", - "azure-native:databoxedge/v20220301:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", - "azure-native:databoxedge/v20220301:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", - "azure-native:databoxedge/v20220301:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", - "azure-native:databoxedge/v20220401preview:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", - "azure-native:databoxedge/v20220401preview:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", - "azure-native:databoxedge/v20220401preview:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20220401preview:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", - "azure-native:databoxedge/v20220401preview:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", - "azure-native:databoxedge/v20220401preview:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20220401preview:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20220401preview:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20220401preview:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20220401preview:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", - "azure-native:databoxedge/v20220401preview:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", - "azure-native:databoxedge/v20220401preview:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20220401preview:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", - "azure-native:databoxedge/v20220401preview:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", - "azure-native:databoxedge/v20220401preview:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", - "azure-native:databoxedge/v20220401preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", - "azure-native:databoxedge/v20221201preview:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", - "azure-native:databoxedge/v20221201preview:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", - "azure-native:databoxedge/v20221201preview:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20221201preview:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", - "azure-native:databoxedge/v20221201preview:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", - "azure-native:databoxedge/v20221201preview:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20221201preview:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20221201preview:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20221201preview:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20221201preview:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", - "azure-native:databoxedge/v20221201preview:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", - "azure-native:databoxedge/v20221201preview:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20221201preview:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", - "azure-native:databoxedge/v20221201preview:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", - "azure-native:databoxedge/v20221201preview:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", - "azure-native:databoxedge/v20221201preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", - "azure-native:databoxedge/v20230101preview:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", - "azure-native:databoxedge/v20230101preview:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", - "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20230101preview:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", - "azure-native:databoxedge/v20230101preview:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", - "azure-native:databoxedge/v20230101preview:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20230101preview:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20230101preview:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20230101preview:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20230101preview:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", - "azure-native:databoxedge/v20230101preview:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", - "azure-native:databoxedge/v20230101preview:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20230101preview:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", - "azure-native:databoxedge/v20230101preview:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", - "azure-native:databoxedge/v20230101preview:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", - "azure-native:databoxedge/v20230101preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", - "azure-native:databoxedge/v20230701:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", - "azure-native:databoxedge/v20230701:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", - "azure-native:databoxedge/v20230701:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20230701:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", - "azure-native:databoxedge/v20230701:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", - "azure-native:databoxedge/v20230701:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20230701:IoTAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", - "azure-native:databoxedge/v20230701:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20230701:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20230701:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20230701:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", - "azure-native:databoxedge/v20230701:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", - "azure-native:databoxedge/v20230701:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20230701:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", - "azure-native:databoxedge/v20230701:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", - "azure-native:databoxedge/v20230701:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", - "azure-native:databoxedge/v20230701:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", - "azure-native:databoxedge/v20231201:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", - "azure-native:databoxedge/v20231201:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", - "azure-native:databoxedge/v20231201:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20231201:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", - "azure-native:databoxedge/v20231201:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", - "azure-native:databoxedge/v20231201:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20231201:IoTAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", - "azure-native:databoxedge/v20231201:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20231201:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20231201:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", - "azure-native:databoxedge/v20231201:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", - "azure-native:databoxedge/v20231201:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", - "azure-native:databoxedge/v20231201:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", - "azure-native:databoxedge/v20231201:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", - "azure-native:databoxedge/v20231201:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", - "azure-native:databoxedge/v20231201:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", - "azure-native:databoxedge/v20231201:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", "azure-native:databoxedge:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", "azure-native:databoxedge:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", "azure-native:databoxedge:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", @@ -5010,53 +708,13 @@ "azure-native:databoxedge:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", "azure-native:databoxedge:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", "azure-native:databoxedge:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", - "azure-native:databricks/v20230201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:databricks/v20230201:VNetPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/virtualNetworkPeerings/{peeringName}", - "azure-native:databricks/v20230201:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}", - "azure-native:databricks/v20230501:AccessConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/accessConnectors/{connectorName}", - "azure-native:databricks/v20230915preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:databricks/v20230915preview:VNetPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/virtualNetworkPeerings/{peeringName}", - "azure-native:databricks/v20230915preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}", - "azure-native:databricks/v20240501:AccessConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/accessConnectors/{connectorName}", - "azure-native:databricks/v20240501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:databricks/v20240501:VNetPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/virtualNetworkPeerings/{peeringName}", - "azure-native:databricks/v20240501:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}", - "azure-native:databricks/v20240901preview:AccessConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/accessConnectors/{connectorName}", - "azure-native:databricks/v20240901preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:databricks/v20240901preview:VNetPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/virtualNetworkPeerings/{peeringName}", - "azure-native:databricks/v20240901preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}", - "azure-native:databricks/v20250301preview:AccessConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/accessConnectors/{connectorName}", - "azure-native:databricks/v20250301preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:databricks/v20250301preview:VNetPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/virtualNetworkPeerings/{peeringName}", - "azure-native:databricks/v20250301preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}", "azure-native:databricks:AccessConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/accessConnectors/{connectorName}", "azure-native:databricks:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:databricks:VNetPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/virtualNetworkPeerings/{peeringName}", "azure-native:databricks:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}", - "azure-native:datacatalog/v20160330:ADCCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataCatalog/catalogs/{catalogName}", "azure-native:datacatalog:ADCCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataCatalog/catalogs/{catalogName}", - "azure-native:datadog/v20220601:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}", - "azure-native:datadog/v20220801:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}", - "azure-native:datadog/v20230101:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}", - "azure-native:datadog/v20230101:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", - "azure-native:datadog/v20230707:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}", - "azure-native:datadog/v20230707:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", - "azure-native:datadog/v20231020:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}", - "azure-native:datadog/v20231020:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", "azure-native:datadog:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}", "azure-native:datadog:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", - "azure-native:datafactory/v20180601:ChangeDataCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/adfcdcs/{changeDataCaptureName}", - "azure-native:datafactory/v20180601:CredentialOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/credentials/{credentialName}", - "azure-native:datafactory/v20180601:DataFlow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/dataflows/{dataFlowName}", - "azure-native:datafactory/v20180601:Dataset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/datasets/{datasetName}", - "azure-native:datafactory/v20180601:Factory": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}", - "azure-native:datafactory/v20180601:GlobalParameter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/globalParameters/{globalParameterName}", - "azure-native:datafactory/v20180601:IntegrationRuntime": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/integrationRuntimes/{integrationRuntimeName}", - "azure-native:datafactory/v20180601:LinkedService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/linkedservices/{linkedServiceName}", - "azure-native:datafactory/v20180601:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/managedVirtualNetworks/{managedVirtualNetworkName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:datafactory/v20180601:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/pipelines/{pipelineName}", - "azure-native:datafactory/v20180601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:datafactory/v20180601:Trigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/triggers/{triggerName}", "azure-native:datafactory:ChangeDataCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/adfcdcs/{changeDataCaptureName}", "azure-native:datafactory:CredentialOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/credentials/{credentialName}", "azure-native:datafactory:DataFlow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/dataflows/{dataFlowName}", @@ -5069,54 +727,13 @@ "azure-native:datafactory:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/pipelines/{pipelineName}", "azure-native:datafactory:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:datafactory:Trigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/triggers/{triggerName}", - "azure-native:datalakeanalytics/v20191101preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeAnalytics/accounts/{accountName}", - "azure-native:datalakeanalytics/v20191101preview:ComputePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeAnalytics/accounts/{accountName}/computePolicies/{computePolicyName}", - "azure-native:datalakeanalytics/v20191101preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeAnalytics/accounts/{accountName}/firewallRules/{firewallRuleName}", "azure-native:datalakeanalytics:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeAnalytics/accounts/{accountName}", "azure-native:datalakeanalytics:ComputePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeAnalytics/accounts/{accountName}/computePolicies/{computePolicyName}", "azure-native:datalakeanalytics:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeAnalytics/accounts/{accountName}/firewallRules/{firewallRuleName}", - "azure-native:datalakestore/v20161101:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}", - "azure-native:datalakestore/v20161101:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}/firewallRules/{firewallRuleName}", - "azure-native:datalakestore/v20161101:TrustedIdProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}/trustedIdProviders/{trustedIdProviderName}", - "azure-native:datalakestore/v20161101:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}/virtualNetworkRules/{virtualNetworkRuleName}", "azure-native:datalakestore:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}", "azure-native:datalakestore:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}/firewallRules/{firewallRuleName}", "azure-native:datalakestore:TrustedIdProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}/trustedIdProviders/{trustedIdProviderName}", "azure-native:datalakestore:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:datamigration/v20210630:File": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/files/{fileName}", - "azure-native:datamigration/v20210630:Project": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}", - "azure-native:datamigration/v20210630:Service": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}", - "azure-native:datamigration/v20210630:ServiceTask": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/serviceTasks/{taskName}", - "azure-native:datamigration/v20210630:Task": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/tasks/{taskName}", - "azure-native:datamigration/v20211030preview:File": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/files/{fileName}", - "azure-native:datamigration/v20211030preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}", - "azure-native:datamigration/v20211030preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}", - "azure-native:datamigration/v20211030preview:ServiceTask": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/serviceTasks/{taskName}", - "azure-native:datamigration/v20211030preview:SqlMigrationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataMigration/sqlMigrationServices/{sqlMigrationServiceName}", - "azure-native:datamigration/v20211030preview:Task": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/tasks/{taskName}", - "azure-native:datamigration/v20220130preview:File": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/files/{fileName}", - "azure-native:datamigration/v20220130preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}", - "azure-native:datamigration/v20220130preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}", - "azure-native:datamigration/v20220130preview:ServiceTask": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/serviceTasks/{taskName}", - "azure-native:datamigration/v20220130preview:SqlMigrationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataMigration/sqlMigrationServices/{sqlMigrationServiceName}", - "azure-native:datamigration/v20220130preview:Task": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/tasks/{taskName}", - "azure-native:datamigration/v20220330preview:DatabaseMigrationsSqlDb": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{sqlDbInstanceName}/providers/Microsoft.DataMigration/databaseMigrations/{targetDbName}", - "azure-native:datamigration/v20220330preview:File": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/files/{fileName}", - "azure-native:datamigration/v20220330preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}", - "azure-native:datamigration/v20220330preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}", - "azure-native:datamigration/v20220330preview:ServiceTask": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/serviceTasks/{taskName}", - "azure-native:datamigration/v20220330preview:SqlMigrationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataMigration/sqlMigrationServices/{sqlMigrationServiceName}", - "azure-native:datamigration/v20220330preview:Task": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/tasks/{taskName}", - "azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbRUMongo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{targetResourceName}/providers/Microsoft.DataMigration/databaseMigrations/{migrationName}", - "azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbvCoreMongo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{targetResourceName}/providers/Microsoft.DataMigration/databaseMigrations/{migrationName}", - "azure-native:datamigration/v20230715preview:DatabaseMigrationsSqlDb": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{sqlDbInstanceName}/providers/Microsoft.DataMigration/databaseMigrations/{targetDbName}", - "azure-native:datamigration/v20230715preview:File": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/files/{fileName}", - "azure-native:datamigration/v20230715preview:MigrationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataMigration/migrationServices/{migrationServiceName}", - "azure-native:datamigration/v20230715preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}", - "azure-native:datamigration/v20230715preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}", - "azure-native:datamigration/v20230715preview:ServiceTask": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/serviceTasks/{taskName}", - "azure-native:datamigration/v20230715preview:SqlMigrationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataMigration/sqlMigrationServices/{sqlMigrationServiceName}", - "azure-native:datamigration/v20230715preview:Task": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/tasks/{taskName}", "azure-native:datamigration:DatabaseMigrationsMongoToCosmosDbRUMongo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{targetResourceName}/providers/Microsoft.DataMigration/databaseMigrations/{migrationName}", "azure-native:datamigration:DatabaseMigrationsMongoToCosmosDbvCoreMongo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{targetResourceName}/providers/Microsoft.DataMigration/databaseMigrations/{migrationName}", "azure-native:datamigration:DatabaseMigrationsSqlDb": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{sqlDbInstanceName}/providers/Microsoft.DataMigration/databaseMigrations/{targetDbName}", @@ -5127,123 +744,17 @@ "azure-native:datamigration:ServiceTask": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/serviceTasks/{taskName}", "azure-native:datamigration:SqlMigrationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataMigration/sqlMigrationServices/{sqlMigrationServiceName}", "azure-native:datamigration:Task": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/tasks/{taskName}", - "azure-native:dataprotection/v20230101:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20230101:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20230101:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20230101:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20230101:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:dataprotection/v20230401preview:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20230401preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20230401preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20230401preview:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20230401preview:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:dataprotection/v20230501:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20230501:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20230501:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20230501:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20230501:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:dataprotection/v20230601preview:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20230601preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20230601preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20230601preview:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20230601preview:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:dataprotection/v20230801preview:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20230801preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20230801preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20230801preview:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20230801preview:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:dataprotection/v20231101:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20231101:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20231101:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20231101:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20231101:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:dataprotection/v20231201:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20231201:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20231201:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20231201:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20231201:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:dataprotection/v20240201preview:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20240201preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20240201preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20240201preview:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20240201preview:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:dataprotection/v20240301:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20240301:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20240301:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20240301:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20240301:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:dataprotection/v20240401:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20240401:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20240401:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20240401:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20240401:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:dataprotection/v20250101:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20250101:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20250101:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20250101:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20250101:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:dataprotection/v20250201:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", - "azure-native:dataprotection/v20250201:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", - "azure-native:dataprotection/v20250201:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - "azure-native:dataprotection/v20250201:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:dataprotection/v20250201:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", "azure-native:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", "azure-native:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", "azure-native:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", "azure-native:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", "azure-native:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", - "azure-native:datareplication/v20210216preview:Dra": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationFabrics/{fabricName}/fabricAgents/{fabricAgentName}", - "azure-native:datareplication/v20210216preview:Fabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationFabrics/{fabricName}", - "azure-native:datareplication/v20210216preview:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/replicationPolicies/{policyName}", - "azure-native:datareplication/v20210216preview:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/protectedItems/{protectedItemName}", - "azure-native:datareplication/v20210216preview:ReplicationExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/replicationExtensions/{replicationExtensionName}", - "azure-native:datareplication/v20210216preview:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}", - "azure-native:datareplication/v20240901:Fabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationFabrics/{fabricName}", - "azure-native:datareplication/v20240901:FabricAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationFabrics/{fabricName}/fabricAgents/{fabricAgentName}", - "azure-native:datareplication/v20240901:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/replicationPolicies/{policyName}", - "azure-native:datareplication/v20240901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:datareplication/v20240901:PrivateEndpointConnectionProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/privateEndpointConnectionProxies/{privateEndpointConnectionProxyName}", - "azure-native:datareplication/v20240901:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/protectedItems/{protectedItemName}", - "azure-native:datareplication/v20240901:ReplicationExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/replicationExtensions/{replicationExtensionName}", - "azure-native:datareplication/v20240901:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}", "azure-native:datareplication:Dra": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationFabrics/{fabricName}/fabricAgents/{fabricAgentName}", "azure-native:datareplication:Fabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationFabrics/{fabricName}", "azure-native:datareplication:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/replicationPolicies/{policyName}", "azure-native:datareplication:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/protectedItems/{protectedItemName}", "azure-native:datareplication:ReplicationExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/replicationExtensions/{replicationExtensionName}", "azure-native:datareplication:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}", - "azure-native:datashare/v20210801:ADLSGen1FileDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:ADLSGen1FolderDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:ADLSGen2FileDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:datashare/v20210801:ADLSGen2FolderDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:datashare/v20210801:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}", - "azure-native:datashare/v20210801:BlobContainerDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:BlobContainerDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:datashare/v20210801:BlobDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:BlobDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:datashare/v20210801:BlobFolderDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:BlobFolderDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:datashare/v20210801:Invitation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/invitations/{invitationName}", - "azure-native:datashare/v20210801:KustoClusterDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:KustoClusterDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:datashare/v20210801:KustoDatabaseDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:datashare/v20210801:KustoTableDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:KustoTableDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:datashare/v20210801:ScheduledSynchronizationSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/synchronizationSettings/{synchronizationSettingName}", - "azure-native:datashare/v20210801:ScheduledTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/triggers/{triggerName}", - "azure-native:datashare/v20210801:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}", - "azure-native:datashare/v20210801:ShareSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}", - "azure-native:datashare/v20210801:SqlDBTableDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:SqlDBTableDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:datashare/v20210801:SqlDWTableDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:SqlDWTableDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", - "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", "azure-native:datashare:ADLSGen1FileDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", "azure-native:datashare:ADLSGen1FolderDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", "azure-native:datashare:ADLSGen2FileDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", @@ -5276,53 +787,12 @@ "azure-native:datashare:SqlDWTableDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", - "azure-native:dbformariadb/v20180601:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/configurations/{configurationName}", - "azure-native:dbformariadb/v20180601:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/databases/{databaseName}", - "azure-native:dbformariadb/v20180601:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbformariadb/v20180601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dbformariadb/v20180601:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}", - "azure-native:dbformariadb/v20180601:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:dbformariadb/v20200101privatepreview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/keys/{keyName}", "azure-native:dbformariadb:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/configurations/{configurationName}", "azure-native:dbformariadb:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/databases/{databaseName}", "azure-native:dbformariadb:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/firewallRules/{firewallRuleName}", "azure-native:dbformariadb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:dbformariadb:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}", "azure-native:dbformariadb:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:dbformysql/v20171201:SingleServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}", - "azure-native:dbformysql/v20171201:SingleServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/configurations/{configurationName}", - "azure-native:dbformysql/v20171201:SingleServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/databases/{databaseName}", - "azure-native:dbformysql/v20171201:SingleServerFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbformysql/v20171201:SingleServerServerAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/administrators/activeDirectory", - "azure-native:dbformysql/v20171201:SingleServerVirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:dbformysql/v20220101:AzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/administrators/{administratorName}", - "azure-native:dbformysql/v20220101:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/configurations/{configurationName}", - "azure-native:dbformysql/v20220101:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/databases/{databaseName}", - "azure-native:dbformysql/v20220101:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbformysql/v20220101:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", - "azure-native:dbformysql/v20220930preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dbformysql/v20220930preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", - "azure-native:dbformysql/v20230601preview:AzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/administrators/{administratorName}", - "azure-native:dbformysql/v20230601preview:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/configurations/{configurationName}", - "azure-native:dbformysql/v20230601preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/databases/{databaseName}", - "azure-native:dbformysql/v20230601preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbformysql/v20230601preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", - "azure-native:dbformysql/v20230630:AzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/administrators/{administratorName}", - "azure-native:dbformysql/v20230630:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/configurations/{configurationName}", - "azure-native:dbformysql/v20230630:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/databases/{databaseName}", - "azure-native:dbformysql/v20230630:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbformysql/v20230630:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dbformysql/v20230630:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", - "azure-native:dbformysql/v20231001preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", - "azure-native:dbformysql/v20231201preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", - "azure-native:dbformysql/v20231230:AzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/administrators/{administratorName}", - "azure-native:dbformysql/v20231230:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/configurations/{configurationName}", - "azure-native:dbformysql/v20231230:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/databases/{databaseName}", - "azure-native:dbformysql/v20231230:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbformysql/v20231230:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", - "azure-native:dbformysql/v20240201preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", - "azure-native:dbformysql/v20240601preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", - "azure-native:dbformysql/v20241001preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", "azure-native:dbformysql:AzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/administrators/{administratorName}", "azure-native:dbformysql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/configurations/{configurationName}", "azure-native:dbformysql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/databases/{databaseName}", @@ -5335,75 +805,6 @@ "azure-native:dbformysql:SingleServerFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/firewallRules/{firewallRuleName}", "azure-native:dbformysql:SingleServerServerAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/administrators/activeDirectory", "azure-native:dbformysql:SingleServerVirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:dbforpostgresql/v20171201:SingleServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}", - "azure-native:dbforpostgresql/v20171201:SingleServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/configurations/{configurationName}", - "azure-native:dbforpostgresql/v20171201:SingleServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/databases/{databaseName}", - "azure-native:dbforpostgresql/v20171201:SingleServerFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbforpostgresql/v20171201:SingleServerServerAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/administrators/activeDirectory", - "azure-native:dbforpostgresql/v20171201:SingleServerServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:dbforpostgresql/v20171201:SingleServerVirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:dbforpostgresql/v20221108:ServerGroupCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}", - "azure-native:dbforpostgresql/v20221108:ServerGroupFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/firewallRules/{firewallRuleName}", - "azure-native:dbforpostgresql/v20221108:ServerGroupPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dbforpostgresql/v20221108:ServerGroupRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/roles/{roleName}", - "azure-native:dbforpostgresql/v20221201:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", - "azure-native:dbforpostgresql/v20221201:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", - "azure-native:dbforpostgresql/v20221201:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", - "azure-native:dbforpostgresql/v20221201:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbforpostgresql/v20221201:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", - "azure-native:dbforpostgresql/v20230301preview:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", - "azure-native:dbforpostgresql/v20230301preview:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", - "azure-native:dbforpostgresql/v20230301preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", - "azure-native:dbforpostgresql/v20230301preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbforpostgresql/v20230301preview:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", - "azure-native:dbforpostgresql/v20230301preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", - "azure-native:dbforpostgresql/v20230302preview:ServerGroupCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}", - "azure-native:dbforpostgresql/v20230302preview:ServerGroupFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/firewallRules/{firewallRuleName}", - "azure-native:dbforpostgresql/v20230302preview:ServerGroupPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dbforpostgresql/v20230302preview:ServerGroupRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/roles/{roleName}", - "azure-native:dbforpostgresql/v20230601preview:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", - "azure-native:dbforpostgresql/v20230601preview:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", - "azure-native:dbforpostgresql/v20230601preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", - "azure-native:dbforpostgresql/v20230601preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbforpostgresql/v20230601preview:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", - "azure-native:dbforpostgresql/v20230601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dbforpostgresql/v20230601preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", - "azure-native:dbforpostgresql/v20230601preview:VirtualEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/virtualendpoints/{virtualEndpointName}", - "azure-native:dbforpostgresql/v20231201preview:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", - "azure-native:dbforpostgresql/v20231201preview:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", - "azure-native:dbforpostgresql/v20231201preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", - "azure-native:dbforpostgresql/v20231201preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbforpostgresql/v20231201preview:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", - "azure-native:dbforpostgresql/v20231201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dbforpostgresql/v20231201preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", - "azure-native:dbforpostgresql/v20231201preview:VirtualEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/virtualendpoints/{virtualEndpointName}", - "azure-native:dbforpostgresql/v20240301preview:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", - "azure-native:dbforpostgresql/v20240301preview:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/backups/{backupName}", - "azure-native:dbforpostgresql/v20240301preview:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", - "azure-native:dbforpostgresql/v20240301preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", - "azure-native:dbforpostgresql/v20240301preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbforpostgresql/v20240301preview:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", - "azure-native:dbforpostgresql/v20240301preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dbforpostgresql/v20240301preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", - "azure-native:dbforpostgresql/v20240301preview:VirtualEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/virtualendpoints/{virtualEndpointName}", - "azure-native:dbforpostgresql/v20240801:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", - "azure-native:dbforpostgresql/v20240801:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/backups/{backupName}", - "azure-native:dbforpostgresql/v20240801:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", - "azure-native:dbforpostgresql/v20240801:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", - "azure-native:dbforpostgresql/v20240801:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbforpostgresql/v20240801:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", - "azure-native:dbforpostgresql/v20240801:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dbforpostgresql/v20240801:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", - "azure-native:dbforpostgresql/v20240801:VirtualEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/virtualendpoints/{virtualEndpointName}", - "azure-native:dbforpostgresql/v20241101preview:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", - "azure-native:dbforpostgresql/v20241101preview:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/backups/{backupName}", - "azure-native:dbforpostgresql/v20241101preview:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", - "azure-native:dbforpostgresql/v20241101preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", - "azure-native:dbforpostgresql/v20241101preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:dbforpostgresql/v20241101preview:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", - "azure-native:dbforpostgresql/v20241101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:dbforpostgresql/v20241101preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", - "azure-native:dbforpostgresql/v20241101preview:VirtualEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/virtualendpoints/{virtualEndpointName}", "azure-native:dbforpostgresql:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", "azure-native:dbforpostgresql:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/backups/{backupName}", "azure-native:dbforpostgresql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", @@ -5424,136 +825,11 @@ "azure-native:dbforpostgresql:SingleServerServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", "azure-native:dbforpostgresql:SingleServerVirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", "azure-native:dbforpostgresql:VirtualEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/virtualendpoints/{virtualEndpointName}", - "azure-native:delegatednetwork/v20210315:ControllerDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/controller/{resourceName}", - "azure-native:delegatednetwork/v20210315:DelegatedSubnetServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/delegatedSubnets/{resourceName}", - "azure-native:delegatednetwork/v20210315:OrchestratorInstanceServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/orchestrators/{resourceName}", - "azure-native:delegatednetwork/v20230518preview:ControllerDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/controller/{resourceName}", - "azure-native:delegatednetwork/v20230518preview:DelegatedSubnetServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/delegatedSubnets/{resourceName}", - "azure-native:delegatednetwork/v20230518preview:OrchestratorInstanceServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/orchestrators/{resourceName}", - "azure-native:delegatednetwork/v20230627preview:ControllerDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/controller/{resourceName}", - "azure-native:delegatednetwork/v20230627preview:DelegatedSubnetServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/delegatedSubnets/{resourceName}", - "azure-native:delegatednetwork/v20230627preview:OrchestratorInstanceServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/orchestrators/{resourceName}", "azure-native:delegatednetwork:ControllerDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/controller/{resourceName}", "azure-native:delegatednetwork:DelegatedSubnetServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/delegatedSubnets/{resourceName}", "azure-native:delegatednetwork:OrchestratorInstanceServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/orchestrators/{resourceName}", - "azure-native:dependencymap/v20250131preview:DiscoverySource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DependencyMap/maps/{mapName}/discoverySources/{sourceName}", - "azure-native:dependencymap/v20250131preview:Map": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DependencyMap/maps/{mapName}", "azure-native:dependencymap:DiscoverySource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DependencyMap/maps/{mapName}/discoverySources/{sourceName}", "azure-native:dependencymap:Map": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DependencyMap/maps/{mapName}", - "azure-native:desktopvirtualization/v20220909:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", - "azure-native:desktopvirtualization/v20220909:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", - "azure-native:desktopvirtualization/v20220909:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", - "azure-native:desktopvirtualization/v20220909:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", - "azure-native:desktopvirtualization/v20220909:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", - "azure-native:desktopvirtualization/v20220909:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20220909:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", - "azure-native:desktopvirtualization/v20221014preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", - "azure-native:desktopvirtualization/v20221014preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", - "azure-native:desktopvirtualization/v20221014preview:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", - "azure-native:desktopvirtualization/v20221014preview:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", - "azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20221014preview:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", - "azure-native:desktopvirtualization/v20221014preview:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20221014preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", - "azure-native:desktopvirtualization/v20230905:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", - "azure-native:desktopvirtualization/v20230905:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", - "azure-native:desktopvirtualization/v20230905:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", - "azure-native:desktopvirtualization/v20230905:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", - "azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20230905:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", - "azure-native:desktopvirtualization/v20230905:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20230905:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20230905:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", - "azure-native:desktopvirtualization/v20231004preview:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", - "azure-native:desktopvirtualization/v20231004preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", - "azure-native:desktopvirtualization/v20231004preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", - "azure-native:desktopvirtualization/v20231004preview:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", - "azure-native:desktopvirtualization/v20231004preview:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", - "azure-native:desktopvirtualization/v20231004preview:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20231004preview:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20231004preview:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", - "azure-native:desktopvirtualization/v20231004preview:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20231004preview:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20231004preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", - "azure-native:desktopvirtualization/v20231101preview:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", - "azure-native:desktopvirtualization/v20231101preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", - "azure-native:desktopvirtualization/v20231101preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", - "azure-native:desktopvirtualization/v20231101preview:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", - "azure-native:desktopvirtualization/v20231101preview:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", - "azure-native:desktopvirtualization/v20231101preview:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20231101preview:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20231101preview:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", - "azure-native:desktopvirtualization/v20231101preview:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20231101preview:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20231101preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", - "azure-native:desktopvirtualization/v20240116preview:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", - "azure-native:desktopvirtualization/v20240116preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", - "azure-native:desktopvirtualization/v20240116preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", - "azure-native:desktopvirtualization/v20240116preview:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", - "azure-native:desktopvirtualization/v20240116preview:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", - "azure-native:desktopvirtualization/v20240116preview:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20240116preview:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20240116preview:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", - "azure-native:desktopvirtualization/v20240116preview:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20240116preview:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20240116preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", - "azure-native:desktopvirtualization/v20240306preview:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", - "azure-native:desktopvirtualization/v20240306preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", - "azure-native:desktopvirtualization/v20240306preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", - "azure-native:desktopvirtualization/v20240306preview:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", - "azure-native:desktopvirtualization/v20240306preview:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", - "azure-native:desktopvirtualization/v20240306preview:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20240306preview:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20240306preview:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", - "azure-native:desktopvirtualization/v20240306preview:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20240306preview:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20240306preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", - "azure-native:desktopvirtualization/v20240403:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", - "azure-native:desktopvirtualization/v20240403:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", - "azure-native:desktopvirtualization/v20240403:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", - "azure-native:desktopvirtualization/v20240403:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", - "azure-native:desktopvirtualization/v20240403:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", - "azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20240403:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", - "azure-native:desktopvirtualization/v20240403:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20240403:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20240403:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", - "azure-native:desktopvirtualization/v20240408preview:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", - "azure-native:desktopvirtualization/v20240408preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", - "azure-native:desktopvirtualization/v20240408preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", - "azure-native:desktopvirtualization/v20240408preview:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", - "azure-native:desktopvirtualization/v20240408preview:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", - "azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20240408preview:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", - "azure-native:desktopvirtualization/v20240408preview:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20240408preview:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20240408preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", - "azure-native:desktopvirtualization/v20240808preview:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", - "azure-native:desktopvirtualization/v20240808preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", - "azure-native:desktopvirtualization/v20240808preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", - "azure-native:desktopvirtualization/v20240808preview:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", - "azure-native:desktopvirtualization/v20240808preview:MSIXPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", - "azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20240808preview:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", - "azure-native:desktopvirtualization/v20240808preview:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20240808preview:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20240808preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", - "azure-native:desktopvirtualization/v20241101preview:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", - "azure-native:desktopvirtualization/v20241101preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", - "azure-native:desktopvirtualization/v20241101preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", - "azure-native:desktopvirtualization/v20241101preview:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", - "azure-native:desktopvirtualization/v20241101preview:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", - "azure-native:desktopvirtualization/v20241101preview:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20241101preview:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:desktopvirtualization/v20241101preview:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", - "azure-native:desktopvirtualization/v20241101preview:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20241101preview:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", - "azure-native:desktopvirtualization/v20241101preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", "azure-native:desktopvirtualization:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", "azure-native:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", "azure-native:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", @@ -5565,142 +841,6 @@ "azure-native:desktopvirtualization:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", "azure-native:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", "azure-native:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", - "azure-native:devcenter/v20230401:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", - "azure-native:devcenter/v20230401:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", - "azure-native:devcenter/v20230401:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", - "azure-native:devcenter/v20230401:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", - "azure-native:devcenter/v20230401:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20230401:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", - "azure-native:devcenter/v20230401:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", - "azure-native:devcenter/v20230401:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", - "azure-native:devcenter/v20230401:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", - "azure-native:devcenter/v20230401:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20230401:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", - "azure-native:devcenter/v20230801preview:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", - "azure-native:devcenter/v20230801preview:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", - "azure-native:devcenter/v20230801preview:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", - "azure-native:devcenter/v20230801preview:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", - "azure-native:devcenter/v20230801preview:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20230801preview:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", - "azure-native:devcenter/v20230801preview:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", - "azure-native:devcenter/v20230801preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", - "azure-native:devcenter/v20230801preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", - "azure-native:devcenter/v20230801preview:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20230801preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", - "azure-native:devcenter/v20231001preview:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", - "azure-native:devcenter/v20231001preview:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", - "azure-native:devcenter/v20231001preview:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", - "azure-native:devcenter/v20231001preview:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", - "azure-native:devcenter/v20231001preview:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20231001preview:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", - "azure-native:devcenter/v20231001preview:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", - "azure-native:devcenter/v20231001preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", - "azure-native:devcenter/v20231001preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", - "azure-native:devcenter/v20231001preview:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20231001preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", - "azure-native:devcenter/v20240201:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", - "azure-native:devcenter/v20240201:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", - "azure-native:devcenter/v20240201:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", - "azure-native:devcenter/v20240201:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", - "azure-native:devcenter/v20240201:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20240201:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", - "azure-native:devcenter/v20240201:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", - "azure-native:devcenter/v20240201:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", - "azure-native:devcenter/v20240201:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", - "azure-native:devcenter/v20240201:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", - "azure-native:devcenter/v20240201:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20240201:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", - "azure-native:devcenter/v20240501preview:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", - "azure-native:devcenter/v20240501preview:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", - "azure-native:devcenter/v20240501preview:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", - "azure-native:devcenter/v20240501preview:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", - "azure-native:devcenter/v20240501preview:EncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/encryptionSets/{encryptionSetName}", - "azure-native:devcenter/v20240501preview:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20240501preview:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", - "azure-native:devcenter/v20240501preview:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", - "azure-native:devcenter/v20240501preview:Plan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}", - "azure-native:devcenter/v20240501preview:PlanMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}/members/{memberName}", - "azure-native:devcenter/v20240501preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", - "azure-native:devcenter/v20240501preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", - "azure-native:devcenter/v20240501preview:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", - "azure-native:devcenter/v20240501preview:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20240501preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", - "azure-native:devcenter/v20240601preview:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", - "azure-native:devcenter/v20240601preview:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", - "azure-native:devcenter/v20240601preview:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", - "azure-native:devcenter/v20240601preview:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", - "azure-native:devcenter/v20240601preview:EncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/encryptionSets/{encryptionSetName}", - "azure-native:devcenter/v20240601preview:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20240601preview:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", - "azure-native:devcenter/v20240601preview:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", - "azure-native:devcenter/v20240601preview:Plan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}", - "azure-native:devcenter/v20240601preview:PlanMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}/members/{memberName}", - "azure-native:devcenter/v20240601preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", - "azure-native:devcenter/v20240601preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", - "azure-native:devcenter/v20240601preview:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", - "azure-native:devcenter/v20240601preview:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20240601preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", - "azure-native:devcenter/v20240701preview:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", - "azure-native:devcenter/v20240701preview:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", - "azure-native:devcenter/v20240701preview:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", - "azure-native:devcenter/v20240701preview:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", - "azure-native:devcenter/v20240701preview:EncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/encryptionSets/{encryptionSetName}", - "azure-native:devcenter/v20240701preview:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20240701preview:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", - "azure-native:devcenter/v20240701preview:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", - "azure-native:devcenter/v20240701preview:Plan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}", - "azure-native:devcenter/v20240701preview:PlanMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}/members/{memberName}", - "azure-native:devcenter/v20240701preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", - "azure-native:devcenter/v20240701preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", - "azure-native:devcenter/v20240701preview:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", - "azure-native:devcenter/v20240701preview:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20240701preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", - "azure-native:devcenter/v20240801preview:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", - "azure-native:devcenter/v20240801preview:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", - "azure-native:devcenter/v20240801preview:CurationProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/curationProfiles/{curationProfileName}", - "azure-native:devcenter/v20240801preview:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", - "azure-native:devcenter/v20240801preview:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", - "azure-native:devcenter/v20240801preview:EncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/encryptionSets/{encryptionSetName}", - "azure-native:devcenter/v20240801preview:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20240801preview:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", - "azure-native:devcenter/v20240801preview:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", - "azure-native:devcenter/v20240801preview:Plan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}", - "azure-native:devcenter/v20240801preview:PlanMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}/members/{memberName}", - "azure-native:devcenter/v20240801preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", - "azure-native:devcenter/v20240801preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", - "azure-native:devcenter/v20240801preview:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", - "azure-native:devcenter/v20240801preview:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20240801preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", - "azure-native:devcenter/v20241001preview:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", - "azure-native:devcenter/v20241001preview:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", - "azure-native:devcenter/v20241001preview:CurationProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/curationProfiles/{curationProfileName}", - "azure-native:devcenter/v20241001preview:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", - "azure-native:devcenter/v20241001preview:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", - "azure-native:devcenter/v20241001preview:EncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/encryptionSets/{encryptionSetName}", - "azure-native:devcenter/v20241001preview:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20241001preview:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", - "azure-native:devcenter/v20241001preview:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", - "azure-native:devcenter/v20241001preview:Plan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}", - "azure-native:devcenter/v20241001preview:PlanMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}/members/{memberName}", - "azure-native:devcenter/v20241001preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", - "azure-native:devcenter/v20241001preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", - "azure-native:devcenter/v20241001preview:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", - "azure-native:devcenter/v20241001preview:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20241001preview:ProjectPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/projectPolicies/{projectPolicyName}", - "azure-native:devcenter/v20241001preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", - "azure-native:devcenter/v20250201:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", - "azure-native:devcenter/v20250201:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", - "azure-native:devcenter/v20250201:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", - "azure-native:devcenter/v20250201:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", - "azure-native:devcenter/v20250201:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20250201:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", - "azure-native:devcenter/v20250201:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", - "azure-native:devcenter/v20250201:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", - "azure-native:devcenter/v20250201:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", - "azure-native:devcenter/v20250201:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", - "azure-native:devcenter/v20250201:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", - "azure-native:devcenter/v20250201:ProjectPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/projectPolicies/{projectPolicyName}", - "azure-native:devcenter/v20250201:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", "azure-native:devcenter:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", "azure-native:devcenter:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", "azure-native:devcenter:CurationProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/curationProfiles/{curationProfileName}", @@ -5718,59 +858,11 @@ "azure-native:devcenter:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", "azure-native:devcenter:ProjectPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/projectPolicies/{projectPolicyName}", "azure-native:devcenter:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", - "azure-native:devhub/v20221011preview:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/workflows/{workflowName}", - "azure-native:devhub/v20230801:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/workflows/{workflowName}", - "azure-native:devhub/v20240501preview:IacProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/iacProfiles/{iacProfileName}", - "azure-native:devhub/v20240501preview:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/workflows/{workflowName}", - "azure-native:devhub/v20240801preview:IacProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/iacProfiles/{iacProfileName}", - "azure-native:devhub/v20240801preview:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/workflows/{workflowName}", - "azure-native:devhub/v20250301preview:IacProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/iacProfiles/{iacProfileName}", - "azure-native:devhub/v20250301preview:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/workflows/{workflowName}", "azure-native:devhub:IacProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/iacProfiles/{iacProfileName}", "azure-native:devhub:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/workflows/{workflowName}", - "azure-native:deviceprovisioningservices/v20170821preview:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", - "azure-native:deviceprovisioningservices/v20170821preview:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", - "azure-native:deviceprovisioningservices/v20171115:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", - "azure-native:deviceprovisioningservices/v20171115:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", - "azure-native:deviceprovisioningservices/v20180122:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", - "azure-native:deviceprovisioningservices/v20180122:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", - "azure-native:deviceprovisioningservices/v20200101:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", - "azure-native:deviceprovisioningservices/v20200101:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", - "azure-native:deviceprovisioningservices/v20200301:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", - "azure-native:deviceprovisioningservices/v20200301:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", - "azure-native:deviceprovisioningservices/v20200301:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:deviceprovisioningservices/v20200901preview:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", - "azure-native:deviceprovisioningservices/v20200901preview:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", - "azure-native:deviceprovisioningservices/v20200901preview:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:deviceprovisioningservices/v20211015:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", - "azure-native:deviceprovisioningservices/v20211015:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", - "azure-native:deviceprovisioningservices/v20211015:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:deviceprovisioningservices/v20220205:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", - "azure-native:deviceprovisioningservices/v20220205:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", - "azure-native:deviceprovisioningservices/v20220205:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:deviceprovisioningservices/v20221212:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", - "azure-native:deviceprovisioningservices/v20221212:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", - "azure-native:deviceprovisioningservices/v20221212:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:deviceprovisioningservices/v20230301preview:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", - "azure-native:deviceprovisioningservices/v20230301preview:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", - "azure-native:deviceprovisioningservices/v20230301preview:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:deviceprovisioningservices/v20250201preview:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", - "azure-native:deviceprovisioningservices/v20250201preview:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", - "azure-native:deviceprovisioningservices/v20250201preview:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", "azure-native:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", "azure-native:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:deviceregistry/v20231101preview:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assets/{assetName}", - "azure-native:deviceregistry/v20231101preview:AssetEndpointProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assetEndpointProfiles/{assetEndpointProfileName}", - "azure-native:deviceregistry/v20240901preview:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assets/{assetName}", - "azure-native:deviceregistry/v20240901preview:AssetEndpointProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assetEndpointProfiles/{assetEndpointProfileName}", - "azure-native:deviceregistry/v20240901preview:DiscoveredAsset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/discoveredAssets/{discoveredAssetName}", - "azure-native:deviceregistry/v20240901preview:DiscoveredAssetEndpointProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/discoveredAssetEndpointProfiles/{discoveredAssetEndpointProfileName}", - "azure-native:deviceregistry/v20240901preview:Schema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/schemaRegistries/{schemaRegistryName}/schemas/{schemaName}", - "azure-native:deviceregistry/v20240901preview:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/schemaRegistries/{schemaRegistryName}", - "azure-native:deviceregistry/v20240901preview:SchemaVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/schemaRegistries/{schemaRegistryName}/schemas/{schemaName}/schemaVersions/{schemaVersionName}", - "azure-native:deviceregistry/v20241101:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assets/{assetName}", - "azure-native:deviceregistry/v20241101:AssetEndpointProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assetEndpointProfiles/{assetEndpointProfileName}", "azure-native:deviceregistry:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assets/{assetName}", "azure-native:deviceregistry:AssetEndpointProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assetEndpointProfiles/{assetEndpointProfileName}", "azure-native:deviceregistry:DiscoveredAsset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/discoveredAssets/{discoveredAssetName}", @@ -5778,41 +870,12 @@ "azure-native:deviceregistry:Schema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/schemaRegistries/{schemaRegistryName}/schemas/{schemaName}", "azure-native:deviceregistry:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/schemaRegistries/{schemaRegistryName}", "azure-native:deviceregistry:SchemaVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/schemaRegistries/{schemaRegistryName}/schemas/{schemaName}/schemaVersions/{schemaVersionName}", - "azure-native:deviceupdate/v20230701:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}", - "azure-native:deviceupdate/v20230701:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}/instances/{instanceName}", - "azure-native:deviceupdate/v20230701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:deviceupdate/v20230701:PrivateEndpointConnectionProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}/privateEndpointConnectionProxies/{privateEndpointConnectionProxyId}", "azure-native:deviceupdate:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}", "azure-native:deviceupdate:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}/instances/{instanceName}", "azure-native:deviceupdate:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:deviceupdate:PrivateEndpointConnectionProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}/privateEndpointConnectionProxies/{privateEndpointConnectionProxyId}", - "azure-native:devopsinfrastructure/v20231030preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", - "azure-native:devopsinfrastructure/v20231213preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", - "azure-native:devopsinfrastructure/v20240326preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", - "azure-native:devopsinfrastructure/v20240404preview:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", - "azure-native:devopsinfrastructure/v20241019:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", - "azure-native:devopsinfrastructure/v20250121:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", "azure-native:devopsinfrastructure:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", - "azure-native:devspaces/v20190401:Controller": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevSpaces/controllers/{name}", "azure-native:devspaces:Controller": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevSpaces/controllers/{name}", - "azure-native:devtestlab/v20180915:ArtifactSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/artifactsources/{name}", - "azure-native:devtestlab/v20180915:CustomImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/customimages/{name}", - "azure-native:devtestlab/v20180915:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{userName}/disks/{name}", - "azure-native:devtestlab/v20180915:Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{userName}/environments/{name}", - "azure-native:devtestlab/v20180915:Formula": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/formulas/{name}", - "azure-native:devtestlab/v20180915:GlobalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/schedules/{name}", - "azure-native:devtestlab/v20180915:Lab": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{name}", - "azure-native:devtestlab/v20180915:NotificationChannel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/notificationchannels/{name}", - "azure-native:devtestlab/v20180915:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/policysets/{policySetName}/policies/{name}", - "azure-native:devtestlab/v20180915:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/schedules/{name}", - "azure-native:devtestlab/v20180915:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{userName}/secrets/{name}", - "azure-native:devtestlab/v20180915:ServiceFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{userName}/servicefabrics/{name}", - "azure-native:devtestlab/v20180915:ServiceFabricSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{userName}/servicefabrics/{serviceFabricName}/schedules/{name}", - "azure-native:devtestlab/v20180915:ServiceRunner": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/servicerunners/{name}", - "azure-native:devtestlab/v20180915:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{name}", - "azure-native:devtestlab/v20180915:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/virtualmachines/{name}", - "azure-native:devtestlab/v20180915:VirtualMachineSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/virtualmachines/{virtualMachineName}/schedules/{name}", - "azure-native:devtestlab/v20180915:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/virtualnetworks/{name}", "azure-native:devtestlab:ArtifactSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/artifactsources/{name}", "azure-native:devtestlab:CustomImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/customimages/{name}", "azure-native:devtestlab:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{userName}/disks/{name}", @@ -5831,54 +894,13 @@ "azure-native:devtestlab:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/virtualmachines/{name}", "azure-native:devtestlab:VirtualMachineSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/virtualmachines/{virtualMachineName}/schedules/{name}", "azure-native:devtestlab:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/virtualnetworks/{name}", - "azure-native:digitaltwins/v20230131:DigitalTwin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}", - "azure-native:digitaltwins/v20230131:DigitalTwinsEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}/endpoints/{endpointName}", - "azure-native:digitaltwins/v20230131:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:digitaltwins/v20230131:TimeSeriesDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}/timeSeriesDatabaseConnections/{timeSeriesDatabaseConnectionName}", "azure-native:digitaltwins:DigitalTwin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}", "azure-native:digitaltwins:DigitalTwinsEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}/endpoints/{endpointName}", "azure-native:digitaltwins:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:digitaltwins:TimeSeriesDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}/timeSeriesDatabaseConnections/{timeSeriesDatabaseConnectionName}", - "azure-native:dns/v20150504preview:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnszones/{zoneName}/{recordType}/{relativeRecordSetName}", - "azure-native:dns/v20150504preview:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnszones/{zoneName}", - "azure-native:dns/v20160401:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", - "azure-native:dns/v20160401:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", - "azure-native:dns/v20170901:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", - "azure-native:dns/v20170901:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", - "azure-native:dns/v20171001:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", - "azure-native:dns/v20171001:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", - "azure-native:dns/v20180301preview:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", - "azure-native:dns/v20180301preview:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", - "azure-native:dns/v20180501:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", - "azure-native:dns/v20180501:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", - "azure-native:dns/v20230701preview:DnssecConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/dnssecConfigs/default", - "azure-native:dns/v20230701preview:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", - "azure-native:dns/v20230701preview:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", "azure-native:dns:DnssecConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/dnssecConfigs/default", "azure-native:dns:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", "azure-native:dns:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", - "azure-native:dnsresolver/v20200401preview:DnsForwardingRuleset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}", - "azure-native:dnsresolver/v20200401preview:DnsResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}", - "azure-native:dnsresolver/v20200401preview:ForwardingRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/forwardingRules/{forwardingRuleName}", - "azure-native:dnsresolver/v20200401preview:InboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/inboundEndpoints/{inboundEndpointName}", - "azure-native:dnsresolver/v20200401preview:OutboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/outboundEndpoints/{outboundEndpointName}", - "azure-native:dnsresolver/v20200401preview:PrivateResolverVirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/virtualNetworkLinks/{virtualNetworkLinkName}", - "azure-native:dnsresolver/v20220701:DnsForwardingRuleset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}", - "azure-native:dnsresolver/v20220701:DnsResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}", - "azure-native:dnsresolver/v20220701:ForwardingRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/forwardingRules/{forwardingRuleName}", - "azure-native:dnsresolver/v20220701:InboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/inboundEndpoints/{inboundEndpointName}", - "azure-native:dnsresolver/v20220701:OutboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/outboundEndpoints/{outboundEndpointName}", - "azure-native:dnsresolver/v20220701:PrivateResolverVirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/virtualNetworkLinks/{virtualNetworkLinkName}", - "azure-native:dnsresolver/v20230701preview:DnsForwardingRuleset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}", - "azure-native:dnsresolver/v20230701preview:DnsResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}", - "azure-native:dnsresolver/v20230701preview:DnsResolverDomainList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolverDomainLists/{dnsResolverDomainListName}", - "azure-native:dnsresolver/v20230701preview:DnsResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolverPolicies/{dnsResolverPolicyName}", - "azure-native:dnsresolver/v20230701preview:DnsResolverPolicyVirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolverPolicies/{dnsResolverPolicyName}/virtualNetworkLinks/{dnsResolverPolicyVirtualNetworkLinkName}", - "azure-native:dnsresolver/v20230701preview:DnsSecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolverPolicies/{dnsResolverPolicyName}/dnsSecurityRules/{dnsSecurityRuleName}", - "azure-native:dnsresolver/v20230701preview:ForwardingRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/forwardingRules/{forwardingRuleName}", - "azure-native:dnsresolver/v20230701preview:InboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/inboundEndpoints/{inboundEndpointName}", - "azure-native:dnsresolver/v20230701preview:OutboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/outboundEndpoints/{outboundEndpointName}", - "azure-native:dnsresolver/v20230701preview:PrivateResolverVirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/virtualNetworkLinks/{virtualNetworkLinkName}", "azure-native:dnsresolver:DnsForwardingRuleset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}", "azure-native:dnsresolver:DnsResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}", "azure-native:dnsresolver:DnsResolverDomainList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolverDomainLists/{dnsResolverDomainListName}", @@ -5889,251 +911,31 @@ "azure-native:dnsresolver:InboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/inboundEndpoints/{inboundEndpointName}", "azure-native:dnsresolver:OutboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/outboundEndpoints/{outboundEndpointName}", "azure-native:dnsresolver:PrivateResolverVirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/virtualNetworkLinks/{virtualNetworkLinkName}", - "azure-native:domainregistration/v20220901:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}", - "azure-native:domainregistration/v20220901:DomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}/domainOwnershipIdentifiers/{name}", - "azure-native:domainregistration/v20230101:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}", - "azure-native:domainregistration/v20230101:DomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}/domainOwnershipIdentifiers/{name}", - "azure-native:domainregistration/v20231201:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}", - "azure-native:domainregistration/v20231201:DomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}/domainOwnershipIdentifiers/{name}", - "azure-native:domainregistration/v20240401:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}", - "azure-native:domainregistration/v20240401:DomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}/domainOwnershipIdentifiers/{name}", "azure-native:domainregistration:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}", "azure-native:domainregistration:DomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}/domainOwnershipIdentifiers/{name}", - "azure-native:durabletask/v20241001preview:Scheduler": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DurableTask/schedulers/{schedulerName}", - "azure-native:durabletask/v20241001preview:TaskHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DurableTask/schedulers/{schedulerName}/taskHubs/{taskHubName}", "azure-native:durabletask:Scheduler": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DurableTask/schedulers/{schedulerName}", "azure-native:durabletask:TaskHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DurableTask/schedulers/{schedulerName}/taskHubs/{taskHubName}", - "azure-native:dynamics365fraudprotection/v20210201preview:InstanceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dynamics365FraudProtection/instances/{instanceName}", "azure-native:dynamics365fraudprotection:InstanceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dynamics365FraudProtection/instances/{instanceName}", - "azure-native:easm/v20230401preview:LabelByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Easm/workspaces/{workspaceName}/labels/{labelName}", - "azure-native:easm/v20230401preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Easm/workspaces/{workspaceName}", "azure-native:easm:LabelByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Easm/workspaces/{workspaceName}/labels/{labelName}", "azure-native:easm:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Easm/workspaces/{workspaceName}", - "azure-native:edge/v20240201preview:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Edge/sites/{siteName}", - "azure-native:edge/v20240201preview:SitesBySubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Edge/sites/{siteName}", "azure-native:edge:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Edge/sites/{siteName}", "azure-native:edge:SitesBySubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Edge/sites/{siteName}", - "azure-native:edgeorder/v20211201:AddressByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/addresses/{addressName}", - "azure-native:edgeorder/v20211201:OrderItemByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/orderItems/{orderItemName}", - "azure-native:edgeorder/v20220501preview:Address": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/addresses/{addressName}", - "azure-native:edgeorder/v20220501preview:OrderItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/orderItems/{orderItemName}", - "azure-native:edgeorder/v20240201:Address": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/addresses/{addressName}", - "azure-native:edgeorder/v20240201:OrderItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/orderItems/{orderItemName}", "azure-native:edgeorder:Address": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/addresses/{addressName}", "azure-native:edgeorder:OrderItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/orderItems/{orderItemName}", - "azure-native:education/v20211201preview:Lab": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}/invoiceSections/{invoiceSectionName}/providers/Microsoft.Education/labs/default", - "azure-native:education/v20211201preview:Student": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}/invoiceSections/{invoiceSectionName}/providers/Microsoft.Education/labs/default/students/{studentAlias}", "azure-native:education:Lab": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}/invoiceSections/{invoiceSectionName}/providers/Microsoft.Education/labs/default", "azure-native:education:Student": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}/invoiceSections/{invoiceSectionName}/providers/Microsoft.Education/labs/default/students/{studentAlias}", - "azure-native:elastic/v20230601:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", - "azure-native:elastic/v20230601:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", - "azure-native:elastic/v20230615preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", - "azure-native:elastic/v20230615preview:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", - "azure-native:elastic/v20230701preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", - "azure-native:elastic/v20230701preview:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", - "azure-native:elastic/v20231001preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", - "azure-native:elastic/v20231001preview:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", - "azure-native:elastic/v20231101preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", - "azure-native:elastic/v20231101preview:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", - "azure-native:elastic/v20240101preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", - "azure-native:elastic/v20240101preview:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", - "azure-native:elastic/v20240101preview:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", - "azure-native:elastic/v20240301:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", - "azure-native:elastic/v20240301:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", - "azure-native:elastic/v20240301:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", - "azure-native:elastic/v20240501preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", - "azure-native:elastic/v20240501preview:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", - "azure-native:elastic/v20240501preview:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", - "azure-native:elastic/v20240501preview:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", - "azure-native:elastic/v20240615preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", - "azure-native:elastic/v20240615preview:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", - "azure-native:elastic/v20240615preview:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", - "azure-native:elastic/v20240615preview:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", - "azure-native:elastic/v20241001preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", - "azure-native:elastic/v20241001preview:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", - "azure-native:elastic/v20241001preview:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", - "azure-native:elastic/v20241001preview:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", - "azure-native:elastic/v20250115preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", - "azure-native:elastic/v20250115preview:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", - "azure-native:elastic/v20250115preview:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", - "azure-native:elastic/v20250115preview:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", "azure-native:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", "azure-native:elastic:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", "azure-native:elastic:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", "azure-native:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", - "azure-native:elasticsan/v20211120preview:ElasticSan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}", - "azure-native:elasticsan/v20211120preview:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/volumes/{volumeName}", - "azure-native:elasticsan/v20211120preview:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}", - "azure-native:elasticsan/v20221201preview:ElasticSan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}", - "azure-native:elasticsan/v20221201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:elasticsan/v20221201preview:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/volumes/{volumeName}", - "azure-native:elasticsan/v20221201preview:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}", - "azure-native:elasticsan/v20230101:ElasticSan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}", - "azure-native:elasticsan/v20230101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:elasticsan/v20230101:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/volumes/{volumeName}", - "azure-native:elasticsan/v20230101:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}", - "azure-native:elasticsan/v20230101:VolumeSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/snapshots/{snapshotName}", - "azure-native:elasticsan/v20240501:ElasticSan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}", - "azure-native:elasticsan/v20240501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:elasticsan/v20240501:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/volumes/{volumeName}", - "azure-native:elasticsan/v20240501:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}", - "azure-native:elasticsan/v20240501:VolumeSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/snapshots/{snapshotName}", - "azure-native:elasticsan/v20240601preview:ElasticSan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}", - "azure-native:elasticsan/v20240601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:elasticsan/v20240601preview:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/volumes/{volumeName}", - "azure-native:elasticsan/v20240601preview:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}", - "azure-native:elasticsan/v20240601preview:VolumeSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/snapshots/{snapshotName}", "azure-native:elasticsan:ElasticSan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}", "azure-native:elasticsan:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:elasticsan:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/volumes/{volumeName}", "azure-native:elasticsan:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}", "azure-native:elasticsan:VolumeSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/snapshots/{snapshotName}", - "azure-native:engagementfabric/v20180901preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EngagementFabric/Accounts/{accountName}", - "azure-native:engagementfabric/v20180901preview:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EngagementFabric/Accounts/{accountName}/Channels/{channelName}", "azure-native:engagementfabric:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EngagementFabric/Accounts/{accountName}", "azure-native:engagementfabric:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EngagementFabric/Accounts/{accountName}/Channels/{channelName}", - "azure-native:enterpriseknowledgegraph/v20181203:EnterpriseKnowledgeGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EnterpriseKnowledgeGraph/services/{resourceName}", "azure-native:enterpriseknowledgegraph:EnterpriseKnowledgeGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EnterpriseKnowledgeGraph/services/{resourceName}", - "azure-native:eventgrid/v20220615:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", - "azure-native:eventgrid/v20220615:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", - "azure-native:eventgrid/v20220615:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20220615:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", - "azure-native:eventgrid/v20220615:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20220615:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20220615:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", - "azure-native:eventgrid/v20220615:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", - "azure-native:eventgrid/v20220615:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", - "azure-native:eventgrid/v20220615:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", - "azure-native:eventgrid/v20220615:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20220615:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventgrid/v20220615:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", - "azure-native:eventgrid/v20220615:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20220615:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", - "azure-native:eventgrid/v20220615:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20230601preview:CaCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/caCertificates/{caCertificateName}", - "azure-native:eventgrid/v20230601preview:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", - "azure-native:eventgrid/v20230601preview:Client": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clients/{clientName}", - "azure-native:eventgrid/v20230601preview:ClientGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clientGroups/{clientGroupName}", - "azure-native:eventgrid/v20230601preview:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", - "azure-native:eventgrid/v20230601preview:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20230601preview:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", - "azure-native:eventgrid/v20230601preview:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20230601preview:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20230601preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}", - "azure-native:eventgrid/v20230601preview:NamespaceTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:eventgrid/v20230601preview:NamespaceTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20230601preview:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", - "azure-native:eventgrid/v20230601preview:PartnerDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerDestinations/{partnerDestinationName}", - "azure-native:eventgrid/v20230601preview:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", - "azure-native:eventgrid/v20230601preview:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", - "azure-native:eventgrid/v20230601preview:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", - "azure-native:eventgrid/v20230601preview:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20230601preview:PermissionBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/permissionBindings/{permissionBindingName}", - "azure-native:eventgrid/v20230601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventgrid/v20230601preview:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", - "azure-native:eventgrid/v20230601preview:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20230601preview:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", - "azure-native:eventgrid/v20230601preview:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20230601preview:TopicSpace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topicSpaces/{topicSpaceName}", - "azure-native:eventgrid/v20231215preview:CaCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/caCertificates/{caCertificateName}", - "azure-native:eventgrid/v20231215preview:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", - "azure-native:eventgrid/v20231215preview:Client": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clients/{clientName}", - "azure-native:eventgrid/v20231215preview:ClientGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clientGroups/{clientGroupName}", - "azure-native:eventgrid/v20231215preview:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", - "azure-native:eventgrid/v20231215preview:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20231215preview:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", - "azure-native:eventgrid/v20231215preview:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20231215preview:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20231215preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}", - "azure-native:eventgrid/v20231215preview:NamespaceTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:eventgrid/v20231215preview:NamespaceTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20231215preview:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", - "azure-native:eventgrid/v20231215preview:PartnerDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerDestinations/{partnerDestinationName}", - "azure-native:eventgrid/v20231215preview:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", - "azure-native:eventgrid/v20231215preview:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", - "azure-native:eventgrid/v20231215preview:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", - "azure-native:eventgrid/v20231215preview:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20231215preview:PermissionBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/permissionBindings/{permissionBindingName}", - "azure-native:eventgrid/v20231215preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventgrid/v20231215preview:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", - "azure-native:eventgrid/v20231215preview:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20231215preview:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", - "azure-native:eventgrid/v20231215preview:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20231215preview:TopicSpace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topicSpaces/{topicSpaceName}", - "azure-native:eventgrid/v20240601preview:CaCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/caCertificates/{caCertificateName}", - "azure-native:eventgrid/v20240601preview:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", - "azure-native:eventgrid/v20240601preview:Client": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clients/{clientName}", - "azure-native:eventgrid/v20240601preview:ClientGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clientGroups/{clientGroupName}", - "azure-native:eventgrid/v20240601preview:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", - "azure-native:eventgrid/v20240601preview:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20240601preview:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", - "azure-native:eventgrid/v20240601preview:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20240601preview:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20240601preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}", - "azure-native:eventgrid/v20240601preview:NamespaceTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:eventgrid/v20240601preview:NamespaceTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20240601preview:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", - "azure-native:eventgrid/v20240601preview:PartnerDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerDestinations/{partnerDestinationName}", - "azure-native:eventgrid/v20240601preview:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", - "azure-native:eventgrid/v20240601preview:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", - "azure-native:eventgrid/v20240601preview:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", - "azure-native:eventgrid/v20240601preview:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20240601preview:PermissionBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/permissionBindings/{permissionBindingName}", - "azure-native:eventgrid/v20240601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventgrid/v20240601preview:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", - "azure-native:eventgrid/v20240601preview:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20240601preview:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", - "azure-native:eventgrid/v20240601preview:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20240601preview:TopicSpace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topicSpaces/{topicSpaceName}", - "azure-native:eventgrid/v20241215preview:CaCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/caCertificates/{caCertificateName}", - "azure-native:eventgrid/v20241215preview:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", - "azure-native:eventgrid/v20241215preview:Client": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clients/{clientName}", - "azure-native:eventgrid/v20241215preview:ClientGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clientGroups/{clientGroupName}", - "azure-native:eventgrid/v20241215preview:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", - "azure-native:eventgrid/v20241215preview:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20241215preview:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", - "azure-native:eventgrid/v20241215preview:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20241215preview:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20241215preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}", - "azure-native:eventgrid/v20241215preview:NamespaceTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:eventgrid/v20241215preview:NamespaceTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20241215preview:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", - "azure-native:eventgrid/v20241215preview:PartnerDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerDestinations/{partnerDestinationName}", - "azure-native:eventgrid/v20241215preview:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", - "azure-native:eventgrid/v20241215preview:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", - "azure-native:eventgrid/v20241215preview:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", - "azure-native:eventgrid/v20241215preview:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20241215preview:PermissionBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/permissionBindings/{permissionBindingName}", - "azure-native:eventgrid/v20241215preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventgrid/v20241215preview:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", - "azure-native:eventgrid/v20241215preview:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20241215preview:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", - "azure-native:eventgrid/v20241215preview:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20241215preview:TopicSpace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topicSpaces/{topicSpaceName}", - "azure-native:eventgrid/v20250215:CaCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/caCertificates/{caCertificateName}", - "azure-native:eventgrid/v20250215:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", - "azure-native:eventgrid/v20250215:Client": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clients/{clientName}", - "azure-native:eventgrid/v20250215:ClientGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clientGroups/{clientGroupName}", - "azure-native:eventgrid/v20250215:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", - "azure-native:eventgrid/v20250215:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20250215:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", - "azure-native:eventgrid/v20250215:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20250215:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20250215:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}", - "azure-native:eventgrid/v20250215:NamespaceTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:eventgrid/v20250215:NamespaceTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20250215:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", - "azure-native:eventgrid/v20250215:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", - "azure-native:eventgrid/v20250215:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", - "azure-native:eventgrid/v20250215:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", - "azure-native:eventgrid/v20250215:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20250215:PermissionBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/permissionBindings/{permissionBindingName}", - "azure-native:eventgrid/v20250215:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventgrid/v20250215:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", - "azure-native:eventgrid/v20250215:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20250215:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", - "azure-native:eventgrid/v20250215:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", - "azure-native:eventgrid/v20250215:TopicSpace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topicSpaces/{topicSpaceName}", "azure-native:eventgrid:CaCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/caCertificates/{caCertificateName}", "azure-native:eventgrid:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", "azure-native:eventgrid:Client": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clients/{clientName}", @@ -6159,99 +961,6 @@ "azure-native:eventgrid:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", "azure-native:eventgrid:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", "azure-native:eventgrid:TopicSpace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topicSpaces/{topicSpaceName}", - "azure-native:eventhub/v20180101preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", - "azure-native:eventhub/v20180101preview:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", - "azure-native:eventhub/v20180101preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:eventhub/v20180101preview:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", - "azure-native:eventhub/v20180101preview:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20180101preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", - "azure-native:eventhub/v20180101preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20180101preview:NamespaceIpFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/ipfilterrules/{ipFilterRuleName}", - "azure-native:eventhub/v20180101preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:eventhub/v20180101preview:NamespaceVirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/virtualnetworkrules/{virtualNetworkRuleName}", - "azure-native:eventhub/v20180101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventhub/v20210101preview:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", - "azure-native:eventhub/v20210101preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:eventhub/v20210101preview:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", - "azure-native:eventhub/v20210101preview:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20210101preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", - "azure-native:eventhub/v20210101preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20210101preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:eventhub/v20210101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventhub/v20210601preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", - "azure-native:eventhub/v20210601preview:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", - "azure-native:eventhub/v20210601preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:eventhub/v20210601preview:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", - "azure-native:eventhub/v20210601preview:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20210601preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", - "azure-native:eventhub/v20210601preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20210601preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:eventhub/v20210601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventhub/v20211101:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", - "azure-native:eventhub/v20211101:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", - "azure-native:eventhub/v20211101:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:eventhub/v20211101:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", - "azure-native:eventhub/v20211101:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20211101:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", - "azure-native:eventhub/v20211101:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20211101:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:eventhub/v20211101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventhub/v20211101:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", - "azure-native:eventhub/v20220101preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/applicationGroups/{applicationGroupName}", - "azure-native:eventhub/v20220101preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", - "azure-native:eventhub/v20220101preview:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", - "azure-native:eventhub/v20220101preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:eventhub/v20220101preview:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", - "azure-native:eventhub/v20220101preview:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20220101preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", - "azure-native:eventhub/v20220101preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20220101preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:eventhub/v20220101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventhub/v20220101preview:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", - "azure-native:eventhub/v20221001preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/applicationGroups/{applicationGroupName}", - "azure-native:eventhub/v20221001preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", - "azure-native:eventhub/v20221001preview:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", - "azure-native:eventhub/v20221001preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:eventhub/v20221001preview:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", - "azure-native:eventhub/v20221001preview:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20221001preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", - "azure-native:eventhub/v20221001preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20221001preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:eventhub/v20221001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventhub/v20221001preview:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", - "azure-native:eventhub/v20230101preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/applicationGroups/{applicationGroupName}", - "azure-native:eventhub/v20230101preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", - "azure-native:eventhub/v20230101preview:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", - "azure-native:eventhub/v20230101preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:eventhub/v20230101preview:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", - "azure-native:eventhub/v20230101preview:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20230101preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", - "azure-native:eventhub/v20230101preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20230101preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:eventhub/v20230101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventhub/v20230101preview:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", - "azure-native:eventhub/v20240101:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/applicationGroups/{applicationGroupName}", - "azure-native:eventhub/v20240101:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", - "azure-native:eventhub/v20240101:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", - "azure-native:eventhub/v20240101:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:eventhub/v20240101:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", - "azure-native:eventhub/v20240101:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20240101:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", - "azure-native:eventhub/v20240101:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20240101:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:eventhub/v20240101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventhub/v20240101:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", - "azure-native:eventhub/v20240501preview:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/applicationGroups/{applicationGroupName}", - "azure-native:eventhub/v20240501preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", - "azure-native:eventhub/v20240501preview:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", - "azure-native:eventhub/v20240501preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:eventhub/v20240501preview:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", - "azure-native:eventhub/v20240501preview:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20240501preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", - "azure-native:eventhub/v20240501preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:eventhub/v20240501preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:eventhub/v20240501preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:eventhub/v20240501preview:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", "azure-native:eventhub:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/applicationGroups/{applicationGroupName}", "azure-native:eventhub:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", "azure-native:eventhub:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", @@ -6265,169 +974,30 @@ "azure-native:eventhub:NamespaceVirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/virtualnetworkrules/{virtualNetworkRuleName}", "azure-native:eventhub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:eventhub:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", - "azure-native:extendedlocation/v20210815:CustomLocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ExtendedLocation/customLocations/{resourceName}", - "azure-native:extendedlocation/v20210831preview:CustomLocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ExtendedLocation/customLocations/{resourceName}", - "azure-native:extendedlocation/v20210831preview:ResourceSyncRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ExtendedLocation/customLocations/{resourceName}/resourceSyncRules/{childResourceName}", "azure-native:extendedlocation:CustomLocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ExtendedLocation/customLocations/{resourceName}", "azure-native:extendedlocation:ResourceSyncRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ExtendedLocation/customLocations/{resourceName}/resourceSyncRules/{childResourceName}", - "azure-native:fabric/v20231101:FabricCapacity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Fabric/capacities/{capacityName}", - "azure-native:fabric/v20250115preview:FabricCapacity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Fabric/capacities/{capacityName}", "azure-native:fabric:FabricCapacity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Fabric/capacities/{capacityName}", - "azure-native:features/v20210701:SubscriptionFeatureRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.Features/featureProviders/{providerNamespace}/subscriptionFeatureRegistrations/{featureName}", "azure-native:features:SubscriptionFeatureRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.Features/featureProviders/{providerNamespace}/subscriptionFeatureRegistrations/{featureName}", - "azure-native:fluidrelay/v20220601:FluidRelayServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.FluidRelay/fluidRelayServers/{fluidRelayServerName}", "azure-native:fluidrelay:FluidRelayServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.FluidRelay/fluidRelayServers/{fluidRelayServerName}", - "azure-native:frontdoor/v20190301:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", - "azure-native:frontdoor/v20190401:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", - "azure-native:frontdoor/v20190501:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", - "azure-native:frontdoor/v20191001:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", - "azure-native:frontdoor/v20191101:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/NetworkExperimentProfiles/{profileName}/Experiments/{experimentName}", - "azure-native:frontdoor/v20191101:NetworkExperimentProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/NetworkExperimentProfiles/{profileName}", - "azure-native:frontdoor/v20200101:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", - "azure-native:frontdoor/v20200101:RulesEngine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}/rulesEngines/{rulesEngineName}", - "azure-native:frontdoor/v20200401:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", - "azure-native:frontdoor/v20200401:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", - "azure-native:frontdoor/v20200401:RulesEngine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}/rulesEngines/{rulesEngineName}", - "azure-native:frontdoor/v20200501:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", - "azure-native:frontdoor/v20200501:RulesEngine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}/rulesEngines/{rulesEngineName}", - "azure-native:frontdoor/v20201101:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", - "azure-native:frontdoor/v20210601:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", - "azure-native:frontdoor/v20210601:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", - "azure-native:frontdoor/v20210601:RulesEngine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}/rulesEngines/{rulesEngineName}", - "azure-native:frontdoor/v20220501:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", - "azure-native:frontdoor/v20240201:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", "azure-native:frontdoor:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/NetworkExperimentProfiles/{profileName}/Experiments/{experimentName}", "azure-native:frontdoor:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", "azure-native:frontdoor:NetworkExperimentProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/NetworkExperimentProfiles/{profileName}", "azure-native:frontdoor:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", "azure-native:frontdoor:RulesEngine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}/rulesEngines/{rulesEngineName}", - "azure-native:graphservices/v20230413:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.GraphServices/accounts/{resourceName}", "azure-native:graphservices:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.GraphServices/accounts/{resourceName}", - "azure-native:guestconfiguration/v20220125:GuestConfigurationAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", - "azure-native:guestconfiguration/v20220125:GuestConfigurationAssignmentsVMSS": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmssName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{name}", - "azure-native:guestconfiguration/v20220125:GuestConfigurationConnectedVMwarevSphereAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualmachines/{vmName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", - "azure-native:guestconfiguration/v20220125:GuestConfigurationHCRPAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", - "azure-native:guestconfiguration/v20240405:GuestConfigurationAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", - "azure-native:guestconfiguration/v20240405:GuestConfigurationAssignmentsVMSS": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmssName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{name}", - "azure-native:guestconfiguration/v20240405:GuestConfigurationConnectedVMwarevSphereAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualmachines/{vmName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", - "azure-native:guestconfiguration/v20240405:GuestConfigurationHCRPAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", "azure-native:guestconfiguration:GuestConfigurationAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", "azure-native:guestconfiguration:GuestConfigurationAssignmentsVMSS": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmssName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{name}", "azure-native:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualmachines/{vmName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", "azure-native:guestconfiguration:GuestConfigurationHCRPAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", - "azure-native:hardwaresecuritymodules/v20211130:DedicatedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/dedicatedHSMs/{name}", - "azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}", - "azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmClusterPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}/privateEndpointConnections/{peConnectionName}", - "azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}", - "azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmClusterPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}/privateEndpointConnections/{peConnectionName}", - "azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}", - "azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmClusterPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}/privateEndpointConnections/{peConnectionName}", - "azure-native:hardwaresecuritymodules/v20240630preview:DedicatedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/dedicatedHSMs/{name}", "azure-native:hardwaresecuritymodules:CloudHsmCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}", "azure-native:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}/privateEndpointConnections/{peConnectionName}", "azure-native:hardwaresecuritymodules:DedicatedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/dedicatedHSMs/{name}", - "azure-native:hdinsight/v20210601:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/applications/{applicationName}", - "azure-native:hdinsight/v20210601:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}", - "azure-native:hdinsight/v20210601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hdinsight/v20230415preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/applications/{applicationName}", - "azure-native:hdinsight/v20230415preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}", - "azure-native:hdinsight/v20230415preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hdinsight/v20230601preview:ClusterPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}", - "azure-native:hdinsight/v20230601preview:ClusterPoolCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}/clusters/{clusterName}", - "azure-native:hdinsight/v20230815preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/applications/{applicationName}", - "azure-native:hdinsight/v20230815preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}", - "azure-native:hdinsight/v20230815preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hdinsight/v20231101preview:ClusterPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}", - "azure-native:hdinsight/v20231101preview:ClusterPoolCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}/clusters/{clusterName}", - "azure-native:hdinsight/v20240501preview:ClusterPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}", - "azure-native:hdinsight/v20240501preview:ClusterPoolCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}/clusters/{clusterName}", - "azure-native:hdinsight/v20240801preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/applications/{applicationName}", - "azure-native:hdinsight/v20240801preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}", - "azure-native:hdinsight/v20240801preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hdinsight/v20250115preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/applications/{applicationName}", - "azure-native:hdinsight/v20250115preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}", - "azure-native:hdinsight/v20250115preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:hdinsight:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/applications/{applicationName}", "azure-native:hdinsight:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}", "azure-native:hdinsight:ClusterPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}", "azure-native:hdinsight:ClusterPoolCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}/clusters/{clusterName}", "azure-native:hdinsight:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthbot/v20230501:Bot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthBot/healthBots/{botName}", - "azure-native:healthbot/v20240201:Bot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthBot/healthBots/{botName}", "azure-native:healthbot:Bot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthBot/healthBots/{botName}", - "azure-native:healthcareapis/v20221001preview:AnalyticsConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/analyticsconnectors/{analyticsConnectorName}", - "azure-native:healthcareapis/v20221001preview:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", - "azure-native:healthcareapis/v20221001preview:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", - "azure-native:healthcareapis/v20221001preview:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", - "azure-native:healthcareapis/v20221001preview:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", - "azure-native:healthcareapis/v20221001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20221001preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", - "azure-native:healthcareapis/v20221001preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", - "azure-native:healthcareapis/v20221001preview:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20221201:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", - "azure-native:healthcareapis/v20221201:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", - "azure-native:healthcareapis/v20221201:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", - "azure-native:healthcareapis/v20221201:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", - "azure-native:healthcareapis/v20221201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20221201:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", - "azure-native:healthcareapis/v20221201:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", - "azure-native:healthcareapis/v20221201:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20230228:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", - "azure-native:healthcareapis/v20230228:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", - "azure-native:healthcareapis/v20230228:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", - "azure-native:healthcareapis/v20230228:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", - "azure-native:healthcareapis/v20230228:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20230228:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", - "azure-native:healthcareapis/v20230228:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", - "azure-native:healthcareapis/v20230228:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20230906:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", - "azure-native:healthcareapis/v20230906:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", - "azure-native:healthcareapis/v20230906:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", - "azure-native:healthcareapis/v20230906:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", - "azure-native:healthcareapis/v20230906:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20230906:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", - "azure-native:healthcareapis/v20230906:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", - "azure-native:healthcareapis/v20230906:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20231101:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", - "azure-native:healthcareapis/v20231101:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", - "azure-native:healthcareapis/v20231101:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", - "azure-native:healthcareapis/v20231101:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", - "azure-native:healthcareapis/v20231101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20231101:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", - "azure-native:healthcareapis/v20231101:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", - "azure-native:healthcareapis/v20231101:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20231201:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", - "azure-native:healthcareapis/v20231201:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", - "azure-native:healthcareapis/v20231201:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", - "azure-native:healthcareapis/v20231201:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", - "azure-native:healthcareapis/v20231201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20231201:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", - "azure-native:healthcareapis/v20231201:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", - "azure-native:healthcareapis/v20231201:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20240301:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", - "azure-native:healthcareapis/v20240301:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", - "azure-native:healthcareapis/v20240301:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", - "azure-native:healthcareapis/v20240301:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", - "azure-native:healthcareapis/v20240301:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20240301:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", - "azure-native:healthcareapis/v20240301:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", - "azure-native:healthcareapis/v20240301:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20240331:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", - "azure-native:healthcareapis/v20240331:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", - "azure-native:healthcareapis/v20240331:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", - "azure-native:healthcareapis/v20240331:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", - "azure-native:healthcareapis/v20240331:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20240331:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", - "azure-native:healthcareapis/v20240331:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", - "azure-native:healthcareapis/v20240331:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20250301preview:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", - "azure-native:healthcareapis/v20250301preview:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", - "azure-native:healthcareapis/v20250301preview:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", - "azure-native:healthcareapis/v20250301preview:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", - "azure-native:healthcareapis/v20250301preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthcareapis/v20250301preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", - "azure-native:healthcareapis/v20250301preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", - "azure-native:healthcareapis/v20250301preview:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:healthcareapis:AnalyticsConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/analyticsconnectors/{analyticsConnectorName}", "azure-native:healthcareapis:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", "azure-native:healthcareapis:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", @@ -6437,144 +1007,10 @@ "azure-native:healthcareapis:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", "azure-native:healthcareapis:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", "azure-native:healthcareapis:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthdataaiservices/v20240228preview:DeidService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthDataAIServices/deidServices/{deidServiceName}", - "azure-native:healthdataaiservices/v20240228preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthDataAIServices/deidServices/{deidServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:healthdataaiservices/v20240920:DeidService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthDataAIServices/deidServices/{deidServiceName}", - "azure-native:healthdataaiservices/v20240920:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthDataAIServices/deidServices/{deidServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:healthdataaiservices:DeidService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthDataAIServices/deidServices/{deidServiceName}", "azure-native:healthdataaiservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthDataAIServices/deidServices/{deidServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcloud/v20230101preview:CloudConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCloud/cloudConnections/{cloudConnectionName}", - "azure-native:hybridcloud/v20230101preview:CloudConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCloud/cloudConnectors/{cloudConnectorName}", "azure-native:hybridcloud:CloudConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCloud/cloudConnections/{cloudConnectionName}", "azure-native:hybridcloud:CloudConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCloud/cloudConnectors/{cloudConnectorName}", - "azure-native:hybridcompute/v20200815preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{name}", - "azure-native:hybridcompute/v20200815preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{name}/extensions/{extensionName}", - "azure-native:hybridcompute/v20200815preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20200815preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20200815preview:PrivateLinkScopedResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/scopedResources/{name}", - "azure-native:hybridcompute/v20210128preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20210128preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20210128preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20210128preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20210325preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20210325preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20210325preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20210325preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20210422preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20210422preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20210422preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20210422preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20210517preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20210517preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20210517preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20210517preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20210520:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20210520:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20210520:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20210520:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20210610preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20210610preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20210610preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20210610preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20211210preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20211210preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20211210preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20211210preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20220310:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20220310:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20220310:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20220310:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20220510preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20220510preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20220510preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20220510preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20220811preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20220811preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20220811preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20220811preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20221110:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20221110:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20221110:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20221110:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20221227:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20221227:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20221227:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20221227:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20221227preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20221227preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20221227preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20221227preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20230315preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20230315preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20230315preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20230315preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20230620preview:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", - "azure-native:hybridcompute/v20230620preview:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", - "azure-native:hybridcompute/v20230620preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20230620preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20230620preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20230620preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20231003preview:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", - "azure-native:hybridcompute/v20231003preview:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", - "azure-native:hybridcompute/v20231003preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20231003preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20231003preview:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", - "azure-native:hybridcompute/v20231003preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20231003preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20240331preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", - "azure-native:hybridcompute/v20240331preview:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", - "azure-native:hybridcompute/v20240331preview:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", - "azure-native:hybridcompute/v20240331preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20240331preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20240331preview:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", - "azure-native:hybridcompute/v20240331preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20240331preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20240520preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", - "azure-native:hybridcompute/v20240520preview:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", - "azure-native:hybridcompute/v20240520preview:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", - "azure-native:hybridcompute/v20240520preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20240520preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20240520preview:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", - "azure-native:hybridcompute/v20240520preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20240520preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20240710:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", - "azure-native:hybridcompute/v20240710:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", - "azure-native:hybridcompute/v20240710:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20240710:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20240710:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20240710:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20240731preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", - "azure-native:hybridcompute/v20240731preview:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", - "azure-native:hybridcompute/v20240731preview:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", - "azure-native:hybridcompute/v20240731preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20240731preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20240731preview:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", - "azure-native:hybridcompute/v20240731preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20240731preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20240910preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", - "azure-native:hybridcompute/v20240910preview:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", - "azure-native:hybridcompute/v20240910preview:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", - "azure-native:hybridcompute/v20240910preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20240910preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20240910preview:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", - "azure-native:hybridcompute/v20240910preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20240910preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20241110preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", - "azure-native:hybridcompute/v20241110preview:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", - "azure-native:hybridcompute/v20241110preview:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", - "azure-native:hybridcompute/v20241110preview:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20241110preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20241110preview:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", - "azure-native:hybridcompute/v20241110preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20241110preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", - "azure-native:hybridcompute/v20250113:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", - "azure-native:hybridcompute/v20250113:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", - "azure-native:hybridcompute/v20250113:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", - "azure-native:hybridcompute/v20250113:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", - "azure-native:hybridcompute/v20250113:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", - "azure-native:hybridcompute/v20250113:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", - "azure-native:hybridcompute/v20250113:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:hybridcompute/v20250113:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", "azure-native:hybridcompute:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", "azure-native:hybridcompute:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", "azure-native:hybridcompute:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", @@ -6584,74 +1020,19 @@ "azure-native:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", "azure-native:hybridcompute:PrivateLinkScopedResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/scopedResources/{name}", - "azure-native:hybridconnectivity/v20230315:Endpoint": "/{resourceUri}/providers/Microsoft.HybridConnectivity/endpoints/{endpointName}", - "azure-native:hybridconnectivity/v20230315:ServiceConfiguration": "/{resourceUri}/providers/Microsoft.HybridConnectivity/endpoints/{endpointName}/serviceConfigurations/{serviceConfigurationName}", - "azure-native:hybridconnectivity/v20241201:Endpoint": "/{resourceUri}/providers/Microsoft.HybridConnectivity/endpoints/{endpointName}", - "azure-native:hybridconnectivity/v20241201:PublicCloudConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridConnectivity/publicCloudConnectors/{publicCloudConnector}", - "azure-native:hybridconnectivity/v20241201:ServiceConfiguration": "/{resourceUri}/providers/Microsoft.HybridConnectivity/endpoints/{endpointName}/serviceConfigurations/{serviceConfigurationName}", - "azure-native:hybridconnectivity/v20241201:SolutionConfiguration": "/{resourceUri}/providers/Microsoft.HybridConnectivity/solutionConfigurations/{solutionConfiguration}", "azure-native:hybridconnectivity:Endpoint": "/{resourceUri}/providers/Microsoft.HybridConnectivity/endpoints/{endpointName}", "azure-native:hybridconnectivity:PublicCloudConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridConnectivity/publicCloudConnectors/{publicCloudConnector}", "azure-native:hybridconnectivity:ServiceConfiguration": "/{resourceUri}/providers/Microsoft.HybridConnectivity/endpoints/{endpointName}/serviceConfigurations/{serviceConfigurationName}", "azure-native:hybridconnectivity:SolutionConfiguration": "/{resourceUri}/providers/Microsoft.HybridConnectivity/solutionConfigurations/{solutionConfiguration}", - "azure-native:hybridcontainerservice/v20220901preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/provisionedClusters/{resourceName}/agentPools/{agentPoolName}", - "azure-native:hybridcontainerservice/v20220901preview:HybridIdentityMetadatum": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/provisionedClusters/{resourceName}/hybridIdentityMetadata/{hybridIdentityMetadataResourceName}", - "azure-native:hybridcontainerservice/v20220901preview:ProvisionedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/provisionedClusters/{resourceName}", - "azure-native:hybridcontainerservice/v20220901preview:StorageSpaceRetrieve": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/storageSpaces/{storageSpacesName}", - "azure-native:hybridcontainerservice/v20220901preview:VirtualNetworkRetrieve": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/virtualNetworks/{virtualNetworksName}", - "azure-native:hybridcontainerservice/v20231115preview:ClusterInstanceAgentPool": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default/agentPools/{agentPoolName}", - "azure-native:hybridcontainerservice/v20231115preview:ClusterInstanceHybridIdentityMetadatum": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default/hybridIdentityMetadata/default", - "azure-native:hybridcontainerservice/v20231115preview:KubernetesVersions": "/{customLocationResourceUri}/providers/Microsoft.HybridContainerService/kubernetesVersions/default", - "azure-native:hybridcontainerservice/v20231115preview:ProvisionedClusterInstance": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default", - "azure-native:hybridcontainerservice/v20231115preview:VMSkus": "/{customLocationResourceUri}/providers/Microsoft.HybridContainerService/skus/default", - "azure-native:hybridcontainerservice/v20231115preview:VirtualNetworkRetrieve": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/virtualNetworks/{virtualNetworkName}", - "azure-native:hybridcontainerservice/v20240101:ClusterInstanceAgentPool": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default/agentPools/{agentPoolName}", - "azure-native:hybridcontainerservice/v20240101:ClusterInstanceHybridIdentityMetadatum": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default/hybridIdentityMetadata/default", - "azure-native:hybridcontainerservice/v20240101:KubernetesVersions": "/{customLocationResourceUri}/providers/Microsoft.HybridContainerService/kubernetesVersions/default", - "azure-native:hybridcontainerservice/v20240101:ProvisionedClusterInstance": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default", - "azure-native:hybridcontainerservice/v20240101:VMSkus": "/{customLocationResourceUri}/providers/Microsoft.HybridContainerService/skus/default", - "azure-native:hybridcontainerservice/v20240101:VirtualNetworkRetrieve": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/virtualNetworks/{virtualNetworkName}", "azure-native:hybridcontainerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/provisionedClusters/{resourceName}/agentPools/{agentPoolName}", "azure-native:hybridcontainerservice:ClusterInstanceHybridIdentityMetadatum": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default/hybridIdentityMetadata/default", "azure-native:hybridcontainerservice:HybridIdentityMetadatum": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/provisionedClusters/{resourceName}/hybridIdentityMetadata/{hybridIdentityMetadataResourceName}", "azure-native:hybridcontainerservice:ProvisionedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/provisionedClusters/{resourceName}", "azure-native:hybridcontainerservice:StorageSpaceRetrieve": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/storageSpaces/{storageSpacesName}", "azure-native:hybridcontainerservice:VirtualNetworkRetrieve": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/virtualNetworks/{virtualNetworksName}", - "azure-native:hybriddata/v20190601:DataManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridData/dataManagers/{dataManagerName}", - "azure-native:hybriddata/v20190601:DataStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridData/dataManagers/{dataManagerName}/dataStores/{dataStoreName}", - "azure-native:hybriddata/v20190601:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridData/dataManagers/{dataManagerName}/dataServices/{dataServiceName}/jobDefinitions/{jobDefinitionName}", "azure-native:hybriddata:DataManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridData/dataManagers/{dataManagerName}", "azure-native:hybriddata:DataStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridData/dataManagers/{dataManagerName}/dataStores/{dataStoreName}", "azure-native:hybriddata:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridData/dataManagers/{dataManagerName}/dataServices/{dataServiceName}/jobDefinitions/{jobDefinitionName}", - "azure-native:hybridnetwork/v20220101preview:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/devices/{deviceName}", - "azure-native:hybridnetwork/v20220101preview:NetworkFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/networkFunctions/{networkFunctionName}", - "azure-native:hybridnetwork/v20220101preview:Vendor": "/subscriptions/{subscriptionId}/providers/Microsoft.HybridNetwork/vendors/{vendorName}", - "azure-native:hybridnetwork/v20220101preview:VendorSkuPreview": "/subscriptions/{subscriptionId}/providers/Microsoft.HybridNetwork/vendors/{vendorName}/vendorSkus/{skuName}/previewSubscriptions/{previewSubscription}", - "azure-native:hybridnetwork/v20220101preview:VendorSkus": "/subscriptions/{subscriptionId}/providers/Microsoft.HybridNetwork/vendors/{vendorName}/vendorSkus/{skuName}", - "azure-native:hybridnetwork/v20230901:ArtifactManifest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/artifactStores/{artifactStoreName}/artifactManifests/{artifactManifestName}", - "azure-native:hybridnetwork/v20230901:ArtifactStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/artifactStores/{artifactStoreName}", - "azure-native:hybridnetwork/v20230901:ConfigurationGroupSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/configurationGroupSchemas/{configurationGroupSchemaName}", - "azure-native:hybridnetwork/v20230901:ConfigurationGroupValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/configurationGroupValues/{configurationGroupValueName}", - "azure-native:hybridnetwork/v20230901:NetworkFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/networkFunctions/{networkFunctionName}", - "azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkFunctionDefinitionGroups/{networkFunctionDefinitionGroupName}", - "azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkFunctionDefinitionGroups/{networkFunctionDefinitionGroupName}/networkFunctionDefinitionVersions/{networkFunctionDefinitionVersionName}", - "azure-native:hybridnetwork/v20230901:NetworkServiceDesignGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkServiceDesignGroups/{networkServiceDesignGroupName}", - "azure-native:hybridnetwork/v20230901:NetworkServiceDesignVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkServiceDesignGroups/{networkServiceDesignGroupName}/networkServiceDesignVersions/{networkServiceDesignVersionName}", - "azure-native:hybridnetwork/v20230901:Publisher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}", - "azure-native:hybridnetwork/v20230901:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/sites/{siteName}", - "azure-native:hybridnetwork/v20230901:SiteNetworkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/siteNetworkServices/{siteNetworkServiceName}", - "azure-native:hybridnetwork/v20240415:ArtifactManifest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/artifactStores/{artifactStoreName}/artifactManifests/{artifactManifestName}", - "azure-native:hybridnetwork/v20240415:ArtifactStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/artifactStores/{artifactStoreName}", - "azure-native:hybridnetwork/v20240415:ConfigurationGroupSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/configurationGroupSchemas/{configurationGroupSchemaName}", - "azure-native:hybridnetwork/v20240415:ConfigurationGroupValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/configurationGroupValues/{configurationGroupValueName}", - "azure-native:hybridnetwork/v20240415:NetworkFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/networkFunctions/{networkFunctionName}", - "azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkFunctionDefinitionGroups/{networkFunctionDefinitionGroupName}", - "azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkFunctionDefinitionGroups/{networkFunctionDefinitionGroupName}/networkFunctionDefinitionVersions/{networkFunctionDefinitionVersionName}", - "azure-native:hybridnetwork/v20240415:NetworkServiceDesignGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkServiceDesignGroups/{networkServiceDesignGroupName}", - "azure-native:hybridnetwork/v20240415:NetworkServiceDesignVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkServiceDesignGroups/{networkServiceDesignGroupName}/networkServiceDesignVersions/{networkServiceDesignVersionName}", - "azure-native:hybridnetwork/v20240415:Publisher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}", - "azure-native:hybridnetwork/v20240415:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/sites/{siteName}", - "azure-native:hybridnetwork/v20240415:SiteNetworkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/siteNetworkServices/{siteNetworkServiceName}", "azure-native:hybridnetwork:ArtifactManifest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/artifactStores/{artifactStoreName}/artifactManifests/{artifactManifestName}", "azure-native:hybridnetwork:ArtifactStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/artifactStores/{artifactStoreName}", "azure-native:hybridnetwork:ConfigurationGroupSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/configurationGroupSchemas/{configurationGroupSchemaName}", @@ -6668,185 +1049,25 @@ "azure-native:hybridnetwork:Vendor": "/subscriptions/{subscriptionId}/providers/Microsoft.HybridNetwork/vendors/{vendorName}", "azure-native:hybridnetwork:VendorSkuPreview": "/subscriptions/{subscriptionId}/providers/Microsoft.HybridNetwork/vendors/{vendorName}/vendorSkus/{skuName}/previewSubscriptions/{previewSubscription}", "azure-native:hybridnetwork:VendorSkus": "/subscriptions/{subscriptionId}/providers/Microsoft.HybridNetwork/vendors/{vendorName}/vendorSkus/{skuName}", - "azure-native:impact/v20240501preview:Connector": "/subscriptions/{subscriptionId}/providers/Microsoft.Impact/connectors/{connectorName}", - "azure-native:impact/v20240501preview:Insight": "/subscriptions/{subscriptionId}/providers/Microsoft.Impact/workloadImpacts/{workloadImpactName}/insights/{insightName}", - "azure-native:impact/v20240501preview:WorkloadImpact": "/subscriptions/{subscriptionId}/providers/Microsoft.Impact/workloadImpacts/{workloadImpactName}", "azure-native:impact:Connector": "/subscriptions/{subscriptionId}/providers/Microsoft.Impact/connectors/{connectorName}", "azure-native:impact:Insight": "/subscriptions/{subscriptionId}/providers/Microsoft.Impact/workloadImpacts/{workloadImpactName}/insights/{insightName}", "azure-native:impact:WorkloadImpact": "/subscriptions/{subscriptionId}/providers/Microsoft.Impact/workloadImpacts/{workloadImpactName}", - "azure-native:importexport/v20210101:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ImportExport/jobs/{jobName}", "azure-native:importexport:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ImportExport/jobs/{jobName}", - "azure-native:integrationspaces/v20231114preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/applications/{applicationName}", - "azure-native:integrationspaces/v20231114preview:ApplicationResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/applications/{applicationName}/resources/{resourceName}", - "azure-native:integrationspaces/v20231114preview:BusinessProcess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/applications/{applicationName}/businessProcesses/{businessProcessName}", - "azure-native:integrationspaces/v20231114preview:InfrastructureResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/infrastructureResources/{infrastructureResourceName}", - "azure-native:integrationspaces/v20231114preview:Space": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}", "azure-native:integrationspaces:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/applications/{applicationName}", "azure-native:integrationspaces:ApplicationResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/applications/{applicationName}/resources/{resourceName}", "azure-native:integrationspaces:BusinessProcess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/applications/{applicationName}/businessProcesses/{businessProcessName}", "azure-native:integrationspaces:InfrastructureResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/infrastructureResources/{infrastructureResourceName}", "azure-native:integrationspaces:Space": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}", - "azure-native:intune/v20150114preview:AndroidMAMPolicyByName": "/providers/Microsoft.Intune/locations/{hostName}/androidPolicies/{policyName}", - "azure-native:intune/v20150114preview:IoMAMPolicyByName": "/providers/Microsoft.Intune/locations/{hostName}/iosPolicies/{policyName}", "azure-native:intune:AndroidMAMPolicyByName": "/providers/Microsoft.Intune/locations/{hostName}/androidPolicies/{policyName}", "azure-native:intune:IoMAMPolicyByName": "/providers/Microsoft.Intune/locations/{hostName}/iosPolicies/{policyName}", - "azure-native:iotcentral/v20210601:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTCentral/iotApps/{resourceName}", - "azure-native:iotcentral/v20211101preview:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTCentral/iotApps/{resourceName}", - "azure-native:iotcentral/v20211101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTCentral/iotApps/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:iotcentral:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTCentral/iotApps/{resourceName}", "azure-native:iotcentral:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTCentral/iotApps/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iotfirmwaredefense/v20230208preview:Firmware": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}/firmwares/{firmwareId}", - "azure-native:iotfirmwaredefense/v20230208preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}", - "azure-native:iotfirmwaredefense/v20240110:Firmware": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}/firmwares/{firmwareId}", - "azure-native:iotfirmwaredefense/v20240110:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}", - "azure-native:iotfirmwaredefense/v20250401preview:Firmware": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}/firmwares/{firmwareId}", - "azure-native:iotfirmwaredefense/v20250401preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}", "azure-native:iotfirmwaredefense:Firmware": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}/firmwares/{firmwareId}", "azure-native:iotfirmwaredefense:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}", - "azure-native:iothub/v20160203:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20160203:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20170119:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20170119:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20170701:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20170701:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20170701:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20180122:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20180122:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20180122:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20180401:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20180401:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20180401:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20181201preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20181201preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20181201preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20190322:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20190322:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20190322:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20190322preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20190322preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20190322preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20190701preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20190701preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20190701preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20191104:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20191104:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20191104:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20200301:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20200301:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20200301:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20200301:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20200401:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20200401:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20200401:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20200401:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20200615:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20200615:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20200615:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20200615:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20200710preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20200710preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20200710preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20200710preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20200801:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20200801:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20200801:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20200801:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20200831:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20200831:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20200831:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20200831:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20200831preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20200831preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20200831preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20200831preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20210201preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20210201preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20210201preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20210201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20210303preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20210303preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20210303preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20210303preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20210331:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20210331:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20210331:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20210331:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20210701:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20210701:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20210701:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20210701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20210701preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20210701preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20210701preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20210701preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20210702:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20210702:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20210702:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20210702:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20210702preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20210702preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20210702preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20210702preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20220430preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20220430preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20220430preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20220430preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20221115preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20221115preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20221115preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20221115preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20230630:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20230630:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20230630:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20230630:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iothub/v20230630preview:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", - "azure-native:iothub/v20230630preview:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", - "azure-native:iothub/v20230630preview:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", - "azure-native:iothub/v20230630preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", "azure-native:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", "azure-native:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", "azure-native:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:iotoperations/v20240701preview:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}", - "azure-native:iotoperations/v20240701preview:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authentications/{authenticationName}", - "azure-native:iotoperations/v20240701preview:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authorizations/{authorizationName}", - "azure-native:iotoperations/v20240701preview:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/listeners/{listenerName}", - "azure-native:iotoperations/v20240701preview:DataFlow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}/dataflows/{dataflowName}", - "azure-native:iotoperations/v20240701preview:DataFlowEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowEndpoints/{dataflowEndpointName}", - "azure-native:iotoperations/v20240701preview:DataFlowProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}", - "azure-native:iotoperations/v20240701preview:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}", - "azure-native:iotoperations/v20240815preview:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}", - "azure-native:iotoperations/v20240815preview:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authentications/{authenticationName}", - "azure-native:iotoperations/v20240815preview:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authorizations/{authorizationName}", - "azure-native:iotoperations/v20240815preview:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/listeners/{listenerName}", - "azure-native:iotoperations/v20240815preview:Dataflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}/dataflows/{dataflowName}", - "azure-native:iotoperations/v20240815preview:DataflowEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowEndpoints/{dataflowEndpointName}", - "azure-native:iotoperations/v20240815preview:DataflowProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}", - "azure-native:iotoperations/v20240815preview:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}", - "azure-native:iotoperations/v20240915preview:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}", - "azure-native:iotoperations/v20240915preview:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authentications/{authenticationName}", - "azure-native:iotoperations/v20240915preview:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authorizations/{authorizationName}", - "azure-native:iotoperations/v20240915preview:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/listeners/{listenerName}", - "azure-native:iotoperations/v20240915preview:Dataflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}/dataflows/{dataflowName}", - "azure-native:iotoperations/v20240915preview:DataflowEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowEndpoints/{dataflowEndpointName}", - "azure-native:iotoperations/v20240915preview:DataflowProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}", - "azure-native:iotoperations/v20240915preview:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}", - "azure-native:iotoperations/v20241101:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}", - "azure-native:iotoperations/v20241101:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authentications/{authenticationName}", - "azure-native:iotoperations/v20241101:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authorizations/{authorizationName}", - "azure-native:iotoperations/v20241101:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/listeners/{listenerName}", - "azure-native:iotoperations/v20241101:Dataflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}/dataflows/{dataflowName}", - "azure-native:iotoperations/v20241101:DataflowEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowEndpoints/{dataflowEndpointName}", - "azure-native:iotoperations/v20241101:DataflowProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}", - "azure-native:iotoperations/v20241101:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}", - "azure-native:iotoperations/v20250401:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}", - "azure-native:iotoperations/v20250401:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authentications/{authenticationName}", - "azure-native:iotoperations/v20250401:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authorizations/{authorizationName}", - "azure-native:iotoperations/v20250401:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/listeners/{listenerName}", - "azure-native:iotoperations/v20250401:Dataflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}/dataflows/{dataflowName}", - "azure-native:iotoperations/v20250401:DataflowEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowEndpoints/{dataflowEndpointName}", - "azure-native:iotoperations/v20250401:DataflowProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}", - "azure-native:iotoperations/v20250401:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}", "azure-native:iotoperations:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}", "azure-native:iotoperations:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authentications/{authenticationName}", "azure-native:iotoperations:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authorizations/{authorizationName}", @@ -6855,24 +1076,9 @@ "azure-native:iotoperations:DataflowEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowEndpoints/{dataflowEndpointName}", "azure-native:iotoperations:DataflowProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}", "azure-native:iotoperations:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}", - "azure-native:iotoperationsdataprocessor/v20231004preview:Dataset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsDataProcessor/instances/{instanceName}/datasets/{datasetName}", - "azure-native:iotoperationsdataprocessor/v20231004preview:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsDataProcessor/instances/{instanceName}", - "azure-native:iotoperationsdataprocessor/v20231004preview:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsDataProcessor/instances/{instanceName}/pipelines/{pipelineName}", "azure-native:iotoperationsdataprocessor:Dataset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsDataProcessor/instances/{instanceName}/datasets/{datasetName}", "azure-native:iotoperationsdataprocessor:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsDataProcessor/instances/{instanceName}", "azure-native:iotoperationsdataprocessor:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsDataProcessor/instances/{instanceName}/pipelines/{pipelineName}", - "azure-native:iotoperationsmq/v20231004preview:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/broker/{brokerName}", - "azure-native:iotoperationsmq/v20231004preview:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/broker/{brokerName}/authentication/{authenticationName}", - "azure-native:iotoperationsmq/v20231004preview:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/broker/{brokerName}/authorization/{authorizationName}", - "azure-native:iotoperationsmq/v20231004preview:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/broker/{brokerName}/listener/{listenerName}", - "azure-native:iotoperationsmq/v20231004preview:DataLakeConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/dataLakeConnector/{dataLakeConnectorName}", - "azure-native:iotoperationsmq/v20231004preview:DataLakeConnectorTopicMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/dataLakeConnector/{dataLakeConnectorName}/topicMap/{topicMapName}", - "azure-native:iotoperationsmq/v20231004preview:DiagnosticService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/diagnosticService/{diagnosticServiceName}", - "azure-native:iotoperationsmq/v20231004preview:KafkaConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/kafkaConnector/{kafkaConnectorName}", - "azure-native:iotoperationsmq/v20231004preview:KafkaConnectorTopicMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/kafkaConnector/{kafkaConnectorName}/topicMap/{topicMapName}", - "azure-native:iotoperationsmq/v20231004preview:Mq": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}", - "azure-native:iotoperationsmq/v20231004preview:MqttBridgeConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/mqttBridgeConnector/{mqttBridgeConnectorName}", - "azure-native:iotoperationsmq/v20231004preview:MqttBridgeTopicMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/mqttBridgeConnector/{mqttBridgeConnectorName}/topicMap/{topicMapName}", "azure-native:iotoperationsmq:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/broker/{brokerName}", "azure-native:iotoperationsmq:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/broker/{brokerName}/authentication/{authenticationName}", "azure-native:iotoperationsmq:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/broker/{brokerName}/authorization/{authorizationName}", @@ -6885,42 +1091,9 @@ "azure-native:iotoperationsmq:Mq": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}", "azure-native:iotoperationsmq:MqttBridgeConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/mqttBridgeConnector/{mqttBridgeConnectorName}", "azure-native:iotoperationsmq:MqttBridgeTopicMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/mqttBridgeConnector/{mqttBridgeConnectorName}/topicMap/{topicMapName}", - "azure-native:iotoperationsorchestrator/v20231004preview:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsOrchestrator/instances/{name}", - "azure-native:iotoperationsorchestrator/v20231004preview:Solution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsOrchestrator/solutions/{name}", - "azure-native:iotoperationsorchestrator/v20231004preview:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsOrchestrator/targets/{name}", "azure-native:iotoperationsorchestrator:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsOrchestrator/instances/{name}", "azure-native:iotoperationsorchestrator:Solution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsOrchestrator/solutions/{name}", "azure-native:iotoperationsorchestrator:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsOrchestrator/targets/{name}", - "azure-native:keyvault/v20230201:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/keys/{keyName}", - "azure-native:keyvault/v20230201:MHSMPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:keyvault/v20230201:ManagedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}", - "azure-native:keyvault/v20230201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:keyvault/v20230201:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/secrets/{secretName}", - "azure-native:keyvault/v20230201:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}", - "azure-native:keyvault/v20230701:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/keys/{keyName}", - "azure-native:keyvault/v20230701:MHSMPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:keyvault/v20230701:ManagedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}", - "azure-native:keyvault/v20230701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:keyvault/v20230701:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/secrets/{secretName}", - "azure-native:keyvault/v20230701:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}", - "azure-native:keyvault/v20240401preview:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/keys/{keyName}", - "azure-native:keyvault/v20240401preview:MHSMPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:keyvault/v20240401preview:ManagedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}", - "azure-native:keyvault/v20240401preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:keyvault/v20240401preview:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/secrets/{secretName}", - "azure-native:keyvault/v20240401preview:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}", - "azure-native:keyvault/v20241101:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/keys/{keyName}", - "azure-native:keyvault/v20241101:MHSMPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:keyvault/v20241101:ManagedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}", - "azure-native:keyvault/v20241101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:keyvault/v20241101:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/secrets/{secretName}", - "azure-native:keyvault/v20241101:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}", - "azure-native:keyvault/v20241201preview:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/keys/{keyName}", - "azure-native:keyvault/v20241201preview:MHSMPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:keyvault/v20241201preview:ManagedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}", - "azure-native:keyvault/v20241201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:keyvault/v20241201preview:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/secrets/{secretName}", - "azure-native:keyvault/v20241201preview:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}", "azure-native:keyvault:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/accessPolicy/{policy.objectId}", "azure-native:keyvault:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/keys/{keyName}", "azure-native:keyvault:MHSMPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}/privateEndpointConnections/{privateEndpointConnectionName}", @@ -6928,216 +1101,16 @@ "azure-native:keyvault:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:keyvault:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/secrets/{secretName}", "azure-native:keyvault:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}", - "azure-native:kubernetes/v20210401preview:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", - "azure-native:kubernetes/v20211001:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", - "azure-native:kubernetes/v20220501preview:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", - "azure-native:kubernetes/v20221001preview:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", - "azure-native:kubernetes/v20231101preview:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", - "azure-native:kubernetes/v20240101:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", - "azure-native:kubernetes/v20240201preview:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", - "azure-native:kubernetes/v20240601preview:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", - "azure-native:kubernetes/v20240701preview:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", - "azure-native:kubernetes/v20240715preview:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", - "azure-native:kubernetes/v20241201preview:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", "azure-native:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", - "azure-native:kubernetesconfiguration/v20220402preview:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", - "azure-native:kubernetesconfiguration/v20220402preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KubernetesConfiguration/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:kubernetesconfiguration/v20220402preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KubernetesConfiguration/privateLinkScopes/{scopeName}", - "azure-native:kubernetesconfiguration/v20220701:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", - "azure-native:kubernetesconfiguration/v20220701:FluxConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", - "azure-native:kubernetesconfiguration/v20220701:SourceControlConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", - "azure-native:kubernetesconfiguration/v20221101:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", - "azure-native:kubernetesconfiguration/v20221101:FluxConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", - "azure-native:kubernetesconfiguration/v20221101:SourceControlConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", - "azure-native:kubernetesconfiguration/v20230501:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", - "azure-native:kubernetesconfiguration/v20230501:FluxConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", - "azure-native:kubernetesconfiguration/v20230501:SourceControlConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", - "azure-native:kubernetesconfiguration/v20240401preview:FluxConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", - "azure-native:kubernetesconfiguration/v20241101:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", - "azure-native:kubernetesconfiguration/v20241101:FluxConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", - "azure-native:kubernetesconfiguration/v20241101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KubernetesConfiguration/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:kubernetesconfiguration/v20241101preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KubernetesConfiguration/privateLinkScopes/{scopeName}", "azure-native:kubernetesconfiguration:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", "azure-native:kubernetesconfiguration:FluxConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", "azure-native:kubernetesconfiguration:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KubernetesConfiguration/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:kubernetesconfiguration:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KubernetesConfiguration/privateLinkScopes/{scopeName}", "azure-native:kubernetesconfiguration:SourceControlConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", - "azure-native:kubernetesruntime/v20240301:BgpPeer": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/bgpPeers/{bgpPeerName}", - "azure-native:kubernetesruntime/v20240301:LoadBalancer": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/loadBalancers/{loadBalancerName}", - "azure-native:kubernetesruntime/v20240301:Service": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/services/{serviceName}", - "azure-native:kubernetesruntime/v20240301:StorageClass": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/storageClasses/{storageClassName}", "azure-native:kubernetesruntime:BgpPeer": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/bgpPeers/{bgpPeerName}", "azure-native:kubernetesruntime:LoadBalancer": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/loadBalancers/{loadBalancerName}", "azure-native:kubernetesruntime:Service": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/services/{serviceName}", "azure-native:kubernetesruntime:StorageClass": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/storageClasses/{storageClassName}", - "azure-native:kusto/v20180907preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20180907preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20180907preview:EventHubConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/eventhubconnections/{eventHubConnectionName}", - "azure-native:kusto/v20190121:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20190121:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20190121:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20190121:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20190515:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20190515:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20190515:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20190515:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20190515:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20190907:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20190907:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20190907:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20190907:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20190907:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20190907:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20190907:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20191109:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20191109:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20191109:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20191109:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20191109:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20191109:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20191109:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20191109:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20191109:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20200215:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20200215:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20200215:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20200215:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20200215:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20200215:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20200215:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20200215:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20200215:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20200614:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20200614:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20200614:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20200614:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20200614:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20200614:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20200614:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20200614:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20200614:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20200918:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20200918:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20200918:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20200918:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20200918:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20200918:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20200918:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20200918:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20200918:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20210101:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20210101:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20210101:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20210101:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20210101:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20210101:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20210101:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20210101:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20210101:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20210101:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", - "azure-native:kusto/v20210827:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20210827:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20210827:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20210827:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20210827:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20210827:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20210827:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20210827:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:kusto/v20210827:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:kusto/v20210827:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20210827:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20210827:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", - "azure-native:kusto/v20220201:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20220201:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20220201:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20220201:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20220201:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20220201:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20220201:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20220201:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:kusto/v20220201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:kusto/v20220201:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20220201:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20220201:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", - "azure-native:kusto/v20220707:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20220707:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20220707:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20220707:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20220707:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20220707:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20220707:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20220707:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:kusto/v20220707:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:kusto/v20220707:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20220707:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20220707:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", - "azure-native:kusto/v20221111:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20221111:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20221111:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20221111:CosmosDbDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20221111:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20221111:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20221111:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20221111:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20221111:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:kusto/v20221111:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:kusto/v20221111:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20221111:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20221111:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", - "azure-native:kusto/v20221229:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20221229:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20221229:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20221229:CosmosDbDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20221229:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20221229:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20221229:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20221229:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20221229:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:kusto/v20221229:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:kusto/v20221229:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20221229:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20221229:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", - "azure-native:kusto/v20230502:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20230502:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20230502:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20230502:CosmosDbDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20230502:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20230502:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20230502:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20230502:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20230502:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:kusto/v20230502:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:kusto/v20230502:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20230502:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20230502:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", - "azure-native:kusto/v20230815:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20230815:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20230815:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20230815:CosmosDbDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20230815:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20230815:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20230815:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20230815:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20230815:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:kusto/v20230815:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:kusto/v20230815:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20230815:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20230815:SandboxCustomImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/sandboxCustomImages/{sandboxCustomImageName}", - "azure-native:kusto/v20230815:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", - "azure-native:kusto/v20240413:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:kusto/v20240413:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", - "azure-native:kusto/v20240413:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20240413:CosmosDbDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20240413:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:kusto/v20240413:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20240413:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20240413:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:kusto/v20240413:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", - "azure-native:kusto/v20240413:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:kusto/v20240413:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20240413:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", - "azure-native:kusto/v20240413:SandboxCustomImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/sandboxCustomImages/{sandboxCustomImageName}", - "azure-native:kusto/v20240413:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", "azure-native:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", "azure-native:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", "azure-native:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", @@ -7153,81 +1126,13 @@ "azure-native:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", "azure-native:kusto:SandboxCustomImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/sandboxCustomImages/{sandboxCustomImageName}", "azure-native:kusto:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", - "azure-native:labservices/v20181015:Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labaccounts/{labAccountName}/labs/{labName}/environmentsettings/{environmentSettingName}/environments/{environmentName}", - "azure-native:labservices/v20181015:EnvironmentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labaccounts/{labAccountName}/labs/{labName}/environmentsettings/{environmentSettingName}", - "azure-native:labservices/v20181015:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labaccounts/{labAccountName}/galleryimages/{galleryImageName}", - "azure-native:labservices/v20181015:LabAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labaccounts/{labAccountName}", - "azure-native:labservices/v20211001preview:Lab": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}", - "azure-native:labservices/v20211001preview:LabPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labPlans/{labPlanName}", - "azure-native:labservices/v20211001preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/schedules/{scheduleName}", - "azure-native:labservices/v20211001preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/users/{userName}", - "azure-native:labservices/v20211115preview:Lab": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}", - "azure-native:labservices/v20211115preview:LabPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labPlans/{labPlanName}", - "azure-native:labservices/v20211115preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/schedules/{scheduleName}", - "azure-native:labservices/v20211115preview:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/users/{userName}", - "azure-native:labservices/v20220801:Lab": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}", - "azure-native:labservices/v20220801:LabPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labPlans/{labPlanName}", - "azure-native:labservices/v20220801:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/schedules/{scheduleName}", - "azure-native:labservices/v20220801:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/users/{userName}", - "azure-native:labservices/v20230607:Lab": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}", - "azure-native:labservices/v20230607:LabPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labPlans/{labPlanName}", - "azure-native:labservices/v20230607:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/schedules/{scheduleName}", - "azure-native:labservices/v20230607:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/users/{userName}", "azure-native:labservices:Lab": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}", "azure-native:labservices:LabPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labPlans/{labPlanName}", "azure-native:labservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/schedules/{scheduleName}", "azure-native:labservices:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/users/{userName}", - "azure-native:loadtestservice/v20221201:LoadTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LoadTestService/loadTests/{loadTestName}", - "azure-native:loadtestservice/v20231201preview:LoadTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LoadTestService/loadTests/{loadTestName}", - "azure-native:loadtestservice/v20231201preview:LoadTestMapping": "/{resourceUri}/providers/Microsoft.LoadTestService/loadTestMappings/{loadTestMappingName}", - "azure-native:loadtestservice/v20231201preview:LoadTestProfileMapping": "/{resourceUri}/providers/Microsoft.LoadTestService/loadTestProfileMappings/{loadTestProfileMappingName}", - "azure-native:loadtestservice/v20241201preview:LoadTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LoadTestService/loadTests/{loadTestName}", - "azure-native:loadtestservice/v20241201preview:LoadTestMapping": "/{resourceUri}/providers/Microsoft.LoadTestService/loadTestMappings/{loadTestMappingName}", - "azure-native:loadtestservice/v20241201preview:LoadTestProfileMapping": "/{resourceUri}/providers/Microsoft.LoadTestService/loadTestProfileMappings/{loadTestProfileMappingName}", "azure-native:loadtestservice:LoadTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LoadTestService/loadTests/{loadTestName}", "azure-native:loadtestservice:LoadTestMapping": "/{resourceUri}/providers/Microsoft.LoadTestService/loadTestMappings/{loadTestMappingName}", "azure-native:loadtestservice:LoadTestProfileMapping": "/{resourceUri}/providers/Microsoft.LoadTestService/loadTestProfileMappings/{loadTestProfileMappingName}", - "azure-native:logic/v20150201preview:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}", - "azure-native:logic/v20150201preview:WorkflowAccessKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}/accessKeys/{accessKeyName}", - "azure-native:logic/v20150801preview:IntegrationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}", - "azure-native:logic/v20150801preview:IntegrationAccountAgreement": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/agreements/{agreementName}", - "azure-native:logic/v20150801preview:IntegrationAccountCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/certificates/{certificateName}", - "azure-native:logic/v20150801preview:IntegrationAccountMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/maps/{mapName}", - "azure-native:logic/v20150801preview:IntegrationAccountPartner": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/partners/{partnerName}", - "azure-native:logic/v20150801preview:IntegrationAccountSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/schemas/{schemaName}", - "azure-native:logic/v20160601:Agreement": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/agreements/{agreementName}", - "azure-native:logic/v20160601:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/certificates/{certificateName}", - "azure-native:logic/v20160601:IntegrationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}", - "azure-native:logic/v20160601:IntegrationAccountAssembly": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/assemblies/{assemblyArtifactName}", - "azure-native:logic/v20160601:IntegrationAccountBatchConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/batchConfigurations/{batchConfigurationName}", - "azure-native:logic/v20160601:Map": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/maps/{mapName}", - "azure-native:logic/v20160601:Partner": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/partners/{partnerName}", - "azure-native:logic/v20160601:RosettaNetProcessConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/rosettanetprocessconfigurations/{rosettaNetProcessConfigurationName}", - "azure-native:logic/v20160601:Schema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/schemas/{schemaName}", - "azure-native:logic/v20160601:Session": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/sessions/{sessionName}", - "azure-native:logic/v20160601:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}", - "azure-native:logic/v20180701preview:IntegrationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}", - "azure-native:logic/v20180701preview:IntegrationAccountAgreement": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/agreements/{agreementName}", - "azure-native:logic/v20180701preview:IntegrationAccountAssembly": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/assemblies/{assemblyArtifactName}", - "azure-native:logic/v20180701preview:IntegrationAccountBatchConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/batchConfigurations/{batchConfigurationName}", - "azure-native:logic/v20180701preview:IntegrationAccountCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/certificates/{certificateName}", - "azure-native:logic/v20180701preview:IntegrationAccountMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/maps/{mapName}", - "azure-native:logic/v20180701preview:IntegrationAccountPartner": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/partners/{partnerName}", - "azure-native:logic/v20180701preview:IntegrationAccountSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/schemas/{schemaName}", - "azure-native:logic/v20180701preview:IntegrationAccountSession": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/sessions/{sessionName}", - "azure-native:logic/v20180701preview:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}", - "azure-native:logic/v20190501:IntegrationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}", - "azure-native:logic/v20190501:IntegrationAccountAgreement": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/agreements/{agreementName}", - "azure-native:logic/v20190501:IntegrationAccountAssembly": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/assemblies/{assemblyArtifactName}", - "azure-native:logic/v20190501:IntegrationAccountBatchConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/batchConfigurations/{batchConfigurationName}", - "azure-native:logic/v20190501:IntegrationAccountCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/certificates/{certificateName}", - "azure-native:logic/v20190501:IntegrationAccountMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/maps/{mapName}", - "azure-native:logic/v20190501:IntegrationAccountPartner": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/partners/{partnerName}", - "azure-native:logic/v20190501:IntegrationAccountSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/schemas/{schemaName}", - "azure-native:logic/v20190501:IntegrationAccountSession": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/sessions/{sessionName}", - "azure-native:logic/v20190501:IntegrationServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.Logic/integrationServiceEnvironments/{integrationServiceEnvironmentName}", - "azure-native:logic/v20190501:IntegrationServiceEnvironmentManagedApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.Logic/integrationServiceEnvironments/{integrationServiceEnvironmentName}/managedApis/{apiName}", - "azure-native:logic/v20190501:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}", "azure-native:logic:IntegrationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}", "azure-native:logic:IntegrationAccountAgreement": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/agreements/{agreementName}", "azure-native:logic:IntegrationAccountAssembly": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/assemblies/{assemblyArtifactName}", @@ -7242,18 +1147,6 @@ "azure-native:logic:RosettaNetProcessConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/rosettanetprocessconfigurations/{rosettaNetProcessConfigurationName}", "azure-native:logic:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}", "azure-native:logic:WorkflowAccessKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}/accessKeys/{accessKeyName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsAdtAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsComp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForM365ComplianceCenter/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForEDM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForEDMUpload/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForMIPPolicySync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForMIPPolicySync/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForSCCPowershell": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForSCCPowershell/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsSec": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForM365SecurityCenter/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForEDMUpload": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForEDMUpload/{resourceName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365ComplianceCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForM365ComplianceCenter/{resourceName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365SecurityCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForM365SecurityCenter/{resourceName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForMIPPolicySync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForMIPPolicySync/{resourceName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForO365ManagementActivityAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}", - "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForSCCPowershell": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForSCCPowershell/{resourceName}", "azure-native:m365securityandcompliance:PrivateEndpointConnectionsAdtAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:m365securityandcompliance:PrivateEndpointConnectionsComp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForM365ComplianceCenter/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:m365securityandcompliance:PrivateEndpointConnectionsForEDM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForEDMUpload/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", @@ -7266,724 +1159,7 @@ "azure-native:m365securityandcompliance:PrivateLinkServicesForMIPPolicySync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForMIPPolicySync/{resourceName}", "azure-native:m365securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}", "azure-native:m365securityandcompliance:PrivateLinkServicesForSCCPowershell": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForSCCPowershell/{resourceName}", - "azure-native:machinelearning/v20160501preview:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearning/commitmentPlans/{commitmentPlanName}", - "azure-native:machinelearning/v20160501preview:WebService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearning/webServices/{webServiceName}", - "azure-native:machinelearning/v20170101:WebService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearning/webServices/{webServiceName}", - "azure-native:machinelearning/v20191001:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearning/workspaces/{workspaceName}", "azure-native:machinelearning:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearning/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20200501preview:ACIService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20200501preview:AKSService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20200501preview:EndpointVariant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20200501preview:LinkedWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/linkedWorkspaces/{linkName}", - "azure-native:machinelearningservices/v20200501preview:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20200501preview:MachineLearningDataset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datasets/{datasetName}", - "azure-native:machinelearningservices/v20200501preview:MachineLearningDatastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{datastoreName}", - "azure-native:machinelearningservices/v20200501preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20200501preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20200515preview:ACIService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20200515preview:AKSService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20200515preview:EndpointVariant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20200515preview:LinkedWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/linkedWorkspaces/{linkName}", - "azure-native:machinelearningservices/v20200515preview:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20200515preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20200515preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20200601:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20200601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20200601:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20200601:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20200801:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20200801:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20200801:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20200801:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20200901preview:ACIService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20200901preview:AKSService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20200901preview:EndpointVariant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20200901preview:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{labelingJobId}", - "azure-native:machinelearningservices/v20200901preview:LinkedService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/linkedServices/{linkName}", - "azure-native:machinelearningservices/v20200901preview:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20200901preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20200901preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20200901preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20210101:ACIService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20210101:AKSService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20210101:EndpointVariant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20210101:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20210101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20210101:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20210101:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20210301preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20210301preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20210301preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20210301preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20210301preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20210301preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20210301preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20210301preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20210301preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20210301preview:EnvironmentSpecificationVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20210301preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20210301preview:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", - "azure-native:machinelearningservices/v20210301preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20210301preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20210301preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20210301preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20210301preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20210301preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20210301preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20210401:ACIService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20210401:AKSService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20210401:EndpointVariant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", - "azure-native:machinelearningservices/v20210401:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20210401:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20210401:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20210401:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20210701:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20210701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20210701:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20210701:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20220101preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20220101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20220101preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20220101preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20220201preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20220201preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20220201preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20220201preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220201preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20220201preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220201preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20220201preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20220201preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220201preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20220201preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20220201preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220201preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20220201preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20220201preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220201preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20220201preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20220201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20220201preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20220201preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20220501:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20220501:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20220501:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20220501:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220501:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20220501:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220501:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20220501:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20220501:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220501:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20220501:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20220501:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220501:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20220501:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20220501:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220501:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20220501:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20220501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20220501:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20220501:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20220601preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20220601preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20220601preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20220601preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220601preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20220601preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220601preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20220601preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20220601preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220601preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20220601preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20220601preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220601preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20220601preview:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", - "azure-native:machinelearningservices/v20220601preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20220601preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20220601preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20220601preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20220601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20220601preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20220601preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20220601preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20221001:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20221001:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20221001:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20221001:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221001:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20221001:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221001:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20221001:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20221001:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221001:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20221001:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20221001:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221001:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20221001:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20221001:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221001:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20221001:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20221001:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20221001:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20221001:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20221001:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20221001preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20221001preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20221001preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20221001preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221001preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20221001preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221001preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20221001preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20221001preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221001preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20221001preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20221001preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221001preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20221001preview:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", - "azure-native:machinelearningservices/v20221001preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20221001preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221001preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20221001preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20221001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20221001preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20221001preview:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20221001preview:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20221001preview:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20221001preview:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20221001preview:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20221001preview:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20221001preview:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20221001preview:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20221001preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20221001preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20221001preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20221201preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20221201preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20221201preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20221201preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221201preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20221201preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221201preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20221201preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20221201preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221201preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20221201preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20221201preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221201preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20221201preview:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", - "azure-native:machinelearningservices/v20221201preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20221201preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20221201preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20221201preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20221201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20221201preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20221201preview:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20221201preview:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20221201preview:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20221201preview:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20221201preview:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20221201preview:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20221201preview:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20221201preview:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20221201preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20221201preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20221201preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20230201preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20230201preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20230201preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20230201preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20230201preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20230201preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20230201preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20230201preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20230201preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", - "azure-native:machinelearningservices/v20230201preview:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", - "azure-native:machinelearningservices/v20230201preview:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20230201preview:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", - "azure-native:machinelearningservices/v20230201preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20230201preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20230201preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20230201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20230201preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20230201preview:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20230201preview:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20230201preview:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20230201preview:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20230201preview:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20230201preview:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20230201preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20230201preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20230201preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20230401:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20230401:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20230401:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20230401:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20230401:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20230401:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20230401:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20230401:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20230401:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20230401:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20230401:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20230401:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20230401:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20230401:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20230401:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20230401:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20230401:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20230401:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20230401:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20230401:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20230401:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20230401:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20230401:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20230401:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20230401:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20230401:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20230401preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20230401preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20230401preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20230401preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20230401preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20230401preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20230401preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20230401preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20230401preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", - "azure-native:machinelearningservices/v20230401preview:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", - "azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20230401preview:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", - "azure-native:machinelearningservices/v20230401preview:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", - "azure-native:machinelearningservices/v20230401preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20230401preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20230401preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20230401preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20230401preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20230401preview:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20230401preview:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20230401preview:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20230401preview:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20230401preview:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20230401preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20230401preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20230401preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20230601preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20230601preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20230601preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20230601preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20230601preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20230601preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20230601preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20230601preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20230601preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", - "azure-native:machinelearningservices/v20230601preview:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", - "azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20230601preview:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", - "azure-native:machinelearningservices/v20230601preview:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", - "azure-native:machinelearningservices/v20230601preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20230601preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20230601preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20230601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20230601preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20230601preview:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20230601preview:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20230601preview:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20230601preview:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20230601preview:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20230601preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20230601preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20230601preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20230801preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20230801preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20230801preview:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/capacityReserverationGroups/{groupId}", - "azure-native:machinelearningservices/v20230801preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20230801preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20230801preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20230801preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20230801preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20230801preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20230801preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", - "azure-native:machinelearningservices/v20230801preview:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", - "azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:InferenceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/endpoints/{endpointName}", - "azure-native:machinelearningservices/v20230801preview:InferenceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/groups/{groupName}", - "azure-native:machinelearningservices/v20230801preview:InferencePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{inferencePoolName}", - "azure-native:machinelearningservices/v20230801preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20230801preview:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", - "azure-native:machinelearningservices/v20230801preview:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", - "azure-native:machinelearningservices/v20230801preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20230801preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20230801preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20230801preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20230801preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20230801preview:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20230801preview:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20230801preview:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20230801preview:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20230801preview:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20230801preview:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20230801preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20230801preview:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", - "azure-native:machinelearningservices/v20230801preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20230801preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20231001:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20231001:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20231001:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20231001:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20231001:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20231001:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20231001:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20231001:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20231001:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20231001:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20231001:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20231001:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20231001:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", - "azure-native:machinelearningservices/v20231001:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", - "azure-native:machinelearningservices/v20231001:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", - "azure-native:machinelearningservices/v20231001:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", - "azure-native:machinelearningservices/v20231001:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20231001:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", - "azure-native:machinelearningservices/v20231001:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20231001:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20231001:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20231001:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20231001:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20231001:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20231001:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20231001:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20231001:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20231001:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20231001:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20231001:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20231001:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20231001:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20231001:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20231001:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20231001:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20231001:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20231001:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20240101preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20240101preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20240101preview:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/capacityReserverationGroups/{groupId}", - "azure-native:machinelearningservices/v20240101preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20240101preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20240101preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20240101preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20240101preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20240101preview:EndpointDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20240101preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20240101preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", - "azure-native:machinelearningservices/v20240101preview:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", - "azure-native:machinelearningservices/v20240101preview:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:InferenceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/endpoints/{endpointName}", - "azure-native:machinelearningservices/v20240101preview:InferenceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/groups/{groupName}", - "azure-native:machinelearningservices/v20240101preview:InferencePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{inferencePoolName}", - "azure-native:machinelearningservices/v20240101preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20240101preview:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", - "azure-native:machinelearningservices/v20240101preview:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", - "azure-native:machinelearningservices/v20240101preview:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", - "azure-native:machinelearningservices/v20240101preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20240101preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20240101preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20240101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20240101preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20240101preview:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20240101preview:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20240101preview:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20240101preview:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20240101preview:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20240101preview:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20240101preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20240101preview:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", - "azure-native:machinelearningservices/v20240101preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20240101preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20240401:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20240401:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20240401:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20240401:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240401:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20240401:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240401:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20240401:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20240401:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240401:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20240401:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20240401:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240401:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", - "azure-native:machinelearningservices/v20240401:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240401:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", - "azure-native:machinelearningservices/v20240401:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240401:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20240401:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", - "azure-native:machinelearningservices/v20240401:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", - "azure-native:machinelearningservices/v20240401:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20240401:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240401:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20240401:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20240401:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20240401:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20240401:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20240401:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20240401:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20240401:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20240401:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20240401:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240401:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20240401:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20240401:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20240401:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20240401:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20240401:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", - "azure-native:machinelearningservices/v20240401:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20240401:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20240401preview:ConnectionDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20240401preview:ConnectionRaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiPolicies/{raiPolicyName}", - "azure-native:machinelearningservices/v20240401preview:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/raiPolicies/{raiPolicyName}", - "azure-native:machinelearningservices/v20240701preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20240701preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20240701preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20240701preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20240701preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20240701preview:ConnectionDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}", - "azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", - "azure-native:machinelearningservices/v20240701preview:ConnectionRaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiPolicies/{raiPolicyName}", - "azure-native:machinelearningservices/v20240701preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20240701preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20240701preview:EndpointDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20240701preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20240701preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", - "azure-native:machinelearningservices/v20240701preview:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", - "azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20240701preview:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", - "azure-native:machinelearningservices/v20240701preview:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", - "azure-native:machinelearningservices/v20240701preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20240701preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20240701preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20240701preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20240701preview:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/raiPolicies/{raiPolicyName}", - "azure-native:machinelearningservices/v20240701preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20240701preview:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20240701preview:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20240701preview:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20240701preview:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20240701preview:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20240701preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20240701preview:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", - "azure-native:machinelearningservices/v20240701preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20240701preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20241001:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20241001:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20241001:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20241001:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20241001:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20241001:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20241001:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20241001:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20241001:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", - "azure-native:machinelearningservices/v20241001:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", - "azure-native:machinelearningservices/v20241001:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20241001:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", - "azure-native:machinelearningservices/v20241001:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", - "azure-native:machinelearningservices/v20241001:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20241001:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20241001:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20241001:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20241001:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20241001:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20241001:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20241001:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20241001:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20241001:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20241001:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20241001:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20241001:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20241001:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20241001:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20241001:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", - "azure-native:machinelearningservices/v20241001:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20241001:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20241001preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20241001preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20241001preview:CapabilityHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/capabilityHosts/{name}", - "azure-native:machinelearningservices/v20241001preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20241001preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20241001preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20241001preview:ConnectionDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}", - "azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", - "azure-native:machinelearningservices/v20241001preview:ConnectionRaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiPolicies/{raiPolicyName}", - "azure-native:machinelearningservices/v20241001preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20241001preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20241001preview:EndpointDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20241001preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20241001preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", - "azure-native:machinelearningservices/v20241001preview:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", - "azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:InferenceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/endpoints/{endpointName}", - "azure-native:machinelearningservices/v20241001preview:InferenceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/groups/{groupName}", - "azure-native:machinelearningservices/v20241001preview:InferencePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{inferencePoolName}", - "azure-native:machinelearningservices/v20241001preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20241001preview:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", - "azure-native:machinelearningservices/v20241001preview:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", - "azure-native:machinelearningservices/v20241001preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20241001preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20241001preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20241001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20241001preview:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/raiPolicies/{raiPolicyName}", - "azure-native:machinelearningservices/v20241001preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20241001preview:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20241001preview:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20241001preview:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20241001preview:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20241001preview:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20241001preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20241001preview:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", - "azure-native:machinelearningservices/v20241001preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20241001preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:machinelearningservices/v20250101preview:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20250101preview:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20250101preview:CapabilityHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/capabilityHosts/{name}", - "azure-native:machinelearningservices/v20250101preview:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", - "azure-native:machinelearningservices/v20250101preview:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", - "azure-native:machinelearningservices/v20250101preview:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", - "azure-native:machinelearningservices/v20250101preview:ConnectionDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20250101preview:ConnectionRaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}", - "azure-native:machinelearningservices/v20250101preview:ConnectionRaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", - "azure-native:machinelearningservices/v20250101preview:ConnectionRaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiPolicies/{raiPolicyName}", - "azure-native:machinelearningservices/v20250101preview:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", - "azure-native:machinelearningservices/v20250101preview:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", - "azure-native:machinelearningservices/v20250101preview:EndpointDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20250101preview:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", - "azure-native:machinelearningservices/v20250101preview:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", - "azure-native:machinelearningservices/v20250101preview:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", - "azure-native:machinelearningservices/v20250101preview:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:InferenceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/endpoints/{endpointName}", - "azure-native:machinelearningservices/v20250101preview:InferenceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/groups/{groupName}", - "azure-native:machinelearningservices/v20250101preview:InferencePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{inferencePoolName}", - "azure-native:machinelearningservices/v20250101preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", - "azure-native:machinelearningservices/v20250101preview:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", - "azure-native:machinelearningservices/v20250101preview:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", - "azure-native:machinelearningservices/v20250101preview:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", - "azure-native:machinelearningservices/v20250101preview:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", - "azure-native:machinelearningservices/v20250101preview:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", - "azure-native:machinelearningservices/v20250101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:machinelearningservices/v20250101preview:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/raiPolicies/{raiPolicyName}", - "azure-native:machinelearningservices/v20250101preview:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", - "azure-native:machinelearningservices/v20250101preview:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", - "azure-native:machinelearningservices/v20250101preview:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", - "azure-native:machinelearningservices/v20250101preview:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", - "azure-native:machinelearningservices/v20250101preview:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", - "azure-native:machinelearningservices/v20250101preview:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", - "azure-native:machinelearningservices/v20250101preview:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", - "azure-native:machinelearningservices/v20250101preview:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", - "azure-native:machinelearningservices/v20250101preview:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", - "azure-native:machinelearningservices/v20250101preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", - "azure-native:machinelearningservices/v20250101preview:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", "azure-native:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", "azure-native:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", "azure-native:machinelearningservices:CapabilityHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/capabilityHosts/{name}", @@ -8040,85 +1216,17 @@ "azure-native:machinelearningservices:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", "azure-native:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", "azure-native:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", - "azure-native:maintenance/v20221101preview:ConfigurationAssignment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20221101preview:ConfigurationAssignmentParent": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceParentType}/{resourceParentName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20221101preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/maintenanceConfigurations/{resourceName}", - "azure-native:maintenance/v20230401:ConfigurationAssignment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20230401:ConfigurationAssignmentParent": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceParentType}/{resourceParentName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20230401:ConfigurationAssignmentsForResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20230401:ConfigurationAssignmentsForSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20230401:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/maintenanceConfigurations/{resourceName}", - "azure-native:maintenance/v20230901preview:ConfigurationAssignment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20230901preview:ConfigurationAssignmentParent": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceParentType}/{resourceParentName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20230901preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/maintenanceConfigurations/{resourceName}", - "azure-native:maintenance/v20231001preview:ConfigurationAssignment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20231001preview:ConfigurationAssignmentParent": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceParentType}/{resourceParentName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", - "azure-native:maintenance/v20231001preview:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/maintenanceConfigurations/{resourceName}", "azure-native:maintenance:ConfigurationAssignment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", "azure-native:maintenance:ConfigurationAssignmentParent": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceParentType}/{resourceParentName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", "azure-native:maintenance:ConfigurationAssignmentsForResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", "azure-native:maintenance:ConfigurationAssignmentsForSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", "azure-native:maintenance:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/maintenanceConfigurations/{resourceName}", - "azure-native:managedidentity/v20220131preview:FederatedIdentityCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}/federatedIdentityCredentials/{federatedIdentityCredentialResourceName}", - "azure-native:managedidentity/v20220131preview:UserAssignedIdentity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}", - "azure-native:managedidentity/v20230131:FederatedIdentityCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}/federatedIdentityCredentials/{federatedIdentityCredentialResourceName}", - "azure-native:managedidentity/v20230131:UserAssignedIdentity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}", - "azure-native:managedidentity/v20230731preview:FederatedIdentityCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}/federatedIdentityCredentials/{federatedIdentityCredentialResourceName}", - "azure-native:managedidentity/v20230731preview:UserAssignedIdentity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}", - "azure-native:managedidentity/v20241130:FederatedIdentityCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}/federatedIdentityCredentials/{federatedIdentityCredentialResourceName}", - "azure-native:managedidentity/v20241130:UserAssignedIdentity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}", - "azure-native:managedidentity/v20250131preview:FederatedIdentityCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}/federatedIdentityCredentials/{federatedIdentityCredentialResourceName}", - "azure-native:managedidentity/v20250131preview:UserAssignedIdentity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}", "azure-native:managedidentity:FederatedIdentityCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}/federatedIdentityCredentials/{federatedIdentityCredentialResourceName}", "azure-native:managedidentity:UserAssignedIdentity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}", - "azure-native:managednetwork/v20190601preview:ManagedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetwork/managedNetworks/{managedNetworkName}", - "azure-native:managednetwork/v20190601preview:ManagedNetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetwork/managedNetworks/{managedNetworkName}/managedNetworkGroups/{managedNetworkGroupName}", - "azure-native:managednetwork/v20190601preview:ManagedNetworkPeeringPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetwork/managedNetworks/{managedNetworkName}/managedNetworkPeeringPolicies/{managedNetworkPeeringPolicyName}", - "azure-native:managednetwork/v20190601preview:ScopeAssignment": "/{scope}/providers/Microsoft.ManagedNetwork/scopeAssignments/{scopeAssignmentName}", "azure-native:managednetwork:ManagedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetwork/managedNetworks/{managedNetworkName}", "azure-native:managednetwork:ManagedNetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetwork/managedNetworks/{managedNetworkName}/managedNetworkGroups/{managedNetworkGroupName}", "azure-native:managednetwork:ManagedNetworkPeeringPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetwork/managedNetworks/{managedNetworkName}/managedNetworkPeeringPolicies/{managedNetworkPeeringPolicyName}", "azure-native:managednetwork:ScopeAssignment": "/{scope}/providers/Microsoft.ManagedNetwork/scopeAssignments/{scopeAssignmentName}", - "azure-native:managednetworkfabric/v20230201preview:AccessControlList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/accessControlLists/{accessControlListName}", - "azure-native:managednetworkfabric/v20230201preview:ExternalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}/externalNetworks/{externalNetworkName}", - "azure-native:managednetworkfabric/v20230201preview:InternalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}/internalNetworks/{internalNetworkName}", - "azure-native:managednetworkfabric/v20230201preview:IpCommunity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipCommunities/{ipCommunityName}", - "azure-native:managednetworkfabric/v20230201preview:IpExtendedCommunity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipExtendedCommunities/{ipExtendedCommunityName}", - "azure-native:managednetworkfabric/v20230201preview:IpPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipPrefixes/{ipPrefixName}", - "azure-native:managednetworkfabric/v20230201preview:L2IsolationDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l2IsolationDomains/{l2IsolationDomainName}", - "azure-native:managednetworkfabric/v20230201preview:L3IsolationDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}", - "azure-native:managednetworkfabric/v20230201preview:NetworkDevice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkDevices/{networkDeviceName}", - "azure-native:managednetworkfabric/v20230201preview:NetworkFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabrics/{networkFabricName}", - "azure-native:managednetworkfabric/v20230201preview:NetworkFabricController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabricControllers/{networkFabricControllerName}", - "azure-native:managednetworkfabric/v20230201preview:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkDevices/{networkDeviceName}/networkInterfaces/{networkInterfaceName}", - "azure-native:managednetworkfabric/v20230201preview:NetworkRack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkRacks/{networkRackName}", - "azure-native:managednetworkfabric/v20230201preview:NetworkToNetworkInterconnect": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabrics/{networkFabricName}/networkToNetworkInterconnects/{networkToNetworkInterconnectName}", - "azure-native:managednetworkfabric/v20230201preview:RoutePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/routePolicies/{routePolicyName}", - "azure-native:managednetworkfabric/v20230615:AccessControlList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/accessControlLists/{accessControlListName}", - "azure-native:managednetworkfabric/v20230615:ExternalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}/externalNetworks/{externalNetworkName}", - "azure-native:managednetworkfabric/v20230615:InternalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}/internalNetworks/{internalNetworkName}", - "azure-native:managednetworkfabric/v20230615:InternetGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/internetGateways/{internetGatewayName}", - "azure-native:managednetworkfabric/v20230615:InternetGatewayRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/internetGatewayRules/{internetGatewayRuleName}", - "azure-native:managednetworkfabric/v20230615:IpCommunity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipCommunities/{ipCommunityName}", - "azure-native:managednetworkfabric/v20230615:IpExtendedCommunity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipExtendedCommunities/{ipExtendedCommunityName}", - "azure-native:managednetworkfabric/v20230615:IpPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipPrefixes/{ipPrefixName}", - "azure-native:managednetworkfabric/v20230615:L2IsolationDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l2IsolationDomains/{l2IsolationDomainName}", - "azure-native:managednetworkfabric/v20230615:L3IsolationDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}", - "azure-native:managednetworkfabric/v20230615:NeighborGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/neighborGroups/{neighborGroupName}", - "azure-native:managednetworkfabric/v20230615:NetworkDevice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkDevices/{networkDeviceName}", - "azure-native:managednetworkfabric/v20230615:NetworkFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabrics/{networkFabricName}", - "azure-native:managednetworkfabric/v20230615:NetworkFabricController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabricControllers/{networkFabricControllerName}", - "azure-native:managednetworkfabric/v20230615:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkDevices/{networkDeviceName}/networkInterfaces/{networkInterfaceName}", - "azure-native:managednetworkfabric/v20230615:NetworkPacketBroker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkPacketBrokers/{networkPacketBrokerName}", - "azure-native:managednetworkfabric/v20230615:NetworkRack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkRacks/{networkRackName}", - "azure-native:managednetworkfabric/v20230615:NetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkTaps/{networkTapName}", - "azure-native:managednetworkfabric/v20230615:NetworkTapRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkTapRules/{networkTapRuleName}", - "azure-native:managednetworkfabric/v20230615:NetworkToNetworkInterconnect": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabrics/{networkFabricName}/networkToNetworkInterconnects/{networkToNetworkInterconnectName}", - "azure-native:managednetworkfabric/v20230615:RoutePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/routePolicies/{routePolicyName}", "azure-native:managednetworkfabric:AccessControlList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/accessControlLists/{accessControlListName}", "azure-native:managednetworkfabric:ExternalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}/externalNetworks/{externalNetworkName}", "azure-native:managednetworkfabric:InternalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}/internalNetworks/{internalNetworkName}", @@ -8140,158 +1248,19 @@ "azure-native:managednetworkfabric:NetworkTapRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkTapRules/{networkTapRuleName}", "azure-native:managednetworkfabric:NetworkToNetworkInterconnect": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabrics/{networkFabricName}/networkToNetworkInterconnects/{networkToNetworkInterconnectName}", "azure-native:managednetworkfabric:RoutePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/routePolicies/{routePolicyName}", - "azure-native:managedservices/v20221001:RegistrationAssignment": "/{scope}/providers/Microsoft.ManagedServices/registrationAssignments/{registrationAssignmentId}", - "azure-native:managedservices/v20221001:RegistrationDefinition": "/{scope}/providers/Microsoft.ManagedServices/registrationDefinitions/{registrationDefinitionId}", "azure-native:managedservices:RegistrationAssignment": "/{scope}/providers/Microsoft.ManagedServices/registrationAssignments/{registrationAssignmentId}", "azure-native:managedservices:RegistrationDefinition": "/{scope}/providers/Microsoft.ManagedServices/registrationDefinitions/{registrationDefinitionId}", - "azure-native:management/v20210401:HierarchySetting": "/providers/Microsoft.Management/managementGroups/{groupId}/settings/default", - "azure-native:management/v20210401:ManagementGroup": "/providers/Microsoft.Management/managementGroups/{groupId}", - "azure-native:management/v20210401:ManagementGroupSubscription": "/providers/Microsoft.Management/managementGroups/{groupId}/subscriptions/{subscriptionId}", - "azure-native:management/v20230401:HierarchySetting": "/providers/Microsoft.Management/managementGroups/{groupId}/settings/default", - "azure-native:management/v20230401:ManagementGroup": "/providers/Microsoft.Management/managementGroups/{groupId}", - "azure-native:management/v20230401:ManagementGroupSubscription": "/providers/Microsoft.Management/managementGroups/{groupId}/subscriptions/{subscriptionId}", "azure-native:management:HierarchySetting": "/providers/Microsoft.Management/managementGroups/{groupId}/settings/default", "azure-native:management:ManagementGroup": "/providers/Microsoft.Management/managementGroups/{groupId}", "azure-native:management:ManagementGroupSubscription": "/providers/Microsoft.Management/managementGroups/{groupId}/subscriptions/{subscriptionId}", - "azure-native:managementpartner/v20180201:Partner": "/providers/Microsoft.ManagementPartner/partners/{partnerId}", "azure-native:managementpartner:Partner": "/providers/Microsoft.ManagementPartner/partners/{partnerId}", - "azure-native:manufacturingplatform/v20250301:ManufacturingDataService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManufacturingPlatform/manufacturingDataServices/{mdsResourceName}", "azure-native:manufacturingplatform:ManufacturingDataService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManufacturingPlatform/manufacturingDataServices/{mdsResourceName}", - "azure-native:maps/v20200201preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", - "azure-native:maps/v20200201preview:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", - "azure-native:maps/v20200201preview:PrivateAtlase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/privateAtlases/{privateAtlasName}", - "azure-native:maps/v20210201:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", - "azure-native:maps/v20210201:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", - "azure-native:maps/v20210701preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", - "azure-native:maps/v20210701preview:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", - "azure-native:maps/v20211201preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", - "azure-native:maps/v20211201preview:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", - "azure-native:maps/v20230601:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", - "azure-native:maps/v20230601:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", - "azure-native:maps/v20230801preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", - "azure-native:maps/v20230801preview:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", - "azure-native:maps/v20231201preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", - "azure-native:maps/v20231201preview:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", - "azure-native:maps/v20231201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:maps/v20240101preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", - "azure-native:maps/v20240101preview:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", - "azure-native:maps/v20240101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:maps/v20240701preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", - "azure-native:maps/v20240701preview:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", "azure-native:maps:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", "azure-native:maps:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", "azure-native:maps:PrivateAtlase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/privateAtlases/{privateAtlasName}", "azure-native:maps:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:marketplace/v20230101:PrivateStoreCollection": "/providers/Microsoft.Marketplace/privateStores/{privateStoreId}/collections/{collectionId}", - "azure-native:marketplace/v20230101:PrivateStoreCollectionOffer": "/providers/Microsoft.Marketplace/privateStores/{privateStoreId}/collections/{collectionId}/offers/{offerId}", "azure-native:marketplace:PrivateStoreCollection": "/providers/Microsoft.Marketplace/privateStores/{privateStoreId}/collections/{collectionId}", "azure-native:marketplace:PrivateStoreCollectionOffer": "/providers/Microsoft.Marketplace/privateStores/{privateStoreId}/collections/{collectionId}/offers/{offerId}", - "azure-native:media/v20151001:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{mediaServiceName}", - "azure-native:media/v20180330preview:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", - "azure-native:media/v20180330preview:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", - "azure-native:media/v20180330preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", - "azure-native:media/v20180330preview:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", - "azure-native:media/v20180330preview:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", - "azure-native:media/v20180330preview:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", - "azure-native:media/v20180330preview:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", - "azure-native:media/v20180330preview:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", - "azure-native:media/v20180330preview:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", - "azure-native:media/v20180330preview:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", - "azure-native:media/v20180601preview:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", - "azure-native:media/v20180601preview:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", - "azure-native:media/v20180601preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", - "azure-native:media/v20180601preview:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", - "azure-native:media/v20180601preview:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", - "azure-native:media/v20180601preview:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", - "azure-native:media/v20180601preview:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", - "azure-native:media/v20180601preview:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", - "azure-native:media/v20180601preview:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", - "azure-native:media/v20180601preview:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", - "azure-native:media/v20180701:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", - "azure-native:media/v20180701:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", - "azure-native:media/v20180701:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", - "azure-native:media/v20180701:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", - "azure-native:media/v20180701:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", - "azure-native:media/v20180701:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", - "azure-native:media/v20180701:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", - "azure-native:media/v20180701:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", - "azure-native:media/v20180701:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", - "azure-native:media/v20180701:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", - "azure-native:media/v20180701:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", - "azure-native:media/v20180701:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", - "azure-native:media/v20190501preview:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", - "azure-native:media/v20190501preview:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", - "azure-native:media/v20190501preview:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", - "azure-native:media/v20190901preview:MediaGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/mediaGraphs/{mediaGraphName}", - "azure-native:media/v20200201preview:MediaGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/mediaGraphs/{mediaGraphName}", - "azure-native:media/v20200501:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", - "azure-native:media/v20200501:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", - "azure-native:media/v20200501:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", - "azure-native:media/v20200501:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", - "azure-native:media/v20200501:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", - "azure-native:media/v20200501:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", - "azure-native:media/v20200501:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", - "azure-native:media/v20200501:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", - "azure-native:media/v20200501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/privateEndpointConnections/{name}", - "azure-native:media/v20200501:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", - "azure-native:media/v20200501:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", - "azure-native:media/v20200501:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", - "azure-native:media/v20200501:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", - "azure-native:media/v20210501:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", - "azure-native:media/v20210501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/privateEndpointConnections/{name}", - "azure-native:media/v20210601:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", - "azure-native:media/v20210601:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", - "azure-native:media/v20210601:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", - "azure-native:media/v20210601:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", - "azure-native:media/v20210601:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", - "azure-native:media/v20210601:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", - "azure-native:media/v20210601:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", - "azure-native:media/v20210601:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", - "azure-native:media/v20210601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/privateEndpointConnections/{name}", - "azure-native:media/v20210601:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", - "azure-native:media/v20210601:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", - "azure-native:media/v20210601:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", - "azure-native:media/v20210601:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", - "azure-native:media/v20211101:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", - "azure-native:media/v20211101:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", - "azure-native:media/v20211101:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", - "azure-native:media/v20211101:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", - "azure-native:media/v20211101:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", - "azure-native:media/v20211101:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", - "azure-native:media/v20211101:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", - "azure-native:media/v20211101:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", - "azure-native:media/v20211101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/privateEndpointConnections/{name}", - "azure-native:media/v20211101:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", - "azure-native:media/v20211101:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", - "azure-native:media/v20211101:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", - "azure-native:media/v20211101:Track": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/tracks/{trackName}", - "azure-native:media/v20211101:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", - "azure-native:media/v20220501preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", - "azure-native:media/v20220501preview:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", - "azure-native:media/v20220701:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", - "azure-native:media/v20220701:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", - "azure-native:media/v20220801:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", - "azure-native:media/v20220801:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", - "azure-native:media/v20220801:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", - "azure-native:media/v20220801:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", - "azure-native:media/v20220801:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", - "azure-native:media/v20220801:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", - "azure-native:media/v20220801:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", - "azure-native:media/v20220801:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", - "azure-native:media/v20220801:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", - "azure-native:media/v20220801:Track": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/tracks/{trackName}", - "azure-native:media/v20221101:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", - "azure-native:media/v20221101:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", - "azure-native:media/v20221101:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", - "azure-native:media/v20230101:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", - "azure-native:media/v20230101:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", - "azure-native:media/v20230101:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", - "azure-native:media/v20230101:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", - "azure-native:media/v20230101:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", - "azure-native:media/v20230101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/privateEndpointConnections/{name}", - "azure-native:media/v20230101:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", - "azure-native:media/v20230101:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", - "azure-native:media/v20230101:Track": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/tracks/{trackName}", "azure-native:media:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", "azure-native:media:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", "azure-native:media:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", @@ -8306,107 +1275,6 @@ "azure-native:media:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", "azure-native:media:Track": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/tracks/{trackName}", "azure-native:media:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", - "azure-native:migrate/v20180901preview:MigrateProject": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}", - "azure-native:migrate/v20180901preview:Solution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}/solutions/{solutionName}", - "azure-native:migrate/v20191001:Assessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", - "azure-native:migrate/v20191001:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", - "azure-native:migrate/v20191001:HyperVCollector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hyperVCollectorName}", - "azure-native:migrate/v20191001:ImportCollector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", - "azure-native:migrate/v20191001:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentprojects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:migrate/v20191001:Project": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", - "azure-native:migrate/v20191001:ServerCollector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", - "azure-native:migrate/v20191001:VMwareCollector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", - "azure-native:migrate/v20191001preview:MoveCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}", - "azure-native:migrate/v20191001preview:MoveResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}/moveResources/{moveResourceName}", - "azure-native:migrate/v20200501:MigrateProjectsControllerMigrateProject": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}", - "azure-native:migrate/v20200501:PrivateEndpointConnectionControllerPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}/privateEndpointConnections/{peConnectionName}", - "azure-native:migrate/v20210101:MoveCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}", - "azure-native:migrate/v20210101:MoveResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}/moveResources/{moveResourceName}", - "azure-native:migrate/v20210801:MoveCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}", - "azure-native:migrate/v20210801:MoveResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}/moveResources/{moveResourceName}", - "azure-native:migrate/v20220501preview:MigrateAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/modernizeProjects/{modernizeProjectName}/migrateAgents/{agentName}", - "azure-native:migrate/v20220501preview:ModernizeProject": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/modernizeProjects/{modernizeProjectName}", - "azure-native:migrate/v20220501preview:WorkloadDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/modernizeProjects/{modernizeProjectName}/workloadDeployments/{workloadDeploymentName}", - "azure-native:migrate/v20220501preview:WorkloadInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/modernizeProjects/{modernizeProjectName}/workloadInstances/{workloadInstanceName}", - "azure-native:migrate/v20220801:MoveCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}", - "azure-native:migrate/v20220801:MoveResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}/moveResources/{moveResourceName}", - "azure-native:migrate/v20230101:MigrateProjectsControllerMigrateProject": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}", - "azure-native:migrate/v20230101:PrivateEndpointConnectionControllerPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}/privateEndpointConnections/{peConnectionName}", - "azure-native:migrate/v20230101:PrivateEndpointConnectionProxyController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}/privateEndpointConnectionProxies/{pecProxyName}", - "azure-native:migrate/v20230101:SolutionsControllerSolution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}/solutions/{solutionName}", - "azure-native:migrate/v20230315:AssessmentProjectsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", - "azure-native:migrate/v20230315:AssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", - "azure-native:migrate/v20230315:AvsAssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/avsAssessments/{assessmentName}", - "azure-native:migrate/v20230315:GroupsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", - "azure-native:migrate/v20230315:HypervCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hypervCollectorName}", - "azure-native:migrate/v20230315:ImportCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", - "azure-native:migrate/v20230315:PrivateEndpointConnectionOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:migrate/v20230315:ServerCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", - "azure-native:migrate/v20230315:SqlAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/sqlAssessments/{assessmentName}", - "azure-native:migrate/v20230315:SqlCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/sqlcollectors/{collectorName}", - "azure-native:migrate/v20230315:VmwareCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", - "azure-native:migrate/v20230401preview:AksAssessmentOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/aksAssessments/{assessmentName}", - "azure-native:migrate/v20230401preview:AssessmentProjectsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", - "azure-native:migrate/v20230401preview:AssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", - "azure-native:migrate/v20230401preview:AvsAssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/avsAssessments/{assessmentName}", - "azure-native:migrate/v20230401preview:BusinessCaseOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/businessCases/{businessCaseName}", - "azure-native:migrate/v20230401preview:GroupsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", - "azure-native:migrate/v20230401preview:HypervCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hypervCollectorName}", - "azure-native:migrate/v20230401preview:ImportCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", - "azure-native:migrate/v20230401preview:PrivateEndpointConnectionOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:migrate/v20230401preview:ServerCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", - "azure-native:migrate/v20230401preview:SqlAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/sqlAssessments/{assessmentName}", - "azure-native:migrate/v20230401preview:SqlCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/sqlcollectors/{collectorName}", - "azure-native:migrate/v20230401preview:VmwareCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", - "azure-native:migrate/v20230401preview:WebAppAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/webAppAssessments/{assessmentName}", - "azure-native:migrate/v20230401preview:WebAppCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/webAppCollectors/{collectorName}", - "azure-native:migrate/v20230501preview:AksAssessmentOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/aksAssessments/{assessmentName}", - "azure-native:migrate/v20230501preview:AssessmentProjectsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", - "azure-native:migrate/v20230501preview:AssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", - "azure-native:migrate/v20230501preview:AvsAssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/avsAssessments/{assessmentName}", - "azure-native:migrate/v20230501preview:BusinessCaseOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/businessCases/{businessCaseName}", - "azure-native:migrate/v20230501preview:GroupsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", - "azure-native:migrate/v20230501preview:HypervCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hypervCollectorName}", - "azure-native:migrate/v20230501preview:ImportCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", - "azure-native:migrate/v20230501preview:PrivateEndpointConnectionOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:migrate/v20230501preview:ServerCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", - "azure-native:migrate/v20230501preview:SqlAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/sqlAssessments/{assessmentName}", - "azure-native:migrate/v20230501preview:SqlCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/sqlcollectors/{collectorName}", - "azure-native:migrate/v20230501preview:VmwareCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", - "azure-native:migrate/v20230501preview:WebAppAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/webAppAssessments/{assessmentName}", - "azure-native:migrate/v20230501preview:WebAppCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/webAppCollectors/{collectorName}", - "azure-native:migrate/v20230801:MoveCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}", - "azure-native:migrate/v20230801:MoveResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}/moveResources/{moveResourceName}", - "azure-native:migrate/v20230909preview:AksAssessmentOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/aksAssessments/{assessmentName}", - "azure-native:migrate/v20230909preview:AssessmentProjectsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", - "azure-native:migrate/v20230909preview:AssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", - "azure-native:migrate/v20230909preview:AvsAssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/avsAssessments/{assessmentName}", - "azure-native:migrate/v20230909preview:BusinessCaseOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/businessCases/{businessCaseName}", - "azure-native:migrate/v20230909preview:GroupsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", - "azure-native:migrate/v20230909preview:HypervCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hypervCollectorName}", - "azure-native:migrate/v20230909preview:ImportCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", - "azure-native:migrate/v20230909preview:PrivateEndpointConnectionOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:migrate/v20230909preview:ServerCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", - "azure-native:migrate/v20230909preview:SqlAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/sqlAssessments/{assessmentName}", - "azure-native:migrate/v20230909preview:SqlCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/sqlcollectors/{collectorName}", - "azure-native:migrate/v20230909preview:VmwareCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", - "azure-native:migrate/v20230909preview:WebAppAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/webAppAssessments/{assessmentName}", - "azure-native:migrate/v20230909preview:WebAppCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/webAppCollectors/{collectorName}", - "azure-native:migrate/v20240101preview:AksAssessmentOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/aksAssessments/{assessmentName}", - "azure-native:migrate/v20240101preview:AssessmentProjectsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", - "azure-native:migrate/v20240101preview:AssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", - "azure-native:migrate/v20240101preview:AvsAssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/avsAssessments/{assessmentName}", - "azure-native:migrate/v20240101preview:BusinessCaseOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/businessCases/{businessCaseName}", - "azure-native:migrate/v20240101preview:GroupsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", - "azure-native:migrate/v20240101preview:HypervCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hypervCollectorName}", - "azure-native:migrate/v20240101preview:ImportCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", - "azure-native:migrate/v20240101preview:PrivateEndpointConnectionOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:migrate/v20240101preview:ServerCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", - "azure-native:migrate/v20240101preview:SqlAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/sqlAssessments/{assessmentName}", - "azure-native:migrate/v20240101preview:SqlCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/sqlcollectors/{collectorName}", - "azure-native:migrate/v20240101preview:VmwareCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", - "azure-native:migrate/v20240101preview:WebAppAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/webAppAssessments/{assessmentName}", - "azure-native:migrate/v20240101preview:WebAppCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/webAppCollectors/{collectorName}", "azure-native:migrate:AksAssessmentOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/aksAssessments/{assessmentName}", "azure-native:migrate:Assessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", "azure-native:migrate:AssessmentProjectsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", @@ -8440,89 +1308,9 @@ "azure-native:migrate:WebAppCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/webAppCollectors/{collectorName}", "azure-native:migrate:WorkloadDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/modernizeProjects/{modernizeProjectName}/workloadDeployments/{workloadDeploymentName}", "azure-native:migrate:WorkloadInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/modernizeProjects/{modernizeProjectName}/workloadInstances/{workloadInstanceName}", - "azure-native:mixedreality/v20210101:RemoteRenderingAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/remoteRenderingAccounts/{accountName}", - "azure-native:mixedreality/v20210101:SpatialAnchorsAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/spatialAnchorsAccounts/{accountName}", - "azure-native:mixedreality/v20210301preview:ObjectAnchorsAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/objectAnchorsAccounts/{accountName}", - "azure-native:mixedreality/v20210301preview:RemoteRenderingAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/remoteRenderingAccounts/{accountName}", - "azure-native:mixedreality/v20210301preview:SpatialAnchorsAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/spatialAnchorsAccounts/{accountName}", - "azure-native:mixedreality/v20250101:RemoteRenderingAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/remoteRenderingAccounts/{accountName}", "azure-native:mixedreality:ObjectAnchorsAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/objectAnchorsAccounts/{accountName}", "azure-native:mixedreality:RemoteRenderingAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/remoteRenderingAccounts/{accountName}", "azure-native:mixedreality:SpatialAnchorsAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/spatialAnchorsAccounts/{accountName}", - "azure-native:mobilenetwork/v20220401preview:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", - "azure-native:mobilenetwork/v20220401preview:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", - "azure-native:mobilenetwork/v20220401preview:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", - "azure-native:mobilenetwork/v20220401preview:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", - "azure-native:mobilenetwork/v20220401preview:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", - "azure-native:mobilenetwork/v20220401preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", - "azure-native:mobilenetwork/v20220401preview:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", - "azure-native:mobilenetwork/v20220401preview:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", - "azure-native:mobilenetwork/v20220401preview:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", - "azure-native:mobilenetwork/v20220401preview:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", - "azure-native:mobilenetwork/v20220401preview:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", - "azure-native:mobilenetwork/v20221101:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", - "azure-native:mobilenetwork/v20221101:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", - "azure-native:mobilenetwork/v20221101:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", - "azure-native:mobilenetwork/v20221101:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", - "azure-native:mobilenetwork/v20221101:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", - "azure-native:mobilenetwork/v20221101:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", - "azure-native:mobilenetwork/v20221101:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", - "azure-native:mobilenetwork/v20221101:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", - "azure-native:mobilenetwork/v20221101:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", - "azure-native:mobilenetwork/v20221101:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", - "azure-native:mobilenetwork/v20221101:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", - "azure-native:mobilenetwork/v20230601:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", - "azure-native:mobilenetwork/v20230601:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", - "azure-native:mobilenetwork/v20230601:DiagnosticsPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/diagnosticsPackages/{diagnosticsPackageName}", - "azure-native:mobilenetwork/v20230601:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", - "azure-native:mobilenetwork/v20230601:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCaptures/{packetCaptureName}", - "azure-native:mobilenetwork/v20230601:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", - "azure-native:mobilenetwork/v20230601:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", - "azure-native:mobilenetwork/v20230601:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", - "azure-native:mobilenetwork/v20230601:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", - "azure-native:mobilenetwork/v20230601:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", - "azure-native:mobilenetwork/v20230601:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", - "azure-native:mobilenetwork/v20230601:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", - "azure-native:mobilenetwork/v20230601:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", - "azure-native:mobilenetwork/v20230901:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", - "azure-native:mobilenetwork/v20230901:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", - "azure-native:mobilenetwork/v20230901:DiagnosticsPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/diagnosticsPackages/{diagnosticsPackageName}", - "azure-native:mobilenetwork/v20230901:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", - "azure-native:mobilenetwork/v20230901:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCaptures/{packetCaptureName}", - "azure-native:mobilenetwork/v20230901:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", - "azure-native:mobilenetwork/v20230901:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", - "azure-native:mobilenetwork/v20230901:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", - "azure-native:mobilenetwork/v20230901:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", - "azure-native:mobilenetwork/v20230901:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", - "azure-native:mobilenetwork/v20230901:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", - "azure-native:mobilenetwork/v20230901:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", - "azure-native:mobilenetwork/v20230901:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", - "azure-native:mobilenetwork/v20240201:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", - "azure-native:mobilenetwork/v20240201:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", - "azure-native:mobilenetwork/v20240201:DiagnosticsPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/diagnosticsPackages/{diagnosticsPackageName}", - "azure-native:mobilenetwork/v20240201:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", - "azure-native:mobilenetwork/v20240201:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCaptures/{packetCaptureName}", - "azure-native:mobilenetwork/v20240201:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", - "azure-native:mobilenetwork/v20240201:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", - "azure-native:mobilenetwork/v20240201:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", - "azure-native:mobilenetwork/v20240201:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", - "azure-native:mobilenetwork/v20240201:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", - "azure-native:mobilenetwork/v20240201:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", - "azure-native:mobilenetwork/v20240201:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", - "azure-native:mobilenetwork/v20240201:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", - "azure-native:mobilenetwork/v20240401:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", - "azure-native:mobilenetwork/v20240401:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", - "azure-native:mobilenetwork/v20240401:DiagnosticsPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/diagnosticsPackages/{diagnosticsPackageName}", - "azure-native:mobilenetwork/v20240401:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", - "azure-native:mobilenetwork/v20240401:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCaptures/{packetCaptureName}", - "azure-native:mobilenetwork/v20240401:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", - "azure-native:mobilenetwork/v20240401:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", - "azure-native:mobilenetwork/v20240401:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", - "azure-native:mobilenetwork/v20240401:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", - "azure-native:mobilenetwork/v20240401:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", - "azure-native:mobilenetwork/v20240401:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", - "azure-native:mobilenetwork/v20240401:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", - "azure-native:mobilenetwork/v20240401:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", "azure-native:mobilenetwork:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", "azure-native:mobilenetwork:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", "azure-native:mobilenetwork:DiagnosticsPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/diagnosticsPackages/{diagnosticsPackageName}", @@ -8536,48 +1324,9 @@ "azure-native:mobilenetwork:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", "azure-native:mobilenetwork:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", "azure-native:mobilenetwork:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", - "azure-native:mongocluster/v20240301preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", - "azure-native:mongocluster/v20240301preview:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", - "azure-native:mongocluster/v20240301preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:mongocluster/v20240601preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", - "azure-native:mongocluster/v20240601preview:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", - "azure-native:mongocluster/v20240601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:mongocluster/v20240701:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", - "azure-native:mongocluster/v20240701:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", - "azure-native:mongocluster/v20240701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:mongocluster/v20241001preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", - "azure-native:mongocluster/v20241001preview:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", - "azure-native:mongocluster/v20241001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:mongocluster:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", "azure-native:mongocluster:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", "azure-native:mongocluster:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:monitor/v20180301:ActionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/actionGroups/{actionGroupName}", - "azure-native:monitor/v20180301:MetricAlert": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/metricAlerts/{ruleName}", - "azure-native:monitor/v20201001:ActivityLogAlert": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/activityLogAlerts/{activityLogAlertName}", - "azure-native:monitor/v20210501preview:AutoscaleSetting": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Insights/autoscalesettings/{autoscaleSettingName}", - "azure-native:monitor/v20210501preview:DiagnosticSetting": "/{resourceUri}/providers/Microsoft.Insights/diagnosticSettings/{name}", - "azure-native:monitor/v20210501preview:ManagementGroupDiagnosticSetting": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Insights/diagnosticSettings/{name}", - "azure-native:monitor/v20210501preview:SubscriptionDiagnosticSetting": "/subscriptions/{subscriptionId}/providers/Microsoft.Insights/diagnosticSettings/{name}", - "azure-native:monitor/v20210701preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:monitor/v20210701preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/privateLinkScopes/{scopeName}", - "azure-native:monitor/v20210701preview:PrivateLinkScopedResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/privateLinkScopes/{scopeName}/scopedResources/{name}", - "azure-native:monitor/v20220601:ActionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/actionGroups/{actionGroupName}", - "azure-native:monitor/v20220601:DataCollectionEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/dataCollectionEndpoints/{dataCollectionEndpointName}", - "azure-native:monitor/v20220601:DataCollectionRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/dataCollectionRules/{dataCollectionRuleName}", - "azure-native:monitor/v20220601:DataCollectionRuleAssociation": "/{resourceUri}/providers/Microsoft.Insights/dataCollectionRuleAssociations/{associationName}", - "azure-native:monitor/v20230403:AzureMonitorWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Monitor/accounts/{azureMonitorWorkspaceName}", - "azure-native:monitor/v20230501preview:TenantActionGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Insights/tenantActionGroups/{tenantActionGroupName}", - "azure-native:monitor/v20230601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:monitor/v20230601preview:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/privateLinkScopes/{scopeName}", - "azure-native:monitor/v20230601preview:PrivateLinkScopedResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/privateLinkScopes/{scopeName}/scopedResources/{name}", - "azure-native:monitor/v20230901preview:ActionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/actionGroups/{actionGroupName}", - "azure-native:monitor/v20231001preview:AzureMonitorWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Monitor/accounts/{azureMonitorWorkspaceName}", - "azure-native:monitor/v20231001preview:PipelineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Monitor/pipelineGroups/{pipelineGroupName}", - "azure-native:monitor/v20231201:ScheduledQueryRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/scheduledQueryRules/{ruleName}", - "azure-native:monitor/v20240101preview:ScheduledQueryRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/scheduledQueryRules/{ruleName}", - "azure-native:monitor/v20241001preview:ActionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/actionGroups/{actionGroupName}", - "azure-native:monitor/v20241001preview:PipelineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Monitor/pipelineGroups/{pipelineGroupName}", - "azure-native:monitor/v20250101preview:ScheduledQueryRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/scheduledQueryRules/{ruleName}", "azure-native:monitor:ActionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/actionGroups/{actionGroupName}", "azure-native:monitor:ActivityLogAlert": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/activityLogAlerts/{activityLogAlertName}", "azure-native:monitor:AutoscaleSetting": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Insights/autoscalesettings/{autoscaleSettingName}", @@ -8595,192 +1344,8 @@ "azure-native:monitor:ScheduledQueryRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/scheduledQueryRules/{ruleName}", "azure-native:monitor:SubscriptionDiagnosticSetting": "/subscriptions/{subscriptionId}/providers/Microsoft.Insights/diagnosticSettings/{name}", "azure-native:monitor:TenantActionGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Insights/tenantActionGroups/{tenantActionGroupName}", - "azure-native:mysqldiscovery/v20240930preview:MySQLServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MySQLDiscovery/MySQLSites/{siteName}/MySQLServers/{serverName}", - "azure-native:mysqldiscovery/v20240930preview:MySQLSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MySQLDiscovery/MySQLSites/{siteName}", "azure-native:mysqldiscovery:MySQLServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MySQLDiscovery/MySQLSites/{siteName}/MySQLServers/{serverName}", "azure-native:mysqldiscovery:MySQLSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MySQLDiscovery/MySQLSites/{siteName}", - "azure-native:netapp/v20221101:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20221101:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20221101:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20221101:CapacityPoolBackup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/backups/{backupName}", - "azure-native:netapp/v20221101:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20221101:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20221101:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20221101:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20221101:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20221101:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20221101preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20221101preview:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20221101preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20221101preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20221101preview:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20221101preview:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20221101preview:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20221101preview:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20221101preview:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20221101preview:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20221101preview:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20230501:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20230501:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20230501:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20230501:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20230501:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20230501:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20230501:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20230501:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20230501:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20230501preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20230501preview:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20230501preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20230501preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20230501preview:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20230501preview:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20230501preview:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20230501preview:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20230501preview:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20230501preview:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20230501preview:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20230701:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20230701:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20230701:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20230701:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20230701:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20230701:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20230701:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20230701:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20230701:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20230701preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20230701preview:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20230701preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20230701preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20230701preview:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20230701preview:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20230701preview:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20230701preview:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20230701preview:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20230701preview:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20230701preview:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20231101:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20231101:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20231101:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20231101:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20231101:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20231101:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20231101:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20231101:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20231101:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20231101:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20231101:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20231101preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20231101preview:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20231101preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20231101preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20231101preview:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20231101preview:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20231101preview:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20231101preview:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20231101preview:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20231101preview:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20231101preview:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20240101:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20240101:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20240101:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20240101:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20240101:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20240101:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20240101:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20240101:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20240101:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20240101:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20240101:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20240301:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20240301:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20240301:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20240301:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20240301:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20240301:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20240301:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20240301:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20240301:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20240301:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20240301:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20240301preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20240301preview:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20240301preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20240301preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20240301preview:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20240301preview:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20240301preview:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20240301preview:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20240301preview:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20240301preview:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20240301preview:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20240501:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20240501:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20240501:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20240501:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20240501:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20240501:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20240501:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20240501:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20240501:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20240501:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20240501:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20240501preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20240501preview:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20240501preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20240501preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20240501preview:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20240501preview:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20240501preview:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20240501preview:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20240501preview:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20240501preview:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20240501preview:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20240701:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20240701:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20240701:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20240701:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20240701:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20240701:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20240701:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20240701:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20240701:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20240701:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20240701:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20240701preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20240701preview:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20240701preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20240701preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20240701preview:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20240701preview:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20240701preview:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20240701preview:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20240701preview:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20240701preview:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20240701preview:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20240901:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20240901:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20240901:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20240901:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20240901:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20240901:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20240901:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20240901:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20240901:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20240901:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20240901:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:netapp/v20240901preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", - "azure-native:netapp/v20240901preview:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", - "azure-native:netapp/v20240901preview:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", - "azure-native:netapp/v20240901preview:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", - "azure-native:netapp/v20240901preview:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", - "azure-native:netapp/v20240901preview:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", - "azure-native:netapp/v20240901preview:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", - "azure-native:netapp/v20240901preview:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", - "azure-native:netapp/v20240901preview:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", - "azure-native:netapp/v20240901preview:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", - "azure-native:netapp/v20240901preview:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", "azure-native:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", "azure-native:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", "azure-native:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", @@ -8793,2802 +1358,6 @@ "azure-native:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", "azure-native:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", "azure-native:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", - "azure-native:network/v20180601:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20180601:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20180601:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20180601:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20180601:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20180601:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20180601:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20180601:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20180601:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20180601:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20180601:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20180601:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20180601:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20180601:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20180601:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20180601:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20180601:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20180601:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20180601:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20180601:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20180601:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20180601:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20180601:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20180601:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20180601:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20180601:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20180601:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20180601:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20180601:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20180601:VirtualWAN": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20180601:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20180601:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20180601:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20180701:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20180701:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20180701:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20180701:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20180701:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20180701:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20180701:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20180701:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20180701:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20180701:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20180701:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20180701:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20180701:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20180701:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20180701:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20180701:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20180701:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20180701:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20180701:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20180701:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20180701:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20180701:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20180701:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20180701:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20180701:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20180701:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20180701:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20180701:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20180701:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20180701:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20180701:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20180701:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20180701:VirtualWAN": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20180701:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20180701:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20180701:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20180801:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20180801:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20180801:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20180801:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20180801:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20180801:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20180801:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20180801:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20180801:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20180801:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20180801:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20180801:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20180801:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20180801:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20180801:InterfaceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/interfaceEndpoints/{interfaceEndpointName}", - "azure-native:network/v20180801:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20180801:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20180801:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20180801:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20180801:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20180801:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20180801:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20180801:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20180801:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", - "azure-native:network/v20180801:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20180801:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20180801:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20180801:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20180801:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20180801:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20180801:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20180801:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20180801:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20180801:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20180801:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20180801:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20180801:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20180801:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20180801:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20180801:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20180801:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20180801:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20180801:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20180801:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20180801:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20181001:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20181001:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20181001:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20181001:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20181001:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20181001:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20181001:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20181001:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20181001:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20181001:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20181001:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20181001:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20181001:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20181001:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20181001:InterfaceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/interfaceEndpoints/{interfaceEndpointName}", - "azure-native:network/v20181001:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20181001:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20181001:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20181001:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20181001:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20181001:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20181001:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20181001:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20181001:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", - "azure-native:network/v20181001:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20181001:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20181001:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20181001:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20181001:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20181001:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20181001:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20181001:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20181001:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20181001:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20181001:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20181001:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20181001:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20181001:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20181001:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20181001:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20181001:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20181001:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20181001:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20181001:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20181001:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20181101:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20181101:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20181101:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20181101:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20181101:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20181101:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20181101:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20181101:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20181101:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20181101:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20181101:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20181101:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20181101:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20181101:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20181101:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20181101:InterfaceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/interfaceEndpoints/{interfaceEndpointName}", - "azure-native:network/v20181101:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20181101:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20181101:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20181101:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20181101:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20181101:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20181101:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20181101:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20181101:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", - "azure-native:network/v20181101:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20181101:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20181101:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20181101:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20181101:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20181101:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20181101:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20181101:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20181101:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20181101:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20181101:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20181101:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20181101:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20181101:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20181101:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20181101:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20181101:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20181101:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20181101:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20181101:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20181101:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20181201:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20181201:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20181201:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20181201:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20181201:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20181201:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20181201:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20181201:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20181201:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20181201:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20181201:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20181201:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20181201:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20181201:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20181201:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20181201:InterfaceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/interfaceEndpoints/{interfaceEndpointName}", - "azure-native:network/v20181201:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20181201:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20181201:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20181201:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20181201:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20181201:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20181201:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20181201:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20181201:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", - "azure-native:network/v20181201:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20181201:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20181201:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20181201:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20181201:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20181201:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20181201:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20181201:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20181201:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20181201:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20181201:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20181201:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20181201:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20181201:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20181201:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20181201:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20181201:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20181201:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20181201:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20181201:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20181201:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20181201:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20190201:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20190201:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20190201:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20190201:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20190201:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20190201:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20190201:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20190201:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20190201:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20190201:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20190201:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20190201:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20190201:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20190201:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20190201:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20190201:InterfaceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/interfaceEndpoints/{interfaceEndpointName}", - "azure-native:network/v20190201:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20190201:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20190201:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20190201:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20190201:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20190201:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20190201:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20190201:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20190201:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20190201:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", - "azure-native:network/v20190201:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20190201:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20190201:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20190201:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20190201:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20190201:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20190201:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20190201:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20190201:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20190201:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20190201:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20190201:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20190201:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20190201:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20190201:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20190201:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20190201:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20190201:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20190201:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20190201:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20190201:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20190201:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20190401:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20190401:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20190401:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20190401:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20190401:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20190401:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20190401:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20190401:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20190401:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20190401:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20190401:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20190401:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20190401:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20190401:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20190401:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20190401:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20190401:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20190401:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20190401:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20190401:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20190401:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20190401:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20190401:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20190401:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20190401:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20190401:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", - "azure-native:network/v20190401:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20190401:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20190401:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20190401:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20190401:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20190401:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20190401:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20190401:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20190401:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20190401:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20190401:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20190401:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20190401:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20190401:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20190401:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20190401:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20190401:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20190401:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20190401:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20190401:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20190401:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20190401:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20190401:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20190401:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20190601:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20190601:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20190601:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20190601:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20190601:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20190601:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20190601:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20190601:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20190601:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20190601:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20190601:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20190601:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20190601:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20190601:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20190601:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20190601:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20190601:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", - "azure-native:network/v20190601:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20190601:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20190601:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20190601:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20190601:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20190601:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20190601:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20190601:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20190601:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20190601:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20190601:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", - "azure-native:network/v20190601:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20190601:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20190601:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20190601:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20190601:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20190601:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20190601:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20190601:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20190601:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20190601:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20190601:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20190601:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20190601:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20190601:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20190601:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20190601:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20190601:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20190601:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20190601:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20190601:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20190601:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20190601:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20190601:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20190601:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20190701:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20190701:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20190701:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20190701:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20190701:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20190701:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20190701:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20190701:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20190701:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20190701:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20190701:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20190701:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20190701:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20190701:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20190701:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20190701:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20190701:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", - "azure-native:network/v20190701:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20190701:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20190701:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20190701:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20190701:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20190701:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20190701:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20190701:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20190701:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20190701:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20190701:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", - "azure-native:network/v20190701:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20190701:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20190701:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20190701:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20190701:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20190701:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20190701:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20190701:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20190701:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20190701:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20190701:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20190701:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20190701:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20190701:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20190701:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20190701:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20190701:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20190701:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20190701:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20190701:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20190701:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20190701:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20190701:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20190701:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20190701:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20190701:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20190801:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20190801:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20190801:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20190801:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20190801:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20190801:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20190801:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20190801:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20190801:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20190801:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20190801:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20190801:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20190801:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20190801:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20190801:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20190801:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20190801:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", - "azure-native:network/v20190801:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20190801:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20190801:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20190801:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20190801:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20190801:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20190801:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20190801:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20190801:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20190801:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20190801:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20190801:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20190801:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20190801:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20190801:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20190801:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20190801:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20190801:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20190801:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20190801:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20190801:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20190801:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20190801:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20190801:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20190801:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20190801:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20190801:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20190801:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20190801:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20190801:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20190801:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20190801:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20190801:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20190801:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20190801:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20190801:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20190801:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20190901:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20190901:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20190901:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20190901:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20190901:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20190901:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20190901:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20190901:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20190901:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20190901:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20190901:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20190901:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20190901:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20190901:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20190901:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20190901:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20190901:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", - "azure-native:network/v20190901:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20190901:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20190901:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20190901:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20190901:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20190901:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20190901:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20190901:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20190901:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20190901:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20190901:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20190901:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20190901:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20190901:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20190901:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20190901:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20190901:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20190901:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20190901:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20190901:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20190901:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20190901:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20190901:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20190901:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20190901:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20190901:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20190901:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20190901:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20190901:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20190901:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20190901:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20190901:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20190901:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20190901:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20190901:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20190901:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20190901:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20190901:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20190901:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20190901:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20191101:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20191101:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20191101:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20191101:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20191101:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20191101:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20191101:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20191101:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20191101:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20191101:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20191101:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20191101:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20191101:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20191101:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20191101:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20191101:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20191101:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", - "azure-native:network/v20191101:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20191101:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20191101:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20191101:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20191101:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20191101:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20191101:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20191101:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20191101:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20191101:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20191101:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20191101:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20191101:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20191101:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20191101:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20191101:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20191101:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20191101:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20191101:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20191101:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20191101:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20191101:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20191101:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20191101:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20191101:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20191101:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20191101:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20191101:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20191101:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20191101:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20191101:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20191101:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20191101:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20191101:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20191101:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20191101:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20191101:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20191101:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20191101:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20191101:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20191101:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20191201:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20191201:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20191201:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20191201:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20191201:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20191201:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20191201:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20191201:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20191201:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20191201:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20191201:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20191201:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20191201:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20191201:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20191201:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20191201:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20191201:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", - "azure-native:network/v20191201:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20191201:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20191201:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20191201:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20191201:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20191201:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20191201:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20191201:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20191201:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20191201:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20191201:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20191201:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20191201:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20191201:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20191201:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20191201:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20191201:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20191201:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20191201:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20191201:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20191201:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20191201:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20191201:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20191201:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20191201:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20191201:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20191201:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20191201:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20191201:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20191201:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20191201:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20191201:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20191201:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20191201:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20191201:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20191201:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20191201:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20191201:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20191201:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20191201:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20191201:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20191201:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20200301:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20200301:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20200301:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20200301:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20200301:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20200301:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20200301:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20200301:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20200301:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20200301:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20200301:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20200301:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20200301:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20200301:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20200301:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20200301:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20200301:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", - "azure-native:network/v20200301:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20200301:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20200301:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20200301:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20200301:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20200301:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20200301:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20200301:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20200301:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20200301:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20200301:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20200301:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20200301:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20200301:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20200301:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20200301:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20200301:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20200301:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20200301:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20200301:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20200301:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20200301:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20200301:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20200301:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20200301:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20200301:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20200301:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20200301:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20200301:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20200301:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20200301:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20200301:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20200301:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20200301:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20200301:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20200301:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20200301:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20200301:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20200301:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20200301:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20200301:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20200301:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20200301:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20200301:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20200301:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20200401:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20200401:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20200401:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20200401:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20200401:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20200401:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20200401:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20200401:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20200401:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20200401:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20200401:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20200401:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20200401:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20200401:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20200401:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20200401:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20200401:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", - "azure-native:network/v20200401:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20200401:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20200401:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20200401:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20200401:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20200401:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20200401:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20200401:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20200401:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20200401:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20200401:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20200401:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20200401:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20200401:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20200401:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20200401:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20200401:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20200401:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20200401:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20200401:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20200401:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20200401:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20200401:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20200401:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20200401:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20200401:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20200401:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20200401:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20200401:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20200401:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20200401:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20200401:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20200401:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20200401:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20200401:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20200401:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20200401:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20200401:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20200401:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20200401:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20200401:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20200401:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20200401:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20200401:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20200401:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20200401:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20200401:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20200501:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20200501:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20200501:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20200501:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20200501:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20200501:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20200501:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20200501:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20200501:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20200501:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20200501:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20200501:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20200501:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20200501:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20200501:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20200501:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20200501:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20200501:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20200501:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20200501:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20200501:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20200501:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20200501:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20200501:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20200501:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20200501:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20200501:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20200501:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20200501:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20200501:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20200501:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20200501:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20200501:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20200501:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20200501:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20200501:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20200501:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20200501:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20200501:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20200501:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20200501:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20200501:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20200501:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20200501:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20200501:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20200501:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20200501:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20200501:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20200501:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20200501:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20200501:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20200501:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20200501:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20200501:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20200501:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20200501:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20200501:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20200501:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20200501:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20200501:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20200501:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20200501:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20200501:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20200501:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20200501:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20200501:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20200501:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20200501:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20200501:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20200601:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20200601:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20200601:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20200601:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20200601:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20200601:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20200601:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20200601:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20200601:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20200601:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20200601:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20200601:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20200601:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20200601:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20200601:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20200601:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20200601:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20200601:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20200601:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20200601:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20200601:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20200601:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20200601:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20200601:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20200601:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20200601:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20200601:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20200601:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20200601:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20200601:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20200601:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20200601:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20200601:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20200601:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20200601:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20200601:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20200601:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20200601:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20200601:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20200601:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20200601:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20200601:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20200601:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20200601:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20200601:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20200601:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20200601:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20200601:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20200601:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20200601:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20200601:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20200601:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20200601:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20200601:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20200601:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20200601:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20200601:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20200601:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20200601:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20200601:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20200601:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20200601:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20200601:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20200601:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20200601:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20200601:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20200601:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20200601:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20200601:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20200601:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20200601:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20200701:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20200701:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20200701:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20200701:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20200701:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20200701:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20200701:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20200701:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20200701:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20200701:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20200701:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20200701:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20200701:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20200701:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20200701:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20200701:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20200701:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20200701:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20200701:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20200701:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20200701:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20200701:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20200701:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20200701:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20200701:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20200701:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20200701:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20200701:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20200701:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20200701:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20200701:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20200701:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20200701:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20200701:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20200701:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20200701:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20200701:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20200701:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20200701:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20200701:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20200701:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20200701:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20200701:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20200701:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20200701:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20200701:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20200701:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20200701:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20200701:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20200701:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20200701:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20200701:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20200701:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20200701:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20200701:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20200701:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20200701:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20200701:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20200701:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20200701:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20200701:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20200701:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20200701:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20200701:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20200701:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20200701:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20200701:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20200701:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20200701:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20200701:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20200701:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20200801:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20200801:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20200801:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20200801:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20200801:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20200801:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20200801:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20200801:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20200801:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20200801:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20200801:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20200801:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20200801:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20200801:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20200801:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20200801:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20200801:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20200801:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20200801:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20200801:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20200801:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20200801:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20200801:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20200801:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20200801:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20200801:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20200801:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20200801:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20200801:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20200801:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20200801:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20200801:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20200801:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20200801:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20200801:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20200801:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20200801:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20200801:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20200801:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20200801:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20200801:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20200801:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20200801:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20200801:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20200801:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20200801:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20200801:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20200801:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20200801:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20200801:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20200801:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20200801:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20200801:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20200801:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20200801:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20200801:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20200801:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20200801:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20200801:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20200801:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20200801:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20200801:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20200801:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20200801:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20200801:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20200801:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20200801:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20200801:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20200801:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20200801:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20200801:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20200801:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20201101:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20201101:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20201101:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20201101:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20201101:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20201101:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20201101:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20201101:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20201101:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20201101:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20201101:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20201101:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20201101:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20201101:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20201101:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20201101:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20201101:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20201101:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20201101:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20201101:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20201101:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20201101:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20201101:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20201101:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20201101:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20201101:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20201101:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20201101:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20201101:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20201101:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20201101:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20201101:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20201101:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20201101:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20201101:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20201101:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20201101:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20201101:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20201101:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20201101:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20201101:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20201101:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20201101:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20201101:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20201101:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20201101:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20201101:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20201101:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20201101:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20201101:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20201101:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20201101:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20201101:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20201101:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20201101:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20201101:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20201101:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20201101:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20201101:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20201101:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20201101:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20201101:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20201101:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20201101:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20201101:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20201101:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20201101:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20201101:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20201101:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20201101:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20201101:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20201101:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20210201:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20210201:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20210201:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20210201:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20210201:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20210201:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20210201:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20210201:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20210201:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20210201:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20210201:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20210201:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20210201:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20210201:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20210201:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20210201:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20210201:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20210201:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20210201:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20210201:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20210201:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20210201:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20210201:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20210201:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20210201:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20210201:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20210201:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20210201:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20210201:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20210201:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20210201:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20210201:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20210201:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20210201:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20210201:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20210201:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20210201:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20210201:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20210201:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20210201:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20210201:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20210201:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20210201:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20210201:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20210201:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20210201:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20210201:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20210201:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20210201:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20210201:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20210201:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20210201:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20210201:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20210201:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20210201:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20210201:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20210201:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20210201:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20210201:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20210201:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20210201:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20210201:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20210201:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20210201:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20210201:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20210201:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20210201:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20210201:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20210201:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20210201:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20210201:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20210201:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20210201:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20210201preview:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20210201preview:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20210201preview:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20210201preview:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20210201preview:DefaultUserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20210201preview:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20210201preview:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20210201preview:NetworkSecurityPerimeter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}", - "azure-native:network/v20210201preview:NspAccessRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}/accessRules/{accessRuleName}", - "azure-native:network/v20210201preview:NspAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/resourceAssociations/{associationName}", - "azure-native:network/v20210201preview:NspLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/links/{linkName}", - "azure-native:network/v20210201preview:NspProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}", - "azure-native:network/v20210201preview:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20210201preview:SecurityUserConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}", - "azure-native:network/v20210201preview:UserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20210201preview:UserRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20210301:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20210301:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20210301:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20210301:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20210301:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20210301:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20210301:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20210301:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20210301:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20210301:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20210301:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20210301:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20210301:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20210301:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20210301:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20210301:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20210301:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20210301:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20210301:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20210301:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20210301:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20210301:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20210301:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20210301:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20210301:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20210301:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20210301:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20210301:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20210301:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20210301:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20210301:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20210301:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20210301:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20210301:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20210301:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20210301:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20210301:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20210301:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20210301:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20210301:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20210301:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20210301:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20210301:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20210301:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20210301:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20210301:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20210301:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20210301:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20210301:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20210301:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20210301:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20210301:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20210301:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20210301:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20210301:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20210301:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20210301:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20210301:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20210301:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20210301:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20210301:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20210301:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20210301:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20210301:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20210301:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20210301:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20210301:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20210301:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20210301:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20210301:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20210301:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20210301:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20210301:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20210301preview:NetworkSecurityPerimeter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}", - "azure-native:network/v20210501:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20210501:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20210501:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20210501:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20210501:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20210501:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20210501:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20210501:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20210501:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20210501:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20210501:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20210501:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20210501:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20210501:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20210501:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20210501:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20210501:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20210501:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20210501:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20210501:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20210501:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20210501:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20210501:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20210501:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20210501:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20210501:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20210501:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20210501:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20210501:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20210501:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20210501:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20210501:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20210501:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20210501:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20210501:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20210501:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20210501:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20210501:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20210501:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20210501:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20210501:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20210501:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20210501:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20210501:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20210501:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20210501:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20210501:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20210501:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20210501:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20210501:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20210501:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20210501:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20210501:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20210501:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20210501:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20210501:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20210501:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20210501:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20210501:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20210501:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20210501:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20210501:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20210501:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20210501:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20210501:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20210501:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20210501:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20210501:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20210501:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20210501:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20210501:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20210501:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20210501:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20210501:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20210801:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20210801:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20210801:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20210801:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20210801:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20210801:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20210801:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20210801:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20210801:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20210801:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20210801:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20210801:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20210801:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20210801:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20210801:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20210801:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20210801:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20210801:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20210801:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20210801:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20210801:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20210801:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20210801:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20210801:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20210801:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20210801:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20210801:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20210801:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20210801:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20210801:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20210801:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20210801:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20210801:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20210801:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20210801:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20210801:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20210801:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20210801:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20210801:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20210801:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20210801:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20210801:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20210801:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20210801:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20210801:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20210801:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20210801:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20210801:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20210801:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20210801:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20210801:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20210801:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20210801:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20210801:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20210801:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20210801:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20210801:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20210801:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20210801:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20210801:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20210801:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20210801:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20210801:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20210801:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20210801:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20210801:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20210801:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20210801:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20210801:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20210801:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20210801:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20210801:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20210801:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20210801:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20210801:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20210801:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20220101:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220101:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20220101:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20220101:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20220101:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20220101:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20220101:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20220101:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20220101:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20220101:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20220101:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20220101:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20220101:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20220101:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220101:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20220101:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20220101:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20220101:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20220101:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20220101:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20220101:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20220101:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20220101:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20220101:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20220101:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20220101:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20220101:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20220101:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20220101:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20220101:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20220101:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20220101:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20220101:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20220101:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20220101:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20220101:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220101:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20220101:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20220101:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20220101:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20220101:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20220101:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20220101:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20220101:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20220101:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20220101:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20220101:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20220101:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20220101:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20220101:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20220101:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20220101:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20220101:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20220101:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20220101:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20220101:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20220101:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20220101:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20220101:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20220101:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20220101:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20220101:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20220101:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20220101:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20220101:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20220101:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20220101:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20220101:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220101:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20220101:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20220101:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20220101:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20220101:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20220101:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20220101:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20220101:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20220101:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20220101:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20220101:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20220101:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20220101:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20220101:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20220101:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20220101:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20220101:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20220101:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20220101:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20220201preview:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220201preview:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20220201preview:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20220201preview:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220201preview:DefaultUserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220201preview:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220201preview:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20220201preview:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20220201preview:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20220201preview:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20220201preview:SecurityUserConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}", - "azure-native:network/v20220201preview:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20220201preview:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220201preview:UserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220201preview:UserRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20220401preview:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220401preview:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20220401preview:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20220401preview:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220401preview:DefaultUserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220401preview:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220401preview:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20220401preview:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20220401preview:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20220401preview:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20220401preview:SecurityUserConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}", - "azure-native:network/v20220401preview:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20220401preview:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220401preview:UserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220401preview:UserRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20220501:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220501:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20220501:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20220501:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20220501:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20220501:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20220501:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20220501:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20220501:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20220501:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20220501:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20220501:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20220501:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20220501:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220501:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20220501:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20220501:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20220501:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20220501:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20220501:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20220501:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20220501:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20220501:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20220501:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20220501:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20220501:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20220501:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20220501:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20220501:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20220501:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20220501:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20220501:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20220501:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20220501:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20220501:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20220501:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220501:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20220501:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20220501:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20220501:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20220501:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20220501:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20220501:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20220501:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20220501:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20220501:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20220501:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20220501:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20220501:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20220501:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20220501:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20220501:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20220501:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20220501:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20220501:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20220501:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20220501:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20220501:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20220501:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20220501:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20220501:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20220501:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20220501:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20220501:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20220501:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20220501:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20220501:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20220501:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20220501:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220501:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20220501:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20220501:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20220501:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20220501:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20220501:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20220501:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20220501:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20220501:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20220501:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20220501:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20220501:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20220501:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20220501:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20220501:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20220501:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20220501:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20220501:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20220501:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20220701:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220701:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20220701:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20220701:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20220701:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20220701:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20220701:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20220701:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20220701:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20220701:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20220701:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20220701:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20220701:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20220701:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220701:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20220701:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20220701:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20220701:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20220701:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20220701:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20220701:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20220701:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20220701:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20220701:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20220701:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20220701:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20220701:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20220701:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20220701:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20220701:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20220701:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20220701:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20220701:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20220701:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20220701:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20220701:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220701:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20220701:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20220701:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20220701:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20220701:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20220701:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20220701:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20220701:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20220701:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20220701:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20220701:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20220701:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20220701:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20220701:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20220701:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20220701:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20220701:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20220701:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20220701:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20220701:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20220701:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20220701:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20220701:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20220701:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20220701:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20220701:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20220701:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20220701:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20220701:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20220701:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20220701:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20220701:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20220701:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220701:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20220701:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20220701:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20220701:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20220701:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20220701:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20220701:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20220701:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20220701:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20220701:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20220701:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20220701:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20220701:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20220701:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20220701:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20220701:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20220701:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20220701:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20220701:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20220901:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220901:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20220901:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20220901:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20220901:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20220901:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20220901:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20220901:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20220901:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20220901:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20220901:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20220901:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20220901:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20220901:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20220901:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20220901:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20220901:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20220901:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20220901:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20220901:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20220901:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20220901:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20220901:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20220901:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20220901:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20220901:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20220901:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20220901:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20220901:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20220901:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20220901:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20220901:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20220901:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20220901:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20220901:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20220901:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220901:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20220901:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20220901:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20220901:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20220901:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20220901:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20220901:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20220901:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20220901:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20220901:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20220901:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20220901:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20220901:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20220901:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20220901:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20220901:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20220901:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20220901:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20220901:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20220901:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20220901:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20220901:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20220901:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20220901:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20220901:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20220901:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20220901:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20220901:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20220901:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20220901:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20220901:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20220901:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20220901:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20220901:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20220901:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20220901:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20220901:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20220901:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20220901:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20220901:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20220901:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20220901:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20220901:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20220901:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20220901:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20220901:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20220901:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20220901:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20220901:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20220901:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20220901:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20220901:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20221101:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20221101:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20221101:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20221101:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20221101:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20221101:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20221101:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20221101:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20221101:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20221101:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20221101:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20221101:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20221101:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20221101:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20221101:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20221101:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20221101:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20221101:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20221101:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20221101:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20221101:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20221101:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20221101:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20221101:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20221101:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20221101:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20221101:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20221101:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20221101:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20221101:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20221101:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20221101:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20221101:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20221101:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20221101:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20221101:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20221101:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20221101:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20221101:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20221101:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20221101:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20221101:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20221101:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20221101:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20221101:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20221101:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20221101:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20221101:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20221101:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20221101:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20221101:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20221101:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20221101:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20221101:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20221101:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20221101:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20221101:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20221101:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20221101:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20221101:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20221101:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20221101:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20221101:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20221101:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20221101:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20221101:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20221101:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20221101:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20221101:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20221101:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20221101:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20221101:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20221101:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20221101:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20221101:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20221101:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20221101:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20221101:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20221101:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20221101:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20221101:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20221101:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20221101:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20221101:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20221101:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20221101:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20221101:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20221101:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20230201:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20230201:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20230201:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20230201:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20230201:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20230201:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20230201:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20230201:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20230201:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20230201:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20230201:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20230201:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20230201:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20230201:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20230201:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20230201:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20230201:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20230201:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20230201:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20230201:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20230201:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20230201:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20230201:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20230201:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20230201:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20230201:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20230201:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20230201:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20230201:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20230201:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20230201:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20230201:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20230201:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20230201:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20230201:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20230201:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20230201:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20230201:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20230201:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20230201:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20230201:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20230201:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20230201:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20230201:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20230201:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20230201:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20230201:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20230201:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20230201:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20230201:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20230201:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20230201:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20230201:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20230201:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20230201:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20230201:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20230201:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20230201:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20230201:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20230201:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20230201:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20230201:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20230201:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20230201:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20230201:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20230201:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20230201:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20230201:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20230201:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20230201:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20230201:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20230201:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20230201:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20230201:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20230201:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20230201:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20230201:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20230201:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20230201:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20230201:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20230201:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20230201:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20230201:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20230201:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20230201:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20230201:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20230201:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20230401:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20230401:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20230401:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20230401:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20230401:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20230401:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20230401:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20230401:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20230401:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20230401:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20230401:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20230401:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20230401:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20230401:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20230401:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20230401:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20230401:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20230401:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20230401:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20230401:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20230401:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20230401:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20230401:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20230401:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20230401:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20230401:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20230401:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20230401:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20230401:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20230401:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20230401:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20230401:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20230401:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20230401:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20230401:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20230401:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20230401:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20230401:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20230401:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20230401:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20230401:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20230401:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20230401:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20230401:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20230401:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20230401:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20230401:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20230401:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20230401:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20230401:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20230401:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20230401:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20230401:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20230401:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20230401:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20230401:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20230401:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20230401:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20230401:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20230401:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20230401:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20230401:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20230401:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20230401:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20230401:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20230401:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20230401:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20230401:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20230401:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20230401:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20230401:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20230401:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20230401:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20230401:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20230401:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20230401:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20230401:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20230401:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20230401:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20230401:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20230401:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20230401:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20230401:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20230401:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20230401:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20230401:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20230401:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20230401:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20230501:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20230501:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20230501:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20230501:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20230501:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20230501:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20230501:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20230501:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20230501:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20230501:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20230501:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20230501:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20230501:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20230501:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20230501:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20230501:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20230501:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20230501:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20230501:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20230501:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20230501:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20230501:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20230501:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20230501:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20230501:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20230501:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20230501:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20230501:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20230501:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20230501:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20230501:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20230501:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20230501:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20230501:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20230501:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20230501:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20230501:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20230501:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20230501:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20230501:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20230501:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20230501:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20230501:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20230501:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20230501:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20230501:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20230501:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20230501:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20230501:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20230501:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20230501:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20230501:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20230501:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20230501:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20230501:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20230501:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20230501:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20230501:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20230501:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20230501:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20230501:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20230501:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20230501:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20230501:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20230501:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20230501:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20230501:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20230501:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20230501:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20230501:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20230501:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20230501:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20230501:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20230501:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20230501:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20230501:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20230501:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20230501:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20230501:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20230501:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20230501:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20230501:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20230501:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20230501:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20230501:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20230501:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20230501:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20230501:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20230601:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20230601:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20230601:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20230601:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20230601:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20230601:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20230601:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20230601:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20230601:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20230601:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20230601:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20230601:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20230601:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20230601:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20230601:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20230601:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20230601:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20230601:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20230601:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20230601:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20230601:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20230601:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20230601:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20230601:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20230601:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20230601:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20230601:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20230601:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20230601:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20230601:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20230601:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20230601:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20230601:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20230601:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20230601:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20230601:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20230601:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20230601:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20230601:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20230601:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20230601:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20230601:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20230601:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20230601:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20230601:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20230601:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", - "azure-native:network/v20230601:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20230601:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20230601:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20230601:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20230601:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20230601:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20230601:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20230601:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20230601:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20230601:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20230601:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20230601:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20230601:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20230601:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20230601:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20230601:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20230601:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20230601:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20230601:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20230601:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20230601:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20230601:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20230601:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20230601:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20230601:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20230601:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20230601:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20230601:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20230601:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20230601:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20230601:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20230601:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20230601:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20230601:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20230601:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20230601:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20230601:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20230601:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20230601:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20230601:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20230601:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20230601:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20230601:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20230701preview:NetworkSecurityPerimeter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}", - "azure-native:network/v20230701preview:NspAccessRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}/accessRules/{accessRuleName}", - "azure-native:network/v20230701preview:NspAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/resourceAssociations/{associationName}", - "azure-native:network/v20230701preview:NspLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/links/{linkName}", - "azure-native:network/v20230701preview:NspProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}", - "azure-native:network/v20230801preview:NetworkSecurityPerimeter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}", - "azure-native:network/v20230801preview:NspAccessRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}/accessRules/{accessRuleName}", - "azure-native:network/v20230801preview:NspAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/resourceAssociations/{associationName}", - "azure-native:network/v20230801preview:NspLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/links/{linkName}", - "azure-native:network/v20230801preview:NspProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}", - "azure-native:network/v20230901:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20230901:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20230901:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20230901:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20230901:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20230901:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20230901:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20230901:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20230901:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20230901:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20230901:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20230901:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20230901:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20230901:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20230901:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20230901:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20230901:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20230901:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20230901:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20230901:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20230901:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20230901:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20230901:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20230901:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20230901:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20230901:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20230901:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20230901:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20230901:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20230901:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20230901:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20230901:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20230901:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20230901:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20230901:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20230901:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20230901:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20230901:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20230901:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20230901:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20230901:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20230901:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20230901:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20230901:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20230901:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20230901:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", - "azure-native:network/v20230901:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20230901:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20230901:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20230901:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20230901:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20230901:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20230901:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20230901:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20230901:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20230901:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20230901:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20230901:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20230901:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20230901:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20230901:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20230901:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20230901:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20230901:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20230901:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20230901:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20230901:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20230901:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20230901:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20230901:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20230901:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20230901:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20230901:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20230901:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20230901:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20230901:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20230901:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20230901:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20230901:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20230901:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20230901:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20230901:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20230901:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20230901:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20230901:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20230901:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20230901:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20230901:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20230901:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20231101:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20231101:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20231101:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20231101:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20231101:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20231101:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20231101:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20231101:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20231101:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20231101:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20231101:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20231101:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20231101:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20231101:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20231101:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20231101:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20231101:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20231101:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20231101:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20231101:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20231101:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20231101:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20231101:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20231101:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20231101:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20231101:FirewallPolicyDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/firewallPolicyDrafts/default", - "azure-native:network/v20231101:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20231101:FirewallPolicyRuleCollectionGroupDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}/ruleCollectionGroupDrafts/default", - "azure-native:network/v20231101:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20231101:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20231101:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20231101:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20231101:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20231101:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20231101:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20231101:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20231101:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20231101:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20231101:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20231101:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20231101:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20231101:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20231101:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20231101:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20231101:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20231101:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20231101:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20231101:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", - "azure-native:network/v20231101:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20231101:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20231101:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20231101:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20231101:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20231101:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20231101:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20231101:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20231101:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20231101:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20231101:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20231101:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20231101:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20231101:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20231101:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20231101:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20231101:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20231101:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20231101:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20231101:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20231101:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20231101:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20231101:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20231101:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20231101:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20231101:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20231101:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20231101:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20231101:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20231101:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20231101:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20231101:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20231101:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20231101:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20231101:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20231101:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20231101:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20231101:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20231101:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20231101:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20231101:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20231101:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20231101:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20240101:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240101:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20240101:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20240101:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20240101:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20240101:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20240101:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20240101:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20240101:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20240101:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20240101:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20240101:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20240101:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20240101:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240101:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20240101:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20240101:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20240101:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20240101:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20240101:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20240101:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20240101:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20240101:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20240101:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20240101:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20240101:FirewallPolicyDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/firewallPolicyDrafts/default", - "azure-native:network/v20240101:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20240101:FirewallPolicyRuleCollectionGroupDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}/ruleCollectionGroupDrafts/default", - "azure-native:network/v20240101:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20240101:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20240101:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20240101:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20240101:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20240101:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20240101:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20240101:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20240101:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20240101:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20240101:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20240101:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20240101:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20240101:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20240101:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20240101:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20240101:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20240101:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20240101:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20240101:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", - "azure-native:network/v20240101:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20240101:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20240101:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20240101:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20240101:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20240101:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20240101:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20240101:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20240101:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20240101:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20240101:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20240101:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20240101:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20240101:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20240101:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20240101:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20240101:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20240101:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20240101:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20240101:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20240101:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20240101:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20240101:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20240101:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20240101:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20240101:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20240101:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20240101:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20240101:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20240101:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20240101:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20240101:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20240101:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20240101:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20240101:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20240101:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20240101:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20240101:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20240101:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20240101:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20240101:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20240101:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20240101:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20240101preview:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240101preview:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20240101preview:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240101preview:IpamPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/ipamPools/{poolName}", - "azure-native:network/v20240101preview:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20240101preview:ReachabilityAnalysisIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}/reachabilityAnalysisIntents/{reachabilityAnalysisIntentName}", - "azure-native:network/v20240101preview:ReachabilityAnalysisRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}/reachabilityAnalysisRuns/{reachabilityAnalysisRunName}", - "azure-native:network/v20240101preview:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20240101preview:StaticCidr": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/ipamPools/{poolName}/staticCidrs/{staticCidrName}", - "azure-native:network/v20240101preview:VerifierWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}", - "azure-native:network/v20240301:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240301:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20240301:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20240301:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20240301:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20240301:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20240301:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20240301:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20240301:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20240301:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20240301:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20240301:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20240301:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20240301:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240301:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20240301:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20240301:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20240301:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20240301:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20240301:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20240301:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20240301:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20240301:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20240301:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20240301:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20240301:FirewallPolicyDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/firewallPolicyDrafts/default", - "azure-native:network/v20240301:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20240301:FirewallPolicyRuleCollectionGroupDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}/ruleCollectionGroupDrafts/default", - "azure-native:network/v20240301:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20240301:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20240301:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20240301:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20240301:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20240301:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20240301:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20240301:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20240301:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20240301:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20240301:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20240301:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20240301:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20240301:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20240301:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20240301:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20240301:NetworkManagerRoutingConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}", - "azure-native:network/v20240301:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20240301:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20240301:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20240301:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", - "azure-native:network/v20240301:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20240301:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20240301:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20240301:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20240301:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20240301:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20240301:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20240301:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20240301:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20240301:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20240301:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20240301:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20240301:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20240301:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20240301:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20240301:RoutingRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240301:RoutingRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20240301:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20240301:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20240301:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20240301:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20240301:SecurityUserConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}", - "azure-native:network/v20240301:SecurityUserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240301:SecurityUserRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20240301:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20240301:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20240301:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20240301:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20240301:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20240301:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20240301:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20240301:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20240301:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20240301:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20240301:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20240301:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20240301:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20240301:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20240301:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20240301:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20240301:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20240301:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20240301:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20240301:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20240301:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20240301:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20240301:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20240301:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20240501:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240501:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20240501:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "azure-native:network/v20240501:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "azure-native:network/v20240501:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "azure-native:network/v20240501:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "azure-native:network/v20240501:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "azure-native:network/v20240501:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "azure-native:network/v20240501:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "azure-native:network/v20240501:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "azure-native:network/v20240501:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "azure-native:network/v20240501:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "azure-native:network/v20240501:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "azure-native:network/v20240501:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240501:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "azure-native:network/v20240501:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "azure-native:network/v20240501:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "azure-native:network/v20240501:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "azure-native:network/v20240501:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "azure-native:network/v20240501:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "azure-native:network/v20240501:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "azure-native:network/v20240501:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "azure-native:network/v20240501:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "azure-native:network/v20240501:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "azure-native:network/v20240501:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "azure-native:network/v20240501:FirewallPolicyDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/firewallPolicyDrafts/default", - "azure-native:network/v20240501:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "azure-native:network/v20240501:FirewallPolicyRuleCollectionGroupDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}/ruleCollectionGroupDrafts/default", - "azure-native:network/v20240501:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "azure-native:network/v20240501:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "azure-native:network/v20240501:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "azure-native:network/v20240501:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "azure-native:network/v20240501:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "azure-native:network/v20240501:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "azure-native:network/v20240501:IpamPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/ipamPools/{poolName}", - "azure-native:network/v20240501:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "azure-native:network/v20240501:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "azure-native:network/v20240501:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "azure-native:network/v20240501:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20240501:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "azure-native:network/v20240501:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "azure-native:network/v20240501:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "azure-native:network/v20240501:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "azure-native:network/v20240501:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "azure-native:network/v20240501:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "azure-native:network/v20240501:NetworkManagerRoutingConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}", - "azure-native:network/v20240501:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "azure-native:network/v20240501:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "azure-native:network/v20240501:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "azure-native:network/v20240501:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", - "azure-native:network/v20240501:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "azure-native:network/v20240501:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "azure-native:network/v20240501:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "azure-native:network/v20240501:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "azure-native:network/v20240501:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "azure-native:network/v20240501:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "azure-native:network/v20240501:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "azure-native:network/v20240501:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "azure-native:network/v20240501:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "azure-native:network/v20240501:ReachabilityAnalysisIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}/reachabilityAnalysisIntents/{reachabilityAnalysisIntentName}", - "azure-native:network/v20240501:ReachabilityAnalysisRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}/reachabilityAnalysisRuns/{reachabilityAnalysisRunName}", - "azure-native:network/v20240501:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "azure-native:network/v20240501:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "azure-native:network/v20240501:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "azure-native:network/v20240501:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "azure-native:network/v20240501:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "azure-native:network/v20240501:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "azure-native:network/v20240501:RoutingRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240501:RoutingRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20240501:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "azure-native:network/v20240501:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "azure-native:network/v20240501:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "azure-native:network/v20240501:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "azure-native:network/v20240501:SecurityUserConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}", - "azure-native:network/v20240501:SecurityUserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "azure-native:network/v20240501:SecurityUserRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "azure-native:network/v20240501:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "azure-native:network/v20240501:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "azure-native:network/v20240501:StaticCidr": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/ipamPools/{poolName}/staticCidrs/{staticCidrName}", - "azure-native:network/v20240501:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "azure-native:network/v20240501:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "azure-native:network/v20240501:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "azure-native:network/v20240501:VerifierWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}", - "azure-native:network/v20240501:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "azure-native:network/v20240501:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "azure-native:network/v20240501:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "azure-native:network/v20240501:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "azure-native:network/v20240501:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "azure-native:network/v20240501:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "azure-native:network/v20240501:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "azure-native:network/v20240501:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "azure-native:network/v20240501:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "azure-native:network/v20240501:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "azure-native:network/v20240501:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "azure-native:network/v20240501:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "azure-native:network/v20240501:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "azure-native:network/v20240501:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "azure-native:network/v20240501:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "azure-native:network/v20240501:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "azure-native:network/v20240501:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "azure-native:network/v20240501:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "azure-native:network/v20240501:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:network/v20240601preview:NetworkSecurityPerimeter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}", - "azure-native:network/v20240601preview:NetworkSecurityPerimeterAccessRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}/accessRules/{accessRuleName}", - "azure-native:network/v20240601preview:NetworkSecurityPerimeterAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/resourceAssociations/{associationName}", - "azure-native:network/v20240601preview:NetworkSecurityPerimeterLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/links/{linkName}", - "azure-native:network/v20240601preview:NetworkSecurityPerimeterLoggingConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/loggingConfigurations/{loggingConfigurationName}", - "azure-native:network/v20240601preview:NetworkSecurityPerimeterProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}", "azure-native:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", "azure-native:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", "azure-native:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", @@ -11707,95 +1476,6 @@ "azure-native:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", "azure-native:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", "azure-native:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "azure-native:networkcloud/v20231001preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/agentPools/{agentPoolName}", - "azure-native:networkcloud/v20231001preview:BareMetalMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/bareMetalMachines/{bareMetalMachineName}", - "azure-native:networkcloud/v20231001preview:BareMetalMachineKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bareMetalMachineKeySets/{bareMetalMachineKeySetName}", - "azure-native:networkcloud/v20231001preview:BmcKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bmcKeySets/{bmcKeySetName}", - "azure-native:networkcloud/v20231001preview:CloudServicesNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/cloudServicesNetworks/{cloudServicesNetworkName}", - "azure-native:networkcloud/v20231001preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}", - "azure-native:networkcloud/v20231001preview:ClusterManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusterManagers/{clusterManagerName}", - "azure-native:networkcloud/v20231001preview:Console": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}/consoles/{consoleName}", - "azure-native:networkcloud/v20231001preview:KubernetesCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}", - "azure-native:networkcloud/v20231001preview:L2Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l2Networks/{l2NetworkName}", - "azure-native:networkcloud/v20231001preview:L3Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l3Networks/{l3NetworkName}", - "azure-native:networkcloud/v20231001preview:MetricsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/metricsConfigurations/{metricsConfigurationName}", - "azure-native:networkcloud/v20231001preview:Rack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/racks/{rackName}", - "azure-native:networkcloud/v20231001preview:StorageAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/storageAppliances/{storageApplianceName}", - "azure-native:networkcloud/v20231001preview:TrunkedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/trunkedNetworks/{trunkedNetworkName}", - "azure-native:networkcloud/v20231001preview:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}", - "azure-native:networkcloud/v20231001preview:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/volumes/{volumeName}", - "azure-native:networkcloud/v20240601preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/agentPools/{agentPoolName}", - "azure-native:networkcloud/v20240601preview:BareMetalMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/bareMetalMachines/{bareMetalMachineName}", - "azure-native:networkcloud/v20240601preview:BareMetalMachineKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bareMetalMachineKeySets/{bareMetalMachineKeySetName}", - "azure-native:networkcloud/v20240601preview:BmcKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bmcKeySets/{bmcKeySetName}", - "azure-native:networkcloud/v20240601preview:CloudServicesNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/cloudServicesNetworks/{cloudServicesNetworkName}", - "azure-native:networkcloud/v20240601preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}", - "azure-native:networkcloud/v20240601preview:ClusterManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusterManagers/{clusterManagerName}", - "azure-native:networkcloud/v20240601preview:Console": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}/consoles/{consoleName}", - "azure-native:networkcloud/v20240601preview:KubernetesCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}", - "azure-native:networkcloud/v20240601preview:KubernetesClusterFeature": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/features/{featureName}", - "azure-native:networkcloud/v20240601preview:L2Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l2Networks/{l2NetworkName}", - "azure-native:networkcloud/v20240601preview:L3Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l3Networks/{l3NetworkName}", - "azure-native:networkcloud/v20240601preview:MetricsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/metricsConfigurations/{metricsConfigurationName}", - "azure-native:networkcloud/v20240601preview:Rack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/racks/{rackName}", - "azure-native:networkcloud/v20240601preview:StorageAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/storageAppliances/{storageApplianceName}", - "azure-native:networkcloud/v20240601preview:TrunkedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/trunkedNetworks/{trunkedNetworkName}", - "azure-native:networkcloud/v20240601preview:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}", - "azure-native:networkcloud/v20240601preview:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/volumes/{volumeName}", - "azure-native:networkcloud/v20240701:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/agentPools/{agentPoolName}", - "azure-native:networkcloud/v20240701:BareMetalMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/bareMetalMachines/{bareMetalMachineName}", - "azure-native:networkcloud/v20240701:BareMetalMachineKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bareMetalMachineKeySets/{bareMetalMachineKeySetName}", - "azure-native:networkcloud/v20240701:BmcKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bmcKeySets/{bmcKeySetName}", - "azure-native:networkcloud/v20240701:CloudServicesNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/cloudServicesNetworks/{cloudServicesNetworkName}", - "azure-native:networkcloud/v20240701:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}", - "azure-native:networkcloud/v20240701:ClusterManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusterManagers/{clusterManagerName}", - "azure-native:networkcloud/v20240701:Console": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}/consoles/{consoleName}", - "azure-native:networkcloud/v20240701:KubernetesCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}", - "azure-native:networkcloud/v20240701:KubernetesClusterFeature": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/features/{featureName}", - "azure-native:networkcloud/v20240701:L2Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l2Networks/{l2NetworkName}", - "azure-native:networkcloud/v20240701:L3Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l3Networks/{l3NetworkName}", - "azure-native:networkcloud/v20240701:MetricsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/metricsConfigurations/{metricsConfigurationName}", - "azure-native:networkcloud/v20240701:Rack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/racks/{rackName}", - "azure-native:networkcloud/v20240701:StorageAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/storageAppliances/{storageApplianceName}", - "azure-native:networkcloud/v20240701:TrunkedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/trunkedNetworks/{trunkedNetworkName}", - "azure-native:networkcloud/v20240701:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}", - "azure-native:networkcloud/v20240701:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/volumes/{volumeName}", - "azure-native:networkcloud/v20241001preview:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/agentPools/{agentPoolName}", - "azure-native:networkcloud/v20241001preview:BareMetalMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/bareMetalMachines/{bareMetalMachineName}", - "azure-native:networkcloud/v20241001preview:BareMetalMachineKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bareMetalMachineKeySets/{bareMetalMachineKeySetName}", - "azure-native:networkcloud/v20241001preview:BmcKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bmcKeySets/{bmcKeySetName}", - "azure-native:networkcloud/v20241001preview:CloudServicesNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/cloudServicesNetworks/{cloudServicesNetworkName}", - "azure-native:networkcloud/v20241001preview:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}", - "azure-native:networkcloud/v20241001preview:ClusterManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusterManagers/{clusterManagerName}", - "azure-native:networkcloud/v20241001preview:Console": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}/consoles/{consoleName}", - "azure-native:networkcloud/v20241001preview:KubernetesCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}", - "azure-native:networkcloud/v20241001preview:KubernetesClusterFeature": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/features/{featureName}", - "azure-native:networkcloud/v20241001preview:L2Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l2Networks/{l2NetworkName}", - "azure-native:networkcloud/v20241001preview:L3Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l3Networks/{l3NetworkName}", - "azure-native:networkcloud/v20241001preview:MetricsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/metricsConfigurations/{metricsConfigurationName}", - "azure-native:networkcloud/v20241001preview:Rack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/racks/{rackName}", - "azure-native:networkcloud/v20241001preview:StorageAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/storageAppliances/{storageApplianceName}", - "azure-native:networkcloud/v20241001preview:TrunkedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/trunkedNetworks/{trunkedNetworkName}", - "azure-native:networkcloud/v20241001preview:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}", - "azure-native:networkcloud/v20241001preview:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/volumes/{volumeName}", - "azure-native:networkcloud/v20250201:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/agentPools/{agentPoolName}", - "azure-native:networkcloud/v20250201:BareMetalMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/bareMetalMachines/{bareMetalMachineName}", - "azure-native:networkcloud/v20250201:BareMetalMachineKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bareMetalMachineKeySets/{bareMetalMachineKeySetName}", - "azure-native:networkcloud/v20250201:BmcKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bmcKeySets/{bmcKeySetName}", - "azure-native:networkcloud/v20250201:CloudServicesNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/cloudServicesNetworks/{cloudServicesNetworkName}", - "azure-native:networkcloud/v20250201:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}", - "azure-native:networkcloud/v20250201:ClusterManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusterManagers/{clusterManagerName}", - "azure-native:networkcloud/v20250201:Console": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}/consoles/{consoleName}", - "azure-native:networkcloud/v20250201:KubernetesCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}", - "azure-native:networkcloud/v20250201:KubernetesClusterFeature": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/features/{featureName}", - "azure-native:networkcloud/v20250201:L2Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l2Networks/{l2NetworkName}", - "azure-native:networkcloud/v20250201:L3Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l3Networks/{l3NetworkName}", - "azure-native:networkcloud/v20250201:MetricsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/metricsConfigurations/{metricsConfigurationName}", - "azure-native:networkcloud/v20250201:Rack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/racks/{rackName}", - "azure-native:networkcloud/v20250201:StorageAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/storageAppliances/{storageApplianceName}", - "azure-native:networkcloud/v20250201:TrunkedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/trunkedNetworks/{trunkedNetworkName}", - "azure-native:networkcloud/v20250201:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}", - "azure-native:networkcloud/v20250201:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/volumes/{volumeName}", "azure-native:networkcloud:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/agentPools/{agentPoolName}", "azure-native:networkcloud:BareMetalMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/bareMetalMachines/{bareMetalMachineName}", "azure-native:networkcloud:BareMetalMachineKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bareMetalMachineKeySets/{bareMetalMachineKeySetName}", @@ -11814,72 +1494,13 @@ "azure-native:networkcloud:TrunkedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/trunkedNetworks/{trunkedNetworkName}", "azure-native:networkcloud:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}", "azure-native:networkcloud:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/volumes/{volumeName}", - "azure-native:networkfunction/v20221101:AzureTrafficCollector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkFunction/azureTrafficCollectors/{azureTrafficCollectorName}", - "azure-native:networkfunction/v20221101:CollectorPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkFunction/azureTrafficCollectors/{azureTrafficCollectorName}/collectorPolicies/{collectorPolicyName}", "azure-native:networkfunction:AzureTrafficCollector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkFunction/azureTrafficCollectors/{azureTrafficCollectorName}", "azure-native:networkfunction:CollectorPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkFunction/azureTrafficCollectors/{azureTrafficCollectorName}/collectorPolicies/{collectorPolicyName}", - "azure-native:notificationhubs/v20230101preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}", - "azure-native:notificationhubs/v20230101preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:notificationhubs/v20230101preview:NotificationHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}", - "azure-native:notificationhubs/v20230101preview:NotificationHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:notificationhubs/v20230101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:notificationhubs/v20230901:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}", - "azure-native:notificationhubs/v20230901:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:notificationhubs/v20230901:NotificationHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}", - "azure-native:notificationhubs/v20230901:NotificationHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:notificationhubs/v20230901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:notificationhubs/v20231001preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}", - "azure-native:notificationhubs/v20231001preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:notificationhubs/v20231001preview:NotificationHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}", - "azure-native:notificationhubs/v20231001preview:NotificationHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}/authorizationRules/{authorizationRuleName}", - "azure-native:notificationhubs/v20231001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:notificationhubs:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}", "azure-native:notificationhubs:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", "azure-native:notificationhubs:NotificationHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}", "azure-native:notificationhubs:NotificationHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}/authorizationRules/{authorizationRuleName}", "azure-native:notificationhubs:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:offazure/v20200707:HyperVSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/HyperVSites/{siteName}", - "azure-native:offazure/v20200707:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/privateEndpointConnections/{peConnectionName}", - "azure-native:offazure/v20200707:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/VMwareSites/{siteName}", - "azure-native:offazure/v20230606:HypervClusterControllerCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/clusters/{clusterName}", - "azure-native:offazure/v20230606:HypervHostController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/hosts/{hostName}", - "azure-native:offazure/v20230606:HypervSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}", - "azure-native:offazure/v20230606:ImportSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/importSites/{siteName}", - "azure-native:offazure/v20230606:MasterSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}", - "azure-native:offazure/v20230606:PrivateEndpointConnectionController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/privateEndpointConnections/{peConnectionName}", - "azure-native:offazure/v20230606:ServerSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/serverSites/{siteName}", - "azure-native:offazure/v20230606:SitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}", - "azure-native:offazure/v20230606:SqlDiscoverySiteDataSourceController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", - "azure-native:offazure/v20230606:SqlSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}", - "azure-native:offazure/v20230606:VcenterController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}/vcenters/{vcenterName}", - "azure-native:offazure/v20230606:WebAppDiscoverySiteDataSourcesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", - "azure-native:offazure/v20230606:WebAppSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}", - "azure-native:offazure/v20231001preview:HypervClusterControllerCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/clusters/{clusterName}", - "azure-native:offazure/v20231001preview:HypervHostController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/hosts/{hostName}", - "azure-native:offazure/v20231001preview:HypervSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}", - "azure-native:offazure/v20231001preview:ImportSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/importSites/{siteName}", - "azure-native:offazure/v20231001preview:MasterSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}", - "azure-native:offazure/v20231001preview:PrivateEndpointConnectionController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/privateEndpointConnections/{peConnectionName}", - "azure-native:offazure/v20231001preview:ServerSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/serverSites/{siteName}", - "azure-native:offazure/v20231001preview:SitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}", - "azure-native:offazure/v20231001preview:SqlDiscoverySiteDataSourceController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", - "azure-native:offazure/v20231001preview:SqlSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}", - "azure-native:offazure/v20231001preview:VcenterController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}/vcenters/{vcenterName}", - "azure-native:offazure/v20231001preview:WebAppDiscoverySiteDataSourcesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", - "azure-native:offazure/v20231001preview:WebAppSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}", - "azure-native:offazure/v20240501preview:HypervClusterControllerCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/clusters/{clusterName}", - "azure-native:offazure/v20240501preview:HypervHostController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/hosts/{hostName}", - "azure-native:offazure/v20240501preview:HypervSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}", - "azure-native:offazure/v20240501preview:ImportSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/importSites/{siteName}", - "azure-native:offazure/v20240501preview:MasterSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}", - "azure-native:offazure/v20240501preview:PrivateEndpointConnectionController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/privateEndpointConnections/{peConnectionName}", - "azure-native:offazure/v20240501preview:ServerSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/serverSites/{siteName}", - "azure-native:offazure/v20240501preview:SitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}", - "azure-native:offazure/v20240501preview:SqlDiscoverySiteDataSourceController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", - "azure-native:offazure/v20240501preview:SqlSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}", - "azure-native:offazure/v20240501preview:VcenterController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}/vcenters/{vcenterName}", - "azure-native:offazure/v20240501preview:WebAppDiscoverySiteDataSourcesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", - "azure-native:offazure/v20240501preview:WebAppSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}", "azure-native:offazure:HyperVSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/HyperVSites/{siteName}", "azure-native:offazure:HypervClusterControllerCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/clusters/{clusterName}", "azure-native:offazure:HypervHostController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/hosts/{hostName}", @@ -11896,74 +1517,10 @@ "azure-native:offazure:VcenterController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}/vcenters/{vcenterName}", "azure-native:offazure:WebAppDiscoverySiteDataSourcesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", "azure-native:offazure:WebAppSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}", - "azure-native:offazurespringboot/v20230101preview:Springbootserver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{siteName}/springbootservers/{springbootserversName}", - "azure-native:offazurespringboot/v20230101preview:Springbootsite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{springbootsitesName}", - "azure-native:offazurespringboot/v20240401preview:Springbootapp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{siteName}/springbootapps/{springbootappsName}", - "azure-native:offazurespringboot/v20240401preview:Springbootserver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{siteName}/springbootservers/{springbootserversName}", - "azure-native:offazurespringboot/v20240401preview:Springbootsite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{springbootsitesName}", "azure-native:offazurespringboot:Springbootapp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{siteName}/springbootapps/{springbootappsName}", "azure-native:offazurespringboot:Springbootserver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{siteName}/springbootservers/{springbootserversName}", "azure-native:offazurespringboot:Springbootsite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{springbootsitesName}", - "azure-native:openenergyplatform/v20220404preview:EnergyService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OpenEnergyPlatform/energyServices/{resourceName}", "azure-native:openenergyplatform:EnergyService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OpenEnergyPlatform/energyServices/{resourceName}", - "azure-native:operationalinsights/v20151101preview:DataSource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataSources/{dataSourceName}", - "azure-native:operationalinsights/v20151101preview:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", - "azure-native:operationalinsights/v20151101preview:MachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/features/serviceMap/machineGroups/{machineGroupName}", - "azure-native:operationalinsights/v20151101preview:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", - "azure-native:operationalinsights/v20190801preview:DataExport": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataExports/{dataExportName}", - "azure-native:operationalinsights/v20190801preview:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", - "azure-native:operationalinsights/v20190801preview:LinkedStorageAccount": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedStorageAccounts/{dataSourceType}", - "azure-native:operationalinsights/v20190901:Query": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}/queries/{id}", - "azure-native:operationalinsights/v20190901:QueryPack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}", - "azure-native:operationalinsights/v20190901preview:Query": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}/queries/{id}", - "azure-native:operationalinsights/v20190901preview:QueryPack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}", - "azure-native:operationalinsights/v20200301preview:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", - "azure-native:operationalinsights/v20200301preview:DataExport": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataExports/{dataExportName}", - "azure-native:operationalinsights/v20200301preview:DataSource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataSources/{dataSourceName}", - "azure-native:operationalinsights/v20200301preview:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", - "azure-native:operationalinsights/v20200301preview:LinkedStorageAccount": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedStorageAccounts/{dataSourceType}", - "azure-native:operationalinsights/v20200301preview:SavedSearch": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/savedSearches/{savedSearchId}", - "azure-native:operationalinsights/v20200301preview:StorageInsightConfig": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/storageInsightConfigs/{storageInsightName}", - "azure-native:operationalinsights/v20200301preview:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", - "azure-native:operationalinsights/v20200801:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", - "azure-native:operationalinsights/v20200801:DataExport": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataExports/{dataExportName}", - "azure-native:operationalinsights/v20200801:DataSource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataSources/{dataSourceName}", - "azure-native:operationalinsights/v20200801:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", - "azure-native:operationalinsights/v20200801:LinkedStorageAccount": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedStorageAccounts/{dataSourceType}", - "azure-native:operationalinsights/v20200801:SavedSearch": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/savedSearches/{savedSearchId}", - "azure-native:operationalinsights/v20200801:StorageInsightConfig": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/storageInsightConfigs/{storageInsightName}", - "azure-native:operationalinsights/v20200801:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", - "azure-native:operationalinsights/v20201001:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", - "azure-native:operationalinsights/v20201001:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", - "azure-native:operationalinsights/v20210601:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", - "azure-native:operationalinsights/v20210601:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", - "azure-native:operationalinsights/v20211201preview:Table": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/tables/{tableName}", - "azure-native:operationalinsights/v20211201preview:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", - "azure-native:operationalinsights/v20221001:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", - "azure-native:operationalinsights/v20221001:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/tables/{tableName}", - "azure-native:operationalinsights/v20221001:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", - "azure-native:operationalinsights/v20230901:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", - "azure-native:operationalinsights/v20230901:DataExport": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataExports/{dataExportName}", - "azure-native:operationalinsights/v20230901:DataSource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataSources/{dataSourceName}", - "azure-native:operationalinsights/v20230901:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", - "azure-native:operationalinsights/v20230901:LinkedStorageAccount": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedStorageAccounts/{dataSourceType}", - "azure-native:operationalinsights/v20230901:Query": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}/queries/{id}", - "azure-native:operationalinsights/v20230901:QueryPack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}", - "azure-native:operationalinsights/v20230901:SavedSearch": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/savedSearches/{savedSearchId}", - "azure-native:operationalinsights/v20230901:StorageInsightConfig": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/storageInsightConfigs/{storageInsightName}", - "azure-native:operationalinsights/v20230901:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/tables/{tableName}", - "azure-native:operationalinsights/v20230901:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", - "azure-native:operationalinsights/v20250201:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", - "azure-native:operationalinsights/v20250201:DataExport": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataExports/{dataExportName}", - "azure-native:operationalinsights/v20250201:DataSource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataSources/{dataSourceName}", - "azure-native:operationalinsights/v20250201:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", - "azure-native:operationalinsights/v20250201:LinkedStorageAccount": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedStorageAccounts/{dataSourceType}", - "azure-native:operationalinsights/v20250201:Query": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}/queries/{id}", - "azure-native:operationalinsights/v20250201:QueryPack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}", - "azure-native:operationalinsights/v20250201:SavedSearch": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/savedSearches/{savedSearchId}", - "azure-native:operationalinsights/v20250201:StorageInsightConfig": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/storageInsightConfigs/{storageInsightName}", - "azure-native:operationalinsights/v20250201:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/tables/{tableName}", - "azure-native:operationalinsights/v20250201:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", "azure-native:operationalinsights:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", "azure-native:operationalinsights:DataExport": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataExports/{dataExportName}", "azure-native:operationalinsights:DataSource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataSources/{dataSourceName}", @@ -11976,34 +1533,15 @@ "azure-native:operationalinsights:StorageInsightConfig": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/storageInsightConfigs/{storageInsightName}", "azure-native:operationalinsights:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/tables/{tableName}", "azure-native:operationalinsights:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", - "azure-native:operationsmanagement/v20151101preview:ManagementAssociation": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.OperationsManagement/ManagementAssociations/{managementAssociationName}", - "azure-native:operationsmanagement/v20151101preview:ManagementConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationsManagement/ManagementConfigurations/{managementConfigurationName}", - "azure-native:operationsmanagement/v20151101preview:Solution": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationsManagement/solutions/{solutionName}", "azure-native:operationsmanagement:ManagementAssociation": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.OperationsManagement/ManagementAssociations/{managementAssociationName}", "azure-native:operationsmanagement:ManagementConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationsManagement/ManagementConfigurations/{managementConfigurationName}", "azure-native:operationsmanagement:Solution": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationsManagement/solutions/{solutionName}", - "azure-native:orbital/v20221101:Contact": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/spacecrafts/{spacecraftName}/contacts/{contactName}", - "azure-native:orbital/v20221101:ContactProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/contactProfiles/{contactProfileName}", - "azure-native:orbital/v20221101:Spacecraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/spacecrafts/{spacecraftName}", - "azure-native:orbital/v20240301:EdgeSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/edgeSites/{edgeSiteName}", - "azure-native:orbital/v20240301:GroundStation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/groundStations/{groundStationName}", - "azure-native:orbital/v20240301:L2Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/l2Connections/{l2ConnectionName}", - "azure-native:orbital/v20240301preview:EdgeSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/edgeSites/{edgeSiteName}", - "azure-native:orbital/v20240301preview:GroundStation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/groundStations/{groundStationName}", - "azure-native:orbital/v20240301preview:L2Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/l2Connections/{l2ConnectionName}", "azure-native:orbital:Contact": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/spacecrafts/{spacecraftName}/contacts/{contactName}", "azure-native:orbital:ContactProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/contactProfiles/{contactProfileName}", "azure-native:orbital:EdgeSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/edgeSites/{edgeSiteName}", "azure-native:orbital:GroundStation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/groundStations/{groundStationName}", "azure-native:orbital:L2Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/l2Connections/{l2ConnectionName}", "azure-native:orbital:Spacecraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/spacecrafts/{spacecraftName}", - "azure-native:peering/v20221001:ConnectionMonitorTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peeringServices/{peeringServiceName}/connectionMonitorTests/{connectionMonitorTestName}", - "azure-native:peering/v20221001:PeerAsn": "/subscriptions/{subscriptionId}/providers/Microsoft.Peering/peerAsns/{peerAsnName}", - "azure-native:peering/v20221001:Peering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peerings/{peeringName}", - "azure-native:peering/v20221001:PeeringService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peeringServices/{peeringServiceName}", - "azure-native:peering/v20221001:Prefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peeringServices/{peeringServiceName}/prefixes/{prefixName}", - "azure-native:peering/v20221001:RegisteredAsn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peerings/{peeringName}/registeredAsns/{registeredAsnName}", - "azure-native:peering/v20221001:RegisteredPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peerings/{peeringName}/registeredPrefixes/{registeredPrefixName}", "azure-native:peering:ConnectionMonitorTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peeringServices/{peeringServiceName}/connectionMonitorTests/{connectionMonitorTestName}", "azure-native:peering:PeerAsn": "/subscriptions/{subscriptionId}/providers/Microsoft.Peering/peerAsns/{peerAsnName}", "azure-native:peering:Peering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peerings/{peeringName}", @@ -12011,20 +1549,6 @@ "azure-native:peering:Prefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peeringServices/{peeringServiceName}/prefixes/{prefixName}", "azure-native:peering:RegisteredAsn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peerings/{peeringName}/registeredAsns/{registeredAsnName}", "azure-native:peering:RegisteredPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peerings/{peeringName}/registeredPrefixes/{registeredPrefixName}", - "azure-native:policyinsights/v20211001:RemediationAtManagementGroup": "/providers/{managementGroupsNamespace}/managementGroups/{managementGroupId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", - "azure-native:policyinsights/v20211001:RemediationAtResource": "/{resourceId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", - "azure-native:policyinsights/v20211001:RemediationAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", - "azure-native:policyinsights/v20211001:RemediationAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", - "azure-native:policyinsights/v20220901:AttestationAtResource": "/{resourceId}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", - "azure-native:policyinsights/v20220901:AttestationAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", - "azure-native:policyinsights/v20220901:AttestationAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", - "azure-native:policyinsights/v20241001:AttestationAtResource": "/{resourceId}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", - "azure-native:policyinsights/v20241001:AttestationAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", - "azure-native:policyinsights/v20241001:AttestationAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", - "azure-native:policyinsights/v20241001:RemediationAtManagementGroup": "/providers/{managementGroupsNamespace}/managementGroups/{managementGroupId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", - "azure-native:policyinsights/v20241001:RemediationAtResource": "/{resourceId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", - "azure-native:policyinsights/v20241001:RemediationAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", - "azure-native:policyinsights/v20241001:RemediationAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", "azure-native:policyinsights:AttestationAtResource": "/{resourceId}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", "azure-native:policyinsights:AttestationAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", "azure-native:policyinsights:AttestationAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", @@ -12032,73 +1556,27 @@ "azure-native:policyinsights:RemediationAtResource": "/{resourceId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", "azure-native:policyinsights:RemediationAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", "azure-native:policyinsights:RemediationAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", - "azure-native:portal/v20181001:Console": "/providers/Microsoft.Portal/consoles/{consoleName}", - "azure-native:portal/v20181001:ConsoleWithLocation": "/providers/Microsoft.Portal/locations/{location}/consoles/{consoleName}", - "azure-native:portal/v20181001:UserSettings": "/providers/Microsoft.Portal/userSettings/{userSettingsName}", - "azure-native:portal/v20181001:UserSettingsWithLocation": "/providers/Microsoft.Portal/locations/{location}/userSettings/{userSettingsName}", - "azure-native:portal/v20190101preview:Dashboard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Portal/dashboards/{dashboardName}", - "azure-native:portal/v20190101preview:TenantConfiguration": "/providers/Microsoft.Portal/tenantConfigurations/{configurationName}", - "azure-native:portal/v20200901preview:Dashboard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Portal/dashboards/{dashboardName}", - "azure-native:portal/v20200901preview:TenantConfiguration": "/providers/Microsoft.Portal/tenantConfigurations/{configurationName}", - "azure-native:portal/v20221201preview:Dashboard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Portal/dashboards/{dashboardName}", - "azure-native:portal/v20221201preview:TenantConfiguration": "/providers/Microsoft.Portal/tenantConfigurations/{configurationName}", - "azure-native:portal/v20250401preview:Dashboard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Portal/dashboards/{dashboardName}", - "azure-native:portal/v20250401preview:TenantConfiguration": "/providers/Microsoft.Portal/tenantConfigurations/{configurationName}", "azure-native:portal:Console": "/providers/Microsoft.Portal/consoles/{consoleName}", "azure-native:portal:ConsoleWithLocation": "/providers/Microsoft.Portal/locations/{location}/consoles/{consoleName}", "azure-native:portal:Dashboard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Portal/dashboards/{dashboardName}", "azure-native:portal:TenantConfiguration": "/providers/Microsoft.Portal/tenantConfigurations/{configurationName}", "azure-native:portal:UserSettings": "/providers/Microsoft.Portal/userSettings/{userSettingsName}", "azure-native:portal:UserSettingsWithLocation": "/providers/Microsoft.Portal/locations/{location}/userSettings/{userSettingsName}", - "azure-native:portalservices/v20240401:CopilotSetting": "/providers/Microsoft.PortalServices/copilotSettings/default", - "azure-native:portalservices/v20240401preview:CopilotSetting": "/providers/Microsoft.PortalServices/copilotSettings/default", "azure-native:portalservices:CopilotSetting": "/providers/Microsoft.PortalServices/copilotSettings/default", - "azure-native:powerbi/v20160129:WorkspaceCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBI/workspaceCollections/{workspaceCollectionName}", - "azure-native:powerbi/v20200601:PowerBIResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBI/privateLinkServicesForPowerBI/{azureResourceName}", - "azure-native:powerbi/v20200601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBI/privateLinkServicesForPowerBI/{azureResourceName}/privateEndpointConnections/{privateEndpointName}", "azure-native:powerbi:PowerBIResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBI/privateLinkServicesForPowerBI/{azureResourceName}", "azure-native:powerbi:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBI/privateLinkServicesForPowerBI/{azureResourceName}/privateEndpointConnections/{privateEndpointName}", "azure-native:powerbi:WorkspaceCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBI/workspaceCollections/{workspaceCollectionName}", - "azure-native:powerbidedicated/v20210101:AutoScaleVCore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBIDedicated/autoScaleVCores/{vcoreName}", - "azure-native:powerbidedicated/v20210101:CapacityDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBIDedicated/capacities/{dedicatedCapacityName}", "azure-native:powerbidedicated:AutoScaleVCore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBIDedicated/autoScaleVCores/{vcoreName}", "azure-native:powerbidedicated:CapacityDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBIDedicated/capacities/{dedicatedCapacityName}", - "azure-native:powerplatform/v20201030preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerPlatform/accounts/{accountName}", - "azure-native:powerplatform/v20201030preview:EnterprisePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerPlatform/enterprisePolicies/{enterprisePolicyName}", - "azure-native:powerplatform/v20201030preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerPlatform/enterprisePolicies/{enterprisePolicyName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:powerplatform:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerPlatform/accounts/{accountName}", "azure-native:powerplatform:EnterprisePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerPlatform/enterprisePolicies/{enterprisePolicyName}", "azure-native:powerplatform:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerPlatform/enterprisePolicies/{enterprisePolicyName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:privatedns/v20180901:PrivateRecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/{recordType}/{relativeRecordSetName}", - "azure-native:privatedns/v20180901:PrivateZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}", - "azure-native:privatedns/v20180901:VirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/virtualNetworkLinks/{virtualNetworkLinkName}", - "azure-native:privatedns/v20200101:PrivateRecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/{recordType}/{relativeRecordSetName}", - "azure-native:privatedns/v20200101:PrivateZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}", - "azure-native:privatedns/v20200101:VirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/virtualNetworkLinks/{virtualNetworkLinkName}", - "azure-native:privatedns/v20200601:PrivateRecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/{recordType}/{relativeRecordSetName}", - "azure-native:privatedns/v20200601:PrivateZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}", - "azure-native:privatedns/v20200601:VirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/virtualNetworkLinks/{virtualNetworkLinkName}", - "azure-native:privatedns/v20240601:PrivateRecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/{recordType}/{relativeRecordSetName}", - "azure-native:privatedns/v20240601:PrivateZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}", - "azure-native:privatedns/v20240601:VirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/virtualNetworkLinks/{virtualNetworkLinkName}", "azure-native:privatedns:PrivateRecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/{recordType}/{relativeRecordSetName}", "azure-native:privatedns:PrivateZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}", "azure-native:privatedns:VirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/virtualNetworkLinks/{virtualNetworkLinkName}", - "azure-native:professionalservice/v20230701preview:ProfessionalServiceSubscriptionLevel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ProfessionalService/resources/{resourceName}", "azure-native:professionalservice:ProfessionalServiceSubscriptionLevel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ProfessionalService/resources/{resourceName}", - "azure-native:programmableconnectivity/v20240115preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ProgrammableConnectivity/gateways/{gatewayName}", - "azure-native:programmableconnectivity/v20240115preview:OperatorApiConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ProgrammableConnectivity/operatorApiConnections/{operatorApiConnectionName}", "azure-native:programmableconnectivity:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ProgrammableConnectivity/gateways/{gatewayName}", "azure-native:programmableconnectivity:OperatorApiConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ProgrammableConnectivity/operatorApiConnections/{operatorApiConnectionName}", - "azure-native:providerhub/v20210901preview:DefaultRollout": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/defaultRollouts/{rolloutName}", - "azure-native:providerhub/v20210901preview:NotificationRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/notificationRegistrations/{notificationRegistrationName}", - "azure-native:providerhub/v20210901preview:OperationByProviderRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/operations/default", - "azure-native:providerhub/v20210901preview:ProviderRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}", - "azure-native:providerhub/v20210901preview:ResourceTypeRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}", - "azure-native:providerhub/v20210901preview:Skus": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}/skus/{sku}", - "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeFirst": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}/resourcetypeRegistrations/{nestedResourceTypeFirst}/skus/{sku}", - "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeSecond": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}/resourcetypeRegistrations/{nestedResourceTypeFirst}/resourcetypeRegistrations/{nestedResourceTypeSecond}/skus/{sku}", - "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeThird": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}/resourcetypeRegistrations/{nestedResourceTypeFirst}/resourcetypeRegistrations/{nestedResourceTypeSecond}/resourcetypeRegistrations/{nestedResourceTypeThird}/skus/{sku}", "azure-native:providerhub:DefaultRollout": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/defaultRollouts/{rolloutName}", "azure-native:providerhub:NotificationRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/notificationRegistrations/{notificationRegistrationName}", "azure-native:providerhub:OperationByProviderRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/operations/default", @@ -12108,201 +1586,15 @@ "azure-native:providerhub:SkusNestedResourceTypeFirst": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}/resourcetypeRegistrations/{nestedResourceTypeFirst}/skus/{sku}", "azure-native:providerhub:SkusNestedResourceTypeSecond": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}/resourcetypeRegistrations/{nestedResourceTypeFirst}/resourcetypeRegistrations/{nestedResourceTypeSecond}/skus/{sku}", "azure-native:providerhub:SkusNestedResourceTypeThird": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}/resourcetypeRegistrations/{nestedResourceTypeFirst}/resourcetypeRegistrations/{nestedResourceTypeSecond}/resourcetypeRegistrations/{nestedResourceTypeThird}/skus/{sku}", - "azure-native:purview/v20211201:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}", - "azure-native:purview/v20211201:KafkaConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/kafkaConfigurations/{kafkaConfigurationName}", - "azure-native:purview/v20211201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:purview/v20230501preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}", - "azure-native:purview/v20230501preview:KafkaConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/kafkaConfigurations/{kafkaConfigurationName}", - "azure-native:purview/v20230501preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:purview/v20240401preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}", - "azure-native:purview/v20240401preview:KafkaConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/kafkaConfigurations/{kafkaConfigurationName}", - "azure-native:purview/v20240401preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:purview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}", "azure-native:purview:KafkaConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/kafkaConfigurations/{kafkaConfigurationName}", "azure-native:purview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:quantum/v20220110preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Quantum/workspaces/{workspaceName}", - "azure-native:quantum/v20231113preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Quantum/workspaces/{workspaceName}", "azure-native:quantum:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Quantum/workspaces/{workspaceName}", - "azure-native:quota/v20230601preview:GroupQuota": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}", - "azure-native:quota/v20230601preview:GroupQuotaSubscription": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}/subscriptions/{subscriptionId}", - "azure-native:quota/v20241015preview:GroupQuota": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}", - "azure-native:quota/v20241015preview:GroupQuotaSubscription": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}/subscriptions/{subscriptionId}", - "azure-native:quota/v20241218preview:GroupQuota": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}", - "azure-native:quota/v20241218preview:GroupQuotaSubscription": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}/subscriptions/{subscriptionId}", - "azure-native:quota/v20250301:GroupQuota": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}", - "azure-native:quota/v20250301:GroupQuotaSubscription": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}/subscriptions/{subscriptionId}", - "azure-native:quota/v20250315preview:GroupQuota": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}", - "azure-native:quota/v20250315preview:GroupQuotaSubscription": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}/subscriptions/{subscriptionId}", "azure-native:quota:GroupQuota": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}", "azure-native:quota:GroupQuotaSubscription": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}/subscriptions/{subscriptionId}", - "azure-native:recommendationsservice/v20220201:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}", - "azure-native:recommendationsservice/v20220201:Modeling": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}/modeling/{modelingName}", - "azure-native:recommendationsservice/v20220201:ServiceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}/serviceEndpoints/{serviceEndpointName}", - "azure-native:recommendationsservice/v20220301preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}", - "azure-native:recommendationsservice/v20220301preview:Modeling": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}/modeling/{modelingName}", - "azure-native:recommendationsservice/v20220301preview:ServiceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}/serviceEndpoints/{serviceEndpointName}", "azure-native:recommendationsservice:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}", "azure-native:recommendationsservice:Modeling": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}/modeling/{modelingName}", "azure-native:recommendationsservice:ServiceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}/serviceEndpoints/{serviceEndpointName}", - "azure-native:recoveryservices/v20230201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:recoveryservices/v20230201:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", - "azure-native:recoveryservices/v20230201:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", - "azure-native:recoveryservices/v20230201:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", - "azure-native:recoveryservices/v20230201:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", - "azure-native:recoveryservices/v20230201:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", - "azure-native:recoveryservices/v20230201:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", - "azure-native:recoveryservices/v20230201:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", - "azure-native:recoveryservices/v20230201:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", - "azure-native:recoveryservices/v20230201:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", - "azure-native:recoveryservices/v20230201:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", - "azure-native:recoveryservices/v20230201:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", - "azure-native:recoveryservices/v20230201:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", - "azure-native:recoveryservices/v20230201:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", - "azure-native:recoveryservices/v20230201:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", - "azure-native:recoveryservices/v20230201:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:recoveryservices/v20230201:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", - "azure-native:recoveryservices/v20230401:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:recoveryservices/v20230401:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", - "azure-native:recoveryservices/v20230401:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", - "azure-native:recoveryservices/v20230401:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", - "azure-native:recoveryservices/v20230401:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", - "azure-native:recoveryservices/v20230401:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", - "azure-native:recoveryservices/v20230401:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", - "azure-native:recoveryservices/v20230401:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", - "azure-native:recoveryservices/v20230401:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", - "azure-native:recoveryservices/v20230401:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", - "azure-native:recoveryservices/v20230401:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", - "azure-native:recoveryservices/v20230401:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", - "azure-native:recoveryservices/v20230401:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", - "azure-native:recoveryservices/v20230401:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", - "azure-native:recoveryservices/v20230401:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", - "azure-native:recoveryservices/v20230401:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:recoveryservices/v20230401:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", - "azure-native:recoveryservices/v20230601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:recoveryservices/v20230601:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", - "azure-native:recoveryservices/v20230601:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", - "azure-native:recoveryservices/v20230601:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", - "azure-native:recoveryservices/v20230601:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", - "azure-native:recoveryservices/v20230601:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", - "azure-native:recoveryservices/v20230601:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", - "azure-native:recoveryservices/v20230601:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", - "azure-native:recoveryservices/v20230601:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", - "azure-native:recoveryservices/v20230601:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", - "azure-native:recoveryservices/v20230601:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", - "azure-native:recoveryservices/v20230601:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", - "azure-native:recoveryservices/v20230601:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", - "azure-native:recoveryservices/v20230601:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", - "azure-native:recoveryservices/v20230601:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", - "azure-native:recoveryservices/v20230601:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:recoveryservices/v20230601:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", - "azure-native:recoveryservices/v20230801:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:recoveryservices/v20230801:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", - "azure-native:recoveryservices/v20230801:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", - "azure-native:recoveryservices/v20230801:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", - "azure-native:recoveryservices/v20230801:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", - "azure-native:recoveryservices/v20230801:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", - "azure-native:recoveryservices/v20230801:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", - "azure-native:recoveryservices/v20230801:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", - "azure-native:recoveryservices/v20230801:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", - "azure-native:recoveryservices/v20230801:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", - "azure-native:recoveryservices/v20230801:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", - "azure-native:recoveryservices/v20230801:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", - "azure-native:recoveryservices/v20230801:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", - "azure-native:recoveryservices/v20230801:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", - "azure-native:recoveryservices/v20230801:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", - "azure-native:recoveryservices/v20230801:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:recoveryservices/v20230801:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", - "azure-native:recoveryservices/v20240101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:recoveryservices/v20240101:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", - "azure-native:recoveryservices/v20240101:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", - "azure-native:recoveryservices/v20240101:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", - "azure-native:recoveryservices/v20240101:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", - "azure-native:recoveryservices/v20240101:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", - "azure-native:recoveryservices/v20240101:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", - "azure-native:recoveryservices/v20240101:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", - "azure-native:recoveryservices/v20240101:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", - "azure-native:recoveryservices/v20240101:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", - "azure-native:recoveryservices/v20240101:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", - "azure-native:recoveryservices/v20240101:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", - "azure-native:recoveryservices/v20240101:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", - "azure-native:recoveryservices/v20240101:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", - "azure-native:recoveryservices/v20240101:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", - "azure-native:recoveryservices/v20240101:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:recoveryservices/v20240101:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", - "azure-native:recoveryservices/v20240201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:recoveryservices/v20240201:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", - "azure-native:recoveryservices/v20240201:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", - "azure-native:recoveryservices/v20240201:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", - "azure-native:recoveryservices/v20240201:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", - "azure-native:recoveryservices/v20240201:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", - "azure-native:recoveryservices/v20240201:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", - "azure-native:recoveryservices/v20240201:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", - "azure-native:recoveryservices/v20240201:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", - "azure-native:recoveryservices/v20240201:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", - "azure-native:recoveryservices/v20240201:ReplicationProtectionCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionClusters/{replicationProtectionClusterName}", - "azure-native:recoveryservices/v20240201:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", - "azure-native:recoveryservices/v20240201:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", - "azure-native:recoveryservices/v20240201:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", - "azure-native:recoveryservices/v20240201:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", - "azure-native:recoveryservices/v20240201:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", - "azure-native:recoveryservices/v20240201:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:recoveryservices/v20240201:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", - "azure-native:recoveryservices/v20240401:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:recoveryservices/v20240401:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", - "azure-native:recoveryservices/v20240401:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", - "azure-native:recoveryservices/v20240401:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", - "azure-native:recoveryservices/v20240401:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", - "azure-native:recoveryservices/v20240401:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", - "azure-native:recoveryservices/v20240401:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", - "azure-native:recoveryservices/v20240401:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", - "azure-native:recoveryservices/v20240401:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", - "azure-native:recoveryservices/v20240401:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", - "azure-native:recoveryservices/v20240401:ReplicationProtectionCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionClusters/{replicationProtectionClusterName}", - "azure-native:recoveryservices/v20240401:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", - "azure-native:recoveryservices/v20240401:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", - "azure-native:recoveryservices/v20240401:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", - "azure-native:recoveryservices/v20240401:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", - "azure-native:recoveryservices/v20240401:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", - "azure-native:recoveryservices/v20240401:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:recoveryservices/v20240401:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", - "azure-native:recoveryservices/v20240430preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:recoveryservices/v20240430preview:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", - "azure-native:recoveryservices/v20240430preview:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", - "azure-native:recoveryservices/v20240430preview:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", - "azure-native:recoveryservices/v20240430preview:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", - "azure-native:recoveryservices/v20240430preview:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:recoveryservices/v20240430preview:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", - "azure-native:recoveryservices/v20240730preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:recoveryservices/v20240730preview:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", - "azure-native:recoveryservices/v20240730preview:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", - "azure-native:recoveryservices/v20240730preview:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", - "azure-native:recoveryservices/v20240730preview:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", - "azure-native:recoveryservices/v20240730preview:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:recoveryservices/v20240930preview:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", - "azure-native:recoveryservices/v20241001:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:recoveryservices/v20241001:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", - "azure-native:recoveryservices/v20241001:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", - "azure-native:recoveryservices/v20241001:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", - "azure-native:recoveryservices/v20241001:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", - "azure-native:recoveryservices/v20241001:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", - "azure-native:recoveryservices/v20241001:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", - "azure-native:recoveryservices/v20241001:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", - "azure-native:recoveryservices/v20241001:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", - "azure-native:recoveryservices/v20241001:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", - "azure-native:recoveryservices/v20241001:ReplicationProtectionCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionClusters/{replicationProtectionClusterName}", - "azure-native:recoveryservices/v20241001:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", - "azure-native:recoveryservices/v20241001:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", - "azure-native:recoveryservices/v20241001:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", - "azure-native:recoveryservices/v20241001:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", - "azure-native:recoveryservices/v20241001:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", - "azure-native:recoveryservices/v20241001:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", - "azure-native:recoveryservices/v20241001:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", - "azure-native:recoveryservices/v20241101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:recoveryservices/v20241101preview:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", - "azure-native:recoveryservices/v20241101preview:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", - "azure-native:recoveryservices/v20241101preview:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", - "azure-native:recoveryservices/v20241101preview:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", - "azure-native:recoveryservices/v20241101preview:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", "azure-native:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", "azure-native:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", @@ -12321,122 +1613,11 @@ "azure-native:recoveryservices:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", "azure-native:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", "azure-native:recoveryservices:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", - "azure-native:redhatopenshift/v20220904:MachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/machinePool/{childResourceName}", - "azure-native:redhatopenshift/v20220904:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", - "azure-native:redhatopenshift/v20220904:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/secret/{childResourceName}", - "azure-native:redhatopenshift/v20220904:SyncIdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncIdentityProvider/{childResourceName}", - "azure-native:redhatopenshift/v20220904:SyncSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncSet/{childResourceName}", - "azure-native:redhatopenshift/v20230401:MachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/machinePool/{childResourceName}", - "azure-native:redhatopenshift/v20230401:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", - "azure-native:redhatopenshift/v20230401:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/secret/{childResourceName}", - "azure-native:redhatopenshift/v20230401:SyncIdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncIdentityProvider/{childResourceName}", - "azure-native:redhatopenshift/v20230401:SyncSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncSet/{childResourceName}", - "azure-native:redhatopenshift/v20230701preview:MachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/machinePool/{childResourceName}", - "azure-native:redhatopenshift/v20230701preview:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", - "azure-native:redhatopenshift/v20230701preview:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/secret/{childResourceName}", - "azure-native:redhatopenshift/v20230701preview:SyncIdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncIdentityProvider/{childResourceName}", - "azure-native:redhatopenshift/v20230701preview:SyncSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncSet/{childResourceName}", - "azure-native:redhatopenshift/v20230904:MachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/machinePool/{childResourceName}", - "azure-native:redhatopenshift/v20230904:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", - "azure-native:redhatopenshift/v20230904:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/secret/{childResourceName}", - "azure-native:redhatopenshift/v20230904:SyncIdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncIdentityProvider/{childResourceName}", - "azure-native:redhatopenshift/v20230904:SyncSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncSet/{childResourceName}", - "azure-native:redhatopenshift/v20231122:MachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/machinePool/{childResourceName}", - "azure-native:redhatopenshift/v20231122:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", - "azure-native:redhatopenshift/v20231122:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/secret/{childResourceName}", - "azure-native:redhatopenshift/v20231122:SyncIdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncIdentityProvider/{childResourceName}", - "azure-native:redhatopenshift/v20231122:SyncSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncSet/{childResourceName}", - "azure-native:redhatopenshift/v20240812preview:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", "azure-native:redhatopenshift:MachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/machinePool/{childResourceName}", "azure-native:redhatopenshift:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", "azure-native:redhatopenshift:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/secret/{childResourceName}", "azure-native:redhatopenshift:SyncIdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncIdentityProvider/{childResourceName}", "azure-native:redhatopenshift:SyncSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncSet/{childResourceName}", - "azure-native:redis/v20150801:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", - "azure-native:redis/v20160401:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/patchSchedules/default", - "azure-native:redis/v20160401:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", - "azure-native:redis/v20160401:RedisFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20170201:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20170201:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/patchSchedules/default", - "azure-native:redis/v20170201:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", - "azure-native:redis/v20170201:RedisLinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20171001:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20171001:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20171001:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20171001:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", - "azure-native:redis/v20180301:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20180301:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20180301:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20180301:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", - "azure-native:redis/v20190701:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20190701:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20190701:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20190701:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", - "azure-native:redis/v20200601:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20200601:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20200601:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20200601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redis/v20200601:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", - "azure-native:redis/v20201201:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20201201:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20201201:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20201201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redis/v20201201:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", - "azure-native:redis/v20210601:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20210601:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20210601:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20210601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redis/v20210601:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", - "azure-native:redis/v20220501:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20220501:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20220501:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20220501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redis/v20220501:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", - "azure-native:redis/v20220601:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20220601:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20220601:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20220601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redis/v20220601:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", - "azure-native:redis/v20230401:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20230401:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20230401:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20230401:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redis/v20230401:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", - "azure-native:redis/v20230501preview:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicies/{accessPolicyName}", - "azure-native:redis/v20230501preview:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicyAssignments/{accessPolicyAssignmentName}", - "azure-native:redis/v20230501preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20230501preview:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20230501preview:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20230501preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redis/v20230501preview:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", - "azure-native:redis/v20230801:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicies/{accessPolicyName}", - "azure-native:redis/v20230801:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicyAssignments/{accessPolicyAssignmentName}", - "azure-native:redis/v20230801:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20230801:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20230801:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20230801:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redis/v20230801:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", - "azure-native:redis/v20240301:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicies/{accessPolicyName}", - "azure-native:redis/v20240301:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicyAssignments/{accessPolicyAssignmentName}", - "azure-native:redis/v20240301:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20240301:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20240301:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20240301:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redis/v20240301:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", - "azure-native:redis/v20240401preview:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicies/{accessPolicyName}", - "azure-native:redis/v20240401preview:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicyAssignments/{accessPolicyAssignmentName}", - "azure-native:redis/v20240401preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20240401preview:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20240401preview:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20240401preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redis/v20240401preview:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", - "azure-native:redis/v20241101:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicies/{accessPolicyName}", - "azure-native:redis/v20241101:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicyAssignments/{accessPolicyAssignmentName}", - "azure-native:redis/v20241101:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", - "azure-native:redis/v20241101:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redis/v20241101:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", - "azure-native:redis/v20241101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redis/v20241101:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", "azure-native:redis:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicies/{accessPolicyName}", "azure-native:redis:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicyAssignments/{accessPolicyAssignmentName}", "azure-native:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", @@ -12446,77 +1627,10 @@ "azure-native:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", "azure-native:redis:RedisFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{cacheName}/firewallRules/{ruleName}", "azure-native:redis:RedisLinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/linkedServers/{linkedServerName}", - "azure-native:redisenterprise/v20201001preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20201001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20201001preview:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20210201preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20210201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20210201preview:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20210301:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20210301:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20210301:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20210801:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20210801:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20210801:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20220101:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20220101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20220101:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20221101preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20221101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20221101preview:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20230301preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20230301preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20230301preview:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20230701:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20230701:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20230701:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20230801preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20230801preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20230801preview:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20231001preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20231001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20231001preview:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20231101:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20231101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20231101:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20240201:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20240201:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20240201:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20240301preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20240301preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20240301preview:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20240601preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20240601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20240601preview:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20240901preview:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}/accessPolicyAssignments/{accessPolicyAssignmentName}", - "azure-native:redisenterprise/v20240901preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20240901preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20240901preview:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20241001:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20241001:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20241001:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:redisenterprise/v20250401:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}/accessPolicyAssignments/{accessPolicyAssignmentName}", - "azure-native:redisenterprise/v20250401:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", - "azure-native:redisenterprise/v20250401:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:redisenterprise/v20250401:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", "azure-native:redisenterprise:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}/accessPolicyAssignments/{accessPolicyAssignmentName}", "azure-native:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", "azure-native:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", - "azure-native:relay/v20211101:HybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/hybridConnections/{hybridConnectionName}", - "azure-native:relay/v20211101:HybridConnectionAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/hybridConnections/{hybridConnectionName}/authorizationRules/{authorizationRuleName}", - "azure-native:relay/v20211101:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}", - "azure-native:relay/v20211101:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:relay/v20211101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:relay/v20211101:WCFRelay": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/wcfRelays/{relayName}", - "azure-native:relay/v20211101:WCFRelayAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/wcfRelays/{relayName}/authorizationRules/{authorizationRuleName}", - "azure-native:relay/v20240101:HybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/hybridConnections/{hybridConnectionName}", - "azure-native:relay/v20240101:HybridConnectionAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/hybridConnections/{hybridConnectionName}/authorizationRules/{authorizationRuleName}", - "azure-native:relay/v20240101:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}", - "azure-native:relay/v20240101:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", - "azure-native:relay/v20240101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:relay/v20240101:WCFRelay": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/wcfRelays/{relayName}", - "azure-native:relay/v20240101:WCFRelayAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/wcfRelays/{relayName}/authorizationRules/{authorizationRuleName}", "azure-native:relay:HybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/hybridConnections/{hybridConnectionName}", "azure-native:relay:HybridConnectionAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/hybridConnections/{hybridConnectionName}/authorizationRules/{authorizationRuleName}", "azure-native:relay:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}", @@ -12524,94 +1638,8 @@ "azure-native:relay:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:relay:WCFRelay": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/wcfRelays/{relayName}", "azure-native:relay:WCFRelayAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/wcfRelays/{relayName}/authorizationRules/{authorizationRuleName}", - "azure-native:resourceconnector/v20220415preview:Appliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceConnector/appliances/{resourceName}", - "azure-native:resourceconnector/v20221027:Appliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceConnector/appliances/{resourceName}", "azure-native:resourceconnector:Appliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceConnector/appliances/{resourceName}", - "azure-native:resourcegraph/v20200401preview:GraphQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceGraph/queries/{resourceName}", - "azure-native:resourcegraph/v20210301:GraphQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceGraph/queries/{resourceName}", - "azure-native:resourcegraph/v20221001:GraphQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceGraph/queries/{resourceName}", - "azure-native:resourcegraph/v20240401:GraphQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceGraph/queries/{resourceName}", "azure-native:resourcegraph:GraphQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceGraph/queries/{resourceName}", - "azure-native:resources/v20201001:AzureCliScript": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentScripts/{scriptName}", - "azure-native:resources/v20201001:AzurePowerShellScript": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentScripts/{scriptName}", - "azure-native:resources/v20201001:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20201001:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20201001:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20201001:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20201001:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20201001:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", - "azure-native:resources/v20201001:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", - "azure-native:resources/v20201001:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", - "azure-native:resources/v20210101:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20210101:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20210101:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20210101:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20210101:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20210101:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", - "azure-native:resources/v20210101:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", - "azure-native:resources/v20210101:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", - "azure-native:resources/v20210301preview:TemplateSpec": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}", - "azure-native:resources/v20210301preview:TemplateSpecVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}/versions/{templateSpecVersion}", - "azure-native:resources/v20210401:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20210401:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20210401:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20210401:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20210401:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20210401:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", - "azure-native:resources/v20210401:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", - "azure-native:resources/v20210401:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", - "azure-native:resources/v20210501:TemplateSpec": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}", - "azure-native:resources/v20210501:TemplateSpecVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}/versions/{templateSpecVersion}", - "azure-native:resources/v20220201:TemplateSpec": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}", - "azure-native:resources/v20220201:TemplateSpecVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}/versions/{templateSpecVersion}", - "azure-native:resources/v20220801preview:DeploymentStackAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", - "azure-native:resources/v20220801preview:DeploymentStackAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", - "azure-native:resources/v20220801preview:DeploymentStackAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", - "azure-native:resources/v20220901:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20220901:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20220901:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20220901:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20220901:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20220901:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", - "azure-native:resources/v20220901:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", - "azure-native:resources/v20220901:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", - "azure-native:resources/v20230701:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20230701:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20230701:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20230701:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20230701:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20230701:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", - "azure-native:resources/v20230701:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", - "azure-native:resources/v20230701:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", - "azure-native:resources/v20230801:AzureCliScript": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentScripts/{scriptName}", - "azure-native:resources/v20230801:AzurePowerShellScript": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentScripts/{scriptName}", - "azure-native:resources/v20240301:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20240301:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20240301:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20240301:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20240301:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20240301:DeploymentStackAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", - "azure-native:resources/v20240301:DeploymentStackAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", - "azure-native:resources/v20240301:DeploymentStackAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", - "azure-native:resources/v20240301:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", - "azure-native:resources/v20240301:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", - "azure-native:resources/v20240301:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", - "azure-native:resources/v20240701:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20240701:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20240701:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20240701:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20240701:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20240701:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", - "azure-native:resources/v20240701:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", - "azure-native:resources/v20240701:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", - "azure-native:resources/v20241101:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20241101:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20241101:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20241101:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20241101:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", - "azure-native:resources/v20241101:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", - "azure-native:resources/v20241101:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", - "azure-native:resources/v20241101:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", "azure-native:resources:AzureCliScript": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentScripts/{scriptName}", "azure-native:resources:AzurePowerShellScript": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentScripts/{scriptName}", "azure-native:resources:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", @@ -12627,56 +1655,12 @@ "azure-native:resources:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", "azure-native:resources:TemplateSpec": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}", "azure-native:resources:TemplateSpecVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}/versions/{templateSpecVersion}", - "azure-native:saas/v20180301beta:SaasSubscriptionLevel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SaaS/resources/{resourceName}", "azure-native:saas:SaasSubscriptionLevel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SaaS/resources/{resourceName}", - "azure-native:scheduler/v20160301:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scheduler/jobCollections/{jobCollectionName}/jobs/{jobName}", - "azure-native:scheduler/v20160301:JobCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scheduler/jobCollections/{jobCollectionName}", "azure-native:scheduler:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scheduler/jobCollections/{jobCollectionName}/jobs/{jobName}", "azure-native:scheduler:JobCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scheduler/jobCollections/{jobCollectionName}", - "azure-native:scom/v20230707preview:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scom/managedInstances/{instanceName}", - "azure-native:scom/v20230707preview:ManagedGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scom/managedInstances/{instanceName}/managedGateways/{managedGatewayName}", - "azure-native:scom/v20230707preview:MonitoredResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scom/managedInstances/{instanceName}/monitoredResources/{monitoredResourceName}", "azure-native:scom:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scom/managedInstances/{instanceName}", "azure-native:scom:ManagedGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scom/managedInstances/{instanceName}/managedGateways/{managedGatewayName}", "azure-native:scom:MonitoredResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scom/managedInstances/{instanceName}/monitoredResources/{monitoredResourceName}", - "azure-native:scvmm/v20220521preview:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/availabilitySets/{availabilitySetName}", - "azure-native:scvmm/v20220521preview:Cloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/clouds/{cloudName}", - "azure-native:scvmm/v20220521preview:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/guestAgents/{guestAgentName}", - "azure-native:scvmm/v20220521preview:HybridIdentityMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/hybridIdentityMetadata/{metadataName}", - "azure-native:scvmm/v20220521preview:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}/inventoryItems/{inventoryItemName}", - "azure-native:scvmm/v20220521preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/extensions/{extensionName}", - "azure-native:scvmm/v20220521preview:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}", - "azure-native:scvmm/v20220521preview:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachineTemplates/{virtualMachineTemplateName}", - "azure-native:scvmm/v20220521preview:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualNetworks/{virtualNetworkName}", - "azure-native:scvmm/v20220521preview:VmmServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}", - "azure-native:scvmm/v20230401preview:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/availabilitySets/{availabilitySetName}", - "azure-native:scvmm/v20230401preview:Cloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/clouds/{cloudName}", - "azure-native:scvmm/v20230401preview:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/guestAgents/{guestAgentName}", - "azure-native:scvmm/v20230401preview:HybridIdentityMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/hybridIdentityMetadata/{metadataName}", - "azure-native:scvmm/v20230401preview:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}/inventoryItems/{inventoryItemName}", - "azure-native:scvmm/v20230401preview:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/extensions/{extensionName}", - "azure-native:scvmm/v20230401preview:VMInstanceGuestAgent": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default/guestAgents/default", - "azure-native:scvmm/v20230401preview:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}", - "azure-native:scvmm/v20230401preview:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default", - "azure-native:scvmm/v20230401preview:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachineTemplates/{virtualMachineTemplateName}", - "azure-native:scvmm/v20230401preview:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualNetworks/{virtualNetworkName}", - "azure-native:scvmm/v20230401preview:VmmServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}", - "azure-native:scvmm/v20231007:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/availabilitySets/{availabilitySetResourceName}", - "azure-native:scvmm/v20231007:Cloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/clouds/{cloudResourceName}", - "azure-native:scvmm/v20231007:GuestAgent": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default/guestAgents/default", - "azure-native:scvmm/v20231007:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}/inventoryItems/{inventoryItemResourceName}", - "azure-native:scvmm/v20231007:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default", - "azure-native:scvmm/v20231007:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachineTemplates/{virtualMachineTemplateName}", - "azure-native:scvmm/v20231007:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualNetworks/{virtualNetworkName}", - "azure-native:scvmm/v20231007:VmmServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}", - "azure-native:scvmm/v20240601:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/availabilitySets/{availabilitySetResourceName}", - "azure-native:scvmm/v20240601:Cloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/clouds/{cloudResourceName}", - "azure-native:scvmm/v20240601:GuestAgent": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default/guestAgents/default", - "azure-native:scvmm/v20240601:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}/inventoryItems/{inventoryItemResourceName}", - "azure-native:scvmm/v20240601:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default", - "azure-native:scvmm/v20240601:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachineTemplates/{virtualMachineTemplateName}", - "azure-native:scvmm/v20240601:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualNetworks/{virtualNetworkName}", - "azure-native:scvmm/v20240601:VmmServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}", "azure-native:scvmm:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/availabilitySets/{availabilitySetName}", "azure-native:scvmm:Cloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/clouds/{cloudName}", "azure-native:scvmm:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/guestAgents/{guestAgentName}", @@ -12689,84 +1673,11 @@ "azure-native:scvmm:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachineTemplates/{virtualMachineTemplateName}", "azure-native:scvmm:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualNetworks/{virtualNetworkName}", "azure-native:scvmm:VmmServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}", - "azure-native:search/v20220901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:search/v20220901:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}", - "azure-native:search/v20220901:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:search/v20231101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:search/v20231101:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}", - "azure-native:search/v20231101:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:search/v20240301preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:search/v20240301preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}", - "azure-native:search/v20240301preview:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:search/v20240601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:search/v20240601preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}", - "azure-native:search/v20240601preview:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:search/v20250201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:search/v20250201preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}", - "azure-native:search/v20250201preview:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", "azure-native:search:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:search:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}", "azure-native:search:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:secretsynccontroller/v20240821preview:AzureKeyVaultSecretProviderClass": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecretSyncController/azureKeyVaultSecretProviderClasses/{azureKeyVaultSecretProviderClassName}", - "azure-native:secretsynccontroller/v20240821preview:SecretSync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecretSyncController/secretSyncs/{secretSyncName}", "azure-native:secretsynccontroller:AzureKeyVaultSecretProviderClass": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecretSyncController/azureKeyVaultSecretProviderClasses/{azureKeyVaultSecretProviderClassName}", "azure-native:secretsynccontroller:SecretSync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecretSyncController/secretSyncs/{secretSyncName}", - "azure-native:security/v20170801preview:AdvancedThreatProtection": "/{resourceId}/providers/Microsoft.Security/advancedThreatProtectionSettings/{settingName}", - "azure-native:security/v20170801preview:DeviceSecurityGroup": "/{resourceId}/providers/Microsoft.Security/deviceSecurityGroups/{deviceSecurityGroupName}", - "azure-native:security/v20170801preview:IotSecuritySolution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/iotSecuritySolutions/{solutionName}", - "azure-native:security/v20170801preview:SecurityContact": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/securityContacts/{securityContactName}", - "azure-native:security/v20170801preview:WorkspaceSetting": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/workspaceSettings/{workspaceSettingName}", - "azure-native:security/v20190101:AdvancedThreatProtection": "/{resourceId}/providers/Microsoft.Security/advancedThreatProtectionSettings/{settingName}", - "azure-native:security/v20190101preview:AlertsSuppressionRule": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/alertsSuppressionRules/{alertsSuppressionRuleName}", - "azure-native:security/v20190101preview:Assessment": "/{resourceId}/providers/Microsoft.Security/assessments/{assessmentName}", - "azure-native:security/v20190101preview:AssessmentsMetadataSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/assessmentMetadata/{assessmentMetadataName}", - "azure-native:security/v20190101preview:Automation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/automations/{automationName}", - "azure-native:security/v20190801:DeviceSecurityGroup": "/{resourceId}/providers/Microsoft.Security/deviceSecurityGroups/{deviceSecurityGroupName}", - "azure-native:security/v20190801:IotSecuritySolution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/iotSecuritySolutions/{solutionName}", - "azure-native:security/v20200101:Assessment": "/{resourceId}/providers/Microsoft.Security/assessments/{assessmentName}", - "azure-native:security/v20200101:AssessmentMetadataInSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/assessmentMetadata/{assessmentMetadataName}", - "azure-native:security/v20200101:JitNetworkAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/locations/{ascLocation}/jitNetworkAccessPolicies/{jitNetworkAccessPolicyName}", - "azure-native:security/v20200101:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceNamespace}/{resourceType}/{resourceName}/providers/Microsoft.Security/serverVulnerabilityAssessments/{serverVulnerabilityAssessment}", - "azure-native:security/v20200101preview:Connector": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/connectors/{connectorName}", - "azure-native:security/v20200101preview:SecurityContact": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/securityContacts/{securityContactName}", - "azure-native:security/v20200701preview:SqlVulnerabilityAssessmentBaselineRule": "/{resourceId}/providers/Microsoft.Security/sqlVulnerabilityAssessments/default/baselineRules/{ruleId}", - "azure-native:security/v20210601:Assessment": "/{resourceId}/providers/Microsoft.Security/assessments/{assessmentName}", - "azure-native:security/v20210601:AssessmentMetadataInSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/assessmentMetadata/{assessmentMetadataName}", - "azure-native:security/v20210701preview:CustomAssessmentAutomation": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Security/customAssessmentAutomations/{customAssessmentAutomationName}", - "azure-native:security/v20210701preview:CustomEntityStoreAssignment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Security/customEntityStoreAssignments/{customEntityStoreAssignmentName}", - "azure-native:security/v20210701preview:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", - "azure-native:security/v20210801preview:Assignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/assignments/{assignmentId}", - "azure-native:security/v20210801preview:Standard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/standards/{standardId}", - "azure-native:security/v20211201preview:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", - "azure-native:security/v20220101preview:GovernanceAssignment": "/{scope}/providers/Microsoft.Security/assessments/{assessmentName}/governanceAssignments/{assignmentKey}", - "azure-native:security/v20220101preview:GovernanceRule": "/{scope}/providers/Microsoft.Security/governanceRules/{ruleId}", - "azure-native:security/v20220501preview:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", - "azure-native:security/v20220701preview:Application": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/applications/{applicationId}", - "azure-native:security/v20220701preview:SecurityConnectorApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/providers/Microsoft.Security/applications/{applicationId}", - "azure-native:security/v20220801preview:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", - "azure-native:security/v20221120preview:APICollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/providers/Microsoft.Security/apiCollections/{apiCollectionId}", - "azure-native:security/v20221201preview:DefenderForStorage": "/{resourceId}/providers/Microsoft.Security/defenderForStorageSettings/{settingName}", - "azure-native:security/v20230101preview:SecurityOperator": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/pricings/{pricingName}/securityOperators/{securityOperatorName}", - "azure-native:security/v20230201preview:SqlVulnerabilityAssessmentBaselineRule": "/{resourceId}/providers/Microsoft.Security/sqlVulnerabilityAssessments/default/baselineRules/{ruleId}", - "azure-native:security/v20230301preview:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", - "azure-native:security/v20230501:AzureServersSetting": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/serverVulnerabilityAssessmentsSettings/{settingKind}", - "azure-native:security/v20230901preview:DevOpsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/devops/default", - "azure-native:security/v20231001preview:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", - "azure-native:security/v20231115:APICollectionByAzureApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/providers/Microsoft.Security/apiCollections/{apiId}", - "azure-native:security/v20231201preview:Automation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/automations/{automationName}", - "azure-native:security/v20231201preview:SecurityContact": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/securityContacts/{securityContactName}", - "azure-native:security/v20240101:Pricing": "/{scopeId}/providers/Microsoft.Security/pricings/{pricingName}", - "azure-native:security/v20240301preview:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", - "azure-native:security/v20240401:DevOpsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/devops/default", - "azure-native:security/v20240515preview:DevOpsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/devops/default", - "azure-native:security/v20240515preview:DevOpsPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/devops/default/policyAssignments/{policyAssignmentId}", - "azure-native:security/v20240701preview:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", - "azure-native:security/v20240801:CustomRecommendation": "/{scope}/providers/Microsoft.Security/customRecommendations/{customRecommendationName}", - "azure-native:security/v20240801:SecurityStandard": "/{scope}/providers/Microsoft.Security/securityStandards/{standardId}", - "azure-native:security/v20240801:StandardAssignment": "/{resourceId}/providers/Microsoft.Security/standardAssignments/{standardAssignmentName}", - "azure-native:security/v20240801preview:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", - "azure-native:security/v20241001preview:DefenderForStorage": "/{resourceId}/providers/Microsoft.Security/defenderForStorageSettings/{settingName}", - "azure-native:security/v20250301:DevOpsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/devops/default", "azure-native:security:APICollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/providers/Microsoft.Security/apiCollections/{apiCollectionId}", "azure-native:security:APICollectionByAzureApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/providers/Microsoft.Security/apiCollections/{apiId}", "azure-native:security:AdvancedThreatProtection": "/{resourceId}/providers/Microsoft.Security/advancedThreatProtectionSettings/{settingName}", @@ -12800,18 +1711,6 @@ "azure-native:security:Standard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/standards/{standardId}", "azure-native:security:StandardAssignment": "/{resourceId}/providers/Microsoft.Security/standardAssignments/{standardAssignmentName}", "azure-native:security:WorkspaceSetting": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/workspaceSettings/{workspaceSettingName}", - "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsAdtAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsComp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForM365ComplianceCenter/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForEDM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForEDMUpload/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForMIPPolicySync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForMIPPolicySync/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForSCCPowershell": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForSCCPowershell/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsSec": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForM365SecurityCenter/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForEDMUpload": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForEDMUpload/{resourceName}", - "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365ComplianceCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForM365ComplianceCenter/{resourceName}", - "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365SecurityCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForM365SecurityCenter/{resourceName}", - "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForMIPPolicySync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForMIPPolicySync/{resourceName}", - "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForO365ManagementActivityAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}", - "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForSCCPowershell": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForSCCPowershell/{resourceName}", "azure-native:securityandcompliance:PrivateEndpointConnectionsAdtAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:securityandcompliance:PrivateEndpointConnectionsComp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForM365ComplianceCenter/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:securityandcompliance:PrivateEndpointConnectionsForEDM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForEDMUpload/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", @@ -12824,894 +1723,6 @@ "azure-native:securityandcompliance:PrivateLinkServicesForMIPPolicySync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForMIPPolicySync/{resourceName}", "azure-native:securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}", "azure-native:securityandcompliance:PrivateLinkServicesForSCCPowershell": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForSCCPowershell/{resourceName}", - "azure-native:securityinsights/v20230201:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230201:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230201:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230201:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20230201:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20230201:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230201:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20230201:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230201:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20230201:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20230201:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20230201:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230201:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230201:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20230201:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230201:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230201:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230201:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20230201:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230201:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20230201:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20230201:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20230301preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20230301preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20230301preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230301preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20230301preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20230301preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20230301preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20230301preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230301preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230301preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20230301preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230301preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20230301preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20230301preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20230301preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20230301preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230301preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20230301preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230301preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230301preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230301preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20230301preview:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/sourcecontrols/{sourceControlId}", - "azure-native:securityinsights/v20230301preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230301preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20230301preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230301preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230301preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20230301preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20230401preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20230401preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20230401preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230401preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20230401preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20230401preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20230401preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20230401preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20230401preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20230401preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230401preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230401preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20230401preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230401preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20230401preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20230401preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20230401preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20230401preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20230401preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20230401preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20230401preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230401preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20230401preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230401preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230401preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230401preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20230401preview:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/sourcecontrols/{sourceControlId}", - "azure-native:securityinsights/v20230401preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230401preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20230401preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230401preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230401preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20230401preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20230401preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20230401preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20230401preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20230401preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20230501preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20230501preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20230501preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230501preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20230501preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20230501preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20230501preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20230501preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20230501preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20230501preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230501preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230501preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20230501preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230501preview:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20230501preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20230501preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20230501preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20230501preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20230501preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20230501preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20230501preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230501preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20230501preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230501preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230501preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230501preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20230501preview:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/sourcecontrols/{sourceControlId}", - "azure-native:securityinsights/v20230501preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230501preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20230501preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230501preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230501preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20230501preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20230501preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20230501preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20230501preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20230501preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20230601preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20230601preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20230601preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230601preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20230601preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20230601preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20230601preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230601preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230601preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20230601preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230601preview:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20230601preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20230601preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20230601preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20230601preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20230601preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20230601preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20230601preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230601preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230601preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230601preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20230601preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230601preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230601preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230601preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20230601preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20230601preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20230601preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20230601preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20230601preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20230701preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20230701preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20230701preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230701preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20230701preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20230701preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20230701preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20230701preview:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", - "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230701preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230701preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20230701preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230701preview:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20230701preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20230701preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20230701preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20230701preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20230701preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20230701preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20230701preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230701preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230701preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230701preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20230701preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230701preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230701preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230701preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20230701preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20230701preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20230701preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20230701preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20230701preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20230801preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20230801preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20230801preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230801preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20230801preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20230801preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20230801preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20230801preview:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", - "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230801preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230801preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20230801preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230801preview:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20230801preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20230801preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20230801preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20230801preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20230801preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20230801preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20230801preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230801preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230801preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230801preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20230801preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230801preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230801preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230801preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20230801preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20230801preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20230801preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20230801preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20230801preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20230901preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20230901preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20230901preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230901preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20230901preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20230901preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20230901preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20230901preview:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", - "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230901preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230901preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20230901preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230901preview:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20230901preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20230901preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20230901preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20230901preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20230901preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20230901preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20230901preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230901preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230901preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230901preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20230901preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20230901preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20230901preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20230901preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20230901preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20230901preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20230901preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20230901preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20230901preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20231001preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20231001preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20231001preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20231001preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20231001preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20231001preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20231001preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20231001preview:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", - "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20231001preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20231001preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20231001preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231001preview:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20231001preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20231001preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20231001preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20231001preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20231001preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20231001preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20231001preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231001preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231001preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231001preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20231001preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231001preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231001preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20231001preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20231001preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20231001preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20231001preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20231001preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20231001preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20231101:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231101:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231101:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231101:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20231101:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20231101:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231101:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20231101:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20231101:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20231101:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231101:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20231101:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20231101:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20231101:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231101:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231101:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231101:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231101:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231101:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20231101:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231101:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20231101:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20231101:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20231201preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20231201preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20231201preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20231201preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20231201preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20231201preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20231201preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20231201preview:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", - "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20231201preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20231201preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20231201preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231201preview:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20231201preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20231201preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20231201preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20231201preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20231201preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20231201preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20231201preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231201preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231201preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231201preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20231201preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20231201preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20231201preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20231201preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20231201preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20231201preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20231201preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20231201preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20231201preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20240101preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20240101preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20240101preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20240101preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20240101preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20240101preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20240101preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20240101preview:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", - "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20240101preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20240101preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20240101preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240101preview:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20240101preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20240101preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20240101preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20240101preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20240101preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20240101preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20240101preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240101preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240101preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240101preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20240101preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240101preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240101preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20240101preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20240101preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20240101preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20240101preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20240101preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20240101preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20240301:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240301:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240301:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240301:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20240301:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20240301:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240301:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20240301:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20240301:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20240301:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240301:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20240301:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20240301:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20240301:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20240301:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240301:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240301:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240301:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240301:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240301:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20240301:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240301:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20240301:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20240301:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20240401preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20240401preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20240401preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20240401preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20240401preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20240401preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20240401preview:BusinessApplicationAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}", - "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20240401preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20240401preview:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", - "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20240401preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20240401preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20240401preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240401preview:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20240401preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20240401preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20240401preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20240401preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20240401preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20240401preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20240401preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240401preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240401preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240401preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20240401preview:System": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}/systems/{systemResourceName}", - "azure-native:securityinsights/v20240401preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240401preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240401preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20240401preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20240401preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20240401preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20240401preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20240401preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20240401preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20240901:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240901:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240901:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240901:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20240901:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20240901:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240901:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20240901:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20240901:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20240901:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", - "azure-native:securityinsights/v20240901:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240901:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20240901:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20240901:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20240901:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20240901:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240901:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240901:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240901:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240901:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240901:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240901:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20240901:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20240901:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20240901:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20240901:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20240901:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20241001preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20241001preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20241001preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20241001preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20241001preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20241001preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20241001preview:BusinessApplicationAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}", - "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20241001preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20241001preview:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", - "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20241001preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20241001preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20241001preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20241001preview:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20241001preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20241001preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20241001preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20241001preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20241001preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20241001preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20241001preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20241001preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20241001preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20241001preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20241001preview:System": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}/systems/{systemResourceName}", - "azure-native:securityinsights/v20241001preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20241001preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20241001preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20241001preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20241001preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20241001preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20241001preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20241001preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20241001preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20250101preview:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20250101preview:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", - "azure-native:securityinsights/v20250101preview:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20250101preview:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20250101preview:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20250101preview:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20250101preview:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", - "azure-native:securityinsights/v20250101preview:BusinessApplicationAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}", - "azure-native:securityinsights/v20250101preview:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20250101preview:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20250101preview:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", - "azure-native:securityinsights/v20250101preview:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20250101preview:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20250101preview:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", - "azure-native:securityinsights/v20250101preview:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20250101preview:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", - "azure-native:securityinsights/v20250101preview:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", - "azure-native:securityinsights/v20250101preview:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", - "azure-native:securityinsights/v20250101preview:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20250101preview:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20250101preview:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20250101preview:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20250101preview:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20250101preview:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20250101preview:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20250101preview:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20250101preview:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:PurviewAuditDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20250101preview:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20250101preview:System": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}/systems/{systemResourceName}", - "azure-native:securityinsights/v20250101preview:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20250101preview:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20250101preview:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250101preview:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", - "azure-native:securityinsights/v20250101preview:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20250101preview:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", - "azure-native:securityinsights/v20250101preview:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", - "azure-native:securityinsights/v20250101preview:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", - "azure-native:securityinsights/v20250101preview:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", - "azure-native:securityinsights/v20250101preview:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:securityinsights/v20250301:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250301:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250301:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250301:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", - "azure-native:securityinsights/v20250301:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", - "azure-native:securityinsights/v20250301:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", - "azure-native:securityinsights/v20250301:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250301:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", - "azure-native:securityinsights/v20250301:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", - "azure-native:securityinsights/v20250301:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", - "azure-native:securityinsights/v20250301:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", - "azure-native:securityinsights/v20250301:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20250301:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", - "azure-native:securityinsights/v20250301:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", - "azure-native:securityinsights/v20250301:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", - "azure-native:securityinsights/v20250301:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", - "azure-native:securityinsights/v20250301:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250301:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250301:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250301:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", - "azure-native:securityinsights/v20250301:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20250301:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250301:PremiumMicrosoftDefenderForThreatIntelligence": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250301:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250301:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", - "azure-native:securityinsights/v20250301:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", - "azure-native:securityinsights/v20250301:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", - "azure-native:securityinsights/v20250301:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", - "azure-native:securityinsights/v20250301:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", - "azure-native:securityinsights/v20250301:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", "azure-native:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", "azure-native:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", "azure-native:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", @@ -13759,106 +1770,7 @@ "azure-native:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", "azure-native:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", "azure-native:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", - "azure-native:serialconsole/v20180501:SerialPort": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourceType}/{parentResource}/providers/Microsoft.SerialConsole/serialPorts/{serialPort}", "azure-native:serialconsole:SerialPort": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourceType}/{parentResource}/providers/Microsoft.SerialConsole/serialPorts/{serialPort}", - "azure-native:servicebus/v20180101preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:servicebus/v20180101preview:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", - "azure-native:servicebus/v20180101preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", - "azure-native:servicebus/v20180101preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20180101preview:NamespaceIpFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/ipfilterrules/{ipFilterRuleName}", - "azure-native:servicebus/v20180101preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:servicebus/v20180101preview:NamespaceVirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/virtualnetworkrules/{virtualNetworkRuleName}", - "azure-native:servicebus/v20180101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:servicebus/v20180101preview:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", - "azure-native:servicebus/v20180101preview:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20180101preview:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", - "azure-native:servicebus/v20180101preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", - "azure-native:servicebus/v20180101preview:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:servicebus/v20180101preview:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20210101preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:servicebus/v20210101preview:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", - "azure-native:servicebus/v20210101preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", - "azure-native:servicebus/v20210101preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20210101preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:servicebus/v20210101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:servicebus/v20210101preview:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", - "azure-native:servicebus/v20210101preview:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20210101preview:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", - "azure-native:servicebus/v20210101preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", - "azure-native:servicebus/v20210101preview:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:servicebus/v20210101preview:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20210601preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:servicebus/v20210601preview:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", - "azure-native:servicebus/v20210601preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", - "azure-native:servicebus/v20210601preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20210601preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:servicebus/v20210601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:servicebus/v20210601preview:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", - "azure-native:servicebus/v20210601preview:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20210601preview:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", - "azure-native:servicebus/v20210601preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", - "azure-native:servicebus/v20210601preview:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:servicebus/v20210601preview:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20211101:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:servicebus/v20211101:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", - "azure-native:servicebus/v20211101:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", - "azure-native:servicebus/v20211101:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20211101:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:servicebus/v20211101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:servicebus/v20211101:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", - "azure-native:servicebus/v20211101:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20211101:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", - "azure-native:servicebus/v20211101:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", - "azure-native:servicebus/v20211101:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:servicebus/v20211101:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20220101preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:servicebus/v20220101preview:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", - "azure-native:servicebus/v20220101preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", - "azure-native:servicebus/v20220101preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20220101preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:servicebus/v20220101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:servicebus/v20220101preview:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", - "azure-native:servicebus/v20220101preview:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20220101preview:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", - "azure-native:servicebus/v20220101preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", - "azure-native:servicebus/v20220101preview:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:servicebus/v20220101preview:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20221001preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:servicebus/v20221001preview:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", - "azure-native:servicebus/v20221001preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", - "azure-native:servicebus/v20221001preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20221001preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:servicebus/v20221001preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:servicebus/v20221001preview:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", - "azure-native:servicebus/v20221001preview:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20221001preview:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", - "azure-native:servicebus/v20221001preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", - "azure-native:servicebus/v20221001preview:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:servicebus/v20221001preview:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20230101preview:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:servicebus/v20230101preview:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", - "azure-native:servicebus/v20230101preview:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", - "azure-native:servicebus/v20230101preview:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20230101preview:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:servicebus/v20230101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:servicebus/v20230101preview:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", - "azure-native:servicebus/v20230101preview:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20230101preview:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", - "azure-native:servicebus/v20230101preview:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", - "azure-native:servicebus/v20230101preview:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:servicebus/v20230101preview:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20240101:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", - "azure-native:servicebus/v20240101:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", - "azure-native:servicebus/v20240101:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", - "azure-native:servicebus/v20240101:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20240101:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", - "azure-native:servicebus/v20240101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:servicebus/v20240101:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", - "azure-native:servicebus/v20240101:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicebus/v20240101:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", - "azure-native:servicebus/v20240101:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", - "azure-native:servicebus/v20240101:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", - "azure-native:servicebus/v20240101:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", "azure-native:servicebus:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", "azure-native:servicebus:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", "azure-native:servicebus:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", @@ -13873,66 +1785,6 @@ "azure-native:servicebus:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", "azure-native:servicebus:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", "azure-native:servicebus:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", - "azure-native:servicefabric/v20230301preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", - "azure-native:servicefabric/v20230301preview:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", - "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", - "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", - "azure-native:servicefabric/v20230301preview:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", - "azure-native:servicefabric/v20230301preview:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", - "azure-native:servicefabric/v20230701preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", - "azure-native:servicefabric/v20230701preview:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", - "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", - "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", - "azure-native:servicefabric/v20230701preview:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", - "azure-native:servicefabric/v20230701preview:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", - "azure-native:servicefabric/v20230901preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", - "azure-native:servicefabric/v20230901preview:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", - "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", - "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", - "azure-native:servicefabric/v20230901preview:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", - "azure-native:servicefabric/v20230901preview:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", - "azure-native:servicefabric/v20231101preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", - "azure-native:servicefabric/v20231101preview:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", - "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", - "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", - "azure-native:servicefabric/v20231101preview:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", - "azure-native:servicefabric/v20231101preview:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", - "azure-native:servicefabric/v20231201preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", - "azure-native:servicefabric/v20231201preview:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", - "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", - "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", - "azure-native:servicefabric/v20231201preview:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", - "azure-native:servicefabric/v20231201preview:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", - "azure-native:servicefabric/v20240201preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", - "azure-native:servicefabric/v20240201preview:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", - "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", - "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", - "azure-native:servicefabric/v20240201preview:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", - "azure-native:servicefabric/v20240201preview:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", - "azure-native:servicefabric/v20240401:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", - "azure-native:servicefabric/v20240401:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", - "azure-native:servicefabric/v20240401:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", - "azure-native:servicefabric/v20240401:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", - "azure-native:servicefabric/v20240401:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", - "azure-native:servicefabric/v20240401:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", - "azure-native:servicefabric/v20240601preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", - "azure-native:servicefabric/v20240601preview:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", - "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", - "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", - "azure-native:servicefabric/v20240601preview:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", - "azure-native:servicefabric/v20240601preview:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", - "azure-native:servicefabric/v20240901preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", - "azure-native:servicefabric/v20240901preview:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", - "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", - "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", - "azure-native:servicefabric/v20240901preview:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", - "azure-native:servicefabric/v20240901preview:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", - "azure-native:servicefabric/v20241101preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applications/{applicationName}", - "azure-native:servicefabric/v20241101preview:ApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applicationTypes/{applicationTypeName}", - "azure-native:servicefabric/v20241101preview:ApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", - "azure-native:servicefabric/v20241101preview:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", - "azure-native:servicefabric/v20241101preview:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", - "azure-native:servicefabric/v20241101preview:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applications/{applicationName}/services/{serviceName}", "azure-native:servicefabric:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applications/{applicationName}", "azure-native:servicefabric:ApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applicationTypes/{applicationTypeName}", "azure-native:servicefabric:ApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", @@ -13943,1187 +1795,33 @@ "azure-native:servicefabric:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", "azure-native:servicefabric:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", "azure-native:servicefabric:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applications/{applicationName}/services/{serviceName}", - "azure-native:servicefabricmesh/v20180901preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/applications/{applicationResourceName}", - "azure-native:servicefabricmesh/v20180901preview:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/gateways/{gatewayResourceName}", - "azure-native:servicefabricmesh/v20180901preview:Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/networks/{networkResourceName}", - "azure-native:servicefabricmesh/v20180901preview:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/secrets/{secretResourceName}", - "azure-native:servicefabricmesh/v20180901preview:SecretValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/secrets/{secretResourceName}/values/{secretValueResourceName}", - "azure-native:servicefabricmesh/v20180901preview:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/volumes/{volumeResourceName}", "azure-native:servicefabricmesh:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/applications/{applicationResourceName}", "azure-native:servicefabricmesh:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/gateways/{gatewayResourceName}", "azure-native:servicefabricmesh:Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/networks/{networkResourceName}", "azure-native:servicefabricmesh:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/secrets/{secretResourceName}", "azure-native:servicefabricmesh:SecretValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/secrets/{secretResourceName}/values/{secretValueResourceName}", "azure-native:servicefabricmesh:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/volumes/{volumeResourceName}", - "azure-native:servicelinker/v20221101preview:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/connectors/{connectorName}", - "azure-native:servicelinker/v20221101preview:ConnectorDryrun": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/dryruns/{dryrunName}", - "azure-native:servicelinker/v20221101preview:Linker": "/{resourceUri}/providers/Microsoft.ServiceLinker/linkers/{linkerName}", - "azure-native:servicelinker/v20221101preview:LinkerDryrun": "/{resourceUri}/providers/Microsoft.ServiceLinker/dryruns/{dryrunName}", - "azure-native:servicelinker/v20230401preview:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/connectors/{connectorName}", - "azure-native:servicelinker/v20230401preview:ConnectorDryrun": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/dryruns/{dryrunName}", - "azure-native:servicelinker/v20230401preview:Linker": "/{resourceUri}/providers/Microsoft.ServiceLinker/linkers/{linkerName}", - "azure-native:servicelinker/v20230401preview:LinkerDryrun": "/{resourceUri}/providers/Microsoft.ServiceLinker/dryruns/{dryrunName}", - "azure-native:servicelinker/v20240401:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/connectors/{connectorName}", - "azure-native:servicelinker/v20240401:ConnectorDryrun": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/dryruns/{dryrunName}", - "azure-native:servicelinker/v20240401:Linker": "/{resourceUri}/providers/Microsoft.ServiceLinker/linkers/{linkerName}", - "azure-native:servicelinker/v20240401:LinkerDryrun": "/{resourceUri}/providers/Microsoft.ServiceLinker/dryruns/{dryrunName}", - "azure-native:servicelinker/v20240701preview:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/connectors/{connectorName}", - "azure-native:servicelinker/v20240701preview:ConnectorDryrun": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/dryruns/{dryrunName}", - "azure-native:servicelinker/v20240701preview:Linker": "/{resourceUri}/providers/Microsoft.ServiceLinker/linkers/{linkerName}", - "azure-native:servicelinker/v20240701preview:LinkerDryrun": "/{resourceUri}/providers/Microsoft.ServiceLinker/dryruns/{dryrunName}", "azure-native:servicelinker:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/connectors/{connectorName}", "azure-native:servicelinker:ConnectorDryrun": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/dryruns/{dryrunName}", "azure-native:servicelinker:Linker": "/{resourceUri}/providers/Microsoft.ServiceLinker/linkers/{linkerName}", "azure-native:servicelinker:LinkerDryrun": "/{resourceUri}/providers/Microsoft.ServiceLinker/dryruns/{dryrunName}", - "azure-native:servicenetworking/v20230501preview:AssociationsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/associations/{associationName}", - "azure-native:servicenetworking/v20230501preview:FrontendsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/frontends/{frontendName}", - "azure-native:servicenetworking/v20230501preview:TrafficControllerInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}", - "azure-native:servicenetworking/v20231101:AssociationsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/associations/{associationName}", - "azure-native:servicenetworking/v20231101:FrontendsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/frontends/{frontendName}", - "azure-native:servicenetworking/v20231101:TrafficControllerInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}", - "azure-native:servicenetworking/v20240501preview:AssociationsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/associations/{associationName}", - "azure-native:servicenetworking/v20240501preview:FrontendsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/frontends/{frontendName}", - "azure-native:servicenetworking/v20240501preview:SecurityPoliciesInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/securityPolicies/{securityPolicyName}", - "azure-native:servicenetworking/v20240501preview:TrafficControllerInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}", - "azure-native:servicenetworking/v20250101:AssociationsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/associations/{associationName}", - "azure-native:servicenetworking/v20250101:FrontendsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/frontends/{frontendName}", - "azure-native:servicenetworking/v20250101:SecurityPoliciesInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/securityPolicies/{securityPolicyName}", - "azure-native:servicenetworking/v20250101:TrafficControllerInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}", - "azure-native:servicenetworking/v20250301preview:AssociationsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/associations/{associationName}", - "azure-native:servicenetworking/v20250301preview:FrontendsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/frontends/{frontendName}", - "azure-native:servicenetworking/v20250301preview:SecurityPoliciesInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/securityPolicies/{securityPolicyName}", - "azure-native:servicenetworking/v20250301preview:TrafficControllerInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}", "azure-native:servicenetworking:AssociationsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/associations/{associationName}", "azure-native:servicenetworking:FrontendsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/frontends/{frontendName}", "azure-native:servicenetworking:SecurityPoliciesInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/securityPolicies/{securityPolicyName}", "azure-native:servicenetworking:TrafficControllerInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}", - "azure-native:signalrservice/v20230201:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", - "azure-native:signalrservice/v20230201:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", - "azure-native:signalrservice/v20230201:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", - "azure-native:signalrservice/v20230201:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:signalrservice/v20230201:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:signalrservice/v20230301preview:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", - "azure-native:signalrservice/v20230301preview:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", - "azure-native:signalrservice/v20230301preview:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", - "azure-native:signalrservice/v20230301preview:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:signalrservice/v20230301preview:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", - "azure-native:signalrservice/v20230301preview:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:signalrservice/v20230601preview:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", - "azure-native:signalrservice/v20230601preview:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", - "azure-native:signalrservice/v20230601preview:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", - "azure-native:signalrservice/v20230601preview:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:signalrservice/v20230601preview:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", - "azure-native:signalrservice/v20230601preview:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:signalrservice/v20230801preview:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", - "azure-native:signalrservice/v20230801preview:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", - "azure-native:signalrservice/v20230801preview:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", - "azure-native:signalrservice/v20230801preview:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:signalrservice/v20230801preview:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", - "azure-native:signalrservice/v20230801preview:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:signalrservice/v20240101preview:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", - "azure-native:signalrservice/v20240101preview:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", - "azure-native:signalrservice/v20240101preview:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", - "azure-native:signalrservice/v20240101preview:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:signalrservice/v20240101preview:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", - "azure-native:signalrservice/v20240101preview:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:signalrservice/v20240301:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", - "azure-native:signalrservice/v20240301:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", - "azure-native:signalrservice/v20240301:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", - "azure-native:signalrservice/v20240301:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:signalrservice/v20240301:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", - "azure-native:signalrservice/v20240301:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:signalrservice/v20240401preview:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", - "azure-native:signalrservice/v20240401preview:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", - "azure-native:signalrservice/v20240401preview:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", - "azure-native:signalrservice/v20240401preview:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:signalrservice/v20240401preview:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", - "azure-native:signalrservice/v20240401preview:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:signalrservice/v20240801preview:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", - "azure-native:signalrservice/v20240801preview:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", - "azure-native:signalrservice/v20240801preview:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", - "azure-native:signalrservice/v20240801preview:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:signalrservice/v20240801preview:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", - "azure-native:signalrservice/v20240801preview:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:signalrservice/v20241001preview:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", - "azure-native:signalrservice/v20241001preview:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", - "azure-native:signalrservice/v20241001preview:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", - "azure-native:signalrservice/v20241001preview:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:signalrservice/v20241001preview:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", - "azure-native:signalrservice/v20241001preview:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", "azure-native:signalrservice:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", "azure-native:signalrservice:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", "azure-native:signalrservice:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", "azure-native:signalrservice:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:signalrservice:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", "azure-native:signalrservice:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:softwareplan/v20191201:HybridUseBenefit": "/{scope}/providers/Microsoft.SoftwarePlan/hybridUseBenefits/{planId}", "azure-native:softwareplan:HybridUseBenefit": "/{scope}/providers/Microsoft.SoftwarePlan/hybridUseBenefits/{planId}", - "azure-native:solutions/v20210701:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/applications/{applicationName}", - "azure-native:solutions/v20210701:ApplicationDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/applicationDefinitions/{applicationDefinitionName}", - "azure-native:solutions/v20210701:JitRequest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/jitRequests/{jitRequestName}", - "azure-native:solutions/v20231201preview:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/applications/{applicationName}", - "azure-native:solutions/v20231201preview:ApplicationDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/applicationDefinitions/{applicationDefinitionName}", - "azure-native:solutions/v20231201preview:JitRequest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/jitRequests/{jitRequestName}", "azure-native:solutions:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/applications/{applicationName}", "azure-native:solutions:ApplicationDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/applicationDefinitions/{applicationDefinitionName}", "azure-native:solutions:JitRequest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/jitRequests/{jitRequestName}", - "azure-native:sovereign/v20250227preview:LandingZoneAccountOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sovereign/landingZoneAccounts/{landingZoneAccountName}", - "azure-native:sovereign/v20250227preview:LandingZoneConfigurationOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sovereign/landingZoneAccounts/{landingZoneAccountName}/landingZoneConfigurations/{landingZoneConfigurationName}", - "azure-native:sovereign/v20250227preview:LandingZoneRegistrationOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sovereign/landingZoneAccounts/{landingZoneAccountName}/landingZoneRegistrations/{landingZoneRegistrationName}", "azure-native:sovereign:LandingZoneAccountOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sovereign/landingZoneAccounts/{landingZoneAccountName}", "azure-native:sovereign:LandingZoneConfigurationOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sovereign/landingZoneAccounts/{landingZoneAccountName}/landingZoneConfigurations/{landingZoneConfigurationName}", "azure-native:sovereign:LandingZoneRegistrationOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sovereign/landingZoneAccounts/{landingZoneAccountName}/landingZoneRegistrations/{landingZoneRegistrationName}", - "azure-native:sql/v20140401:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", - "azure-native:sql/v20140401:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20140401:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20140401:DatabaseThreatDetectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20140401:DisasterRecoveryConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/disasterRecoveryConfiguration/{disasterRecoveryConfigurationName}", - "azure-native:sql/v20140401:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20140401:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20140401:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", - "azure-native:sql/v20140401:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20140401:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20140401:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20140401:ServerCommunicationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/communicationLinks/{communicationLinkName}", - "azure-native:sql/v20140401:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{transparentDataEncryptionName}", - "azure-native:sql/v20150501preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20150501preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20150501preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20150501preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20150501preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20150501preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20150501preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20150501preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20150501preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20150501preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20150501preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20150501preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20150501preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20170301preview:BackupLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20170301preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20170301preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20170301preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20170301preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20170301preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20170301preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20170301preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20170301preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20170301preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20170301preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20170301preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20170301preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20170301preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20170301preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20170301preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20170301preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20170301preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20171001preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20171001preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20171001preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20171001preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20171001preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20171001preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20171001preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20180601preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20180601preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20180601preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20180601preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20180601preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20180601preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20180601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20180601preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20180601preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20190601preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20190601preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20190601preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20190601preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20190601preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20190601preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20190601preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20190601preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20200202preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20200202preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20200202preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20200202preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20200202preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20200202preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20200202preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20200202preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20200202preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20200202preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20200202preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20200202preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20200202preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20200202preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20200202preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20200202preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20200202preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20200202preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20200202preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20200202preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20200202preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20200202preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20200202preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20200202preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20200202preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20200202preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20200202preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20200202preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20200202preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20200202preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20200202preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20200202preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20200202preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20200202preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20200202preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20200202preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20200202preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20200202preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20200202preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20200202preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20200202preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20200202preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20200202preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20200202preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20200202preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20200202preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20200202preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20200202preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20200202preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20200202preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20200801preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20200801preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20200801preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20200801preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20200801preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20200801preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20200801preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20200801preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20200801preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20200801preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20200801preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20200801preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20200801preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20200801preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20200801preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20200801preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20200801preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20200801preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20200801preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20200801preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20200801preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20200801preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20200801preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20200801preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20200801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20200801preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20200801preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20200801preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20200801preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20200801preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20200801preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20200801preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20200801preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20200801preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20200801preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20200801preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20200801preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20200801preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20200801preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20200801preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20200801preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20200801preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20200801preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20200801preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20200801preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20200801preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20200801preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20200801preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20200801preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20200801preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20201101preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20201101preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20201101preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20201101preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20201101preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20201101preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20201101preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20201101preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20201101preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20201101preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20201101preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20201101preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20201101preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20201101preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20201101preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20201101preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20201101preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20201101preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20201101preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20201101preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20201101preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20201101preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20201101preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20201101preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20201101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20201101preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20201101preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20201101preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20201101preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20201101preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20201101preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20201101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20201101preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20201101preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20201101preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20201101preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20201101preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20201101preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20201101preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20201101preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20201101preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20201101preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20201101preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20201101preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20201101preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20201101preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20201101preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20201101preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20201101preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20201101preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20210201preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20210201preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20210201preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20210201preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210201preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20210201preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210201preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20210201preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20210201preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20210201preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210201preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210201preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20210201preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20210201preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20210201preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20210201preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20210201preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20210201preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20210201preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20210201preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20210201preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20210201preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20210201preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20210201preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20210201preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20210201preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20210201preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20210201preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20210201preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20210201preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210201preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20210201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20210201preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20210201preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20210201preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20210201preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20210201preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20210201preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210201preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20210201preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20210201preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20210201preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20210201preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210201preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20210201preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20210201preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20210201preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20210201preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20210201preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20210201preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20210501preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20210501preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20210501preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20210501preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210501preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20210501preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210501preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20210501preview:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20210501preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20210501preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20210501preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210501preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210501preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20210501preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20210501preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20210501preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20210501preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20210501preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20210501preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20210501preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20210501preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20210501preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20210501preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20210501preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20210501preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20210501preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20210501preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20210501preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20210501preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20210501preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20210501preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210501preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20210501preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20210501preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20210501preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20210501preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20210501preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20210501preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20210501preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210501preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20210501preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20210501preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20210501preview:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20210501preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20210501preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210501preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20210501preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20210501preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20210501preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20210501preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20210501preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20210501preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20210801preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20210801preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20210801preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20210801preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210801preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20210801preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210801preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20210801preview:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20210801preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20210801preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20210801preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210801preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210801preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20210801preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20210801preview:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20210801preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20210801preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20210801preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20210801preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20210801preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20210801preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20210801preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20210801preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20210801preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20210801preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20210801preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20210801preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20210801preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20210801preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20210801preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20210801preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20210801preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210801preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20210801preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20210801preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20210801preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20210801preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20210801preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20210801preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20210801preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20210801preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20210801preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20210801preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20210801preview:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20210801preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20210801preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20210801preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20210801preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20210801preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20210801preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20210801preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20210801preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20210801preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20211101:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20211101:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", - "azure-native:sql/v20211101:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20211101:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20211101:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20211101:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20211101:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20211101:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20211101:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20211101:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20211101:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20211101:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20211101:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20211101:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20211101:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20211101:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", - "azure-native:sql/v20211101:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20211101:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20211101:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20211101:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20211101:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20211101:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20211101:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20211101:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20211101:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20211101:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20211101:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20211101:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20211101:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20211101:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20211101:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20211101:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20211101:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20211101:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20211101:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20211101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20211101:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20211101:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20211101:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20211101:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20211101:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20211101:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20211101:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20211101:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20211101:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20211101:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20211101:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20211101:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20211101:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20211101:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20211101:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20211101:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20211101:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20211101:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20211101:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20211101preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20211101preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20211101preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20211101preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20211101preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20211101preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20211101preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20211101preview:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20211101preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20211101preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20211101preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20211101preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20211101preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20211101preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20211101preview:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20211101preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20211101preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20211101preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20211101preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20211101preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20211101preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20211101preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20211101preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20211101preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20211101preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20211101preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20211101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20211101preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20211101preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20211101preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20211101preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20211101preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20211101preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20211101preview:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20211101preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20211101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20211101preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20211101preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20211101preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20211101preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20211101preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20211101preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20211101preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20211101preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20211101preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20211101preview:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20211101preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20211101preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20211101preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20211101preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20211101preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20211101preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20211101preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20211101preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20211101preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20220201preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20220201preview:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", - "azure-native:sql/v20220201preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20220201preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20220201preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220201preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20220201preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20220201preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220201preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20220201preview:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20220201preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20220201preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20220201preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220201preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220201preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20220201preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20220201preview:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", - "azure-native:sql/v20220201preview:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20220201preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20220201preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20220201preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20220201preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20220201preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20220201preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20220201preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20220201preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20220201preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20220201preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20220201preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20220201preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20220201preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20220201preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20220201preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20220201preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20220201preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220201preview:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20220201preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20220201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20220201preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20220201preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20220201preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20220201preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20220201preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20220201preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220201preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20220201preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20220201preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20220201preview:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20220201preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20220201preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220201preview:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20220201preview:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220201preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20220201preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20220201preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20220201preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20220201preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20220201preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20220201preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20220501preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20220501preview:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", - "azure-native:sql/v20220501preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20220501preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20220501preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220501preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20220501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20220501preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220501preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20220501preview:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20220501preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20220501preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20220501preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220501preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220501preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20220501preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20220501preview:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", - "azure-native:sql/v20220501preview:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20220501preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20220501preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20220501preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20220501preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20220501preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20220501preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20220501preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20220501preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20220501preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20220501preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20220501preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20220501preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20220501preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20220501preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20220501preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20220501preview:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20220501preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20220501preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220501preview:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20220501preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20220501preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20220501preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20220501preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20220501preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20220501preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20220501preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20220501preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220501preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20220501preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20220501preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20220501preview:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20220501preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20220501preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220501preview:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20220501preview:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220501preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20220501preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20220501preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20220501preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20220501preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20220501preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20220501preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20220801preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20220801preview:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", - "azure-native:sql/v20220801preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20220801preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20220801preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220801preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20220801preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20220801preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220801preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20220801preview:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20220801preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20220801preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20220801preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220801preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220801preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20220801preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20220801preview:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", - "azure-native:sql/v20220801preview:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20220801preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20220801preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20220801preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20220801preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20220801preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20220801preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20220801preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20220801preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20220801preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20220801preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20220801preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20220801preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20220801preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20220801preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20220801preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20220801preview:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20220801preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20220801preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220801preview:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20220801preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20220801preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20220801preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20220801preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20220801preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20220801preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20220801preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20220801preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20220801preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20220801preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20220801preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20220801preview:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20220801preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20220801preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220801preview:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20220801preview:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20220801preview:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", - "azure-native:sql/v20220801preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20220801preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20220801preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20220801preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20220801preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20220801preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20220801preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20221101preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20221101preview:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", - "azure-native:sql/v20221101preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20221101preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20221101preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20221101preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20221101preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20221101preview:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20221101preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20221101preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20221101preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20221101preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20221101preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20221101preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20221101preview:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", - "azure-native:sql/v20221101preview:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20221101preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20221101preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20221101preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20221101preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20221101preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20221101preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20221101preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20221101preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20221101preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20221101preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20221101preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20221101preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20221101preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20221101preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20221101preview:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20221101preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20221101preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20221101preview:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20221101preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20221101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20221101preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20221101preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20221101preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20221101preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20221101preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20221101preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20221101preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20221101preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20221101preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20221101preview:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20221101preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20221101preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20221101preview:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", - "azure-native:sql/v20221101preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20221101preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20221101preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20221101preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20221101preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20221101preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20221101preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20230201preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230201preview:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", - "azure-native:sql/v20230201preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20230201preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20230201preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230201preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20230201preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20230201preview:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20230201preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20230201preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20230201preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230201preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230201preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20230201preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20230201preview:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", - "azure-native:sql/v20230201preview:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20230201preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20230201preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20230201preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20230201preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20230201preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20230201preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20230201preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20230201preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230201preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20230201preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20230201preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20230201preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20230201preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20230201preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20230201preview:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230201preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20230201preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230201preview:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20230201preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20230201preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20230201preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20230201preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20230201preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20230201preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20230201preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20230201preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230201preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20230201preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20230201preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20230201preview:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20230201preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20230201preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230201preview:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", - "azure-native:sql/v20230201preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20230201preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20230201preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20230201preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20230201preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20230201preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20230201preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20230501preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230501preview:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", - "azure-native:sql/v20230501preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20230501preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20230501preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230501preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20230501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20230501preview:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20230501preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20230501preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20230501preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230501preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230501preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20230501preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20230501preview:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", - "azure-native:sql/v20230501preview:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20230501preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20230501preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20230501preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20230501preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20230501preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20230501preview:JobPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/privateEndpoints/{privateEndpointName}", - "azure-native:sql/v20230501preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20230501preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20230501preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230501preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20230501preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20230501preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20230501preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20230501preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20230501preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20230501preview:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230501preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20230501preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230501preview:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20230501preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20230501preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20230501preview:ReplicationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/replicationLinks/{linkId}", - "azure-native:sql/v20230501preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20230501preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20230501preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20230501preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20230501preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20230501preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230501preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20230501preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20230501preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20230501preview:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20230501preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20230501preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230501preview:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", - "azure-native:sql/v20230501preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20230501preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20230501preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20230501preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20230501preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20230501preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20230501preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20230801:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230801:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", - "azure-native:sql/v20230801:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20230801:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20230801:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230801:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20230801:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20230801:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230801:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20230801:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20230801:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20230801:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20230801:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230801:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230801:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20230801:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20230801:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", - "azure-native:sql/v20230801:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20230801:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20230801:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20230801:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20230801:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20230801:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20230801:JobPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/privateEndpoints/{privateEndpointName}", - "azure-native:sql/v20230801:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20230801:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20230801:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230801:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20230801:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20230801:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230801:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20230801:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20230801:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20230801:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20230801:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20230801:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230801:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20230801:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230801:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20230801:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20230801:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20230801:ReplicationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/replicationLinks/{linkId}", - "azure-native:sql/v20230801:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20230801:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20230801:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20230801:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20230801:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20230801:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230801:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20230801:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20230801:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20230801:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20230801:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20230801:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230801:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20230801:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230801:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", - "azure-native:sql/v20230801:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20230801:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20230801:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20230801:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20230801:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20230801:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20230801:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20230801preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230801preview:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", - "azure-native:sql/v20230801preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20230801preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20230801preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230801preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20230801preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20230801preview:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20230801preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20230801preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20230801preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230801preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230801preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20230801preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20230801preview:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", - "azure-native:sql/v20230801preview:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20230801preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20230801preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20230801preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20230801preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20230801preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20230801preview:JobPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/privateEndpoints/{privateEndpointName}", - "azure-native:sql/v20230801preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20230801preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20230801preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230801preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20230801preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20230801preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20230801preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20230801preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20230801preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20230801preview:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20230801preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20230801preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230801preview:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20230801preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20230801preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20230801preview:ReplicationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/replicationLinks/{linkId}", - "azure-native:sql/v20230801preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20230801preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20230801preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20230801preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20230801preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20230801preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20230801preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20230801preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20230801preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20230801preview:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20230801preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20230801preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20230801preview:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", - "azure-native:sql/v20230801preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20230801preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20230801preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20230801preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20230801preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20230801preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20230801preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sql/v20240501preview:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", - "azure-native:sql/v20240501preview:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", - "azure-native:sql/v20240501preview:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", - "azure-native:sql/v20240501preview:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", - "azure-native:sql/v20240501preview:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20240501preview:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20240501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20240501preview:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", - "azure-native:sql/v20240501preview:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", - "azure-native:sql/v20240501preview:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", - "azure-native:sql/v20240501preview:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20240501preview:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20240501preview:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", - "azure-native:sql/v20240501preview:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", - "azure-native:sql/v20240501preview:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", - "azure-native:sql/v20240501preview:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", - "azure-native:sql/v20240501preview:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", - "azure-native:sql/v20240501preview:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", - "azure-native:sql/v20240501preview:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", - "azure-native:sql/v20240501preview:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", - "azure-native:sql/v20240501preview:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", - "azure-native:sql/v20240501preview:JobPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/privateEndpoints/{privateEndpointName}", - "azure-native:sql/v20240501preview:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", - "azure-native:sql/v20240501preview:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", - "azure-native:sql/v20240501preview:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20240501preview:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", - "azure-native:sql/v20240501preview:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:sql/v20240501preview:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", - "azure-native:sql/v20240501preview:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", - "azure-native:sql/v20240501preview:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20240501preview:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", - "azure-native:sql/v20240501preview:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", - "azure-native:sql/v20240501preview:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20240501preview:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20240501preview:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20240501preview:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", - "azure-native:sql/v20240501preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:sql/v20240501preview:ReplicationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/replicationLinks/{linkId}", - "azure-native:sql/v20240501preview:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:sql/v20240501preview:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", - "azure-native:sql/v20240501preview:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", - "azure-native:sql/v20240501preview:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", - "azure-native:sql/v20240501preview:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", - "azure-native:sql/v20240501preview:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", - "azure-native:sql/v20240501preview:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", - "azure-native:sql/v20240501preview:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", - "azure-native:sql/v20240501preview:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", - "azure-native:sql/v20240501preview:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", - "azure-native:sql/v20240501preview:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", - "azure-native:sql/v20240501preview:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", - "azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:sql/v20240501preview:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", - "azure-native:sql/v20240501preview:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", - "azure-native:sql/v20240501preview:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", - "azure-native:sql/v20240501preview:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", - "azure-native:sql/v20240501preview:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", - "azure-native:sql/v20240501preview:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", - "azure-native:sql/v20240501preview:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:sql/v20240501preview:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", "azure-native:sql:BackupLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", "azure-native:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", "azure-native:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", @@ -15192,116 +1890,11 @@ "azure-native:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", "azure-native:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", "azure-native:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", - "azure-native:sqlvirtualmachine/v20220201:AvailabilityGroupListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}/availabilityGroupListeners/{availabilityGroupListenerName}", - "azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachines/{sqlVirtualMachineName}", - "azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}", - "azure-native:sqlvirtualmachine/v20220701preview:AvailabilityGroupListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}/availabilityGroupListeners/{availabilityGroupListenerName}", - "azure-native:sqlvirtualmachine/v20220701preview:SqlVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachines/{sqlVirtualMachineName}", - "azure-native:sqlvirtualmachine/v20220701preview:SqlVirtualMachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}", - "azure-native:sqlvirtualmachine/v20220801preview:AvailabilityGroupListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}/availabilityGroupListeners/{availabilityGroupListenerName}", - "azure-native:sqlvirtualmachine/v20220801preview:SqlVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachines/{sqlVirtualMachineName}", - "azure-native:sqlvirtualmachine/v20220801preview:SqlVirtualMachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}", - "azure-native:sqlvirtualmachine/v20230101preview:AvailabilityGroupListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}/availabilityGroupListeners/{availabilityGroupListenerName}", - "azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachines/{sqlVirtualMachineName}", - "azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}", - "azure-native:sqlvirtualmachine/v20231001:AvailabilityGroupListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}/availabilityGroupListeners/{availabilityGroupListenerName}", - "azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachines/{sqlVirtualMachineName}", - "azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}", "azure-native:sqlvirtualmachine:AvailabilityGroupListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}/availabilityGroupListeners/{availabilityGroupListenerName}", "azure-native:sqlvirtualmachine:SqlVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachines/{sqlVirtualMachineName}", "azure-native:sqlvirtualmachine:SqlVirtualMachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}", - "azure-native:standbypool/v20231201preview:StandbyContainerGroupPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyContainerGroupPools/{standbyContainerGroupPoolName}", - "azure-native:standbypool/v20231201preview:StandbyVirtualMachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyVirtualMachinePools/{standbyVirtualMachinePoolName}", - "azure-native:standbypool/v20240301:StandbyContainerGroupPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyContainerGroupPools/{standbyContainerGroupPoolName}", - "azure-native:standbypool/v20240301:StandbyVirtualMachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyVirtualMachinePools/{standbyVirtualMachinePoolName}", - "azure-native:standbypool/v20240301preview:StandbyContainerGroupPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyContainerGroupPools/{standbyContainerGroupPoolName}", - "azure-native:standbypool/v20240301preview:StandbyVirtualMachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyVirtualMachinePools/{standbyVirtualMachinePoolName}", - "azure-native:standbypool/v20250301:StandbyContainerGroupPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyContainerGroupPools/{standbyContainerGroupPoolName}", - "azure-native:standbypool/v20250301:StandbyVirtualMachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyVirtualMachinePools/{standbyVirtualMachinePoolName}", "azure-native:standbypool:StandbyContainerGroupPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyContainerGroupPools/{standbyContainerGroupPoolName}", "azure-native:standbypool:StandbyVirtualMachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyVirtualMachinePools/{standbyVirtualMachinePoolName}", - "azure-native:storage/v20220901:BlobContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}", - "azure-native:storage/v20220901:BlobContainerImmutabilityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/immutabilityPolicies/{immutabilityPolicyName}", - "azure-native:storage/v20220901:BlobInventoryPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/inventoryPolicies/{blobInventoryPolicyName}", - "azure-native:storage/v20220901:BlobServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/{BlobServicesName}", - "azure-native:storage/v20220901:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/encryptionScopes/{encryptionScopeName}", - "azure-native:storage/v20220901:FileServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/{FileServicesName}", - "azure-native:storage/v20220901:FileShare": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/default/shares/{shareName}", - "azure-native:storage/v20220901:LocalUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/localUsers/{username}", - "azure-native:storage/v20220901:ManagementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/managementPolicies/{managementPolicyName}", - "azure-native:storage/v20220901:ObjectReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/objectReplicationPolicies/{objectReplicationPolicyId}", - "azure-native:storage/v20220901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:storage/v20220901:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/default/queues/{queueName}", - "azure-native:storage/v20220901:QueueServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/{queueServiceName}", - "azure-native:storage/v20220901:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}", - "azure-native:storage/v20220901:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/default/tables/{tableName}", - "azure-native:storage/v20220901:TableServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/{tableServiceName}", - "azure-native:storage/v20230101:BlobContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}", - "azure-native:storage/v20230101:BlobContainerImmutabilityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/immutabilityPolicies/{immutabilityPolicyName}", - "azure-native:storage/v20230101:BlobInventoryPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/inventoryPolicies/{blobInventoryPolicyName}", - "azure-native:storage/v20230101:BlobServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/{BlobServicesName}", - "azure-native:storage/v20230101:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/encryptionScopes/{encryptionScopeName}", - "azure-native:storage/v20230101:FileServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/{FileServicesName}", - "azure-native:storage/v20230101:FileShare": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/default/shares/{shareName}", - "azure-native:storage/v20230101:LocalUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/localUsers/{username}", - "azure-native:storage/v20230101:ManagementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/managementPolicies/{managementPolicyName}", - "azure-native:storage/v20230101:ObjectReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/objectReplicationPolicies/{objectReplicationPolicyId}", - "azure-native:storage/v20230101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:storage/v20230101:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/default/queues/{queueName}", - "azure-native:storage/v20230101:QueueServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/{queueServiceName}", - "azure-native:storage/v20230101:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}", - "azure-native:storage/v20230101:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/default/tables/{tableName}", - "azure-native:storage/v20230101:TableServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/{tableServiceName}", - "azure-native:storage/v20230401:BlobContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}", - "azure-native:storage/v20230401:BlobContainerImmutabilityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/immutabilityPolicies/{immutabilityPolicyName}", - "azure-native:storage/v20230401:BlobInventoryPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/inventoryPolicies/{blobInventoryPolicyName}", - "azure-native:storage/v20230401:BlobServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/{BlobServicesName}", - "azure-native:storage/v20230401:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/encryptionScopes/{encryptionScopeName}", - "azure-native:storage/v20230401:FileServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/{FileServicesName}", - "azure-native:storage/v20230401:FileShare": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/default/shares/{shareName}", - "azure-native:storage/v20230401:LocalUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/localUsers/{username}", - "azure-native:storage/v20230401:ManagementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/managementPolicies/{managementPolicyName}", - "azure-native:storage/v20230401:ObjectReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/objectReplicationPolicies/{objectReplicationPolicyId}", - "azure-native:storage/v20230401:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:storage/v20230401:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/default/queues/{queueName}", - "azure-native:storage/v20230401:QueueServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/{queueServiceName}", - "azure-native:storage/v20230401:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}", - "azure-native:storage/v20230401:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/default/tables/{tableName}", - "azure-native:storage/v20230401:TableServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/{tableServiceName}", - "azure-native:storage/v20230501:BlobContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}", - "azure-native:storage/v20230501:BlobContainerImmutabilityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/immutabilityPolicies/{immutabilityPolicyName}", - "azure-native:storage/v20230501:BlobInventoryPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/inventoryPolicies/{blobInventoryPolicyName}", - "azure-native:storage/v20230501:BlobServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/{BlobServicesName}", - "azure-native:storage/v20230501:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/encryptionScopes/{encryptionScopeName}", - "azure-native:storage/v20230501:FileServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/{FileServicesName}", - "azure-native:storage/v20230501:FileShare": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/default/shares/{shareName}", - "azure-native:storage/v20230501:LocalUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/localUsers/{username}", - "azure-native:storage/v20230501:ManagementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/managementPolicies/{managementPolicyName}", - "azure-native:storage/v20230501:ObjectReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/objectReplicationPolicies/{objectReplicationPolicyId}", - "azure-native:storage/v20230501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:storage/v20230501:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/default/queues/{queueName}", - "azure-native:storage/v20230501:QueueServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/{queueServiceName}", - "azure-native:storage/v20230501:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}", - "azure-native:storage/v20230501:StorageTaskAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/storageTaskAssignments/{storageTaskAssignmentName}", - "azure-native:storage/v20230501:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/default/tables/{tableName}", - "azure-native:storage/v20230501:TableServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/{tableServiceName}", - "azure-native:storage/v20240101:BlobContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}", - "azure-native:storage/v20240101:BlobContainerImmutabilityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/immutabilityPolicies/{immutabilityPolicyName}", - "azure-native:storage/v20240101:BlobInventoryPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/inventoryPolicies/{blobInventoryPolicyName}", - "azure-native:storage/v20240101:BlobServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/{BlobServicesName}", - "azure-native:storage/v20240101:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/encryptionScopes/{encryptionScopeName}", - "azure-native:storage/v20240101:FileServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/{FileServicesName}", - "azure-native:storage/v20240101:FileShare": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/default/shares/{shareName}", - "azure-native:storage/v20240101:LocalUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/localUsers/{username}", - "azure-native:storage/v20240101:ManagementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/managementPolicies/{managementPolicyName}", - "azure-native:storage/v20240101:ObjectReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/objectReplicationPolicies/{objectReplicationPolicyId}", - "azure-native:storage/v20240101:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:storage/v20240101:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/default/queues/{queueName}", - "azure-native:storage/v20240101:QueueServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/{queueServiceName}", - "azure-native:storage/v20240101:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}", - "azure-native:storage/v20240101:StorageTaskAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/storageTaskAssignments/{storageTaskAssignmentName}", - "azure-native:storage/v20240101:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/default/tables/{tableName}", - "azure-native:storage/v20240101:TableServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/{tableServiceName}", "azure-native:storage:Blob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/blobs/{blobName}", "azure-native:storage:BlobContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}", "azure-native:storage:BlobContainerImmutabilityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/immutabilityPolicies/{immutabilityPolicyName}", @@ -15322,83 +1915,24 @@ "azure-native:storage:StorageTaskAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/storageTaskAssignments/{storageTaskAssignmentName}", "azure-native:storage:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/default/tables/{tableName}", "azure-native:storage:TableServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/{tableServiceName}", - "azure-native:storageactions/v20230101:StorageTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageActions/storageTasks/{storageTaskName}", "azure-native:storageactions:StorageTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageActions/storageTasks/{storageTaskName}", - "azure-native:storagecache/v20230501:AmlFilesystem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}", - "azure-native:storagecache/v20230501:Cache": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}", - "azure-native:storagecache/v20230501:StorageTarget": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}/storageTargets/{storageTargetName}", - "azure-native:storagecache/v20231101preview:AmlFilesystem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}", - "azure-native:storagecache/v20231101preview:Cache": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}", - "azure-native:storagecache/v20231101preview:StorageTarget": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}/storageTargets/{storageTargetName}", - "azure-native:storagecache/v20240301:AmlFilesystem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}", - "azure-native:storagecache/v20240301:Cache": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}", - "azure-native:storagecache/v20240301:ImportJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}/importJobs/{importJobName}", - "azure-native:storagecache/v20240301:StorageTarget": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}/storageTargets/{storageTargetName}", - "azure-native:storagecache/v20240701:AmlFilesystem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}", - "azure-native:storagecache/v20240701:AutoExportJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}/autoExportJobs/{autoExportJobName}", - "azure-native:storagecache/v20240701:Cache": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}", - "azure-native:storagecache/v20240701:ImportJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}/importJobs/{importJobName}", - "azure-native:storagecache/v20240701:StorageTarget": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}/storageTargets/{storageTargetName}", "azure-native:storagecache:AmlFilesystem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}", "azure-native:storagecache:Cache": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}", "azure-native:storagecache:ImportJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}/importJobs/{importJobName}", "azure-native:storagecache:StorageTarget": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}/storageTargets/{storageTargetName}", - "azure-native:storagemover/v20230301:Agent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/agents/{agentName}", - "azure-native:storagemover/v20230301:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/endpoints/{endpointName}", - "azure-native:storagemover/v20230301:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}/jobDefinitions/{jobDefinitionName}", - "azure-native:storagemover/v20230301:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}", - "azure-native:storagemover/v20230301:StorageMover": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}", - "azure-native:storagemover/v20230701preview:Agent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/agents/{agentName}", - "azure-native:storagemover/v20230701preview:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/endpoints/{endpointName}", - "azure-native:storagemover/v20230701preview:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}/jobDefinitions/{jobDefinitionName}", - "azure-native:storagemover/v20230701preview:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}", - "azure-native:storagemover/v20230701preview:StorageMover": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}", - "azure-native:storagemover/v20231001:Agent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/agents/{agentName}", - "azure-native:storagemover/v20231001:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/endpoints/{endpointName}", - "azure-native:storagemover/v20231001:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}/jobDefinitions/{jobDefinitionName}", - "azure-native:storagemover/v20231001:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}", - "azure-native:storagemover/v20231001:StorageMover": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}", - "azure-native:storagemover/v20240701:Agent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/agents/{agentName}", - "azure-native:storagemover/v20240701:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/endpoints/{endpointName}", - "azure-native:storagemover/v20240701:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}/jobDefinitions/{jobDefinitionName}", - "azure-native:storagemover/v20240701:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}", - "azure-native:storagemover/v20240701:StorageMover": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}", "azure-native:storagemover:Agent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/agents/{agentName}", "azure-native:storagemover:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/endpoints/{endpointName}", "azure-native:storagemover:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}/jobDefinitions/{jobDefinitionName}", "azure-native:storagemover:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}", "azure-native:storagemover:StorageMover": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}", - "azure-native:storagepool/v20210801:DiskPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StoragePool/diskPools/{diskPoolName}", - "azure-native:storagepool/v20210801:IscsiTarget": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StoragePool/diskPools/{diskPoolName}/iscsiTargets/{iscsiTargetName}", "azure-native:storagepool:DiskPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StoragePool/diskPools/{diskPoolName}", "azure-native:storagepool:IscsiTarget": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StoragePool/diskPools/{diskPoolName}/iscsiTargets/{iscsiTargetName}", - "azure-native:storagesync/v20220601:CloudEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}/cloudEndpoints/{cloudEndpointName}", - "azure-native:storagesync/v20220601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:storagesync/v20220601:RegisteredServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/registeredServers/{serverId}", - "azure-native:storagesync/v20220601:ServerEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}/serverEndpoints/{serverEndpointName}", - "azure-native:storagesync/v20220601:StorageSyncService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}", - "azure-native:storagesync/v20220601:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}", - "azure-native:storagesync/v20220901:CloudEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}/cloudEndpoints/{cloudEndpointName}", - "azure-native:storagesync/v20220901:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:storagesync/v20220901:RegisteredServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/registeredServers/{serverId}", - "azure-native:storagesync/v20220901:ServerEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}/serverEndpoints/{serverEndpointName}", - "azure-native:storagesync/v20220901:StorageSyncService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}", - "azure-native:storagesync/v20220901:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}", "azure-native:storagesync:CloudEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}/cloudEndpoints/{cloudEndpointName}", "azure-native:storagesync:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:storagesync:RegisteredServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/registeredServers/{serverId}", "azure-native:storagesync:ServerEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}/serverEndpoints/{serverEndpointName}", "azure-native:storagesync:StorageSyncService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}", "azure-native:storagesync:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}", - "azure-native:storsimple/v20170601:AccessControlRecord": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/accessControlRecords/{accessControlRecordName}", - "azure-native:storsimple/v20170601:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/backupPolicies/{backupPolicyName}", - "azure-native:storsimple/v20170601:BackupSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/backupPolicies/{backupPolicyName}/schedules/{backupScheduleName}", - "azure-native:storsimple/v20170601:BandwidthSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/bandwidthSettings/{bandwidthSettingName}", - "azure-native:storsimple/v20170601:Manager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}", - "azure-native:storsimple/v20170601:ManagerExtendedInfo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/extendedInformation/vaultExtendedInfo", - "azure-native:storsimple/v20170601:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/storageAccountCredentials/{storageAccountCredentialName}", - "azure-native:storsimple/v20170601:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/volumeContainers/{volumeContainerName}/volumes/{volumeName}", - "azure-native:storsimple/v20170601:VolumeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/volumeContainers/{volumeContainerName}", "azure-native:storsimple:AccessControlRecord": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/accessControlRecords/{accessControlRecordName}", "azure-native:storsimple:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/backupPolicies/{backupPolicyName}", "azure-native:storsimple:BackupSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/backupPolicies/{backupPolicyName}/schedules/{backupScheduleName}", @@ -15408,111 +1942,14 @@ "azure-native:storsimple:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/storageAccountCredentials/{storageAccountCredentialName}", "azure-native:storsimple:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/volumeContainers/{volumeContainerName}/volumes/{volumeName}", "azure-native:storsimple:VolumeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/volumeContainers/{volumeContainerName}", - "azure-native:streamanalytics/v20200301:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/clusters/{clusterName}", - "azure-native:streamanalytics/v20200301:Function": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/functions/{functionName}", - "azure-native:streamanalytics/v20200301:Input": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/inputs/{inputName}", - "azure-native:streamanalytics/v20200301:Output": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/outputs/{outputName}", - "azure-native:streamanalytics/v20200301:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/clusters/{clusterName}/privateEndpoints/{privateEndpointName}", - "azure-native:streamanalytics/v20200301:StreamingJob": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}", - "azure-native:streamanalytics/v20211001preview:Function": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/functions/{functionName}", - "azure-native:streamanalytics/v20211001preview:Input": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/inputs/{inputName}", - "azure-native:streamanalytics/v20211001preview:Output": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/outputs/{outputName}", - "azure-native:streamanalytics/v20211001preview:StreamingJob": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}", "azure-native:streamanalytics:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/clusters/{clusterName}", "azure-native:streamanalytics:Function": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/functions/{functionName}", "azure-native:streamanalytics:Input": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/inputs/{inputName}", "azure-native:streamanalytics:Output": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/outputs/{outputName}", "azure-native:streamanalytics:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/clusters/{clusterName}/privateEndpoints/{privateEndpointName}", "azure-native:streamanalytics:StreamingJob": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}", - "azure-native:subscription/v20211001:Alias": "/providers/Microsoft.Subscription/aliases/{aliasName}", - "azure-native:subscription/v20240801preview:Alias": "/providers/Microsoft.Subscription/aliases/{aliasName}", - "azure-native:subscription/v20240801preview:SubscriptionTarDirectory": "/subscriptions/{subscriptionId}/providers/Microsoft.Subscription/changeTenantRequest/default", "azure-native:subscription:Alias": "/providers/Microsoft.Subscription/aliases/{aliasName}", "azure-native:subscription:SubscriptionTarDirectory": "/subscriptions/{subscriptionId}/providers/Microsoft.Subscription/changeTenantRequest/default", - "azure-native:synapse/v20210401preview:BigDataPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/bigDataPools/{bigDataPoolName}", - "azure-native:synapse/v20210401preview:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:synapse/v20210401preview:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:synapse/v20210401preview:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:synapse/v20210401preview:IntegrationRuntime": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/integrationRuntimes/{integrationRuntimeName}", - "azure-native:synapse/v20210401preview:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:synapse/v20210401preview:IpFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/firewallRules/{ruleName}", - "azure-native:synapse/v20210401preview:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/keys/{keyName}", - "azure-native:synapse/v20210401preview:KustoPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}", - "azure-native:synapse/v20210401preview:KustoPoolPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/principalAssignments/{principalAssignmentName}", - "azure-native:synapse/v20210401preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:synapse/v20210401preview:PrivateLinkHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/privateLinkHubs/{privateLinkHubName}", - "azure-native:synapse/v20210401preview:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}", - "azure-native:synapse/v20210401preview:SqlPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}", - "azure-native:synapse/v20210401preview:SqlPoolSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:synapse/v20210401preview:SqlPoolTransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/transparentDataEncryption/{transparentDataEncryptionName}", - "azure-native:synapse/v20210401preview:SqlPoolVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:synapse/v20210401preview:SqlPoolVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:synapse/v20210401preview:SqlPoolWorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:synapse/v20210401preview:SqlPoolWorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}", - "azure-native:synapse/v20210401preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}", - "azure-native:synapse/v20210401preview:WorkspaceAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/administrators/activeDirectory", - "azure-native:synapse/v20210401preview:WorkspaceManagedSqlServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:synapse/v20210401preview:WorkspaceSqlAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlAdministrators/activeDirectory", - "azure-native:synapse/v20210501:BigDataPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/bigDataPools/{bigDataPoolName}", - "azure-native:synapse/v20210501:IntegrationRuntime": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/integrationRuntimes/{integrationRuntimeName}", - "azure-native:synapse/v20210501:IpFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/firewallRules/{ruleName}", - "azure-native:synapse/v20210501:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/keys/{keyName}", - "azure-native:synapse/v20210501:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:synapse/v20210501:PrivateLinkHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/privateLinkHubs/{privateLinkHubName}", - "azure-native:synapse/v20210501:SqlPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}", - "azure-native:synapse/v20210501:SqlPoolSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:synapse/v20210501:SqlPoolTransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/transparentDataEncryption/{transparentDataEncryptionName}", - "azure-native:synapse/v20210501:SqlPoolVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:synapse/v20210501:SqlPoolVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:synapse/v20210501:SqlPoolWorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:synapse/v20210501:SqlPoolWorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}", - "azure-native:synapse/v20210501:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}", - "azure-native:synapse/v20210501:WorkspaceAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/administrators/activeDirectory", - "azure-native:synapse/v20210501:WorkspaceManagedSqlServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:synapse/v20210501:WorkspaceSqlAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlAdministrators/activeDirectory", - "azure-native:synapse/v20210601:BigDataPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/bigDataPools/{bigDataPoolName}", - "azure-native:synapse/v20210601:IntegrationRuntime": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/integrationRuntimes/{integrationRuntimeName}", - "azure-native:synapse/v20210601:IpFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/firewallRules/{ruleName}", - "azure-native:synapse/v20210601:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/keys/{keyName}", - "azure-native:synapse/v20210601:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:synapse/v20210601:PrivateLinkHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/privateLinkHubs/{privateLinkHubName}", - "azure-native:synapse/v20210601:SqlPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}", - "azure-native:synapse/v20210601:SqlPoolSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:synapse/v20210601:SqlPoolTransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/transparentDataEncryption/{transparentDataEncryptionName}", - "azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:synapse/v20210601:SqlPoolWorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:synapse/v20210601:SqlPoolWorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}", - "azure-native:synapse/v20210601:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}", - "azure-native:synapse/v20210601:WorkspaceAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/administrators/activeDirectory", - "azure-native:synapse/v20210601:WorkspaceManagedSqlServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:synapse/v20210601:WorkspaceSqlAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlAdministrators/activeDirectory", - "azure-native:synapse/v20210601preview:BigDataPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/bigDataPools/{bigDataPoolName}", - "azure-native:synapse/v20210601preview:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:synapse/v20210601preview:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:synapse/v20210601preview:IntegrationRuntime": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/integrationRuntimes/{integrationRuntimeName}", - "azure-native:synapse/v20210601preview:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", - "azure-native:synapse/v20210601preview:IpFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/firewallRules/{ruleName}", - "azure-native:synapse/v20210601preview:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/keys/{keyName}", - "azure-native:synapse/v20210601preview:KustoPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}", - "azure-native:synapse/v20210601preview:KustoPoolAttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", - "azure-native:synapse/v20210601preview:KustoPoolDatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", - "azure-native:synapse/v20210601preview:KustoPoolPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/principalAssignments/{principalAssignmentName}", - "azure-native:synapse/v20210601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:synapse/v20210601preview:PrivateLinkHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/privateLinkHubs/{privateLinkHubName}", - "azure-native:synapse/v20210601preview:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}", - "azure-native:synapse/v20210601preview:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}", - "azure-native:synapse/v20210601preview:SqlPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}", - "azure-native:synapse/v20210601preview:SqlPoolSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", - "azure-native:synapse/v20210601preview:SqlPoolTransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/transparentDataEncryption/{transparentDataEncryptionName}", - "azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", - "azure-native:synapse/v20210601preview:SqlPoolWorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", - "azure-native:synapse/v20210601preview:SqlPoolWorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}", - "azure-native:synapse/v20210601preview:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}", - "azure-native:synapse/v20210601preview:WorkspaceAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/administrators/activeDirectory", - "azure-native:synapse/v20210601preview:WorkspaceManagedSqlServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", - "azure-native:synapse/v20210601preview:WorkspaceSqlAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlAdministrators/activeDirectory", "azure-native:synapse:BigDataPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/bigDataPools/{bigDataPoolName}", "azure-native:synapse:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", "azure-native:synapse:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", @@ -15540,21 +1977,7 @@ "azure-native:synapse:WorkspaceAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/administrators/activeDirectory", "azure-native:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", "azure-native:synapse:WorkspaceSqlAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlAdministrators/activeDirectory", - "azure-native:syntex/v20220915preview:DocumentProcessor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Syntex/documentProcessors/{processorName}", "azure-native:syntex:DocumentProcessor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Syntex/documentProcessors/{processorName}", - "azure-native:testbase/v20220401preview:CustomerEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/customerEvents/{customerEventName}", - "azure-native:testbase/v20220401preview:FavoriteProcess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/packages/{packageName}/favoriteProcesses/{favoriteProcessResourceName}", - "azure-native:testbase/v20220401preview:Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/packages/{packageName}", - "azure-native:testbase/v20220401preview:TestBaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}", - "azure-native:testbase/v20231101preview:ActionRequest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/actionRequests/{actionRequestName}", - "azure-native:testbase/v20231101preview:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/credentials/{credentialName}", - "azure-native:testbase/v20231101preview:CustomImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/customImages/{customImageName}", - "azure-native:testbase/v20231101preview:CustomerEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/customerEvents/{customerEventName}", - "azure-native:testbase/v20231101preview:DraftPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/draftPackages/{draftPackageName}", - "azure-native:testbase/v20231101preview:FavoriteProcess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/packages/{packageName}/favoriteProcesses/{favoriteProcessResourceName}", - "azure-native:testbase/v20231101preview:ImageDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/imageDefinitions/{imageDefinitionName}", - "azure-native:testbase/v20231101preview:Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/packages/{packageName}", - "azure-native:testbase/v20231101preview:TestBaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}", "azure-native:testbase:ActionRequest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/actionRequests/{actionRequestName}", "azure-native:testbase:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/credentials/{credentialName}", "azure-native:testbase:CustomImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/customImages/{customImageName}", @@ -15564,67 +1987,16 @@ "azure-native:testbase:ImageDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/imageDefinitions/{imageDefinitionName}", "azure-native:testbase:Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/packages/{packageName}", "azure-native:testbase:TestBaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}", - "azure-native:timeseriesinsights/v20200515:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/accessPolicies/{accessPolicyName}", - "azure-native:timeseriesinsights/v20200515:EventHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", - "azure-native:timeseriesinsights/v20200515:Gen1Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", - "azure-native:timeseriesinsights/v20200515:Gen2Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", - "azure-native:timeseriesinsights/v20200515:IoTHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", - "azure-native:timeseriesinsights/v20200515:ReferenceDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/referenceDataSets/{referenceDataSetName}", - "azure-native:timeseriesinsights/v20210331preview:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/accessPolicies/{accessPolicyName}", - "azure-native:timeseriesinsights/v20210331preview:EventHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", - "azure-native:timeseriesinsights/v20210331preview:Gen1Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", - "azure-native:timeseriesinsights/v20210331preview:Gen2Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", - "azure-native:timeseriesinsights/v20210331preview:IoTHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", - "azure-native:timeseriesinsights/v20210331preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:timeseriesinsights/v20210331preview:ReferenceDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/referenceDataSets/{referenceDataSetName}", - "azure-native:timeseriesinsights/v20210630preview:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/accessPolicies/{accessPolicyName}", - "azure-native:timeseriesinsights/v20210630preview:EventHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", - "azure-native:timeseriesinsights/v20210630preview:Gen1Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", - "azure-native:timeseriesinsights/v20210630preview:Gen2Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", - "azure-native:timeseriesinsights/v20210630preview:IoTHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", - "azure-native:timeseriesinsights/v20210630preview:ReferenceDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/referenceDataSets/{referenceDataSetName}", "azure-native:timeseriesinsights:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/accessPolicies/{accessPolicyName}", "azure-native:timeseriesinsights:EventHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", "azure-native:timeseriesinsights:Gen1Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", "azure-native:timeseriesinsights:Gen2Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", "azure-native:timeseriesinsights:IoTHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", "azure-native:timeseriesinsights:ReferenceDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/referenceDataSets/{referenceDataSetName}", - "azure-native:trafficmanager/v20151101:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", - "azure-native:trafficmanager/v20151101:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", - "azure-native:trafficmanager/v20170301:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", - "azure-native:trafficmanager/v20170301:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", - "azure-native:trafficmanager/v20170501:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", - "azure-native:trafficmanager/v20170501:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", - "azure-native:trafficmanager/v20170901preview:TrafficManagerUserMetricsKey": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/trafficManagerUserMetricsKeys", - "azure-native:trafficmanager/v20180201:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", - "azure-native:trafficmanager/v20180201:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", - "azure-native:trafficmanager/v20180301:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", - "azure-native:trafficmanager/v20180301:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", - "azure-native:trafficmanager/v20180401:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", - "azure-native:trafficmanager/v20180401:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", - "azure-native:trafficmanager/v20180401:TrafficManagerUserMetricsKey": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/trafficManagerUserMetricsKeys/default", - "azure-native:trafficmanager/v20180801:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", - "azure-native:trafficmanager/v20180801:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", - "azure-native:trafficmanager/v20180801:TrafficManagerUserMetricsKey": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/trafficManagerUserMetricsKeys/default", - "azure-native:trafficmanager/v20220401:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", - "azure-native:trafficmanager/v20220401:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", - "azure-native:trafficmanager/v20220401:TrafficManagerUserMetricsKey": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/trafficManagerUserMetricsKeys/default", - "azure-native:trafficmanager/v20220401preview:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", - "azure-native:trafficmanager/v20220401preview:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", - "azure-native:trafficmanager/v20220401preview:TrafficManagerUserMetricsKey": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/trafficManagerUserMetricsKeys/default", "azure-native:trafficmanager:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", "azure-native:trafficmanager:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", "azure-native:trafficmanager:TrafficManagerUserMetricsKey": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/trafficManagerUserMetricsKeys/default", - "azure-native:verifiedid/v20240126preview:Authority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VerifiedId/authorities/{authorityName}", "azure-native:verifiedid:Authority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VerifiedId/authorities/{authorityName}", - "azure-native:videoanalyzer/v20211101preview:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/accessPolicies/{accessPolicyName}", - "azure-native:videoanalyzer/v20211101preview:EdgeModule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/edgeModules/{edgeModuleName}", - "azure-native:videoanalyzer/v20211101preview:LivePipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/livePipelines/{livePipelineName}", - "azure-native:videoanalyzer/v20211101preview:PipelineJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/pipelineJobs/{pipelineJobName}", - "azure-native:videoanalyzer/v20211101preview:PipelineTopology": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/pipelineTopologies/{pipelineTopologyName}", - "azure-native:videoanalyzer/v20211101preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/privateEndpointConnections/{name}", - "azure-native:videoanalyzer/v20211101preview:Video": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/videos/{videoName}", - "azure-native:videoanalyzer/v20211101preview:VideoAnalyzer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}", "azure-native:videoanalyzer:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/accessPolicies/{accessPolicyName}", "azure-native:videoanalyzer:EdgeModule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/edgeModules/{edgeModuleName}", "azure-native:videoanalyzer:LivePipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/livePipelines/{livePipelineName}", @@ -15633,1027 +2005,16 @@ "azure-native:videoanalyzer:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/privateEndpointConnections/{name}", "azure-native:videoanalyzer:Video": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/videos/{videoName}", "azure-native:videoanalyzer:VideoAnalyzer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}", - "azure-native:videoindexer/v20220801:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", - "azure-native:videoindexer/v20240101:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", - "azure-native:videoindexer/v20240401preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", - "azure-native:videoindexer/v20240601preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", - "azure-native:videoindexer/v20240601preview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:videoindexer/v20240923preview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", - "azure-native:videoindexer/v20250101:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", - "azure-native:videoindexer/v20250301:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", "azure-native:videoindexer:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", "azure-native:videoindexer:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:virtualmachineimages/v20220701:Trigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}/triggers/{triggerName}", - "azure-native:virtualmachineimages/v20220701:VirtualMachineImageTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}", - "azure-native:virtualmachineimages/v20230701:Trigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}/triggers/{triggerName}", - "azure-native:virtualmachineimages/v20230701:VirtualMachineImageTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}", - "azure-native:virtualmachineimages/v20240201:Trigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}/triggers/{triggerName}", - "azure-native:virtualmachineimages/v20240201:VirtualMachineImageTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}", "azure-native:virtualmachineimages:Trigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}/triggers/{triggerName}", "azure-native:virtualmachineimages:VirtualMachineImageTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}", - "azure-native:vmwarecloudsimple/v20190401:DedicatedCloudNode": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VMwareCloudSimple/dedicatedCloudNodes/{dedicatedCloudNodeName}", - "azure-native:vmwarecloudsimple/v20190401:DedicatedCloudService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VMwareCloudSimple/dedicatedCloudServices/{dedicatedCloudServiceName}", - "azure-native:vmwarecloudsimple/v20190401:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VMwareCloudSimple/virtualMachines/{virtualMachineName}", "azure-native:vmwarecloudsimple:DedicatedCloudNode": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VMwareCloudSimple/dedicatedCloudNodes/{dedicatedCloudNodeName}", "azure-native:vmwarecloudsimple:DedicatedCloudService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VMwareCloudSimple/dedicatedCloudServices/{dedicatedCloudServiceName}", "azure-native:vmwarecloudsimple:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VMwareCloudSimple/virtualMachines/{virtualMachineName}", - "azure-native:voiceservices/v20221201preview:CommunicationsGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", - "azure-native:voiceservices/v20221201preview:Contact": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/contacts/{contactName}", - "azure-native:voiceservices/v20221201preview:TestLine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", - "azure-native:voiceservices/v20230131:CommunicationsGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", - "azure-native:voiceservices/v20230131:TestLine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", - "azure-native:voiceservices/v20230403:CommunicationsGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", - "azure-native:voiceservices/v20230403:TestLine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", - "azure-native:voiceservices/v20230901:CommunicationsGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", - "azure-native:voiceservices/v20230901:TestLine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", "azure-native:voiceservices:CommunicationsGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", "azure-native:voiceservices:Contact": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/contacts/{contactName}", "azure-native:voiceservices:TestLine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", - "azure-native:web/v20150801preview:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/connections/{connectionName}", - "azure-native:web/v20160301:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20160601:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/connections/{connectionName}", - "azure-native:web/v20160601:ConnectionGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/connectionGateways/{connectionGatewayName}", - "azure-native:web/v20160601:CustomApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/customApis/{apiName}", - "azure-native:web/v20160801:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20160801:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20160801:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20160801:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20160801:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20160801:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20160801:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20160801:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20160801:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20160801:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20160801:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20160801:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20160801:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20160801:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20160801:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20160801:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20160801:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20160801:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20160801:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20160801:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20160801:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20160801:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20160801:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20160801:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20160801:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20160801:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20160801:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20160801:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20160801:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20160801:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20160801:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20160801:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20160801:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20160801:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20160801:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20160801:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20160801:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20160801:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20160801:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20160901:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20160901:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20160901:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20180201:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20180201:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20180201:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20180201:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20180201:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20180201:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20180201:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20180201:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20180201:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20180201:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20180201:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20180201:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20180201:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20180201:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20180201:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20180201:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20180201:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20180201:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20180201:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20180201:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20180201:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20180201:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20180201:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20180201:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20180201:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20180201:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20180201:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20180201:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20180201:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20180201:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20180201:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20180201:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20180201:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20180201:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20180201:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20180201:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20180201:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20180201:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20180201:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20180201:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20180201:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20180201:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20180201:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20180201:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20180201:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20180201:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20180201:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20181101:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20181101:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20181101:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20181101:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20181101:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20181101:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20181101:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20181101:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20181101:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20181101:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20181101:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20181101:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20181101:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20181101:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20181101:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20181101:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20181101:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20181101:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20181101:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20181101:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20181101:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20181101:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20181101:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20181101:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20181101:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20181101:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20181101:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20181101:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20181101:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20181101:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20181101:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20181101:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20181101:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20181101:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20181101:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20181101:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20181101:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20181101:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20181101:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20181101:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20181101:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20181101:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20181101:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20181101:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20190801:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20190801:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20190801:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20190801:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20190801:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20190801:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20190801:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20190801:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20190801:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20190801:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20190801:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20190801:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20190801:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20190801:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20190801:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20190801:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20190801:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20190801:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20190801:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20190801:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20190801:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20190801:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20190801:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20190801:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20190801:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20190801:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20190801:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20190801:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20190801:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20190801:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20190801:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20190801:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20190801:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20190801:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20190801:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20190801:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20190801:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20190801:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20190801:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20190801:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20190801:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20190801:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20190801:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20190801:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20190801:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20190801:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20190801:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20190801:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20190801:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20190801:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20190801:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20200601:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20200601:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20200601:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20200601:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20200601:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20200601:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20200601:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20200601:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20200601:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20200601:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20200601:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", - "azure-native:web/v20200601:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", - "azure-native:web/v20200601:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20200601:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20200601:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20200601:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20200601:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20200601:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20200601:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20200601:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20200601:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20200601:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20200601:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20200601:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20200601:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20200601:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20200601:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20200601:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20200601:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20200601:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20200601:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20200601:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20200601:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20200601:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20200601:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20200601:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20200601:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20200601:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20200601:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20200601:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20200601:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20200601:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20200601:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20200601:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20200601:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20200601:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20200601:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20200601:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20200601:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20200601:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20200601:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20200601:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20200601:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20200901:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20200901:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20200901:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20200901:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20200901:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20200901:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20200901:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20200901:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20200901:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20200901:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20200901:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", - "azure-native:web/v20200901:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", - "azure-native:web/v20200901:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20200901:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20200901:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20200901:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20200901:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20200901:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20200901:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20200901:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20200901:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20200901:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20200901:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20200901:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20200901:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20200901:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20200901:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20200901:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20200901:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20200901:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20200901:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20200901:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20200901:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20200901:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20200901:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20200901:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20200901:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20200901:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20200901:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20200901:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20200901:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20200901:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20200901:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20200901:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20200901:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20200901:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20200901:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20200901:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20200901:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20200901:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20200901:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20200901:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20200901:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20201001:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20201001:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20201001:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20201001:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20201001:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20201001:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20201001:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20201001:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20201001:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20201001:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20201001:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", - "azure-native:web/v20201001:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", - "azure-native:web/v20201001:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20201001:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20201001:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20201001:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20201001:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20201001:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20201001:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20201001:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20201001:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20201001:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20201001:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20201001:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20201001:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20201001:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20201001:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20201001:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20201001:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20201001:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20201001:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20201001:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20201001:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20201001:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20201001:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20201001:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20201001:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20201001:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20201001:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20201001:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20201001:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20201001:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20201001:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20201001:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20201001:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20201001:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20201001:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20201001:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20201001:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20201001:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20201001:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20201201:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20201201:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20201201:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20201201:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20201201:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20201201:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20201201:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", - "azure-native:web/v20201201:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20201201:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20201201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20201201:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20201201:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20201201:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20201201:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20201201:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20201201:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", - "azure-native:web/v20201201:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", - "azure-native:web/v20201201:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20201201:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20201201:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20201201:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20201201:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20201201:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20201201:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20201201:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20201201:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20201201:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20201201:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20201201:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20201201:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20201201:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20201201:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20201201:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20201201:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20201201:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20201201:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20201201:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20201201:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20201201:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20201201:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20201201:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20201201:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20201201:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20201201:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20201201:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20201201:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20201201:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20201201:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20201201:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20201201:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20201201:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20201201:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20201201:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20201201:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20201201:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20201201:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20201201:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20201201:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20201201:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20201201:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20210101:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20210101:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210101:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20210101:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20210101:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20210101:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", - "azure-native:web/v20210101:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20210101:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", - "azure-native:web/v20210101:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210101:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20210101:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20210101:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20210101:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20210101:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20210101:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20210101:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20210101:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", - "azure-native:web/v20210101:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", - "azure-native:web/v20210101:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20210101:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20210101:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20210101:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20210101:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20210101:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20210101:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20210101:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20210101:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20210101:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20210101:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20210101:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20210101:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20210101:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20210101:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20210101:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20210101:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20210101:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20210101:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20210101:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20210101:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20210101:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20210101:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20210101:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20210101:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210101:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210101:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20210101:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20210101:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20210101:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20210101:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20210101:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20210101:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20210101:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20210101:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20210101:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20210101:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20210101:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20210101:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20210101:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20210101:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20210101:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20210101:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20210115:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20210115:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210115:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20210115:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20210115:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20210115:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", - "azure-native:web/v20210115:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20210115:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", - "azure-native:web/v20210115:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210115:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20210115:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20210115:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20210115:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20210115:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20210115:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20210115:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20210115:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", - "azure-native:web/v20210115:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", - "azure-native:web/v20210115:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20210115:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20210115:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20210115:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20210115:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20210115:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20210115:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20210115:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20210115:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20210115:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20210115:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20210115:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20210115:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20210115:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20210115:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20210115:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20210115:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20210115:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20210115:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20210115:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20210115:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20210115:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20210115:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20210115:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20210115:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210115:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210115:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20210115:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20210115:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20210115:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20210115:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20210115:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20210115:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20210115:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20210115:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20210115:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20210115:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20210115:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20210115:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20210115:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20210115:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20210115:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20210115:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20210115:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20210201:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20210201:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210201:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20210201:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20210201:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20210201:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", - "azure-native:web/v20210201:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20210201:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", - "azure-native:web/v20210201:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210201:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20210201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20210201:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20210201:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20210201:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20210201:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20210201:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20210201:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", - "azure-native:web/v20210201:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", - "azure-native:web/v20210201:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20210201:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20210201:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20210201:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20210201:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20210201:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20210201:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20210201:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20210201:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20210201:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20210201:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20210201:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20210201:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20210201:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20210201:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20210201:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20210201:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20210201:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20210201:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20210201:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20210201:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20210201:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20210201:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20210201:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20210201:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210201:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210201:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20210201:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20210201:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20210201:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20210201:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20210201:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20210201:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20210201:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20210201:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20210201:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20210201:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20210201:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20210201:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20210201:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20210201:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20210201:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20210201:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20210201:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20210301:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20210301:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210301:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20210301:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20210301:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20210301:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/containerApps/{name}", - "azure-native:web/v20210301:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", - "azure-native:web/v20210301:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20210301:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", - "azure-native:web/v20210301:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210301:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20210301:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20210301:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20210301:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20210301:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20210301:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20210301:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20210301:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20210301:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20210301:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20210301:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20210301:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20210301:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20210301:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20210301:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20210301:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20210301:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20210301:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20210301:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20210301:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20210301:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20210301:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20210301:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20210301:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20210301:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20210301:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20210301:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20210301:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20210301:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20210301:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20210301:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20210301:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210301:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20210301:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20210301:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20210301:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20210301:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20210301:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20210301:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20210301:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20210301:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20210301:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20210301:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20210301:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20210301:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20210301:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20210301:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20210301:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20210301:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20210301:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20210301:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20220301:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20220301:AppServiceEnvironmentAseCustomDnsSuffixConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/configurations/customdnssuffix", - "azure-native:web/v20220301:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20220301:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20220301:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20220301:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20220301:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/containerApps/{name}", - "azure-native:web/v20220301:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", - "azure-native:web/v20220301:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20220301:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", - "azure-native:web/v20220301:StaticSiteLinkedBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/linkedBackends/{linkedBackendName}", - "azure-native:web/v20220301:StaticSiteLinkedBackendForBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/linkedBackends/{linkedBackendName}", - "azure-native:web/v20220301:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20220301:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20220301:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20220301:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20220301:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20220301:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20220301:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20220301:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20220301:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20220301:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20220301:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20220301:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20220301:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20220301:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20220301:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20220301:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20220301:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20220301:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20220301:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20220301:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20220301:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20220301:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20220301:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20220301:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20220301:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20220301:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20220301:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20220301:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20220301:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20220301:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20220301:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20220301:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20220301:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20220301:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20220301:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20220301:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20220301:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20220301:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20220301:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20220301:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20220301:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20220301:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20220301:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20220301:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20220301:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20220301:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20220301:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20220301:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20220301:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20220301:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20220301:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20220301:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20220901:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20220901:AppServiceEnvironmentAseCustomDnsSuffixConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/configurations/customdnssuffix", - "azure-native:web/v20220901:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20220901:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20220901:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20220901:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20220901:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/containerApps/{name}", - "azure-native:web/v20220901:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", - "azure-native:web/v20220901:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20220901:StaticSiteBuildDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/databaseConnections/{databaseConnectionName}", - "azure-native:web/v20220901:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", - "azure-native:web/v20220901:StaticSiteDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/databaseConnections/{databaseConnectionName}", - "azure-native:web/v20220901:StaticSiteLinkedBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/linkedBackends/{linkedBackendName}", - "azure-native:web/v20220901:StaticSiteLinkedBackendForBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/linkedBackends/{linkedBackendName}", - "azure-native:web/v20220901:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20220901:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20220901:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20220901:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20220901:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20220901:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20220901:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20220901:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20220901:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20220901:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20220901:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20220901:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20220901:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20220901:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20220901:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20220901:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20220901:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20220901:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20220901:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20220901:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20220901:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20220901:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20220901:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20220901:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20220901:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20220901:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20220901:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20220901:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20220901:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20220901:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20220901:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20220901:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20220901:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20220901:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20220901:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20220901:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20220901:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20220901:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20220901:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20220901:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20220901:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20220901:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20220901:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20220901:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20220901:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20220901:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20220901:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20220901:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20230101:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20230101:AppServiceEnvironmentAseCustomDnsSuffixConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/configurations/customdnssuffix", - "azure-native:web/v20230101:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20230101:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20230101:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20230101:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20230101:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/containerApps/{name}", - "azure-native:web/v20230101:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", - "azure-native:web/v20230101:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20230101:StaticSiteBuildDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/databaseConnections/{databaseConnectionName}", - "azure-native:web/v20230101:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", - "azure-native:web/v20230101:StaticSiteDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/databaseConnections/{databaseConnectionName}", - "azure-native:web/v20230101:StaticSiteLinkedBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/linkedBackends/{linkedBackendName}", - "azure-native:web/v20230101:StaticSiteLinkedBackendForBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/linkedBackends/{linkedBackendName}", - "azure-native:web/v20230101:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20230101:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20230101:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20230101:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20230101:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20230101:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20230101:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20230101:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20230101:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20230101:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20230101:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20230101:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20230101:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20230101:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20230101:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20230101:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20230101:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20230101:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20230101:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20230101:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20230101:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20230101:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20230101:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20230101:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20230101:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20230101:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20230101:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20230101:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20230101:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20230101:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20230101:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20230101:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20230101:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20230101:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20230101:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20230101:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20230101:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20230101:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20230101:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20230101:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20230101:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20230101:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20230101:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20230101:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20230101:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20230101:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20230101:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20230101:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20231201:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20231201:AppServiceEnvironmentAseCustomDnsSuffixConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/configurations/customdnssuffix", - "azure-native:web/v20231201:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20231201:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20231201:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20231201:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20231201:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/containerApps/{name}", - "azure-native:web/v20231201:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", - "azure-native:web/v20231201:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20231201:StaticSiteBuildDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/databaseConnections/{databaseConnectionName}", - "azure-native:web/v20231201:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", - "azure-native:web/v20231201:StaticSiteDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/databaseConnections/{databaseConnectionName}", - "azure-native:web/v20231201:StaticSiteLinkedBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/linkedBackends/{linkedBackendName}", - "azure-native:web/v20231201:StaticSiteLinkedBackendForBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/linkedBackends/{linkedBackendName}", - "azure-native:web/v20231201:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20231201:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20231201:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20231201:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20231201:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20231201:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20231201:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20231201:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20231201:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20231201:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20231201:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20231201:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20231201:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20231201:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20231201:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20231201:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20231201:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20231201:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20231201:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20231201:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20231201:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20231201:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20231201:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20231201:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20231201:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20231201:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20231201:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20231201:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20231201:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20231201:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20231201:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20231201:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20231201:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20231201:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20231201:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20231201:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20231201:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20231201:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20231201:WebAppSiteContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sitecontainers/{containerName}", - "azure-native:web/v20231201:WebAppSiteContainerSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sitecontainers/{containerName}", - "azure-native:web/v20231201:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20231201:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20231201:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20231201:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20231201:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20231201:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20231201:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20231201:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20231201:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20231201:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20240401:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", - "azure-native:web/v20240401:AppServiceEnvironmentAseCustomDnsSuffixConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/configurations/customdnssuffix", - "azure-native:web/v20240401:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20240401:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", - "azure-native:web/v20240401:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", - "azure-native:web/v20240401:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", - "azure-native:web/v20240401:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", - "azure-native:web/v20240401:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", - "azure-native:web/v20240401:StaticSiteBuildDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/databaseConnections/{databaseConnectionName}", - "azure-native:web/v20240401:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", - "azure-native:web/v20240401:StaticSiteDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/databaseConnections/{databaseConnectionName}", - "azure-native:web/v20240401:StaticSiteLinkedBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/linkedBackends/{linkedBackendName}", - "azure-native:web/v20240401:StaticSiteLinkedBackendForBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/linkedBackends/{linkedBackendName}", - "azure-native:web/v20240401:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", - "azure-native:web/v20240401:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", - "azure-native:web/v20240401:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", - "azure-native:web/v20240401:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", - "azure-native:web/v20240401:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", - "azure-native:web/v20240401:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", - "azure-native:web/v20240401:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", - "azure-native:web/v20240401:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", - "azure-native:web/v20240401:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", - "azure-native:web/v20240401:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", - "azure-native:web/v20240401:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", - "azure-native:web/v20240401:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", - "azure-native:web/v20240401:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", - "azure-native:web/v20240401:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", - "azure-native:web/v20240401:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", - "azure-native:web/v20240401:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", - "azure-native:web/v20240401:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20240401:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", - "azure-native:web/v20240401:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20240401:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", - "azure-native:web/v20240401:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", - "azure-native:web/v20240401:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", - "azure-native:web/v20240401:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", - "azure-native:web/v20240401:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20240401:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", - "azure-native:web/v20240401:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", - "azure-native:web/v20240401:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", - "azure-native:web/v20240401:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", - "azure-native:web/v20240401:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", - "azure-native:web/v20240401:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", - "azure-native:web/v20240401:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20240401:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:web/v20240401:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20240401:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", - "azure-native:web/v20240401:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", - "azure-native:web/v20240401:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", - "azure-native:web/v20240401:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20240401:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", - "azure-native:web/v20240401:WebAppSiteContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sitecontainers/{containerName}", - "azure-native:web/v20240401:WebAppSiteContainerSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sitecontainers/{containerName}", - "azure-native:web/v20240401:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", - "azure-native:web/v20240401:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", - "azure-native:web/v20240401:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", - "azure-native:web/v20240401:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", - "azure-native:web/v20240401:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", - "azure-native:web/v20240401:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", - "azure-native:web/v20240401:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", - "azure-native:web/v20240401:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", - "azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", - "azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", - "azure-native:web/v20240401:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", - "azure-native:web/v20240401:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", "azure-native:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", "azure-native:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/configurations/customdnssuffix", "azure-native:web:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", @@ -16726,68 +2087,6 @@ "azure-native:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", "azure-native:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", "azure-native:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", - "azure-native:webpubsub/v20230201:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", - "azure-native:webpubsub/v20230201:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", - "azure-native:webpubsub/v20230201:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", - "azure-native:webpubsub/v20230201:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", - "azure-native:webpubsub/v20230201:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:webpubsub/v20230201:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:webpubsub/v20230301preview:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", - "azure-native:webpubsub/v20230301preview:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", - "azure-native:webpubsub/v20230301preview:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", - "azure-native:webpubsub/v20230301preview:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", - "azure-native:webpubsub/v20230301preview:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:webpubsub/v20230301preview:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", - "azure-native:webpubsub/v20230301preview:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:webpubsub/v20230601preview:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", - "azure-native:webpubsub/v20230601preview:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", - "azure-native:webpubsub/v20230601preview:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", - "azure-native:webpubsub/v20230601preview:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", - "azure-native:webpubsub/v20230601preview:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:webpubsub/v20230601preview:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", - "azure-native:webpubsub/v20230601preview:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:webpubsub/v20230801preview:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", - "azure-native:webpubsub/v20230801preview:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", - "azure-native:webpubsub/v20230801preview:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", - "azure-native:webpubsub/v20230801preview:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", - "azure-native:webpubsub/v20230801preview:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:webpubsub/v20230801preview:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", - "azure-native:webpubsub/v20230801preview:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:webpubsub/v20240101preview:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", - "azure-native:webpubsub/v20240101preview:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", - "azure-native:webpubsub/v20240101preview:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", - "azure-native:webpubsub/v20240101preview:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", - "azure-native:webpubsub/v20240101preview:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:webpubsub/v20240101preview:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", - "azure-native:webpubsub/v20240101preview:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:webpubsub/v20240301:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", - "azure-native:webpubsub/v20240301:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", - "azure-native:webpubsub/v20240301:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", - "azure-native:webpubsub/v20240301:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", - "azure-native:webpubsub/v20240301:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:webpubsub/v20240301:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", - "azure-native:webpubsub/v20240301:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:webpubsub/v20240401preview:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", - "azure-native:webpubsub/v20240401preview:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", - "azure-native:webpubsub/v20240401preview:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", - "azure-native:webpubsub/v20240401preview:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", - "azure-native:webpubsub/v20240401preview:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:webpubsub/v20240401preview:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", - "azure-native:webpubsub/v20240401preview:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:webpubsub/v20240801preview:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", - "azure-native:webpubsub/v20240801preview:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", - "azure-native:webpubsub/v20240801preview:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", - "azure-native:webpubsub/v20240801preview:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", - "azure-native:webpubsub/v20240801preview:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:webpubsub/v20240801preview:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", - "azure-native:webpubsub/v20240801preview:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:webpubsub/v20241001preview:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", - "azure-native:webpubsub/v20241001preview:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", - "azure-native:webpubsub/v20241001preview:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", - "azure-native:webpubsub/v20241001preview:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", - "azure-native:webpubsub/v20241001preview:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", - "azure-native:webpubsub/v20241001preview:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", - "azure-native:webpubsub/v20241001preview:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", "azure-native:webpubsub:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", "azure-native:webpubsub:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", "azure-native:webpubsub:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", @@ -16795,42 +2094,9 @@ "azure-native:webpubsub:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", "azure-native:webpubsub:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", "azure-native:webpubsub:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", - "azure-native:weightsandbiases/v20240918preview:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.WeightsAndBiases/instances/{instancename}", "azure-native:weightsandbiases:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.WeightsAndBiases/instances/{instancename}", - "azure-native:windowsesu/v20190916preview:MultipleActivationKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.WindowsESU/multipleActivationKeys/{multipleActivationKeyName}", "azure-native:windowsesu:MultipleActivationKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.WindowsESU/multipleActivationKeys/{multipleActivationKeyName}", - "azure-native:windowsiot/v20190601:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.WindowsIoT/deviceServices/{deviceName}", "azure-native:windowsiot:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.WindowsIoT/deviceServices/{deviceName}", - "azure-native:workloads/v20230401:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}", - "azure-native:workloads/v20230401:ProviderInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/providerInstances/{providerInstanceName}", - "azure-native:workloads/v20230401:SAPApplicationServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/applicationInstances/{applicationInstanceName}", - "azure-native:workloads/v20230401:SAPCentralInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/centralInstances/{centralInstanceName}", - "azure-native:workloads/v20230401:SAPDatabaseInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/databaseInstances/{databaseInstanceName}", - "azure-native:workloads/v20230401:SAPVirtualInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}", - "azure-native:workloads/v20230401:SapLandscapeMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/sapLandscapeMonitor/default", - "azure-native:workloads/v20231001preview:ACSSBackupConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/connectors/{connectorName}/acssBackups/{backupName}", - "azure-native:workloads/v20231001preview:Connector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/connectors/{connectorName}", - "azure-native:workloads/v20231001preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}", - "azure-native:workloads/v20231001preview:ProviderInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/providerInstances/{providerInstanceName}", - "azure-native:workloads/v20231001preview:SAPApplicationServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/applicationInstances/{applicationInstanceName}", - "azure-native:workloads/v20231001preview:SAPCentralInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/centralInstances/{centralInstanceName}", - "azure-native:workloads/v20231001preview:SAPDatabaseInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/databaseInstances/{databaseInstanceName}", - "azure-native:workloads/v20231001preview:SAPVirtualInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}", - "azure-native:workloads/v20231001preview:SapDiscoverySite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapDiscoverySites/{sapDiscoverySiteName}", - "azure-native:workloads/v20231001preview:SapInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapDiscoverySites/{sapDiscoverySiteName}/sapInstances/{sapInstanceName}", - "azure-native:workloads/v20231001preview:SapLandscapeMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/sapLandscapeMonitor/default", - "azure-native:workloads/v20231001preview:ServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapDiscoverySites/{sapDiscoverySiteName}/sapInstances/{sapInstanceName}/serverInstances/{serverInstanceName}", - "azure-native:workloads/v20231201preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}", - "azure-native:workloads/v20231201preview:ProviderInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/providerInstances/{providerInstanceName}", - "azure-native:workloads/v20231201preview:SapLandscapeMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/sapLandscapeMonitor/default", - "azure-native:workloads/v20240201preview:Alert": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/alerts/{alertName}", - "azure-native:workloads/v20240201preview:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}", - "azure-native:workloads/v20240201preview:ProviderInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/providerInstances/{providerInstanceName}", - "azure-native:workloads/v20240201preview:SapLandscapeMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/sapLandscapeMonitor/default", - "azure-native:workloads/v20240901:SapApplicationServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/applicationInstances/{applicationInstanceName}", - "azure-native:workloads/v20240901:SapCentralServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/centralInstances/{centralInstanceName}", - "azure-native:workloads/v20240901:SapDatabaseInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/databaseInstances/{databaseInstanceName}", - "azure-native:workloads/v20240901:SapVirtualInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}", "azure-native:workloads:ACSSBackupConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/connectors/{connectorName}/acssBackups/{backupName}", "azure-native:workloads:Alert": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/alerts/{alertName}", "azure-native:workloads:Connector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/connectors/{connectorName}", @@ -16843,5 +2109,14739 @@ "azure-native:workloads:SapInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapDiscoverySites/{sapDiscoverySiteName}/sapInstances/{sapInstanceName}", "azure-native:workloads:SapLandscapeMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/sapLandscapeMonitor/default", "azure-native:workloads:SapVirtualInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}", - "azure-native:workloads:ServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapDiscoverySites/{sapDiscoverySiteName}/sapInstances/{sapInstanceName}/serverInstances/{serverInstanceName}" + "azure-native:workloads:ServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapDiscoverySites/{sapDiscoverySiteName}/sapInstances/{sapInstanceName}/serverInstances/{serverInstanceName}", + "azure-native_aad_v20221201:aad:DomainService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AAD/domainServices/{domainServiceName}", + "azure-native_aad_v20221201:aad:OuContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Aad/domainServices/{domainServiceName}/ouContainer/{ouContainerName}", + "azure-native_aadiam_v20170401:aadiam:DiagnosticSetting": "/providers/microsoft.aadiam/diagnosticSettings/{name}", + "azure-native_aadiam_v20200301:aadiam:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_aadiam_v20200301:aadiam:PrivateLinkForAzureAd": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}", + "azure-native_aadiam_v20200301preview:aadiam:PrivateLinkForAzureAd": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}", + "azure-native_aadiam_v20200701preview:aadiam:AzureADMetric": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/azureADMetrics/{azureADMetricsName}", + "azure-native_addons_v20180301:addons:SupportPlanType": "/subscriptions/{subscriptionId}/providers/Microsoft.Addons/supportProviders/{providerName}/supportPlanTypes/{planTypeName}", + "azure-native_advisor_v20230101:advisor:Suppression": "/{resourceUri}/providers/Microsoft.Advisor/recommendations/{recommendationId}/suppressions/{name}", + "azure-native_advisor_v20230901preview:advisor:Assessment": "/subscriptions/{subscriptionId}/providers/Microsoft.Advisor/assessments/{assessmentName}", + "azure-native_advisor_v20230901preview:advisor:Suppression": "/{resourceUri}/providers/Microsoft.Advisor/recommendations/{recommendationId}/suppressions/{name}", + "azure-native_advisor_v20250101:advisor:Suppression": "/{resourceUri}/providers/Microsoft.Advisor/recommendations/{recommendationId}/suppressions/{name}", + "azure-native_agfoodplatform_v20230601preview:agfoodplatform:DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/dataConnectors/{dataConnectorName}", + "azure-native_agfoodplatform_v20230601preview:agfoodplatform:DataManagerForAgricultureResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}", + "azure-native_agfoodplatform_v20230601preview:agfoodplatform:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/extensions/{extensionId}", + "azure-native_agfoodplatform_v20230601preview:agfoodplatform:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_agfoodplatform_v20230601preview:agfoodplatform:Solution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgFoodPlatform/farmBeats/{dataManagerForAgricultureResourceName}/solutions/{solutionId}", + "azure-native_agricultureplatform_v20240601preview:agricultureplatform:AgriService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AgriculturePlatform/agriServices/{agriServiceResourceName}", + "azure-native_alertsmanagement_v20190505preview:alertsmanagement:ActionRuleByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/actionRules/{actionRuleName}", + "azure-native_alertsmanagement_v20190601:alertsmanagement:SmartDetectorAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.alertsManagement/smartDetectorAlertRules/{alertRuleName}", + "azure-native_alertsmanagement_v20210401:alertsmanagement:SmartDetectorAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.alertsManagement/smartDetectorAlertRules/{alertRuleName}", + "azure-native_alertsmanagement_v20210722preview:alertsmanagement:PrometheusRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/prometheusRuleGroups/{ruleGroupName}", + "azure-native_alertsmanagement_v20210808:alertsmanagement:AlertProcessingRuleByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/actionRules/{alertProcessingRuleName}", + "azure-native_alertsmanagement_v20210808preview:alertsmanagement:AlertProcessingRuleByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/actionRules/{alertProcessingRuleName}", + "azure-native_alertsmanagement_v20230301:alertsmanagement:PrometheusRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AlertsManagement/prometheusRuleGroups/{ruleGroupName}", + "azure-native_alertsmanagement_v20230401preview:alertsmanagement:TenantActivityLogAlert": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.AlertsManagement/tenantActivityLogAlerts/{alertRuleName}", + "azure-native_analysisservices_v20170801:analysisservices:ServerDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AnalysisServices/servers/{serverName}", + "azure-native_apicenter_v20230701preview:apicenter:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}", + "azure-native_apicenter_v20240301:apicenter:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}", + "azure-native_apicenter_v20240301:apicenter:ApiDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}/definitions/{definitionName}", + "azure-native_apicenter_v20240301:apicenter:ApiVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}", + "azure-native_apicenter_v20240301:apicenter:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/deployments/{deploymentName}", + "azure-native_apicenter_v20240301:apicenter:Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/environments/{environmentName}", + "azure-native_apicenter_v20240301:apicenter:MetadataSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/metadataSchemas/{metadataSchemaName}", + "azure-native_apicenter_v20240301:apicenter:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}", + "azure-native_apicenter_v20240301:apicenter:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}", + "azure-native_apicenter_v20240315preview:apicenter:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}", + "azure-native_apicenter_v20240315preview:apicenter:ApiDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}/definitions/{definitionName}", + "azure-native_apicenter_v20240315preview:apicenter:ApiVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}", + "azure-native_apicenter_v20240315preview:apicenter:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/deployments/{deploymentName}", + "azure-native_apicenter_v20240315preview:apicenter:Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/environments/{environmentName}", + "azure-native_apicenter_v20240315preview:apicenter:MetadataSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/metadataSchemas/{metadataSchemaName}", + "azure-native_apicenter_v20240315preview:apicenter:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}", + "azure-native_apicenter_v20240315preview:apicenter:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}", + "azure-native_apicenter_v20240601preview:apicenter:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}", + "azure-native_apicenter_v20240601preview:apicenter:ApiDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}/definitions/{definitionName}", + "azure-native_apicenter_v20240601preview:apicenter:ApiSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apiSources/{apiSourceName}", + "azure-native_apicenter_v20240601preview:apicenter:ApiVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/versions/{versionName}", + "azure-native_apicenter_v20240601preview:apicenter:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/apis/{apiName}/deployments/{deploymentName}", + "azure-native_apicenter_v20240601preview:apicenter:Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}/environments/{environmentName}", + "azure-native_apicenter_v20240601preview:apicenter:MetadataSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/metadataSchemas/{metadataSchemaName}", + "azure-native_apicenter_v20240601preview:apicenter:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}", + "azure-native_apicenter_v20240601preview:apicenter:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiCenter/services/{serviceName}/workspaces/{workspaceName}", + "azure-native_apimanagement_v20210401preview:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20210401preview:apimanagement:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", + "azure-native_apimanagement_v20210401preview:apimanagement:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", + "azure-native_apimanagement_v20210401preview:apimanagement:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", + "azure-native_apimanagement_v20210401preview:apimanagement:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", + "azure-native_apimanagement_v20210401preview:apimanagement:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20210401preview:apimanagement:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", + "azure-native_apimanagement_v20210401preview:apimanagement:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", + "azure-native_apimanagement_v20210401preview:apimanagement:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", + "azure-native_apimanagement_v20210401preview:apimanagement:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", + "azure-native_apimanagement_v20210401preview:apimanagement:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", + "azure-native_apimanagement_v20210401preview:apimanagement:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", + "azure-native_apimanagement_v20210401preview:apimanagement:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20210401preview:apimanagement:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", + "azure-native_apimanagement_v20210401preview:apimanagement:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", + "azure-native_apimanagement_v20210401preview:apimanagement:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20210401preview:apimanagement:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20210401preview:apimanagement:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20210401preview:apimanagement:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", + "azure-native_apimanagement_v20210401preview:apimanagement:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", + "azure-native_apimanagement_v20210401preview:apimanagement:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_apimanagement_v20210401preview:apimanagement:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", + "azure-native_apimanagement_v20210401preview:apimanagement:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20210401preview:apimanagement:Schema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", + "azure-native_apimanagement_v20210401preview:apimanagement:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", + "azure-native_apimanagement_v20210401preview:apimanagement:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", + "azure-native_apimanagement_v20210401preview:apimanagement:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", + "azure-native_apimanagement_v20210401preview:apimanagement:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", + "azure-native_apimanagement_v20210401preview:apimanagement:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", + "azure-native_apimanagement_v20210401preview:apimanagement:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", + "azure-native_apimanagement_v20210801:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", + "azure-native_apimanagement_v20210801:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20210801:apimanagement:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", + "azure-native_apimanagement_v20210801:apimanagement:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", + "azure-native_apimanagement_v20210801:apimanagement:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", + "azure-native_apimanagement_v20210801:apimanagement:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", + "azure-native_apimanagement_v20210801:apimanagement:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20210801:apimanagement:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20210801:apimanagement:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20210801:apimanagement:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20210801:apimanagement:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20210801:apimanagement:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", + "azure-native_apimanagement_v20210801:apimanagement:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20210801:apimanagement:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", + "azure-native_apimanagement_v20210801:apimanagement:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", + "azure-native_apimanagement_v20210801:apimanagement:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", + "azure-native_apimanagement_v20210801:apimanagement:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", + "azure-native_apimanagement_v20210801:apimanagement:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", + "azure-native_apimanagement_v20210801:apimanagement:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", + "azure-native_apimanagement_v20210801:apimanagement:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20210801:apimanagement:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", + "azure-native_apimanagement_v20210801:apimanagement:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", + "azure-native_apimanagement_v20210801:apimanagement:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", + "azure-native_apimanagement_v20210801:apimanagement:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", + "azure-native_apimanagement_v20210801:apimanagement:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", + "azure-native_apimanagement_v20210801:apimanagement:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", + "azure-native_apimanagement_v20210801:apimanagement:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", + "azure-native_apimanagement_v20210801:apimanagement:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20210801:apimanagement:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", + "azure-native_apimanagement_v20210801:apimanagement:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", + "azure-native_apimanagement_v20210801:apimanagement:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20210801:apimanagement:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20210801:apimanagement:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20210801:apimanagement:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", + "azure-native_apimanagement_v20210801:apimanagement:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", + "azure-native_apimanagement_v20210801:apimanagement:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_apimanagement_v20210801:apimanagement:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", + "azure-native_apimanagement_v20210801:apimanagement:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", + "azure-native_apimanagement_v20210801:apimanagement:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", + "azure-native_apimanagement_v20210801:apimanagement:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20210801:apimanagement:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", + "azure-native_apimanagement_v20210801:apimanagement:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", + "azure-native_apimanagement_v20210801:apimanagement:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", + "azure-native_apimanagement_v20210801:apimanagement:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", + "azure-native_apimanagement_v20210801:apimanagement:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", + "azure-native_apimanagement_v20210801:apimanagement:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", + "azure-native_apimanagement_v20211201preview:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20211201preview:apimanagement:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", + "azure-native_apimanagement_v20211201preview:apimanagement:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", + "azure-native_apimanagement_v20211201preview:apimanagement:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", + "azure-native_apimanagement_v20211201preview:apimanagement:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", + "azure-native_apimanagement_v20211201preview:apimanagement:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20211201preview:apimanagement:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", + "azure-native_apimanagement_v20211201preview:apimanagement:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", + "azure-native_apimanagement_v20211201preview:apimanagement:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", + "azure-native_apimanagement_v20211201preview:apimanagement:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", + "azure-native_apimanagement_v20211201preview:apimanagement:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", + "azure-native_apimanagement_v20211201preview:apimanagement:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", + "azure-native_apimanagement_v20211201preview:apimanagement:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", + "azure-native_apimanagement_v20211201preview:apimanagement:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20211201preview:apimanagement:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", + "azure-native_apimanagement_v20211201preview:apimanagement:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", + "azure-native_apimanagement_v20211201preview:apimanagement:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20211201preview:apimanagement:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20211201preview:apimanagement:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20211201preview:apimanagement:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", + "azure-native_apimanagement_v20211201preview:apimanagement:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", + "azure-native_apimanagement_v20211201preview:apimanagement:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", + "azure-native_apimanagement_v20211201preview:apimanagement:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_apimanagement_v20211201preview:apimanagement:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", + "azure-native_apimanagement_v20211201preview:apimanagement:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20211201preview:apimanagement:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", + "azure-native_apimanagement_v20211201preview:apimanagement:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", + "azure-native_apimanagement_v20211201preview:apimanagement:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", + "azure-native_apimanagement_v20211201preview:apimanagement:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", + "azure-native_apimanagement_v20211201preview:apimanagement:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", + "azure-native_apimanagement_v20211201preview:apimanagement:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", + "azure-native_apimanagement_v20220401preview:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20220401preview:apimanagement:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", + "azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", + "azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", + "azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", + "azure-native_apimanagement_v20220401preview:apimanagement:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", + "azure-native_apimanagement_v20220401preview:apimanagement:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", + "azure-native_apimanagement_v20220401preview:apimanagement:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", + "azure-native_apimanagement_v20220401preview:apimanagement:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20220401preview:apimanagement:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", + "azure-native_apimanagement_v20220401preview:apimanagement:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", + "azure-native_apimanagement_v20220401preview:apimanagement:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", + "azure-native_apimanagement_v20220401preview:apimanagement:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", + "azure-native_apimanagement_v20220401preview:apimanagement:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", + "azure-native_apimanagement_v20220401preview:apimanagement:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", + "azure-native_apimanagement_v20220401preview:apimanagement:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", + "azure-native_apimanagement_v20220401preview:apimanagement:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20220401preview:apimanagement:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", + "azure-native_apimanagement_v20220401preview:apimanagement:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", + "azure-native_apimanagement_v20220401preview:apimanagement:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20220401preview:apimanagement:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20220401preview:apimanagement:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20220401preview:apimanagement:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", + "azure-native_apimanagement_v20220401preview:apimanagement:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", + "azure-native_apimanagement_v20220401preview:apimanagement:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", + "azure-native_apimanagement_v20220401preview:apimanagement:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_apimanagement_v20220401preview:apimanagement:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", + "azure-native_apimanagement_v20220401preview:apimanagement:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20220401preview:apimanagement:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", + "azure-native_apimanagement_v20220401preview:apimanagement:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", + "azure-native_apimanagement_v20220401preview:apimanagement:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", + "azure-native_apimanagement_v20220401preview:apimanagement:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", + "azure-native_apimanagement_v20220401preview:apimanagement:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", + "azure-native_apimanagement_v20220401preview:apimanagement:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", + "azure-native_apimanagement_v20220801:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", + "azure-native_apimanagement_v20220801:apimanagement:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20220801:apimanagement:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", + "azure-native_apimanagement_v20220801:apimanagement:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", + "azure-native_apimanagement_v20220801:apimanagement:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", + "azure-native_apimanagement_v20220801:apimanagement:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", + "azure-native_apimanagement_v20220801:apimanagement:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", + "azure-native_apimanagement_v20220801:apimanagement:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", + "azure-native_apimanagement_v20220801:apimanagement:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", + "azure-native_apimanagement_v20220801:apimanagement:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", + "azure-native_apimanagement_v20220801:apimanagement:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", + "azure-native_apimanagement_v20220801:apimanagement:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", + "azure-native_apimanagement_v20220801:apimanagement:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20220801:apimanagement:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", + "azure-native_apimanagement_v20220801:apimanagement:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", + "azure-native_apimanagement_v20220801:apimanagement:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", + "azure-native_apimanagement_v20220801:apimanagement:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", + "azure-native_apimanagement_v20220801:apimanagement:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", + "azure-native_apimanagement_v20220801:apimanagement:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", + "azure-native_apimanagement_v20220801:apimanagement:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", + "azure-native_apimanagement_v20220801:apimanagement:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", + "azure-native_apimanagement_v20220801:apimanagement:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", + "azure-native_apimanagement_v20220801:apimanagement:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", + "azure-native_apimanagement_v20220801:apimanagement:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20220801:apimanagement:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", + "azure-native_apimanagement_v20220801:apimanagement:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", + "azure-native_apimanagement_v20220801:apimanagement:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20220801:apimanagement:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20220801:apimanagement:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20220801:apimanagement:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", + "azure-native_apimanagement_v20220801:apimanagement:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", + "azure-native_apimanagement_v20220801:apimanagement:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", + "azure-native_apimanagement_v20220801:apimanagement:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_apimanagement_v20220801:apimanagement:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", + "azure-native_apimanagement_v20220801:apimanagement:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", + "azure-native_apimanagement_v20220801:apimanagement:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", + "azure-native_apimanagement_v20220801:apimanagement:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20220801:apimanagement:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", + "azure-native_apimanagement_v20220801:apimanagement:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", + "azure-native_apimanagement_v20220801:apimanagement:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", + "azure-native_apimanagement_v20220801:apimanagement:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", + "azure-native_apimanagement_v20220801:apimanagement:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", + "azure-native_apimanagement_v20220801:apimanagement:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", + "azure-native_apimanagement_v20220801:apimanagement:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", + "azure-native_apimanagement_v20220901preview:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", + "azure-native_apimanagement_v20220901preview:apimanagement:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", + "azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", + "azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", + "azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", + "azure-native_apimanagement_v20220901preview:apimanagement:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", + "azure-native_apimanagement_v20220901preview:apimanagement:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", + "azure-native_apimanagement_v20220901preview:apimanagement:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", + "azure-native_apimanagement_v20220901preview:apimanagement:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20220901preview:apimanagement:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", + "azure-native_apimanagement_v20220901preview:apimanagement:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", + "azure-native_apimanagement_v20220901preview:apimanagement:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", + "azure-native_apimanagement_v20220901preview:apimanagement:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", + "azure-native_apimanagement_v20220901preview:apimanagement:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", + "azure-native_apimanagement_v20220901preview:apimanagement:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", + "azure-native_apimanagement_v20220901preview:apimanagement:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", + "azure-native_apimanagement_v20220901preview:apimanagement:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", + "azure-native_apimanagement_v20220901preview:apimanagement:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", + "azure-native_apimanagement_v20220901preview:apimanagement:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", + "azure-native_apimanagement_v20220901preview:apimanagement:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20220901preview:apimanagement:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", + "azure-native_apimanagement_v20220901preview:apimanagement:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", + "azure-native_apimanagement_v20220901preview:apimanagement:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20220901preview:apimanagement:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20220901preview:apimanagement:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20220901preview:apimanagement:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", + "azure-native_apimanagement_v20220901preview:apimanagement:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", + "azure-native_apimanagement_v20220901preview:apimanagement:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", + "azure-native_apimanagement_v20220901preview:apimanagement:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_apimanagement_v20220901preview:apimanagement:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20220901preview:apimanagement:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", + "azure-native_apimanagement_v20220901preview:apimanagement:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", + "azure-native_apimanagement_v20220901preview:apimanagement:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", + "azure-native_apimanagement_v20220901preview:apimanagement:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20220901preview:apimanagement:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", + "azure-native_apimanagement_v20220901preview:apimanagement:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", + "azure-native_apimanagement_v20220901preview:apimanagement:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", + "azure-native_apimanagement_v20220901preview:apimanagement:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20220901preview:apimanagement:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_apimanagement_v20220901preview:apimanagement:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", + "azure-native_apimanagement_v20220901preview:apimanagement:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_apimanagement_v20230301preview:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", + "azure-native_apimanagement_v20230301preview:apimanagement:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", + "azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", + "azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", + "azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", + "azure-native_apimanagement_v20230301preview:apimanagement:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", + "azure-native_apimanagement_v20230301preview:apimanagement:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", + "azure-native_apimanagement_v20230301preview:apimanagement:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", + "azure-native_apimanagement_v20230301preview:apimanagement:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20230301preview:apimanagement:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", + "azure-native_apimanagement_v20230301preview:apimanagement:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", + "azure-native_apimanagement_v20230301preview:apimanagement:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", + "azure-native_apimanagement_v20230301preview:apimanagement:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", + "azure-native_apimanagement_v20230301preview:apimanagement:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", + "azure-native_apimanagement_v20230301preview:apimanagement:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", + "azure-native_apimanagement_v20230301preview:apimanagement:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", + "azure-native_apimanagement_v20230301preview:apimanagement:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", + "azure-native_apimanagement_v20230301preview:apimanagement:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", + "azure-native_apimanagement_v20230301preview:apimanagement:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", + "azure-native_apimanagement_v20230301preview:apimanagement:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20230301preview:apimanagement:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", + "azure-native_apimanagement_v20230301preview:apimanagement:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", + "azure-native_apimanagement_v20230301preview:apimanagement:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20230301preview:apimanagement:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20230301preview:apimanagement:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20230301preview:apimanagement:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", + "azure-native_apimanagement_v20230301preview:apimanagement:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", + "azure-native_apimanagement_v20230301preview:apimanagement:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", + "azure-native_apimanagement_v20230301preview:apimanagement:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_apimanagement_v20230301preview:apimanagement:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20230301preview:apimanagement:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", + "azure-native_apimanagement_v20230301preview:apimanagement:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", + "azure-native_apimanagement_v20230301preview:apimanagement:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", + "azure-native_apimanagement_v20230301preview:apimanagement:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230301preview:apimanagement:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", + "azure-native_apimanagement_v20230301preview:apimanagement:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", + "azure-native_apimanagement_v20230301preview:apimanagement:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", + "azure-native_apimanagement_v20230301preview:apimanagement:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20230301preview:apimanagement:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_apimanagement_v20230301preview:apimanagement:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", + "azure-native_apimanagement_v20230301preview:apimanagement:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_apimanagement_v20230501preview:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", + "azure-native_apimanagement_v20230501preview:apimanagement:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", + "azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", + "azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", + "azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", + "azure-native_apimanagement_v20230501preview:apimanagement:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", + "azure-native_apimanagement_v20230501preview:apimanagement:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", + "azure-native_apimanagement_v20230501preview:apimanagement:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", + "azure-native_apimanagement_v20230501preview:apimanagement:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20230501preview:apimanagement:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", + "azure-native_apimanagement_v20230501preview:apimanagement:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", + "azure-native_apimanagement_v20230501preview:apimanagement:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", + "azure-native_apimanagement_v20230501preview:apimanagement:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", + "azure-native_apimanagement_v20230501preview:apimanagement:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", + "azure-native_apimanagement_v20230501preview:apimanagement:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", + "azure-native_apimanagement_v20230501preview:apimanagement:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", + "azure-native_apimanagement_v20230501preview:apimanagement:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", + "azure-native_apimanagement_v20230501preview:apimanagement:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", + "azure-native_apimanagement_v20230501preview:apimanagement:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", + "azure-native_apimanagement_v20230501preview:apimanagement:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20230501preview:apimanagement:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", + "azure-native_apimanagement_v20230501preview:apimanagement:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", + "azure-native_apimanagement_v20230501preview:apimanagement:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20230501preview:apimanagement:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20230501preview:apimanagement:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20230501preview:apimanagement:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", + "azure-native_apimanagement_v20230501preview:apimanagement:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", + "azure-native_apimanagement_v20230501preview:apimanagement:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", + "azure-native_apimanagement_v20230501preview:apimanagement:PolicyRestriction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyRestrictions/{policyRestrictionId}", + "azure-native_apimanagement_v20230501preview:apimanagement:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_apimanagement_v20230501preview:apimanagement:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20230501preview:apimanagement:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", + "azure-native_apimanagement_v20230501preview:apimanagement:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", + "azure-native_apimanagement_v20230501preview:apimanagement:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", + "azure-native_apimanagement_v20230501preview:apimanagement:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230501preview:apimanagement:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", + "azure-native_apimanagement_v20230501preview:apimanagement:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", + "azure-native_apimanagement_v20230501preview:apimanagement:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", + "azure-native_apimanagement_v20230501preview:apimanagement:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20230501preview:apimanagement:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_apimanagement_v20230501preview:apimanagement:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", + "azure-native_apimanagement_v20230501preview:apimanagement:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_apimanagement_v20230901preview:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiGatewayConfigConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}/configConnections/{configConnectionName}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", + "azure-native_apimanagement_v20230901preview:apimanagement:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", + "azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", + "azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", + "azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", + "azure-native_apimanagement_v20230901preview:apimanagement:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", + "azure-native_apimanagement_v20230901preview:apimanagement:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", + "azure-native_apimanagement_v20230901preview:apimanagement:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", + "azure-native_apimanagement_v20230901preview:apimanagement:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20230901preview:apimanagement:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", + "azure-native_apimanagement_v20230901preview:apimanagement:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", + "azure-native_apimanagement_v20230901preview:apimanagement:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", + "azure-native_apimanagement_v20230901preview:apimanagement:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", + "azure-native_apimanagement_v20230901preview:apimanagement:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", + "azure-native_apimanagement_v20230901preview:apimanagement:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", + "azure-native_apimanagement_v20230901preview:apimanagement:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", + "azure-native_apimanagement_v20230901preview:apimanagement:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", + "azure-native_apimanagement_v20230901preview:apimanagement:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", + "azure-native_apimanagement_v20230901preview:apimanagement:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", + "azure-native_apimanagement_v20230901preview:apimanagement:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20230901preview:apimanagement:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", + "azure-native_apimanagement_v20230901preview:apimanagement:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", + "azure-native_apimanagement_v20230901preview:apimanagement:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20230901preview:apimanagement:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20230901preview:apimanagement:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20230901preview:apimanagement:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", + "azure-native_apimanagement_v20230901preview:apimanagement:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", + "azure-native_apimanagement_v20230901preview:apimanagement:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", + "azure-native_apimanagement_v20230901preview:apimanagement:PolicyRestriction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyRestrictions/{policyRestrictionId}", + "azure-native_apimanagement_v20230901preview:apimanagement:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_apimanagement_v20230901preview:apimanagement:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20230901preview:apimanagement:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", + "azure-native_apimanagement_v20230901preview:apimanagement:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", + "azure-native_apimanagement_v20230901preview:apimanagement:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", + "azure-native_apimanagement_v20230901preview:apimanagement:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230901preview:apimanagement:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", + "azure-native_apimanagement_v20230901preview:apimanagement:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", + "azure-native_apimanagement_v20230901preview:apimanagement:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", + "azure-native_apimanagement_v20230901preview:apimanagement:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20230901preview:apimanagement:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_apimanagement_v20230901preview:apimanagement:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", + "azure-native_apimanagement_v20230901preview:apimanagement:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/backends/{backendId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/certificates/{certificateId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceLogger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/loggers/{loggerId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_apimanagement_v20240501:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}", + "azure-native_apimanagement_v20240501:apimanagement:ApiGatewayConfigConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}/configConnections/{configConnectionName}", + "azure-native_apimanagement_v20240501:apimanagement:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", + "azure-native_apimanagement_v20240501:apimanagement:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20240501:apimanagement:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", + "azure-native_apimanagement_v20240501:apimanagement:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", + "azure-native_apimanagement_v20240501:apimanagement:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", + "azure-native_apimanagement_v20240501:apimanagement:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", + "azure-native_apimanagement_v20240501:apimanagement:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", + "azure-native_apimanagement_v20240501:apimanagement:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", + "azure-native_apimanagement_v20240501:apimanagement:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", + "azure-native_apimanagement_v20240501:apimanagement:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", + "azure-native_apimanagement_v20240501:apimanagement:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", + "azure-native_apimanagement_v20240501:apimanagement:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", + "azure-native_apimanagement_v20240501:apimanagement:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20240501:apimanagement:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", + "azure-native_apimanagement_v20240501:apimanagement:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", + "azure-native_apimanagement_v20240501:apimanagement:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", + "azure-native_apimanagement_v20240501:apimanagement:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", + "azure-native_apimanagement_v20240501:apimanagement:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", + "azure-native_apimanagement_v20240501:apimanagement:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", + "azure-native_apimanagement_v20240501:apimanagement:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", + "azure-native_apimanagement_v20240501:apimanagement:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", + "azure-native_apimanagement_v20240501:apimanagement:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", + "azure-native_apimanagement_v20240501:apimanagement:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", + "azure-native_apimanagement_v20240501:apimanagement:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20240501:apimanagement:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", + "azure-native_apimanagement_v20240501:apimanagement:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", + "azure-native_apimanagement_v20240501:apimanagement:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20240501:apimanagement:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20240501:apimanagement:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20240501:apimanagement:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", + "azure-native_apimanagement_v20240501:apimanagement:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", + "azure-native_apimanagement_v20240501:apimanagement:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", + "azure-native_apimanagement_v20240501:apimanagement:PolicyRestriction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyRestrictions/{policyRestrictionId}", + "azure-native_apimanagement_v20240501:apimanagement:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_apimanagement_v20240501:apimanagement:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", + "azure-native_apimanagement_v20240501:apimanagement:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", + "azure-native_apimanagement_v20240501:apimanagement:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20240501:apimanagement:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", + "azure-native_apimanagement_v20240501:apimanagement:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20240501:apimanagement:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20240501:apimanagement:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", + "azure-native_apimanagement_v20240501:apimanagement:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", + "azure-native_apimanagement_v20240501:apimanagement:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", + "azure-native_apimanagement_v20240501:apimanagement:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20240501:apimanagement:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", + "azure-native_apimanagement_v20240501:apimanagement:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", + "azure-native_apimanagement_v20240501:apimanagement:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", + "azure-native_apimanagement_v20240501:apimanagement:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20240501:apimanagement:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_apimanagement_v20240501:apimanagement:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", + "azure-native_apimanagement_v20240501:apimanagement:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/backends/{backendId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/certificates/{certificateId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceLogger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/loggers/{loggerId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_apimanagement_v20240601preview:apimanagement:Api": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiGatewayConfigConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/gateways/{gatewayName}/configConnections/{configConnectionName}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiIssue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiIssueAttachment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/attachments/{attachmentId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiIssueComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/issues/{issueId}/comments/{commentId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiTagDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tagDescriptions/{tagDescriptionId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ApiWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/wikis/default", + "azure-native_apimanagement_v20240601preview:apimanagement:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}", + "azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}/authorizations/{authorizationId}/accessPolicies/{authorizationAccessPolicyId}", + "azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationProviders/{authorizationProviderId}", + "azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/authorizationServers/{authsid}", + "azure-native_apimanagement_v20240601preview:apimanagement:Backend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/backends/{backendId}", + "azure-native_apimanagement_v20240601preview:apimanagement:Cache": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/caches/{cacheId}", + "azure-native_apimanagement_v20240601preview:apimanagement:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/certificates/{certificateId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ContentItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}/contentItems/{contentItemId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ContentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/contentTypes/{contentTypeId}", + "azure-native_apimanagement_v20240601preview:apimanagement:Diagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20240601preview:apimanagement:Documentation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/documentations/{documentationId}", + "azure-native_apimanagement_v20240601preview:apimanagement:EmailTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/templates/{templateName}", + "azure-native_apimanagement_v20240601preview:apimanagement:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}", + "azure-native_apimanagement_v20240601preview:apimanagement:GatewayApiEntityTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/apis/{apiId}", + "azure-native_apimanagement_v20240601preview:apimanagement:GatewayCertificateAuthority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/certificateAuthorities/{certificateId}", + "azure-native_apimanagement_v20240601preview:apimanagement:GatewayHostnameConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/gateways/{gatewayId}/hostnameConfigurations/{hcId}", + "azure-native_apimanagement_v20240601preview:apimanagement:GlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/schemas/{schemaId}", + "azure-native_apimanagement_v20240601preview:apimanagement:GraphQLApiResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}", + "azure-native_apimanagement_v20240601preview:apimanagement:GraphQLApiResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/resolvers/{resolverId}/policies/{policyId}", + "azure-native_apimanagement_v20240601preview:apimanagement:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}", + "azure-native_apimanagement_v20240601preview:apimanagement:GroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20240601preview:apimanagement:IdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/identityProviders/{identityProviderName}", + "azure-native_apimanagement_v20240601preview:apimanagement:Logger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/loggers/{loggerId}", + "azure-native_apimanagement_v20240601preview:apimanagement:NamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20240601preview:apimanagement:NotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20240601preview:apimanagement:NotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20240601preview:apimanagement:OpenIdConnectProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/openidConnectProviders/{opid}", + "azure-native_apimanagement_v20240601preview:apimanagement:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policies/{policyId}", + "azure-native_apimanagement_v20240601preview:apimanagement:PolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyFragments/{id}", + "azure-native_apimanagement_v20240601preview:apimanagement:PolicyRestriction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/policyRestrictions/{policyRestrictionId}", + "azure-native_apimanagement_v20240601preview:apimanagement:PrivateEndpointConnectionByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_apimanagement_v20240601preview:apimanagement:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ProductApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apis/{apiId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ProductGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groups/{groupId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20240601preview:apimanagement:ProductWiki": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/wikis/default", + "azure-native_apimanagement_v20240601preview:apimanagement:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/subscriptions/{sid}", + "azure-native_apimanagement_v20240601preview:apimanagement:Tag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}", + "azure-native_apimanagement_v20240601preview:apimanagement:TagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20240601preview:apimanagement:TagByApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/tags/{tagId}", + "azure-native_apimanagement_v20240601preview:apimanagement:TagByOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/apis/{apiId}/operations/{operationId}/tags/{tagId}", + "azure-native_apimanagement_v20240601preview:apimanagement:TagByProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/products/{productId}/tags/{tagId}", + "azure-native_apimanagement_v20240601preview:apimanagement:TagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20240601preview:apimanagement:TagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_apimanagement_v20240601preview:apimanagement:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/users/{userId}", + "azure-native_apimanagement_v20240601preview:apimanagement:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiOperationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/operations/{operationId}/policies/{policyId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/policies/{policyId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiRelease": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/releases/{releaseId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apis/{apiId}/schemas/{schemaId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiVersionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/apiVersionSets/{versionSetId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/backends/{backendId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/certificates/{certificateId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceDiagnostic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/diagnostics/{diagnosticId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGlobalSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/schemas/{schemaId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGroupUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/groups/{groupId}/users/{userId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceLogger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/loggers/{loggerId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNamedValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/namedValues/{namedValueId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNotificationRecipientEmail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientEmails/{email}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNotificationRecipientUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/notifications/{notificationName}/recipientUsers/{userId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspacePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policies/{policyId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspacePolicyFragment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/policyFragments/{id}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProduct": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductGroupLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/groupLinks/{groupLinkId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/products/{productId}/policies/{policyId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/subscriptions/{sid}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTag": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagApiLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/apiLinks/{apiLinkId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagOperationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/operationLinks/{operationLinkId}", + "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagProductLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/workspaces/{workspaceId}/tags/{tagId}/productLinks/{productLinkId}", + "azure-native_app_v20221001:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20221001:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20221001:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20221001:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20221001:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20221001:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20221001:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20221001:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20221001:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20221001:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20221001:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_app_v20221101preview:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20221101preview:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20221101preview:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20221101preview:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20221101preview:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20221101preview:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20221101preview:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20221101preview:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20221101preview:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20221101preview:app:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", + "azure-native_app_v20221101preview:app:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", + "azure-native_app_v20221101preview:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20221101preview:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_app_v20230401preview:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20230401preview:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20230401preview:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20230401preview:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20230401preview:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20230401preview:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20230401preview:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20230401preview:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20230401preview:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20230401preview:app:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", + "azure-native_app_v20230401preview:app:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", + "azure-native_app_v20230401preview:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20230401preview:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_app_v20230501:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20230501:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20230501:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20230501:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20230501:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20230501:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20230501:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20230501:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20230501:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20230501:app:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", + "azure-native_app_v20230501:app:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", + "azure-native_app_v20230501:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20230501:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_app_v20230502preview:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20230502preview:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20230502preview:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20230502preview:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20230502preview:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20230502preview:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20230502preview:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20230502preview:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20230502preview:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20230502preview:app:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", + "azure-native_app_v20230502preview:app:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", + "azure-native_app_v20230502preview:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20230502preview:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_app_v20230801preview:app:AppResiliency": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{appName}/resiliencyPolicies/{name}", + "azure-native_app_v20230801preview:app:Build": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}/builds/{buildName}", + "azure-native_app_v20230801preview:app:Builder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}", + "azure-native_app_v20230801preview:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20230801preview:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20230801preview:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20230801preview:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20230801preview:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20230801preview:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20230801preview:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20230801preview:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20230801preview:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20230801preview:app:DaprComponentResiliencyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}/resiliencyPolicies/{name}", + "azure-native_app_v20230801preview:app:DaprSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprSubscriptions/{name}", + "azure-native_app_v20230801preview:app:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", + "azure-native_app_v20230801preview:app:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", + "azure-native_app_v20230801preview:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20230801preview:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_app_v20231102preview:app:AppResiliency": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{appName}/resiliencyPolicies/{name}", + "azure-native_app_v20231102preview:app:Build": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}/builds/{buildName}", + "azure-native_app_v20231102preview:app:Builder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}", + "azure-native_app_v20231102preview:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20231102preview:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20231102preview:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20231102preview:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20231102preview:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20231102preview:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20231102preview:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20231102preview:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20231102preview:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20231102preview:app:DaprComponentResiliencyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}/resiliencyPolicies/{name}", + "azure-native_app_v20231102preview:app:DaprSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprSubscriptions/{name}", + "azure-native_app_v20231102preview:app:DotNetComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/dotNetComponents/{name}", + "azure-native_app_v20231102preview:app:JavaComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/javaComponents/{name}", + "azure-native_app_v20231102preview:app:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", + "azure-native_app_v20231102preview:app:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", + "azure-native_app_v20231102preview:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20231102preview:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_app_v20240202preview:app:AppResiliency": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{appName}/resiliencyPolicies/{name}", + "azure-native_app_v20240202preview:app:Build": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}/builds/{buildName}", + "azure-native_app_v20240202preview:app:Builder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}", + "azure-native_app_v20240202preview:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20240202preview:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20240202preview:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20240202preview:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20240202preview:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20240202preview:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20240202preview:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20240202preview:app:ContainerAppsSessionPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/sessionPools/{sessionPoolName}", + "azure-native_app_v20240202preview:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20240202preview:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20240202preview:app:DaprComponentResiliencyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}/resiliencyPolicies/{name}", + "azure-native_app_v20240202preview:app:DaprSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprSubscriptions/{name}", + "azure-native_app_v20240202preview:app:DotNetComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/dotNetComponents/{name}", + "azure-native_app_v20240202preview:app:JavaComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/javaComponents/{name}", + "azure-native_app_v20240202preview:app:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", + "azure-native_app_v20240202preview:app:LogicApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/providers/Microsoft.App/logicApps/{logicAppName}", + "azure-native_app_v20240202preview:app:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", + "azure-native_app_v20240202preview:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20240202preview:app:ManagedEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_app_v20240202preview:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_app_v20240301:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20240301:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20240301:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20240301:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20240301:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20240301:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20240301:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20240301:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20240301:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20240301:app:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", + "azure-native_app_v20240301:app:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", + "azure-native_app_v20240301:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20240301:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_app_v20240802preview:app:AppResiliency": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{appName}/resiliencyPolicies/{name}", + "azure-native_app_v20240802preview:app:Build": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}/builds/{buildName}", + "azure-native_app_v20240802preview:app:Builder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}", + "azure-native_app_v20240802preview:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20240802preview:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20240802preview:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20240802preview:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20240802preview:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20240802preview:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20240802preview:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20240802preview:app:ContainerAppsSessionPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/sessionPools/{sessionPoolName}", + "azure-native_app_v20240802preview:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20240802preview:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20240802preview:app:DaprComponentResiliencyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}/resiliencyPolicies/{name}", + "azure-native_app_v20240802preview:app:DaprSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprSubscriptions/{name}", + "azure-native_app_v20240802preview:app:DotNetComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/dotNetComponents/{name}", + "azure-native_app_v20240802preview:app:JavaComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/javaComponents/{name}", + "azure-native_app_v20240802preview:app:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", + "azure-native_app_v20240802preview:app:LogicApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/providers/Microsoft.App/logicApps/{logicAppName}", + "azure-native_app_v20240802preview:app:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", + "azure-native_app_v20240802preview:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20240802preview:app:ManagedEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_app_v20240802preview:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_app_v20241002preview:app:AppResiliency": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{appName}/resiliencyPolicies/{name}", + "azure-native_app_v20241002preview:app:Build": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}/builds/{buildName}", + "azure-native_app_v20241002preview:app:Builder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/builders/{builderName}", + "azure-native_app_v20241002preview:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20241002preview:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20241002preview:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20241002preview:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20241002preview:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20241002preview:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20241002preview:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20241002preview:app:ContainerAppsSessionPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/sessionPools/{sessionPoolName}", + "azure-native_app_v20241002preview:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20241002preview:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20241002preview:app:DaprComponentResiliencyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}/resiliencyPolicies/{name}", + "azure-native_app_v20241002preview:app:DaprSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprSubscriptions/{name}", + "azure-native_app_v20241002preview:app:DotNetComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/dotNetComponents/{name}", + "azure-native_app_v20241002preview:app:HttpRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/httpRouteConfigs/{httpRouteName}", + "azure-native_app_v20241002preview:app:JavaComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/javaComponents/{name}", + "azure-native_app_v20241002preview:app:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", + "azure-native_app_v20241002preview:app:LogicApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/providers/Microsoft.App/logicApps/{logicAppName}", + "azure-native_app_v20241002preview:app:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/maintenanceConfigurations/{configName}", + "azure-native_app_v20241002preview:app:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", + "azure-native_app_v20241002preview:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20241002preview:app:ManagedEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_app_v20241002preview:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_app_v20250101:app:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/certificates/{certificateName}", + "azure-native_app_v20250101:app:ConnectedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}", + "azure-native_app_v20250101:app:ConnectedEnvironmentsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/certificates/{certificateName}", + "azure-native_app_v20250101:app:ConnectedEnvironmentsDaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/daprComponents/{componentName}", + "azure-native_app_v20250101:app:ConnectedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/connectedEnvironments/{connectedEnvironmentName}/storages/{storageName}", + "azure-native_app_v20250101:app:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}", + "azure-native_app_v20250101:app:ContainerAppsAuthConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/authConfigs/{authConfigName}", + "azure-native_app_v20250101:app:ContainerAppsSessionPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/sessionPools/{sessionPoolName}", + "azure-native_app_v20250101:app:ContainerAppsSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/containerApps/{containerAppName}/sourcecontrols/{sourceControlName}", + "azure-native_app_v20250101:app:DaprComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/daprComponents/{componentName}", + "azure-native_app_v20250101:app:JavaComponent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/javaComponents/{name}", + "azure-native_app_v20250101:app:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/jobs/{jobName}", + "azure-native_app_v20250101:app:ManagedCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/managedCertificates/{managedCertificateName}", + "azure-native_app_v20250101:app:ManagedEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}", + "azure-native_app_v20250101:app:ManagedEnvironmentsStorage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.App/managedEnvironments/{environmentName}/storages/{storageName}", + "azure-native_appcomplianceautomation_v20221116preview:appcomplianceautomation:Report": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}", + "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Evidence": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}/evidences/{evidenceName}", + "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Report": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}", + "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:ScopingConfiguration": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}/scopingConfigurations/{scopingConfigurationName}", + "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Webhook": "/providers/Microsoft.AppComplianceAutomation/reports/{reportName}/webhooks/{webhookName}", + "azure-native_appconfiguration_v20230301:appconfiguration:ConfigurationStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}", + "azure-native_appconfiguration_v20230301:appconfiguration:KeyValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/keyValues/{keyValueName}", + "azure-native_appconfiguration_v20230301:appconfiguration:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_appconfiguration_v20230301:appconfiguration:Replica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/replicas/{replicaName}", + "azure-native_appconfiguration_v20230801preview:appconfiguration:ConfigurationStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}", + "azure-native_appconfiguration_v20230801preview:appconfiguration:KeyValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/keyValues/{keyValueName}", + "azure-native_appconfiguration_v20230801preview:appconfiguration:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_appconfiguration_v20230801preview:appconfiguration:Replica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/replicas/{replicaName}", + "azure-native_appconfiguration_v20230901preview:appconfiguration:ConfigurationStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}", + "azure-native_appconfiguration_v20230901preview:appconfiguration:KeyValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/keyValues/{keyValueName}", + "azure-native_appconfiguration_v20230901preview:appconfiguration:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_appconfiguration_v20230901preview:appconfiguration:Replica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/replicas/{replicaName}", + "azure-native_appconfiguration_v20240501:appconfiguration:ConfigurationStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}", + "azure-native_appconfiguration_v20240501:appconfiguration:KeyValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/keyValues/{keyValueName}", + "azure-native_appconfiguration_v20240501:appconfiguration:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_appconfiguration_v20240501:appconfiguration:Replica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppConfiguration/configurationStores/{configStoreName}/replicas/{replicaName}", + "azure-native_applicationinsights_v20150501:applicationinsights:AnalyticsItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/components/{resourceName}/{scopePath}/item", + "azure-native_applicationinsights_v20150501:applicationinsights:Component": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}", + "azure-native_applicationinsights_v20150501:applicationinsights:ComponentCurrentBillingFeature": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}/currentbillingfeatures", + "azure-native_applicationinsights_v20150501:applicationinsights:ExportConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}/exportconfiguration/{exportId}", + "azure-native_applicationinsights_v20150501:applicationinsights:Favorite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}/favorites/{favoriteId}", + "azure-native_applicationinsights_v20150501:applicationinsights:MyWorkbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/myWorkbooks/{resourceName}", + "azure-native_applicationinsights_v20150501:applicationinsights:ProactiveDetectionConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}/ProactiveDetectionConfigs/{ConfigurationId}", + "azure-native_applicationinsights_v20150501:applicationinsights:WebTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/webtests/{webTestName}", + "azure-native_applicationinsights_v20150501:applicationinsights:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/workbooks/{resourceName}", + "azure-native_applicationinsights_v20180501preview:applicationinsights:Component": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}", + "azure-native_applicationinsights_v20180501preview:applicationinsights:ProactiveDetectionConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}/ProactiveDetectionConfigs/{ConfigurationId}", + "azure-native_applicationinsights_v20180501preview:applicationinsights:WebTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/webtests/{webTestName}", + "azure-native_applicationinsights_v20180617preview:applicationinsights:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/workbooks/{resourceName}", + "azure-native_applicationinsights_v20191017preview:applicationinsights:WorkbookTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/workbooktemplates/{resourceName}", + "azure-native_applicationinsights_v20200202:applicationinsights:Component": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}", + "azure-native_applicationinsights_v20200202preview:applicationinsights:Component": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/components/{resourceName}", + "azure-native_applicationinsights_v20200301preview:applicationinsights:ComponentLinkedStorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/components/{resourceName}/linkedStorageAccounts/{storageType}", + "azure-native_applicationinsights_v20201005preview:applicationinsights:WebTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/webtests/{webTestName}", + "azure-native_applicationinsights_v20201020:applicationinsights:MyWorkbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/myWorkbooks/{resourceName}", + "azure-native_applicationinsights_v20201020:applicationinsights:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooks/{resourceName}", + "azure-native_applicationinsights_v20201120:applicationinsights:WorkbookTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooktemplates/{resourceName}", + "azure-native_applicationinsights_v20210308:applicationinsights:MyWorkbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/myWorkbooks/{resourceName}", + "azure-native_applicationinsights_v20210308:applicationinsights:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooks/{resourceName}", + "azure-native_applicationinsights_v20210801:applicationinsights:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooks/{resourceName}", + "azure-native_applicationinsights_v20220401:applicationinsights:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooks/{resourceName}", + "azure-native_applicationinsights_v20220615:applicationinsights:WebTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/webtests/{webTestName}", + "azure-native_applicationinsights_v20230601:applicationinsights:Workbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/workbooks/{resourceName}", + "azure-native_appplatform_v20230501preview:appplatform:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", + "azure-native_appplatform_v20230501preview:appplatform:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", + "azure-native_appplatform_v20230501preview:appplatform:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", + "azure-native_appplatform_v20230501preview:appplatform:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", + "azure-native_appplatform_v20230501preview:appplatform:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", + "azure-native_appplatform_v20230501preview:appplatform:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", + "azure-native_appplatform_v20230501preview:appplatform:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", + "azure-native_appplatform_v20230501preview:appplatform:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", + "azure-native_appplatform_v20230501preview:appplatform:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", + "azure-native_appplatform_v20230501preview:appplatform:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", + "azure-native_appplatform_v20230501preview:appplatform:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", + "azure-native_appplatform_v20230501preview:appplatform:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", + "azure-native_appplatform_v20230501preview:appplatform:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", + "azure-native_appplatform_v20230501preview:appplatform:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", + "azure-native_appplatform_v20230501preview:appplatform:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", + "azure-native_appplatform_v20230501preview:appplatform:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", + "azure-native_appplatform_v20230501preview:appplatform:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", + "azure-native_appplatform_v20230501preview:appplatform:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", + "azure-native_appplatform_v20230501preview:appplatform:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", + "azure-native_appplatform_v20230501preview:appplatform:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", + "azure-native_appplatform_v20230501preview:appplatform:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", + "azure-native_appplatform_v20230501preview:appplatform:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", + "azure-native_appplatform_v20230501preview:appplatform:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", + "azure-native_appplatform_v20230501preview:appplatform:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", + "azure-native_appplatform_v20230501preview:appplatform:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", + "azure-native_appplatform_v20230501preview:appplatform:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", + "azure-native_appplatform_v20230701preview:appplatform:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", + "azure-native_appplatform_v20230701preview:appplatform:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", + "azure-native_appplatform_v20230701preview:appplatform:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", + "azure-native_appplatform_v20230701preview:appplatform:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", + "azure-native_appplatform_v20230701preview:appplatform:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", + "azure-native_appplatform_v20230701preview:appplatform:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", + "azure-native_appplatform_v20230701preview:appplatform:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", + "azure-native_appplatform_v20230701preview:appplatform:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", + "azure-native_appplatform_v20230701preview:appplatform:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", + "azure-native_appplatform_v20230701preview:appplatform:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", + "azure-native_appplatform_v20230701preview:appplatform:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", + "azure-native_appplatform_v20230701preview:appplatform:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", + "azure-native_appplatform_v20230701preview:appplatform:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", + "azure-native_appplatform_v20230701preview:appplatform:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", + "azure-native_appplatform_v20230701preview:appplatform:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", + "azure-native_appplatform_v20230701preview:appplatform:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", + "azure-native_appplatform_v20230701preview:appplatform:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", + "azure-native_appplatform_v20230701preview:appplatform:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", + "azure-native_appplatform_v20230701preview:appplatform:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", + "azure-native_appplatform_v20230701preview:appplatform:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", + "azure-native_appplatform_v20230701preview:appplatform:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", + "azure-native_appplatform_v20230701preview:appplatform:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", + "azure-native_appplatform_v20230701preview:appplatform:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", + "azure-native_appplatform_v20230701preview:appplatform:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", + "azure-native_appplatform_v20230701preview:appplatform:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", + "azure-native_appplatform_v20230701preview:appplatform:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", + "azure-native_appplatform_v20230901preview:appplatform:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", + "azure-native_appplatform_v20230901preview:appplatform:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", + "azure-native_appplatform_v20230901preview:appplatform:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", + "azure-native_appplatform_v20230901preview:appplatform:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", + "azure-native_appplatform_v20230901preview:appplatform:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", + "azure-native_appplatform_v20230901preview:appplatform:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", + "azure-native_appplatform_v20230901preview:appplatform:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", + "azure-native_appplatform_v20230901preview:appplatform:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", + "azure-native_appplatform_v20230901preview:appplatform:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", + "azure-native_appplatform_v20230901preview:appplatform:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", + "azure-native_appplatform_v20230901preview:appplatform:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", + "azure-native_appplatform_v20230901preview:appplatform:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", + "azure-native_appplatform_v20230901preview:appplatform:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", + "azure-native_appplatform_v20230901preview:appplatform:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", + "azure-native_appplatform_v20230901preview:appplatform:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", + "azure-native_appplatform_v20230901preview:appplatform:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", + "azure-native_appplatform_v20230901preview:appplatform:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", + "azure-native_appplatform_v20230901preview:appplatform:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", + "azure-native_appplatform_v20230901preview:appplatform:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", + "azure-native_appplatform_v20230901preview:appplatform:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", + "azure-native_appplatform_v20230901preview:appplatform:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", + "azure-native_appplatform_v20230901preview:appplatform:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", + "azure-native_appplatform_v20230901preview:appplatform:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", + "azure-native_appplatform_v20230901preview:appplatform:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", + "azure-native_appplatform_v20230901preview:appplatform:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", + "azure-native_appplatform_v20230901preview:appplatform:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", + "azure-native_appplatform_v20231101preview:appplatform:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", + "azure-native_appplatform_v20231101preview:appplatform:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", + "azure-native_appplatform_v20231101preview:appplatform:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", + "azure-native_appplatform_v20231101preview:appplatform:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", + "azure-native_appplatform_v20231101preview:appplatform:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", + "azure-native_appplatform_v20231101preview:appplatform:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", + "azure-native_appplatform_v20231101preview:appplatform:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", + "azure-native_appplatform_v20231101preview:appplatform:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", + "azure-native_appplatform_v20231101preview:appplatform:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", + "azure-native_appplatform_v20231101preview:appplatform:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", + "azure-native_appplatform_v20231101preview:appplatform:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", + "azure-native_appplatform_v20231101preview:appplatform:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", + "azure-native_appplatform_v20231101preview:appplatform:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", + "azure-native_appplatform_v20231101preview:appplatform:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", + "azure-native_appplatform_v20231101preview:appplatform:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", + "azure-native_appplatform_v20231101preview:appplatform:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", + "azure-native_appplatform_v20231101preview:appplatform:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", + "azure-native_appplatform_v20231101preview:appplatform:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", + "azure-native_appplatform_v20231101preview:appplatform:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", + "azure-native_appplatform_v20231101preview:appplatform:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", + "azure-native_appplatform_v20231101preview:appplatform:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", + "azure-native_appplatform_v20231101preview:appplatform:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", + "azure-native_appplatform_v20231101preview:appplatform:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", + "azure-native_appplatform_v20231101preview:appplatform:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", + "azure-native_appplatform_v20231101preview:appplatform:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", + "azure-native_appplatform_v20231101preview:appplatform:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", + "azure-native_appplatform_v20231201:appplatform:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", + "azure-native_appplatform_v20231201:appplatform:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", + "azure-native_appplatform_v20231201:appplatform:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", + "azure-native_appplatform_v20231201:appplatform:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", + "azure-native_appplatform_v20231201:appplatform:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", + "azure-native_appplatform_v20231201:appplatform:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", + "azure-native_appplatform_v20231201:appplatform:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", + "azure-native_appplatform_v20231201:appplatform:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", + "azure-native_appplatform_v20231201:appplatform:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", + "azure-native_appplatform_v20231201:appplatform:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", + "azure-native_appplatform_v20231201:appplatform:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", + "azure-native_appplatform_v20231201:appplatform:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", + "azure-native_appplatform_v20231201:appplatform:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", + "azure-native_appplatform_v20231201:appplatform:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", + "azure-native_appplatform_v20231201:appplatform:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", + "azure-native_appplatform_v20231201:appplatform:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", + "azure-native_appplatform_v20231201:appplatform:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", + "azure-native_appplatform_v20231201:appplatform:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", + "azure-native_appplatform_v20231201:appplatform:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", + "azure-native_appplatform_v20231201:appplatform:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", + "azure-native_appplatform_v20231201:appplatform:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", + "azure-native_appplatform_v20231201:appplatform:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", + "azure-native_appplatform_v20231201:appplatform:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", + "azure-native_appplatform_v20231201:appplatform:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", + "azure-native_appplatform_v20231201:appplatform:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", + "azure-native_appplatform_v20231201:appplatform:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", + "azure-native_appplatform_v20240101preview:appplatform:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", + "azure-native_appplatform_v20240101preview:appplatform:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", + "azure-native_appplatform_v20240101preview:appplatform:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", + "azure-native_appplatform_v20240101preview:appplatform:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", + "azure-native_appplatform_v20240101preview:appplatform:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", + "azure-native_appplatform_v20240101preview:appplatform:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", + "azure-native_appplatform_v20240101preview:appplatform:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", + "azure-native_appplatform_v20240101preview:appplatform:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", + "azure-native_appplatform_v20240101preview:appplatform:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", + "azure-native_appplatform_v20240101preview:appplatform:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", + "azure-native_appplatform_v20240101preview:appplatform:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", + "azure-native_appplatform_v20240101preview:appplatform:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", + "azure-native_appplatform_v20240101preview:appplatform:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", + "azure-native_appplatform_v20240101preview:appplatform:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", + "azure-native_appplatform_v20240101preview:appplatform:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", + "azure-native_appplatform_v20240101preview:appplatform:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", + "azure-native_appplatform_v20240101preview:appplatform:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", + "azure-native_appplatform_v20240101preview:appplatform:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", + "azure-native_appplatform_v20240101preview:appplatform:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", + "azure-native_appplatform_v20240101preview:appplatform:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", + "azure-native_appplatform_v20240101preview:appplatform:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", + "azure-native_appplatform_v20240101preview:appplatform:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", + "azure-native_appplatform_v20240101preview:appplatform:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", + "azure-native_appplatform_v20240101preview:appplatform:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", + "azure-native_appplatform_v20240101preview:appplatform:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", + "azure-native_appplatform_v20240101preview:appplatform:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", + "azure-native_appplatform_v20240501preview:appplatform:ApiPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}", + "azure-native_appplatform_v20240501preview:appplatform:ApiPortalCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apiPortals/{apiPortalName}/domains/{domainName}", + "azure-native_appplatform_v20240501preview:appplatform:Apm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apms/{apmName}", + "azure-native_appplatform_v20240501preview:appplatform:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}", + "azure-native_appplatform_v20240501preview:appplatform:ApplicationAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}", + "azure-native_appplatform_v20240501preview:appplatform:ApplicationLiveView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationLiveViews/{applicationLiveViewName}", + "azure-native_appplatform_v20240501preview:appplatform:Binding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/bindings/{bindingName}", + "azure-native_appplatform_v20240501preview:appplatform:BuildServiceAgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/agentPools/{agentPoolName}", + "azure-native_appplatform_v20240501preview:appplatform:BuildServiceBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builds/{buildName}", + "azure-native_appplatform_v20240501preview:appplatform:BuildServiceBuilder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}", + "azure-native_appplatform_v20240501preview:appplatform:BuildpackBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/buildServices/{buildServiceName}/builders/{builderName}/buildpackBindings/{buildpackBindingName}", + "azure-native_appplatform_v20240501preview:appplatform:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/certificates/{certificateName}", + "azure-native_appplatform_v20240501preview:appplatform:ConfigServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configServers/default", + "azure-native_appplatform_v20240501preview:appplatform:ConfigurationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/configurationServices/{configurationServiceName}", + "azure-native_appplatform_v20240501preview:appplatform:ContainerRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/containerRegistries/{containerRegistryName}", + "azure-native_appplatform_v20240501preview:appplatform:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/domains/{domainName}", + "azure-native_appplatform_v20240501preview:appplatform:CustomizedAccelerator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/applicationAccelerators/{applicationAcceleratorName}/customizedAccelerators/{customizedAcceleratorName}", + "azure-native_appplatform_v20240501preview:appplatform:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/apps/{appName}/deployments/{deploymentName}", + "azure-native_appplatform_v20240501preview:appplatform:DevToolPortal": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/DevToolPortals/{devToolPortalName}", + "azure-native_appplatform_v20240501preview:appplatform:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}", + "azure-native_appplatform_v20240501preview:appplatform:GatewayCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/domains/{domainName}", + "azure-native_appplatform_v20240501preview:appplatform:GatewayRouteConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/gateways/{gatewayName}/routeConfigs/{routeConfigName}", + "azure-native_appplatform_v20240501preview:appplatform:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/jobs/{jobName}", + "azure-native_appplatform_v20240501preview:appplatform:MonitoringSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/monitoringSettings/default", + "azure-native_appplatform_v20240501preview:appplatform:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}", + "azure-native_appplatform_v20240501preview:appplatform:ServiceRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/serviceRegistries/{serviceRegistryName}", + "azure-native_appplatform_v20240501preview:appplatform:Storage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AppPlatform/Spring/{serviceName}/storages/{storageName}", + "azure-native_attestation_v20210601:attestation:AttestationProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Attestation/attestationProviders/{providerName}", + "azure-native_attestation_v20210601:attestation:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Attestation/attestationProviders/{providerName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_authorization_v20200501:authorization:ManagementLockAtResourceGroupLevel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Authorization/locks/{lockName}", + "azure-native_authorization_v20200501:authorization:ManagementLockAtResourceLevel": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}/providers/Microsoft.Authorization/locks/{lockName}", + "azure-native_authorization_v20200501:authorization:ManagementLockAtSubscriptionLevel": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/locks/{lockName}", + "azure-native_authorization_v20200501:authorization:ManagementLockByScope": "/{scope}/providers/Microsoft.Authorization/locks/{lockName}", + "azure-native_authorization_v20200501:authorization:PrivateLinkAssociation": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Authorization/privateLinkAssociations/{plaId}", + "azure-native_authorization_v20200501:authorization:ResourceManagementPrivateLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Authorization/resourceManagementPrivateLinks/{rmplName}", + "azure-native_authorization_v20200701preview:authorization:PolicyExemption": "/{scope}/providers/Microsoft.Authorization/policyExemptions/{policyExemptionName}", + "azure-native_authorization_v20200801preview:authorization:RoleAssignment": "/{scope}/providers/Microsoft.Authorization/roleAssignments/{roleAssignmentName}", + "azure-native_authorization_v20200901:authorization:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", + "azure-native_authorization_v20200901:authorization:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20200901:authorization:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20200901:authorization:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20200901:authorization:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20201001:authorization:PimRoleEligibilitySchedule": "/{scope}/providers/Microsoft.Authorization/roleEligibilityScheduleRequests/{roleEligibilityScheduleRequestName}", + "azure-native_authorization_v20201001:authorization:RoleManagementPolicy": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicies/{roleManagementPolicyName}", + "azure-native_authorization_v20201001:authorization:RoleManagementPolicyAssignment": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicyAssignments/{roleManagementPolicyAssignmentName}", + "azure-native_authorization_v20201001preview:authorization:RoleAssignment": "/{scope}/providers/Microsoft.Authorization/roleAssignments/{roleAssignmentName}", + "azure-native_authorization_v20201001preview:authorization:RoleManagementPolicy": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicies/{roleManagementPolicyName}", + "azure-native_authorization_v20201001preview:authorization:RoleManagementPolicyAssignment": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicyAssignments/{roleManagementPolicyAssignmentName}", + "azure-native_authorization_v20210301preview:authorization:AccessReviewScheduleDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewScheduleDefinitions/{scheduleDefinitionId}", + "azure-native_authorization_v20210601:authorization:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", + "azure-native_authorization_v20210601:authorization:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20210601:authorization:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20210601:authorization:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20210601:authorization:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20210701preview:authorization:AccessReviewScheduleDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewScheduleDefinitions/{scheduleDefinitionId}", + "azure-native_authorization_v20211116preview:authorization:AccessReviewHistoryDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewHistoryDefinitions/{historyDefinitionId}", + "azure-native_authorization_v20211116preview:authorization:AccessReviewScheduleDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewScheduleDefinitions/{scheduleDefinitionId}", + "azure-native_authorization_v20211201preview:authorization:AccessReviewHistoryDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewHistoryDefinitions/{historyDefinitionId}", + "azure-native_authorization_v20211201preview:authorization:AccessReviewScheduleDefinitionById": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/accessReviewScheduleDefinitions/{scheduleDefinitionId}", + "azure-native_authorization_v20211201preview:authorization:ScopeAccessReviewHistoryDefinitionById": "/{scope}/providers/Microsoft.Authorization/accessReviewHistoryDefinitions/{historyDefinitionId}", + "azure-native_authorization_v20211201preview:authorization:ScopeAccessReviewScheduleDefinitionById": "/{scope}/providers/Microsoft.Authorization/accessReviewScheduleDefinitions/{scheduleDefinitionId}", + "azure-native_authorization_v20220401:authorization:RoleAssignment": "/{scope}/providers/Microsoft.Authorization/roleAssignments/{roleAssignmentName}", + "azure-native_authorization_v20220401:authorization:RoleDefinition": "/{scope}/providers/Microsoft.Authorization/roleDefinitions/{roleDefinitionId}", + "azure-native_authorization_v20220501preview:authorization:RoleDefinition": "/{scope}/providers/Microsoft.Authorization/roleDefinitions/{roleDefinitionId}", + "azure-native_authorization_v20220601:authorization:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", + "azure-native_authorization_v20220701preview:authorization:PolicyExemption": "/{scope}/providers/Microsoft.Authorization/policyExemptions/{policyExemptionName}", + "azure-native_authorization_v20220801preview:authorization:Variable": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/variables/{variableName}", + "azure-native_authorization_v20220801preview:authorization:VariableAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/variables/{variableName}", + "azure-native_authorization_v20220801preview:authorization:VariableValue": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/variables/{variableName}/values/{variableValueName}", + "azure-native_authorization_v20220801preview:authorization:VariableValueAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/variables/{variableName}/values/{variableValueName}", + "azure-native_authorization_v20230401:authorization:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", + "azure-native_authorization_v20230401:authorization:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20230401:authorization:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20230401:authorization:PolicyDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20230401:authorization:PolicyDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20230401:authorization:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20230401:authorization:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20230401:authorization:PolicySetDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20230401:authorization:PolicySetDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20240201preview:authorization:RoleManagementPolicy": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicies/{roleManagementPolicyName}", + "azure-native_authorization_v20240201preview:authorization:RoleManagementPolicyAssignment": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicyAssignments/{roleManagementPolicyAssignmentName}", + "azure-native_authorization_v20240401:authorization:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", + "azure-native_authorization_v20240501:authorization:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", + "azure-native_authorization_v20240501:authorization:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20240501:authorization:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20240501:authorization:PolicyDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20240501:authorization:PolicyDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20240501:authorization:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20240501:authorization:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20240501:authorization:PolicySetDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20240501:authorization:PolicySetDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20240901preview:authorization:RoleManagementPolicy": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicies/{roleManagementPolicyName}", + "azure-native_authorization_v20240901preview:authorization:RoleManagementPolicyAssignment": "/{scope}/providers/Microsoft.Authorization/roleManagementPolicyAssignments/{roleManagementPolicyAssignmentName}", + "azure-native_authorization_v20241201preview:authorization:PolicyExemption": "/{scope}/providers/Microsoft.Authorization/policyExemptions/{policyExemptionName}", + "azure-native_authorization_v20241201preview:authorization:Variable": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/variables/{variableName}", + "azure-native_authorization_v20241201preview:authorization:VariableAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/variables/{variableName}", + "azure-native_authorization_v20241201preview:authorization:VariableValue": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/variables/{variableName}/values/{variableValueName}", + "azure-native_authorization_v20241201preview:authorization:VariableValueAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/variables/{variableName}/values/{variableValueName}", + "azure-native_authorization_v20250101:authorization:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", + "azure-native_authorization_v20250101:authorization:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20250101:authorization:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20250101:authorization:PolicyDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20250101:authorization:PolicyDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20250101:authorization:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20250101:authorization:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20250101:authorization:PolicySetDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20250101:authorization:PolicySetDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20250301:authorization:PolicyAssignment": "/{scope}/providers/Microsoft.Authorization/policyAssignments/{policyAssignmentName}", + "azure-native_authorization_v20250301:authorization:PolicyDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20250301:authorization:PolicyDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}", + "azure-native_authorization_v20250301:authorization:PolicyDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20250301:authorization:PolicyDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policyDefinitions/{policyDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20250301:authorization:PolicySetDefinition": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20250301:authorization:PolicySetDefinitionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}", + "azure-native_authorization_v20250301:authorization:PolicySetDefinitionVersion": "/subscriptions/{subscriptionId}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_authorization_v20250301:authorization:PolicySetDefinitionVersionAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupName}/providers/Microsoft.Authorization/policySetDefinitions/{policySetDefinitionName}/versions/{policyDefinitionVersion}", + "azure-native_automanage_v20200630preview:automanage:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/accounts/{accountName}", + "azure-native_automanage_v20200630preview:automanage:ConfigurationProfileAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", + "azure-native_automanage_v20200630preview:automanage:ConfigurationProfilePreference": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfilePreferences/{configurationProfilePreferenceName}", + "azure-native_automanage_v20210430preview:automanage:ConfigurationProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfiles/{configurationProfileName}", + "azure-native_automanage_v20210430preview:automanage:ConfigurationProfileAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", + "azure-native_automanage_v20210430preview:automanage:ConfigurationProfileHCIAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHci/clusters/{clusterName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", + "azure-native_automanage_v20210430preview:automanage:ConfigurationProfileHCRPAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", + "azure-native_automanage_v20210430preview:automanage:ConfigurationProfilesVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfiles/{configurationProfileName}/versions/{versionName}", + "azure-native_automanage_v20220504:automanage:ConfigurationProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfiles/{configurationProfileName}", + "azure-native_automanage_v20220504:automanage:ConfigurationProfileAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", + "azure-native_automanage_v20220504:automanage:ConfigurationProfileHCIAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHci/clusters/{clusterName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", + "azure-native_automanage_v20220504:automanage:ConfigurationProfileHCRPAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/providers/Microsoft.Automanage/configurationProfileAssignments/{configurationProfileAssignmentName}", + "azure-native_automanage_v20220504:automanage:ConfigurationProfilesVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automanage/configurationProfiles/{configurationProfileName}/versions/{versionName}", + "azure-native_automation_v20151031:automation:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", + "azure-native_automation_v20151031:automation:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", + "azure-native_automation_v20151031:automation:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", + "azure-native_automation_v20151031:automation:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", + "azure-native_automation_v20151031:automation:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", + "azure-native_automation_v20151031:automation:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", + "azure-native_automation_v20151031:automation:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", + "azure-native_automation_v20151031:automation:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", + "azure-native_automation_v20151031:automation:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", + "azure-native_automation_v20151031:automation:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", + "azure-native_automation_v20151031:automation:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", + "azure-native_automation_v20151031:automation:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", + "azure-native_automation_v20151031:automation:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/watchers/{watcherName}", + "azure-native_automation_v20151031:automation:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/webhooks/{webhookName}", + "azure-native_automation_v20170515preview:automation:SoftwareUpdateConfigurationByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/softwareUpdateConfigurations/{softwareUpdateConfigurationName}", + "azure-native_automation_v20170515preview:automation:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", + "azure-native_automation_v20180115:automation:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", + "azure-native_automation_v20180630:automation:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", + "azure-native_automation_v20180630:automation:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", + "azure-native_automation_v20190601:automation:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", + "azure-native_automation_v20190601:automation:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", + "azure-native_automation_v20190601:automation:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", + "azure-native_automation_v20190601:automation:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", + "azure-native_automation_v20190601:automation:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", + "azure-native_automation_v20190601:automation:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", + "azure-native_automation_v20190601:automation:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", + "azure-native_automation_v20190601:automation:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", + "azure-native_automation_v20190601:automation:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", + "azure-native_automation_v20190601:automation:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", + "azure-native_automation_v20190601:automation:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", + "azure-native_automation_v20190601:automation:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", + "azure-native_automation_v20190601:automation:SoftwareUpdateConfigurationByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/softwareUpdateConfigurations/{softwareUpdateConfigurationName}", + "azure-native_automation_v20190601:automation:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", + "azure-native_automation_v20190601:automation:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", + "azure-native_automation_v20190601:automation:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/watchers/{watcherName}", + "azure-native_automation_v20200113preview:automation:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", + "azure-native_automation_v20200113preview:automation:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", + "azure-native_automation_v20200113preview:automation:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", + "azure-native_automation_v20200113preview:automation:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", + "azure-native_automation_v20200113preview:automation:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", + "azure-native_automation_v20200113preview:automation:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", + "azure-native_automation_v20200113preview:automation:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", + "azure-native_automation_v20200113preview:automation:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", + "azure-native_automation_v20200113preview:automation:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_automation_v20200113preview:automation:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", + "azure-native_automation_v20200113preview:automation:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", + "azure-native_automation_v20200113preview:automation:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", + "azure-native_automation_v20200113preview:automation:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", + "azure-native_automation_v20200113preview:automation:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/watchers/{watcherName}", + "azure-native_automation_v20210622:automation:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", + "azure-native_automation_v20210622:automation:HybridRunbookWorker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}/hybridRunbookWorkers/{hybridRunbookWorkerId}", + "azure-native_automation_v20210622:automation:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", + "azure-native_automation_v20220222:automation:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", + "azure-native_automation_v20220808:automation:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", + "azure-native_automation_v20220808:automation:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", + "azure-native_automation_v20220808:automation:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", + "azure-native_automation_v20220808:automation:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", + "azure-native_automation_v20220808:automation:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", + "azure-native_automation_v20220808:automation:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", + "azure-native_automation_v20220808:automation:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", + "azure-native_automation_v20220808:automation:HybridRunbookWorker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}/hybridRunbookWorkers/{hybridRunbookWorkerId}", + "azure-native_automation_v20220808:automation:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", + "azure-native_automation_v20220808:automation:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", + "azure-native_automation_v20220808:automation:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", + "azure-native_automation_v20220808:automation:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", + "azure-native_automation_v20220808:automation:Python3Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python3Packages/{packageName}", + "azure-native_automation_v20220808:automation:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", + "azure-native_automation_v20220808:automation:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", + "azure-native_automation_v20220808:automation:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", + "azure-native_automation_v20220808:automation:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", + "azure-native_automation_v20230515preview:automation:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", + "azure-native_automation_v20230515preview:automation:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", + "azure-native_automation_v20230515preview:automation:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", + "azure-native_automation_v20230515preview:automation:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", + "azure-native_automation_v20230515preview:automation:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", + "azure-native_automation_v20230515preview:automation:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", + "azure-native_automation_v20230515preview:automation:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", + "azure-native_automation_v20230515preview:automation:HybridRunbookWorker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}/hybridRunbookWorkers/{hybridRunbookWorkerId}", + "azure-native_automation_v20230515preview:automation:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", + "azure-native_automation_v20230515preview:automation:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", + "azure-native_automation_v20230515preview:automation:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", + "azure-native_automation_v20230515preview:automation:Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runtimeEnvironments/{runtimeEnvironmentName}/packages/{packageName}", + "azure-native_automation_v20230515preview:automation:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_automation_v20230515preview:automation:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", + "azure-native_automation_v20230515preview:automation:Python3Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python3Packages/{packageName}", + "azure-native_automation_v20230515preview:automation:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", + "azure-native_automation_v20230515preview:automation:RuntimeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runtimeEnvironments/{runtimeEnvironmentName}", + "azure-native_automation_v20230515preview:automation:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", + "azure-native_automation_v20230515preview:automation:SoftwareUpdateConfigurationByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/softwareUpdateConfigurations/{softwareUpdateConfigurationName}", + "azure-native_automation_v20230515preview:automation:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", + "azure-native_automation_v20230515preview:automation:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", + "azure-native_automation_v20230515preview:automation:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/watchers/{watcherName}", + "azure-native_automation_v20230515preview:automation:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/webhooks/{webhookName}", + "azure-native_automation_v20231101:automation:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", + "azure-native_automation_v20231101:automation:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", + "azure-native_automation_v20231101:automation:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", + "azure-native_automation_v20231101:automation:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", + "azure-native_automation_v20231101:automation:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", + "azure-native_automation_v20231101:automation:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", + "azure-native_automation_v20231101:automation:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", + "azure-native_automation_v20231101:automation:HybridRunbookWorker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}/hybridRunbookWorkers/{hybridRunbookWorkerId}", + "azure-native_automation_v20231101:automation:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", + "azure-native_automation_v20231101:automation:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", + "azure-native_automation_v20231101:automation:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", + "azure-native_automation_v20231101:automation:PowerShell72Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/powerShell72Modules/{moduleName}", + "azure-native_automation_v20231101:automation:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", + "azure-native_automation_v20231101:automation:Python3Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python3Packages/{packageName}", + "azure-native_automation_v20231101:automation:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", + "azure-native_automation_v20231101:automation:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", + "azure-native_automation_v20231101:automation:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", + "azure-native_automation_v20231101:automation:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", + "azure-native_automation_v20241023:automation:AutomationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}", + "azure-native_automation_v20241023:automation:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/certificates/{certificateName}", + "azure-native_automation_v20241023:automation:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connections/{connectionName}", + "azure-native_automation_v20241023:automation:ConnectionType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/connectionTypes/{connectionTypeName}", + "azure-native_automation_v20241023:automation:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/credentials/{credentialName}", + "azure-native_automation_v20241023:automation:DscConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/configurations/{configurationName}", + "azure-native_automation_v20241023:automation:DscNodeConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/nodeConfigurations/{nodeConfigurationName}", + "azure-native_automation_v20241023:automation:HybridRunbookWorker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}/hybridRunbookWorkers/{hybridRunbookWorkerId}", + "azure-native_automation_v20241023:automation:HybridRunbookWorkerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/hybridRunbookWorkerGroups/{hybridRunbookWorkerGroupName}", + "azure-native_automation_v20241023:automation:JobSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/jobSchedules/{jobScheduleId}", + "azure-native_automation_v20241023:automation:Module": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/modules/{moduleName}", + "azure-native_automation_v20241023:automation:Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runtimeEnvironments/{runtimeEnvironmentName}/packages/{packageName}", + "azure-native_automation_v20241023:automation:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_automation_v20241023:automation:Python2Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python2Packages/{packageName}", + "azure-native_automation_v20241023:automation:Python3Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/python3Packages/{packageName}", + "azure-native_automation_v20241023:automation:Runbook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runbooks/{runbookName}", + "azure-native_automation_v20241023:automation:RuntimeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/runtimeEnvironments/{runtimeEnvironmentName}", + "azure-native_automation_v20241023:automation:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/schedules/{scheduleName}", + "azure-native_automation_v20241023:automation:SoftwareUpdateConfigurationByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/softwareUpdateConfigurations/{softwareUpdateConfigurationName}", + "azure-native_automation_v20241023:automation:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/sourceControls/{sourceControlName}", + "azure-native_automation_v20241023:automation:Variable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/variables/{variableName}", + "azure-native_automation_v20241023:automation:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/watchers/{watcherName}", + "azure-native_automation_v20241023:automation:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Automation/automationAccounts/{automationAccountName}/webhooks/{webhookName}", + "azure-native_avs_v20220501:avs:Addon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/addons/{addonName}", + "azure-native_avs_v20220501:avs:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/authorizations/{authorizationName}", + "azure-native_avs_v20220501:avs:CloudLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/cloudLinks/{cloudLinkName}", + "azure-native_avs_v20220501:avs:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}", + "azure-native_avs_v20220501:avs:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/datastores/{datastoreName}", + "azure-native_avs_v20220501:avs:GlobalReachConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/globalReachConnections/{globalReachConnectionName}", + "azure-native_avs_v20220501:avs:HcxEnterpriseSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/hcxEnterpriseSites/{hcxEnterpriseSiteName}", + "azure-native_avs_v20220501:avs:PlacementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/placementPolicies/{placementPolicyName}", + "azure-native_avs_v20220501:avs:PrivateCloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}", + "azure-native_avs_v20220501:avs:ScriptExecution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/scriptExecutions/{scriptExecutionName}", + "azure-native_avs_v20220501:avs:WorkloadNetworkDhcp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dhcpConfigurations/{dhcpId}", + "azure-native_avs_v20220501:avs:WorkloadNetworkDnsService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsServices/{dnsServiceId}", + "azure-native_avs_v20220501:avs:WorkloadNetworkDnsZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsZones/{dnsZoneId}", + "azure-native_avs_v20220501:avs:WorkloadNetworkPortMirroring": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/portMirroringProfiles/{portMirroringId}", + "azure-native_avs_v20220501:avs:WorkloadNetworkPublicIP": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/publicIPs/{publicIPId}", + "azure-native_avs_v20220501:avs:WorkloadNetworkSegment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/segments/{segmentId}", + "azure-native_avs_v20220501:avs:WorkloadNetworkVMGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/vmGroups/{vmGroupId}", + "azure-native_avs_v20230301:avs:Addon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/addons/{addonName}", + "azure-native_avs_v20230301:avs:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/authorizations/{authorizationName}", + "azure-native_avs_v20230301:avs:CloudLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/cloudLinks/{cloudLinkName}", + "azure-native_avs_v20230301:avs:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}", + "azure-native_avs_v20230301:avs:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/datastores/{datastoreName}", + "azure-native_avs_v20230301:avs:GlobalReachConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/globalReachConnections/{globalReachConnectionName}", + "azure-native_avs_v20230301:avs:HcxEnterpriseSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/hcxEnterpriseSites/{hcxEnterpriseSiteName}", + "azure-native_avs_v20230301:avs:PlacementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/placementPolicies/{placementPolicyName}", + "azure-native_avs_v20230301:avs:PrivateCloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}", + "azure-native_avs_v20230301:avs:ScriptExecution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/scriptExecutions/{scriptExecutionName}", + "azure-native_avs_v20230301:avs:WorkloadNetworkDhcp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dhcpConfigurations/{dhcpId}", + "azure-native_avs_v20230301:avs:WorkloadNetworkDnsService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsServices/{dnsServiceId}", + "azure-native_avs_v20230301:avs:WorkloadNetworkDnsZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsZones/{dnsZoneId}", + "azure-native_avs_v20230301:avs:WorkloadNetworkPortMirroring": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/portMirroringProfiles/{portMirroringId}", + "azure-native_avs_v20230301:avs:WorkloadNetworkPublicIP": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/publicIPs/{publicIPId}", + "azure-native_avs_v20230301:avs:WorkloadNetworkSegment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/segments/{segmentId}", + "azure-native_avs_v20230301:avs:WorkloadNetworkVMGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/vmGroups/{vmGroupId}", + "azure-native_avs_v20230901:avs:Addon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/addons/{addonName}", + "azure-native_avs_v20230901:avs:Authorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/authorizations/{authorizationName}", + "azure-native_avs_v20230901:avs:CloudLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/cloudLinks/{cloudLinkName}", + "azure-native_avs_v20230901:avs:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}", + "azure-native_avs_v20230901:avs:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/datastores/{datastoreName}", + "azure-native_avs_v20230901:avs:GlobalReachConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/globalReachConnections/{globalReachConnectionName}", + "azure-native_avs_v20230901:avs:HcxEnterpriseSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/hcxEnterpriseSites/{hcxEnterpriseSiteName}", + "azure-native_avs_v20230901:avs:IscsiPath": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/iscsiPaths/default", + "azure-native_avs_v20230901:avs:PlacementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/clusters/{clusterName}/placementPolicies/{placementPolicyName}", + "azure-native_avs_v20230901:avs:PrivateCloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}", + "azure-native_avs_v20230901:avs:ScriptExecution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/scriptExecutions/{scriptExecutionName}", + "azure-native_avs_v20230901:avs:WorkloadNetworkDhcp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dhcpConfigurations/{dhcpId}", + "azure-native_avs_v20230901:avs:WorkloadNetworkDnsService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsServices/{dnsServiceId}", + "azure-native_avs_v20230901:avs:WorkloadNetworkDnsZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/dnsZones/{dnsZoneId}", + "azure-native_avs_v20230901:avs:WorkloadNetworkPortMirroring": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/portMirroringProfiles/{portMirroringId}", + "azure-native_avs_v20230901:avs:WorkloadNetworkPublicIP": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/publicIPs/{publicIPId}", + "azure-native_avs_v20230901:avs:WorkloadNetworkSegment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/segments/{segmentId}", + "azure-native_avs_v20230901:avs:WorkloadNetworkVMGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AVS/privateClouds/{privateCloudName}/workloadNetworks/default/vmGroups/{vmGroupId}", + "azure-native_awsconnector_v20241201:awsconnector:AccessAnalyzerAnalyzer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/accessAnalyzerAnalyzers/{name}", + "azure-native_awsconnector_v20241201:awsconnector:AcmCertificateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/acmCertificateSummaries/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ApiGatewayRestApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/apiGatewayRestApis/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ApiGatewayStage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/apiGatewayStages/{name}", + "azure-native_awsconnector_v20241201:awsconnector:AppSyncGraphqlApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/appSyncGraphqlApis/{name}", + "azure-native_awsconnector_v20241201:awsconnector:AutoScalingAutoScalingGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/autoScalingAutoScalingGroups/{name}", + "azure-native_awsconnector_v20241201:awsconnector:CloudFormationStack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/cloudFormationStacks/{name}", + "azure-native_awsconnector_v20241201:awsconnector:CloudFormationStackSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/cloudFormationStackSets/{name}", + "azure-native_awsconnector_v20241201:awsconnector:CloudFrontDistribution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/cloudFrontDistributions/{name}", + "azure-native_awsconnector_v20241201:awsconnector:CloudTrailTrail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/cloudTrailTrails/{name}", + "azure-native_awsconnector_v20241201:awsconnector:CloudWatchAlarm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/cloudWatchAlarms/{name}", + "azure-native_awsconnector_v20241201:awsconnector:CodeBuildProject": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/codeBuildProjects/{name}", + "azure-native_awsconnector_v20241201:awsconnector:CodeBuildSourceCredentialsInfo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/codeBuildSourceCredentialsInfos/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ConfigServiceConfigurationRecorder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/configServiceConfigurationRecorders/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ConfigServiceConfigurationRecorderStatus": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/configServiceConfigurationRecorderStatuses/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ConfigServiceDeliveryChannel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/configServiceDeliveryChannels/{name}", + "azure-native_awsconnector_v20241201:awsconnector:DatabaseMigrationServiceReplicationInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/databaseMigrationServiceReplicationInstances/{name}", + "azure-native_awsconnector_v20241201:awsconnector:DaxCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/daxClusters/{name}", + "azure-native_awsconnector_v20241201:awsconnector:DynamoDbContinuousBackupsDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/dynamoDBContinuousBackupsDescriptions/{name}", + "azure-native_awsconnector_v20241201:awsconnector:DynamoDbTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/dynamoDBTables/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2AccountAttribute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2AccountAttributes/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2Address": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Addresses/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2FlowLogs/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Images/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2Instance": "/{resourceUri}/providers/Microsoft.AwsConnector/ec2Instances/default", + "azure-native_awsconnector_v20241201:awsconnector:Ec2InstanceStatus": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2InstanceStatuses/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2Ipam": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Ipams/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2KeyPair": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2KeyPairs/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2NetworkAcl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2NetworkAcls/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2NetworkInterfaces/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2RouteTables/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2SecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2SecurityGroups/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Snapshots/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Subnets/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Volumes/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2Vpc": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2Vpcs/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2VpcEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2VPCEndpoints/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Ec2VpcPeeringConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ec2VPCPeeringConnections/{name}", + "azure-native_awsconnector_v20241201:awsconnector:EcrImageDetail": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ecrImageDetails/{name}", + "azure-native_awsconnector_v20241201:awsconnector:EcrRepository": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ecrRepositories/{name}", + "azure-native_awsconnector_v20241201:awsconnector:EcsCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ecsClusters/{name}", + "azure-native_awsconnector_v20241201:awsconnector:EcsService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ecsServices/{name}", + "azure-native_awsconnector_v20241201:awsconnector:EcsTaskDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ecsTaskDefinitions/{name}", + "azure-native_awsconnector_v20241201:awsconnector:EfsFileSystem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/efsFileSystems/{name}", + "azure-native_awsconnector_v20241201:awsconnector:EfsMountTarget": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/efsMountTargets/{name}", + "azure-native_awsconnector_v20241201:awsconnector:EksCluster": "/{resourceUri}/providers/Microsoft.AwsConnector/eksClusters/default", + "azure-native_awsconnector_v20241201:awsconnector:EksNodegroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/eksNodegroups/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticBeanstalkApplications/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkConfigurationTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticBeanstalkConfigurationTemplates/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticBeanstalkEnvironments/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2Listener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticLoadBalancingV2Listeners/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticLoadBalancingV2LoadBalancers/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2TargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticLoadBalancingV2TargetGroups/{name}", + "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingv2TargetHealthDescription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/elasticLoadBalancingV2TargetHealthDescriptions/{name}", + "azure-native_awsconnector_v20241201:awsconnector:EmrCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/emrClusters/{name}", + "azure-native_awsconnector_v20241201:awsconnector:GuardDutyDetector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/guardDutyDetectors/{name}", + "azure-native_awsconnector_v20241201:awsconnector:IamAccessKeyLastUsed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamAccessKeyLastUseds/{name}", + "azure-native_awsconnector_v20241201:awsconnector:IamAccessKeyMetadataInfo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamAccessKeyMetadata/{name}", + "azure-native_awsconnector_v20241201:awsconnector:IamGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamGroups/{name}", + "azure-native_awsconnector_v20241201:awsconnector:IamInstanceProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamInstanceProfiles/{name}", + "azure-native_awsconnector_v20241201:awsconnector:IamMfaDevice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamMFADevices/{name}", + "azure-native_awsconnector_v20241201:awsconnector:IamPasswordPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamPasswordPolicies/{name}", + "azure-native_awsconnector_v20241201:awsconnector:IamPolicyVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamPolicyVersions/{name}", + "azure-native_awsconnector_v20241201:awsconnector:IamRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamRoles/{name}", + "azure-native_awsconnector_v20241201:awsconnector:IamServerCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamServerCertificates/{name}", + "azure-native_awsconnector_v20241201:awsconnector:IamVirtualMfaDevice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/iamVirtualMFADevices/{name}", + "azure-native_awsconnector_v20241201:awsconnector:KmsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/kmsAliases/{name}", + "azure-native_awsconnector_v20241201:awsconnector:KmsKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/kmsKeys/{name}", + "azure-native_awsconnector_v20241201:awsconnector:LambdaFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/lambdaFunctions/{name}", + "azure-native_awsconnector_v20241201:awsconnector:LambdaFunctionCodeLocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/lambdaFunctionCodeLocations/{name}", + "azure-native_awsconnector_v20241201:awsconnector:LightsailBucket": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/lightsailBuckets/{name}", + "azure-native_awsconnector_v20241201:awsconnector:LightsailInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/lightsailInstances/{name}", + "azure-native_awsconnector_v20241201:awsconnector:LogsLogGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/logsLogGroups/{name}", + "azure-native_awsconnector_v20241201:awsconnector:LogsLogStream": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/logsLogStreams/{name}", + "azure-native_awsconnector_v20241201:awsconnector:LogsMetricFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/logsMetricFilters/{name}", + "azure-native_awsconnector_v20241201:awsconnector:LogsSubscriptionFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/logsSubscriptionFilters/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Macie2JobSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/macie2JobSummaries/{name}", + "azure-native_awsconnector_v20241201:awsconnector:MacieAllowList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/macieAllowLists/{name}", + "azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/networkFirewallFirewalls/{name}", + "azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/networkFirewallFirewallPolicies/{name}", + "azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/networkFirewallRuleGroups/{name}", + "azure-native_awsconnector_v20241201:awsconnector:OpenSearchDomainStatus": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/openSearchDomainStatuses/{name}", + "azure-native_awsconnector_v20241201:awsconnector:OrganizationsAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/organizationsAccounts/{name}", + "azure-native_awsconnector_v20241201:awsconnector:OrganizationsOrganization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/organizationsOrganizations/{name}", + "azure-native_awsconnector_v20241201:awsconnector:RdsDbCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsDBClusters/{name}", + "azure-native_awsconnector_v20241201:awsconnector:RdsDbInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsDBInstances/{name}", + "azure-native_awsconnector_v20241201:awsconnector:RdsDbSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsDBSnapshots/{name}", + "azure-native_awsconnector_v20241201:awsconnector:RdsDbSnapshotAttributesResult": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsDBSnapshotAttributesResults/{name}", + "azure-native_awsconnector_v20241201:awsconnector:RdsEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsEventSubscriptions/{name}", + "azure-native_awsconnector_v20241201:awsconnector:RdsExportTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/rdsExportTasks/{name}", + "azure-native_awsconnector_v20241201:awsconnector:RedshiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/redshiftClusters/{name}", + "azure-native_awsconnector_v20241201:awsconnector:RedshiftClusterParameterGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/redshiftClusterParameterGroups/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Route53DomainsDomainSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/route53DomainsDomainSummaries/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Route53HostedZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/route53HostedZones/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Route53ResourceRecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/route53ResourceRecordSets/{name}", + "azure-native_awsconnector_v20241201:awsconnector:S3AccessControlPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/s3AccessControlPolicies/{name}", + "azure-native_awsconnector_v20241201:awsconnector:S3AccessPoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/s3AccessPoints/{name}", + "azure-native_awsconnector_v20241201:awsconnector:S3Bucket": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/s3Buckets/{name}", + "azure-native_awsconnector_v20241201:awsconnector:S3BucketPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/s3BucketPolicies/{name}", + "azure-native_awsconnector_v20241201:awsconnector:S3ControlMultiRegionAccessPointPolicyDocument": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/s3ControlMultiRegionAccessPointPolicyDocuments/{name}", + "azure-native_awsconnector_v20241201:awsconnector:SageMakerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/sageMakerApps/{name}", + "azure-native_awsconnector_v20241201:awsconnector:SageMakerNotebookInstanceSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/sageMakerNotebookInstanceSummaries/{name}", + "azure-native_awsconnector_v20241201:awsconnector:SecretsManagerResourcePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/secretsManagerResourcePolicies/{name}", + "azure-native_awsconnector_v20241201:awsconnector:SecretsManagerSecret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/secretsManagerSecrets/{name}", + "azure-native_awsconnector_v20241201:awsconnector:SnsSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/snsSubscriptions/{name}", + "azure-native_awsconnector_v20241201:awsconnector:SnsTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/snsTopics/{name}", + "azure-native_awsconnector_v20241201:awsconnector:SqsQueue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/sqsQueues/{name}", + "azure-native_awsconnector_v20241201:awsconnector:SsmInstanceInformation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ssmInstanceInformations/{name}", + "azure-native_awsconnector_v20241201:awsconnector:SsmParameter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ssmParameters/{name}", + "azure-native_awsconnector_v20241201:awsconnector:SsmResourceComplianceSummaryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/ssmResourceComplianceSummaryItems/{name}", + "azure-native_awsconnector_v20241201:awsconnector:WafWebAclSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/wafWebACLSummaries/{name}", + "azure-native_awsconnector_v20241201:awsconnector:Wafv2LoggingConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AwsConnector/wafv2LoggingConfigurations/{name}", + "azure-native_azureactivedirectory_v20210401:azureactivedirectory:B2CTenant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/b2cDirectories/{resourceName}", + "azure-native_azureactivedirectory_v20210401:azureactivedirectory:GuestUsage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/guestUsages/{resourceName}", + "azure-native_azureactivedirectory_v20230118preview:azureactivedirectory:B2CTenant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/b2cDirectories/{resourceName}", + "azure-native_azureactivedirectory_v20230118preview:azureactivedirectory:GuestUsage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/guestUsages/{resourceName}", + "azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:B2CTenant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/b2cDirectories/{resourceName}", + "azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:CIAMTenant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/ciamDirectories/{resourceName}", + "azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:GuestUsage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureActiveDirectory/guestUsages/{resourceName}", + "azure-native_azurearcdata_v20230115preview:azurearcdata:ActiveDirectoryConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}/activeDirectoryConnectors/{activeDirectoryConnectorName}", + "azure-native_azurearcdata_v20230115preview:azurearcdata:DataController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}", + "azure-native_azurearcdata_v20230115preview:azurearcdata:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}/failoverGroups/{failoverGroupName}", + "azure-native_azurearcdata_v20230115preview:azurearcdata:PostgresInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/postgresInstances/{postgresInstanceName}", + "azure-native_azurearcdata_v20230115preview:azurearcdata:SqlManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}", + "azure-native_azurearcdata_v20230115preview:azurearcdata:SqlServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/databases/{databaseName}", + "azure-native_azurearcdata_v20230115preview:azurearcdata:SqlServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}", + "azure-native_azurearcdata_v20240101:azurearcdata:ActiveDirectoryConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}/activeDirectoryConnectors/{activeDirectoryConnectorName}", + "azure-native_azurearcdata_v20240101:azurearcdata:DataController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}", + "azure-native_azurearcdata_v20240101:azurearcdata:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}/failoverGroups/{failoverGroupName}", + "azure-native_azurearcdata_v20240101:azurearcdata:PostgresInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/postgresInstances/{postgresInstanceName}", + "azure-native_azurearcdata_v20240101:azurearcdata:SqlManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}", + "azure-native_azurearcdata_v20240101:azurearcdata:SqlServerAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/availabilityGroups/{availabilityGroupName}", + "azure-native_azurearcdata_v20240101:azurearcdata:SqlServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/databases/{databaseName}", + "azure-native_azurearcdata_v20240101:azurearcdata:SqlServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}", + "azure-native_azurearcdata_v20240501preview:azurearcdata:ActiveDirectoryConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}/activeDirectoryConnectors/{activeDirectoryConnectorName}", + "azure-native_azurearcdata_v20240501preview:azurearcdata:DataController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}", + "azure-native_azurearcdata_v20240501preview:azurearcdata:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}/failoverGroups/{failoverGroupName}", + "azure-native_azurearcdata_v20240501preview:azurearcdata:PostgresInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/postgresInstances/{postgresInstanceName}", + "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}", + "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/availabilityGroups/{availabilityGroupName}", + "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/databases/{databaseName}", + "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerEsuLicense": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerEsuLicenses/{sqlServerEsuLicenseName}", + "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}", + "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerLicense": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerLicenses/{sqlServerLicenseName}", + "azure-native_azurearcdata_v20250301preview:azurearcdata:ActiveDirectoryConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}/activeDirectoryConnectors/{activeDirectoryConnectorName}", + "azure-native_azurearcdata_v20250301preview:azurearcdata:DataController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/dataControllers/{dataControllerName}", + "azure-native_azurearcdata_v20250301preview:azurearcdata:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}/failoverGroups/{failoverGroupName}", + "azure-native_azurearcdata_v20250301preview:azurearcdata:PostgresInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/postgresInstances/{postgresInstanceName}", + "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlManagedInstances/{sqlManagedInstanceName}", + "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/availabilityGroups/{availabilityGroupName}", + "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}/databases/{databaseName}", + "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerEsuLicense": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerEsuLicenses/{sqlServerEsuLicenseName}", + "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerInstances/{sqlServerInstanceName}", + "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerLicense": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureArcData/sqlServerLicenses/{sqlServerLicenseName}", + "azure-native_azuredata_v20190724preview:azuredata:SqlServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureData/sqlServerRegistrations/{sqlServerRegistrationName}/sqlServers/{sqlServerName}", + "azure-native_azuredata_v20190724preview:azuredata:SqlServerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureData/sqlServerRegistrations/{sqlServerRegistrationName}", + "azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", + "azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", + "azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", + "azure-native_azuredatatransfer_v20240125:azuredatatransfer:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", + "azure-native_azuredatatransfer_v20240125:azuredatatransfer:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", + "azure-native_azuredatatransfer_v20240125:azuredatatransfer:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", + "azure-native_azuredatatransfer_v20240507:azuredatatransfer:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", + "azure-native_azuredatatransfer_v20240507:azuredatatransfer:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", + "azure-native_azuredatatransfer_v20240507:azuredatatransfer:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", + "azure-native_azuredatatransfer_v20240911:azuredatatransfer:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", + "azure-native_azuredatatransfer_v20240911:azuredatatransfer:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", + "azure-native_azuredatatransfer_v20240911:azuredatatransfer:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", + "azure-native_azuredatatransfer_v20240927:azuredatatransfer:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", + "azure-native_azuredatatransfer_v20240927:azuredatatransfer:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", + "azure-native_azuredatatransfer_v20240927:azuredatatransfer:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", + "azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}", + "azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Flow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/connections/{connectionName}/flows/{flowName}", + "azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureDataTransfer/pipelines/{pipelineName}", + "azure-native_azurefleet_v20240501preview:azurefleet:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureFleet/fleets/{fleetName}", + "azure-native_azurefleet_v20241101:azurefleet:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureFleet/fleets/{fleetName}", + "azure-native_azurelargeinstance_v20240801preview:azurelargeinstance:AzureLargeInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureLargeInstance/azureLargeInstances/{azureLargeInstanceName}", + "azure-native_azurelargeinstance_v20240801preview:azurelargeinstance:AzureLargeStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureLargeInstance/azureLargeStorageInstances/{azureLargeStorageInstanceName}", + "azure-native_azureplaywrightservice_v20231001preview:azureplaywrightservice:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzurePlaywrightService/accounts/{name}", + "azure-native_azureplaywrightservice_v20240201preview:azureplaywrightservice:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzurePlaywrightService/accounts/{accountName}", + "azure-native_azureplaywrightservice_v20240801preview:azureplaywrightservice:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzurePlaywrightService/accounts/{accountName}", + "azure-native_azureplaywrightservice_v20241201:azureplaywrightservice:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzurePlaywrightService/accounts/{accountName}", + "azure-native_azuresphere_v20220901preview:azuresphere:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}", + "azure-native_azuresphere_v20220901preview:azuresphere:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}/deployments/{deploymentName}", + "azure-native_azuresphere_v20220901preview:azuresphere:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}/devices/{deviceName}", + "azure-native_azuresphere_v20220901preview:azuresphere:DeviceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}", + "azure-native_azuresphere_v20220901preview:azuresphere:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/images/{imageName}", + "azure-native_azuresphere_v20220901preview:azuresphere:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}", + "azure-native_azuresphere_v20240401:azuresphere:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}", + "azure-native_azuresphere_v20240401:azuresphere:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}/deployments/{deploymentName}", + "azure-native_azuresphere_v20240401:azuresphere:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}/devices/{deviceName}", + "azure-native_azuresphere_v20240401:azuresphere:DeviceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}/deviceGroups/{deviceGroupName}", + "azure-native_azuresphere_v20240401:azuresphere:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/images/{imageName}", + "azure-native_azuresphere_v20240401:azuresphere:Product": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureSphere/catalogs/{catalogName}/products/{productName}", + "azure-native_azurestack_v20200601preview:azurestack:CustomerSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/registrations/{registrationName}/customerSubscriptions/{customerSubscriptionName}", + "azure-native_azurestack_v20200601preview:azurestack:LinkedSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/linkedSubscriptions/{linkedSubscriptionName}", + "azure-native_azurestack_v20200601preview:azurestack:Registration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/registrations/{registrationName}", + "azure-native_azurestack_v20220601:azurestack:CustomerSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/registrations/{registrationName}/customerSubscriptions/{customerSubscriptionName}", + "azure-native_azurestack_v20220601:azurestack:Registration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.AzureStack/registrations/{registrationName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualMachines/{virtualMachineName}/guestAgents/{name}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:HybridIdentityMetadatum": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualMachines/{virtualMachineName}/hybridIdentityMetadata/{metadataName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualMachines/{name}/extensions/{extensionName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualMachines/{virtualMachineName}", + "azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualNetworks/{virtualNetworkName}", + "azure-native_azurestackhci_v20230201:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20230201:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20230201:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20230201:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20230201:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20230201:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20230301:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20230301:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20230301:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20230301:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20230301:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20230301:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20230601:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20230601:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20230601:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20230601:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20230601:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20230601:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20230701preview:azurestackhci:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", + "azure-native_azurestackhci_v20230701preview:azurestackhci:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", + "azure-native_azurestackhci_v20230701preview:azurestackhci:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", + "azure-native_azurestackhci_v20230701preview:azurestackhci:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", + "azure-native_azurestackhci_v20230701preview:azurestackhci:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", + "azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", + "azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", + "azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualNetworks/{virtualNetworkName}", + "azure-native_azurestackhci_v20230801:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20230801:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20230801:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20230801:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20230801:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20230801:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20230801preview:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20230801preview:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20230801preview:azurestackhci:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", + "azure-native_azurestackhci_v20230801preview:azurestackhci:EdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", + "azure-native_azurestackhci_v20230801preview:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20230801preview:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20230801preview:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20230801preview:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20230901preview:azurestackhci:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", + "azure-native_azurestackhci_v20230901preview:azurestackhci:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", + "azure-native_azurestackhci_v20230901preview:azurestackhci:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", + "azure-native_azurestackhci_v20230901preview:azurestackhci:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", + "azure-native_azurestackhci_v20230901preview:azurestackhci:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", + "azure-native_azurestackhci_v20230901preview:azurestackhci:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", + "azure-native_azurestackhci_v20230901preview:azurestackhci:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", + "azure-native_azurestackhci_v20230901preview:azurestackhci:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", + "azure-native_azurestackhci_v20231101preview:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20231101preview:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20231101preview:azurestackhci:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", + "azure-native_azurestackhci_v20231101preview:azurestackhci:EdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", + "azure-native_azurestackhci_v20231101preview:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20231101preview:azurestackhci:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", + "azure-native_azurestackhci_v20231101preview:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20231101preview:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20231101preview:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20240101:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20240101:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20240101:azurestackhci:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", + "azure-native_azurestackhci_v20240101:azurestackhci:EdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", + "azure-native_azurestackhci_v20240101:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20240101:azurestackhci:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", + "azure-native_azurestackhci_v20240101:azurestackhci:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", + "azure-native_azurestackhci_v20240101:azurestackhci:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", + "azure-native_azurestackhci_v20240101:azurestackhci:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", + "azure-native_azurestackhci_v20240101:azurestackhci:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", + "azure-native_azurestackhci_v20240101:azurestackhci:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", + "azure-native_azurestackhci_v20240101:azurestackhci:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", + "azure-native_azurestackhci_v20240101:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20240101:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20240101:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20240101:azurestackhci:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", + "azure-native_azurestackhci_v20240101:azurestackhci:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", + "azure-native_azurestackhci_v20240201preview:azurestackhci:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", + "azure-native_azurestackhci_v20240201preview:azurestackhci:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", + "azure-native_azurestackhci_v20240201preview:azurestackhci:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", + "azure-native_azurestackhci_v20240201preview:azurestackhci:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", + "azure-native_azurestackhci_v20240201preview:azurestackhci:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", + "azure-native_azurestackhci_v20240201preview:azurestackhci:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_azurestackhci_v20240201preview:azurestackhci:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_azurestackhci_v20240201preview:azurestackhci:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", + "azure-native_azurestackhci_v20240201preview:azurestackhci:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", + "azure-native_azurestackhci_v20240201preview:azurestackhci:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", + "azure-native_azurestackhci_v20240215preview:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20240215preview:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20240215preview:azurestackhci:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", + "azure-native_azurestackhci_v20240215preview:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20240215preview:azurestackhci:HciEdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", + "azure-native_azurestackhci_v20240215preview:azurestackhci:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", + "azure-native_azurestackhci_v20240215preview:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20240215preview:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20240215preview:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20240401:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20240401:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20240401:azurestackhci:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", + "azure-native_azurestackhci_v20240401:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20240401:azurestackhci:HciEdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", + "azure-native_azurestackhci_v20240401:azurestackhci:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", + "azure-native_azurestackhci_v20240401:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20240401:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20240401:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20240501preview:azurestackhci:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", + "azure-native_azurestackhci_v20240501preview:azurestackhci:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", + "azure-native_azurestackhci_v20240501preview:azurestackhci:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", + "azure-native_azurestackhci_v20240501preview:azurestackhci:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", + "azure-native_azurestackhci_v20240501preview:azurestackhci:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", + "azure-native_azurestackhci_v20240501preview:azurestackhci:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_azurestackhci_v20240501preview:azurestackhci:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_azurestackhci_v20240501preview:azurestackhci:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", + "azure-native_azurestackhci_v20240501preview:azurestackhci:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", + "azure-native_azurestackhci_v20240501preview:azurestackhci:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", + "azure-native_azurestackhci_v20240715preview:azurestackhci:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", + "azure-native_azurestackhci_v20240715preview:azurestackhci:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", + "azure-native_azurestackhci_v20240715preview:azurestackhci:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", + "azure-native_azurestackhci_v20240715preview:azurestackhci:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", + "azure-native_azurestackhci_v20240715preview:azurestackhci:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", + "azure-native_azurestackhci_v20240715preview:azurestackhci:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_azurestackhci_v20240715preview:azurestackhci:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_azurestackhci_v20240715preview:azurestackhci:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", + "azure-native_azurestackhci_v20240715preview:azurestackhci:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", + "azure-native_azurestackhci_v20240715preview:azurestackhci:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", + "azure-native_azurestackhci_v20240801preview:azurestackhci:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", + "azure-native_azurestackhci_v20240801preview:azurestackhci:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", + "azure-native_azurestackhci_v20240801preview:azurestackhci:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", + "azure-native_azurestackhci_v20240801preview:azurestackhci:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", + "azure-native_azurestackhci_v20240801preview:azurestackhci:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", + "azure-native_azurestackhci_v20240801preview:azurestackhci:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_azurestackhci_v20240801preview:azurestackhci:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_azurestackhci_v20240801preview:azurestackhci:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", + "azure-native_azurestackhci_v20240801preview:azurestackhci:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", + "azure-native_azurestackhci_v20240801preview:azurestackhci:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", + "azure-native_azurestackhci_v20240901preview:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20240901preview:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20240901preview:azurestackhci:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", + "azure-native_azurestackhci_v20240901preview:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20240901preview:azurestackhci:HciEdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", + "azure-native_azurestackhci_v20240901preview:azurestackhci:HciEdgeDeviceJob": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}/jobs/{jobsName}", + "azure-native_azurestackhci_v20240901preview:azurestackhci:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", + "azure-native_azurestackhci_v20240901preview:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20240901preview:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20240901preview:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20241001preview:azurestackhci:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", + "azure-native_azurestackhci_v20241001preview:azurestackhci:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", + "azure-native_azurestackhci_v20241001preview:azurestackhci:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", + "azure-native_azurestackhci_v20241001preview:azurestackhci:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", + "azure-native_azurestackhci_v20241001preview:azurestackhci:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", + "azure-native_azurestackhci_v20241001preview:azurestackhci:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_azurestackhci_v20241001preview:azurestackhci:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_azurestackhci_v20241001preview:azurestackhci:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", + "azure-native_azurestackhci_v20241001preview:azurestackhci:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", + "azure-native_azurestackhci_v20241001preview:azurestackhci:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", + "azure-native_azurestackhci_v20241201preview:azurestackhci:ArcSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}", + "azure-native_azurestackhci_v20241201preview:azurestackhci:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}", + "azure-native_azurestackhci_v20241201preview:azurestackhci:DeploymentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/deploymentSettings/{deploymentSettingsName}", + "azure-native_azurestackhci_v20241201preview:azurestackhci:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/arcSettings/{arcSettingName}/extensions/{extensionName}", + "azure-native_azurestackhci_v20241201preview:azurestackhci:HciEdgeDevice": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}", + "azure-native_azurestackhci_v20241201preview:azurestackhci:HciEdgeDeviceJob": "/{resourceUri}/providers/Microsoft.AzureStackHCI/edgeDevices/{edgeDeviceName}/jobs/{jobsName}", + "azure-native_azurestackhci_v20241201preview:azurestackhci:SecuritySetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/securitySettings/{securitySettingsName}", + "azure-native_azurestackhci_v20241201preview:azurestackhci:Update": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}", + "azure-native_azurestackhci_v20241201preview:azurestackhci:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updates/{updateName}/updateRuns/{updateRunName}", + "azure-native_azurestackhci_v20241201preview:azurestackhci:UpdateSummary": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/clusters/{clusterName}/updateSummaries/default", + "azure-native_azurestackhci_v20250201preview:azurestackhci:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", + "azure-native_azurestackhci_v20250201preview:azurestackhci:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", + "azure-native_azurestackhci_v20250201preview:azurestackhci:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", + "azure-native_azurestackhci_v20250201preview:azurestackhci:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", + "azure-native_azurestackhci_v20250201preview:azurestackhci:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", + "azure-native_azurestackhci_v20250201preview:azurestackhci:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_azurestackhci_v20250201preview:azurestackhci:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_azurestackhci_v20250201preview:azurestackhci:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", + "azure-native_azurestackhci_v20250201preview:azurestackhci:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", + "azure-native_azurestackhci_v20250201preview:azurestackhci:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", + "azure-native_azurestackhci_v20250401preview:azurestackhci:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/galleryImages/{galleryImageName}", + "azure-native_azurestackhci_v20250401preview:azurestackhci:GuestAgent": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default/guestAgents/default", + "azure-native_azurestackhci_v20250401preview:azurestackhci:LogicalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/logicalNetworks/{logicalNetworkName}", + "azure-native_azurestackhci_v20250401preview:azurestackhci:MarketplaceGalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/marketplaceGalleryImages/{marketplaceGalleryImageName}", + "azure-native_azurestackhci_v20250401preview:azurestackhci:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkInterfaces/{networkInterfaceName}", + "azure-native_azurestackhci_v20250401preview:azurestackhci:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_azurestackhci_v20250401preview:azurestackhci:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_azurestackhci_v20250401preview:azurestackhci:StorageContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/storageContainers/{storageContainerName}", + "azure-native_azurestackhci_v20250401preview:azurestackhci:VirtualHardDisk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.AzureStackHCI/virtualHardDisks/{virtualHardDiskName}", + "azure-native_azurestackhci_v20250401preview:azurestackhci:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.AzureStackHCI/virtualMachineInstances/default", + "azure-native_baremetalinfrastructure_v20230406:baremetalinfrastructure:AzureBareMetalStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalStorageInstances/{azureBareMetalStorageInstanceName}", + "azure-native_baremetalinfrastructure_v20230804preview:baremetalinfrastructure:AzureBareMetalStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalStorageInstances/{azureBareMetalStorageInstanceName}", + "azure-native_baremetalinfrastructure_v20231101preview:baremetalinfrastructure:AzureBareMetalStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalStorageInstances/{azureBareMetalStorageInstanceName}", + "azure-native_baremetalinfrastructure_v20240801preview:baremetalinfrastructure:AzureBareMetalInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalInstances/{azureBareMetalInstanceName}", + "azure-native_baremetalinfrastructure_v20240801preview:baremetalinfrastructure:AzureBareMetalStorageInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BareMetalInfrastructure/bareMetalStorageInstances/{azureBareMetalStorageInstanceName}", + "azure-native_batch_v20230501:batch:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}", + "azure-native_batch_v20230501:batch:ApplicationPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}/versions/{versionName}", + "azure-native_batch_v20230501:batch:BatchAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}", + "azure-native_batch_v20230501:batch:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/pools/{poolName}", + "azure-native_batch_v20231101:batch:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}", + "azure-native_batch_v20231101:batch:ApplicationPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}/versions/{versionName}", + "azure-native_batch_v20231101:batch:BatchAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}", + "azure-native_batch_v20231101:batch:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/pools/{poolName}", + "azure-native_batch_v20240201:batch:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}", + "azure-native_batch_v20240201:batch:ApplicationPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}/versions/{versionName}", + "azure-native_batch_v20240201:batch:BatchAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}", + "azure-native_batch_v20240201:batch:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/pools/{poolName}", + "azure-native_batch_v20240701:batch:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}", + "azure-native_batch_v20240701:batch:ApplicationPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/applications/{applicationName}/versions/{versionName}", + "azure-native_batch_v20240701:batch:BatchAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}", + "azure-native_batch_v20240701:batch:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Batch/batchAccounts/{accountName}/pools/{poolName}", + "azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByBillingAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingRoleAssignments/{billingRoleAssignmentName}", + "azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByDepartment": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/departments/{departmentName}/billingRoleAssignments/{billingRoleAssignmentName}", + "azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByEnrollmentAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/enrollmentAccounts/{enrollmentAccountName}/billingRoleAssignments/{billingRoleAssignmentName}", + "azure-native_billing_v20240401:billing:AssociatedTenant": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/associatedTenants/{associatedTenantName}", + "azure-native_billing_v20240401:billing:BillingProfile": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}", + "azure-native_billing_v20240401:billing:BillingRoleAssignmentByBillingAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingRoleAssignments/{billingRoleAssignmentName}", + "azure-native_billing_v20240401:billing:BillingRoleAssignmentByDepartment": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/departments/{departmentName}/billingRoleAssignments/{billingRoleAssignmentName}", + "azure-native_billing_v20240401:billing:BillingRoleAssignmentByEnrollmentAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/enrollmentAccounts/{enrollmentAccountName}/billingRoleAssignments/{billingRoleAssignmentName}", + "azure-native_billing_v20240401:billing:InvoiceSection": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}/invoiceSections/{invoiceSectionName}", + "azure-native_billingbenefits_v20241101preview:billingbenefits:Discount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BillingBenefits/discounts/{discountName}", + "azure-native_blueprint_v20181101preview:blueprint:Assignment": "/{resourceScope}/providers/Microsoft.Blueprint/blueprintAssignments/{assignmentName}", + "azure-native_blueprint_v20181101preview:blueprint:Blueprint": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}", + "azure-native_blueprint_v20181101preview:blueprint:PolicyAssignmentArtifact": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/artifacts/{artifactName}", + "azure-native_blueprint_v20181101preview:blueprint:PublishedBlueprint": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/versions/{versionId}", + "azure-native_blueprint_v20181101preview:blueprint:RoleAssignmentArtifact": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/artifacts/{artifactName}", + "azure-native_blueprint_v20181101preview:blueprint:TemplateArtifact": "/{resourceScope}/providers/Microsoft.Blueprint/blueprints/{blueprintName}/artifacts/{artifactName}", + "azure-native_botservice_v20220915:botservice:Bot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}", + "azure-native_botservice_v20220915:botservice:BotConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/connections/{connectionName}", + "azure-native_botservice_v20220915:botservice:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/channels/{channelName}", + "azure-native_botservice_v20220915:botservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_botservice_v20230915preview:botservice:Bot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}", + "azure-native_botservice_v20230915preview:botservice:BotConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/connections/{connectionName}", + "azure-native_botservice_v20230915preview:botservice:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/channels/{channelName}", + "azure-native_botservice_v20230915preview:botservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.BotService/botServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cdn_v20230501:cdn:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", + "azure-native_cdn_v20230501:cdn:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", + "azure-native_cdn_v20230501:cdn:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", + "azure-native_cdn_v20230501:cdn:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", + "azure-native_cdn_v20230501:cdn:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", + "azure-native_cdn_v20230501:cdn:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", + "azure-native_cdn_v20230501:cdn:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", + "azure-native_cdn_v20230501:cdn:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", + "azure-native_cdn_v20230501:cdn:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", + "azure-native_cdn_v20230501:cdn:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", + "azure-native_cdn_v20230501:cdn:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", + "azure-native_cdn_v20230501:cdn:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", + "azure-native_cdn_v20230501:cdn:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", + "azure-native_cdn_v20230501:cdn:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", + "azure-native_cdn_v20230501:cdn:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", + "azure-native_cdn_v20230701preview:cdn:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", + "azure-native_cdn_v20230701preview:cdn:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", + "azure-native_cdn_v20230701preview:cdn:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", + "azure-native_cdn_v20230701preview:cdn:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", + "azure-native_cdn_v20230701preview:cdn:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", + "azure-native_cdn_v20230701preview:cdn:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", + "azure-native_cdn_v20230701preview:cdn:KeyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/keyGroups/{keyGroupName}", + "azure-native_cdn_v20230701preview:cdn:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", + "azure-native_cdn_v20230701preview:cdn:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", + "azure-native_cdn_v20230701preview:cdn:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", + "azure-native_cdn_v20230701preview:cdn:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", + "azure-native_cdn_v20230701preview:cdn:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", + "azure-native_cdn_v20230701preview:cdn:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", + "azure-native_cdn_v20230701preview:cdn:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", + "azure-native_cdn_v20230701preview:cdn:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", + "azure-native_cdn_v20230701preview:cdn:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", + "azure-native_cdn_v20240201:cdn:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", + "azure-native_cdn_v20240201:cdn:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", + "azure-native_cdn_v20240201:cdn:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", + "azure-native_cdn_v20240201:cdn:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", + "azure-native_cdn_v20240201:cdn:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", + "azure-native_cdn_v20240201:cdn:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", + "azure-native_cdn_v20240201:cdn:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", + "azure-native_cdn_v20240201:cdn:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", + "azure-native_cdn_v20240201:cdn:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", + "azure-native_cdn_v20240201:cdn:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", + "azure-native_cdn_v20240201:cdn:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", + "azure-native_cdn_v20240201:cdn:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", + "azure-native_cdn_v20240201:cdn:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", + "azure-native_cdn_v20240201:cdn:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", + "azure-native_cdn_v20240201:cdn:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", + "azure-native_cdn_v20240501preview:cdn:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", + "azure-native_cdn_v20240501preview:cdn:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", + "azure-native_cdn_v20240501preview:cdn:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", + "azure-native_cdn_v20240501preview:cdn:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", + "azure-native_cdn_v20240501preview:cdn:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", + "azure-native_cdn_v20240501preview:cdn:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", + "azure-native_cdn_v20240501preview:cdn:KeyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/keyGroups/{keyGroupName}", + "azure-native_cdn_v20240501preview:cdn:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", + "azure-native_cdn_v20240501preview:cdn:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", + "azure-native_cdn_v20240501preview:cdn:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", + "azure-native_cdn_v20240501preview:cdn:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", + "azure-native_cdn_v20240501preview:cdn:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", + "azure-native_cdn_v20240501preview:cdn:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", + "azure-native_cdn_v20240501preview:cdn:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", + "azure-native_cdn_v20240501preview:cdn:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", + "azure-native_cdn_v20240501preview:cdn:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", + "azure-native_cdn_v20240601preview:cdn:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", + "azure-native_cdn_v20240601preview:cdn:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", + "azure-native_cdn_v20240601preview:cdn:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", + "azure-native_cdn_v20240601preview:cdn:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", + "azure-native_cdn_v20240601preview:cdn:AFDTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/targetGroups/{targetGroupName}", + "azure-native_cdn_v20240601preview:cdn:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", + "azure-native_cdn_v20240601preview:cdn:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", + "azure-native_cdn_v20240601preview:cdn:KeyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/keyGroups/{keyGroupName}", + "azure-native_cdn_v20240601preview:cdn:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", + "azure-native_cdn_v20240601preview:cdn:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", + "azure-native_cdn_v20240601preview:cdn:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", + "azure-native_cdn_v20240601preview:cdn:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", + "azure-native_cdn_v20240601preview:cdn:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", + "azure-native_cdn_v20240601preview:cdn:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", + "azure-native_cdn_v20240601preview:cdn:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", + "azure-native_cdn_v20240601preview:cdn:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", + "azure-native_cdn_v20240601preview:cdn:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", + "azure-native_cdn_v20240601preview:cdn:TunnelPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/tunnelPolicies/{tunnelPolicyName}", + "azure-native_cdn_v20240722preview:cdn:EdgeAction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/edgeActions/{edgeActionName}", + "azure-native_cdn_v20240722preview:cdn:EdgeActionExecutionFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/edgeActions/{edgeActionName}/executionFilters/{executionFilter}", + "azure-native_cdn_v20240722preview:cdn:EdgeActionVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/edgeActions/{edgeActionName}/versions/{version}", + "azure-native_cdn_v20240901:cdn:AFDCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/customDomains/{customDomainName}", + "azure-native_cdn_v20240901:cdn:AFDEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}", + "azure-native_cdn_v20240901:cdn:AFDOrigin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}/origins/{originName}", + "azure-native_cdn_v20240901:cdn:AFDOriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/originGroups/{originGroupName}", + "azure-native_cdn_v20240901:cdn:CustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/customDomains/{customDomainName}", + "azure-native_cdn_v20240901:cdn:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}", + "azure-native_cdn_v20240901:cdn:Origin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/origins/{originName}", + "azure-native_cdn_v20240901:cdn:OriginGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/endpoints/{endpointName}/originGroups/{originGroupName}", + "azure-native_cdn_v20240901:cdn:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/cdnWebApplicationFirewallPolicies/{policyName}", + "azure-native_cdn_v20240901:cdn:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}", + "azure-native_cdn_v20240901:cdn:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/afdEndpoints/{endpointName}/routes/{routeName}", + "azure-native_cdn_v20240901:cdn:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}/rules/{ruleName}", + "azure-native_cdn_v20240901:cdn:RuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/ruleSets/{ruleSetName}", + "azure-native_cdn_v20240901:cdn:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/secrets/{secretName}", + "azure-native_cdn_v20240901:cdn:SecurityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cdn/profiles/{profileName}/securityPolicies/{securityPolicyName}", + "azure-native_certificateregistration_v20220901:certificateregistration:AppServiceCertificateOrder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}", + "azure-native_certificateregistration_v20220901:certificateregistration:AppServiceCertificateOrderCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}/certificates/{name}", + "azure-native_certificateregistration_v20230101:certificateregistration:AppServiceCertificateOrder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}", + "azure-native_certificateregistration_v20230101:certificateregistration:AppServiceCertificateOrderCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}/certificates/{name}", + "azure-native_certificateregistration_v20231201:certificateregistration:AppServiceCertificateOrder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}", + "azure-native_certificateregistration_v20231201:certificateregistration:AppServiceCertificateOrderCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}/certificates/{name}", + "azure-native_certificateregistration_v20240401:certificateregistration:AppServiceCertificateOrder": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}", + "azure-native_certificateregistration_v20240401:certificateregistration:AppServiceCertificateOrderCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CertificateRegistration/certificateOrders/{certificateOrderName}/certificates/{name}", + "azure-native_changeanalysis_v20200401preview:changeanalysis:ConfigurationProfile": "/subscriptions/{subscriptionId}/providers/Microsoft.ChangeAnalysis/profile/{profileName}", + "azure-native_chaos_v20230415preview:chaos:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", + "azure-native_chaos_v20230415preview:chaos:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", + "azure-native_chaos_v20230415preview:chaos:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", + "azure-native_chaos_v20230901preview:chaos:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", + "azure-native_chaos_v20230901preview:chaos:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", + "azure-native_chaos_v20230901preview:chaos:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", + "azure-native_chaos_v20231027preview:chaos:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", + "azure-native_chaos_v20231027preview:chaos:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", + "azure-native_chaos_v20231027preview:chaos:PrivateAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/privateAccesses/{privateAccessName}", + "azure-native_chaos_v20231027preview:chaos:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", + "azure-native_chaos_v20231101:chaos:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", + "azure-native_chaos_v20231101:chaos:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", + "azure-native_chaos_v20231101:chaos:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", + "azure-native_chaos_v20240101:chaos:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", + "azure-native_chaos_v20240101:chaos:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", + "azure-native_chaos_v20240101:chaos:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", + "azure-native_chaos_v20240322preview:chaos:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", + "azure-native_chaos_v20240322preview:chaos:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", + "azure-native_chaos_v20240322preview:chaos:PrivateAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/privateAccesses/{privateAccessName}", + "azure-native_chaos_v20240322preview:chaos:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", + "azure-native_chaos_v20241101preview:chaos:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", + "azure-native_chaos_v20241101preview:chaos:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", + "azure-native_chaos_v20241101preview:chaos:PrivateAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/privateAccesses/{privateAccessName}", + "azure-native_chaos_v20241101preview:chaos:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", + "azure-native_chaos_v20250101:chaos:Capability": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}/capabilities/{capabilityName}", + "azure-native_chaos_v20250101:chaos:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Chaos/experiments/{experimentName}", + "azure-native_chaos_v20250101:chaos:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{parentProviderNamespace}/{parentResourceType}/{parentResourceName}/providers/Microsoft.Chaos/targets/{targetName}", + "azure-native_cloudngfw_v20230901:cloudngfw:CertificateObjectGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/certificates/{name}", + "azure-native_cloudngfw_v20230901:cloudngfw:CertificateObjectLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/certificates/{name}", + "azure-native_cloudngfw_v20230901:cloudngfw:Firewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/firewalls/{firewallName}", + "azure-native_cloudngfw_v20230901:cloudngfw:FqdnListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/fqdnlists/{name}", + "azure-native_cloudngfw_v20230901:cloudngfw:FqdnListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/fqdnlists/{name}", + "azure-native_cloudngfw_v20230901:cloudngfw:GlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}", + "azure-native_cloudngfw_v20230901:cloudngfw:LocalRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/localRules/{priority}", + "azure-native_cloudngfw_v20230901:cloudngfw:LocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}", + "azure-native_cloudngfw_v20230901:cloudngfw:PostRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/postRules/{priority}", + "azure-native_cloudngfw_v20230901:cloudngfw:PreRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/preRules/{priority}", + "azure-native_cloudngfw_v20230901:cloudngfw:PrefixListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/prefixlists/{name}", + "azure-native_cloudngfw_v20230901:cloudngfw:PrefixListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/prefixlists/{name}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:CertificateObjectGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/certificates/{name}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:CertificateObjectLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/certificates/{name}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:Firewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/firewalls/{firewallName}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:FqdnListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/fqdnlists/{name}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:FqdnListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/fqdnlists/{name}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:GlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:LocalRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/localRules/{priority}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:LocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:PostRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/postRules/{priority}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:PreRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/preRules/{priority}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:PrefixListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/prefixlists/{name}", + "azure-native_cloudngfw_v20231010preview:cloudngfw:PrefixListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/prefixlists/{name}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:CertificateObjectGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/certificates/{name}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:CertificateObjectLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/certificates/{name}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:Firewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/firewalls/{firewallName}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:FqdnListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/fqdnlists/{name}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:FqdnListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/fqdnlists/{name}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:GlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:LocalRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/localRules/{priority}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:LocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:PostRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/postRules/{priority}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:PreRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/preRules/{priority}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:PrefixListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/prefixlists/{name}", + "azure-native_cloudngfw_v20240119preview:cloudngfw:PrefixListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/prefixlists/{name}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:CertificateObjectGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/certificates/{name}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:CertificateObjectLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/certificates/{name}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:Firewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/firewalls/{firewallName}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:FqdnListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/fqdnlists/{name}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:FqdnListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/fqdnlists/{name}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:GlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:LocalRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/localRules/{priority}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:LocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:PostRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/postRules/{priority}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:PreRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/preRules/{priority}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:PrefixListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/prefixlists/{name}", + "azure-native_cloudngfw_v20240207preview:cloudngfw:PrefixListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/prefixlists/{name}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:CertificateObjectGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/certificates/{name}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:CertificateObjectLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/certificates/{name}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:Firewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/firewalls/{firewallName}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:FqdnListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/fqdnlists/{name}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:FqdnListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/fqdnlists/{name}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:GlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:LocalRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/localRules/{priority}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:LocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:PostRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/postRules/{priority}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:PreRule": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/preRules/{priority}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:PrefixListGlobalRulestack": "/providers/PaloAltoNetworks.Cloudngfw/globalRulestacks/{globalRulestackName}/prefixlists/{name}", + "azure-native_cloudngfw_v20250206preview:cloudngfw:PrefixListLocalRulestack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/PaloAltoNetworks.Cloudngfw/localRulestacks/{localRulestackName}/prefixlists/{name}", + "azure-native_codesigning_v20240205preview:codesigning:CertificateProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CodeSigning/codeSigningAccounts/{accountName}/certificateProfiles/{profileName}", + "azure-native_codesigning_v20240205preview:codesigning:CodeSigningAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CodeSigning/codeSigningAccounts/{accountName}", + "azure-native_codesigning_v20240930preview:codesigning:CertificateProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CodeSigning/codeSigningAccounts/{accountName}/certificateProfiles/{profileName}", + "azure-native_codesigning_v20240930preview:codesigning:CodeSigningAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CodeSigning/codeSigningAccounts/{accountName}", + "azure-native_cognitiveservices_v20230501:cognitiveservices:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", + "azure-native_cognitiveservices_v20230501:cognitiveservices:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", + "azure-native_cognitiveservices_v20230501:cognitiveservices:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", + "azure-native_cognitiveservices_v20230501:cognitiveservices:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", + "azure-native_cognitiveservices_v20230501:cognitiveservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cognitiveservices_v20230501:cognitiveservices:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", + "azure-native_cognitiveservices_v20231001preview:cognitiveservices:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", + "azure-native_cognitiveservices_v20231001preview:cognitiveservices:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", + "azure-native_cognitiveservices_v20231001preview:cognitiveservices:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", + "azure-native_cognitiveservices_v20231001preview:cognitiveservices:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", + "azure-native_cognitiveservices_v20231001preview:cognitiveservices:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/encryptionScopes/{encryptionScopeName}", + "azure-native_cognitiveservices_v20231001preview:cognitiveservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}", + "azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", + "azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiPolicies/{raiPolicyName}", + "azure-native_cognitiveservices_v20231001preview:cognitiveservices:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", + "azure-native_cognitiveservices_v20240401preview:cognitiveservices:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", + "azure-native_cognitiveservices_v20240401preview:cognitiveservices:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", + "azure-native_cognitiveservices_v20240401preview:cognitiveservices:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", + "azure-native_cognitiveservices_v20240401preview:cognitiveservices:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", + "azure-native_cognitiveservices_v20240401preview:cognitiveservices:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/encryptionScopes/{encryptionScopeName}", + "azure-native_cognitiveservices_v20240401preview:cognitiveservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}", + "azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", + "azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiPolicies/{raiPolicyName}", + "azure-native_cognitiveservices_v20240401preview:cognitiveservices:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", + "azure-native_cognitiveservices_v20240601preview:cognitiveservices:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", + "azure-native_cognitiveservices_v20240601preview:cognitiveservices:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", + "azure-native_cognitiveservices_v20240601preview:cognitiveservices:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", + "azure-native_cognitiveservices_v20240601preview:cognitiveservices:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", + "azure-native_cognitiveservices_v20240601preview:cognitiveservices:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/encryptionScopes/{encryptionScopeName}", + "azure-native_cognitiveservices_v20240601preview:cognitiveservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}", + "azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", + "azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiPolicies/{raiPolicyName}", + "azure-native_cognitiveservices_v20240601preview:cognitiveservices:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", + "azure-native_cognitiveservices_v20241001:cognitiveservices:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", + "azure-native_cognitiveservices_v20241001:cognitiveservices:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", + "azure-native_cognitiveservices_v20241001:cognitiveservices:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", + "azure-native_cognitiveservices_v20241001:cognitiveservices:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", + "azure-native_cognitiveservices_v20241001:cognitiveservices:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/encryptionScopes/{encryptionScopeName}", + "azure-native_cognitiveservices_v20241001:cognitiveservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cognitiveservices_v20241001:cognitiveservices:RaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}", + "azure-native_cognitiveservices_v20241001:cognitiveservices:RaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", + "azure-native_cognitiveservices_v20241001:cognitiveservices:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiPolicies/{raiPolicyName}", + "azure-native_cognitiveservices_v20241001:cognitiveservices:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:AccountCapabilityHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/capabilityHosts/{capabilityHostName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:AccountConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/connections/{connectionName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/commitmentPlans/{commitmentPlanName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:CommitmentPlanAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}/accountAssociations/{commitmentPlanAssociationName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:Deployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/deployments/{deploymentName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/encryptionScopes/{encryptionScopeName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/projects/{projectName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:ProjectCapabilityHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/projects/{projectName}/capabilityHosts/{capabilityHostName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:ProjectConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/projects/{projectName}/connections/{connectionName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/accounts/{accountName}/raiPolicies/{raiPolicyName}", + "azure-native_cognitiveservices_v20250401preview:cognitiveservices:SharedCommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CognitiveServices/commitmentPlans/{commitmentPlanName}", + "azure-native_communication_v20230331:communication:CommunicationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}", + "azure-native_communication_v20230331:communication:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}", + "azure-native_communication_v20230331:communication:EmailService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}", + "azure-native_communication_v20230331:communication:SenderUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/senderUsernames/{senderUsername}", + "azure-native_communication_v20230401:communication:CommunicationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}", + "azure-native_communication_v20230401:communication:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}", + "azure-native_communication_v20230401:communication:EmailService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}", + "azure-native_communication_v20230401:communication:SenderUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/senderUsernames/{senderUsername}", + "azure-native_communication_v20230401preview:communication:CommunicationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}", + "azure-native_communication_v20230401preview:communication:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}", + "azure-native_communication_v20230401preview:communication:EmailService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}", + "azure-native_communication_v20230401preview:communication:SenderUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/senderUsernames/{senderUsername}", + "azure-native_communication_v20230601preview:communication:CommunicationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}", + "azure-native_communication_v20230601preview:communication:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}", + "azure-native_communication_v20230601preview:communication:EmailService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}", + "azure-native_communication_v20230601preview:communication:SenderUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/senderUsernames/{senderUsername}", + "azure-native_communication_v20230601preview:communication:SuppressionList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/suppressionLists/{suppressionListName}", + "azure-native_communication_v20230601preview:communication:SuppressionListAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/suppressionLists/{suppressionListName}/suppressionListAddresses/{addressId}", + "azure-native_communication_v20240901preview:communication:CommunicationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}", + "azure-native_communication_v20240901preview:communication:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}", + "azure-native_communication_v20240901preview:communication:EmailService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}", + "azure-native_communication_v20240901preview:communication:SenderUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/senderUsernames/{senderUsername}", + "azure-native_communication_v20240901preview:communication:SmtpUsername": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/communicationServices/{communicationServiceName}/smtpUsernames/{smtpUsername}", + "azure-native_communication_v20240901preview:communication:SuppressionList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/suppressionLists/{suppressionListName}", + "azure-native_communication_v20240901preview:communication:SuppressionListAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Communication/emailServices/{emailServiceName}/domains/{domainName}/suppressionLists/{suppressionListName}/suppressionListAddresses/{addressId}", + "azure-native_community_v20231101:community:CommunityTraining": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Community/communityTrainings/{communityTrainingName}", + "azure-native_compute_v20220303:compute:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}", + "azure-native_compute_v20220303:compute:GalleryApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}", + "azure-native_compute_v20220303:compute:GalleryApplicationVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}/versions/{galleryApplicationVersionName}", + "azure-native_compute_v20220303:compute:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}", + "azure-native_compute_v20220303:compute:GalleryImageVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}/versions/{galleryImageVersionName}", + "azure-native_compute_v20220404:compute:CloudService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/cloudServices/{cloudServiceName}", + "azure-native_compute_v20220702:compute:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/disks/{diskName}", + "azure-native_compute_v20220702:compute:DiskAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}", + "azure-native_compute_v20220702:compute:DiskAccessAPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_compute_v20220702:compute:DiskEncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{diskEncryptionSetName}", + "azure-native_compute_v20220702:compute:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/snapshots/{snapshotName}", + "azure-native_compute_v20220801:compute:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", + "azure-native_compute_v20220801:compute:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", + "azure-native_compute_v20220801:compute:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", + "azure-native_compute_v20220801:compute:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", + "azure-native_compute_v20220801:compute:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", + "azure-native_compute_v20220801:compute:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", + "azure-native_compute_v20220801:compute:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", + "azure-native_compute_v20220801:compute:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", + "azure-native_compute_v20220801:compute:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", + "azure-native_compute_v20220801:compute:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", + "azure-native_compute_v20220801:compute:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", + "azure-native_compute_v20220801:compute:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", + "azure-native_compute_v20220801:compute:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", + "azure-native_compute_v20220801:compute:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", + "azure-native_compute_v20220801:compute:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", + "azure-native_compute_v20220801:compute:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", + "azure-native_compute_v20220801:compute:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", + "azure-native_compute_v20220801:compute:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", + "azure-native_compute_v20220803:compute:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}", + "azure-native_compute_v20220803:compute:GalleryApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}", + "azure-native_compute_v20220803:compute:GalleryApplicationVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}/versions/{galleryApplicationVersionName}", + "azure-native_compute_v20220803:compute:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}", + "azure-native_compute_v20220803:compute:GalleryImageVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}/versions/{galleryImageVersionName}", + "azure-native_compute_v20220904:compute:CloudService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/cloudServices/{cloudServiceName}", + "azure-native_compute_v20221101:compute:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", + "azure-native_compute_v20221101:compute:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", + "azure-native_compute_v20221101:compute:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", + "azure-native_compute_v20221101:compute:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", + "azure-native_compute_v20221101:compute:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", + "azure-native_compute_v20221101:compute:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", + "azure-native_compute_v20221101:compute:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", + "azure-native_compute_v20221101:compute:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", + "azure-native_compute_v20221101:compute:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", + "azure-native_compute_v20221101:compute:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", + "azure-native_compute_v20221101:compute:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", + "azure-native_compute_v20221101:compute:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", + "azure-native_compute_v20221101:compute:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", + "azure-native_compute_v20221101:compute:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", + "azure-native_compute_v20221101:compute:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", + "azure-native_compute_v20221101:compute:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", + "azure-native_compute_v20221101:compute:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", + "azure-native_compute_v20221101:compute:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", + "azure-native_compute_v20230102:compute:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/disks/{diskName}", + "azure-native_compute_v20230102:compute:DiskAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}", + "azure-native_compute_v20230102:compute:DiskAccessAPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_compute_v20230102:compute:DiskEncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{diskEncryptionSetName}", + "azure-native_compute_v20230102:compute:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/snapshots/{snapshotName}", + "azure-native_compute_v20230301:compute:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", + "azure-native_compute_v20230301:compute:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", + "azure-native_compute_v20230301:compute:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", + "azure-native_compute_v20230301:compute:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", + "azure-native_compute_v20230301:compute:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", + "azure-native_compute_v20230301:compute:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", + "azure-native_compute_v20230301:compute:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", + "azure-native_compute_v20230301:compute:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", + "azure-native_compute_v20230301:compute:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", + "azure-native_compute_v20230301:compute:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", + "azure-native_compute_v20230301:compute:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", + "azure-native_compute_v20230301:compute:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", + "azure-native_compute_v20230301:compute:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", + "azure-native_compute_v20230301:compute:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", + "azure-native_compute_v20230301:compute:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", + "azure-native_compute_v20230301:compute:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", + "azure-native_compute_v20230301:compute:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", + "azure-native_compute_v20230301:compute:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", + "azure-native_compute_v20230402:compute:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/disks/{diskName}", + "azure-native_compute_v20230402:compute:DiskAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}", + "azure-native_compute_v20230402:compute:DiskAccessAPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_compute_v20230402:compute:DiskEncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{diskEncryptionSetName}", + "azure-native_compute_v20230402:compute:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/snapshots/{snapshotName}", + "azure-native_compute_v20230701:compute:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", + "azure-native_compute_v20230701:compute:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", + "azure-native_compute_v20230701:compute:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", + "azure-native_compute_v20230701:compute:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", + "azure-native_compute_v20230701:compute:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", + "azure-native_compute_v20230701:compute:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", + "azure-native_compute_v20230701:compute:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", + "azure-native_compute_v20230701:compute:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", + "azure-native_compute_v20230701:compute:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", + "azure-native_compute_v20230701:compute:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", + "azure-native_compute_v20230701:compute:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", + "azure-native_compute_v20230701:compute:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", + "azure-native_compute_v20230701:compute:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", + "azure-native_compute_v20230701:compute:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", + "azure-native_compute_v20230701:compute:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", + "azure-native_compute_v20230701:compute:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", + "azure-native_compute_v20230701:compute:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", + "azure-native_compute_v20230701:compute:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", + "azure-native_compute_v20230703:compute:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}", + "azure-native_compute_v20230703:compute:GalleryApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}", + "azure-native_compute_v20230703:compute:GalleryApplicationVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}/versions/{galleryApplicationVersionName}", + "azure-native_compute_v20230703:compute:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}", + "azure-native_compute_v20230703:compute:GalleryImageVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}/versions/{galleryImageVersionName}", + "azure-native_compute_v20230901:compute:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", + "azure-native_compute_v20230901:compute:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", + "azure-native_compute_v20230901:compute:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", + "azure-native_compute_v20230901:compute:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", + "azure-native_compute_v20230901:compute:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", + "azure-native_compute_v20230901:compute:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", + "azure-native_compute_v20230901:compute:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", + "azure-native_compute_v20230901:compute:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", + "azure-native_compute_v20230901:compute:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", + "azure-native_compute_v20230901:compute:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", + "azure-native_compute_v20230901:compute:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", + "azure-native_compute_v20230901:compute:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", + "azure-native_compute_v20230901:compute:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", + "azure-native_compute_v20230901:compute:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", + "azure-native_compute_v20230901:compute:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", + "azure-native_compute_v20230901:compute:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", + "azure-native_compute_v20230901:compute:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", + "azure-native_compute_v20230901:compute:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", + "azure-native_compute_v20231002:compute:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/disks/{diskName}", + "azure-native_compute_v20231002:compute:DiskAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}", + "azure-native_compute_v20231002:compute:DiskAccessAPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_compute_v20231002:compute:DiskEncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{diskEncryptionSetName}", + "azure-native_compute_v20231002:compute:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/snapshots/{snapshotName}", + "azure-native_compute_v20240301:compute:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", + "azure-native_compute_v20240301:compute:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", + "azure-native_compute_v20240301:compute:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", + "azure-native_compute_v20240301:compute:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", + "azure-native_compute_v20240301:compute:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", + "azure-native_compute_v20240301:compute:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", + "azure-native_compute_v20240301:compute:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", + "azure-native_compute_v20240301:compute:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", + "azure-native_compute_v20240301:compute:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", + "azure-native_compute_v20240301:compute:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", + "azure-native_compute_v20240301:compute:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", + "azure-native_compute_v20240301:compute:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", + "azure-native_compute_v20240301:compute:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", + "azure-native_compute_v20240301:compute:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", + "azure-native_compute_v20240301:compute:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", + "azure-native_compute_v20240301:compute:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", + "azure-native_compute_v20240301:compute:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", + "azure-native_compute_v20240301:compute:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", + "azure-native_compute_v20240302:compute:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/disks/{diskName}", + "azure-native_compute_v20240302:compute:DiskAccess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}", + "azure-native_compute_v20240302:compute:DiskAccessAPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskAccesses/{diskAccessName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_compute_v20240302:compute:DiskEncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{diskEncryptionSetName}", + "azure-native_compute_v20240302:compute:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/snapshots/{snapshotName}", + "azure-native_compute_v20240303:compute:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}", + "azure-native_compute_v20240303:compute:GalleryApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}", + "azure-native_compute_v20240303:compute:GalleryApplicationVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/applications/{galleryApplicationName}/versions/{galleryApplicationVersionName}", + "azure-native_compute_v20240303:compute:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}", + "azure-native_compute_v20240303:compute:GalleryImageVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/images/{galleryImageName}/versions/{galleryImageVersionName}", + "azure-native_compute_v20240303:compute:GalleryInVMAccessControlProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/inVMAccessControlProfiles/{inVMAccessControlProfileName}", + "azure-native_compute_v20240303:compute:GalleryInVMAccessControlProfileVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/galleries/{galleryName}/inVMAccessControlProfiles/{inVMAccessControlProfileName}/versions/{inVMAccessControlProfileVersionName}", + "azure-native_compute_v20240701:compute:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", + "azure-native_compute_v20240701:compute:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", + "azure-native_compute_v20240701:compute:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", + "azure-native_compute_v20240701:compute:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", + "azure-native_compute_v20240701:compute:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", + "azure-native_compute_v20240701:compute:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", + "azure-native_compute_v20240701:compute:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", + "azure-native_compute_v20240701:compute:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", + "azure-native_compute_v20240701:compute:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", + "azure-native_compute_v20240701:compute:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", + "azure-native_compute_v20240701:compute:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", + "azure-native_compute_v20240701:compute:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", + "azure-native_compute_v20240701:compute:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", + "azure-native_compute_v20240701:compute:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", + "azure-native_compute_v20240701:compute:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", + "azure-native_compute_v20240701:compute:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", + "azure-native_compute_v20240701:compute:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", + "azure-native_compute_v20240701:compute:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", + "azure-native_compute_v20241101:compute:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/availabilitySets/{availabilitySetName}", + "azure-native_compute_v20241101:compute:CapacityReservation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}/capacityReservations/{capacityReservationName}", + "azure-native_compute_v20241101:compute:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/capacityReservationGroups/{capacityReservationGroupName}", + "azure-native_compute_v20241101:compute:DedicatedHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}/hosts/{hostName}", + "azure-native_compute_v20241101:compute:DedicatedHostGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/hostGroups/{hostGroupName}", + "azure-native_compute_v20241101:compute:Image": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/images/{imageName}", + "azure-native_compute_v20241101:compute:ProximityPlacementGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/proximityPlacementGroups/{proximityPlacementGroupName}", + "azure-native_compute_v20241101:compute:RestorePoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}/restorePoints/{restorePointName}", + "azure-native_compute_v20241101:compute:RestorePointCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/restorePointCollections/{restorePointCollectionName}", + "azure-native_compute_v20241101:compute:SshPublicKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/sshPublicKeys/{sshPublicKeyName}", + "azure-native_compute_v20241101:compute:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}", + "azure-native_compute_v20241101:compute:VirtualMachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/extensions/{vmExtensionName}", + "azure-native_compute_v20241101:compute:VirtualMachineRunCommandByVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/runCommands/{runCommandName}", + "azure-native_compute_v20241101:compute:VirtualMachineScaleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}", + "azure-native_compute_v20241101:compute:VirtualMachineScaleSetExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/extensions/{vmssExtensionName}", + "azure-native_compute_v20241101:compute:VirtualMachineScaleSetVM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}", + "azure-native_compute_v20241101:compute:VirtualMachineScaleSetVMExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/extensions/{vmExtensionName}", + "azure-native_compute_v20241101:compute:VirtualMachineScaleSetVMRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmScaleSetName}/virtualMachines/{instanceId}/runCommands/{runCommandName}", + "azure-native_compute_v20241104:compute:CloudService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/cloudServices/{cloudServiceName}", + "azure-native_confidentialledger_v20220513:confidentialledger:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", + "azure-native_confidentialledger_v20220908preview:confidentialledger:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", + "azure-native_confidentialledger_v20220908preview:confidentialledger:ManagedCCF": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/managedCCFs/{appName}", + "azure-native_confidentialledger_v20230126preview:confidentialledger:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", + "azure-native_confidentialledger_v20230126preview:confidentialledger:ManagedCCF": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/managedCCFs/{appName}", + "azure-native_confidentialledger_v20230628preview:confidentialledger:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", + "azure-native_confidentialledger_v20230628preview:confidentialledger:ManagedCCF": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/managedCCFs/{appName}", + "azure-native_confidentialledger_v20240709preview:confidentialledger:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", + "azure-native_confidentialledger_v20240709preview:confidentialledger:ManagedCCF": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/managedCCFs/{appName}", + "azure-native_confidentialledger_v20240919preview:confidentialledger:Ledger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/ledgers/{ledgerName}", + "azure-native_confidentialledger_v20240919preview:confidentialledger:ManagedCCF": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConfidentialLedger/managedCCFs/{appName}", + "azure-native_confluent_v20211201:confluent:Organization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}", + "azure-native_confluent_v20230822:confluent:Organization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}", + "azure-native_confluent_v20240213:confluent:Organization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}", + "azure-native_confluent_v20240701:confluent:Connector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}/clusters/{clusterId}/connectors/{connectorName}", + "azure-native_confluent_v20240701:confluent:Organization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}", + "azure-native_confluent_v20240701:confluent:OrganizationClusterById": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}/clusters/{clusterId}", + "azure-native_confluent_v20240701:confluent:OrganizationEnvironmentById": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}", + "azure-native_confluent_v20240701:confluent:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Confluent/organizations/{organizationName}/environments/{environmentId}/clusters/{clusterId}/topics/{topicName}", + "azure-native_connectedcache_v20230501preview:connectedcache:CacheNodesOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/cacheNodes/{customerResourceName}", + "azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseCustomerOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/enterpriseCustomers/{customerResourceName}", + "azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseMccCacheNodesOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/enterpriseMccCustomers/{customerResourceName}/enterpriseMccCacheNodes/{cacheNodeResourceName}", + "azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseMccCustomer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/enterpriseMccCustomers/{customerResourceName}", + "azure-native_connectedcache_v20230501preview:connectedcache:IspCacheNodesOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/ispCustomers/{customerResourceName}/ispCacheNodes/{cacheNodeResourceName}", + "azure-native_connectedcache_v20230501preview:connectedcache:IspCustomer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedCache/ispCustomers/{customerResourceName}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/clusters/{clusterName}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/datastores/{datastoreName}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/guestAgents/{name}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Host": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/hosts/{hostName}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:HybridIdentityMetadatum": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/hybridIdentityMetadata/{metadataName}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}/inventoryItems/{inventoryItemName}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/extensions/{extensionName}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:ResourcePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/resourcePools/{resourcePoolName}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineTemplates/{virtualMachineTemplateName}", + "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualNetworks/{virtualNetworkName}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/clusters/{clusterName}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/datastores/{datastoreName}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/guestAgents/{name}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Host": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/hosts/{hostName}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:HybridIdentityMetadatum": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/hybridIdentityMetadata/{metadataName}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}/inventoryItems/{inventoryItemName}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}/extensions/{extensionName}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:ResourcePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/resourcePools/{resourcePoolName}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VMInstanceGuestAgent": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default/guestAgents/default", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachines/{virtualMachineName}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineTemplates/{virtualMachineTemplateName}", + "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualNetworks/{virtualNetworkName}", + "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/clusters/{clusterName}", + "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/datastores/{datastoreName}", + "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Host": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/hosts/{hostName}", + "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}/inventoryItems/{inventoryItemName}", + "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:ResourcePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/resourcePools/{resourcePoolName}", + "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}", + "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VMInstanceGuestAgent": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default/guestAgents/default", + "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default", + "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineTemplates/{virtualMachineTemplateName}", + "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualNetworks/{virtualNetworkName}", + "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/clusters/{clusterName}", + "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/datastores/{datastoreName}", + "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Host": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/hosts/{hostName}", + "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}/inventoryItems/{inventoryItemName}", + "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:ResourcePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/resourcePools/{resourcePoolName}", + "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/vcenters/{vcenterName}", + "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VMInstanceGuestAgent": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default/guestAgents/default", + "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineInstances/default", + "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualMachineTemplates/{virtualMachineTemplateName}", + "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualNetworks/{virtualNetworkName}", + "azure-native_consumption_v20230501:consumption:Budget": "/{scope}/providers/Microsoft.Consumption/budgets/{budgetName}", + "azure-native_consumption_v20231101:consumption:Budget": "/{scope}/providers/Microsoft.Consumption/budgets/{budgetName}", + "azure-native_consumption_v20240801:consumption:Budget": "/{scope}/providers/Microsoft.Consumption/budgets/{budgetName}", + "azure-native_containerinstance_v20230501:containerinstance:ContainerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroups/{containerGroupName}", + "azure-native_containerinstance_v20240501preview:containerinstance:ContainerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroups/{containerGroupName}", + "azure-native_containerinstance_v20240501preview:containerinstance:ContainerGroupProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroupProfiles/{containerGroupProfileName}", + "azure-native_containerinstance_v20240901preview:containerinstance:ContainerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroups/{containerGroupName}", + "azure-native_containerinstance_v20240901preview:containerinstance:NGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/ngroups/{ngroupsName}", + "azure-native_containerinstance_v20241001preview:containerinstance:ContainerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroups/{containerGroupName}", + "azure-native_containerinstance_v20241101preview:containerinstance:CGProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroupProfiles/{containerGroupProfileName}", + "azure-native_containerinstance_v20241101preview:containerinstance:ContainerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/containerGroups/{containerGroupName}", + "azure-native_containerinstance_v20241101preview:containerinstance:NGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerInstance/ngroups/{ngroupsName}", + "azure-native_containerregistry_v20190601preview:containerregistry:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/agentPools/{agentPoolName}", + "azure-native_containerregistry_v20190601preview:containerregistry:Task": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tasks/{taskName}", + "azure-native_containerregistry_v20190601preview:containerregistry:TaskRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/taskRuns/{taskRunName}", + "azure-native_containerregistry_v20191201preview:containerregistry:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", + "azure-native_containerregistry_v20191201preview:containerregistry:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", + "azure-native_containerregistry_v20191201preview:containerregistry:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", + "azure-native_containerregistry_v20191201preview:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20191201preview:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20191201preview:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20191201preview:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20201101preview:containerregistry:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", + "azure-native_containerregistry_v20201101preview:containerregistry:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", + "azure-native_containerregistry_v20201101preview:containerregistry:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", + "azure-native_containerregistry_v20201101preview:containerregistry:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", + "azure-native_containerregistry_v20201101preview:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20201101preview:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20201101preview:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20201101preview:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20201101preview:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20201101preview:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20210601preview:containerregistry:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", + "azure-native_containerregistry_v20210601preview:containerregistry:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", + "azure-native_containerregistry_v20210601preview:containerregistry:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", + "azure-native_containerregistry_v20210601preview:containerregistry:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", + "azure-native_containerregistry_v20210601preview:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20210601preview:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20210601preview:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20210601preview:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20210601preview:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20210601preview:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20210801preview:containerregistry:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", + "azure-native_containerregistry_v20210801preview:containerregistry:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", + "azure-native_containerregistry_v20210801preview:containerregistry:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", + "azure-native_containerregistry_v20210801preview:containerregistry:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", + "azure-native_containerregistry_v20210801preview:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20210801preview:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20210801preview:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20210801preview:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20210801preview:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20210801preview:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20210901:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20210901:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20210901:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20210901:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20211201preview:containerregistry:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", + "azure-native_containerregistry_v20211201preview:containerregistry:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", + "azure-native_containerregistry_v20211201preview:containerregistry:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", + "azure-native_containerregistry_v20211201preview:containerregistry:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", + "azure-native_containerregistry_v20211201preview:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20211201preview:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20211201preview:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20211201preview:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20211201preview:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20211201preview:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20220201preview:containerregistry:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", + "azure-native_containerregistry_v20220201preview:containerregistry:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", + "azure-native_containerregistry_v20220201preview:containerregistry:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", + "azure-native_containerregistry_v20220201preview:containerregistry:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", + "azure-native_containerregistry_v20220201preview:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20220201preview:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20220201preview:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20220201preview:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20220201preview:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20220201preview:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20221201:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20221201:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20221201:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20221201:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20221201:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20221201:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20230101preview:containerregistry:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", + "azure-native_containerregistry_v20230101preview:containerregistry:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", + "azure-native_containerregistry_v20230101preview:containerregistry:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", + "azure-native_containerregistry_v20230101preview:containerregistry:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", + "azure-native_containerregistry_v20230101preview:containerregistry:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", + "azure-native_containerregistry_v20230101preview:containerregistry:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", + "azure-native_containerregistry_v20230101preview:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20230101preview:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20230101preview:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20230101preview:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20230101preview:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20230101preview:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20230601preview:containerregistry:Archife": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}", + "azure-native_containerregistry_v20230601preview:containerregistry:ArchiveVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}/versions/{archiveVersionName}", + "azure-native_containerregistry_v20230601preview:containerregistry:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", + "azure-native_containerregistry_v20230601preview:containerregistry:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", + "azure-native_containerregistry_v20230601preview:containerregistry:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", + "azure-native_containerregistry_v20230601preview:containerregistry:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", + "azure-native_containerregistry_v20230601preview:containerregistry:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", + "azure-native_containerregistry_v20230601preview:containerregistry:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", + "azure-native_containerregistry_v20230601preview:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20230601preview:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20230601preview:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20230601preview:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20230601preview:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20230601preview:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20230701:containerregistry:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", + "azure-native_containerregistry_v20230701:containerregistry:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", + "azure-native_containerregistry_v20230701:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20230701:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20230701:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20230701:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20230701:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20230701:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20230801preview:containerregistry:Archife": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}", + "azure-native_containerregistry_v20230801preview:containerregistry:ArchiveVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}/versions/{archiveVersionName}", + "azure-native_containerregistry_v20230801preview:containerregistry:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", + "azure-native_containerregistry_v20230801preview:containerregistry:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", + "azure-native_containerregistry_v20230801preview:containerregistry:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", + "azure-native_containerregistry_v20230801preview:containerregistry:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", + "azure-native_containerregistry_v20230801preview:containerregistry:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", + "azure-native_containerregistry_v20230801preview:containerregistry:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", + "azure-native_containerregistry_v20230801preview:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20230801preview:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20230801preview:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20230801preview:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20230801preview:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20230801preview:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20231101preview:containerregistry:Archife": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}", + "azure-native_containerregistry_v20231101preview:containerregistry:ArchiveVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}/versions/{archiveVersionName}", + "azure-native_containerregistry_v20231101preview:containerregistry:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", + "azure-native_containerregistry_v20231101preview:containerregistry:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", + "azure-native_containerregistry_v20231101preview:containerregistry:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", + "azure-native_containerregistry_v20231101preview:containerregistry:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", + "azure-native_containerregistry_v20231101preview:containerregistry:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", + "azure-native_containerregistry_v20231101preview:containerregistry:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", + "azure-native_containerregistry_v20231101preview:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20231101preview:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20231101preview:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20231101preview:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20231101preview:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20231101preview:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerregistry_v20241101preview:containerregistry:Archife": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}", + "azure-native_containerregistry_v20241101preview:containerregistry:ArchiveVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/packages/{packageType}/archives/{archiveName}/versions/{archiveVersionName}", + "azure-native_containerregistry_v20241101preview:containerregistry:CacheRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/cacheRules/{cacheRuleName}", + "azure-native_containerregistry_v20241101preview:containerregistry:ConnectedRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/connectedRegistries/{connectedRegistryName}", + "azure-native_containerregistry_v20241101preview:containerregistry:CredentialSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/credentialSets/{credentialSetName}", + "azure-native_containerregistry_v20241101preview:containerregistry:ExportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/exportPipelines/{exportPipelineName}", + "azure-native_containerregistry_v20241101preview:containerregistry:ImportPipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/importPipelines/{importPipelineName}", + "azure-native_containerregistry_v20241101preview:containerregistry:PipelineRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/pipelineRuns/{pipelineRunName}", + "azure-native_containerregistry_v20241101preview:containerregistry:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerregistry_v20241101preview:containerregistry:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}", + "azure-native_containerregistry_v20241101preview:containerregistry:Replication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/replications/{replicationName}", + "azure-native_containerregistry_v20241101preview:containerregistry:ScopeMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/scopeMaps/{scopeMapName}", + "azure-native_containerregistry_v20241101preview:containerregistry:Token": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/tokens/{tokenName}", + "azure-native_containerregistry_v20241101preview:containerregistry:Webhook": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerRegistry/registries/{registryName}/webhooks/{webhookName}", + "azure-native_containerservice_v20191027preview:containerservice:OpenShiftManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/openShiftManagedClusters/{resourceName}", + "azure-native_containerservice_v20191101:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20191101:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20200101:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20200101:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20200201:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20200201:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20200301:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20200301:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20200401:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20200401:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20200601:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20200601:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20200601:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20200701:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20200701:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20200701:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20200901:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20200901:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20200901:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20201101:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20201101:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20201101:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20201201:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20201201:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20201201:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20201201:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20210201:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20210201:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20210201:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20210201:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20210301:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20210301:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20210301:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20210301:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20210501:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20210501:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20210501:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20210501:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20210701:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20210701:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20210701:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20210701:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20210801:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20210801:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20210801:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20210801:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20210801:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20210901:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20210901:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20210901:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20210901:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20210901:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20211001:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20211001:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20211001:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20211001:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20211001:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20211101preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20211101preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20211101preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20211101preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20211101preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220101:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220101:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220101:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220101:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220101:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220102preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220102preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220102preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220102preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220102preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220201:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220201:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220201:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220201:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220201:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220202preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220202preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220202preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220202preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20220202preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220202preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220301:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220301:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220301:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220301:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220301:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220302preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220302preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220302preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220302preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20220302preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220302preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220401:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220401:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220401:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220401:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220401:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220402preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220402preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220402preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220402preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20220402preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220402preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220402preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20220502preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220502preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220502preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220502preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20220502preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220502preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220502preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20220601:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220601:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220601:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220601:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220601:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220602preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220602preview:containerservice:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", + "azure-native_containerservice_v20220602preview:containerservice:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", + "azure-native_containerservice_v20220602preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220602preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220602preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20220602preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220602preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220602preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20220701:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220701:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220701:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220701:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220701:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220702preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220702preview:containerservice:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", + "azure-native_containerservice_v20220702preview:containerservice:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", + "azure-native_containerservice_v20220702preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220702preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220702preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20220702preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220702preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220702preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20220802preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220802preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220802preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220802preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20220802preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220802preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220802preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20220803preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220803preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220803preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220803preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20220803preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220803preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220803preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20220901:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220901:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220901:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220901:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220901:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220902preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20220902preview:containerservice:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", + "azure-native_containerservice_v20220902preview:containerservice:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", + "azure-native_containerservice_v20220902preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20220902preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20220902preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20220902preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20220902preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20220902preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20221002preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20221002preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20221002preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20221002preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20221002preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20221002preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20221002preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20221101:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20221101:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20221101:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20221101:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20221101:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20221102preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20221102preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20221102preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20221102preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20221102preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20221102preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20221102preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20230101:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230101:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230101:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230101:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230101:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230102preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230102preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230102preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230102preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20230102preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230102preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230102preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20230201:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230201:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230201:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230201:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230201:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230202preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230202preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230202preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230202preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20230202preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230202preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230202preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20230301:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230301:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230301:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230301:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230301:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230302preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230302preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230302preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230302preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20230302preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230302preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230302preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20230315preview:containerservice:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", + "azure-native_containerservice_v20230315preview:containerservice:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", + "azure-native_containerservice_v20230315preview:containerservice:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", + "azure-native_containerservice_v20230401:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230401:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230401:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230401:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230401:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230402preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230402preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230402preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230402preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20230402preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230402preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230402preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20230501:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230501:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230501:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230501:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230501:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230502preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230502preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230502preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230502preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20230502preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230502preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230502preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20230601:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230601:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230601:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230601:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230601:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230602preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230602preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230602preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230602preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20230602preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230602preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230602preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20230615preview:containerservice:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", + "azure-native_containerservice_v20230615preview:containerservice:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", + "azure-native_containerservice_v20230615preview:containerservice:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", + "azure-native_containerservice_v20230701:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230701:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230701:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230701:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230701:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230702preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230702preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230702preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230702preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20230702preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230702preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230702preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20230801:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230801:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230801:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230801:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230801:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230802preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230802preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230802preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230802preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20230802preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230802preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230802preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20230815preview:containerservice:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", + "azure-native_containerservice_v20230815preview:containerservice:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", + "azure-native_containerservice_v20230815preview:containerservice:FleetUpdateStrategy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateStrategies/{updateStrategyName}", + "azure-native_containerservice_v20230815preview:containerservice:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", + "azure-native_containerservice_v20230901:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230901:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230901:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230901:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230901:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230901:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20230902preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20230902preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20230902preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20230902preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20230902preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20230902preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20230902preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20231001:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20231001:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20231001:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20231001:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20231001:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20231001:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20231002preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20231002preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20231002preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20231002preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20231002preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20231002preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20231002preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20231015:containerservice:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", + "azure-native_containerservice_v20231015:containerservice:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", + "azure-native_containerservice_v20231015:containerservice:FleetUpdateStrategy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateStrategies/{updateStrategyName}", + "azure-native_containerservice_v20231015:containerservice:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", + "azure-native_containerservice_v20231101:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20231101:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20231101:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20231101:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20231101:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20231101:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20231102preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20231102preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20231102preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20231102preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20231102preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20231102preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20231102preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240101:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240101:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240101:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240101:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240101:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240101:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240102preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240102preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240102preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240102preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20240102preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240102preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240102preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240201:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240201:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240201:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240201:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240201:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240201:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240202preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240202preview:containerservice:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", + "azure-native_containerservice_v20240202preview:containerservice:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", + "azure-native_containerservice_v20240202preview:containerservice:FleetUpdateStrategy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateStrategies/{updateStrategyName}", + "azure-native_containerservice_v20240202preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240202preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240202preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20240202preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240202preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240202preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240202preview:containerservice:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", + "azure-native_containerservice_v20240302preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240302preview:containerservice:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", + "azure-native_containerservice_v20240302preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240302preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240302preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20240302preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240302preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240302preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240401:containerservice:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", + "azure-native_containerservice_v20240401:containerservice:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", + "azure-native_containerservice_v20240401:containerservice:FleetUpdateStrategy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateStrategies/{updateStrategyName}", + "azure-native_containerservice_v20240401:containerservice:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", + "azure-native_containerservice_v20240402preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240402preview:containerservice:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", + "azure-native_containerservice_v20240402preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240402preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240402preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20240402preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240402preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240402preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240501:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240501:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240501:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240501:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240501:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240501:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240502preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240502preview:containerservice:AutoUpgradeProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/autoUpgradeProfiles/{autoUpgradeProfileName}", + "azure-native_containerservice_v20240502preview:containerservice:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}", + "azure-native_containerservice_v20240502preview:containerservice:FleetMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/members/{fleetMemberName}", + "azure-native_containerservice_v20240502preview:containerservice:FleetUpdateStrategy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateStrategies/{updateStrategyName}", + "azure-native_containerservice_v20240502preview:containerservice:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", + "azure-native_containerservice_v20240502preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240502preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240502preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20240502preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240502preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240502preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240502preview:containerservice:UpdateRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/fleets/{fleetName}/updateRuns/{updateRunName}", + "azure-native_containerservice_v20240602preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240602preview:containerservice:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", + "azure-native_containerservice_v20240602preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240602preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240602preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20240602preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240602preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240602preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240701:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240701:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240701:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240701:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240701:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240701:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240702preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240702preview:containerservice:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", + "azure-native_containerservice_v20240702preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240702preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240702preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20240702preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240702preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240702preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240801:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240801:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240801:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240801:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240801:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240801:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240901:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240901:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240901:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240901:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240901:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240901:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20240902preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20240902preview:containerservice:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", + "azure-native_containerservice_v20240902preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20240902preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20240902preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20240902preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20240902preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20240902preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20241001:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20241001:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20241001:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20241001:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20241001:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20241001:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20241002preview:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20241002preview:containerservice:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/loadBalancers/{loadBalancerName}", + "azure-native_containerservice_v20241002preview:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20241002preview:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20241002preview:containerservice:ManagedClusterSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedclustersnapshots/{resourceName}", + "azure-native_containerservice_v20241002preview:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20241002preview:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20241002preview:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerservice_v20250101:containerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_containerservice_v20250101:containerservice:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/maintenanceConfigurations/{configName}", + "azure-native_containerservice_v20250101:containerservice:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}", + "azure-native_containerservice_v20250101:containerservice:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_containerservice_v20250101:containerservice:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/snapshots/{resourceName}", + "azure-native_containerservice_v20250101:containerservice:TrustedAccessRoleBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerService/managedClusters/{resourceName}/trustedAccessRoleBindings/{trustedAccessRoleBindingName}", + "azure-native_containerstorage_v20230701preview:containerstorage:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerStorage/pools/{poolName}", + "azure-native_containerstorage_v20230701preview:containerstorage:Snapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerStorage/pools/{poolName}/snapshots/{snapshotName}", + "azure-native_containerstorage_v20230701preview:containerstorage:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ContainerStorage/pools/{poolName}/volumes/{volumeName}", + "azure-native_contoso_v20211001preview:contoso:Employee": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Contoso/employees/{employeeName}", + "azure-native_contoso_v20211101:contoso:Employee": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Contoso/employees/{employeeName}", + "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}", + "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}", + "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}", + "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/table/tables/{tableName}", + "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}", + "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}", + "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}", + "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/table/tables/{tableName}", + "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}", + "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}", + "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}", + "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/table/tables/{tableName}", + "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}", + "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}", + "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}", + "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/table/tables/{tableName}", + "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/cassandra/keyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}", + "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/gremlin/databases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/mongodb/databases/{databaseName}", + "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/sql/databases/{databaseName}", + "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/apis/table/tables/{tableName}", + "azure-native_cosmosdb_v20190801:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20190801:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20190801:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20190801:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20190801:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20190801:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20190801:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20190801:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20190801preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20191212:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20191212:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20191212:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20191212:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20191212:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20191212:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20191212:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20191212:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20200301:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20200301:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20200301:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20200301:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20200301:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20200301:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20200301:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20200301:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20200401:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20200401:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20200401:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20200401:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20200401:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20200401:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20200401:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20200401:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20200601preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20200901:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20200901:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20200901:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20200901:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20200901:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20200901:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20200901:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20200901:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20210115:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20210115:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20210115:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20210115:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20210115:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20210115:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20210115:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20210115:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20210115:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20210301preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20210315:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20210315:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20210315:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20210315:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20210315:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20210315:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20210315:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20210315:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20210315:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20210401preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20210415:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20210415:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20210415:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20210415:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20210415:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20210415:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20210415:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20210415:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20210415:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20210515:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20210515:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20210515:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20210515:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20210515:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20210515:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20210515:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20210515:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20210515:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20210615:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20210615:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20210615:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20210615:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20210615:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20210615:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20210615:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20210615:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20210615:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20210701preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20211015:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20211015:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20211015:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20211015:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20211015:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20211015:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20211015:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20211015:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20211015:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20211015:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20211015:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20211015preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20211115preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20220215preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20220515:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20220515:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20220515:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20220515:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20220515:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20220515:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20220515:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20220515:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20220515:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20220515:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20220515:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20220515:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20220515preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20220815:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20220815:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20220815:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20220815:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20220815:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20220815:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20220815:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20220815:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20220815:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20220815:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20220815preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20221115:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20221115:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20221115:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20221115:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20221115:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20221115:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20221115:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20221115:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20221115:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20221115:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20221115preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoClusterFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20230301preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20230315:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20230315:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20230315:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20230315:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20230315:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20230315:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20230315:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20230315:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20230315:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20230315:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoClusterFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20230315preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20230415:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20230415:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20230415:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20230415:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20230415:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20230415:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20230415:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20230415:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20230415:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20230415:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20230915:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20230915:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20230915:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20230915:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20230915:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20230915:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20230915:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20230915:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20230915:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20230915:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoClusterFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20230915preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20231115:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20231115:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20231115:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20231115:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20231115:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20231115:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20231115:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20231115:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20231115:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20231115:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoClusterFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:ThroughputPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}", + "azure-native_cosmosdb_v20231115preview:cosmosdb:ThroughputPoolAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}/throughputPoolAccounts/{throughputPoolAccountName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoClusterFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:ThroughputPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}", + "azure-native_cosmosdb_v20240215preview:cosmosdb:ThroughputPoolAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}/throughputPoolAccounts/{throughputPoolAccountName}", + "azure-native_cosmosdb_v20240515:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20240515:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20240515:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20240515:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20240515:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20240515:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20240515:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20240515:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20240515:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20240515:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:ThroughputPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}", + "azure-native_cosmosdb_v20240515preview:cosmosdb:ThroughputPoolAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}/throughputPoolAccounts/{throughputPoolAccountName}", + "azure-native_cosmosdb_v20240815:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20240815:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20240815:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20240815:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20240815:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20240815:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20240815:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20240815:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20240815:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20240815:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:ThroughputPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}", + "azure-native_cosmosdb_v20240901preview:cosmosdb:ThroughputPoolAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}/throughputPoolAccounts/{throughputPoolAccountName}", + "azure-native_cosmosdb_v20241115:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20241115:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20241115:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20241115:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20241115:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20241115:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20241115:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20241115:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20241115:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20241115:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraDataCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/cassandraClusters/{clusterName}/dataCenters/{dataCenterName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraKeyspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/tables/{tableName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraView": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/cassandraKeyspaces/{keyspaceName}/views/{viewName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:GraphResourceGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/graphs/{graphName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:GremlinResourceGremlinDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:GremlinResourceGremlinGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/gremlinDatabases/{databaseName}/graphs/{graphName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoDBCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}/collections/{collectionName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoDBDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbDatabases/{databaseName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbRoleDefinitions/{mongoRoleDefinitionId}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoUserDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/mongodbUserDefinitions/{mongoUserDefinitionId}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:NotebookWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/notebookWorkspaces/{notebookWorkspaceName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/services/{serviceName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlStoredProcedure": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/storedProcedures/{storedProcedureName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/triggers/{triggerName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlUserDefinedFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/sqlDatabases/{databaseName}/containers/{containerName}/userDefinedFunctions/{userDefinedFunctionName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tables/{tableName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTableRoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tableRoleAssignments/{roleAssignmentId}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTableRoleDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{accountName}/tableRoleDefinitions/{roleDefinitionId}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:ThroughputPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}", + "azure-native_cosmosdb_v20241201preview:cosmosdb:ThroughputPoolAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/throughputPools/{throughputPoolName}/throughputPoolAccounts/{throughputPoolAccountName}", + "azure-native_costmanagement_v20180801preview:costmanagement:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.CostManagement/connectors/{connectorName}", + "azure-native_costmanagement_v20180801preview:costmanagement:Report": "/subscriptions/{subscriptionId}/providers/Microsoft.CostManagement/reports/{reportName}", + "azure-native_costmanagement_v20180801preview:costmanagement:ReportByBillingAccount": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/reports/{reportName}", + "azure-native_costmanagement_v20180801preview:costmanagement:ReportByDepartment": "/providers/Microsoft.Billing/departments/{departmentId}/providers/Microsoft.CostManagement/reports/{reportName}", + "azure-native_costmanagement_v20180801preview:costmanagement:ReportByResourceGroupName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CostManagement/reports/{reportName}", + "azure-native_costmanagement_v20190101:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20190301preview:costmanagement:CloudConnector": "/providers/Microsoft.CostManagement/cloudConnectors/{connectorName}", + "azure-native_costmanagement_v20190401preview:costmanagement:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", + "azure-native_costmanagement_v20190401preview:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20190401preview:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20190901:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20191001:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20191101:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20191101:costmanagement:Setting": "/providers/Microsoft.CostManagement/settings/{settingName}", + "azure-native_costmanagement_v20191101:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20191101:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20200301preview:costmanagement:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", + "azure-native_costmanagement_v20200601:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20200601:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20200601:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20201201preview:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20210101:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20211001:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20211001:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20211001:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20220401preview:costmanagement:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20220401preview:costmanagement:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20220601preview:costmanagement:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20220601preview:costmanagement:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20220801preview:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20220801preview:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20221001:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20221001:costmanagement:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20221001:costmanagement:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20221001:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20221001:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20221001preview:costmanagement:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", + "azure-native_costmanagement_v20221001preview:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20221001preview:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20221005preview:costmanagement:MarkupRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/billingProfiles/{billingProfileId}/providers/Microsoft.CostManagement/markupRules/{name}", + "azure-native_costmanagement_v20221005preview:costmanagement:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", + "azure-native_costmanagement_v20221005preview:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20221005preview:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20230301:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20230301:costmanagement:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20230301:costmanagement:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20230301:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20230301:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20230401preview:costmanagement:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", + "azure-native_costmanagement_v20230401preview:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20230401preview:costmanagement:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20230401preview:costmanagement:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20230401preview:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20230401preview:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20230701preview:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20230701preview:costmanagement:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20230701preview:costmanagement:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20230701preview:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20230701preview:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20230801:costmanagement:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", + "azure-native_costmanagement_v20230801:costmanagement:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", + "azure-native_costmanagement_v20230801:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20230801:costmanagement:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20230801:costmanagement:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20230801:costmanagement:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", + "azure-native_costmanagement_v20230801:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20230801:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20230901:costmanagement:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", + "azure-native_costmanagement_v20230901:costmanagement:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", + "azure-native_costmanagement_v20230901:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20230901:costmanagement:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20230901:costmanagement:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20230901:costmanagement:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", + "azure-native_costmanagement_v20230901:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20230901:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20231101:costmanagement:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", + "azure-native_costmanagement_v20231101:costmanagement:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", + "azure-native_costmanagement_v20231101:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20231101:costmanagement:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20231101:costmanagement:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20231101:costmanagement:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", + "azure-native_costmanagement_v20231101:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20231101:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20240801:costmanagement:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", + "azure-native_costmanagement_v20240801:costmanagement:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", + "azure-native_costmanagement_v20240801:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20240801:costmanagement:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20240801:costmanagement:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20240801:costmanagement:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", + "azure-native_costmanagement_v20240801:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20240801:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20241001preview:costmanagement:Budget": "/{scope}/providers/Microsoft.CostManagement/budgets/{budgetName}", + "azure-native_costmanagement_v20241001preview:costmanagement:CostAllocationRule": "/providers/Microsoft.Billing/billingAccounts/{billingAccountId}/providers/Microsoft.CostManagement/costAllocationRules/{ruleName}", + "azure-native_costmanagement_v20241001preview:costmanagement:Export": "/{scope}/providers/Microsoft.CostManagement/exports/{exportName}", + "azure-native_costmanagement_v20241001preview:costmanagement:ScheduledAction": "/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20241001preview:costmanagement:ScheduledActionByScope": "/{scope}/providers/Microsoft.CostManagement/scheduledActions/{name}", + "azure-native_costmanagement_v20241001preview:costmanagement:TagInheritanceSetting": "/{scope}/providers/Microsoft.CostManagement/settings/{type}", + "azure-native_costmanagement_v20241001preview:costmanagement:View": "/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_costmanagement_v20241001preview:costmanagement:ViewByScope": "/{scope}/providers/Microsoft.CostManagement/views/{viewName}", + "azure-native_customerinsights_v20170426:customerinsights:Connector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/connectors/{connectorName}", + "azure-native_customerinsights_v20170426:customerinsights:ConnectorMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/connectors/{connectorName}/mappings/{mappingName}", + "azure-native_customerinsights_v20170426:customerinsights:Hub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}", + "azure-native_customerinsights_v20170426:customerinsights:Kpi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/kpi/{kpiName}", + "azure-native_customerinsights_v20170426:customerinsights:Link": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/links/{linkName}", + "azure-native_customerinsights_v20170426:customerinsights:Prediction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/predictions/{predictionName}", + "azure-native_customerinsights_v20170426:customerinsights:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/profiles/{profileName}", + "azure-native_customerinsights_v20170426:customerinsights:Relationship": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/relationships/{relationshipName}", + "azure-native_customerinsights_v20170426:customerinsights:RelationshipLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/relationshipLinks/{relationshipLinkName}", + "azure-native_customerinsights_v20170426:customerinsights:RoleAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/roleAssignments/{assignmentName}", + "azure-native_customerinsights_v20170426:customerinsights:View": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomerInsights/hubs/{hubName}/views/{viewName}", + "azure-native_customproviders_v20180901preview:customproviders:Association": "/{scope}/providers/Microsoft.CustomProviders/associations/{associationName}", + "azure-native_customproviders_v20180901preview:customproviders:CustomResourceProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.CustomProviders/resourceProviders/{resourceProviderName}", + "azure-native_dashboard_v20220801:dashboard:Grafana": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}", + "azure-native_dashboard_v20220801:dashboard:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dashboard_v20221001preview:dashboard:Grafana": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}", + "azure-native_dashboard_v20221001preview:dashboard:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_dashboard_v20221001preview:dashboard:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dashboard_v20230901:dashboard:Grafana": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}", + "azure-native_dashboard_v20230901:dashboard:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_dashboard_v20230901:dashboard:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dashboard_v20231001preview:dashboard:Grafana": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}", + "azure-native_dashboard_v20231001preview:dashboard:IntegrationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/integrationFabrics/{integrationFabricName}", + "azure-native_dashboard_v20231001preview:dashboard:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_dashboard_v20231001preview:dashboard:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dashboard_v20241001:dashboard:Grafana": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}", + "azure-native_dashboard_v20241001:dashboard:IntegrationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/integrationFabrics/{integrationFabricName}", + "azure-native_dashboard_v20241001:dashboard:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_dashboard_v20241001:dashboard:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dashboard/grafana/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/fleetspaces/{fleetspaceName}/firewallRules/{firewallRuleName}", + "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:Fleet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}", + "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FleetDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/fleetspaces/{fleetspaceName}/databases/{databaseName}", + "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FleetTier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/tiers/{tierName}", + "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:Fleetspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseFleetManager/fleets/{fleetName}/fleetspaces/{fleetspaceName}", + "azure-native_databasewatcher_v20230901preview:databasewatcher:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_databasewatcher_v20230901preview:databasewatcher:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/targets/{targetName}", + "azure-native_databasewatcher_v20230901preview:databasewatcher:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}", + "azure-native_databasewatcher_v20240719preview:databasewatcher:AlertRuleResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/alertRuleResources/{alertRuleResourceName}", + "azure-native_databasewatcher_v20240719preview:databasewatcher:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_databasewatcher_v20240719preview:databasewatcher:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/targets/{targetName}", + "azure-native_databasewatcher_v20240719preview:databasewatcher:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}", + "azure-native_databasewatcher_v20241001preview:databasewatcher:AlertRuleResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/alertRuleResources/{alertRuleResourceName}", + "azure-native_databasewatcher_v20241001preview:databasewatcher:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_databasewatcher_v20241001preview:databasewatcher:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/targets/{targetName}", + "azure-native_databasewatcher_v20241001preview:databasewatcher:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}", + "azure-native_databasewatcher_v20250102:databasewatcher:AlertRuleResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/alertRuleResources/{alertRuleResourceName}", + "azure-native_databasewatcher_v20250102:databasewatcher:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_databasewatcher_v20250102:databasewatcher:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}/targets/{targetName}", + "azure-native_databasewatcher_v20250102:databasewatcher:Watcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DatabaseWatcher/watchers/{watcherName}", + "azure-native_databox_v20221201:databox:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", + "azure-native_databox_v20230301:databox:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", + "azure-native_databox_v20231201:databox:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", + "azure-native_databox_v20240201preview:databox:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", + "azure-native_databox_v20240301preview:databox:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", + "azure-native_databox_v20250201:databox:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBox/jobs/{jobName}", + "azure-native_databoxedge_v20220301:databoxedge:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", + "azure-native_databoxedge_v20220301:databoxedge:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", + "azure-native_databoxedge_v20220301:databoxedge:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20220301:databoxedge:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", + "azure-native_databoxedge_v20220301:databoxedge:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", + "azure-native_databoxedge_v20220301:databoxedge:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20220301:databoxedge:IoTAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", + "azure-native_databoxedge_v20220301:databoxedge:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20220301:databoxedge:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20220301:databoxedge:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20220301:databoxedge:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", + "azure-native_databoxedge_v20220301:databoxedge:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", + "azure-native_databoxedge_v20220301:databoxedge:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20220301:databoxedge:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", + "azure-native_databoxedge_v20220301:databoxedge:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", + "azure-native_databoxedge_v20220301:databoxedge:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", + "azure-native_databoxedge_v20220301:databoxedge:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", + "azure-native_databoxedge_v20220401preview:databoxedge:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", + "azure-native_databoxedge_v20220401preview:databoxedge:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", + "azure-native_databoxedge_v20220401preview:databoxedge:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20220401preview:databoxedge:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", + "azure-native_databoxedge_v20220401preview:databoxedge:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", + "azure-native_databoxedge_v20220401preview:databoxedge:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20220401preview:databoxedge:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20220401preview:databoxedge:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20220401preview:databoxedge:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20220401preview:databoxedge:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", + "azure-native_databoxedge_v20220401preview:databoxedge:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", + "azure-native_databoxedge_v20220401preview:databoxedge:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20220401preview:databoxedge:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", + "azure-native_databoxedge_v20220401preview:databoxedge:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", + "azure-native_databoxedge_v20220401preview:databoxedge:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", + "azure-native_databoxedge_v20220401preview:databoxedge:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", + "azure-native_databoxedge_v20221201preview:databoxedge:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", + "azure-native_databoxedge_v20221201preview:databoxedge:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", + "azure-native_databoxedge_v20221201preview:databoxedge:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20221201preview:databoxedge:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", + "azure-native_databoxedge_v20221201preview:databoxedge:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", + "azure-native_databoxedge_v20221201preview:databoxedge:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20221201preview:databoxedge:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20221201preview:databoxedge:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20221201preview:databoxedge:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20221201preview:databoxedge:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", + "azure-native_databoxedge_v20221201preview:databoxedge:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", + "azure-native_databoxedge_v20221201preview:databoxedge:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20221201preview:databoxedge:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", + "azure-native_databoxedge_v20221201preview:databoxedge:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", + "azure-native_databoxedge_v20221201preview:databoxedge:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", + "azure-native_databoxedge_v20221201preview:databoxedge:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", + "azure-native_databoxedge_v20230101preview:databoxedge:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", + "azure-native_databoxedge_v20230101preview:databoxedge:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", + "azure-native_databoxedge_v20230101preview:databoxedge:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20230101preview:databoxedge:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", + "azure-native_databoxedge_v20230101preview:databoxedge:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", + "azure-native_databoxedge_v20230101preview:databoxedge:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20230101preview:databoxedge:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20230101preview:databoxedge:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20230101preview:databoxedge:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20230101preview:databoxedge:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", + "azure-native_databoxedge_v20230101preview:databoxedge:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", + "azure-native_databoxedge_v20230101preview:databoxedge:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20230101preview:databoxedge:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", + "azure-native_databoxedge_v20230101preview:databoxedge:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", + "azure-native_databoxedge_v20230101preview:databoxedge:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", + "azure-native_databoxedge_v20230101preview:databoxedge:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", + "azure-native_databoxedge_v20230701:databoxedge:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", + "azure-native_databoxedge_v20230701:databoxedge:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", + "azure-native_databoxedge_v20230701:databoxedge:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20230701:databoxedge:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", + "azure-native_databoxedge_v20230701:databoxedge:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", + "azure-native_databoxedge_v20230701:databoxedge:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20230701:databoxedge:IoTAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", + "azure-native_databoxedge_v20230701:databoxedge:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20230701:databoxedge:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20230701:databoxedge:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20230701:databoxedge:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", + "azure-native_databoxedge_v20230701:databoxedge:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", + "azure-native_databoxedge_v20230701:databoxedge:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20230701:databoxedge:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", + "azure-native_databoxedge_v20230701:databoxedge:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", + "azure-native_databoxedge_v20230701:databoxedge:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", + "azure-native_databoxedge_v20230701:databoxedge:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", + "azure-native_databoxedge_v20231201:databoxedge:ArcAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", + "azure-native_databoxedge_v20231201:databoxedge:BandwidthSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/bandwidthSchedules/{name}", + "azure-native_databoxedge_v20231201:databoxedge:CloudEdgeManagementRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20231201:databoxedge:Container": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}/containers/{containerName}", + "azure-native_databoxedge_v20231201:databoxedge:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}", + "azure-native_databoxedge_v20231201:databoxedge:FileEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20231201:databoxedge:IoTAddon": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/addons/{addonName}", + "azure-native_databoxedge_v20231201:databoxedge:IoTRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20231201:databoxedge:KubernetesRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20231201:databoxedge:MECRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{name}", + "azure-native_databoxedge_v20231201:databoxedge:MonitoringConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/roles/{roleName}/monitoringConfig/default", + "azure-native_databoxedge_v20231201:databoxedge:Order": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/orders/default", + "azure-native_databoxedge_v20231201:databoxedge:PeriodicTimerEventTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/triggers/{name}", + "azure-native_databoxedge_v20231201:databoxedge:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/shares/{name}", + "azure-native_databoxedge_v20231201:databoxedge:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccounts/{storageAccountName}", + "azure-native_databoxedge_v20231201:databoxedge:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/storageAccountCredentials/{name}", + "azure-native_databoxedge_v20231201:databoxedge:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataBoxEdge/dataBoxEdgeDevices/{deviceName}/users/{name}", + "azure-native_databricks_v20230201:databricks:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_databricks_v20230201:databricks:VNetPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/virtualNetworkPeerings/{peeringName}", + "azure-native_databricks_v20230201:databricks:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}", + "azure-native_databricks_v20230501:databricks:AccessConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/accessConnectors/{connectorName}", + "azure-native_databricks_v20230915preview:databricks:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_databricks_v20230915preview:databricks:VNetPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/virtualNetworkPeerings/{peeringName}", + "azure-native_databricks_v20230915preview:databricks:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}", + "azure-native_databricks_v20240501:databricks:AccessConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/accessConnectors/{connectorName}", + "azure-native_databricks_v20240501:databricks:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_databricks_v20240501:databricks:VNetPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/virtualNetworkPeerings/{peeringName}", + "azure-native_databricks_v20240501:databricks:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}", + "azure-native_databricks_v20240901preview:databricks:AccessConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/accessConnectors/{connectorName}", + "azure-native_databricks_v20240901preview:databricks:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_databricks_v20240901preview:databricks:VNetPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/virtualNetworkPeerings/{peeringName}", + "azure-native_databricks_v20240901preview:databricks:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}", + "azure-native_databricks_v20250301preview:databricks:AccessConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/accessConnectors/{connectorName}", + "azure-native_databricks_v20250301preview:databricks:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_databricks_v20250301preview:databricks:VNetPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}/virtualNetworkPeerings/{peeringName}", + "azure-native_databricks_v20250301preview:databricks:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Databricks/workspaces/{workspaceName}", + "azure-native_datacatalog_v20160330:datacatalog:ADCCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataCatalog/catalogs/{catalogName}", + "azure-native_datadog_v20220601:datadog:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}", + "azure-native_datadog_v20220801:datadog:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}", + "azure-native_datadog_v20230101:datadog:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}", + "azure-native_datadog_v20230101:datadog:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", + "azure-native_datadog_v20230707:datadog:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}", + "azure-native_datadog_v20230707:datadog:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", + "azure-native_datadog_v20231020:datadog:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}", + "azure-native_datadog_v20231020:datadog:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Datadog/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", + "azure-native_datafactory_v20180601:datafactory:ChangeDataCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/adfcdcs/{changeDataCaptureName}", + "azure-native_datafactory_v20180601:datafactory:CredentialOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/credentials/{credentialName}", + "azure-native_datafactory_v20180601:datafactory:DataFlow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/dataflows/{dataFlowName}", + "azure-native_datafactory_v20180601:datafactory:Dataset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/datasets/{datasetName}", + "azure-native_datafactory_v20180601:datafactory:Factory": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}", + "azure-native_datafactory_v20180601:datafactory:GlobalParameter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/globalParameters/{globalParameterName}", + "azure-native_datafactory_v20180601:datafactory:IntegrationRuntime": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/integrationRuntimes/{integrationRuntimeName}", + "azure-native_datafactory_v20180601:datafactory:LinkedService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/linkedservices/{linkedServiceName}", + "azure-native_datafactory_v20180601:datafactory:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/managedVirtualNetworks/{managedVirtualNetworkName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_datafactory_v20180601:datafactory:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/pipelines/{pipelineName}", + "azure-native_datafactory_v20180601:datafactory:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_datafactory_v20180601:datafactory:Trigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataFactory/factories/{factoryName}/triggers/{triggerName}", + "azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeAnalytics/accounts/{accountName}", + "azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:ComputePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeAnalytics/accounts/{accountName}/computePolicies/{computePolicyName}", + "azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeAnalytics/accounts/{accountName}/firewallRules/{firewallRuleName}", + "azure-native_datalakestore_v20161101:datalakestore:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}", + "azure-native_datalakestore_v20161101:datalakestore:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}/firewallRules/{firewallRuleName}", + "azure-native_datalakestore_v20161101:datalakestore:TrustedIdProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}/trustedIdProviders/{trustedIdProviderName}", + "azure-native_datalakestore_v20161101:datalakestore:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataLakeStore/accounts/{accountName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_datamigration_v20210630:datamigration:File": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/files/{fileName}", + "azure-native_datamigration_v20210630:datamigration:Project": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}", + "azure-native_datamigration_v20210630:datamigration:Service": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}", + "azure-native_datamigration_v20210630:datamigration:ServiceTask": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/serviceTasks/{taskName}", + "azure-native_datamigration_v20210630:datamigration:Task": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/tasks/{taskName}", + "azure-native_datamigration_v20211030preview:datamigration:File": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/files/{fileName}", + "azure-native_datamigration_v20211030preview:datamigration:Project": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}", + "azure-native_datamigration_v20211030preview:datamigration:Service": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}", + "azure-native_datamigration_v20211030preview:datamigration:ServiceTask": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/serviceTasks/{taskName}", + "azure-native_datamigration_v20211030preview:datamigration:SqlMigrationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataMigration/sqlMigrationServices/{sqlMigrationServiceName}", + "azure-native_datamigration_v20211030preview:datamigration:Task": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/tasks/{taskName}", + "azure-native_datamigration_v20220130preview:datamigration:File": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/files/{fileName}", + "azure-native_datamigration_v20220130preview:datamigration:Project": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}", + "azure-native_datamigration_v20220130preview:datamigration:Service": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}", + "azure-native_datamigration_v20220130preview:datamigration:ServiceTask": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/serviceTasks/{taskName}", + "azure-native_datamigration_v20220130preview:datamigration:SqlMigrationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataMigration/sqlMigrationServices/{sqlMigrationServiceName}", + "azure-native_datamigration_v20220130preview:datamigration:Task": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/tasks/{taskName}", + "azure-native_datamigration_v20220330preview:datamigration:DatabaseMigrationsSqlDb": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{sqlDbInstanceName}/providers/Microsoft.DataMigration/databaseMigrations/{targetDbName}", + "azure-native_datamigration_v20220330preview:datamigration:File": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/files/{fileName}", + "azure-native_datamigration_v20220330preview:datamigration:Project": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}", + "azure-native_datamigration_v20220330preview:datamigration:Service": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}", + "azure-native_datamigration_v20220330preview:datamigration:ServiceTask": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/serviceTasks/{taskName}", + "azure-native_datamigration_v20220330preview:datamigration:SqlMigrationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataMigration/sqlMigrationServices/{sqlMigrationServiceName}", + "azure-native_datamigration_v20220330preview:datamigration:Task": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/tasks/{taskName}", + "azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsMongoToCosmosDbRUMongo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/databaseAccounts/{targetResourceName}/providers/Microsoft.DataMigration/databaseMigrations/{migrationName}", + "azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsMongoToCosmosDbvCoreMongo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{targetResourceName}/providers/Microsoft.DataMigration/databaseMigrations/{migrationName}", + "azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsSqlDb": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{sqlDbInstanceName}/providers/Microsoft.DataMigration/databaseMigrations/{targetDbName}", + "azure-native_datamigration_v20230715preview:datamigration:File": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/files/{fileName}", + "azure-native_datamigration_v20230715preview:datamigration:MigrationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataMigration/migrationServices/{migrationServiceName}", + "azure-native_datamigration_v20230715preview:datamigration:Project": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}", + "azure-native_datamigration_v20230715preview:datamigration:Service": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}", + "azure-native_datamigration_v20230715preview:datamigration:ServiceTask": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/serviceTasks/{taskName}", + "azure-native_datamigration_v20230715preview:datamigration:SqlMigrationService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataMigration/sqlMigrationServices/{sqlMigrationServiceName}", + "azure-native_datamigration_v20230715preview:datamigration:Task": "/subscriptions/{subscriptionId}/resourceGroups/{groupName}/providers/Microsoft.DataMigration/services/{serviceName}/projects/{projectName}/tasks/{taskName}", + "azure-native_dataprotection_v20230101:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20230101:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20230101:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20230101:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20230101:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_dataprotection_v20230401preview:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20230401preview:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20230401preview:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20230401preview:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20230401preview:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_dataprotection_v20230501:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20230501:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20230501:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20230501:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20230501:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_dataprotection_v20230601preview:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20230601preview:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20230601preview:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20230601preview:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20230601preview:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_dataprotection_v20230801preview:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20230801preview:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20230801preview:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20230801preview:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20230801preview:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_dataprotection_v20231101:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20231101:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20231101:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20231101:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20231101:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_dataprotection_v20231201:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20231201:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20231201:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20231201:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20231201:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_dataprotection_v20240201preview:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20240201preview:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20240201preview:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20240201preview:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20240201preview:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_dataprotection_v20240301:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20240301:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20240301:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20240301:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20240301:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_dataprotection_v20240401:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20240401:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20240401:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20240401:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20240401:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_dataprotection_v20250101:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20250101:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20250101:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20250101:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20250101:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_dataprotection_v20250201:dataprotection:BackupInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupInstances/{backupInstanceName}", + "azure-native_dataprotection_v20250201:dataprotection:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupPolicies/{backupPolicyName}", + "azure-native_dataprotection_v20250201:dataprotection:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + "azure-native_dataprotection_v20250201:dataprotection:DppResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_dataprotection_v20250201:dataprotection:ResourceGuard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/resourceGuards/{resourceGuardsName}", + "azure-native_datareplication_v20210216preview:datareplication:Dra": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationFabrics/{fabricName}/fabricAgents/{fabricAgentName}", + "azure-native_datareplication_v20210216preview:datareplication:Fabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationFabrics/{fabricName}", + "azure-native_datareplication_v20210216preview:datareplication:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/replicationPolicies/{policyName}", + "azure-native_datareplication_v20210216preview:datareplication:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/protectedItems/{protectedItemName}", + "azure-native_datareplication_v20210216preview:datareplication:ReplicationExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/replicationExtensions/{replicationExtensionName}", + "azure-native_datareplication_v20210216preview:datareplication:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}", + "azure-native_datareplication_v20240901:datareplication:Fabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationFabrics/{fabricName}", + "azure-native_datareplication_v20240901:datareplication:FabricAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationFabrics/{fabricName}/fabricAgents/{fabricAgentName}", + "azure-native_datareplication_v20240901:datareplication:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/replicationPolicies/{policyName}", + "azure-native_datareplication_v20240901:datareplication:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_datareplication_v20240901:datareplication:PrivateEndpointConnectionProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/privateEndpointConnectionProxies/{privateEndpointConnectionProxyName}", + "azure-native_datareplication_v20240901:datareplication:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/protectedItems/{protectedItemName}", + "azure-native_datareplication_v20240901:datareplication:ReplicationExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}/replicationExtensions/{replicationExtensionName}", + "azure-native_datareplication_v20240901:datareplication:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataReplication/replicationVaults/{vaultName}", + "azure-native_datashare_v20210801:datashare:ADLSGen1FileDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:ADLSGen1FolderDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:ADLSGen2FileDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:ADLSGen2FileDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_datashare_v20210801:datashare:ADLSGen2FileSystemDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:ADLSGen2FileSystemDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_datashare_v20210801:datashare:ADLSGen2FolderDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:ADLSGen2FolderDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_datashare_v20210801:datashare:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}", + "azure-native_datashare_v20210801:datashare:BlobContainerDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:BlobContainerDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_datashare_v20210801:datashare:BlobDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:BlobDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_datashare_v20210801:datashare:BlobFolderDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:BlobFolderDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_datashare_v20210801:datashare:Invitation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/invitations/{invitationName}", + "azure-native_datashare_v20210801:datashare:KustoClusterDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:KustoClusterDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_datashare_v20210801:datashare:KustoDatabaseDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:KustoDatabaseDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_datashare_v20210801:datashare:KustoTableDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:KustoTableDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_datashare_v20210801:datashare:ScheduledSynchronizationSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/synchronizationSettings/{synchronizationSettingName}", + "azure-native_datashare_v20210801:datashare:ScheduledTrigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/triggers/{triggerName}", + "azure-native_datashare_v20210801:datashare:Share": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}", + "azure-native_datashare_v20210801:datashare:ShareSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}", + "azure-native_datashare_v20210801:datashare:SqlDBTableDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:SqlDBTableDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_datashare_v20210801:datashare:SqlDWTableDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:SqlDWTableDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_datashare_v20210801:datashare:SynapseWorkspaceSqlPoolTableDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shares/{shareName}/dataSets/{dataSetName}", + "azure-native_datashare_v20210801:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataShare/accounts/{accountName}/shareSubscriptions/{shareSubscriptionName}/dataSetMappings/{dataSetMappingName}", + "azure-native_dbformariadb_v20180601:dbformariadb:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/configurations/{configurationName}", + "azure-native_dbformariadb_v20180601:dbformariadb:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/databases/{databaseName}", + "azure-native_dbformariadb_v20180601:dbformariadb:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbformariadb_v20180601:dbformariadb:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dbformariadb_v20180601:dbformariadb:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}", + "azure-native_dbformariadb_v20180601:dbformariadb:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_dbformariadb_v20200101privatepreview:dbformariadb:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMariaDB/servers/{serverName}/keys/{keyName}", + "azure-native_dbformysql_v20171201:dbformysql:SingleServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}", + "azure-native_dbformysql_v20171201:dbformysql:SingleServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/configurations/{configurationName}", + "azure-native_dbformysql_v20171201:dbformysql:SingleServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/databases/{databaseName}", + "azure-native_dbformysql_v20171201:dbformysql:SingleServerFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbformysql_v20171201:dbformysql:SingleServerServerAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/administrators/activeDirectory", + "azure-native_dbformysql_v20171201:dbformysql:SingleServerVirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_dbformysql_v20220101:dbformysql:AzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/administrators/{administratorName}", + "azure-native_dbformysql_v20220101:dbformysql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/configurations/{configurationName}", + "azure-native_dbformysql_v20220101:dbformysql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/databases/{databaseName}", + "azure-native_dbformysql_v20220101:dbformysql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbformysql_v20220101:dbformysql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", + "azure-native_dbformysql_v20220930preview:dbformysql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dbformysql_v20220930preview:dbformysql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", + "azure-native_dbformysql_v20230601preview:dbformysql:AzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/administrators/{administratorName}", + "azure-native_dbformysql_v20230601preview:dbformysql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/configurations/{configurationName}", + "azure-native_dbformysql_v20230601preview:dbformysql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/databases/{databaseName}", + "azure-native_dbformysql_v20230601preview:dbformysql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbformysql_v20230601preview:dbformysql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", + "azure-native_dbformysql_v20230630:dbformysql:AzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/administrators/{administratorName}", + "azure-native_dbformysql_v20230630:dbformysql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/configurations/{configurationName}", + "azure-native_dbformysql_v20230630:dbformysql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/databases/{databaseName}", + "azure-native_dbformysql_v20230630:dbformysql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbformysql_v20230630:dbformysql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dbformysql_v20230630:dbformysql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", + "azure-native_dbformysql_v20231001preview:dbformysql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", + "azure-native_dbformysql_v20231201preview:dbformysql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", + "azure-native_dbformysql_v20231230:dbformysql:AzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/administrators/{administratorName}", + "azure-native_dbformysql_v20231230:dbformysql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/configurations/{configurationName}", + "azure-native_dbformysql_v20231230:dbformysql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/databases/{databaseName}", + "azure-native_dbformysql_v20231230:dbformysql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbformysql_v20231230:dbformysql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", + "azure-native_dbformysql_v20240201preview:dbformysql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", + "azure-native_dbformysql_v20240601preview:dbformysql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", + "azure-native_dbformysql_v20241001preview:dbformysql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforMySQL/flexibleServers/{serverName}", + "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}", + "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/configurations/{configurationName}", + "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/databases/{databaseName}", + "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerServerAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/administrators/activeDirectory", + "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerVirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}", + "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/firewallRules/{firewallRuleName}", + "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/roles/{roleName}", + "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", + "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", + "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", + "azure-native_dbforpostgresql_v20221201:dbforpostgresql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", + "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", + "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", + "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", + "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", + "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", + "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}", + "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/firewallRules/{firewallRuleName}", + "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupRole": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/serverGroupsv2/{clusterName}/roles/{roleName}", + "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", + "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", + "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", + "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", + "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", + "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:VirtualEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/virtualendpoints/{virtualEndpointName}", + "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", + "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", + "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", + "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", + "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", + "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:VirtualEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/virtualendpoints/{virtualEndpointName}", + "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", + "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/backups/{backupName}", + "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", + "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", + "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", + "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", + "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:VirtualEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/virtualendpoints/{virtualEndpointName}", + "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", + "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/backups/{backupName}", + "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", + "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", + "azure-native_dbforpostgresql_v20240801:dbforpostgresql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", + "azure-native_dbforpostgresql_v20240801:dbforpostgresql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", + "azure-native_dbforpostgresql_v20240801:dbforpostgresql:VirtualEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/virtualendpoints/{virtualEndpointName}", + "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Administrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/administrators/{objectId}", + "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/backups/{backupName}", + "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Configuration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/configurations/{configurationName}", + "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/databases/{databaseName}", + "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Migration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{targetDbServerName}/migrations/{migrationName}", + "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}", + "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:VirtualEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DBforPostgreSQL/flexibleServers/{serverName}/virtualendpoints/{virtualEndpointName}", + "azure-native_delegatednetwork_v20210315:delegatednetwork:ControllerDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/controller/{resourceName}", + "azure-native_delegatednetwork_v20210315:delegatednetwork:DelegatedSubnetServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/delegatedSubnets/{resourceName}", + "azure-native_delegatednetwork_v20210315:delegatednetwork:OrchestratorInstanceServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/orchestrators/{resourceName}", + "azure-native_delegatednetwork_v20230518preview:delegatednetwork:ControllerDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/controller/{resourceName}", + "azure-native_delegatednetwork_v20230518preview:delegatednetwork:DelegatedSubnetServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/delegatedSubnets/{resourceName}", + "azure-native_delegatednetwork_v20230518preview:delegatednetwork:OrchestratorInstanceServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/orchestrators/{resourceName}", + "azure-native_delegatednetwork_v20230627preview:delegatednetwork:ControllerDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/controller/{resourceName}", + "azure-native_delegatednetwork_v20230627preview:delegatednetwork:DelegatedSubnetServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/delegatedSubnets/{resourceName}", + "azure-native_delegatednetwork_v20230627preview:delegatednetwork:OrchestratorInstanceServiceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DelegatedNetwork/orchestrators/{resourceName}", + "azure-native_dependencymap_v20250131preview:dependencymap:DiscoverySource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DependencyMap/maps/{mapName}/discoverySources/{sourceName}", + "azure-native_dependencymap_v20250131preview:dependencymap:Map": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DependencyMap/maps/{mapName}", + "azure-native_desktopvirtualization_v20220909:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", + "azure-native_desktopvirtualization_v20220909:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", + "azure-native_desktopvirtualization_v20220909:desktopvirtualization:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", + "azure-native_desktopvirtualization_v20220909:desktopvirtualization:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", + "azure-native_desktopvirtualization_v20220909:desktopvirtualization:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", + "azure-native_desktopvirtualization_v20220909:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20220909:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", + "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", + "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", + "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", + "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", + "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", + "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", + "azure-native_desktopvirtualization_v20230905:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", + "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", + "azure-native_desktopvirtualization_v20230905:desktopvirtualization:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", + "azure-native_desktopvirtualization_v20230905:desktopvirtualization:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", + "azure-native_desktopvirtualization_v20230905:desktopvirtualization:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20230905:desktopvirtualization:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", + "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20230905:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", + "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", + "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", + "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", + "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", + "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", + "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", + "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", + "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", + "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", + "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", + "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", + "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", + "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", + "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", + "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", + "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", + "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", + "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", + "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", + "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", + "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", + "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", + "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", + "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", + "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", + "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", + "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", + "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", + "azure-native_desktopvirtualization_v20240403:desktopvirtualization:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", + "azure-native_desktopvirtualization_v20240403:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", + "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", + "azure-native_desktopvirtualization_v20240403:desktopvirtualization:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", + "azure-native_desktopvirtualization_v20240403:desktopvirtualization:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", + "azure-native_desktopvirtualization_v20240403:desktopvirtualization:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20240403:desktopvirtualization:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", + "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20240403:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", + "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", + "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", + "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", + "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", + "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", + "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", + "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", + "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", + "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", + "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", + "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", + "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:MSIXPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", + "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", + "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", + "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:AppAttachPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/appAttachPackages/{appAttachPackageName}", + "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}/applications/{applicationName}", + "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/applicationGroups/{applicationGroupName}", + "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:HostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}", + "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:MSIXPackage": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/msixPackages/{msixPackageFullName}", + "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:PrivateEndpointConnectionByHostPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/hostPools/{hostPoolName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}", + "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlanPersonalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/personalSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlanPooledSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/scalingPlans/{scalingPlanName}/pooledSchedules/{scalingPlanScheduleName}", + "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DesktopVirtualization/workspaces/{workspaceName}", + "azure-native_devcenter_v20230401:devcenter:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", + "azure-native_devcenter_v20230401:devcenter:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", + "azure-native_devcenter_v20230401:devcenter:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", + "azure-native_devcenter_v20230401:devcenter:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", + "azure-native_devcenter_v20230401:devcenter:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20230401:devcenter:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", + "azure-native_devcenter_v20230401:devcenter:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", + "azure-native_devcenter_v20230401:devcenter:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", + "azure-native_devcenter_v20230401:devcenter:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", + "azure-native_devcenter_v20230401:devcenter:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20230401:devcenter:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", + "azure-native_devcenter_v20230801preview:devcenter:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", + "azure-native_devcenter_v20230801preview:devcenter:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", + "azure-native_devcenter_v20230801preview:devcenter:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", + "azure-native_devcenter_v20230801preview:devcenter:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", + "azure-native_devcenter_v20230801preview:devcenter:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20230801preview:devcenter:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", + "azure-native_devcenter_v20230801preview:devcenter:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", + "azure-native_devcenter_v20230801preview:devcenter:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", + "azure-native_devcenter_v20230801preview:devcenter:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", + "azure-native_devcenter_v20230801preview:devcenter:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20230801preview:devcenter:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", + "azure-native_devcenter_v20231001preview:devcenter:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", + "azure-native_devcenter_v20231001preview:devcenter:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", + "azure-native_devcenter_v20231001preview:devcenter:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", + "azure-native_devcenter_v20231001preview:devcenter:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", + "azure-native_devcenter_v20231001preview:devcenter:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20231001preview:devcenter:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", + "azure-native_devcenter_v20231001preview:devcenter:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", + "azure-native_devcenter_v20231001preview:devcenter:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", + "azure-native_devcenter_v20231001preview:devcenter:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", + "azure-native_devcenter_v20231001preview:devcenter:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20231001preview:devcenter:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", + "azure-native_devcenter_v20240201:devcenter:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", + "azure-native_devcenter_v20240201:devcenter:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", + "azure-native_devcenter_v20240201:devcenter:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", + "azure-native_devcenter_v20240201:devcenter:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", + "azure-native_devcenter_v20240201:devcenter:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20240201:devcenter:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", + "azure-native_devcenter_v20240201:devcenter:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", + "azure-native_devcenter_v20240201:devcenter:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", + "azure-native_devcenter_v20240201:devcenter:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", + "azure-native_devcenter_v20240201:devcenter:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", + "azure-native_devcenter_v20240201:devcenter:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20240201:devcenter:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", + "azure-native_devcenter_v20240501preview:devcenter:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", + "azure-native_devcenter_v20240501preview:devcenter:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", + "azure-native_devcenter_v20240501preview:devcenter:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", + "azure-native_devcenter_v20240501preview:devcenter:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", + "azure-native_devcenter_v20240501preview:devcenter:EncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/encryptionSets/{encryptionSetName}", + "azure-native_devcenter_v20240501preview:devcenter:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20240501preview:devcenter:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", + "azure-native_devcenter_v20240501preview:devcenter:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", + "azure-native_devcenter_v20240501preview:devcenter:Plan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}", + "azure-native_devcenter_v20240501preview:devcenter:PlanMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}/members/{memberName}", + "azure-native_devcenter_v20240501preview:devcenter:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", + "azure-native_devcenter_v20240501preview:devcenter:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", + "azure-native_devcenter_v20240501preview:devcenter:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", + "azure-native_devcenter_v20240501preview:devcenter:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20240501preview:devcenter:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", + "azure-native_devcenter_v20240601preview:devcenter:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", + "azure-native_devcenter_v20240601preview:devcenter:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", + "azure-native_devcenter_v20240601preview:devcenter:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", + "azure-native_devcenter_v20240601preview:devcenter:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", + "azure-native_devcenter_v20240601preview:devcenter:EncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/encryptionSets/{encryptionSetName}", + "azure-native_devcenter_v20240601preview:devcenter:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20240601preview:devcenter:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", + "azure-native_devcenter_v20240601preview:devcenter:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", + "azure-native_devcenter_v20240601preview:devcenter:Plan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}", + "azure-native_devcenter_v20240601preview:devcenter:PlanMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}/members/{memberName}", + "azure-native_devcenter_v20240601preview:devcenter:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", + "azure-native_devcenter_v20240601preview:devcenter:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", + "azure-native_devcenter_v20240601preview:devcenter:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", + "azure-native_devcenter_v20240601preview:devcenter:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20240601preview:devcenter:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", + "azure-native_devcenter_v20240701preview:devcenter:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", + "azure-native_devcenter_v20240701preview:devcenter:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", + "azure-native_devcenter_v20240701preview:devcenter:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", + "azure-native_devcenter_v20240701preview:devcenter:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", + "azure-native_devcenter_v20240701preview:devcenter:EncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/encryptionSets/{encryptionSetName}", + "azure-native_devcenter_v20240701preview:devcenter:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20240701preview:devcenter:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", + "azure-native_devcenter_v20240701preview:devcenter:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", + "azure-native_devcenter_v20240701preview:devcenter:Plan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}", + "azure-native_devcenter_v20240701preview:devcenter:PlanMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}/members/{memberName}", + "azure-native_devcenter_v20240701preview:devcenter:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", + "azure-native_devcenter_v20240701preview:devcenter:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", + "azure-native_devcenter_v20240701preview:devcenter:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", + "azure-native_devcenter_v20240701preview:devcenter:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20240701preview:devcenter:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", + "azure-native_devcenter_v20240801preview:devcenter:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", + "azure-native_devcenter_v20240801preview:devcenter:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", + "azure-native_devcenter_v20240801preview:devcenter:CurationProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/curationProfiles/{curationProfileName}", + "azure-native_devcenter_v20240801preview:devcenter:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", + "azure-native_devcenter_v20240801preview:devcenter:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", + "azure-native_devcenter_v20240801preview:devcenter:EncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/encryptionSets/{encryptionSetName}", + "azure-native_devcenter_v20240801preview:devcenter:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20240801preview:devcenter:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", + "azure-native_devcenter_v20240801preview:devcenter:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", + "azure-native_devcenter_v20240801preview:devcenter:Plan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}", + "azure-native_devcenter_v20240801preview:devcenter:PlanMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}/members/{memberName}", + "azure-native_devcenter_v20240801preview:devcenter:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", + "azure-native_devcenter_v20240801preview:devcenter:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", + "azure-native_devcenter_v20240801preview:devcenter:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", + "azure-native_devcenter_v20240801preview:devcenter:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20240801preview:devcenter:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", + "azure-native_devcenter_v20241001preview:devcenter:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", + "azure-native_devcenter_v20241001preview:devcenter:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", + "azure-native_devcenter_v20241001preview:devcenter:CurationProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/curationProfiles/{curationProfileName}", + "azure-native_devcenter_v20241001preview:devcenter:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", + "azure-native_devcenter_v20241001preview:devcenter:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", + "azure-native_devcenter_v20241001preview:devcenter:EncryptionSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/encryptionSets/{encryptionSetName}", + "azure-native_devcenter_v20241001preview:devcenter:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20241001preview:devcenter:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", + "azure-native_devcenter_v20241001preview:devcenter:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", + "azure-native_devcenter_v20241001preview:devcenter:Plan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}", + "azure-native_devcenter_v20241001preview:devcenter:PlanMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/plans/{planName}/members/{memberName}", + "azure-native_devcenter_v20241001preview:devcenter:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", + "azure-native_devcenter_v20241001preview:devcenter:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", + "azure-native_devcenter_v20241001preview:devcenter:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", + "azure-native_devcenter_v20241001preview:devcenter:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20241001preview:devcenter:ProjectPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/projectPolicies/{projectPolicyName}", + "azure-native_devcenter_v20241001preview:devcenter:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", + "azure-native_devcenter_v20250201:devcenter:AttachedNetworkByDevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/attachednetworks/{attachedNetworkConnectionName}", + "azure-native_devcenter_v20250201:devcenter:Catalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/catalogs/{catalogName}", + "azure-native_devcenter_v20250201:devcenter:DevBoxDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/devboxdefinitions/{devBoxDefinitionName}", + "azure-native_devcenter_v20250201:devcenter:DevCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}", + "azure-native_devcenter_v20250201:devcenter:EnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20250201:devcenter:Gallery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/galleries/{galleryName}", + "azure-native_devcenter_v20250201:devcenter:NetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/networkConnections/{networkConnectionName}", + "azure-native_devcenter_v20250201:devcenter:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}", + "azure-native_devcenter_v20250201:devcenter:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}", + "azure-native_devcenter_v20250201:devcenter:ProjectCatalog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/catalogs/{catalogName}", + "azure-native_devcenter_v20250201:devcenter:ProjectEnvironmentType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/environmentTypes/{environmentTypeName}", + "azure-native_devcenter_v20250201:devcenter:ProjectPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/devcenters/{devCenterName}/projectPolicies/{projectPolicyName}", + "azure-native_devcenter_v20250201:devcenter:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevCenter/projects/{projectName}/pools/{poolName}/schedules/{scheduleName}", + "azure-native_devhub_v20221011preview:devhub:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/workflows/{workflowName}", + "azure-native_devhub_v20230801:devhub:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/workflows/{workflowName}", + "azure-native_devhub_v20240501preview:devhub:IacProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/iacProfiles/{iacProfileName}", + "azure-native_devhub_v20240501preview:devhub:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/workflows/{workflowName}", + "azure-native_devhub_v20240801preview:devhub:IacProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/iacProfiles/{iacProfileName}", + "azure-native_devhub_v20240801preview:devhub:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/workflows/{workflowName}", + "azure-native_devhub_v20250301preview:devhub:IacProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/iacProfiles/{iacProfileName}", + "azure-native_devhub_v20250301preview:devhub:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevHub/workflows/{workflowName}", + "azure-native_deviceprovisioningservices_v20170821preview:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", + "azure-native_deviceprovisioningservices_v20170821preview:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", + "azure-native_deviceprovisioningservices_v20171115:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", + "azure-native_deviceprovisioningservices_v20171115:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", + "azure-native_deviceprovisioningservices_v20180122:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", + "azure-native_deviceprovisioningservices_v20180122:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", + "azure-native_deviceprovisioningservices_v20200101:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", + "azure-native_deviceprovisioningservices_v20200101:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", + "azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", + "azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", + "azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", + "azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", + "azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", + "azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", + "azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", + "azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", + "azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", + "azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", + "azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", + "azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", + "azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:DpsCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}/certificates/{certificateName}", + "azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:IotDpsResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{provisioningServiceName}", + "azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/provisioningServices/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_deviceregistry_v20231101preview:deviceregistry:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assets/{assetName}", + "azure-native_deviceregistry_v20231101preview:deviceregistry:AssetEndpointProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assetEndpointProfiles/{assetEndpointProfileName}", + "azure-native_deviceregistry_v20240901preview:deviceregistry:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assets/{assetName}", + "azure-native_deviceregistry_v20240901preview:deviceregistry:AssetEndpointProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assetEndpointProfiles/{assetEndpointProfileName}", + "azure-native_deviceregistry_v20240901preview:deviceregistry:DiscoveredAsset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/discoveredAssets/{discoveredAssetName}", + "azure-native_deviceregistry_v20240901preview:deviceregistry:DiscoveredAssetEndpointProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/discoveredAssetEndpointProfiles/{discoveredAssetEndpointProfileName}", + "azure-native_deviceregistry_v20240901preview:deviceregistry:Schema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/schemaRegistries/{schemaRegistryName}/schemas/{schemaName}", + "azure-native_deviceregistry_v20240901preview:deviceregistry:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/schemaRegistries/{schemaRegistryName}", + "azure-native_deviceregistry_v20240901preview:deviceregistry:SchemaVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/schemaRegistries/{schemaRegistryName}/schemas/{schemaName}/schemaVersions/{schemaVersionName}", + "azure-native_deviceregistry_v20241101:deviceregistry:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assets/{assetName}", + "azure-native_deviceregistry_v20241101:deviceregistry:AssetEndpointProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceRegistry/assetEndpointProfiles/{assetEndpointProfileName}", + "azure-native_deviceupdate_v20230701:deviceupdate:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}", + "azure-native_deviceupdate_v20230701:deviceupdate:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}/instances/{instanceName}", + "azure-native_deviceupdate_v20230701:deviceupdate:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_deviceupdate_v20230701:deviceupdate:PrivateEndpointConnectionProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}/privateEndpointConnectionProxies/{privateEndpointConnectionProxyId}", + "azure-native_devopsinfrastructure_v20231030preview:devopsinfrastructure:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", + "azure-native_devopsinfrastructure_v20231213preview:devopsinfrastructure:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", + "azure-native_devopsinfrastructure_v20240326preview:devopsinfrastructure:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", + "azure-native_devopsinfrastructure_v20240404preview:devopsinfrastructure:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", + "azure-native_devopsinfrastructure_v20241019:devopsinfrastructure:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", + "azure-native_devopsinfrastructure_v20250121:devopsinfrastructure:Pool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevOpsInfrastructure/pools/{poolName}", + "azure-native_devspaces_v20190401:devspaces:Controller": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevSpaces/controllers/{name}", + "azure-native_devtestlab_v20180915:devtestlab:ArtifactSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/artifactsources/{name}", + "azure-native_devtestlab_v20180915:devtestlab:CustomImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/customimages/{name}", + "azure-native_devtestlab_v20180915:devtestlab:Disk": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{userName}/disks/{name}", + "azure-native_devtestlab_v20180915:devtestlab:Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{userName}/environments/{name}", + "azure-native_devtestlab_v20180915:devtestlab:Formula": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/formulas/{name}", + "azure-native_devtestlab_v20180915:devtestlab:GlobalSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/schedules/{name}", + "azure-native_devtestlab_v20180915:devtestlab:Lab": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{name}", + "azure-native_devtestlab_v20180915:devtestlab:NotificationChannel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/notificationchannels/{name}", + "azure-native_devtestlab_v20180915:devtestlab:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/policysets/{policySetName}/policies/{name}", + "azure-native_devtestlab_v20180915:devtestlab:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/schedules/{name}", + "azure-native_devtestlab_v20180915:devtestlab:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{userName}/secrets/{name}", + "azure-native_devtestlab_v20180915:devtestlab:ServiceFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{userName}/servicefabrics/{name}", + "azure-native_devtestlab_v20180915:devtestlab:ServiceFabricSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{userName}/servicefabrics/{serviceFabricName}/schedules/{name}", + "azure-native_devtestlab_v20180915:devtestlab:ServiceRunner": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/servicerunners/{name}", + "azure-native_devtestlab_v20180915:devtestlab:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/users/{name}", + "azure-native_devtestlab_v20180915:devtestlab:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/virtualmachines/{name}", + "azure-native_devtestlab_v20180915:devtestlab:VirtualMachineSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/virtualmachines/{virtualMachineName}/schedules/{name}", + "azure-native_devtestlab_v20180915:devtestlab:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DevTestLab/labs/{labName}/virtualnetworks/{name}", + "azure-native_digitaltwins_v20230131:digitaltwins:DigitalTwin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}", + "azure-native_digitaltwins_v20230131:digitaltwins:DigitalTwinsEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}/endpoints/{endpointName}", + "azure-native_digitaltwins_v20230131:digitaltwins:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_digitaltwins_v20230131:digitaltwins:TimeSeriesDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DigitalTwins/digitalTwinsInstances/{resourceName}/timeSeriesDatabaseConnections/{timeSeriesDatabaseConnectionName}", + "azure-native_dns_v20150504preview:dns:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnszones/{zoneName}/{recordType}/{relativeRecordSetName}", + "azure-native_dns_v20150504preview:dns:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnszones/{zoneName}", + "azure-native_dns_v20160401:dns:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", + "azure-native_dns_v20160401:dns:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", + "azure-native_dns_v20170901:dns:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", + "azure-native_dns_v20170901:dns:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", + "azure-native_dns_v20171001:dns:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", + "azure-native_dns_v20171001:dns:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", + "azure-native_dns_v20180301preview:dns:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", + "azure-native_dns_v20180301preview:dns:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", + "azure-native_dns_v20180501:dns:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", + "azure-native_dns_v20180501:dns:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", + "azure-native_dns_v20230701preview:dns:DnssecConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/dnssecConfigs/default", + "azure-native_dns_v20230701preview:dns:RecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}/{recordType}/{relativeRecordSetName}", + "azure-native_dns_v20230701preview:dns:Zone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsZones/{zoneName}", + "azure-native_dnsresolver_v20200401preview:dnsresolver:DnsForwardingRuleset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}", + "azure-native_dnsresolver_v20200401preview:dnsresolver:DnsResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}", + "azure-native_dnsresolver_v20200401preview:dnsresolver:ForwardingRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/forwardingRules/{forwardingRuleName}", + "azure-native_dnsresolver_v20200401preview:dnsresolver:InboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/inboundEndpoints/{inboundEndpointName}", + "azure-native_dnsresolver_v20200401preview:dnsresolver:OutboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/outboundEndpoints/{outboundEndpointName}", + "azure-native_dnsresolver_v20200401preview:dnsresolver:PrivateResolverVirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/virtualNetworkLinks/{virtualNetworkLinkName}", + "azure-native_dnsresolver_v20220701:dnsresolver:DnsForwardingRuleset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}", + "azure-native_dnsresolver_v20220701:dnsresolver:DnsResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}", + "azure-native_dnsresolver_v20220701:dnsresolver:ForwardingRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/forwardingRules/{forwardingRuleName}", + "azure-native_dnsresolver_v20220701:dnsresolver:InboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/inboundEndpoints/{inboundEndpointName}", + "azure-native_dnsresolver_v20220701:dnsresolver:OutboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/outboundEndpoints/{outboundEndpointName}", + "azure-native_dnsresolver_v20220701:dnsresolver:PrivateResolverVirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/virtualNetworkLinks/{virtualNetworkLinkName}", + "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsForwardingRuleset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}", + "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}", + "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverDomainList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolverDomainLists/{dnsResolverDomainListName}", + "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolverPolicies/{dnsResolverPolicyName}", + "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverPolicyVirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolverPolicies/{dnsResolverPolicyName}/virtualNetworkLinks/{dnsResolverPolicyVirtualNetworkLinkName}", + "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsSecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolverPolicies/{dnsResolverPolicyName}/dnsSecurityRules/{dnsSecurityRuleName}", + "azure-native_dnsresolver_v20230701preview:dnsresolver:ForwardingRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/forwardingRules/{forwardingRuleName}", + "azure-native_dnsresolver_v20230701preview:dnsresolver:InboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/inboundEndpoints/{inboundEndpointName}", + "azure-native_dnsresolver_v20230701preview:dnsresolver:OutboundEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsResolvers/{dnsResolverName}/outboundEndpoints/{outboundEndpointName}", + "azure-native_dnsresolver_v20230701preview:dnsresolver:PrivateResolverVirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dnsForwardingRulesets/{dnsForwardingRulesetName}/virtualNetworkLinks/{virtualNetworkLinkName}", + "azure-native_domainregistration_v20220901:domainregistration:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}", + "azure-native_domainregistration_v20220901:domainregistration:DomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}/domainOwnershipIdentifiers/{name}", + "azure-native_domainregistration_v20230101:domainregistration:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}", + "azure-native_domainregistration_v20230101:domainregistration:DomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}/domainOwnershipIdentifiers/{name}", + "azure-native_domainregistration_v20231201:domainregistration:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}", + "azure-native_domainregistration_v20231201:domainregistration:DomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}/domainOwnershipIdentifiers/{name}", + "azure-native_domainregistration_v20240401:domainregistration:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}", + "azure-native_domainregistration_v20240401:domainregistration:DomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DomainRegistration/domains/{domainName}/domainOwnershipIdentifiers/{name}", + "azure-native_durabletask_v20241001preview:durabletask:Scheduler": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DurableTask/schedulers/{schedulerName}", + "azure-native_durabletask_v20241001preview:durabletask:TaskHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DurableTask/schedulers/{schedulerName}/taskHubs/{taskHubName}", + "azure-native_dynamics365fraudprotection_v20210201preview:dynamics365fraudprotection:InstanceDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Dynamics365FraudProtection/instances/{instanceName}", + "azure-native_easm_v20230401preview:easm:LabelByWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Easm/workspaces/{workspaceName}/labels/{labelName}", + "azure-native_easm_v20230401preview:easm:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Easm/workspaces/{workspaceName}", + "azure-native_edge_v20240201preview:edge:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Edge/sites/{siteName}", + "azure-native_edge_v20240201preview:edge:SitesBySubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Edge/sites/{siteName}", + "azure-native_edgeorder_v20211201:edgeorder:AddressByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/addresses/{addressName}", + "azure-native_edgeorder_v20211201:edgeorder:OrderItemByName": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/orderItems/{orderItemName}", + "azure-native_edgeorder_v20220501preview:edgeorder:Address": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/addresses/{addressName}", + "azure-native_edgeorder_v20220501preview:edgeorder:OrderItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/orderItems/{orderItemName}", + "azure-native_edgeorder_v20240201:edgeorder:Address": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/addresses/{addressName}", + "azure-native_edgeorder_v20240201:edgeorder:OrderItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EdgeOrder/orderItems/{orderItemName}", + "azure-native_education_v20211201preview:education:Lab": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}/invoiceSections/{invoiceSectionName}/providers/Microsoft.Education/labs/default", + "azure-native_education_v20211201preview:education:Student": "/providers/Microsoft.Billing/billingAccounts/{billingAccountName}/billingProfiles/{billingProfileName}/invoiceSections/{invoiceSectionName}/providers/Microsoft.Education/labs/default/students/{studentAlias}", + "azure-native_elastic_v20230601:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", + "azure-native_elastic_v20230601:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", + "azure-native_elastic_v20230615preview:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", + "azure-native_elastic_v20230615preview:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", + "azure-native_elastic_v20230701preview:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", + "azure-native_elastic_v20230701preview:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", + "azure-native_elastic_v20231001preview:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", + "azure-native_elastic_v20231001preview:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", + "azure-native_elastic_v20231101preview:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", + "azure-native_elastic_v20231101preview:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", + "azure-native_elastic_v20240101preview:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", + "azure-native_elastic_v20240101preview:elastic:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", + "azure-native_elastic_v20240101preview:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", + "azure-native_elastic_v20240301:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", + "azure-native_elastic_v20240301:elastic:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", + "azure-native_elastic_v20240301:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", + "azure-native_elastic_v20240501preview:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", + "azure-native_elastic_v20240501preview:elastic:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", + "azure-native_elastic_v20240501preview:elastic:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", + "azure-native_elastic_v20240501preview:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", + "azure-native_elastic_v20240615preview:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", + "azure-native_elastic_v20240615preview:elastic:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", + "azure-native_elastic_v20240615preview:elastic:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", + "azure-native_elastic_v20240615preview:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", + "azure-native_elastic_v20241001preview:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", + "azure-native_elastic_v20241001preview:elastic:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", + "azure-native_elastic_v20241001preview:elastic:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", + "azure-native_elastic_v20241001preview:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", + "azure-native_elastic_v20250115preview:elastic:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}", + "azure-native_elastic_v20250115preview:elastic:MonitoredSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/monitoredSubscriptions/{configurationName}", + "azure-native_elastic_v20250115preview:elastic:OpenAI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/openAIIntegrations/{integrationName}", + "azure-native_elastic_v20250115preview:elastic:TagRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Elastic/monitors/{monitorName}/tagRules/{ruleSetName}", + "azure-native_elasticsan_v20211120preview:elasticsan:ElasticSan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}", + "azure-native_elasticsan_v20211120preview:elasticsan:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/volumes/{volumeName}", + "azure-native_elasticsan_v20211120preview:elasticsan:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}", + "azure-native_elasticsan_v20221201preview:elasticsan:ElasticSan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}", + "azure-native_elasticsan_v20221201preview:elasticsan:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_elasticsan_v20221201preview:elasticsan:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/volumes/{volumeName}", + "azure-native_elasticsan_v20221201preview:elasticsan:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}", + "azure-native_elasticsan_v20230101:elasticsan:ElasticSan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}", + "azure-native_elasticsan_v20230101:elasticsan:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_elasticsan_v20230101:elasticsan:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/volumes/{volumeName}", + "azure-native_elasticsan_v20230101:elasticsan:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}", + "azure-native_elasticsan_v20230101:elasticsan:VolumeSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/snapshots/{snapshotName}", + "azure-native_elasticsan_v20240501:elasticsan:ElasticSan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}", + "azure-native_elasticsan_v20240501:elasticsan:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_elasticsan_v20240501:elasticsan:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/volumes/{volumeName}", + "azure-native_elasticsan_v20240501:elasticsan:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}", + "azure-native_elasticsan_v20240501:elasticsan:VolumeSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/snapshots/{snapshotName}", + "azure-native_elasticsan_v20240601preview:elasticsan:ElasticSan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}", + "azure-native_elasticsan_v20240601preview:elasticsan:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_elasticsan_v20240601preview:elasticsan:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/volumes/{volumeName}", + "azure-native_elasticsan_v20240601preview:elasticsan:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}", + "azure-native_elasticsan_v20240601preview:elasticsan:VolumeSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ElasticSan/elasticSans/{elasticSanName}/volumegroups/{volumeGroupName}/snapshots/{snapshotName}", + "azure-native_engagementfabric_v20180901preview:engagementfabric:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EngagementFabric/Accounts/{accountName}", + "azure-native_engagementfabric_v20180901preview:engagementfabric:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EngagementFabric/Accounts/{accountName}/Channels/{channelName}", + "azure-native_enterpriseknowledgegraph_v20181203:enterpriseknowledgegraph:EnterpriseKnowledgeGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EnterpriseKnowledgeGraph/services/{resourceName}", + "azure-native_eventgrid_v20220615:eventgrid:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", + "azure-native_eventgrid_v20220615:eventgrid:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", + "azure-native_eventgrid_v20220615:eventgrid:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20220615:eventgrid:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", + "azure-native_eventgrid_v20220615:eventgrid:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20220615:eventgrid:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20220615:eventgrid:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", + "azure-native_eventgrid_v20220615:eventgrid:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", + "azure-native_eventgrid_v20220615:eventgrid:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", + "azure-native_eventgrid_v20220615:eventgrid:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", + "azure-native_eventgrid_v20220615:eventgrid:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20220615:eventgrid:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventgrid_v20220615:eventgrid:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", + "azure-native_eventgrid_v20220615:eventgrid:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20220615:eventgrid:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", + "azure-native_eventgrid_v20220615:eventgrid:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20230601preview:eventgrid:CaCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/caCertificates/{caCertificateName}", + "azure-native_eventgrid_v20230601preview:eventgrid:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", + "azure-native_eventgrid_v20230601preview:eventgrid:Client": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clients/{clientName}", + "azure-native_eventgrid_v20230601preview:eventgrid:ClientGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clientGroups/{clientGroupName}", + "azure-native_eventgrid_v20230601preview:eventgrid:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", + "azure-native_eventgrid_v20230601preview:eventgrid:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20230601preview:eventgrid:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", + "azure-native_eventgrid_v20230601preview:eventgrid:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20230601preview:eventgrid:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20230601preview:eventgrid:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}", + "azure-native_eventgrid_v20230601preview:eventgrid:NamespaceTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_eventgrid_v20230601preview:eventgrid:NamespaceTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20230601preview:eventgrid:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", + "azure-native_eventgrid_v20230601preview:eventgrid:PartnerDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerDestinations/{partnerDestinationName}", + "azure-native_eventgrid_v20230601preview:eventgrid:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", + "azure-native_eventgrid_v20230601preview:eventgrid:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", + "azure-native_eventgrid_v20230601preview:eventgrid:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", + "azure-native_eventgrid_v20230601preview:eventgrid:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20230601preview:eventgrid:PermissionBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/permissionBindings/{permissionBindingName}", + "azure-native_eventgrid_v20230601preview:eventgrid:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventgrid_v20230601preview:eventgrid:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", + "azure-native_eventgrid_v20230601preview:eventgrid:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20230601preview:eventgrid:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", + "azure-native_eventgrid_v20230601preview:eventgrid:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20230601preview:eventgrid:TopicSpace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topicSpaces/{topicSpaceName}", + "azure-native_eventgrid_v20231215preview:eventgrid:CaCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/caCertificates/{caCertificateName}", + "azure-native_eventgrid_v20231215preview:eventgrid:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", + "azure-native_eventgrid_v20231215preview:eventgrid:Client": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clients/{clientName}", + "azure-native_eventgrid_v20231215preview:eventgrid:ClientGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clientGroups/{clientGroupName}", + "azure-native_eventgrid_v20231215preview:eventgrid:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", + "azure-native_eventgrid_v20231215preview:eventgrid:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20231215preview:eventgrid:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", + "azure-native_eventgrid_v20231215preview:eventgrid:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20231215preview:eventgrid:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20231215preview:eventgrid:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}", + "azure-native_eventgrid_v20231215preview:eventgrid:NamespaceTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_eventgrid_v20231215preview:eventgrid:NamespaceTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20231215preview:eventgrid:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", + "azure-native_eventgrid_v20231215preview:eventgrid:PartnerDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerDestinations/{partnerDestinationName}", + "azure-native_eventgrid_v20231215preview:eventgrid:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", + "azure-native_eventgrid_v20231215preview:eventgrid:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", + "azure-native_eventgrid_v20231215preview:eventgrid:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", + "azure-native_eventgrid_v20231215preview:eventgrid:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20231215preview:eventgrid:PermissionBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/permissionBindings/{permissionBindingName}", + "azure-native_eventgrid_v20231215preview:eventgrid:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventgrid_v20231215preview:eventgrid:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", + "azure-native_eventgrid_v20231215preview:eventgrid:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20231215preview:eventgrid:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", + "azure-native_eventgrid_v20231215preview:eventgrid:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20231215preview:eventgrid:TopicSpace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topicSpaces/{topicSpaceName}", + "azure-native_eventgrid_v20240601preview:eventgrid:CaCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/caCertificates/{caCertificateName}", + "azure-native_eventgrid_v20240601preview:eventgrid:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", + "azure-native_eventgrid_v20240601preview:eventgrid:Client": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clients/{clientName}", + "azure-native_eventgrid_v20240601preview:eventgrid:ClientGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clientGroups/{clientGroupName}", + "azure-native_eventgrid_v20240601preview:eventgrid:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", + "azure-native_eventgrid_v20240601preview:eventgrid:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20240601preview:eventgrid:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", + "azure-native_eventgrid_v20240601preview:eventgrid:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20240601preview:eventgrid:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20240601preview:eventgrid:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}", + "azure-native_eventgrid_v20240601preview:eventgrid:NamespaceTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_eventgrid_v20240601preview:eventgrid:NamespaceTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20240601preview:eventgrid:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", + "azure-native_eventgrid_v20240601preview:eventgrid:PartnerDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerDestinations/{partnerDestinationName}", + "azure-native_eventgrid_v20240601preview:eventgrid:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", + "azure-native_eventgrid_v20240601preview:eventgrid:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", + "azure-native_eventgrid_v20240601preview:eventgrid:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", + "azure-native_eventgrid_v20240601preview:eventgrid:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20240601preview:eventgrid:PermissionBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/permissionBindings/{permissionBindingName}", + "azure-native_eventgrid_v20240601preview:eventgrid:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventgrid_v20240601preview:eventgrid:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", + "azure-native_eventgrid_v20240601preview:eventgrid:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20240601preview:eventgrid:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", + "azure-native_eventgrid_v20240601preview:eventgrid:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20240601preview:eventgrid:TopicSpace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topicSpaces/{topicSpaceName}", + "azure-native_eventgrid_v20241215preview:eventgrid:CaCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/caCertificates/{caCertificateName}", + "azure-native_eventgrid_v20241215preview:eventgrid:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", + "azure-native_eventgrid_v20241215preview:eventgrid:Client": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clients/{clientName}", + "azure-native_eventgrid_v20241215preview:eventgrid:ClientGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clientGroups/{clientGroupName}", + "azure-native_eventgrid_v20241215preview:eventgrid:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", + "azure-native_eventgrid_v20241215preview:eventgrid:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20241215preview:eventgrid:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", + "azure-native_eventgrid_v20241215preview:eventgrid:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20241215preview:eventgrid:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20241215preview:eventgrid:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}", + "azure-native_eventgrid_v20241215preview:eventgrid:NamespaceTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_eventgrid_v20241215preview:eventgrid:NamespaceTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20241215preview:eventgrid:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", + "azure-native_eventgrid_v20241215preview:eventgrid:PartnerDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerDestinations/{partnerDestinationName}", + "azure-native_eventgrid_v20241215preview:eventgrid:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", + "azure-native_eventgrid_v20241215preview:eventgrid:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", + "azure-native_eventgrid_v20241215preview:eventgrid:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", + "azure-native_eventgrid_v20241215preview:eventgrid:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20241215preview:eventgrid:PermissionBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/permissionBindings/{permissionBindingName}", + "azure-native_eventgrid_v20241215preview:eventgrid:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventgrid_v20241215preview:eventgrid:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", + "azure-native_eventgrid_v20241215preview:eventgrid:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20241215preview:eventgrid:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", + "azure-native_eventgrid_v20241215preview:eventgrid:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20241215preview:eventgrid:TopicSpace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topicSpaces/{topicSpaceName}", + "azure-native_eventgrid_v20250215:eventgrid:CaCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/caCertificates/{caCertificateName}", + "azure-native_eventgrid_v20250215:eventgrid:Channel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}/channels/{channelName}", + "azure-native_eventgrid_v20250215:eventgrid:Client": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clients/{clientName}", + "azure-native_eventgrid_v20250215:eventgrid:ClientGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/clientGroups/{clientGroupName}", + "azure-native_eventgrid_v20250215:eventgrid:Domain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}", + "azure-native_eventgrid_v20250215:eventgrid:DomainEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20250215:eventgrid:DomainTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{domainTopicName}", + "azure-native_eventgrid_v20250215:eventgrid:DomainTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/domains/{domainName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20250215:eventgrid:EventSubscription": "/{scope}/providers/Microsoft.EventGrid/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20250215:eventgrid:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}", + "azure-native_eventgrid_v20250215:eventgrid:NamespaceTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_eventgrid_v20250215:eventgrid:NamespaceTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20250215:eventgrid:PartnerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerConfigurations/default", + "azure-native_eventgrid_v20250215:eventgrid:PartnerNamespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerNamespaces/{partnerNamespaceName}", + "azure-native_eventgrid_v20250215:eventgrid:PartnerRegistration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerRegistrations/{partnerRegistrationName}", + "azure-native_eventgrid_v20250215:eventgrid:PartnerTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}", + "azure-native_eventgrid_v20250215:eventgrid:PartnerTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/partnerTopics/{partnerTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20250215:eventgrid:PermissionBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/permissionBindings/{permissionBindingName}", + "azure-native_eventgrid_v20250215:eventgrid:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/{parentType}/{parentName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventgrid_v20250215:eventgrid:SystemTopic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}", + "azure-native_eventgrid_v20250215:eventgrid:SystemTopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/systemTopics/{systemTopicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20250215:eventgrid:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}", + "azure-native_eventgrid_v20250215:eventgrid:TopicEventSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/topics/{topicName}/eventSubscriptions/{eventSubscriptionName}", + "azure-native_eventgrid_v20250215:eventgrid:TopicSpace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventGrid/namespaces/{namespaceName}/topicSpaces/{topicSpaceName}", + "azure-native_eventhub_v20180101preview:eventhub:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", + "azure-native_eventhub_v20180101preview:eventhub:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", + "azure-native_eventhub_v20180101preview:eventhub:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_eventhub_v20180101preview:eventhub:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", + "azure-native_eventhub_v20180101preview:eventhub:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20180101preview:eventhub:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", + "azure-native_eventhub_v20180101preview:eventhub:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20180101preview:eventhub:NamespaceIpFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/ipfilterrules/{ipFilterRuleName}", + "azure-native_eventhub_v20180101preview:eventhub:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_eventhub_v20180101preview:eventhub:NamespaceVirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/virtualnetworkrules/{virtualNetworkRuleName}", + "azure-native_eventhub_v20180101preview:eventhub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventhub_v20210101preview:eventhub:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", + "azure-native_eventhub_v20210101preview:eventhub:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_eventhub_v20210101preview:eventhub:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", + "azure-native_eventhub_v20210101preview:eventhub:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20210101preview:eventhub:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", + "azure-native_eventhub_v20210101preview:eventhub:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20210101preview:eventhub:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_eventhub_v20210101preview:eventhub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventhub_v20210601preview:eventhub:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", + "azure-native_eventhub_v20210601preview:eventhub:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", + "azure-native_eventhub_v20210601preview:eventhub:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_eventhub_v20210601preview:eventhub:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", + "azure-native_eventhub_v20210601preview:eventhub:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20210601preview:eventhub:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", + "azure-native_eventhub_v20210601preview:eventhub:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20210601preview:eventhub:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_eventhub_v20210601preview:eventhub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventhub_v20211101:eventhub:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", + "azure-native_eventhub_v20211101:eventhub:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", + "azure-native_eventhub_v20211101:eventhub:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_eventhub_v20211101:eventhub:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", + "azure-native_eventhub_v20211101:eventhub:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20211101:eventhub:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", + "azure-native_eventhub_v20211101:eventhub:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20211101:eventhub:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_eventhub_v20211101:eventhub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventhub_v20211101:eventhub:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", + "azure-native_eventhub_v20220101preview:eventhub:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/applicationGroups/{applicationGroupName}", + "azure-native_eventhub_v20220101preview:eventhub:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", + "azure-native_eventhub_v20220101preview:eventhub:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", + "azure-native_eventhub_v20220101preview:eventhub:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_eventhub_v20220101preview:eventhub:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", + "azure-native_eventhub_v20220101preview:eventhub:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20220101preview:eventhub:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", + "azure-native_eventhub_v20220101preview:eventhub:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20220101preview:eventhub:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_eventhub_v20220101preview:eventhub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventhub_v20220101preview:eventhub:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", + "azure-native_eventhub_v20221001preview:eventhub:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/applicationGroups/{applicationGroupName}", + "azure-native_eventhub_v20221001preview:eventhub:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", + "azure-native_eventhub_v20221001preview:eventhub:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", + "azure-native_eventhub_v20221001preview:eventhub:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_eventhub_v20221001preview:eventhub:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", + "azure-native_eventhub_v20221001preview:eventhub:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20221001preview:eventhub:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", + "azure-native_eventhub_v20221001preview:eventhub:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20221001preview:eventhub:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_eventhub_v20221001preview:eventhub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventhub_v20221001preview:eventhub:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", + "azure-native_eventhub_v20230101preview:eventhub:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/applicationGroups/{applicationGroupName}", + "azure-native_eventhub_v20230101preview:eventhub:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", + "azure-native_eventhub_v20230101preview:eventhub:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", + "azure-native_eventhub_v20230101preview:eventhub:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_eventhub_v20230101preview:eventhub:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", + "azure-native_eventhub_v20230101preview:eventhub:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20230101preview:eventhub:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", + "azure-native_eventhub_v20230101preview:eventhub:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20230101preview:eventhub:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_eventhub_v20230101preview:eventhub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventhub_v20230101preview:eventhub:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", + "azure-native_eventhub_v20240101:eventhub:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/applicationGroups/{applicationGroupName}", + "azure-native_eventhub_v20240101:eventhub:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", + "azure-native_eventhub_v20240101:eventhub:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", + "azure-native_eventhub_v20240101:eventhub:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_eventhub_v20240101:eventhub:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", + "azure-native_eventhub_v20240101:eventhub:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20240101:eventhub:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", + "azure-native_eventhub_v20240101:eventhub:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20240101:eventhub:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_eventhub_v20240101:eventhub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventhub_v20240101:eventhub:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", + "azure-native_eventhub_v20240501preview:eventhub:ApplicationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/applicationGroups/{applicationGroupName}", + "azure-native_eventhub_v20240501preview:eventhub:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/clusters/{clusterName}", + "azure-native_eventhub_v20240501preview:eventhub:ConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/consumergroups/{consumerGroupName}", + "azure-native_eventhub_v20240501preview:eventhub:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_eventhub_v20240501preview:eventhub:EventHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}", + "azure-native_eventhub_v20240501preview:eventhub:EventHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/eventhubs/{eventHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20240501preview:eventhub:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}", + "azure-native_eventhub_v20240501preview:eventhub:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_eventhub_v20240501preview:eventhub:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_eventhub_v20240501preview:eventhub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_eventhub_v20240501preview:eventhub:SchemaRegistry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.EventHub/namespaces/{namespaceName}/schemagroups/{schemaGroupName}", + "azure-native_extendedlocation_v20210815:extendedlocation:CustomLocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ExtendedLocation/customLocations/{resourceName}", + "azure-native_extendedlocation_v20210831preview:extendedlocation:CustomLocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ExtendedLocation/customLocations/{resourceName}", + "azure-native_extendedlocation_v20210831preview:extendedlocation:ResourceSyncRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ExtendedLocation/customLocations/{resourceName}/resourceSyncRules/{childResourceName}", + "azure-native_fabric_v20231101:fabric:FabricCapacity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Fabric/capacities/{capacityName}", + "azure-native_fabric_v20250115preview:fabric:FabricCapacity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Fabric/capacities/{capacityName}", + "azure-native_features_v20210701:features:SubscriptionFeatureRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.Features/featureProviders/{providerNamespace}/subscriptionFeatureRegistrations/{featureName}", + "azure-native_fluidrelay_v20220601:fluidrelay:FluidRelayServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.FluidRelay/fluidRelayServers/{fluidRelayServerName}", + "azure-native_frontdoor_v20190301:frontdoor:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", + "azure-native_frontdoor_v20190401:frontdoor:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", + "azure-native_frontdoor_v20190501:frontdoor:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", + "azure-native_frontdoor_v20191001:frontdoor:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", + "azure-native_frontdoor_v20191101:frontdoor:Experiment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/NetworkExperimentProfiles/{profileName}/Experiments/{experimentName}", + "azure-native_frontdoor_v20191101:frontdoor:NetworkExperimentProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/NetworkExperimentProfiles/{profileName}", + "azure-native_frontdoor_v20200101:frontdoor:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", + "azure-native_frontdoor_v20200101:frontdoor:RulesEngine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}/rulesEngines/{rulesEngineName}", + "azure-native_frontdoor_v20200401:frontdoor:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", + "azure-native_frontdoor_v20200401:frontdoor:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", + "azure-native_frontdoor_v20200401:frontdoor:RulesEngine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}/rulesEngines/{rulesEngineName}", + "azure-native_frontdoor_v20200501:frontdoor:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", + "azure-native_frontdoor_v20200501:frontdoor:RulesEngine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}/rulesEngines/{rulesEngineName}", + "azure-native_frontdoor_v20201101:frontdoor:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", + "azure-native_frontdoor_v20210601:frontdoor:FrontDoor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}", + "azure-native_frontdoor_v20210601:frontdoor:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", + "azure-native_frontdoor_v20210601:frontdoor:RulesEngine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/frontDoors/{frontDoorName}/rulesEngines/{rulesEngineName}", + "azure-native_frontdoor_v20220501:frontdoor:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", + "azure-native_frontdoor_v20240201:frontdoor:Policy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/FrontDoorWebApplicationFirewallPolicies/{policyName}", + "azure-native_graphservices_v20230413:graphservices:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.GraphServices/accounts/{resourceName}", + "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", + "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationAssignmentsVMSS": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmssName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{name}", + "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualmachines/{vmName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", + "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationHCRPAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", + "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachines/{vmName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", + "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationAssignmentsVMSS": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/virtualMachineScaleSets/{vmssName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{name}", + "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ConnectedVMwarevSphere/virtualmachines/{vmName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", + "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationHCRPAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/providers/Microsoft.GuestConfiguration/guestConfigurationAssignments/{guestConfigurationAssignmentName}", + "azure-native_hardwaresecuritymodules_v20211130:hardwaresecuritymodules:DedicatedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/dedicatedHSMs/{name}", + "azure-native_hardwaresecuritymodules_v20220831preview:hardwaresecuritymodules:CloudHsmCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}", + "azure-native_hardwaresecuritymodules_v20220831preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}/privateEndpointConnections/{peConnectionName}", + "azure-native_hardwaresecuritymodules_v20231210preview:hardwaresecuritymodules:CloudHsmCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}", + "azure-native_hardwaresecuritymodules_v20231210preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}/privateEndpointConnections/{peConnectionName}", + "azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:CloudHsmCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}", + "azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/cloudHsmClusters/{cloudHsmClusterName}/privateEndpointConnections/{peConnectionName}", + "azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:DedicatedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HardwareSecurityModules/dedicatedHSMs/{name}", + "azure-native_hdinsight_v20210601:hdinsight:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/applications/{applicationName}", + "azure-native_hdinsight_v20210601:hdinsight:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}", + "azure-native_hdinsight_v20210601:hdinsight:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hdinsight_v20230415preview:hdinsight:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/applications/{applicationName}", + "azure-native_hdinsight_v20230415preview:hdinsight:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}", + "azure-native_hdinsight_v20230415preview:hdinsight:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hdinsight_v20230601preview:hdinsight:ClusterPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}", + "azure-native_hdinsight_v20230601preview:hdinsight:ClusterPoolCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}/clusters/{clusterName}", + "azure-native_hdinsight_v20230815preview:hdinsight:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/applications/{applicationName}", + "azure-native_hdinsight_v20230815preview:hdinsight:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}", + "azure-native_hdinsight_v20230815preview:hdinsight:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hdinsight_v20231101preview:hdinsight:ClusterPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}", + "azure-native_hdinsight_v20231101preview:hdinsight:ClusterPoolCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}/clusters/{clusterName}", + "azure-native_hdinsight_v20240501preview:hdinsight:ClusterPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}", + "azure-native_hdinsight_v20240501preview:hdinsight:ClusterPoolCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusterpools/{clusterPoolName}/clusters/{clusterName}", + "azure-native_hdinsight_v20240801preview:hdinsight:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/applications/{applicationName}", + "azure-native_hdinsight_v20240801preview:hdinsight:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}", + "azure-native_hdinsight_v20240801preview:hdinsight:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hdinsight_v20250115preview:hdinsight:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/applications/{applicationName}", + "azure-native_hdinsight_v20250115preview:hdinsight:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}", + "azure-native_hdinsight_v20250115preview:hdinsight:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HDInsight/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthbot_v20230501:healthbot:Bot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthBot/healthBots/{botName}", + "azure-native_healthbot_v20240201:healthbot:Bot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthBot/healthBots/{botName}", + "azure-native_healthcareapis_v20221001preview:healthcareapis:AnalyticsConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/analyticsconnectors/{analyticsConnectorName}", + "azure-native_healthcareapis_v20221001preview:healthcareapis:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", + "azure-native_healthcareapis_v20221001preview:healthcareapis:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", + "azure-native_healthcareapis_v20221001preview:healthcareapis:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", + "azure-native_healthcareapis_v20221001preview:healthcareapis:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", + "azure-native_healthcareapis_v20221001preview:healthcareapis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20221001preview:healthcareapis:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", + "azure-native_healthcareapis_v20221001preview:healthcareapis:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", + "azure-native_healthcareapis_v20221001preview:healthcareapis:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20221201:healthcareapis:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", + "azure-native_healthcareapis_v20221201:healthcareapis:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", + "azure-native_healthcareapis_v20221201:healthcareapis:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", + "azure-native_healthcareapis_v20221201:healthcareapis:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", + "azure-native_healthcareapis_v20221201:healthcareapis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20221201:healthcareapis:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", + "azure-native_healthcareapis_v20221201:healthcareapis:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", + "azure-native_healthcareapis_v20221201:healthcareapis:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20230228:healthcareapis:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", + "azure-native_healthcareapis_v20230228:healthcareapis:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", + "azure-native_healthcareapis_v20230228:healthcareapis:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", + "azure-native_healthcareapis_v20230228:healthcareapis:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", + "azure-native_healthcareapis_v20230228:healthcareapis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20230228:healthcareapis:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", + "azure-native_healthcareapis_v20230228:healthcareapis:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", + "azure-native_healthcareapis_v20230228:healthcareapis:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20230906:healthcareapis:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", + "azure-native_healthcareapis_v20230906:healthcareapis:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", + "azure-native_healthcareapis_v20230906:healthcareapis:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", + "azure-native_healthcareapis_v20230906:healthcareapis:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", + "azure-native_healthcareapis_v20230906:healthcareapis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20230906:healthcareapis:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", + "azure-native_healthcareapis_v20230906:healthcareapis:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", + "azure-native_healthcareapis_v20230906:healthcareapis:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20231101:healthcareapis:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", + "azure-native_healthcareapis_v20231101:healthcareapis:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", + "azure-native_healthcareapis_v20231101:healthcareapis:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", + "azure-native_healthcareapis_v20231101:healthcareapis:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", + "azure-native_healthcareapis_v20231101:healthcareapis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20231101:healthcareapis:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", + "azure-native_healthcareapis_v20231101:healthcareapis:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", + "azure-native_healthcareapis_v20231101:healthcareapis:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20231201:healthcareapis:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", + "azure-native_healthcareapis_v20231201:healthcareapis:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", + "azure-native_healthcareapis_v20231201:healthcareapis:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", + "azure-native_healthcareapis_v20231201:healthcareapis:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", + "azure-native_healthcareapis_v20231201:healthcareapis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20231201:healthcareapis:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", + "azure-native_healthcareapis_v20231201:healthcareapis:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", + "azure-native_healthcareapis_v20231201:healthcareapis:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20240301:healthcareapis:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", + "azure-native_healthcareapis_v20240301:healthcareapis:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", + "azure-native_healthcareapis_v20240301:healthcareapis:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", + "azure-native_healthcareapis_v20240301:healthcareapis:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", + "azure-native_healthcareapis_v20240301:healthcareapis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20240301:healthcareapis:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", + "azure-native_healthcareapis_v20240301:healthcareapis:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", + "azure-native_healthcareapis_v20240301:healthcareapis:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20240331:healthcareapis:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", + "azure-native_healthcareapis_v20240331:healthcareapis:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", + "azure-native_healthcareapis_v20240331:healthcareapis:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", + "azure-native_healthcareapis_v20240331:healthcareapis:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", + "azure-native_healthcareapis_v20240331:healthcareapis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20240331:healthcareapis:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", + "azure-native_healthcareapis_v20240331:healthcareapis:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", + "azure-native_healthcareapis_v20240331:healthcareapis:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20250301preview:healthcareapis:DicomService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/dicomservices/{dicomServiceName}", + "azure-native_healthcareapis_v20250301preview:healthcareapis:FhirService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/fhirservices/{fhirServiceName}", + "azure-native_healthcareapis_v20250301preview:healthcareapis:IotConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}", + "azure-native_healthcareapis_v20250301preview:healthcareapis:IotConnectorFhirDestination": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/iotconnectors/{iotConnectorName}/fhirdestinations/{fhirDestinationName}", + "azure-native_healthcareapis_v20250301preview:healthcareapis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthcareapis_v20250301preview:healthcareapis:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/services/{resourceName}", + "azure-native_healthcareapis_v20250301preview:healthcareapis:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}", + "azure-native_healthcareapis_v20250301preview:healthcareapis:WorkspacePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthcareApis/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthdataaiservices_v20240228preview:healthdataaiservices:DeidService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthDataAIServices/deidServices/{deidServiceName}", + "azure-native_healthdataaiservices_v20240228preview:healthdataaiservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthDataAIServices/deidServices/{deidServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_healthdataaiservices_v20240920:healthdataaiservices:DeidService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthDataAIServices/deidServices/{deidServiceName}", + "azure-native_healthdataaiservices_v20240920:healthdataaiservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HealthDataAIServices/deidServices/{deidServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcloud_v20230101preview:hybridcloud:CloudConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCloud/cloudConnections/{cloudConnectionName}", + "azure-native_hybridcloud_v20230101preview:hybridcloud:CloudConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCloud/cloudConnectors/{cloudConnectorName}", + "azure-native_hybridcompute_v20200815preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{name}", + "azure-native_hybridcompute_v20200815preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{name}/extensions/{extensionName}", + "azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateLinkScopedResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/scopedResources/{name}", + "azure-native_hybridcompute_v20210128preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20210128preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20210128preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20210128preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20210325preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20210325preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20210325preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20210325preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20210422preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20210422preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20210422preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20210422preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20210517preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20210517preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20210517preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20210517preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20210520:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20210520:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20210520:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20210520:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20210610preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20210610preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20210610preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20210610preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20211210preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20211210preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20211210preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20211210preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20220310:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20220310:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20220310:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20220310:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20220510preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20220510preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20220510preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20220510preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20220811preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20220811preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20220811preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20220811preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20221110:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20221110:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20221110:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20221110:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20221227:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20221227:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20221227:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20221227:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20221227preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20221227preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20221227preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20221227preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20230315preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20230315preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20230315preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20230315preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20230620preview:hybridcompute:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", + "azure-native_hybridcompute_v20230620preview:hybridcompute:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", + "azure-native_hybridcompute_v20230620preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20230620preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20230620preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20230620preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20231003preview:hybridcompute:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", + "azure-native_hybridcompute_v20231003preview:hybridcompute:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", + "azure-native_hybridcompute_v20231003preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20231003preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20231003preview:hybridcompute:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", + "azure-native_hybridcompute_v20231003preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20231003preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20240331preview:hybridcompute:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", + "azure-native_hybridcompute_v20240331preview:hybridcompute:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", + "azure-native_hybridcompute_v20240331preview:hybridcompute:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", + "azure-native_hybridcompute_v20240331preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20240331preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20240331preview:hybridcompute:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", + "azure-native_hybridcompute_v20240331preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20240331preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20240520preview:hybridcompute:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", + "azure-native_hybridcompute_v20240520preview:hybridcompute:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", + "azure-native_hybridcompute_v20240520preview:hybridcompute:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", + "azure-native_hybridcompute_v20240520preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20240520preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20240520preview:hybridcompute:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", + "azure-native_hybridcompute_v20240520preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20240520preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20240710:hybridcompute:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", + "azure-native_hybridcompute_v20240710:hybridcompute:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", + "azure-native_hybridcompute_v20240710:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20240710:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20240710:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20240710:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20240731preview:hybridcompute:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", + "azure-native_hybridcompute_v20240731preview:hybridcompute:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", + "azure-native_hybridcompute_v20240731preview:hybridcompute:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", + "azure-native_hybridcompute_v20240731preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20240731preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20240731preview:hybridcompute:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", + "azure-native_hybridcompute_v20240731preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20240731preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20240910preview:hybridcompute:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", + "azure-native_hybridcompute_v20240910preview:hybridcompute:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", + "azure-native_hybridcompute_v20240910preview:hybridcompute:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", + "azure-native_hybridcompute_v20240910preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20240910preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20240910preview:hybridcompute:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", + "azure-native_hybridcompute_v20240910preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20240910preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20241110preview:hybridcompute:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", + "azure-native_hybridcompute_v20241110preview:hybridcompute:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", + "azure-native_hybridcompute_v20241110preview:hybridcompute:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", + "azure-native_hybridcompute_v20241110preview:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20241110preview:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20241110preview:hybridcompute:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", + "azure-native_hybridcompute_v20241110preview:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20241110preview:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridcompute_v20250113:hybridcompute:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/gateways/{gatewayName}", + "azure-native_hybridcompute_v20250113:hybridcompute:License": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/licenses/{licenseName}", + "azure-native_hybridcompute_v20250113:hybridcompute:LicenseProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/licenseProfiles/{licenseProfileName}", + "azure-native_hybridcompute_v20250113:hybridcompute:Machine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}", + "azure-native_hybridcompute_v20250113:hybridcompute:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/extensions/{extensionName}", + "azure-native_hybridcompute_v20250113:hybridcompute:MachineRunCommand": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/machines/{machineName}/runCommands/{runCommandName}", + "azure-native_hybridcompute_v20250113:hybridcompute:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_hybridcompute_v20250113:hybridcompute:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridCompute/privateLinkScopes/{scopeName}", + "azure-native_hybridconnectivity_v20230315:hybridconnectivity:Endpoint": "/{resourceUri}/providers/Microsoft.HybridConnectivity/endpoints/{endpointName}", + "azure-native_hybridconnectivity_v20230315:hybridconnectivity:ServiceConfiguration": "/{resourceUri}/providers/Microsoft.HybridConnectivity/endpoints/{endpointName}/serviceConfigurations/{serviceConfigurationName}", + "azure-native_hybridconnectivity_v20241201:hybridconnectivity:Endpoint": "/{resourceUri}/providers/Microsoft.HybridConnectivity/endpoints/{endpointName}", + "azure-native_hybridconnectivity_v20241201:hybridconnectivity:PublicCloudConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridConnectivity/publicCloudConnectors/{publicCloudConnector}", + "azure-native_hybridconnectivity_v20241201:hybridconnectivity:ServiceConfiguration": "/{resourceUri}/providers/Microsoft.HybridConnectivity/endpoints/{endpointName}/serviceConfigurations/{serviceConfigurationName}", + "azure-native_hybridconnectivity_v20241201:hybridconnectivity:SolutionConfiguration": "/{resourceUri}/providers/Microsoft.HybridConnectivity/solutionConfigurations/{solutionConfiguration}", + "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/provisionedClusters/{resourceName}/agentPools/{agentPoolName}", + "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:HybridIdentityMetadatum": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/provisionedClusters/{resourceName}/hybridIdentityMetadata/{hybridIdentityMetadataResourceName}", + "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:ProvisionedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/provisionedClusters/{resourceName}", + "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:StorageSpaceRetrieve": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/storageSpaces/{storageSpacesName}", + "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:VirtualNetworkRetrieve": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/virtualNetworks/{virtualNetworksName}", + "azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:ClusterInstanceAgentPool": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default/agentPools/{agentPoolName}", + "azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:ClusterInstanceHybridIdentityMetadatum": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default/hybridIdentityMetadata/default", + "azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:KubernetesVersions": "/{customLocationResourceUri}/providers/Microsoft.HybridContainerService/kubernetesVersions/default", + "azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:ProvisionedClusterInstance": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default", + "azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:VMSkus": "/{customLocationResourceUri}/providers/Microsoft.HybridContainerService/skus/default", + "azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:VirtualNetworkRetrieve": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/virtualNetworks/{virtualNetworkName}", + "azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:ClusterInstanceAgentPool": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default/agentPools/{agentPoolName}", + "azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:ClusterInstanceHybridIdentityMetadatum": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default/hybridIdentityMetadata/default", + "azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:KubernetesVersions": "/{customLocationResourceUri}/providers/Microsoft.HybridContainerService/kubernetesVersions/default", + "azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:ProvisionedClusterInstance": "/{connectedClusterResourceUri}/providers/Microsoft.HybridContainerService/provisionedClusterInstances/default", + "azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:VMSkus": "/{customLocationResourceUri}/providers/Microsoft.HybridContainerService/skus/default", + "azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:VirtualNetworkRetrieve": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridContainerService/virtualNetworks/{virtualNetworkName}", + "azure-native_hybriddata_v20190601:hybriddata:DataManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridData/dataManagers/{dataManagerName}", + "azure-native_hybriddata_v20190601:hybriddata:DataStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridData/dataManagers/{dataManagerName}/dataStores/{dataStoreName}", + "azure-native_hybriddata_v20190601:hybriddata:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridData/dataManagers/{dataManagerName}/dataServices/{dataServiceName}/jobDefinitions/{jobDefinitionName}", + "azure-native_hybridnetwork_v20220101preview:hybridnetwork:Device": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/devices/{deviceName}", + "azure-native_hybridnetwork_v20220101preview:hybridnetwork:NetworkFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/networkFunctions/{networkFunctionName}", + "azure-native_hybridnetwork_v20220101preview:hybridnetwork:Vendor": "/subscriptions/{subscriptionId}/providers/Microsoft.HybridNetwork/vendors/{vendorName}", + "azure-native_hybridnetwork_v20220101preview:hybridnetwork:VendorSkuPreview": "/subscriptions/{subscriptionId}/providers/Microsoft.HybridNetwork/vendors/{vendorName}/vendorSkus/{skuName}/previewSubscriptions/{previewSubscription}", + "azure-native_hybridnetwork_v20220101preview:hybridnetwork:VendorSkus": "/subscriptions/{subscriptionId}/providers/Microsoft.HybridNetwork/vendors/{vendorName}/vendorSkus/{skuName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:ArtifactManifest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/artifactStores/{artifactStoreName}/artifactManifests/{artifactManifestName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:ArtifactStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/artifactStores/{artifactStoreName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:ConfigurationGroupSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/configurationGroupSchemas/{configurationGroupSchemaName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:ConfigurationGroupValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/configurationGroupValues/{configurationGroupValueName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/networkFunctions/{networkFunctionName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunctionDefinitionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkFunctionDefinitionGroups/{networkFunctionDefinitionGroupName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunctionDefinitionVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkFunctionDefinitionGroups/{networkFunctionDefinitionGroupName}/networkFunctionDefinitionVersions/{networkFunctionDefinitionVersionName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkServiceDesignGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkServiceDesignGroups/{networkServiceDesignGroupName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkServiceDesignVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkServiceDesignGroups/{networkServiceDesignGroupName}/networkServiceDesignVersions/{networkServiceDesignVersionName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:Publisher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/sites/{siteName}", + "azure-native_hybridnetwork_v20230901:hybridnetwork:SiteNetworkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/siteNetworkServices/{siteNetworkServiceName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:ArtifactManifest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/artifactStores/{artifactStoreName}/artifactManifests/{artifactManifestName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:ArtifactStore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/artifactStores/{artifactStoreName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:ConfigurationGroupSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/configurationGroupSchemas/{configurationGroupSchemaName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:ConfigurationGroupValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/configurationGroupValues/{configurationGroupValueName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/networkFunctions/{networkFunctionName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunctionDefinitionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkFunctionDefinitionGroups/{networkFunctionDefinitionGroupName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunctionDefinitionVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkFunctionDefinitionGroups/{networkFunctionDefinitionGroupName}/networkFunctionDefinitionVersions/{networkFunctionDefinitionVersionName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkServiceDesignGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkServiceDesignGroups/{networkServiceDesignGroupName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkServiceDesignVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}/networkServiceDesignGroups/{networkServiceDesignGroupName}/networkServiceDesignVersions/{networkServiceDesignVersionName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:Publisher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/publishers/{publisherName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/sites/{siteName}", + "azure-native_hybridnetwork_v20240415:hybridnetwork:SiteNetworkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.HybridNetwork/siteNetworkServices/{siteNetworkServiceName}", + "azure-native_impact_v20240501preview:impact:Connector": "/subscriptions/{subscriptionId}/providers/Microsoft.Impact/connectors/{connectorName}", + "azure-native_impact_v20240501preview:impact:Insight": "/subscriptions/{subscriptionId}/providers/Microsoft.Impact/workloadImpacts/{workloadImpactName}/insights/{insightName}", + "azure-native_impact_v20240501preview:impact:WorkloadImpact": "/subscriptions/{subscriptionId}/providers/Microsoft.Impact/workloadImpacts/{workloadImpactName}", + "azure-native_importexport_v20210101:importexport:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ImportExport/jobs/{jobName}", + "azure-native_integrationspaces_v20231114preview:integrationspaces:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/applications/{applicationName}", + "azure-native_integrationspaces_v20231114preview:integrationspaces:ApplicationResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/applications/{applicationName}/resources/{resourceName}", + "azure-native_integrationspaces_v20231114preview:integrationspaces:BusinessProcess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/applications/{applicationName}/businessProcesses/{businessProcessName}", + "azure-native_integrationspaces_v20231114preview:integrationspaces:InfrastructureResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}/infrastructureResources/{infrastructureResourceName}", + "azure-native_integrationspaces_v20231114preview:integrationspaces:Space": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IntegrationSpaces/spaces/{spaceName}", + "azure-native_intune_v20150114preview:intune:AndroidMAMPolicyByName": "/providers/Microsoft.Intune/locations/{hostName}/androidPolicies/{policyName}", + "azure-native_intune_v20150114preview:intune:IoMAMPolicyByName": "/providers/Microsoft.Intune/locations/{hostName}/iosPolicies/{policyName}", + "azure-native_iotcentral_v20210601:iotcentral:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTCentral/iotApps/{resourceName}", + "azure-native_iotcentral_v20211101preview:iotcentral:App": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTCentral/iotApps/{resourceName}", + "azure-native_iotcentral_v20211101preview:iotcentral:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTCentral/iotApps/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iotfirmwaredefense_v20230208preview:iotfirmwaredefense:Firmware": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}/firmwares/{firmwareId}", + "azure-native_iotfirmwaredefense_v20230208preview:iotfirmwaredefense:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}", + "azure-native_iotfirmwaredefense_v20240110:iotfirmwaredefense:Firmware": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}/firmwares/{firmwareId}", + "azure-native_iotfirmwaredefense_v20240110:iotfirmwaredefense:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}", + "azure-native_iotfirmwaredefense_v20250401preview:iotfirmwaredefense:Firmware": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}/firmwares/{firmwareId}", + "azure-native_iotfirmwaredefense_v20250401preview:iotfirmwaredefense:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTFirmwareDefense/workspaces/{workspaceName}", + "azure-native_iothub_v20160203:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20160203:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20170119:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20170119:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20170701:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20170701:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20170701:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20180122:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20180122:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20180122:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20180401:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20180401:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20180401:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20181201preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20181201preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20181201preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20190322:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20190322:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20190322:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20190322preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20190322preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20190322preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20190701preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20190701preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20190701preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20191104:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20191104:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20191104:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20200301:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20200301:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20200301:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20200301:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20200401:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20200401:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20200401:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20200401:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20200615:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20200615:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20200615:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20200615:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20200710preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20200710preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20200710preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20200710preview:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20200801:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20200801:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20200801:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20200801:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20200831:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20200831:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20200831:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20200831:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20200831preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20200831preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20200831preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20200831preview:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20210201preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20210201preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20210201preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20210201preview:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20210303preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20210303preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20210303preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20210303preview:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20210331:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20210331:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20210331:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20210331:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20210701:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20210701:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20210701:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20210701:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20210701preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20210701preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20210701preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20210701preview:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20210702:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20210702:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20210702:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20210702:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20210702preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20210702preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20210702preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20210702preview:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20220430preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20220430preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20220430preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20220430preview:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20221115preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20221115preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20221115preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20221115preview:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20230630:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20230630:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20230630:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20230630:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iothub_v20230630preview:iothub:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/certificates/{certificateName}", + "azure-native_iothub_v20230630preview:iothub:IotHubResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}", + "azure-native_iothub_v20230630preview:iothub:IotHubResourceEventHubConsumerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/IotHubs/{resourceName}/eventHubEndpoints/{eventHubEndpointName}/ConsumerGroups/{name}", + "azure-native_iothub_v20230630preview:iothub:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Devices/iotHubs/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_iotoperations_v20240701preview:iotoperations:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}", + "azure-native_iotoperations_v20240701preview:iotoperations:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authentications/{authenticationName}", + "azure-native_iotoperations_v20240701preview:iotoperations:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authorizations/{authorizationName}", + "azure-native_iotoperations_v20240701preview:iotoperations:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/listeners/{listenerName}", + "azure-native_iotoperations_v20240701preview:iotoperations:DataFlow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}/dataflows/{dataflowName}", + "azure-native_iotoperations_v20240701preview:iotoperations:DataFlowEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowEndpoints/{dataflowEndpointName}", + "azure-native_iotoperations_v20240701preview:iotoperations:DataFlowProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}", + "azure-native_iotoperations_v20240701preview:iotoperations:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}", + "azure-native_iotoperations_v20240815preview:iotoperations:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}", + "azure-native_iotoperations_v20240815preview:iotoperations:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authentications/{authenticationName}", + "azure-native_iotoperations_v20240815preview:iotoperations:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authorizations/{authorizationName}", + "azure-native_iotoperations_v20240815preview:iotoperations:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/listeners/{listenerName}", + "azure-native_iotoperations_v20240815preview:iotoperations:Dataflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}/dataflows/{dataflowName}", + "azure-native_iotoperations_v20240815preview:iotoperations:DataflowEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowEndpoints/{dataflowEndpointName}", + "azure-native_iotoperations_v20240815preview:iotoperations:DataflowProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}", + "azure-native_iotoperations_v20240815preview:iotoperations:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}", + "azure-native_iotoperations_v20240915preview:iotoperations:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}", + "azure-native_iotoperations_v20240915preview:iotoperations:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authentications/{authenticationName}", + "azure-native_iotoperations_v20240915preview:iotoperations:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authorizations/{authorizationName}", + "azure-native_iotoperations_v20240915preview:iotoperations:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/listeners/{listenerName}", + "azure-native_iotoperations_v20240915preview:iotoperations:Dataflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}/dataflows/{dataflowName}", + "azure-native_iotoperations_v20240915preview:iotoperations:DataflowEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowEndpoints/{dataflowEndpointName}", + "azure-native_iotoperations_v20240915preview:iotoperations:DataflowProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}", + "azure-native_iotoperations_v20240915preview:iotoperations:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}", + "azure-native_iotoperations_v20241101:iotoperations:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}", + "azure-native_iotoperations_v20241101:iotoperations:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authentications/{authenticationName}", + "azure-native_iotoperations_v20241101:iotoperations:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authorizations/{authorizationName}", + "azure-native_iotoperations_v20241101:iotoperations:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/listeners/{listenerName}", + "azure-native_iotoperations_v20241101:iotoperations:Dataflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}/dataflows/{dataflowName}", + "azure-native_iotoperations_v20241101:iotoperations:DataflowEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowEndpoints/{dataflowEndpointName}", + "azure-native_iotoperations_v20241101:iotoperations:DataflowProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}", + "azure-native_iotoperations_v20241101:iotoperations:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}", + "azure-native_iotoperations_v20250401:iotoperations:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}", + "azure-native_iotoperations_v20250401:iotoperations:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authentications/{authenticationName}", + "azure-native_iotoperations_v20250401:iotoperations:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/authorizations/{authorizationName}", + "azure-native_iotoperations_v20250401:iotoperations:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/brokers/{brokerName}/listeners/{listenerName}", + "azure-native_iotoperations_v20250401:iotoperations:Dataflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}/dataflows/{dataflowName}", + "azure-native_iotoperations_v20250401:iotoperations:DataflowEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowEndpoints/{dataflowEndpointName}", + "azure-native_iotoperations_v20250401:iotoperations:DataflowProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}/dataflowProfiles/{dataflowProfileName}", + "azure-native_iotoperations_v20250401:iotoperations:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperations/instances/{instanceName}", + "azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Dataset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsDataProcessor/instances/{instanceName}/datasets/{datasetName}", + "azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsDataProcessor/instances/{instanceName}", + "azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Pipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsDataProcessor/instances/{instanceName}/pipelines/{pipelineName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:Broker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/broker/{brokerName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/broker/{brokerName}/authentication/{authenticationName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/broker/{brokerName}/authorization/{authorizationName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/broker/{brokerName}/listener/{listenerName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DataLakeConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/dataLakeConnector/{dataLakeConnectorName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DataLakeConnectorTopicMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/dataLakeConnector/{dataLakeConnectorName}/topicMap/{topicMapName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DiagnosticService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/diagnosticService/{diagnosticServiceName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:KafkaConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/kafkaConnector/{kafkaConnectorName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:KafkaConnectorTopicMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/kafkaConnector/{kafkaConnectorName}/topicMap/{topicMapName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:Mq": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:MqttBridgeConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/mqttBridgeConnector/{mqttBridgeConnectorName}", + "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:MqttBridgeTopicMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsMQ/mq/{mqName}/mqttBridgeConnector/{mqttBridgeConnectorName}/topicMap/{topicMapName}", + "azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsOrchestrator/instances/{name}", + "azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Solution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsOrchestrator/solutions/{name}", + "azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Target": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.IoTOperationsOrchestrator/targets/{name}", + "azure-native_keyvault_v20230201:keyvault:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/keys/{keyName}", + "azure-native_keyvault_v20230201:keyvault:MHSMPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_keyvault_v20230201:keyvault:ManagedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}", + "azure-native_keyvault_v20230201:keyvault:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_keyvault_v20230201:keyvault:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/secrets/{secretName}", + "azure-native_keyvault_v20230201:keyvault:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}", + "azure-native_keyvault_v20230701:keyvault:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/keys/{keyName}", + "azure-native_keyvault_v20230701:keyvault:MHSMPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_keyvault_v20230701:keyvault:ManagedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}", + "azure-native_keyvault_v20230701:keyvault:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_keyvault_v20230701:keyvault:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/secrets/{secretName}", + "azure-native_keyvault_v20230701:keyvault:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}", + "azure-native_keyvault_v20240401preview:keyvault:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/keys/{keyName}", + "azure-native_keyvault_v20240401preview:keyvault:MHSMPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_keyvault_v20240401preview:keyvault:ManagedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}", + "azure-native_keyvault_v20240401preview:keyvault:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_keyvault_v20240401preview:keyvault:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/secrets/{secretName}", + "azure-native_keyvault_v20240401preview:keyvault:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}", + "azure-native_keyvault_v20241101:keyvault:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/keys/{keyName}", + "azure-native_keyvault_v20241101:keyvault:MHSMPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_keyvault_v20241101:keyvault:ManagedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}", + "azure-native_keyvault_v20241101:keyvault:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_keyvault_v20241101:keyvault:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/secrets/{secretName}", + "azure-native_keyvault_v20241101:keyvault:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}", + "azure-native_keyvault_v20241201preview:keyvault:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/keys/{keyName}", + "azure-native_keyvault_v20241201preview:keyvault:MHSMPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_keyvault_v20241201preview:keyvault:ManagedHsm": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/managedHSMs/{name}", + "azure-native_keyvault_v20241201preview:keyvault:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_keyvault_v20241201preview:keyvault:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/secrets/{secretName}", + "azure-native_keyvault_v20241201preview:keyvault:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}", + "azure-native_kubernetes_v20210401preview:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", + "azure-native_kubernetes_v20211001:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", + "azure-native_kubernetes_v20220501preview:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", + "azure-native_kubernetes_v20221001preview:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", + "azure-native_kubernetes_v20231101preview:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", + "azure-native_kubernetes_v20240101:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", + "azure-native_kubernetes_v20240201preview:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", + "azure-native_kubernetes_v20240601preview:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", + "azure-native_kubernetes_v20240701preview:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", + "azure-native_kubernetes_v20240715preview:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", + "azure-native_kubernetes_v20241201preview:kubernetes:ConnectedCluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Kubernetes/connectedClusters/{clusterName}", + "azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + "azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KubernetesConfiguration/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KubernetesConfiguration/privateLinkScopes/{scopeName}", + "azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + "azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:FluxConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + "azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:SourceControlConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", + "azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + "azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:FluxConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + "azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:SourceControlConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", + "azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + "azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:FluxConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + "azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:SourceControlConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", + "azure-native_kubernetesconfiguration_v20240401preview:kubernetesconfiguration:FluxConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + "azure-native_kubernetesconfiguration_v20241101:kubernetesconfiguration:Extension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + "azure-native_kubernetesconfiguration_v20241101:kubernetesconfiguration:FluxConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + "azure-native_kubernetesconfiguration_v20241101preview:kubernetesconfiguration:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KubernetesConfiguration/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_kubernetesconfiguration_v20241101preview:kubernetesconfiguration:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KubernetesConfiguration/privateLinkScopes/{scopeName}", + "azure-native_kubernetesruntime_v20240301:kubernetesruntime:BgpPeer": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/bgpPeers/{bgpPeerName}", + "azure-native_kubernetesruntime_v20240301:kubernetesruntime:LoadBalancer": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/loadBalancers/{loadBalancerName}", + "azure-native_kubernetesruntime_v20240301:kubernetesruntime:Service": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/services/{serviceName}", + "azure-native_kubernetesruntime_v20240301:kubernetesruntime:StorageClass": "/{resourceUri}/providers/Microsoft.KubernetesRuntime/storageClasses/{storageClassName}", + "azure-native_kusto_v20180907preview:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20180907preview:kusto:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20180907preview:kusto:EventHubConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/eventhubconnections/{eventHubConnectionName}", + "azure-native_kusto_v20190121:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20190121:kusto:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20190121:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20190121:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20190515:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20190515:kusto:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20190515:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20190515:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20190515:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20190907:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20190907:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20190907:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20190907:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20190907:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20190907:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20190907:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20191109:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20191109:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20191109:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20191109:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20191109:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20191109:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20191109:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20191109:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20191109:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20200215:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20200215:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20200215:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20200215:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20200215:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20200215:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20200215:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20200215:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20200215:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20200614:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20200614:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20200614:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20200614:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20200614:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20200614:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20200614:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20200614:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20200614:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20200918:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20200918:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20200918:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20200918:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20200918:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20200918:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20200918:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20200918:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20200918:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20210101:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20210101:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20210101:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20210101:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20210101:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20210101:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20210101:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20210101:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20210101:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20210101:kusto:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", + "azure-native_kusto_v20210827:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20210827:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20210827:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20210827:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20210827:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20210827:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20210827:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20210827:kusto:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_kusto_v20210827:kusto:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_kusto_v20210827:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20210827:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20210827:kusto:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", + "azure-native_kusto_v20220201:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20220201:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20220201:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20220201:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20220201:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20220201:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20220201:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20220201:kusto:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_kusto_v20220201:kusto:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_kusto_v20220201:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20220201:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20220201:kusto:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", + "azure-native_kusto_v20220707:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20220707:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20220707:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20220707:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20220707:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20220707:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20220707:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20220707:kusto:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_kusto_v20220707:kusto:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_kusto_v20220707:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20220707:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20220707:kusto:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", + "azure-native_kusto_v20221111:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20221111:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20221111:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20221111:kusto:CosmosDbDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20221111:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20221111:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20221111:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20221111:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20221111:kusto:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_kusto_v20221111:kusto:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_kusto_v20221111:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20221111:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20221111:kusto:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", + "azure-native_kusto_v20221229:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20221229:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20221229:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20221229:kusto:CosmosDbDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20221229:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20221229:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20221229:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20221229:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20221229:kusto:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_kusto_v20221229:kusto:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_kusto_v20221229:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20221229:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20221229:kusto:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", + "azure-native_kusto_v20230502:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20230502:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20230502:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20230502:kusto:CosmosDbDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20230502:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20230502:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20230502:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20230502:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20230502:kusto:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_kusto_v20230502:kusto:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_kusto_v20230502:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20230502:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20230502:kusto:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", + "azure-native_kusto_v20230815:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20230815:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20230815:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20230815:kusto:CosmosDbDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20230815:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20230815:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20230815:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20230815:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20230815:kusto:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_kusto_v20230815:kusto:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_kusto_v20230815:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20230815:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20230815:kusto:SandboxCustomImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/sandboxCustomImages/{sandboxCustomImageName}", + "azure-native_kusto_v20230815:kusto:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", + "azure-native_kusto_v20240413:kusto:AttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_kusto_v20240413:kusto:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}", + "azure-native_kusto_v20240413:kusto:ClusterPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20240413:kusto:CosmosDbDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20240413:kusto:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_kusto_v20240413:kusto:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20240413:kusto:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20240413:kusto:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_kusto_v20240413:kusto:ManagedPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/managedPrivateEndpoints/{managedPrivateEndpointName}", + "azure-native_kusto_v20240413:kusto:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_kusto_v20240413:kusto:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20240413:kusto:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}", + "azure-native_kusto_v20240413:kusto:SandboxCustomImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/sandboxCustomImages/{sandboxCustomImageName}", + "azure-native_kusto_v20240413:kusto:Script": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Kusto/clusters/{clusterName}/databases/{databaseName}/scripts/{scriptName}", + "azure-native_labservices_v20181015:labservices:Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labaccounts/{labAccountName}/labs/{labName}/environmentsettings/{environmentSettingName}/environments/{environmentName}", + "azure-native_labservices_v20181015:labservices:EnvironmentSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labaccounts/{labAccountName}/labs/{labName}/environmentsettings/{environmentSettingName}", + "azure-native_labservices_v20181015:labservices:GalleryImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labaccounts/{labAccountName}/galleryimages/{galleryImageName}", + "azure-native_labservices_v20181015:labservices:LabAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labaccounts/{labAccountName}", + "azure-native_labservices_v20211001preview:labservices:Lab": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}", + "azure-native_labservices_v20211001preview:labservices:LabPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labPlans/{labPlanName}", + "azure-native_labservices_v20211001preview:labservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/schedules/{scheduleName}", + "azure-native_labservices_v20211001preview:labservices:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/users/{userName}", + "azure-native_labservices_v20211115preview:labservices:Lab": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}", + "azure-native_labservices_v20211115preview:labservices:LabPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labPlans/{labPlanName}", + "azure-native_labservices_v20211115preview:labservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/schedules/{scheduleName}", + "azure-native_labservices_v20211115preview:labservices:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/users/{userName}", + "azure-native_labservices_v20220801:labservices:Lab": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}", + "azure-native_labservices_v20220801:labservices:LabPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labPlans/{labPlanName}", + "azure-native_labservices_v20220801:labservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/schedules/{scheduleName}", + "azure-native_labservices_v20220801:labservices:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/users/{userName}", + "azure-native_labservices_v20230607:labservices:Lab": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}", + "azure-native_labservices_v20230607:labservices:LabPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labPlans/{labPlanName}", + "azure-native_labservices_v20230607:labservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/schedules/{scheduleName}", + "azure-native_labservices_v20230607:labservices:User": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LabServices/labs/{labName}/users/{userName}", + "azure-native_loadtestservice_v20221201:loadtestservice:LoadTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LoadTestService/loadTests/{loadTestName}", + "azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LoadTestService/loadTests/{loadTestName}", + "azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTestMapping": "/{resourceUri}/providers/Microsoft.LoadTestService/loadTestMappings/{loadTestMappingName}", + "azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTestProfileMapping": "/{resourceUri}/providers/Microsoft.LoadTestService/loadTestProfileMappings/{loadTestProfileMappingName}", + "azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.LoadTestService/loadTests/{loadTestName}", + "azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTestMapping": "/{resourceUri}/providers/Microsoft.LoadTestService/loadTestMappings/{loadTestMappingName}", + "azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTestProfileMapping": "/{resourceUri}/providers/Microsoft.LoadTestService/loadTestProfileMappings/{loadTestProfileMappingName}", + "azure-native_logic_v20150201preview:logic:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}", + "azure-native_logic_v20150201preview:logic:WorkflowAccessKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}/accessKeys/{accessKeyName}", + "azure-native_logic_v20150801preview:logic:IntegrationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}", + "azure-native_logic_v20150801preview:logic:IntegrationAccountAgreement": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/agreements/{agreementName}", + "azure-native_logic_v20150801preview:logic:IntegrationAccountCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/certificates/{certificateName}", + "azure-native_logic_v20150801preview:logic:IntegrationAccountMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/maps/{mapName}", + "azure-native_logic_v20150801preview:logic:IntegrationAccountPartner": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/partners/{partnerName}", + "azure-native_logic_v20150801preview:logic:IntegrationAccountSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/schemas/{schemaName}", + "azure-native_logic_v20160601:logic:Agreement": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/agreements/{agreementName}", + "azure-native_logic_v20160601:logic:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/certificates/{certificateName}", + "azure-native_logic_v20160601:logic:IntegrationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}", + "azure-native_logic_v20160601:logic:IntegrationAccountAssembly": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/assemblies/{assemblyArtifactName}", + "azure-native_logic_v20160601:logic:IntegrationAccountBatchConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/batchConfigurations/{batchConfigurationName}", + "azure-native_logic_v20160601:logic:Map": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/maps/{mapName}", + "azure-native_logic_v20160601:logic:Partner": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/partners/{partnerName}", + "azure-native_logic_v20160601:logic:RosettaNetProcessConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/rosettanetprocessconfigurations/{rosettaNetProcessConfigurationName}", + "azure-native_logic_v20160601:logic:Schema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/schemas/{schemaName}", + "azure-native_logic_v20160601:logic:Session": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/sessions/{sessionName}", + "azure-native_logic_v20160601:logic:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}", + "azure-native_logic_v20180701preview:logic:IntegrationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}", + "azure-native_logic_v20180701preview:logic:IntegrationAccountAgreement": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/agreements/{agreementName}", + "azure-native_logic_v20180701preview:logic:IntegrationAccountAssembly": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/assemblies/{assemblyArtifactName}", + "azure-native_logic_v20180701preview:logic:IntegrationAccountBatchConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/batchConfigurations/{batchConfigurationName}", + "azure-native_logic_v20180701preview:logic:IntegrationAccountCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/certificates/{certificateName}", + "azure-native_logic_v20180701preview:logic:IntegrationAccountMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/maps/{mapName}", + "azure-native_logic_v20180701preview:logic:IntegrationAccountPartner": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/partners/{partnerName}", + "azure-native_logic_v20180701preview:logic:IntegrationAccountSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/schemas/{schemaName}", + "azure-native_logic_v20180701preview:logic:IntegrationAccountSession": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/sessions/{sessionName}", + "azure-native_logic_v20180701preview:logic:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}", + "azure-native_logic_v20190501:logic:IntegrationAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}", + "azure-native_logic_v20190501:logic:IntegrationAccountAgreement": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/agreements/{agreementName}", + "azure-native_logic_v20190501:logic:IntegrationAccountAssembly": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/assemblies/{assemblyArtifactName}", + "azure-native_logic_v20190501:logic:IntegrationAccountBatchConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/batchConfigurations/{batchConfigurationName}", + "azure-native_logic_v20190501:logic:IntegrationAccountCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/certificates/{certificateName}", + "azure-native_logic_v20190501:logic:IntegrationAccountMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/maps/{mapName}", + "azure-native_logic_v20190501:logic:IntegrationAccountPartner": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/partners/{partnerName}", + "azure-native_logic_v20190501:logic:IntegrationAccountSchema": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/schemas/{schemaName}", + "azure-native_logic_v20190501:logic:IntegrationAccountSession": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/integrationAccounts/{integrationAccountName}/sessions/{sessionName}", + "azure-native_logic_v20190501:logic:IntegrationServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.Logic/integrationServiceEnvironments/{integrationServiceEnvironmentName}", + "azure-native_logic_v20190501:logic:IntegrationServiceEnvironmentManagedApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroup}/providers/Microsoft.Logic/integrationServiceEnvironments/{integrationServiceEnvironmentName}/managedApis/{apiName}", + "azure-native_logic_v20190501:logic:Workflow": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Logic/workflows/{workflowName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsAdtAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsComp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForM365ComplianceCenter/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForEDM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForEDMUpload/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForMIPPolicySync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForMIPPolicySync/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForSCCPowershell": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForSCCPowershell/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsSec": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForM365SecurityCenter/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForEDMUpload": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForEDMUpload/{resourceName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForM365ComplianceCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForM365ComplianceCenter/{resourceName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForM365SecurityCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForM365SecurityCenter/{resourceName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForMIPPolicySync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForMIPPolicySync/{resourceName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}", + "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForSCCPowershell": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.M365SecurityAndCompliance/privateLinkServicesForSCCPowershell/{resourceName}", + "azure-native_machinelearning_v20160501preview:machinelearning:CommitmentPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearning/commitmentPlans/{commitmentPlanName}", + "azure-native_machinelearning_v20160501preview:machinelearning:WebService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearning/webServices/{webServiceName}", + "azure-native_machinelearning_v20170101:machinelearning:WebService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearning/webServices/{webServiceName}", + "azure-native_machinelearning_v20191001:machinelearning:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearning/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20200501preview:machinelearningservices:ACIService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20200501preview:machinelearningservices:AKSService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20200501preview:machinelearningservices:EndpointVariant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20200501preview:machinelearningservices:LinkedWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/linkedWorkspaces/{linkName}", + "azure-native_machinelearningservices_v20200501preview:machinelearningservices:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20200501preview:machinelearningservices:MachineLearningDataset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datasets/{datasetName}", + "azure-native_machinelearningservices_v20200501preview:machinelearningservices:MachineLearningDatastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{datastoreName}", + "azure-native_machinelearningservices_v20200501preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20200501preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20200515preview:machinelearningservices:ACIService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20200515preview:machinelearningservices:AKSService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20200515preview:machinelearningservices:EndpointVariant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20200515preview:machinelearningservices:LinkedWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/linkedWorkspaces/{linkName}", + "azure-native_machinelearningservices_v20200515preview:machinelearningservices:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20200515preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20200515preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20200601:machinelearningservices:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20200601:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20200601:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20200601:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20200801:machinelearningservices:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20200801:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20200801:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20200801:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20200901preview:machinelearningservices:ACIService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20200901preview:machinelearningservices:AKSService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20200901preview:machinelearningservices:EndpointVariant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20200901preview:machinelearningservices:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{labelingJobId}", + "azure-native_machinelearningservices_v20200901preview:machinelearningservices:LinkedService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/linkedServices/{linkName}", + "azure-native_machinelearningservices_v20200901preview:machinelearningservices:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20200901preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20200901preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20200901preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20210101:machinelearningservices:ACIService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20210101:machinelearningservices:AKSService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20210101:machinelearningservices:EndpointVariant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20210101:machinelearningservices:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20210101:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20210101:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20210101:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:EnvironmentSpecificationVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20210301preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20210401:machinelearningservices:ACIService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20210401:machinelearningservices:AKSService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20210401:machinelearningservices:EndpointVariant": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/services/{serviceName}", + "azure-native_machinelearningservices_v20210401:machinelearningservices:MachineLearningCompute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20210401:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20210401:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20210401:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20210701:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20210701:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20210701:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20210701:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20220101preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20220101preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20220101preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20220101preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20220201preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20220501:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20220601preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20221001:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20221001preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20221201preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20230201preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20230401:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20230401preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20230601preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/capacityReserverationGroups/{groupId}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferenceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/endpoints/{endpointName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferenceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/groups/{groupName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferencePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{inferencePoolName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20230801preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20231001:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:CapacityReservationGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/capacityReserverationGroups/{groupId}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:EndpointDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferenceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/endpoints/{endpointName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferenceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/groups/{groupName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferencePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{inferencePoolName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:LabelingJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/labelingJobs/{id}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20240101preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20240401:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionRaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiPolicies/{raiPolicyName}", + "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/raiPolicies/{raiPolicyName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiPolicies/{raiPolicyName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:EndpointDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/raiPolicies/{raiPolicyName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20240701preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20241001:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:CapabilityHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/capabilityHosts/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiPolicies/{raiPolicyName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:EndpointDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferenceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/endpoints/{endpointName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferenceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/groups/{groupName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferencePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{inferencePoolName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/raiPolicies/{raiPolicyName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20241001preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:BatchDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:BatchEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/batchEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:CapabilityHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/capabilityHosts/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:CodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:CodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/codes/{name}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/components/{name}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Compute": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/computes/{computeName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiBlocklist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiBlocklistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiBlocklists/{raiBlocklistName}/raiBlocklistItems/{raiBlocklistItemName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}/raiPolicies/{raiPolicyName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:DataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:DataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Datastore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/datastores/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:EndpointDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:EnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:EnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/environments/{name}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturesetContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturesetVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featuresets/{name}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturestoreEntityContainerEntity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturestoreEntityVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/featurestoreEntities/{name}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferenceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/endpoints/{endpointName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferenceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{poolName}/groups/{groupName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferencePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/inferencePools/{inferencePoolName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/jobs/{id}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ManagedNetworkSettingsRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/outboundRules/{ruleName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:MarketplaceSubscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/marketplaceSubscriptions/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/models/{name}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:OnlineDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}/deployments/{deploymentName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:OnlineEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/onlineEndpoints/{endpointName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RaiPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/endpoints/{endpointName}/raiPolicies/{raiPolicyName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Registry": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryCodeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryCodeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/codes/{codeName}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryComponentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryComponentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/components/{componentName}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryDataContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryDataVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/data/{name}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryEnvironmentContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryEnvironmentVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/environments/{environmentName}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryModelContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryModelVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/registries/{registryName}/models/{modelName}/versions/{version}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Schedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/schedules/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ServerlessEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/serverlessEndpoints/{name}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}", + "azure-native_machinelearningservices_v20250101preview:machinelearningservices:WorkspaceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MachineLearningServices/workspaces/{workspaceName}/connections/{connectionName}", + "azure-native_maintenance_v20221101preview:maintenance:ConfigurationAssignment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20221101preview:maintenance:ConfigurationAssignmentParent": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceParentType}/{resourceParentName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20221101preview:maintenance:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/maintenanceConfigurations/{resourceName}", + "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentParent": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceParentType}/{resourceParentName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentsForResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentsForSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20230401:maintenance:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/maintenanceConfigurations/{resourceName}", + "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentParent": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceParentType}/{resourceParentName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentsForResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentsForSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20230901preview:maintenance:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/maintenanceConfigurations/{resourceName}", + "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentParent": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceParentType}/{resourceParentName}/{resourceType}/{resourceName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentsForResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentsForSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Maintenance/configurationAssignments/{configurationAssignmentName}", + "azure-native_maintenance_v20231001preview:maintenance:MaintenanceConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Maintenance/maintenanceConfigurations/{resourceName}", + "azure-native_managedidentity_v20220131preview:managedidentity:FederatedIdentityCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}/federatedIdentityCredentials/{federatedIdentityCredentialResourceName}", + "azure-native_managedidentity_v20220131preview:managedidentity:UserAssignedIdentity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}", + "azure-native_managedidentity_v20230131:managedidentity:FederatedIdentityCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}/federatedIdentityCredentials/{federatedIdentityCredentialResourceName}", + "azure-native_managedidentity_v20230131:managedidentity:UserAssignedIdentity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}", + "azure-native_managedidentity_v20230731preview:managedidentity:FederatedIdentityCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}/federatedIdentityCredentials/{federatedIdentityCredentialResourceName}", + "azure-native_managedidentity_v20230731preview:managedidentity:UserAssignedIdentity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}", + "azure-native_managedidentity_v20241130:managedidentity:FederatedIdentityCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}/federatedIdentityCredentials/{federatedIdentityCredentialResourceName}", + "azure-native_managedidentity_v20241130:managedidentity:UserAssignedIdentity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}", + "azure-native_managedidentity_v20250131preview:managedidentity:FederatedIdentityCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}/federatedIdentityCredentials/{federatedIdentityCredentialResourceName}", + "azure-native_managedidentity_v20250131preview:managedidentity:UserAssignedIdentity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{resourceName}", + "azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetwork/managedNetworks/{managedNetworkName}", + "azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetwork/managedNetworks/{managedNetworkName}/managedNetworkGroups/{managedNetworkGroupName}", + "azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetworkPeeringPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetwork/managedNetworks/{managedNetworkName}/managedNetworkPeeringPolicies/{managedNetworkPeeringPolicyName}", + "azure-native_managednetwork_v20190601preview:managednetwork:ScopeAssignment": "/{scope}/providers/Microsoft.ManagedNetwork/scopeAssignments/{scopeAssignmentName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:AccessControlList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/accessControlLists/{accessControlListName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:ExternalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}/externalNetworks/{externalNetworkName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:InternalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}/internalNetworks/{internalNetworkName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpCommunity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipCommunities/{ipCommunityName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpExtendedCommunity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipExtendedCommunities/{ipExtendedCommunityName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipPrefixes/{ipPrefixName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:L2IsolationDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l2IsolationDomains/{l2IsolationDomainName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:L3IsolationDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkDevice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkDevices/{networkDeviceName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabrics/{networkFabricName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkFabricController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabricControllers/{networkFabricControllerName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkDevices/{networkDeviceName}/networkInterfaces/{networkInterfaceName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkRack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkRacks/{networkRackName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkToNetworkInterconnect": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabrics/{networkFabricName}/networkToNetworkInterconnects/{networkToNetworkInterconnectName}", + "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:RoutePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/routePolicies/{routePolicyName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:AccessControlList": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/accessControlLists/{accessControlListName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:ExternalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}/externalNetworks/{externalNetworkName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternalNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}/internalNetworks/{internalNetworkName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternetGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/internetGateways/{internetGatewayName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternetGatewayRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/internetGatewayRules/{internetGatewayRuleName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpCommunity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipCommunities/{ipCommunityName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpExtendedCommunity": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipExtendedCommunities/{ipExtendedCommunityName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/ipPrefixes/{ipPrefixName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:L2IsolationDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l2IsolationDomains/{l2IsolationDomainName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:L3IsolationDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/l3IsolationDomains/{l3IsolationDomainName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NeighborGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/neighborGroups/{neighborGroupName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkDevice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkDevices/{networkDeviceName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabrics/{networkFabricName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkFabricController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabricControllers/{networkFabricControllerName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkDevices/{networkDeviceName}/networkInterfaces/{networkInterfaceName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkPacketBroker": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkPacketBrokers/{networkPacketBrokerName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkRack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkRacks/{networkRackName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkTaps/{networkTapName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkTapRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkTapRules/{networkTapRuleName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkToNetworkInterconnect": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/networkFabrics/{networkFabricName}/networkToNetworkInterconnects/{networkToNetworkInterconnectName}", + "azure-native_managednetworkfabric_v20230615:managednetworkfabric:RoutePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedNetworkFabric/routePolicies/{routePolicyName}", + "azure-native_managedservices_v20221001:managedservices:RegistrationAssignment": "/{scope}/providers/Microsoft.ManagedServices/registrationAssignments/{registrationAssignmentId}", + "azure-native_managedservices_v20221001:managedservices:RegistrationDefinition": "/{scope}/providers/Microsoft.ManagedServices/registrationDefinitions/{registrationDefinitionId}", + "azure-native_management_v20210401:management:HierarchySetting": "/providers/Microsoft.Management/managementGroups/{groupId}/settings/default", + "azure-native_management_v20210401:management:ManagementGroup": "/providers/Microsoft.Management/managementGroups/{groupId}", + "azure-native_management_v20210401:management:ManagementGroupSubscription": "/providers/Microsoft.Management/managementGroups/{groupId}/subscriptions/{subscriptionId}", + "azure-native_management_v20230401:management:HierarchySetting": "/providers/Microsoft.Management/managementGroups/{groupId}/settings/default", + "azure-native_management_v20230401:management:ManagementGroup": "/providers/Microsoft.Management/managementGroups/{groupId}", + "azure-native_management_v20230401:management:ManagementGroupSubscription": "/providers/Microsoft.Management/managementGroups/{groupId}/subscriptions/{subscriptionId}", + "azure-native_managementpartner_v20180201:managementpartner:Partner": "/providers/Microsoft.ManagementPartner/partners/{partnerId}", + "azure-native_manufacturingplatform_v20250301:manufacturingplatform:ManufacturingDataService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManufacturingPlatform/manufacturingDataServices/{mdsResourceName}", + "azure-native_maps_v20200201preview:maps:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", + "azure-native_maps_v20200201preview:maps:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", + "azure-native_maps_v20200201preview:maps:PrivateAtlase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/privateAtlases/{privateAtlasName}", + "azure-native_maps_v20210201:maps:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", + "azure-native_maps_v20210201:maps:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", + "azure-native_maps_v20210701preview:maps:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", + "azure-native_maps_v20210701preview:maps:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", + "azure-native_maps_v20211201preview:maps:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", + "azure-native_maps_v20211201preview:maps:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", + "azure-native_maps_v20230601:maps:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", + "azure-native_maps_v20230601:maps:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", + "azure-native_maps_v20230801preview:maps:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", + "azure-native_maps_v20230801preview:maps:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", + "azure-native_maps_v20231201preview:maps:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", + "azure-native_maps_v20231201preview:maps:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", + "azure-native_maps_v20231201preview:maps:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_maps_v20240101preview:maps:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", + "azure-native_maps_v20240101preview:maps:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", + "azure-native_maps_v20240101preview:maps:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_maps_v20240701preview:maps:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}", + "azure-native_maps_v20240701preview:maps:Creator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Maps/accounts/{accountName}/creators/{creatorName}", + "azure-native_marketplace_v20230101:marketplace:PrivateStoreCollection": "/providers/Microsoft.Marketplace/privateStores/{privateStoreId}/collections/{collectionId}", + "azure-native_marketplace_v20230101:marketplace:PrivateStoreCollectionOffer": "/providers/Microsoft.Marketplace/privateStores/{privateStoreId}/collections/{collectionId}/offers/{offerId}", + "azure-native_media_v20151001:media:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{mediaServiceName}", + "azure-native_media_v20180330preview:media:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", + "azure-native_media_v20180330preview:media:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", + "azure-native_media_v20180330preview:media:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", + "azure-native_media_v20180330preview:media:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", + "azure-native_media_v20180330preview:media:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", + "azure-native_media_v20180330preview:media:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", + "azure-native_media_v20180330preview:media:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", + "azure-native_media_v20180330preview:media:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", + "azure-native_media_v20180330preview:media:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", + "azure-native_media_v20180330preview:media:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", + "azure-native_media_v20180601preview:media:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", + "azure-native_media_v20180601preview:media:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", + "azure-native_media_v20180601preview:media:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", + "azure-native_media_v20180601preview:media:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", + "azure-native_media_v20180601preview:media:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", + "azure-native_media_v20180601preview:media:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", + "azure-native_media_v20180601preview:media:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", + "azure-native_media_v20180601preview:media:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", + "azure-native_media_v20180601preview:media:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", + "azure-native_media_v20180601preview:media:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", + "azure-native_media_v20180701:media:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", + "azure-native_media_v20180701:media:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", + "azure-native_media_v20180701:media:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", + "azure-native_media_v20180701:media:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", + "azure-native_media_v20180701:media:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", + "azure-native_media_v20180701:media:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", + "azure-native_media_v20180701:media:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", + "azure-native_media_v20180701:media:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", + "azure-native_media_v20180701:media:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", + "azure-native_media_v20180701:media:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", + "azure-native_media_v20180701:media:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", + "azure-native_media_v20180701:media:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", + "azure-native_media_v20190501preview:media:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", + "azure-native_media_v20190501preview:media:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", + "azure-native_media_v20190501preview:media:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", + "azure-native_media_v20190901preview:media:MediaGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/mediaGraphs/{mediaGraphName}", + "azure-native_media_v20200201preview:media:MediaGraph": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/mediaGraphs/{mediaGraphName}", + "azure-native_media_v20200501:media:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", + "azure-native_media_v20200501:media:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", + "azure-native_media_v20200501:media:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", + "azure-native_media_v20200501:media:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", + "azure-native_media_v20200501:media:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", + "azure-native_media_v20200501:media:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", + "azure-native_media_v20200501:media:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", + "azure-native_media_v20200501:media:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", + "azure-native_media_v20200501:media:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/privateEndpointConnections/{name}", + "azure-native_media_v20200501:media:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", + "azure-native_media_v20200501:media:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", + "azure-native_media_v20200501:media:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", + "azure-native_media_v20200501:media:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", + "azure-native_media_v20210501:media:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", + "azure-native_media_v20210501:media:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/privateEndpointConnections/{name}", + "azure-native_media_v20210601:media:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", + "azure-native_media_v20210601:media:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", + "azure-native_media_v20210601:media:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", + "azure-native_media_v20210601:media:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", + "azure-native_media_v20210601:media:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", + "azure-native_media_v20210601:media:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", + "azure-native_media_v20210601:media:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", + "azure-native_media_v20210601:media:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", + "azure-native_media_v20210601:media:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/privateEndpointConnections/{name}", + "azure-native_media_v20210601:media:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", + "azure-native_media_v20210601:media:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", + "azure-native_media_v20210601:media:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", + "azure-native_media_v20210601:media:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", + "azure-native_media_v20211101:media:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", + "azure-native_media_v20211101:media:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", + "azure-native_media_v20211101:media:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", + "azure-native_media_v20211101:media:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", + "azure-native_media_v20211101:media:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", + "azure-native_media_v20211101:media:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", + "azure-native_media_v20211101:media:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", + "azure-native_media_v20211101:media:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", + "azure-native_media_v20211101:media:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/privateEndpointConnections/{name}", + "azure-native_media_v20211101:media:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", + "azure-native_media_v20211101:media:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", + "azure-native_media_v20211101:media:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", + "azure-native_media_v20211101:media:Track": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/tracks/{trackName}", + "azure-native_media_v20211101:media:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", + "azure-native_media_v20220501preview:media:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", + "azure-native_media_v20220501preview:media:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", + "azure-native_media_v20220701:media:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}/jobs/{jobName}", + "azure-native_media_v20220701:media:Transform": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/transforms/{transformName}", + "azure-native_media_v20220801:media:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", + "azure-native_media_v20220801:media:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", + "azure-native_media_v20220801:media:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", + "azure-native_media_v20220801:media:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", + "azure-native_media_v20220801:media:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", + "azure-native_media_v20220801:media:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", + "azure-native_media_v20220801:media:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", + "azure-native_media_v20220801:media:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", + "azure-native_media_v20220801:media:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", + "azure-native_media_v20220801:media:Track": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/tracks/{trackName}", + "azure-native_media_v20221101:media:LiveEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}", + "azure-native_media_v20221101:media:LiveOutput": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/liveEvents/{liveEventName}/liveOutputs/{liveOutputName}", + "azure-native_media_v20221101:media:StreamingEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/streamingEndpoints/{streamingEndpointName}", + "azure-native_media_v20230101:media:AccountFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/accountFilters/{filterName}", + "azure-native_media_v20230101:media:Asset": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}", + "azure-native_media_v20230101:media:AssetFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/assetFilters/{filterName}", + "azure-native_media_v20230101:media:ContentKeyPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/contentKeyPolicies/{contentKeyPolicyName}", + "azure-native_media_v20230101:media:MediaService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}", + "azure-native_media_v20230101:media:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaservices/{accountName}/privateEndpointConnections/{name}", + "azure-native_media_v20230101:media:StreamingLocator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingLocators/{streamingLocatorName}", + "azure-native_media_v20230101:media:StreamingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/streamingPolicies/{streamingPolicyName}", + "azure-native_media_v20230101:media:Track": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/mediaServices/{accountName}/assets/{assetName}/tracks/{trackName}", + "azure-native_migrate_v20180901preview:migrate:MigrateProject": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}", + "azure-native_migrate_v20180901preview:migrate:Solution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}/solutions/{solutionName}", + "azure-native_migrate_v20191001:migrate:Assessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", + "azure-native_migrate_v20191001:migrate:Group": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", + "azure-native_migrate_v20191001:migrate:HyperVCollector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hyperVCollectorName}", + "azure-native_migrate_v20191001:migrate:ImportCollector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", + "azure-native_migrate_v20191001:migrate:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentprojects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_migrate_v20191001:migrate:Project": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", + "azure-native_migrate_v20191001:migrate:ServerCollector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", + "azure-native_migrate_v20191001:migrate:VMwareCollector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", + "azure-native_migrate_v20191001preview:migrate:MoveCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}", + "azure-native_migrate_v20191001preview:migrate:MoveResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}/moveResources/{moveResourceName}", + "azure-native_migrate_v20200501:migrate:MigrateProjectsControllerMigrateProject": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}", + "azure-native_migrate_v20200501:migrate:PrivateEndpointConnectionControllerPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}/privateEndpointConnections/{peConnectionName}", + "azure-native_migrate_v20210101:migrate:MoveCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}", + "azure-native_migrate_v20210101:migrate:MoveResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}/moveResources/{moveResourceName}", + "azure-native_migrate_v20210801:migrate:MoveCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}", + "azure-native_migrate_v20210801:migrate:MoveResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}/moveResources/{moveResourceName}", + "azure-native_migrate_v20220501preview:migrate:MigrateAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/modernizeProjects/{modernizeProjectName}/migrateAgents/{agentName}", + "azure-native_migrate_v20220501preview:migrate:ModernizeProject": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/modernizeProjects/{modernizeProjectName}", + "azure-native_migrate_v20220501preview:migrate:WorkloadDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/modernizeProjects/{modernizeProjectName}/workloadDeployments/{workloadDeploymentName}", + "azure-native_migrate_v20220501preview:migrate:WorkloadInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/modernizeProjects/{modernizeProjectName}/workloadInstances/{workloadInstanceName}", + "azure-native_migrate_v20220801:migrate:MoveCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}", + "azure-native_migrate_v20220801:migrate:MoveResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}/moveResources/{moveResourceName}", + "azure-native_migrate_v20230101:migrate:MigrateProjectsControllerMigrateProject": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}", + "azure-native_migrate_v20230101:migrate:PrivateEndpointConnectionControllerPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}/privateEndpointConnections/{peConnectionName}", + "azure-native_migrate_v20230101:migrate:PrivateEndpointConnectionProxyController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}/privateEndpointConnectionProxies/{pecProxyName}", + "azure-native_migrate_v20230101:migrate:SolutionsControllerSolution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/migrateProjects/{migrateProjectName}/solutions/{solutionName}", + "azure-native_migrate_v20230315:migrate:AssessmentProjectsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", + "azure-native_migrate_v20230315:migrate:AssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", + "azure-native_migrate_v20230315:migrate:AvsAssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/avsAssessments/{assessmentName}", + "azure-native_migrate_v20230315:migrate:GroupsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", + "azure-native_migrate_v20230315:migrate:HypervCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hypervCollectorName}", + "azure-native_migrate_v20230315:migrate:ImportCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", + "azure-native_migrate_v20230315:migrate:PrivateEndpointConnectionOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_migrate_v20230315:migrate:ServerCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", + "azure-native_migrate_v20230315:migrate:SqlAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/sqlAssessments/{assessmentName}", + "azure-native_migrate_v20230315:migrate:SqlCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/sqlcollectors/{collectorName}", + "azure-native_migrate_v20230315:migrate:VmwareCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", + "azure-native_migrate_v20230401preview:migrate:AksAssessmentOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/aksAssessments/{assessmentName}", + "azure-native_migrate_v20230401preview:migrate:AssessmentProjectsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", + "azure-native_migrate_v20230401preview:migrate:AssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", + "azure-native_migrate_v20230401preview:migrate:AvsAssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/avsAssessments/{assessmentName}", + "azure-native_migrate_v20230401preview:migrate:BusinessCaseOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/businessCases/{businessCaseName}", + "azure-native_migrate_v20230401preview:migrate:GroupsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", + "azure-native_migrate_v20230401preview:migrate:HypervCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hypervCollectorName}", + "azure-native_migrate_v20230401preview:migrate:ImportCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", + "azure-native_migrate_v20230401preview:migrate:PrivateEndpointConnectionOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_migrate_v20230401preview:migrate:ServerCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", + "azure-native_migrate_v20230401preview:migrate:SqlAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/sqlAssessments/{assessmentName}", + "azure-native_migrate_v20230401preview:migrate:SqlCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/sqlcollectors/{collectorName}", + "azure-native_migrate_v20230401preview:migrate:VmwareCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", + "azure-native_migrate_v20230401preview:migrate:WebAppAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/webAppAssessments/{assessmentName}", + "azure-native_migrate_v20230401preview:migrate:WebAppCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/webAppCollectors/{collectorName}", + "azure-native_migrate_v20230501preview:migrate:AksAssessmentOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/aksAssessments/{assessmentName}", + "azure-native_migrate_v20230501preview:migrate:AssessmentProjectsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", + "azure-native_migrate_v20230501preview:migrate:AssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", + "azure-native_migrate_v20230501preview:migrate:AvsAssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/avsAssessments/{assessmentName}", + "azure-native_migrate_v20230501preview:migrate:BusinessCaseOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/businessCases/{businessCaseName}", + "azure-native_migrate_v20230501preview:migrate:GroupsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", + "azure-native_migrate_v20230501preview:migrate:HypervCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hypervCollectorName}", + "azure-native_migrate_v20230501preview:migrate:ImportCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", + "azure-native_migrate_v20230501preview:migrate:PrivateEndpointConnectionOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_migrate_v20230501preview:migrate:ServerCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", + "azure-native_migrate_v20230501preview:migrate:SqlAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/sqlAssessments/{assessmentName}", + "azure-native_migrate_v20230501preview:migrate:SqlCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/sqlcollectors/{collectorName}", + "azure-native_migrate_v20230501preview:migrate:VmwareCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", + "azure-native_migrate_v20230501preview:migrate:WebAppAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/webAppAssessments/{assessmentName}", + "azure-native_migrate_v20230501preview:migrate:WebAppCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/webAppCollectors/{collectorName}", + "azure-native_migrate_v20230801:migrate:MoveCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}", + "azure-native_migrate_v20230801:migrate:MoveResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/moveCollections/{moveCollectionName}/moveResources/{moveResourceName}", + "azure-native_migrate_v20230909preview:migrate:AksAssessmentOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/aksAssessments/{assessmentName}", + "azure-native_migrate_v20230909preview:migrate:AssessmentProjectsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", + "azure-native_migrate_v20230909preview:migrate:AssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", + "azure-native_migrate_v20230909preview:migrate:AvsAssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/avsAssessments/{assessmentName}", + "azure-native_migrate_v20230909preview:migrate:BusinessCaseOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/businessCases/{businessCaseName}", + "azure-native_migrate_v20230909preview:migrate:GroupsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", + "azure-native_migrate_v20230909preview:migrate:HypervCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hypervCollectorName}", + "azure-native_migrate_v20230909preview:migrate:ImportCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", + "azure-native_migrate_v20230909preview:migrate:PrivateEndpointConnectionOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_migrate_v20230909preview:migrate:ServerCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", + "azure-native_migrate_v20230909preview:migrate:SqlAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/sqlAssessments/{assessmentName}", + "azure-native_migrate_v20230909preview:migrate:SqlCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/sqlcollectors/{collectorName}", + "azure-native_migrate_v20230909preview:migrate:VmwareCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", + "azure-native_migrate_v20230909preview:migrate:WebAppAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/webAppAssessments/{assessmentName}", + "azure-native_migrate_v20230909preview:migrate:WebAppCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/webAppCollectors/{collectorName}", + "azure-native_migrate_v20240101preview:migrate:AksAssessmentOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/aksAssessments/{assessmentName}", + "azure-native_migrate_v20240101preview:migrate:AssessmentProjectsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}", + "azure-native_migrate_v20240101preview:migrate:AssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/assessments/{assessmentName}", + "azure-native_migrate_v20240101preview:migrate:AvsAssessmentsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/avsAssessments/{assessmentName}", + "azure-native_migrate_v20240101preview:migrate:BusinessCaseOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/businessCases/{businessCaseName}", + "azure-native_migrate_v20240101preview:migrate:GroupsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}", + "azure-native_migrate_v20240101preview:migrate:HypervCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/hypervcollectors/{hypervCollectorName}", + "azure-native_migrate_v20240101preview:migrate:ImportCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/importcollectors/{importCollectorName}", + "azure-native_migrate_v20240101preview:migrate:PrivateEndpointConnectionOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_migrate_v20240101preview:migrate:ServerCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/servercollectors/{serverCollectorName}", + "azure-native_migrate_v20240101preview:migrate:SqlAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/sqlAssessments/{assessmentName}", + "azure-native_migrate_v20240101preview:migrate:SqlCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/sqlcollectors/{collectorName}", + "azure-native_migrate_v20240101preview:migrate:VmwareCollectorsOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/vmwarecollectors/{vmWareCollectorName}", + "azure-native_migrate_v20240101preview:migrate:WebAppAssessmentV2Operation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/groups/{groupName}/webAppAssessments/{assessmentName}", + "azure-native_migrate_v20240101preview:migrate:WebAppCollectorOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Migrate/assessmentProjects/{projectName}/webAppCollectors/{collectorName}", + "azure-native_mixedreality_v20210101:mixedreality:RemoteRenderingAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/remoteRenderingAccounts/{accountName}", + "azure-native_mixedreality_v20210101:mixedreality:SpatialAnchorsAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/spatialAnchorsAccounts/{accountName}", + "azure-native_mixedreality_v20210301preview:mixedreality:ObjectAnchorsAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/objectAnchorsAccounts/{accountName}", + "azure-native_mixedreality_v20210301preview:mixedreality:RemoteRenderingAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/remoteRenderingAccounts/{accountName}", + "azure-native_mixedreality_v20210301preview:mixedreality:SpatialAnchorsAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/spatialAnchorsAccounts/{accountName}", + "azure-native_mixedreality_v20250101:mixedreality:RemoteRenderingAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MixedReality/remoteRenderingAccounts/{accountName}", + "azure-native_mobilenetwork_v20220401preview:mobilenetwork:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", + "azure-native_mobilenetwork_v20220401preview:mobilenetwork:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", + "azure-native_mobilenetwork_v20220401preview:mobilenetwork:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", + "azure-native_mobilenetwork_v20220401preview:mobilenetwork:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", + "azure-native_mobilenetwork_v20220401preview:mobilenetwork:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", + "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", + "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", + "azure-native_mobilenetwork_v20220401preview:mobilenetwork:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", + "azure-native_mobilenetwork_v20220401preview:mobilenetwork:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", + "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", + "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", + "azure-native_mobilenetwork_v20221101:mobilenetwork:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", + "azure-native_mobilenetwork_v20221101:mobilenetwork:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", + "azure-native_mobilenetwork_v20221101:mobilenetwork:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", + "azure-native_mobilenetwork_v20221101:mobilenetwork:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", + "azure-native_mobilenetwork_v20221101:mobilenetwork:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", + "azure-native_mobilenetwork_v20221101:mobilenetwork:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", + "azure-native_mobilenetwork_v20221101:mobilenetwork:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", + "azure-native_mobilenetwork_v20221101:mobilenetwork:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", + "azure-native_mobilenetwork_v20221101:mobilenetwork:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", + "azure-native_mobilenetwork_v20221101:mobilenetwork:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", + "azure-native_mobilenetwork_v20221101:mobilenetwork:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:DiagnosticsPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/diagnosticsPackages/{diagnosticsPackageName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCaptures/{packetCaptureName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", + "azure-native_mobilenetwork_v20230601:mobilenetwork:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:DiagnosticsPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/diagnosticsPackages/{diagnosticsPackageName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCaptures/{packetCaptureName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", + "azure-native_mobilenetwork_v20230901:mobilenetwork:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:DiagnosticsPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/diagnosticsPackages/{diagnosticsPackageName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCaptures/{packetCaptureName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", + "azure-native_mobilenetwork_v20240201:mobilenetwork:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:AttachedDataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}/attachedDataNetworks/{attachedDataNetworkName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:DataNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/dataNetworks/{dataNetworkName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:DiagnosticsPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/diagnosticsPackages/{diagnosticsPackageName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:MobileNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCaptures/{packetCaptureName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCoreControlPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCoreDataPlane": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/packetCoreControlPlanes/{packetCoreControlPlaneName}/packetCoreDataPlanes/{packetCoreDataPlaneName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/services/{serviceName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:Sim": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}/sims/{simName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:SimGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/simGroups/{simGroupName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:SimPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/simPolicies/{simPolicyName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/sites/{siteName}", + "azure-native_mobilenetwork_v20240401:mobilenetwork:Slice": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MobileNetwork/mobileNetworks/{mobileNetworkName}/slices/{sliceName}", + "azure-native_mongocluster_v20240301preview:mongocluster:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", + "azure-native_mongocluster_v20240301preview:mongocluster:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", + "azure-native_mongocluster_v20240301preview:mongocluster:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_mongocluster_v20240601preview:mongocluster:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", + "azure-native_mongocluster_v20240601preview:mongocluster:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", + "azure-native_mongocluster_v20240601preview:mongocluster:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_mongocluster_v20240701:mongocluster:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", + "azure-native_mongocluster_v20240701:mongocluster:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", + "azure-native_mongocluster_v20240701:mongocluster:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_mongocluster_v20241001preview:mongocluster:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/firewallRules/{firewallRuleName}", + "azure-native_mongocluster_v20241001preview:mongocluster:MongoCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}", + "azure-native_mongocluster_v20241001preview:mongocluster:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DocumentDB/mongoClusters/{mongoClusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_monitor_v20180301:monitor:ActionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/actionGroups/{actionGroupName}", + "azure-native_monitor_v20180301:monitor:MetricAlert": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/metricAlerts/{ruleName}", + "azure-native_monitor_v20201001:monitor:ActivityLogAlert": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/activityLogAlerts/{activityLogAlertName}", + "azure-native_monitor_v20210501preview:monitor:AutoscaleSetting": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Insights/autoscalesettings/{autoscaleSettingName}", + "azure-native_monitor_v20210501preview:monitor:DiagnosticSetting": "/{resourceUri}/providers/Microsoft.Insights/diagnosticSettings/{name}", + "azure-native_monitor_v20210501preview:monitor:ManagementGroupDiagnosticSetting": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Insights/diagnosticSettings/{name}", + "azure-native_monitor_v20210501preview:monitor:SubscriptionDiagnosticSetting": "/subscriptions/{subscriptionId}/providers/Microsoft.Insights/diagnosticSettings/{name}", + "azure-native_monitor_v20210701preview:monitor:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_monitor_v20210701preview:monitor:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.insights/privateLinkScopes/{scopeName}", + "azure-native_monitor_v20210701preview:monitor:PrivateLinkScopedResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/privateLinkScopes/{scopeName}/scopedResources/{name}", + "azure-native_monitor_v20220601:monitor:ActionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/actionGroups/{actionGroupName}", + "azure-native_monitor_v20220601:monitor:DataCollectionEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/dataCollectionEndpoints/{dataCollectionEndpointName}", + "azure-native_monitor_v20220601:monitor:DataCollectionRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/dataCollectionRules/{dataCollectionRuleName}", + "azure-native_monitor_v20220601:monitor:DataCollectionRuleAssociation": "/{resourceUri}/providers/Microsoft.Insights/dataCollectionRuleAssociations/{associationName}", + "azure-native_monitor_v20230403:monitor:AzureMonitorWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Monitor/accounts/{azureMonitorWorkspaceName}", + "azure-native_monitor_v20230501preview:monitor:TenantActionGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Insights/tenantActionGroups/{tenantActionGroupName}", + "azure-native_monitor_v20230601preview:monitor:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/privateLinkScopes/{scopeName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_monitor_v20230601preview:monitor:PrivateLinkScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/privateLinkScopes/{scopeName}", + "azure-native_monitor_v20230601preview:monitor:PrivateLinkScopedResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/privateLinkScopes/{scopeName}/scopedResources/{name}", + "azure-native_monitor_v20230901preview:monitor:ActionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/actionGroups/{actionGroupName}", + "azure-native_monitor_v20231001preview:monitor:AzureMonitorWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Monitor/accounts/{azureMonitorWorkspaceName}", + "azure-native_monitor_v20231001preview:monitor:PipelineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Monitor/pipelineGroups/{pipelineGroupName}", + "azure-native_monitor_v20231201:monitor:ScheduledQueryRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/scheduledQueryRules/{ruleName}", + "azure-native_monitor_v20240101preview:monitor:ScheduledQueryRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/scheduledQueryRules/{ruleName}", + "azure-native_monitor_v20241001preview:monitor:ActionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/actionGroups/{actionGroupName}", + "azure-native_monitor_v20241001preview:monitor:PipelineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Monitor/pipelineGroups/{pipelineGroupName}", + "azure-native_monitor_v20250101preview:monitor:ScheduledQueryRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Insights/scheduledQueryRules/{ruleName}", + "azure-native_mysqldiscovery_v20240930preview:mysqldiscovery:MySQLServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MySQLDiscovery/MySQLSites/{siteName}/MySQLServers/{serverName}", + "azure-native_mysqldiscovery_v20240930preview:mysqldiscovery:MySQLSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.MySQLDiscovery/MySQLSites/{siteName}", + "azure-native_netapp_v20221101:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20221101:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20221101:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20221101:netapp:CapacityPoolBackup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/backups/{backupName}", + "azure-native_netapp_v20221101:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20221101:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20221101:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20221101:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20221101:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20221101:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20221101preview:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20221101preview:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20221101preview:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20221101preview:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20221101preview:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20221101preview:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20221101preview:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20221101preview:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20221101preview:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20221101preview:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20221101preview:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20230501:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20230501:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20230501:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20230501:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20230501:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20230501:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20230501:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20230501:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20230501:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20230501preview:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20230501preview:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20230501preview:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20230501preview:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20230501preview:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20230501preview:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20230501preview:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20230501preview:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20230501preview:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20230501preview:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20230501preview:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20230701:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20230701:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20230701:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20230701:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20230701:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20230701:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20230701:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20230701:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20230701:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20230701preview:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20230701preview:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20230701preview:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20230701preview:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20230701preview:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20230701preview:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20230701preview:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20230701preview:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20230701preview:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20230701preview:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20230701preview:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20231101:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20231101:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20231101:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20231101:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20231101:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20231101:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20231101:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20231101:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20231101:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20231101:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20231101:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20231101preview:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20231101preview:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20231101preview:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20231101preview:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20231101preview:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20231101preview:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20231101preview:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20231101preview:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20231101preview:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20231101preview:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20231101preview:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20240101:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20240101:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20240101:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20240101:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20240101:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20240101:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20240101:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20240101:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20240101:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20240101:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20240101:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20240301:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20240301:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20240301:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20240301:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20240301:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20240301:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20240301:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20240301:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20240301:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20240301:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20240301:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20240301preview:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20240301preview:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20240301preview:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20240301preview:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20240301preview:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20240301preview:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20240301preview:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20240301preview:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20240301preview:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20240301preview:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20240301preview:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20240501:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20240501:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20240501:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20240501:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20240501:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20240501:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20240501:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20240501:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20240501:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20240501:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20240501:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20240501preview:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20240501preview:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20240501preview:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20240501preview:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20240501preview:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20240501preview:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20240501preview:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20240501preview:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20240501preview:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20240501preview:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20240501preview:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20240701:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20240701:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20240701:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20240701:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20240701:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20240701:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20240701:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20240701:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20240701:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20240701:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20240701:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20240701preview:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20240701preview:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20240701preview:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20240701preview:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20240701preview:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20240701preview:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20240701preview:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20240701preview:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20240701preview:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20240701preview:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20240701preview:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20240901:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20240901:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20240901:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20240901:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20240901:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20240901:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20240901:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20240901:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20240901:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20240901:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20240901:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_netapp_v20240901preview:netapp:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}", + "azure-native_netapp_v20240901preview:netapp:Backup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}/backups/{backupName}", + "azure-native_netapp_v20240901preview:netapp:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupPolicies/{backupPolicyName}", + "azure-native_netapp_v20240901preview:netapp:BackupVault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/backupVaults/{backupVaultName}", + "azure-native_netapp_v20240901preview:netapp:CapacityPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}", + "azure-native_netapp_v20240901preview:netapp:CapacityPoolSnapshot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/snapshots/{snapshotName}", + "azure-native_netapp_v20240901preview:netapp:CapacityPoolSubvolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/subvolumes/{subvolumeName}", + "azure-native_netapp_v20240901preview:netapp:CapacityPoolVolume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}", + "azure-native_netapp_v20240901preview:netapp:CapacityPoolVolumeQuotaRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/capacityPools/{poolName}/volumes/{volumeName}/volumeQuotaRules/{volumeQuotaRuleName}", + "azure-native_netapp_v20240901preview:netapp:SnapshotPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/snapshotPolicies/{snapshotPolicyName}", + "azure-native_netapp_v20240901preview:netapp:VolumeGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetApp/netAppAccounts/{accountName}/volumeGroups/{volumeGroupName}", + "azure-native_network_v20180601:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20180601:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20180601:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20180601:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20180601:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20180601:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20180601:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20180601:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20180601:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20180601:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20180601:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20180601:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20180601:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20180601:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20180601:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20180601:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20180601:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20180601:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20180601:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20180601:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20180601:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20180601:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20180601:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20180601:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20180601:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20180601:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20180601:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20180601:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20180601:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20180601:network:VirtualWAN": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20180601:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20180601:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20180601:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20180701:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20180701:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20180701:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20180701:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20180701:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20180701:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20180701:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20180701:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20180701:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20180701:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20180701:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20180701:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20180701:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20180701:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20180701:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20180701:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20180701:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20180701:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20180701:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20180701:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20180701:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20180701:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20180701:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20180701:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20180701:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20180701:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20180701:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20180701:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20180701:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20180701:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20180701:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20180701:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20180701:network:VirtualWAN": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20180701:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20180701:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20180701:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20180801:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20180801:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20180801:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20180801:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20180801:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20180801:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20180801:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20180801:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20180801:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20180801:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20180801:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20180801:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20180801:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20180801:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20180801:network:InterfaceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/interfaceEndpoints/{interfaceEndpointName}", + "azure-native_network_v20180801:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20180801:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20180801:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20180801:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20180801:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20180801:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20180801:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20180801:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20180801:network:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", + "azure-native_network_v20180801:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20180801:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20180801:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20180801:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20180801:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20180801:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20180801:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20180801:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20180801:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20180801:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20180801:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20180801:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20180801:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20180801:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20180801:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20180801:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20180801:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20180801:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20180801:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20180801:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20180801:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20181001:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20181001:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20181001:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20181001:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20181001:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20181001:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20181001:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20181001:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20181001:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20181001:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20181001:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20181001:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20181001:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20181001:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20181001:network:InterfaceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/interfaceEndpoints/{interfaceEndpointName}", + "azure-native_network_v20181001:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20181001:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20181001:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20181001:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20181001:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20181001:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20181001:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20181001:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20181001:network:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", + "azure-native_network_v20181001:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20181001:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20181001:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20181001:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20181001:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20181001:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20181001:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20181001:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20181001:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20181001:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20181001:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20181001:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20181001:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20181001:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20181001:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20181001:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20181001:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20181001:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20181001:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20181001:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20181001:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20181101:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20181101:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20181101:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20181101:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20181101:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20181101:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20181101:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20181101:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20181101:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20181101:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20181101:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20181101:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20181101:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20181101:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20181101:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20181101:network:InterfaceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/interfaceEndpoints/{interfaceEndpointName}", + "azure-native_network_v20181101:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20181101:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20181101:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20181101:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20181101:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20181101:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20181101:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20181101:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20181101:network:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", + "azure-native_network_v20181101:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20181101:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20181101:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20181101:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20181101:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20181101:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20181101:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20181101:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20181101:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20181101:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20181101:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20181101:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20181101:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20181101:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20181101:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20181101:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20181101:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20181101:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20181101:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20181101:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20181101:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20181201:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20181201:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20181201:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20181201:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20181201:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20181201:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20181201:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20181201:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20181201:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20181201:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20181201:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20181201:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20181201:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20181201:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20181201:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20181201:network:InterfaceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/interfaceEndpoints/{interfaceEndpointName}", + "azure-native_network_v20181201:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20181201:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20181201:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20181201:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20181201:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20181201:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20181201:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20181201:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20181201:network:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", + "azure-native_network_v20181201:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20181201:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20181201:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20181201:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20181201:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20181201:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20181201:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20181201:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20181201:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20181201:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20181201:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20181201:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20181201:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20181201:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20181201:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20181201:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20181201:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20181201:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20181201:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20181201:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20181201:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20181201:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20190201:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20190201:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20190201:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20190201:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20190201:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20190201:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20190201:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20190201:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20190201:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20190201:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20190201:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20190201:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20190201:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20190201:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20190201:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20190201:network:InterfaceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/interfaceEndpoints/{interfaceEndpointName}", + "azure-native_network_v20190201:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20190201:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20190201:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20190201:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20190201:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20190201:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20190201:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20190201:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20190201:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20190201:network:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", + "azure-native_network_v20190201:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20190201:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20190201:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20190201:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20190201:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20190201:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20190201:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20190201:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20190201:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20190201:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20190201:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20190201:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20190201:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20190201:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20190201:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20190201:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20190201:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20190201:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20190201:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20190201:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20190201:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20190201:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20190401:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20190401:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20190401:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20190401:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20190401:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20190401:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20190401:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20190401:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20190401:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20190401:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20190401:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20190401:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20190401:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20190401:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20190401:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20190401:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20190401:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20190401:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20190401:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20190401:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20190401:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20190401:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20190401:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20190401:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20190401:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20190401:network:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", + "azure-native_network_v20190401:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20190401:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20190401:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20190401:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20190401:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20190401:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20190401:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20190401:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20190401:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20190401:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20190401:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20190401:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20190401:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20190401:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20190401:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20190401:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20190401:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20190401:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20190401:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20190401:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20190401:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20190401:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20190401:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20190401:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20190601:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20190601:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20190601:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20190601:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20190601:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20190601:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20190601:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20190601:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20190601:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20190601:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20190601:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20190601:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20190601:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20190601:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20190601:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20190601:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20190601:network:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", + "azure-native_network_v20190601:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20190601:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20190601:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20190601:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20190601:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20190601:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20190601:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20190601:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20190601:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20190601:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20190601:network:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", + "azure-native_network_v20190601:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20190601:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20190601:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20190601:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20190601:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20190601:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20190601:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20190601:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20190601:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20190601:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20190601:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20190601:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20190601:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20190601:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20190601:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20190601:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20190601:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20190601:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20190601:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20190601:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20190601:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20190601:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20190601:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20190601:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20190701:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20190701:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20190701:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20190701:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20190701:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20190701:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20190701:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20190701:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20190701:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20190701:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20190701:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20190701:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20190701:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20190701:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20190701:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20190701:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20190701:network:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", + "azure-native_network_v20190701:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20190701:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20190701:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20190701:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20190701:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20190701:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20190701:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20190701:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20190701:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20190701:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20190701:network:P2sVpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{virtualWanName}/p2sVpnServerConfigurations/{p2SVpnServerConfigurationName}", + "azure-native_network_v20190701:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20190701:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20190701:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20190701:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20190701:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20190701:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20190701:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20190701:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20190701:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20190701:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20190701:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20190701:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20190701:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20190701:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20190701:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20190701:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20190701:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20190701:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20190701:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20190701:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20190701:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20190701:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20190701:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20190701:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20190701:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20190701:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20190801:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20190801:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20190801:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20190801:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20190801:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20190801:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20190801:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20190801:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20190801:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20190801:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20190801:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20190801:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20190801:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20190801:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20190801:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20190801:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20190801:network:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", + "azure-native_network_v20190801:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20190801:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20190801:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20190801:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20190801:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20190801:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20190801:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20190801:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20190801:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20190801:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20190801:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20190801:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20190801:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20190801:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20190801:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20190801:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20190801:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20190801:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20190801:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20190801:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20190801:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20190801:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20190801:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20190801:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20190801:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20190801:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20190801:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20190801:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20190801:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20190801:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20190801:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20190801:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20190801:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20190801:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20190801:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20190801:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20190801:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20190901:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20190901:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20190901:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20190901:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20190901:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20190901:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20190901:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20190901:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20190901:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20190901:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20190901:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20190901:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20190901:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20190901:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20190901:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20190901:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20190901:network:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", + "azure-native_network_v20190901:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20190901:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20190901:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20190901:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20190901:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20190901:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20190901:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20190901:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20190901:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20190901:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20190901:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20190901:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20190901:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20190901:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20190901:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20190901:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20190901:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20190901:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20190901:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20190901:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20190901:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20190901:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20190901:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20190901:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20190901:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20190901:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20190901:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20190901:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20190901:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20190901:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20190901:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20190901:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20190901:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20190901:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20190901:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20190901:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20190901:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20190901:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20190901:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20190901:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20191101:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20191101:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20191101:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20191101:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20191101:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20191101:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20191101:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20191101:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20191101:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20191101:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20191101:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20191101:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20191101:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20191101:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20191101:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20191101:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20191101:network:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", + "azure-native_network_v20191101:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20191101:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20191101:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20191101:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20191101:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20191101:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20191101:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20191101:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20191101:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20191101:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20191101:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20191101:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20191101:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20191101:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20191101:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20191101:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20191101:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20191101:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20191101:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20191101:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20191101:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20191101:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20191101:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20191101:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20191101:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20191101:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20191101:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20191101:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20191101:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20191101:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20191101:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20191101:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20191101:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20191101:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20191101:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20191101:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20191101:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20191101:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20191101:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20191101:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20191101:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20191201:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20191201:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20191201:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20191201:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20191201:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20191201:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20191201:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20191201:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20191201:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20191201:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20191201:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20191201:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20191201:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20191201:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20191201:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20191201:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20191201:network:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", + "azure-native_network_v20191201:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20191201:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20191201:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20191201:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20191201:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20191201:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20191201:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20191201:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20191201:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20191201:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20191201:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20191201:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20191201:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20191201:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20191201:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20191201:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20191201:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20191201:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20191201:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20191201:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20191201:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20191201:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20191201:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20191201:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20191201:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20191201:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20191201:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20191201:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20191201:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20191201:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20191201:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20191201:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20191201:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20191201:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20191201:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20191201:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20191201:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20191201:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20191201:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20191201:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20191201:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20191201:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20200301:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20200301:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20200301:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20200301:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20200301:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20200301:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20200301:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20200301:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20200301:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20200301:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20200301:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20200301:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20200301:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20200301:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20200301:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20200301:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20200301:network:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", + "azure-native_network_v20200301:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20200301:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20200301:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20200301:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20200301:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20200301:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20200301:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20200301:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20200301:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20200301:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20200301:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20200301:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20200301:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20200301:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20200301:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20200301:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20200301:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20200301:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20200301:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20200301:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20200301:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20200301:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20200301:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20200301:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20200301:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20200301:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20200301:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20200301:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20200301:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20200301:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20200301:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20200301:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20200301:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20200301:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20200301:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20200301:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20200301:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20200301:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20200301:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20200301:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20200301:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20200301:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20200301:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20200301:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20200301:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20200401:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20200401:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20200401:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20200401:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20200401:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20200401:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20200401:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20200401:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20200401:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20200401:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20200401:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20200401:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20200401:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20200401:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20200401:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20200401:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20200401:network:FirewallPolicyRuleGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleGroups/{ruleGroupName}", + "azure-native_network_v20200401:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20200401:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20200401:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20200401:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20200401:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20200401:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20200401:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20200401:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20200401:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20200401:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20200401:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20200401:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20200401:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20200401:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20200401:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20200401:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20200401:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20200401:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20200401:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20200401:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20200401:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20200401:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20200401:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20200401:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20200401:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20200401:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20200401:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20200401:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20200401:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20200401:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20200401:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20200401:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20200401:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20200401:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20200401:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20200401:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20200401:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20200401:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20200401:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20200401:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20200401:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20200401:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20200401:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20200401:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20200401:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20200401:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20200401:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20200501:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20200501:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20200501:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20200501:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20200501:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20200501:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20200501:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20200501:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20200501:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20200501:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20200501:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20200501:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20200501:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20200501:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20200501:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20200501:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20200501:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20200501:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20200501:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20200501:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20200501:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20200501:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20200501:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20200501:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20200501:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20200501:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20200501:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20200501:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20200501:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20200501:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20200501:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20200501:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20200501:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20200501:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20200501:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20200501:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20200501:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20200501:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20200501:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20200501:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20200501:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20200501:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20200501:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20200501:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20200501:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20200501:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20200501:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20200501:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20200501:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20200501:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20200501:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20200501:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20200501:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20200501:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20200501:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20200501:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20200501:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20200501:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20200501:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20200501:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20200501:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20200501:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20200501:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20200501:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20200501:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20200501:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20200501:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20200501:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20200501:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20200601:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20200601:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20200601:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20200601:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20200601:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20200601:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20200601:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20200601:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20200601:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20200601:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20200601:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20200601:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20200601:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20200601:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20200601:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20200601:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20200601:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20200601:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20200601:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20200601:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20200601:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20200601:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20200601:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20200601:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20200601:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20200601:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20200601:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20200601:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20200601:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20200601:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20200601:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20200601:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20200601:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20200601:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20200601:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20200601:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20200601:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20200601:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20200601:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20200601:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20200601:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20200601:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20200601:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20200601:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20200601:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20200601:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20200601:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20200601:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20200601:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20200601:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20200601:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20200601:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20200601:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20200601:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20200601:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20200601:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20200601:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20200601:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20200601:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20200601:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20200601:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20200601:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20200601:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20200601:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20200601:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20200601:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20200601:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20200601:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20200601:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20200601:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20200601:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20200701:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20200701:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20200701:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20200701:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20200701:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20200701:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20200701:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20200701:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20200701:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20200701:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20200701:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20200701:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20200701:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20200701:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20200701:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20200701:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20200701:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20200701:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20200701:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20200701:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20200701:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20200701:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20200701:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20200701:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20200701:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20200701:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20200701:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20200701:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20200701:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20200701:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20200701:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20200701:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20200701:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20200701:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20200701:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20200701:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20200701:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20200701:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20200701:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20200701:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20200701:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20200701:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20200701:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20200701:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20200701:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20200701:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20200701:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20200701:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20200701:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20200701:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20200701:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20200701:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20200701:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20200701:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20200701:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20200701:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20200701:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20200701:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20200701:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20200701:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20200701:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20200701:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20200701:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20200701:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20200701:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20200701:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20200701:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20200701:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20200701:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20200701:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20200701:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20200801:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20200801:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20200801:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20200801:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20200801:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20200801:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20200801:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20200801:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20200801:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20200801:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20200801:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20200801:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20200801:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20200801:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20200801:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20200801:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20200801:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20200801:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20200801:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20200801:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20200801:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20200801:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20200801:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20200801:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20200801:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20200801:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20200801:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20200801:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20200801:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20200801:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20200801:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20200801:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20200801:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20200801:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20200801:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20200801:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20200801:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20200801:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20200801:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20200801:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20200801:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20200801:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20200801:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20200801:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20200801:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20200801:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20200801:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20200801:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20200801:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20200801:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20200801:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20200801:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20200801:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20200801:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20200801:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20200801:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20200801:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20200801:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20200801:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20200801:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20200801:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20200801:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20200801:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20200801:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20200801:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20200801:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20200801:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20200801:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20200801:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20200801:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20200801:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20200801:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20201101:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20201101:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20201101:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20201101:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20201101:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20201101:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20201101:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20201101:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20201101:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20201101:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20201101:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20201101:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20201101:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20201101:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20201101:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20201101:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20201101:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20201101:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20201101:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20201101:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20201101:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20201101:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20201101:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20201101:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20201101:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20201101:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20201101:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20201101:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20201101:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20201101:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20201101:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20201101:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20201101:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20201101:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20201101:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20201101:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20201101:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20201101:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20201101:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20201101:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20201101:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20201101:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20201101:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20201101:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20201101:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20201101:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20201101:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20201101:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20201101:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20201101:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20201101:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20201101:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20201101:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20201101:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20201101:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20201101:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20201101:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20201101:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20201101:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20201101:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20201101:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20201101:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20201101:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20201101:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20201101:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20201101:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20201101:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20201101:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20201101:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20201101:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20201101:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20201101:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20210201:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20210201:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20210201:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20210201:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20210201:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20210201:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20210201:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20210201:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20210201:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20210201:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20210201:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20210201:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20210201:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20210201:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20210201:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20210201:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20210201:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20210201:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20210201:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20210201:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20210201:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20210201:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20210201:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20210201:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20210201:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20210201:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20210201:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20210201:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20210201:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20210201:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20210201:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20210201:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20210201:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20210201:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20210201:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20210201:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20210201:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20210201:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20210201:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20210201:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20210201:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20210201:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20210201:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20210201:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20210201:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20210201:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20210201:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20210201:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20210201:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20210201:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20210201:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20210201:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20210201:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20210201:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20210201:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20210201:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20210201:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20210201:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20210201:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20210201:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20210201:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20210201:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20210201:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20210201:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20210201:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20210201:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20210201:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20210201:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20210201:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20210201:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20210201:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20210201:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20210201:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20210201preview:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20210201preview:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20210201preview:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20210201preview:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20210201preview:network:DefaultUserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20210201preview:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20210201preview:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20210201preview:network:NetworkSecurityPerimeter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}", + "azure-native_network_v20210201preview:network:NspAccessRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}/accessRules/{accessRuleName}", + "azure-native_network_v20210201preview:network:NspAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/resourceAssociations/{associationName}", + "azure-native_network_v20210201preview:network:NspLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/links/{linkName}", + "azure-native_network_v20210201preview:network:NspProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}", + "azure-native_network_v20210201preview:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20210201preview:network:SecurityUserConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}", + "azure-native_network_v20210201preview:network:UserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20210201preview:network:UserRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20210301:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20210301:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20210301:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20210301:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20210301:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20210301:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20210301:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20210301:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20210301:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20210301:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20210301:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20210301:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20210301:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20210301:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20210301:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20210301:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20210301:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20210301:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20210301:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20210301:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20210301:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20210301:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20210301:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20210301:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20210301:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20210301:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20210301:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20210301:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20210301:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20210301:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20210301:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20210301:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20210301:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20210301:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20210301:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20210301:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20210301:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20210301:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20210301:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20210301:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20210301:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20210301:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20210301:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20210301:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20210301:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20210301:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20210301:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20210301:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20210301:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20210301:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20210301:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20210301:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20210301:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20210301:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20210301:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20210301:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20210301:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20210301:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20210301:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20210301:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20210301:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20210301:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20210301:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20210301:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20210301:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20210301:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20210301:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20210301:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20210301:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20210301:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20210301:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20210301:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20210301:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20210301preview:network:NetworkSecurityPerimeter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}", + "azure-native_network_v20210501:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20210501:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20210501:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20210501:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20210501:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20210501:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20210501:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20210501:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20210501:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20210501:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20210501:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20210501:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20210501:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20210501:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20210501:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20210501:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20210501:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20210501:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20210501:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20210501:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20210501:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20210501:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20210501:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20210501:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20210501:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20210501:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20210501:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20210501:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20210501:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20210501:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20210501:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20210501:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20210501:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20210501:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20210501:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20210501:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20210501:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20210501:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20210501:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20210501:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20210501:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20210501:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20210501:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20210501:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20210501:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20210501:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20210501:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20210501:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20210501:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20210501:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20210501:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20210501:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20210501:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20210501:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20210501:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20210501:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20210501:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20210501:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20210501:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20210501:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20210501:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20210501:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20210501:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20210501:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20210501:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20210501:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20210501:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20210501:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20210501:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20210501:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20210501:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20210501:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20210501:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20210501:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20210801:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20210801:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20210801:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20210801:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20210801:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20210801:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20210801:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20210801:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20210801:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20210801:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20210801:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20210801:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20210801:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20210801:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20210801:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20210801:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20210801:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20210801:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20210801:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20210801:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20210801:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20210801:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20210801:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20210801:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20210801:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20210801:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20210801:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20210801:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20210801:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20210801:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20210801:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20210801:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20210801:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20210801:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20210801:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20210801:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20210801:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20210801:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20210801:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20210801:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20210801:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20210801:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20210801:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20210801:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20210801:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20210801:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20210801:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20210801:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20210801:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20210801:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20210801:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20210801:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20210801:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20210801:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20210801:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20210801:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20210801:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20210801:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20210801:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20210801:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20210801:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20210801:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20210801:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20210801:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20210801:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20210801:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20210801:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20210801:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20210801:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20210801:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20210801:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20210801:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20210801:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20210801:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20210801:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20210801:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20220101:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220101:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20220101:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20220101:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20220101:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20220101:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20220101:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20220101:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20220101:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20220101:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20220101:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20220101:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20220101:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20220101:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220101:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20220101:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20220101:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20220101:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20220101:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20220101:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20220101:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20220101:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20220101:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20220101:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20220101:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20220101:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20220101:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20220101:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20220101:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20220101:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20220101:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20220101:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20220101:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20220101:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20220101:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20220101:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220101:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20220101:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20220101:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20220101:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20220101:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20220101:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20220101:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20220101:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20220101:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20220101:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20220101:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20220101:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20220101:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20220101:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20220101:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20220101:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20220101:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20220101:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20220101:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20220101:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20220101:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20220101:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20220101:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20220101:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20220101:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20220101:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20220101:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20220101:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20220101:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20220101:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20220101:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20220101:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220101:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20220101:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20220101:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20220101:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20220101:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20220101:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20220101:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20220101:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20220101:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20220101:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20220101:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20220101:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20220101:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20220101:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20220101:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20220101:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20220101:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20220101:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20220101:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20220201preview:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220201preview:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20220201preview:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20220201preview:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220201preview:network:DefaultUserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220201preview:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220201preview:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20220201preview:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20220201preview:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20220201preview:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20220201preview:network:SecurityUserConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}", + "azure-native_network_v20220201preview:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20220201preview:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220201preview:network:UserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220201preview:network:UserRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20220401preview:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220401preview:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20220401preview:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20220401preview:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220401preview:network:DefaultUserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220401preview:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220401preview:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20220401preview:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20220401preview:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20220401preview:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20220401preview:network:SecurityUserConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}", + "azure-native_network_v20220401preview:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20220401preview:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220401preview:network:UserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220401preview:network:UserRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20220501:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220501:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20220501:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20220501:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20220501:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20220501:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20220501:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20220501:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20220501:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20220501:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20220501:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20220501:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20220501:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20220501:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220501:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20220501:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20220501:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20220501:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20220501:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20220501:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20220501:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20220501:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20220501:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20220501:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20220501:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20220501:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20220501:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20220501:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20220501:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20220501:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20220501:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20220501:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20220501:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20220501:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20220501:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20220501:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220501:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20220501:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20220501:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20220501:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20220501:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20220501:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20220501:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20220501:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20220501:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20220501:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20220501:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20220501:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20220501:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20220501:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20220501:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20220501:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20220501:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20220501:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20220501:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20220501:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20220501:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20220501:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20220501:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20220501:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20220501:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20220501:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20220501:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20220501:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20220501:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20220501:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20220501:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20220501:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20220501:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220501:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20220501:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20220501:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20220501:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20220501:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20220501:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20220501:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20220501:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20220501:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20220501:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20220501:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20220501:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20220501:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20220501:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20220501:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20220501:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20220501:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20220501:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20220501:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20220701:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220701:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20220701:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20220701:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20220701:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20220701:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20220701:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20220701:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20220701:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20220701:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20220701:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20220701:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20220701:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20220701:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220701:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20220701:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20220701:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20220701:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20220701:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20220701:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20220701:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20220701:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20220701:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20220701:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20220701:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20220701:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20220701:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20220701:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20220701:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20220701:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20220701:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20220701:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20220701:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20220701:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20220701:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20220701:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220701:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20220701:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20220701:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20220701:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20220701:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20220701:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20220701:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20220701:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20220701:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20220701:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20220701:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20220701:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20220701:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20220701:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20220701:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20220701:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20220701:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20220701:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20220701:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20220701:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20220701:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20220701:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20220701:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20220701:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20220701:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20220701:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20220701:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20220701:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20220701:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20220701:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20220701:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20220701:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20220701:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220701:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20220701:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20220701:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20220701:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20220701:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20220701:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20220701:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20220701:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20220701:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20220701:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20220701:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20220701:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20220701:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20220701:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20220701:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20220701:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20220701:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20220701:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20220701:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20220901:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220901:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20220901:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20220901:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20220901:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20220901:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20220901:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20220901:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20220901:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20220901:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20220901:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20220901:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20220901:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20220901:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20220901:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20220901:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20220901:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20220901:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20220901:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20220901:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20220901:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20220901:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20220901:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20220901:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20220901:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20220901:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20220901:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20220901:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20220901:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20220901:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20220901:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20220901:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20220901:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20220901:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20220901:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20220901:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220901:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20220901:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20220901:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20220901:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20220901:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20220901:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20220901:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20220901:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20220901:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20220901:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20220901:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20220901:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20220901:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20220901:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20220901:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20220901:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20220901:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20220901:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20220901:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20220901:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20220901:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20220901:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20220901:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20220901:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20220901:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20220901:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20220901:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20220901:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20220901:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20220901:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20220901:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20220901:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20220901:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20220901:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20220901:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20220901:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20220901:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20220901:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20220901:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20220901:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20220901:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20220901:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20220901:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20220901:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20220901:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20220901:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20220901:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20220901:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20220901:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20220901:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20220901:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20220901:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20221101:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20221101:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20221101:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20221101:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20221101:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20221101:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20221101:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20221101:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20221101:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20221101:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20221101:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20221101:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20221101:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20221101:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20221101:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20221101:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20221101:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20221101:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20221101:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20221101:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20221101:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20221101:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20221101:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20221101:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20221101:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20221101:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20221101:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20221101:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20221101:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20221101:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20221101:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20221101:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20221101:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20221101:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20221101:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20221101:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20221101:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20221101:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20221101:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20221101:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20221101:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20221101:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20221101:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20221101:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20221101:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20221101:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20221101:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20221101:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20221101:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20221101:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20221101:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20221101:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20221101:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20221101:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20221101:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20221101:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20221101:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20221101:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20221101:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20221101:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20221101:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20221101:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20221101:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20221101:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20221101:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20221101:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20221101:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20221101:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20221101:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20221101:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20221101:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20221101:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20221101:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20221101:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20221101:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20221101:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20221101:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20221101:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20221101:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20221101:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20221101:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20221101:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20221101:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20221101:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20221101:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20221101:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20221101:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20221101:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20230201:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20230201:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20230201:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20230201:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20230201:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20230201:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20230201:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20230201:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20230201:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20230201:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20230201:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20230201:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20230201:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20230201:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20230201:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20230201:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20230201:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20230201:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20230201:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20230201:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20230201:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20230201:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20230201:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20230201:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20230201:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20230201:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20230201:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20230201:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20230201:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20230201:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20230201:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20230201:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20230201:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20230201:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20230201:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20230201:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20230201:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20230201:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20230201:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20230201:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20230201:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20230201:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20230201:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20230201:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20230201:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20230201:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20230201:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20230201:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20230201:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20230201:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20230201:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20230201:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20230201:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20230201:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20230201:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20230201:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20230201:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20230201:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20230201:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20230201:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20230201:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20230201:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20230201:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20230201:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20230201:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20230201:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20230201:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20230201:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20230201:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20230201:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20230201:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20230201:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20230201:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20230201:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20230201:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20230201:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20230201:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20230201:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20230201:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20230201:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20230201:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20230201:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20230201:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20230201:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20230401:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20230401:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20230401:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20230401:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20230401:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20230401:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20230401:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20230401:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20230401:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20230401:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20230401:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20230401:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20230401:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20230401:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20230401:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20230401:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20230401:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20230401:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20230401:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20230401:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20230401:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20230401:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20230401:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20230401:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20230401:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20230401:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20230401:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20230401:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20230401:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20230401:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20230401:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20230401:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20230401:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20230401:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20230401:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20230401:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20230401:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20230401:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20230401:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20230401:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20230401:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20230401:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20230401:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20230401:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20230401:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20230401:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20230401:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20230401:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20230401:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20230401:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20230401:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20230401:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20230401:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20230401:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20230401:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20230401:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20230401:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20230401:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20230401:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20230401:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20230401:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20230401:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20230401:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20230401:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20230401:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20230401:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20230401:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20230401:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20230401:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20230401:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20230401:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20230401:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20230401:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20230401:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20230401:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20230401:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20230401:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20230401:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20230401:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20230401:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20230401:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20230401:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20230401:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20230401:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20230401:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20230401:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20230401:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20230401:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20230501:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20230501:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20230501:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20230501:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20230501:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20230501:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20230501:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20230501:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20230501:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20230501:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20230501:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20230501:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20230501:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20230501:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20230501:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20230501:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20230501:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20230501:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20230501:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20230501:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20230501:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20230501:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20230501:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20230501:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20230501:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20230501:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20230501:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20230501:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20230501:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20230501:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20230501:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20230501:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20230501:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20230501:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20230501:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20230501:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20230501:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20230501:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20230501:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20230501:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20230501:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20230501:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20230501:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20230501:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20230501:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20230501:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20230501:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20230501:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20230501:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20230501:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20230501:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20230501:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20230501:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20230501:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20230501:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20230501:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20230501:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20230501:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20230501:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20230501:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20230501:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20230501:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20230501:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20230501:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20230501:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20230501:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20230501:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20230501:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20230501:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20230501:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20230501:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20230501:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20230501:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20230501:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20230501:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20230501:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20230501:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20230501:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20230501:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20230501:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20230501:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20230501:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20230501:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20230501:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20230501:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20230501:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20230501:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20230501:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20230601:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20230601:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20230601:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20230601:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20230601:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20230601:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20230601:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20230601:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20230601:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20230601:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20230601:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20230601:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20230601:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20230601:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20230601:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20230601:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20230601:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20230601:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20230601:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20230601:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20230601:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20230601:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20230601:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20230601:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20230601:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20230601:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20230601:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20230601:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20230601:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20230601:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20230601:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20230601:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20230601:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20230601:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20230601:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20230601:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20230601:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20230601:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20230601:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20230601:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20230601:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20230601:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20230601:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20230601:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20230601:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20230601:network:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", + "azure-native_network_v20230601:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20230601:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20230601:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20230601:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20230601:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20230601:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20230601:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20230601:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20230601:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20230601:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20230601:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20230601:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20230601:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20230601:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20230601:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20230601:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20230601:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20230601:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20230601:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20230601:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20230601:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20230601:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20230601:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20230601:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20230601:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20230601:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20230601:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20230601:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20230601:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20230601:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20230601:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20230601:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20230601:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20230601:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20230601:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20230601:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20230601:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20230601:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20230601:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20230601:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20230601:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20230601:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20230601:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20230701preview:network:NetworkSecurityPerimeter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}", + "azure-native_network_v20230701preview:network:NspAccessRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}/accessRules/{accessRuleName}", + "azure-native_network_v20230701preview:network:NspAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/resourceAssociations/{associationName}", + "azure-native_network_v20230701preview:network:NspLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/links/{linkName}", + "azure-native_network_v20230701preview:network:NspProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}", + "azure-native_network_v20230801preview:network:NetworkSecurityPerimeter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}", + "azure-native_network_v20230801preview:network:NspAccessRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}/accessRules/{accessRuleName}", + "azure-native_network_v20230801preview:network:NspAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/resourceAssociations/{associationName}", + "azure-native_network_v20230801preview:network:NspLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/links/{linkName}", + "azure-native_network_v20230801preview:network:NspProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}", + "azure-native_network_v20230901:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20230901:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20230901:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20230901:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20230901:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20230901:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20230901:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20230901:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20230901:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20230901:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20230901:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20230901:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20230901:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20230901:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20230901:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20230901:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20230901:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20230901:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20230901:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20230901:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20230901:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20230901:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20230901:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20230901:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20230901:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20230901:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20230901:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20230901:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20230901:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20230901:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20230901:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20230901:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20230901:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20230901:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20230901:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20230901:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20230901:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20230901:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20230901:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20230901:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20230901:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20230901:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20230901:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20230901:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20230901:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20230901:network:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", + "azure-native_network_v20230901:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20230901:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20230901:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20230901:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20230901:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20230901:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20230901:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20230901:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20230901:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20230901:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20230901:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20230901:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20230901:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20230901:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20230901:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20230901:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20230901:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20230901:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20230901:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20230901:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20230901:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20230901:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20230901:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20230901:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20230901:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20230901:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20230901:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20230901:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20230901:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20230901:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20230901:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20230901:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20230901:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20230901:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20230901:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20230901:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20230901:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20230901:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20230901:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20230901:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20230901:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20230901:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20230901:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20231101:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20231101:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20231101:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20231101:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20231101:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20231101:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20231101:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20231101:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20231101:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20231101:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20231101:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20231101:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20231101:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20231101:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20231101:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20231101:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20231101:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20231101:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20231101:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20231101:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20231101:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20231101:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20231101:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20231101:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20231101:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20231101:network:FirewallPolicyDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/firewallPolicyDrafts/default", + "azure-native_network_v20231101:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20231101:network:FirewallPolicyRuleCollectionGroupDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}/ruleCollectionGroupDrafts/default", + "azure-native_network_v20231101:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20231101:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20231101:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20231101:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20231101:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20231101:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20231101:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20231101:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20231101:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20231101:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20231101:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20231101:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20231101:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20231101:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20231101:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20231101:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20231101:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20231101:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20231101:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20231101:network:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", + "azure-native_network_v20231101:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20231101:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20231101:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20231101:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20231101:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20231101:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20231101:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20231101:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20231101:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20231101:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20231101:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20231101:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20231101:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20231101:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20231101:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20231101:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20231101:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20231101:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20231101:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20231101:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20231101:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20231101:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20231101:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20231101:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20231101:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20231101:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20231101:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20231101:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20231101:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20231101:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20231101:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20231101:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20231101:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20231101:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20231101:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20231101:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20231101:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20231101:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20231101:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20231101:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20231101:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20231101:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20231101:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20240101:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240101:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20240101:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20240101:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20240101:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20240101:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20240101:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20240101:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20240101:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20240101:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20240101:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20240101:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20240101:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20240101:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240101:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20240101:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20240101:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20240101:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20240101:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20240101:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20240101:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20240101:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20240101:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20240101:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20240101:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20240101:network:FirewallPolicyDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/firewallPolicyDrafts/default", + "azure-native_network_v20240101:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20240101:network:FirewallPolicyRuleCollectionGroupDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}/ruleCollectionGroupDrafts/default", + "azure-native_network_v20240101:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20240101:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20240101:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20240101:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20240101:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20240101:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20240101:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20240101:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20240101:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20240101:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20240101:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20240101:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20240101:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20240101:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20240101:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20240101:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20240101:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20240101:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20240101:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20240101:network:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", + "azure-native_network_v20240101:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20240101:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20240101:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20240101:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20240101:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20240101:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20240101:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20240101:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20240101:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20240101:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20240101:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20240101:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20240101:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20240101:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20240101:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20240101:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20240101:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20240101:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20240101:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20240101:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20240101:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20240101:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20240101:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20240101:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20240101:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20240101:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20240101:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20240101:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20240101:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20240101:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20240101:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20240101:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20240101:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20240101:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20240101:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20240101:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20240101:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20240101:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20240101:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20240101:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20240101:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20240101:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20240101:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20240101preview:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240101preview:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20240101preview:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240101preview:network:IpamPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/ipamPools/{poolName}", + "azure-native_network_v20240101preview:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20240101preview:network:ReachabilityAnalysisIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}/reachabilityAnalysisIntents/{reachabilityAnalysisIntentName}", + "azure-native_network_v20240101preview:network:ReachabilityAnalysisRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}/reachabilityAnalysisRuns/{reachabilityAnalysisRunName}", + "azure-native_network_v20240101preview:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20240101preview:network:StaticCidr": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/ipamPools/{poolName}/staticCidrs/{staticCidrName}", + "azure-native_network_v20240101preview:network:VerifierWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}", + "azure-native_network_v20240301:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240301:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20240301:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20240301:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20240301:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20240301:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20240301:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20240301:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20240301:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20240301:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20240301:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20240301:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20240301:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20240301:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240301:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20240301:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20240301:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20240301:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20240301:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20240301:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20240301:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20240301:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20240301:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20240301:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20240301:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20240301:network:FirewallPolicyDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/firewallPolicyDrafts/default", + "azure-native_network_v20240301:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20240301:network:FirewallPolicyRuleCollectionGroupDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}/ruleCollectionGroupDrafts/default", + "azure-native_network_v20240301:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20240301:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20240301:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20240301:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20240301:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20240301:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20240301:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20240301:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20240301:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20240301:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20240301:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20240301:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20240301:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20240301:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20240301:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20240301:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20240301:network:NetworkManagerRoutingConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}", + "azure-native_network_v20240301:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20240301:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20240301:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20240301:network:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", + "azure-native_network_v20240301:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20240301:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20240301:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20240301:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20240301:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20240301:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20240301:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20240301:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20240301:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20240301:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20240301:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20240301:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20240301:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20240301:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20240301:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20240301:network:RoutingRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240301:network:RoutingRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20240301:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20240301:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20240301:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20240301:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20240301:network:SecurityUserConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}", + "azure-native_network_v20240301:network:SecurityUserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240301:network:SecurityUserRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20240301:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20240301:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20240301:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20240301:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20240301:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20240301:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20240301:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20240301:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20240301:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20240301:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20240301:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20240301:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20240301:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20240301:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20240301:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20240301:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20240301:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20240301:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20240301:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20240301:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20240301:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20240301:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20240301:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20240301:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20240501:network:AdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240501:network:AdminRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20240501:network:ApplicationGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "azure-native_network_v20240501:network:ApplicationGatewayPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "azure-native_network_v20240501:network:ApplicationSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "azure-native_network_v20240501:network:AzureFirewall": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "azure-native_network_v20240501:network:BastionHost": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "azure-native_network_v20240501:network:ConfigurationPolicyGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "azure-native_network_v20240501:network:ConnectionMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "azure-native_network_v20240501:network:ConnectivityConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "azure-native_network_v20240501:network:CustomIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "azure-native_network_v20240501:network:DdosCustomPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "azure-native_network_v20240501:network:DdosProtectionPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "azure-native_network_v20240501:network:DefaultAdminRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240501:network:DscpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "azure-native_network_v20240501:network:ExpressRouteCircuit": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "azure-native_network_v20240501:network:ExpressRouteCircuitAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "azure-native_network_v20240501:network:ExpressRouteCircuitConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "azure-native_network_v20240501:network:ExpressRouteCircuitPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "azure-native_network_v20240501:network:ExpressRouteConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "azure-native_network_v20240501:network:ExpressRouteCrossConnectionPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "azure-native_network_v20240501:network:ExpressRouteGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "azure-native_network_v20240501:network:ExpressRoutePort": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "azure-native_network_v20240501:network:ExpressRoutePortAuthorization": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "azure-native_network_v20240501:network:FirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "azure-native_network_v20240501:network:FirewallPolicyDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/firewallPolicyDrafts/default", + "azure-native_network_v20240501:network:FirewallPolicyRuleCollectionGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "azure-native_network_v20240501:network:FirewallPolicyRuleCollectionGroupDraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}/ruleCollectionGroupDrafts/default", + "azure-native_network_v20240501:network:FlowLog": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "azure-native_network_v20240501:network:HubRouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "azure-native_network_v20240501:network:HubVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "azure-native_network_v20240501:network:InboundNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "azure-native_network_v20240501:network:IpAllocation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "azure-native_network_v20240501:network:IpGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "azure-native_network_v20240501:network:IpamPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/ipamPools/{poolName}", + "azure-native_network_v20240501:network:LoadBalancer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "azure-native_network_v20240501:network:LoadBalancerBackendAddressPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "azure-native_network_v20240501:network:LocalNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "azure-native_network_v20240501:network:ManagementGroupNetworkManagerConnection": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20240501:network:NatGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "azure-native_network_v20240501:network:NatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "azure-native_network_v20240501:network:NetworkGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "azure-native_network_v20240501:network:NetworkInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "azure-native_network_v20240501:network:NetworkInterfaceTapConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "azure-native_network_v20240501:network:NetworkManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "azure-native_network_v20240501:network:NetworkManagerRoutingConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}", + "azure-native_network_v20240501:network:NetworkProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "azure-native_network_v20240501:network:NetworkSecurityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "azure-native_network_v20240501:network:NetworkVirtualAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "azure-native_network_v20240501:network:NetworkVirtualApplianceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", + "azure-native_network_v20240501:network:NetworkWatcher": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "azure-native_network_v20240501:network:P2sVpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "azure-native_network_v20240501:network:PacketCapture": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "azure-native_network_v20240501:network:PrivateDnsZoneGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "azure-native_network_v20240501:network:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "azure-native_network_v20240501:network:PrivateLinkService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "azure-native_network_v20240501:network:PrivateLinkServicePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "azure-native_network_v20240501:network:PublicIPAddress": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "azure-native_network_v20240501:network:PublicIPPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "azure-native_network_v20240501:network:ReachabilityAnalysisIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}/reachabilityAnalysisIntents/{reachabilityAnalysisIntentName}", + "azure-native_network_v20240501:network:ReachabilityAnalysisRun": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}/reachabilityAnalysisRuns/{reachabilityAnalysisRunName}", + "azure-native_network_v20240501:network:Route": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "azure-native_network_v20240501:network:RouteFilter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "azure-native_network_v20240501:network:RouteFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "azure-native_network_v20240501:network:RouteMap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "azure-native_network_v20240501:network:RouteTable": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "azure-native_network_v20240501:network:RoutingIntent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "azure-native_network_v20240501:network:RoutingRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240501:network:RoutingRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/routingConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20240501:network:ScopeConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "azure-native_network_v20240501:network:SecurityAdminConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "azure-native_network_v20240501:network:SecurityPartnerProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "azure-native_network_v20240501:network:SecurityRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "azure-native_network_v20240501:network:SecurityUserConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}", + "azure-native_network_v20240501:network:SecurityUserRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "azure-native_network_v20240501:network:SecurityUserRuleCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityUserConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "azure-native_network_v20240501:network:ServiceEndpointPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "azure-native_network_v20240501:network:ServiceEndpointPolicyDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "azure-native_network_v20240501:network:StaticCidr": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/ipamPools/{poolName}/staticCidrs/{staticCidrName}", + "azure-native_network_v20240501:network:StaticMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "azure-native_network_v20240501:network:Subnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "azure-native_network_v20240501:network:SubscriptionNetworkManagerConnection": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "azure-native_network_v20240501:network:VerifierWorkspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/verifierWorkspaces/{workspaceName}", + "azure-native_network_v20240501:network:VirtualApplianceSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "azure-native_network_v20240501:network:VirtualHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "azure-native_network_v20240501:network:VirtualHubBgpConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "azure-native_network_v20240501:network:VirtualHubIpConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "azure-native_network_v20240501:network:VirtualHubRouteTableV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "azure-native_network_v20240501:network:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "azure-native_network_v20240501:network:VirtualNetworkGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "azure-native_network_v20240501:network:VirtualNetworkGatewayConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "azure-native_network_v20240501:network:VirtualNetworkGatewayNatRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "azure-native_network_v20240501:network:VirtualNetworkPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "azure-native_network_v20240501:network:VirtualNetworkTap": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "azure-native_network_v20240501:network:VirtualRouter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "azure-native_network_v20240501:network:VirtualRouterPeering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "azure-native_network_v20240501:network:VirtualWan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "azure-native_network_v20240501:network:VpnConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "azure-native_network_v20240501:network:VpnGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "azure-native_network_v20240501:network:VpnServerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "azure-native_network_v20240501:network:VpnSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "azure-native_network_v20240501:network:WebApplicationFirewallPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "azure-native_network_v20240601preview:network:NetworkSecurityPerimeter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}", + "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterAccessRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}/accessRules/{accessRuleName}", + "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterAssociation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/resourceAssociations/{associationName}", + "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/links/{linkName}", + "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterLoggingConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/loggingConfigurations/{loggingConfigurationName}", + "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityPerimeters/{networkSecurityPerimeterName}/profiles/{profileName}", + "azure-native_networkcloud_v20231001preview:networkcloud:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/agentPools/{agentPoolName}", + "azure-native_networkcloud_v20231001preview:networkcloud:BareMetalMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/bareMetalMachines/{bareMetalMachineName}", + "azure-native_networkcloud_v20231001preview:networkcloud:BareMetalMachineKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bareMetalMachineKeySets/{bareMetalMachineKeySetName}", + "azure-native_networkcloud_v20231001preview:networkcloud:BmcKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bmcKeySets/{bmcKeySetName}", + "azure-native_networkcloud_v20231001preview:networkcloud:CloudServicesNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/cloudServicesNetworks/{cloudServicesNetworkName}", + "azure-native_networkcloud_v20231001preview:networkcloud:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}", + "azure-native_networkcloud_v20231001preview:networkcloud:ClusterManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusterManagers/{clusterManagerName}", + "azure-native_networkcloud_v20231001preview:networkcloud:Console": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}/consoles/{consoleName}", + "azure-native_networkcloud_v20231001preview:networkcloud:KubernetesCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}", + "azure-native_networkcloud_v20231001preview:networkcloud:L2Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l2Networks/{l2NetworkName}", + "azure-native_networkcloud_v20231001preview:networkcloud:L3Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l3Networks/{l3NetworkName}", + "azure-native_networkcloud_v20231001preview:networkcloud:MetricsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/metricsConfigurations/{metricsConfigurationName}", + "azure-native_networkcloud_v20231001preview:networkcloud:Rack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/racks/{rackName}", + "azure-native_networkcloud_v20231001preview:networkcloud:StorageAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/storageAppliances/{storageApplianceName}", + "azure-native_networkcloud_v20231001preview:networkcloud:TrunkedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/trunkedNetworks/{trunkedNetworkName}", + "azure-native_networkcloud_v20231001preview:networkcloud:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}", + "azure-native_networkcloud_v20231001preview:networkcloud:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/volumes/{volumeName}", + "azure-native_networkcloud_v20240601preview:networkcloud:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/agentPools/{agentPoolName}", + "azure-native_networkcloud_v20240601preview:networkcloud:BareMetalMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/bareMetalMachines/{bareMetalMachineName}", + "azure-native_networkcloud_v20240601preview:networkcloud:BareMetalMachineKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bareMetalMachineKeySets/{bareMetalMachineKeySetName}", + "azure-native_networkcloud_v20240601preview:networkcloud:BmcKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bmcKeySets/{bmcKeySetName}", + "azure-native_networkcloud_v20240601preview:networkcloud:CloudServicesNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/cloudServicesNetworks/{cloudServicesNetworkName}", + "azure-native_networkcloud_v20240601preview:networkcloud:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}", + "azure-native_networkcloud_v20240601preview:networkcloud:ClusterManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusterManagers/{clusterManagerName}", + "azure-native_networkcloud_v20240601preview:networkcloud:Console": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}/consoles/{consoleName}", + "azure-native_networkcloud_v20240601preview:networkcloud:KubernetesCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}", + "azure-native_networkcloud_v20240601preview:networkcloud:KubernetesClusterFeature": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/features/{featureName}", + "azure-native_networkcloud_v20240601preview:networkcloud:L2Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l2Networks/{l2NetworkName}", + "azure-native_networkcloud_v20240601preview:networkcloud:L3Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l3Networks/{l3NetworkName}", + "azure-native_networkcloud_v20240601preview:networkcloud:MetricsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/metricsConfigurations/{metricsConfigurationName}", + "azure-native_networkcloud_v20240601preview:networkcloud:Rack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/racks/{rackName}", + "azure-native_networkcloud_v20240601preview:networkcloud:StorageAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/storageAppliances/{storageApplianceName}", + "azure-native_networkcloud_v20240601preview:networkcloud:TrunkedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/trunkedNetworks/{trunkedNetworkName}", + "azure-native_networkcloud_v20240601preview:networkcloud:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}", + "azure-native_networkcloud_v20240601preview:networkcloud:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/volumes/{volumeName}", + "azure-native_networkcloud_v20240701:networkcloud:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/agentPools/{agentPoolName}", + "azure-native_networkcloud_v20240701:networkcloud:BareMetalMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/bareMetalMachines/{bareMetalMachineName}", + "azure-native_networkcloud_v20240701:networkcloud:BareMetalMachineKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bareMetalMachineKeySets/{bareMetalMachineKeySetName}", + "azure-native_networkcloud_v20240701:networkcloud:BmcKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bmcKeySets/{bmcKeySetName}", + "azure-native_networkcloud_v20240701:networkcloud:CloudServicesNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/cloudServicesNetworks/{cloudServicesNetworkName}", + "azure-native_networkcloud_v20240701:networkcloud:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}", + "azure-native_networkcloud_v20240701:networkcloud:ClusterManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusterManagers/{clusterManagerName}", + "azure-native_networkcloud_v20240701:networkcloud:Console": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}/consoles/{consoleName}", + "azure-native_networkcloud_v20240701:networkcloud:KubernetesCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}", + "azure-native_networkcloud_v20240701:networkcloud:KubernetesClusterFeature": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/features/{featureName}", + "azure-native_networkcloud_v20240701:networkcloud:L2Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l2Networks/{l2NetworkName}", + "azure-native_networkcloud_v20240701:networkcloud:L3Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l3Networks/{l3NetworkName}", + "azure-native_networkcloud_v20240701:networkcloud:MetricsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/metricsConfigurations/{metricsConfigurationName}", + "azure-native_networkcloud_v20240701:networkcloud:Rack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/racks/{rackName}", + "azure-native_networkcloud_v20240701:networkcloud:StorageAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/storageAppliances/{storageApplianceName}", + "azure-native_networkcloud_v20240701:networkcloud:TrunkedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/trunkedNetworks/{trunkedNetworkName}", + "azure-native_networkcloud_v20240701:networkcloud:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}", + "azure-native_networkcloud_v20240701:networkcloud:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/volumes/{volumeName}", + "azure-native_networkcloud_v20241001preview:networkcloud:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/agentPools/{agentPoolName}", + "azure-native_networkcloud_v20241001preview:networkcloud:BareMetalMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/bareMetalMachines/{bareMetalMachineName}", + "azure-native_networkcloud_v20241001preview:networkcloud:BareMetalMachineKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bareMetalMachineKeySets/{bareMetalMachineKeySetName}", + "azure-native_networkcloud_v20241001preview:networkcloud:BmcKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bmcKeySets/{bmcKeySetName}", + "azure-native_networkcloud_v20241001preview:networkcloud:CloudServicesNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/cloudServicesNetworks/{cloudServicesNetworkName}", + "azure-native_networkcloud_v20241001preview:networkcloud:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}", + "azure-native_networkcloud_v20241001preview:networkcloud:ClusterManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusterManagers/{clusterManagerName}", + "azure-native_networkcloud_v20241001preview:networkcloud:Console": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}/consoles/{consoleName}", + "azure-native_networkcloud_v20241001preview:networkcloud:KubernetesCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}", + "azure-native_networkcloud_v20241001preview:networkcloud:KubernetesClusterFeature": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/features/{featureName}", + "azure-native_networkcloud_v20241001preview:networkcloud:L2Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l2Networks/{l2NetworkName}", + "azure-native_networkcloud_v20241001preview:networkcloud:L3Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l3Networks/{l3NetworkName}", + "azure-native_networkcloud_v20241001preview:networkcloud:MetricsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/metricsConfigurations/{metricsConfigurationName}", + "azure-native_networkcloud_v20241001preview:networkcloud:Rack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/racks/{rackName}", + "azure-native_networkcloud_v20241001preview:networkcloud:StorageAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/storageAppliances/{storageApplianceName}", + "azure-native_networkcloud_v20241001preview:networkcloud:TrunkedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/trunkedNetworks/{trunkedNetworkName}", + "azure-native_networkcloud_v20241001preview:networkcloud:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}", + "azure-native_networkcloud_v20241001preview:networkcloud:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/volumes/{volumeName}", + "azure-native_networkcloud_v20250201:networkcloud:AgentPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/agentPools/{agentPoolName}", + "azure-native_networkcloud_v20250201:networkcloud:BareMetalMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/bareMetalMachines/{bareMetalMachineName}", + "azure-native_networkcloud_v20250201:networkcloud:BareMetalMachineKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bareMetalMachineKeySets/{bareMetalMachineKeySetName}", + "azure-native_networkcloud_v20250201:networkcloud:BmcKeySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/bmcKeySets/{bmcKeySetName}", + "azure-native_networkcloud_v20250201:networkcloud:CloudServicesNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/cloudServicesNetworks/{cloudServicesNetworkName}", + "azure-native_networkcloud_v20250201:networkcloud:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}", + "azure-native_networkcloud_v20250201:networkcloud:ClusterManager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusterManagers/{clusterManagerName}", + "azure-native_networkcloud_v20250201:networkcloud:Console": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}/consoles/{consoleName}", + "azure-native_networkcloud_v20250201:networkcloud:KubernetesCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}", + "azure-native_networkcloud_v20250201:networkcloud:KubernetesClusterFeature": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/kubernetesClusters/{kubernetesClusterName}/features/{featureName}", + "azure-native_networkcloud_v20250201:networkcloud:L2Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l2Networks/{l2NetworkName}", + "azure-native_networkcloud_v20250201:networkcloud:L3Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/l3Networks/{l3NetworkName}", + "azure-native_networkcloud_v20250201:networkcloud:MetricsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/clusters/{clusterName}/metricsConfigurations/{metricsConfigurationName}", + "azure-native_networkcloud_v20250201:networkcloud:Rack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/racks/{rackName}", + "azure-native_networkcloud_v20250201:networkcloud:StorageAppliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/storageAppliances/{storageApplianceName}", + "azure-native_networkcloud_v20250201:networkcloud:TrunkedNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/trunkedNetworks/{trunkedNetworkName}", + "azure-native_networkcloud_v20250201:networkcloud:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/virtualMachines/{virtualMachineName}", + "azure-native_networkcloud_v20250201:networkcloud:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkCloud/volumes/{volumeName}", + "azure-native_networkfunction_v20221101:networkfunction:AzureTrafficCollector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkFunction/azureTrafficCollectors/{azureTrafficCollectorName}", + "azure-native_networkfunction_v20221101:networkfunction:CollectorPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NetworkFunction/azureTrafficCollectors/{azureTrafficCollectorName}/collectorPolicies/{collectorPolicyName}", + "azure-native_notificationhubs_v20230101preview:notificationhubs:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}", + "azure-native_notificationhubs_v20230101preview:notificationhubs:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_notificationhubs_v20230101preview:notificationhubs:NotificationHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}", + "azure-native_notificationhubs_v20230101preview:notificationhubs:NotificationHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_notificationhubs_v20230101preview:notificationhubs:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_notificationhubs_v20230901:notificationhubs:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}", + "azure-native_notificationhubs_v20230901:notificationhubs:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_notificationhubs_v20230901:notificationhubs:NotificationHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}", + "azure-native_notificationhubs_v20230901:notificationhubs:NotificationHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_notificationhubs_v20230901:notificationhubs:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_notificationhubs_v20231001preview:notificationhubs:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}", + "azure-native_notificationhubs_v20231001preview:notificationhubs:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_notificationhubs_v20231001preview:notificationhubs:NotificationHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}", + "azure-native_notificationhubs_v20231001preview:notificationhubs:NotificationHubAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/notificationHubs/{notificationHubName}/authorizationRules/{authorizationRuleName}", + "azure-native_notificationhubs_v20231001preview:notificationhubs:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.NotificationHubs/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_offazure_v20200707:offazure:HyperVSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/HyperVSites/{siteName}", + "azure-native_offazure_v20200707:offazure:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/privateEndpointConnections/{peConnectionName}", + "azure-native_offazure_v20200707:offazure:Site": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/VMwareSites/{siteName}", + "azure-native_offazure_v20230606:offazure:HypervClusterControllerCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/clusters/{clusterName}", + "azure-native_offazure_v20230606:offazure:HypervHostController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/hosts/{hostName}", + "azure-native_offazure_v20230606:offazure:HypervSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}", + "azure-native_offazure_v20230606:offazure:ImportSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/importSites/{siteName}", + "azure-native_offazure_v20230606:offazure:MasterSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}", + "azure-native_offazure_v20230606:offazure:PrivateEndpointConnectionController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/privateEndpointConnections/{peConnectionName}", + "azure-native_offazure_v20230606:offazure:ServerSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/serverSites/{siteName}", + "azure-native_offazure_v20230606:offazure:SitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}", + "azure-native_offazure_v20230606:offazure:SqlDiscoverySiteDataSourceController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", + "azure-native_offazure_v20230606:offazure:SqlSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}", + "azure-native_offazure_v20230606:offazure:VcenterController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}/vcenters/{vcenterName}", + "azure-native_offazure_v20230606:offazure:WebAppDiscoverySiteDataSourcesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", + "azure-native_offazure_v20230606:offazure:WebAppSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}", + "azure-native_offazure_v20231001preview:offazure:HypervClusterControllerCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/clusters/{clusterName}", + "azure-native_offazure_v20231001preview:offazure:HypervHostController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/hosts/{hostName}", + "azure-native_offazure_v20231001preview:offazure:HypervSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}", + "azure-native_offazure_v20231001preview:offazure:ImportSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/importSites/{siteName}", + "azure-native_offazure_v20231001preview:offazure:MasterSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}", + "azure-native_offazure_v20231001preview:offazure:PrivateEndpointConnectionController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/privateEndpointConnections/{peConnectionName}", + "azure-native_offazure_v20231001preview:offazure:ServerSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/serverSites/{siteName}", + "azure-native_offazure_v20231001preview:offazure:SitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}", + "azure-native_offazure_v20231001preview:offazure:SqlDiscoverySiteDataSourceController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", + "azure-native_offazure_v20231001preview:offazure:SqlSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}", + "azure-native_offazure_v20231001preview:offazure:VcenterController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}/vcenters/{vcenterName}", + "azure-native_offazure_v20231001preview:offazure:WebAppDiscoverySiteDataSourcesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", + "azure-native_offazure_v20231001preview:offazure:WebAppSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}", + "azure-native_offazure_v20240501preview:offazure:HypervClusterControllerCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/clusters/{clusterName}", + "azure-native_offazure_v20240501preview:offazure:HypervHostController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}/hosts/{hostName}", + "azure-native_offazure_v20240501preview:offazure:HypervSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/hypervSites/{siteName}", + "azure-native_offazure_v20240501preview:offazure:ImportSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/importSites/{siteName}", + "azure-native_offazure_v20240501preview:offazure:MasterSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}", + "azure-native_offazure_v20240501preview:offazure:PrivateEndpointConnectionController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/privateEndpointConnections/{peConnectionName}", + "azure-native_offazure_v20240501preview:offazure:ServerSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/serverSites/{siteName}", + "azure-native_offazure_v20240501preview:offazure:SitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}", + "azure-native_offazure_v20240501preview:offazure:SqlDiscoverySiteDataSourceController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", + "azure-native_offazure_v20240501preview:offazure:SqlSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/sqlSites/{sqlSiteName}", + "azure-native_offazure_v20240501preview:offazure:VcenterController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/vmwareSites/{siteName}/vcenters/{vcenterName}", + "azure-native_offazure_v20240501preview:offazure:WebAppDiscoverySiteDataSourcesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}/discoverySiteDataSources/{discoverySiteDataSourceName}", + "azure-native_offazure_v20240501preview:offazure:WebAppSitesController": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzure/masterSites/{siteName}/webAppSites/{webAppSiteName}", + "azure-native_offazurespringboot_v20230101preview:offazurespringboot:Springbootserver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{siteName}/springbootservers/{springbootserversName}", + "azure-native_offazurespringboot_v20230101preview:offazurespringboot:Springbootsite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{springbootsitesName}", + "azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootapp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{siteName}/springbootapps/{springbootappsName}", + "azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootserver": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{siteName}/springbootservers/{springbootserversName}", + "azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootsite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OffAzureSpringBoot/springbootsites/{springbootsitesName}", + "azure-native_openenergyplatform_v20220404preview:openenergyplatform:EnergyService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OpenEnergyPlatform/energyServices/{resourceName}", + "azure-native_operationalinsights_v20151101preview:operationalinsights:DataSource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataSources/{dataSourceName}", + "azure-native_operationalinsights_v20151101preview:operationalinsights:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", + "azure-native_operationalinsights_v20151101preview:operationalinsights:MachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/features/serviceMap/machineGroups/{machineGroupName}", + "azure-native_operationalinsights_v20151101preview:operationalinsights:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", + "azure-native_operationalinsights_v20190801preview:operationalinsights:DataExport": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataExports/{dataExportName}", + "azure-native_operationalinsights_v20190801preview:operationalinsights:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", + "azure-native_operationalinsights_v20190801preview:operationalinsights:LinkedStorageAccount": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedStorageAccounts/{dataSourceType}", + "azure-native_operationalinsights_v20190901:operationalinsights:Query": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}/queries/{id}", + "azure-native_operationalinsights_v20190901:operationalinsights:QueryPack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}", + "azure-native_operationalinsights_v20190901preview:operationalinsights:Query": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}/queries/{id}", + "azure-native_operationalinsights_v20190901preview:operationalinsights:QueryPack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}", + "azure-native_operationalinsights_v20200301preview:operationalinsights:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", + "azure-native_operationalinsights_v20200301preview:operationalinsights:DataExport": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataExports/{dataExportName}", + "azure-native_operationalinsights_v20200301preview:operationalinsights:DataSource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataSources/{dataSourceName}", + "azure-native_operationalinsights_v20200301preview:operationalinsights:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", + "azure-native_operationalinsights_v20200301preview:operationalinsights:LinkedStorageAccount": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedStorageAccounts/{dataSourceType}", + "azure-native_operationalinsights_v20200301preview:operationalinsights:SavedSearch": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/savedSearches/{savedSearchId}", + "azure-native_operationalinsights_v20200301preview:operationalinsights:StorageInsightConfig": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/storageInsightConfigs/{storageInsightName}", + "azure-native_operationalinsights_v20200301preview:operationalinsights:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", + "azure-native_operationalinsights_v20200801:operationalinsights:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", + "azure-native_operationalinsights_v20200801:operationalinsights:DataExport": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataExports/{dataExportName}", + "azure-native_operationalinsights_v20200801:operationalinsights:DataSource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataSources/{dataSourceName}", + "azure-native_operationalinsights_v20200801:operationalinsights:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", + "azure-native_operationalinsights_v20200801:operationalinsights:LinkedStorageAccount": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedStorageAccounts/{dataSourceType}", + "azure-native_operationalinsights_v20200801:operationalinsights:SavedSearch": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/savedSearches/{savedSearchId}", + "azure-native_operationalinsights_v20200801:operationalinsights:StorageInsightConfig": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/storageInsightConfigs/{storageInsightName}", + "azure-native_operationalinsights_v20200801:operationalinsights:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", + "azure-native_operationalinsights_v20201001:operationalinsights:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", + "azure-native_operationalinsights_v20201001:operationalinsights:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", + "azure-native_operationalinsights_v20210601:operationalinsights:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", + "azure-native_operationalinsights_v20210601:operationalinsights:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", + "azure-native_operationalinsights_v20211201preview:operationalinsights:Table": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/tables/{tableName}", + "azure-native_operationalinsights_v20211201preview:operationalinsights:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", + "azure-native_operationalinsights_v20221001:operationalinsights:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", + "azure-native_operationalinsights_v20221001:operationalinsights:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/tables/{tableName}", + "azure-native_operationalinsights_v20221001:operationalinsights:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", + "azure-native_operationalinsights_v20230901:operationalinsights:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", + "azure-native_operationalinsights_v20230901:operationalinsights:DataExport": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataExports/{dataExportName}", + "azure-native_operationalinsights_v20230901:operationalinsights:DataSource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataSources/{dataSourceName}", + "azure-native_operationalinsights_v20230901:operationalinsights:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", + "azure-native_operationalinsights_v20230901:operationalinsights:LinkedStorageAccount": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedStorageAccounts/{dataSourceType}", + "azure-native_operationalinsights_v20230901:operationalinsights:Query": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}/queries/{id}", + "azure-native_operationalinsights_v20230901:operationalinsights:QueryPack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}", + "azure-native_operationalinsights_v20230901:operationalinsights:SavedSearch": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/savedSearches/{savedSearchId}", + "azure-native_operationalinsights_v20230901:operationalinsights:StorageInsightConfig": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/storageInsightConfigs/{storageInsightName}", + "azure-native_operationalinsights_v20230901:operationalinsights:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/tables/{tableName}", + "azure-native_operationalinsights_v20230901:operationalinsights:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", + "azure-native_operationalinsights_v20250201:operationalinsights:Cluster": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/clusters/{clusterName}", + "azure-native_operationalinsights_v20250201:operationalinsights:DataExport": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataExports/{dataExportName}", + "azure-native_operationalinsights_v20250201:operationalinsights:DataSource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/dataSources/{dataSourceName}", + "azure-native_operationalinsights_v20250201:operationalinsights:LinkedService": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedServices/{linkedServiceName}", + "azure-native_operationalinsights_v20250201:operationalinsights:LinkedStorageAccount": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/linkedStorageAccounts/{dataSourceType}", + "azure-native_operationalinsights_v20250201:operationalinsights:Query": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}/queries/{id}", + "azure-native_operationalinsights_v20250201:operationalinsights:QueryPack": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/queryPacks/{queryPackName}", + "azure-native_operationalinsights_v20250201:operationalinsights:SavedSearch": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/savedSearches/{savedSearchId}", + "azure-native_operationalinsights_v20250201:operationalinsights:StorageInsightConfig": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/storageInsightConfigs/{storageInsightName}", + "azure-native_operationalinsights_v20250201:operationalinsights:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/tables/{tableName}", + "azure-native_operationalinsights_v20250201:operationalinsights:Workspace": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}", + "azure-native_operationsmanagement_v20151101preview:operationsmanagement:ManagementAssociation": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{providerName}/{resourceType}/{resourceName}/providers/Microsoft.OperationsManagement/ManagementAssociations/{managementAssociationName}", + "azure-native_operationsmanagement_v20151101preview:operationsmanagement:ManagementConfiguration": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationsManagement/ManagementConfigurations/{managementConfigurationName}", + "azure-native_operationsmanagement_v20151101preview:operationsmanagement:Solution": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.OperationsManagement/solutions/{solutionName}", + "azure-native_orbital_v20221101:orbital:Contact": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/spacecrafts/{spacecraftName}/contacts/{contactName}", + "azure-native_orbital_v20221101:orbital:ContactProfile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/contactProfiles/{contactProfileName}", + "azure-native_orbital_v20221101:orbital:Spacecraft": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/spacecrafts/{spacecraftName}", + "azure-native_orbital_v20240301:orbital:EdgeSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/edgeSites/{edgeSiteName}", + "azure-native_orbital_v20240301:orbital:GroundStation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/groundStations/{groundStationName}", + "azure-native_orbital_v20240301:orbital:L2Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/l2Connections/{l2ConnectionName}", + "azure-native_orbital_v20240301preview:orbital:EdgeSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/edgeSites/{edgeSiteName}", + "azure-native_orbital_v20240301preview:orbital:GroundStation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/groundStations/{groundStationName}", + "azure-native_orbital_v20240301preview:orbital:L2Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Orbital/l2Connections/{l2ConnectionName}", + "azure-native_peering_v20221001:peering:ConnectionMonitorTest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peeringServices/{peeringServiceName}/connectionMonitorTests/{connectionMonitorTestName}", + "azure-native_peering_v20221001:peering:PeerAsn": "/subscriptions/{subscriptionId}/providers/Microsoft.Peering/peerAsns/{peerAsnName}", + "azure-native_peering_v20221001:peering:Peering": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peerings/{peeringName}", + "azure-native_peering_v20221001:peering:PeeringService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peeringServices/{peeringServiceName}", + "azure-native_peering_v20221001:peering:Prefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peeringServices/{peeringServiceName}/prefixes/{prefixName}", + "azure-native_peering_v20221001:peering:RegisteredAsn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peerings/{peeringName}/registeredAsns/{registeredAsnName}", + "azure-native_peering_v20221001:peering:RegisteredPrefix": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Peering/peerings/{peeringName}/registeredPrefixes/{registeredPrefixName}", + "azure-native_policyinsights_v20211001:policyinsights:RemediationAtManagementGroup": "/providers/{managementGroupsNamespace}/managementGroups/{managementGroupId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", + "azure-native_policyinsights_v20211001:policyinsights:RemediationAtResource": "/{resourceId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", + "azure-native_policyinsights_v20211001:policyinsights:RemediationAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", + "azure-native_policyinsights_v20211001:policyinsights:RemediationAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", + "azure-native_policyinsights_v20220901:policyinsights:AttestationAtResource": "/{resourceId}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", + "azure-native_policyinsights_v20220901:policyinsights:AttestationAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", + "azure-native_policyinsights_v20220901:policyinsights:AttestationAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", + "azure-native_policyinsights_v20241001:policyinsights:AttestationAtResource": "/{resourceId}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", + "azure-native_policyinsights_v20241001:policyinsights:AttestationAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", + "azure-native_policyinsights_v20241001:policyinsights:AttestationAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.PolicyInsights/attestations/{attestationName}", + "azure-native_policyinsights_v20241001:policyinsights:RemediationAtManagementGroup": "/providers/{managementGroupsNamespace}/managementGroups/{managementGroupId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", + "azure-native_policyinsights_v20241001:policyinsights:RemediationAtResource": "/{resourceId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", + "azure-native_policyinsights_v20241001:policyinsights:RemediationAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", + "azure-native_policyinsights_v20241001:policyinsights:RemediationAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.PolicyInsights/remediations/{remediationName}", + "azure-native_portal_v20181001:portal:Console": "/providers/Microsoft.Portal/consoles/{consoleName}", + "azure-native_portal_v20181001:portal:ConsoleWithLocation": "/providers/Microsoft.Portal/locations/{location}/consoles/{consoleName}", + "azure-native_portal_v20181001:portal:UserSettings": "/providers/Microsoft.Portal/userSettings/{userSettingsName}", + "azure-native_portal_v20181001:portal:UserSettingsWithLocation": "/providers/Microsoft.Portal/locations/{location}/userSettings/{userSettingsName}", + "azure-native_portal_v20190101preview:portal:Dashboard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Portal/dashboards/{dashboardName}", + "azure-native_portal_v20190101preview:portal:TenantConfiguration": "/providers/Microsoft.Portal/tenantConfigurations/{configurationName}", + "azure-native_portal_v20200901preview:portal:Dashboard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Portal/dashboards/{dashboardName}", + "azure-native_portal_v20200901preview:portal:TenantConfiguration": "/providers/Microsoft.Portal/tenantConfigurations/{configurationName}", + "azure-native_portal_v20221201preview:portal:Dashboard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Portal/dashboards/{dashboardName}", + "azure-native_portal_v20221201preview:portal:TenantConfiguration": "/providers/Microsoft.Portal/tenantConfigurations/{configurationName}", + "azure-native_portal_v20250401preview:portal:Dashboard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Portal/dashboards/{dashboardName}", + "azure-native_portal_v20250401preview:portal:TenantConfiguration": "/providers/Microsoft.Portal/tenantConfigurations/{configurationName}", + "azure-native_portalservices_v20240401:portalservices:CopilotSetting": "/providers/Microsoft.PortalServices/copilotSettings/default", + "azure-native_portalservices_v20240401preview:portalservices:CopilotSetting": "/providers/Microsoft.PortalServices/copilotSettings/default", + "azure-native_powerbi_v20160129:powerbi:WorkspaceCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBI/workspaceCollections/{workspaceCollectionName}", + "azure-native_powerbi_v20200601:powerbi:PowerBIResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBI/privateLinkServicesForPowerBI/{azureResourceName}", + "azure-native_powerbi_v20200601:powerbi:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBI/privateLinkServicesForPowerBI/{azureResourceName}/privateEndpointConnections/{privateEndpointName}", + "azure-native_powerbidedicated_v20210101:powerbidedicated:AutoScaleVCore": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBIDedicated/autoScaleVCores/{vcoreName}", + "azure-native_powerbidedicated_v20210101:powerbidedicated:CapacityDetails": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerBIDedicated/capacities/{dedicatedCapacityName}", + "azure-native_powerplatform_v20201030preview:powerplatform:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerPlatform/accounts/{accountName}", + "azure-native_powerplatform_v20201030preview:powerplatform:EnterprisePolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerPlatform/enterprisePolicies/{enterprisePolicyName}", + "azure-native_powerplatform_v20201030preview:powerplatform:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.PowerPlatform/enterprisePolicies/{enterprisePolicyName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_privatedns_v20180901:privatedns:PrivateRecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/{recordType}/{relativeRecordSetName}", + "azure-native_privatedns_v20180901:privatedns:PrivateZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}", + "azure-native_privatedns_v20180901:privatedns:VirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/virtualNetworkLinks/{virtualNetworkLinkName}", + "azure-native_privatedns_v20200101:privatedns:PrivateRecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/{recordType}/{relativeRecordSetName}", + "azure-native_privatedns_v20200101:privatedns:PrivateZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}", + "azure-native_privatedns_v20200101:privatedns:VirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/virtualNetworkLinks/{virtualNetworkLinkName}", + "azure-native_privatedns_v20200601:privatedns:PrivateRecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/{recordType}/{relativeRecordSetName}", + "azure-native_privatedns_v20200601:privatedns:PrivateZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}", + "azure-native_privatedns_v20200601:privatedns:VirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/virtualNetworkLinks/{virtualNetworkLinkName}", + "azure-native_privatedns_v20240601:privatedns:PrivateRecordSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/{recordType}/{relativeRecordSetName}", + "azure-native_privatedns_v20240601:privatedns:PrivateZone": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}", + "azure-native_privatedns_v20240601:privatedns:VirtualNetworkLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateDnsZones/{privateZoneName}/virtualNetworkLinks/{virtualNetworkLinkName}", + "azure-native_professionalservice_v20230701preview:professionalservice:ProfessionalServiceSubscriptionLevel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ProfessionalService/resources/{resourceName}", + "azure-native_programmableconnectivity_v20240115preview:programmableconnectivity:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ProgrammableConnectivity/gateways/{gatewayName}", + "azure-native_programmableconnectivity_v20240115preview:programmableconnectivity:OperatorApiConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ProgrammableConnectivity/operatorApiConnections/{operatorApiConnectionName}", + "azure-native_providerhub_v20210901preview:providerhub:DefaultRollout": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/defaultRollouts/{rolloutName}", + "azure-native_providerhub_v20210901preview:providerhub:NotificationRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/notificationRegistrations/{notificationRegistrationName}", + "azure-native_providerhub_v20210901preview:providerhub:OperationByProviderRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/operations/default", + "azure-native_providerhub_v20210901preview:providerhub:ProviderRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}", + "azure-native_providerhub_v20210901preview:providerhub:ResourceTypeRegistration": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}", + "azure-native_providerhub_v20210901preview:providerhub:Skus": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}/skus/{sku}", + "azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeFirst": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}/resourcetypeRegistrations/{nestedResourceTypeFirst}/skus/{sku}", + "azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeSecond": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}/resourcetypeRegistrations/{nestedResourceTypeFirst}/resourcetypeRegistrations/{nestedResourceTypeSecond}/skus/{sku}", + "azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeThird": "/subscriptions/{subscriptionId}/providers/Microsoft.ProviderHub/providerRegistrations/{providerNamespace}/resourcetypeRegistrations/{resourceType}/resourcetypeRegistrations/{nestedResourceTypeFirst}/resourcetypeRegistrations/{nestedResourceTypeSecond}/resourcetypeRegistrations/{nestedResourceTypeThird}/skus/{sku}", + "azure-native_purview_v20211201:purview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}", + "azure-native_purview_v20211201:purview:KafkaConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/kafkaConfigurations/{kafkaConfigurationName}", + "azure-native_purview_v20211201:purview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_purview_v20230501preview:purview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}", + "azure-native_purview_v20230501preview:purview:KafkaConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/kafkaConfigurations/{kafkaConfigurationName}", + "azure-native_purview_v20230501preview:purview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_purview_v20240401preview:purview:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}", + "azure-native_purview_v20240401preview:purview:KafkaConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/kafkaConfigurations/{kafkaConfigurationName}", + "azure-native_purview_v20240401preview:purview:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Purview/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_quantum_v20220110preview:quantum:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Quantum/workspaces/{workspaceName}", + "azure-native_quantum_v20231113preview:quantum:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Quantum/workspaces/{workspaceName}", + "azure-native_quota_v20230601preview:quota:GroupQuota": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}", + "azure-native_quota_v20230601preview:quota:GroupQuotaSubscription": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}/subscriptions/{subscriptionId}", + "azure-native_quota_v20241015preview:quota:GroupQuota": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}", + "azure-native_quota_v20241015preview:quota:GroupQuotaSubscription": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}/subscriptions/{subscriptionId}", + "azure-native_quota_v20241218preview:quota:GroupQuota": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}", + "azure-native_quota_v20241218preview:quota:GroupQuotaSubscription": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}/subscriptions/{subscriptionId}", + "azure-native_quota_v20250301:quota:GroupQuota": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}", + "azure-native_quota_v20250301:quota:GroupQuotaSubscription": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}/subscriptions/{subscriptionId}", + "azure-native_quota_v20250315preview:quota:GroupQuota": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}", + "azure-native_quota_v20250315preview:quota:GroupQuotaSubscription": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Quota/groupQuotas/{groupQuotaName}/subscriptions/{subscriptionId}", + "azure-native_recommendationsservice_v20220201:recommendationsservice:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}", + "azure-native_recommendationsservice_v20220201:recommendationsservice:Modeling": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}/modeling/{modelingName}", + "azure-native_recommendationsservice_v20220201:recommendationsservice:ServiceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}/serviceEndpoints/{serviceEndpointName}", + "azure-native_recommendationsservice_v20220301preview:recommendationsservice:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}", + "azure-native_recommendationsservice_v20220301preview:recommendationsservice:Modeling": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}/modeling/{modelingName}", + "azure-native_recommendationsservice_v20220301preview:recommendationsservice:ServiceEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecommendationsService/accounts/{accountName}/serviceEndpoints/{serviceEndpointName}", + "azure-native_recoveryservices_v20230201:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", + "azure-native_recoveryservices_v20230201:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_recoveryservices_v20230201:recoveryservices:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", + "azure-native_recoveryservices_v20230401:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", + "azure-native_recoveryservices_v20230401:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_recoveryservices_v20230401:recoveryservices:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", + "azure-native_recoveryservices_v20230601:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", + "azure-native_recoveryservices_v20230601:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_recoveryservices_v20230601:recoveryservices:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", + "azure-native_recoveryservices_v20230801:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", + "azure-native_recoveryservices_v20230801:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_recoveryservices_v20230801:recoveryservices:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", + "azure-native_recoveryservices_v20240101:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", + "azure-native_recoveryservices_v20240101:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_recoveryservices_v20240101:recoveryservices:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", + "azure-native_recoveryservices_v20240201:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectionCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionClusters/{replicationProtectionClusterName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", + "azure-native_recoveryservices_v20240201:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_recoveryservices_v20240201:recoveryservices:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", + "azure-native_recoveryservices_v20240401:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectionCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionClusters/{replicationProtectionClusterName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", + "azure-native_recoveryservices_v20240401:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_recoveryservices_v20240401:recoveryservices:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", + "azure-native_recoveryservices_v20240430preview:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", + "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", + "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", + "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", + "azure-native_recoveryservices_v20240430preview:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_recoveryservices_v20240430preview:recoveryservices:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", + "azure-native_recoveryservices_v20240730preview:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", + "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", + "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", + "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", + "azure-native_recoveryservices_v20240730preview:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_recoveryservices_v20240930preview:recoveryservices:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", + "azure-native_recoveryservices_v20241001:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationFabric": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationMigrationItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationMigrationItems/{migrationItemName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationNetworkMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationNetworks/{networkName}/replicationNetworkMappings/{networkMappingName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationPolicies/{policyName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectedItems/{replicatedProtectedItemName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectionCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionClusters/{replicationProtectionClusterName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectionContainerMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationProtectionContainers/{protectionContainerName}/replicationProtectionContainerMappings/{mappingName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationRecoveryPlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationRecoveryPlans/{recoveryPlanName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationRecoveryServicesProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationRecoveryServicesProviders/{providerName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationStorageClassificationMapping": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationStorageClassifications/{storageClassificationName}/replicationStorageClassificationMappings/{storageClassificationMappingName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationvCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{resourceName}/replicationFabrics/{fabricName}/replicationvCenters/{vcenterName}", + "azure-native_recoveryservices_v20241001:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_recoveryservices_v20241001:recoveryservices:Vault": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}", + "azure-native_recoveryservices_v20241101preview:recoveryservices:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectedItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}/protectedItems/{protectedItemName}", + "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/protectionContainers/{containerName}", + "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionIntent": "/Subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupFabrics/{fabricName}/backupProtectionIntent/{intentObjectName}", + "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupPolicies/{policyName}", + "azure-native_recoveryservices_v20241101preview:recoveryservices:ResourceGuardProxy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RecoveryServices/vaults/{vaultName}/backupResourceGuardProxies/{resourceGuardProxyName}", + "azure-native_redhatopenshift_v20220904:redhatopenshift:MachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/machinePool/{childResourceName}", + "azure-native_redhatopenshift_v20220904:redhatopenshift:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", + "azure-native_redhatopenshift_v20220904:redhatopenshift:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/secret/{childResourceName}", + "azure-native_redhatopenshift_v20220904:redhatopenshift:SyncIdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncIdentityProvider/{childResourceName}", + "azure-native_redhatopenshift_v20220904:redhatopenshift:SyncSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncSet/{childResourceName}", + "azure-native_redhatopenshift_v20230401:redhatopenshift:MachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/machinePool/{childResourceName}", + "azure-native_redhatopenshift_v20230401:redhatopenshift:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", + "azure-native_redhatopenshift_v20230401:redhatopenshift:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/secret/{childResourceName}", + "azure-native_redhatopenshift_v20230401:redhatopenshift:SyncIdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncIdentityProvider/{childResourceName}", + "azure-native_redhatopenshift_v20230401:redhatopenshift:SyncSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncSet/{childResourceName}", + "azure-native_redhatopenshift_v20230701preview:redhatopenshift:MachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/machinePool/{childResourceName}", + "azure-native_redhatopenshift_v20230701preview:redhatopenshift:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", + "azure-native_redhatopenshift_v20230701preview:redhatopenshift:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/secret/{childResourceName}", + "azure-native_redhatopenshift_v20230701preview:redhatopenshift:SyncIdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncIdentityProvider/{childResourceName}", + "azure-native_redhatopenshift_v20230701preview:redhatopenshift:SyncSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncSet/{childResourceName}", + "azure-native_redhatopenshift_v20230904:redhatopenshift:MachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/machinePool/{childResourceName}", + "azure-native_redhatopenshift_v20230904:redhatopenshift:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", + "azure-native_redhatopenshift_v20230904:redhatopenshift:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/secret/{childResourceName}", + "azure-native_redhatopenshift_v20230904:redhatopenshift:SyncIdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncIdentityProvider/{childResourceName}", + "azure-native_redhatopenshift_v20230904:redhatopenshift:SyncSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncSet/{childResourceName}", + "azure-native_redhatopenshift_v20231122:redhatopenshift:MachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/machinePool/{childResourceName}", + "azure-native_redhatopenshift_v20231122:redhatopenshift:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", + "azure-native_redhatopenshift_v20231122:redhatopenshift:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/secret/{childResourceName}", + "azure-native_redhatopenshift_v20231122:redhatopenshift:SyncIdentityProvider": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncIdentityProvider/{childResourceName}", + "azure-native_redhatopenshift_v20231122:redhatopenshift:SyncSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openshiftclusters/{resourceName}/syncSet/{childResourceName}", + "azure-native_redhatopenshift_v20240812preview:redhatopenshift:OpenShiftCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.RedHatOpenShift/openShiftClusters/{resourceName}", + "azure-native_redis_v20150801:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", + "azure-native_redis_v20160401:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/patchSchedules/default", + "azure-native_redis_v20160401:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", + "azure-native_redis_v20160401:redis:RedisFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20170201:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20170201:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/patchSchedules/default", + "azure-native_redis_v20170201:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", + "azure-native_redis_v20170201:redis:RedisLinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20171001:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20171001:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20171001:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20171001:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", + "azure-native_redis_v20180301:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20180301:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20180301:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20180301:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", + "azure-native_redis_v20190701:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20190701:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20190701:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20190701:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/Redis/{name}", + "azure-native_redis_v20200601:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20200601:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20200601:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20200601:redis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redis_v20200601:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", + "azure-native_redis_v20201201:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20201201:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20201201:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20201201:redis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redis_v20201201:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", + "azure-native_redis_v20210601:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20210601:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20210601:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20210601:redis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redis_v20210601:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", + "azure-native_redis_v20220501:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20220501:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20220501:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20220501:redis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redis_v20220501:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", + "azure-native_redis_v20220601:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20220601:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20220601:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20220601:redis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redis_v20220601:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", + "azure-native_redis_v20230401:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20230401:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20230401:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20230401:redis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redis_v20230401:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", + "azure-native_redis_v20230501preview:redis:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicies/{accessPolicyName}", + "azure-native_redis_v20230501preview:redis:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicyAssignments/{accessPolicyAssignmentName}", + "azure-native_redis_v20230501preview:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20230501preview:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20230501preview:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20230501preview:redis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redis_v20230501preview:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", + "azure-native_redis_v20230801:redis:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicies/{accessPolicyName}", + "azure-native_redis_v20230801:redis:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicyAssignments/{accessPolicyAssignmentName}", + "azure-native_redis_v20230801:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20230801:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20230801:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20230801:redis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redis_v20230801:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", + "azure-native_redis_v20240301:redis:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicies/{accessPolicyName}", + "azure-native_redis_v20240301:redis:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicyAssignments/{accessPolicyAssignmentName}", + "azure-native_redis_v20240301:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20240301:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20240301:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20240301:redis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redis_v20240301:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", + "azure-native_redis_v20240401preview:redis:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicies/{accessPolicyName}", + "azure-native_redis_v20240401preview:redis:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicyAssignments/{accessPolicyAssignmentName}", + "azure-native_redis_v20240401preview:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20240401preview:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20240401preview:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20240401preview:redis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redis_v20240401preview:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", + "azure-native_redis_v20241101:redis:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicies/{accessPolicyName}", + "azure-native_redis_v20241101:redis:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/accessPolicyAssignments/{accessPolicyAssignmentName}", + "azure-native_redis_v20241101:redis:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/firewallRules/{ruleName}", + "azure-native_redis_v20241101:redis:LinkedServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/linkedServers/{linkedServerName}", + "azure-native_redis_v20241101:redis:PatchSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}/patchSchedules/{default}", + "azure-native_redis_v20241101:redis:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{cacheName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redis_v20241101:redis:Redis": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redis/{name}", + "azure-native_redisenterprise_v20201001preview:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20201001preview:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20201001preview:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20210201preview:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20210201preview:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20210201preview:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20210301:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20210301:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20210301:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20210801:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20210801:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20210801:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20220101:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20220101:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20220101:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20221101preview:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20221101preview:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20221101preview:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20230301preview:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20230301preview:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20230301preview:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20230701:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20230701:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20230701:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20230801preview:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20230801preview:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20230801preview:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20231001preview:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20231001preview:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20231001preview:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20231101:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20231101:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20231101:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20240201:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20240201:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20240201:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20240301preview:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20240301preview:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20240301preview:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20240601preview:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20240601preview:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20240601preview:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20240901preview:redisenterprise:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}/accessPolicyAssignments/{accessPolicyAssignmentName}", + "azure-native_redisenterprise_v20240901preview:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20240901preview:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20240901preview:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20241001:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20241001:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20241001:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_redisenterprise_v20250401:redisenterprise:AccessPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}/accessPolicyAssignments/{accessPolicyAssignmentName}", + "azure-native_redisenterprise_v20250401:redisenterprise:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/databases/{databaseName}", + "azure-native_redisenterprise_v20250401:redisenterprise:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_redisenterprise_v20250401:redisenterprise:RedisEnterprise": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Cache/redisEnterprise/{clusterName}", + "azure-native_relay_v20211101:relay:HybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/hybridConnections/{hybridConnectionName}", + "azure-native_relay_v20211101:relay:HybridConnectionAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/hybridConnections/{hybridConnectionName}/authorizationRules/{authorizationRuleName}", + "azure-native_relay_v20211101:relay:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}", + "azure-native_relay_v20211101:relay:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_relay_v20211101:relay:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_relay_v20211101:relay:WCFRelay": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/wcfRelays/{relayName}", + "azure-native_relay_v20211101:relay:WCFRelayAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/wcfRelays/{relayName}/authorizationRules/{authorizationRuleName}", + "azure-native_relay_v20240101:relay:HybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/hybridConnections/{hybridConnectionName}", + "azure-native_relay_v20240101:relay:HybridConnectionAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/hybridConnections/{hybridConnectionName}/authorizationRules/{authorizationRuleName}", + "azure-native_relay_v20240101:relay:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}", + "azure-native_relay_v20240101:relay:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/authorizationRules/{authorizationRuleName}", + "azure-native_relay_v20240101:relay:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_relay_v20240101:relay:WCFRelay": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/wcfRelays/{relayName}", + "azure-native_relay_v20240101:relay:WCFRelayAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Relay/namespaces/{namespaceName}/wcfRelays/{relayName}/authorizationRules/{authorizationRuleName}", + "azure-native_resourceconnector_v20220415preview:resourceconnector:Appliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceConnector/appliances/{resourceName}", + "azure-native_resourceconnector_v20221027:resourceconnector:Appliance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceConnector/appliances/{resourceName}", + "azure-native_resourcegraph_v20200401preview:resourcegraph:GraphQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceGraph/queries/{resourceName}", + "azure-native_resourcegraph_v20210301:resourcegraph:GraphQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceGraph/queries/{resourceName}", + "azure-native_resourcegraph_v20221001:resourcegraph:GraphQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceGraph/queries/{resourceName}", + "azure-native_resourcegraph_v20240401:resourcegraph:GraphQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ResourceGraph/queries/{resourceName}", + "azure-native_resources_v20201001:resources:AzureCliScript": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentScripts/{scriptName}", + "azure-native_resources_v20201001:resources:AzurePowerShellScript": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentScripts/{scriptName}", + "azure-native_resources_v20201001:resources:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20201001:resources:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20201001:resources:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20201001:resources:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20201001:resources:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20201001:resources:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", + "azure-native_resources_v20201001:resources:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", + "azure-native_resources_v20201001:resources:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", + "azure-native_resources_v20210101:resources:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20210101:resources:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20210101:resources:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20210101:resources:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20210101:resources:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20210101:resources:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", + "azure-native_resources_v20210101:resources:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", + "azure-native_resources_v20210101:resources:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", + "azure-native_resources_v20210301preview:resources:TemplateSpec": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}", + "azure-native_resources_v20210301preview:resources:TemplateSpecVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}/versions/{templateSpecVersion}", + "azure-native_resources_v20210401:resources:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20210401:resources:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20210401:resources:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20210401:resources:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20210401:resources:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20210401:resources:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", + "azure-native_resources_v20210401:resources:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", + "azure-native_resources_v20210401:resources:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", + "azure-native_resources_v20210501:resources:TemplateSpec": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}", + "azure-native_resources_v20210501:resources:TemplateSpecVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}/versions/{templateSpecVersion}", + "azure-native_resources_v20220201:resources:TemplateSpec": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}", + "azure-native_resources_v20220201:resources:TemplateSpecVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/templateSpecs/{templateSpecName}/versions/{templateSpecVersion}", + "azure-native_resources_v20220801preview:resources:DeploymentStackAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", + "azure-native_resources_v20220801preview:resources:DeploymentStackAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", + "azure-native_resources_v20220801preview:resources:DeploymentStackAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", + "azure-native_resources_v20220901:resources:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20220901:resources:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20220901:resources:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20220901:resources:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20220901:resources:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20220901:resources:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", + "azure-native_resources_v20220901:resources:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", + "azure-native_resources_v20220901:resources:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", + "azure-native_resources_v20230701:resources:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20230701:resources:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20230701:resources:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20230701:resources:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20230701:resources:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20230701:resources:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", + "azure-native_resources_v20230701:resources:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", + "azure-native_resources_v20230701:resources:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", + "azure-native_resources_v20230801:resources:AzureCliScript": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentScripts/{scriptName}", + "azure-native_resources_v20230801:resources:AzurePowerShellScript": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentScripts/{scriptName}", + "azure-native_resources_v20240301:resources:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20240301:resources:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20240301:resources:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20240301:resources:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20240301:resources:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20240301:resources:DeploymentStackAtManagementGroup": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", + "azure-native_resources_v20240301:resources:DeploymentStackAtResourceGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", + "azure-native_resources_v20240301:resources:DeploymentStackAtSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deploymentStacks/{deploymentStackName}", + "azure-native_resources_v20240301:resources:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", + "azure-native_resources_v20240301:resources:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", + "azure-native_resources_v20240301:resources:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", + "azure-native_resources_v20240701:resources:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20240701:resources:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20240701:resources:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20240701:resources:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20240701:resources:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20240701:resources:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", + "azure-native_resources_v20240701:resources:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", + "azure-native_resources_v20240701:resources:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", + "azure-native_resources_v20241101:resources:Deployment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20241101:resources:DeploymentAtManagementGroupScope": "/providers/Microsoft.Management/managementGroups/{groupId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20241101:resources:DeploymentAtScope": "/{scope}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20241101:resources:DeploymentAtSubscriptionScope": "/subscriptions/{subscriptionId}/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20241101:resources:DeploymentAtTenantScope": "/providers/Microsoft.Resources/deployments/{deploymentName}", + "azure-native_resources_v20241101:resources:Resource": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourcePath}/{resourceType}/{resourceName}", + "azure-native_resources_v20241101:resources:ResourceGroup": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}", + "azure-native_resources_v20241101:resources:TagAtScope": "/{scope}/providers/Microsoft.Resources/tags/default", + "azure-native_saas_v20180301beta:saas:SaasSubscriptionLevel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SaaS/resources/{resourceName}", + "azure-native_scheduler_v20160301:scheduler:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scheduler/jobCollections/{jobCollectionName}/jobs/{jobName}", + "azure-native_scheduler_v20160301:scheduler:JobCollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scheduler/jobCollections/{jobCollectionName}", + "azure-native_scom_v20230707preview:scom:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scom/managedInstances/{instanceName}", + "azure-native_scom_v20230707preview:scom:ManagedGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scom/managedInstances/{instanceName}/managedGateways/{managedGatewayName}", + "azure-native_scom_v20230707preview:scom:MonitoredResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Scom/managedInstances/{instanceName}/monitoredResources/{monitoredResourceName}", + "azure-native_scvmm_v20220521preview:scvmm:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/availabilitySets/{availabilitySetName}", + "azure-native_scvmm_v20220521preview:scvmm:Cloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/clouds/{cloudName}", + "azure-native_scvmm_v20220521preview:scvmm:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/guestAgents/{guestAgentName}", + "azure-native_scvmm_v20220521preview:scvmm:HybridIdentityMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/hybridIdentityMetadata/{metadataName}", + "azure-native_scvmm_v20220521preview:scvmm:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}/inventoryItems/{inventoryItemName}", + "azure-native_scvmm_v20220521preview:scvmm:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/extensions/{extensionName}", + "azure-native_scvmm_v20220521preview:scvmm:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}", + "azure-native_scvmm_v20220521preview:scvmm:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachineTemplates/{virtualMachineTemplateName}", + "azure-native_scvmm_v20220521preview:scvmm:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualNetworks/{virtualNetworkName}", + "azure-native_scvmm_v20220521preview:scvmm:VmmServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}", + "azure-native_scvmm_v20230401preview:scvmm:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/availabilitySets/{availabilitySetName}", + "azure-native_scvmm_v20230401preview:scvmm:Cloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/clouds/{cloudName}", + "azure-native_scvmm_v20230401preview:scvmm:GuestAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/guestAgents/{guestAgentName}", + "azure-native_scvmm_v20230401preview:scvmm:HybridIdentityMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/hybridIdentityMetadata/{metadataName}", + "azure-native_scvmm_v20230401preview:scvmm:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}/inventoryItems/{inventoryItemName}", + "azure-native_scvmm_v20230401preview:scvmm:MachineExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}/extensions/{extensionName}", + "azure-native_scvmm_v20230401preview:scvmm:VMInstanceGuestAgent": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default/guestAgents/default", + "azure-native_scvmm_v20230401preview:scvmm:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachines/{virtualMachineName}", + "azure-native_scvmm_v20230401preview:scvmm:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default", + "azure-native_scvmm_v20230401preview:scvmm:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachineTemplates/{virtualMachineTemplateName}", + "azure-native_scvmm_v20230401preview:scvmm:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualNetworks/{virtualNetworkName}", + "azure-native_scvmm_v20230401preview:scvmm:VmmServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}", + "azure-native_scvmm_v20231007:scvmm:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/availabilitySets/{availabilitySetResourceName}", + "azure-native_scvmm_v20231007:scvmm:Cloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/clouds/{cloudResourceName}", + "azure-native_scvmm_v20231007:scvmm:GuestAgent": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default/guestAgents/default", + "azure-native_scvmm_v20231007:scvmm:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}/inventoryItems/{inventoryItemResourceName}", + "azure-native_scvmm_v20231007:scvmm:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default", + "azure-native_scvmm_v20231007:scvmm:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachineTemplates/{virtualMachineTemplateName}", + "azure-native_scvmm_v20231007:scvmm:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualNetworks/{virtualNetworkName}", + "azure-native_scvmm_v20231007:scvmm:VmmServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}", + "azure-native_scvmm_v20240601:scvmm:AvailabilitySet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/availabilitySets/{availabilitySetResourceName}", + "azure-native_scvmm_v20240601:scvmm:Cloud": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/clouds/{cloudResourceName}", + "azure-native_scvmm_v20240601:scvmm:GuestAgent": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default/guestAgents/default", + "azure-native_scvmm_v20240601:scvmm:InventoryItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}/inventoryItems/{inventoryItemResourceName}", + "azure-native_scvmm_v20240601:scvmm:VirtualMachineInstance": "/{resourceUri}/providers/Microsoft.ScVmm/virtualMachineInstances/default", + "azure-native_scvmm_v20240601:scvmm:VirtualMachineTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualMachineTemplates/{virtualMachineTemplateName}", + "azure-native_scvmm_v20240601:scvmm:VirtualNetwork": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/virtualNetworks/{virtualNetworkName}", + "azure-native_scvmm_v20240601:scvmm:VmmServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ScVmm/vmmServers/{vmmServerName}", + "azure-native_search_v20220901:search:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_search_v20220901:search:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}", + "azure-native_search_v20220901:search:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_search_v20231101:search:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_search_v20231101:search:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}", + "azure-native_search_v20231101:search:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_search_v20240301preview:search:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_search_v20240301preview:search:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}", + "azure-native_search_v20240301preview:search:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_search_v20240601preview:search:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_search_v20240601preview:search:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}", + "azure-native_search_v20240601preview:search:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_search_v20250201preview:search:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_search_v20250201preview:search:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}", + "azure-native_search_v20250201preview:search:SharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Search/searchServices/{searchServiceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_secretsynccontroller_v20240821preview:secretsynccontroller:AzureKeyVaultSecretProviderClass": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecretSyncController/azureKeyVaultSecretProviderClasses/{azureKeyVaultSecretProviderClassName}", + "azure-native_secretsynccontroller_v20240821preview:secretsynccontroller:SecretSync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecretSyncController/secretSyncs/{secretSyncName}", + "azure-native_security_v20170801preview:security:AdvancedThreatProtection": "/{resourceId}/providers/Microsoft.Security/advancedThreatProtectionSettings/{settingName}", + "azure-native_security_v20170801preview:security:DeviceSecurityGroup": "/{resourceId}/providers/Microsoft.Security/deviceSecurityGroups/{deviceSecurityGroupName}", + "azure-native_security_v20170801preview:security:IotSecuritySolution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/iotSecuritySolutions/{solutionName}", + "azure-native_security_v20170801preview:security:SecurityContact": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/securityContacts/{securityContactName}", + "azure-native_security_v20170801preview:security:WorkspaceSetting": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/workspaceSettings/{workspaceSettingName}", + "azure-native_security_v20190101:security:AdvancedThreatProtection": "/{resourceId}/providers/Microsoft.Security/advancedThreatProtectionSettings/{settingName}", + "azure-native_security_v20190101preview:security:AlertsSuppressionRule": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/alertsSuppressionRules/{alertsSuppressionRuleName}", + "azure-native_security_v20190101preview:security:Assessment": "/{resourceId}/providers/Microsoft.Security/assessments/{assessmentName}", + "azure-native_security_v20190101preview:security:AssessmentsMetadataSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/assessmentMetadata/{assessmentMetadataName}", + "azure-native_security_v20190101preview:security:Automation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/automations/{automationName}", + "azure-native_security_v20190801:security:DeviceSecurityGroup": "/{resourceId}/providers/Microsoft.Security/deviceSecurityGroups/{deviceSecurityGroupName}", + "azure-native_security_v20190801:security:IotSecuritySolution": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/iotSecuritySolutions/{solutionName}", + "azure-native_security_v20200101:security:Assessment": "/{resourceId}/providers/Microsoft.Security/assessments/{assessmentName}", + "azure-native_security_v20200101:security:AssessmentMetadataInSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/assessmentMetadata/{assessmentMetadataName}", + "azure-native_security_v20200101:security:JitNetworkAccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/locations/{ascLocation}/jitNetworkAccessPolicies/{jitNetworkAccessPolicyName}", + "azure-native_security_v20200101:security:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceNamespace}/{resourceType}/{resourceName}/providers/Microsoft.Security/serverVulnerabilityAssessments/{serverVulnerabilityAssessment}", + "azure-native_security_v20200101preview:security:Connector": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/connectors/{connectorName}", + "azure-native_security_v20200101preview:security:SecurityContact": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/securityContacts/{securityContactName}", + "azure-native_security_v20200701preview:security:SqlVulnerabilityAssessmentBaselineRule": "/{resourceId}/providers/Microsoft.Security/sqlVulnerabilityAssessments/default/baselineRules/{ruleId}", + "azure-native_security_v20210601:security:Assessment": "/{resourceId}/providers/Microsoft.Security/assessments/{assessmentName}", + "azure-native_security_v20210601:security:AssessmentMetadataInSubscription": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/assessmentMetadata/{assessmentMetadataName}", + "azure-native_security_v20210701preview:security:CustomAssessmentAutomation": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Security/customAssessmentAutomations/{customAssessmentAutomationName}", + "azure-native_security_v20210701preview:security:CustomEntityStoreAssignment": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.Security/customEntityStoreAssignments/{customEntityStoreAssignmentName}", + "azure-native_security_v20210701preview:security:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", + "azure-native_security_v20210801preview:security:Assignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/assignments/{assignmentId}", + "azure-native_security_v20210801preview:security:Standard": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/standards/{standardId}", + "azure-native_security_v20211201preview:security:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", + "azure-native_security_v20220101preview:security:GovernanceAssignment": "/{scope}/providers/Microsoft.Security/assessments/{assessmentName}/governanceAssignments/{assignmentKey}", + "azure-native_security_v20220101preview:security:GovernanceRule": "/{scope}/providers/Microsoft.Security/governanceRules/{ruleId}", + "azure-native_security_v20220501preview:security:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", + "azure-native_security_v20220701preview:security:Application": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/applications/{applicationId}", + "azure-native_security_v20220701preview:security:SecurityConnectorApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/providers/Microsoft.Security/applications/{applicationId}", + "azure-native_security_v20220801preview:security:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", + "azure-native_security_v20221120preview:security:APICollection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/providers/Microsoft.Security/apiCollections/{apiCollectionId}", + "azure-native_security_v20221201preview:security:DefenderForStorage": "/{resourceId}/providers/Microsoft.Security/defenderForStorageSettings/{settingName}", + "azure-native_security_v20230101preview:security:SecurityOperator": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/pricings/{pricingName}/securityOperators/{securityOperatorName}", + "azure-native_security_v20230201preview:security:SqlVulnerabilityAssessmentBaselineRule": "/{resourceId}/providers/Microsoft.Security/sqlVulnerabilityAssessments/default/baselineRules/{ruleId}", + "azure-native_security_v20230301preview:security:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", + "azure-native_security_v20230501:security:AzureServersSetting": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/serverVulnerabilityAssessmentsSettings/{settingKind}", + "azure-native_security_v20230901preview:security:DevOpsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/devops/default", + "azure-native_security_v20231001preview:security:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", + "azure-native_security_v20231115:security:APICollectionByAzureApiManagementService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ApiManagement/service/{serviceName}/providers/Microsoft.Security/apiCollections/{apiId}", + "azure-native_security_v20231201preview:security:Automation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/automations/{automationName}", + "azure-native_security_v20231201preview:security:SecurityContact": "/subscriptions/{subscriptionId}/providers/Microsoft.Security/securityContacts/{securityContactName}", + "azure-native_security_v20240101:security:Pricing": "/{scopeId}/providers/Microsoft.Security/pricings/{pricingName}", + "azure-native_security_v20240301preview:security:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", + "azure-native_security_v20240401:security:DevOpsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/devops/default", + "azure-native_security_v20240515preview:security:DevOpsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/devops/default", + "azure-native_security_v20240515preview:security:DevOpsPolicyAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/devops/default/policyAssignments/{policyAssignmentId}", + "azure-native_security_v20240701preview:security:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", + "azure-native_security_v20240801:security:CustomRecommendation": "/{scope}/providers/Microsoft.Security/customRecommendations/{customRecommendationName}", + "azure-native_security_v20240801:security:SecurityStandard": "/{scope}/providers/Microsoft.Security/securityStandards/{standardId}", + "azure-native_security_v20240801:security:StandardAssignment": "/{resourceId}/providers/Microsoft.Security/standardAssignments/{standardAssignmentName}", + "azure-native_security_v20240801preview:security:SecurityConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}", + "azure-native_security_v20241001preview:security:DefenderForStorage": "/{resourceId}/providers/Microsoft.Security/defenderForStorageSettings/{settingName}", + "azure-native_security_v20250301:security:DevOpsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Security/securityConnectors/{securityConnectorName}/devops/default", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsAdtAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsComp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForM365ComplianceCenter/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForEDM": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForEDMUpload/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForMIPPolicySync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForMIPPolicySync/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForSCCPowershell": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForSCCPowershell/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsSec": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForM365SecurityCenter/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForEDMUpload": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForEDMUpload/{resourceName}", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForM365ComplianceCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForM365ComplianceCenter/{resourceName}", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForM365SecurityCenter": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForM365SecurityCenter/{resourceName}", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForMIPPolicySync": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForMIPPolicySync/{resourceName}", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForO365ManagementActivityAPI/{resourceName}", + "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForSCCPowershell": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SecurityAndCompliance/privateLinkServicesForSCCPowershell/{resourceName}", + "azure-native_securityinsights_v20230201:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230201:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230201:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230201:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20230201:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20230201:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20230201:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230201:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20230201:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230201:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20230201:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20230201:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20230201:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230201:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230201:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20230201:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230201:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230201:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230201:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20230201:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230201:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20230201:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20230201:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20230301preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20230301preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20230301preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230301preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20230301preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20230301preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20230301preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20230301preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230301preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230301preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20230301preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230301preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20230301preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20230301preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20230301preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20230301preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230301preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20230301preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230301preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230301preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230301preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20230301preview:securityinsights:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/sourcecontrols/{sourceControlId}", + "azure-native_securityinsights_v20230301preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230301preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20230301preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230301preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230301preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20230301preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20230401preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20230401preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20230401preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230401preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20230401preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20230401preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20230401preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20230401preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20230401preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20230401preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230401preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230401preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20230401preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230401preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20230401preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20230401preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20230401preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20230401preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20230401preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20230401preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20230401preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230401preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20230401preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230401preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230401preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230401preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20230401preview:securityinsights:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/sourcecontrols/{sourceControlId}", + "azure-native_securityinsights_v20230401preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230401preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20230401preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230401preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230401preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20230401preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20230501preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20230501preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20230501preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230501preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20230501preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20230501preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20230501preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20230501preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20230501preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20230501preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230501preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230501preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20230501preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230501preview:securityinsights:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20230501preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20230501preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20230501preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20230501preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20230501preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20230501preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20230501preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230501preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20230501preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230501preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230501preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230501preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20230501preview:securityinsights:SourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/sourcecontrols/{sourceControlId}", + "azure-native_securityinsights_v20230501preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230501preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20230501preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230501preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230501preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20230501preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20230601preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20230601preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20230601preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230601preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20230601preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20230601preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20230601preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20230601preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20230601preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20230601preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230601preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230601preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20230601preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230601preview:securityinsights:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20230601preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20230601preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20230601preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20230601preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20230601preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20230601preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20230601preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230601preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20230601preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230601preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230601preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230601preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20230601preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230601preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20230601preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230601preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230601preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20230601preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20230701preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20230701preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20230701preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230701preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20230701preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20230701preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20230701preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20230701preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20230701preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20230701preview:securityinsights:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", + "azure-native_securityinsights_v20230701preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230701preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230701preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20230701preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230701preview:securityinsights:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20230701preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20230701preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20230701preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20230701preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20230701preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20230701preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20230701preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230701preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20230701preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230701preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230701preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230701preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20230701preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230701preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20230701preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230701preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230701preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20230701preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20230801preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20230801preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20230801preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230801preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20230801preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20230801preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20230801preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20230801preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20230801preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20230801preview:securityinsights:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", + "azure-native_securityinsights_v20230801preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230801preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230801preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20230801preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230801preview:securityinsights:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20230801preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20230801preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20230801preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20230801preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20230801preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20230801preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20230801preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230801preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20230801preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230801preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230801preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230801preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20230801preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230801preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20230801preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230801preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230801preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20230801preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20230901preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20230901preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20230901preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230901preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20230901preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20230901preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20230901preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20230901preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20230901preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20230901preview:securityinsights:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", + "azure-native_securityinsights_v20230901preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230901preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230901preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20230901preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230901preview:securityinsights:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20230901preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20230901preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20230901preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20230901preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20230901preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20230901preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20230901preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230901preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20230901preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230901preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230901preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230901preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20230901preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20230901preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20230901preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20230901preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20230901preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20230901preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20231001preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20231001preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20231001preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20231001preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20231001preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20231001preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20231001preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20231001preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20231001preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20231001preview:securityinsights:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", + "azure-native_securityinsights_v20231001preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20231001preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20231001preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20231001preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231001preview:securityinsights:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20231001preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20231001preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20231001preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20231001preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20231001preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20231001preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20231001preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231001preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20231001preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231001preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231001preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231001preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20231001preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231001preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20231001preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231001preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20231001preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20231001preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20231101:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231101:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231101:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231101:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20231101:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20231101:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20231101:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231101:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20231101:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20231101:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20231101:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231101:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20231101:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20231101:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20231101:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231101:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231101:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20231101:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231101:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231101:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231101:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20231101:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231101:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20231101:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20231101:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20231201preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20231201preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20231201preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20231201preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20231201preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20231201preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20231201preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20231201preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20231201preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20231201preview:securityinsights:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", + "azure-native_securityinsights_v20231201preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20231201preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20231201preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20231201preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231201preview:securityinsights:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20231201preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20231201preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20231201preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20231201preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20231201preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20231201preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20231201preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231201preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20231201preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231201preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231201preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231201preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20231201preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20231201preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20231201preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20231201preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20231201preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20231201preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20240101preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20240101preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20240101preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20240101preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20240101preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20240101preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20240101preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20240101preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20240101preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20240101preview:securityinsights:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", + "azure-native_securityinsights_v20240101preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20240101preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20240101preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20240101preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240101preview:securityinsights:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20240101preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20240101preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20240101preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20240101preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20240101preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20240101preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20240101preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240101preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20240101preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240101preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240101preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240101preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20240101preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240101preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20240101preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240101preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20240101preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20240101preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20240301:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240301:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240301:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240301:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20240301:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20240301:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20240301:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240301:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20240301:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20240301:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20240301:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240301:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20240301:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20240301:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20240301:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20240301:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240301:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240301:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20240301:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240301:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240301:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240301:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20240301:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240301:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20240301:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20240301:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20240401preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20240401preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20240401preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20240401preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20240401preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20240401preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20240401preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20240401preview:securityinsights:BusinessApplicationAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}", + "azure-native_securityinsights_v20240401preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20240401preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20240401preview:securityinsights:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", + "azure-native_securityinsights_v20240401preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20240401preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20240401preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20240401preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240401preview:securityinsights:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20240401preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20240401preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20240401preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20240401preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20240401preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20240401preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20240401preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240401preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20240401preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240401preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240401preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240401preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20240401preview:securityinsights:System": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}/systems/{systemResourceName}", + "azure-native_securityinsights_v20240401preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240401preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20240401preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240401preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20240401preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20240401preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20240901:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240901:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240901:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240901:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20240901:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20240901:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20240901:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240901:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20240901:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20240901:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20240901:securityinsights:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", + "azure-native_securityinsights_v20240901:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240901:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20240901:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20240901:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20240901:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20240901:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240901:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240901:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240901:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20240901:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240901:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240901:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240901:securityinsights:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240901:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20240901:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20240901:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20240901:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20240901:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20240901:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20241001preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20241001preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20241001preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20241001preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20241001preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20241001preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20241001preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20241001preview:securityinsights:BusinessApplicationAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}", + "azure-native_securityinsights_v20241001preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20241001preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20241001preview:securityinsights:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", + "azure-native_securityinsights_v20241001preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20241001preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20241001preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20241001preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20241001preview:securityinsights:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20241001preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20241001preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20241001preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20241001preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20241001preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20241001preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20241001preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20241001preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20241001preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20241001preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20241001preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:PurviewAuditDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20241001preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20241001preview:securityinsights:System": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}/systems/{systemResourceName}", + "azure-native_securityinsights_v20241001preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20241001preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20241001preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20241001preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20241001preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20241001preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20250101preview:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20250101preview:securityinsights:ActivityCustomEntityQuery": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/entityQueries/{entityQueryId}", + "azure-native_securityinsights_v20250101preview:securityinsights:Anomalies": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20250101preview:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20250101preview:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20250101preview:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:AwsS3DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20250101preview:securityinsights:BookmarkRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}/relations/{relationName}", + "azure-native_securityinsights_v20250101preview:securityinsights:BusinessApplicationAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}", + "azure-native_securityinsights_v20250101preview:securityinsights:CodelessApiPollingDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:CodelessUiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20250101preview:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20250101preview:securityinsights:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", + "azure-native_securityinsights_v20250101preview:securityinsights:Dynamics365DataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:EntityAnalytics": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20250101preview:securityinsights:EyesOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20250101preview:securityinsights:FileImport": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/fileImports/{fileImportId}", + "azure-native_securityinsights_v20250101preview:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20250101preview:securityinsights:GCPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:Hunt": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}", + "azure-native_securityinsights_v20250101preview:securityinsights:HuntComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/comments/{huntCommentId}", + "azure-native_securityinsights_v20250101preview:securityinsights:HuntRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/hunts/{huntId}/relations/{huntRelationId}", + "azure-native_securityinsights_v20250101preview:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20250101preview:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20250101preview:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20250101preview:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20250101preview:securityinsights:IoTDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:MLBehaviorAnalyticsAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20250101preview:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:MTPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20250101preview:securityinsights:MicrosoftPurviewInformationProtectionDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20250101preview:securityinsights:NrtAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20250101preview:securityinsights:Office365ProjectDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:OfficeATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:OfficeIRMDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:OfficePowerBIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:PurviewAuditDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20250101preview:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20250101preview:securityinsights:System": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/businessApplicationAgents/{agentResourceName}/systems/{systemResourceName}", + "azure-native_securityinsights_v20250101preview:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:ThreatIntelligenceAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20250101preview:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20250101preview:securityinsights:TiTaxiiDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250101preview:securityinsights:Ueba": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/settings/{settingsName}", + "azure-native_securityinsights_v20250101preview:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20250101preview:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerAssignments/{workspaceManagerAssignmentName}", + "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerConfigurations/{workspaceManagerConfigurationName}", + "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerGroups/{workspaceManagerGroupName}", + "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/workspaceManagerMembers/{workspaceManagerMemberName}", + "azure-native_securityinsights_v20250301:securityinsights:AADDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250301:securityinsights:AATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250301:securityinsights:ASCDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250301:securityinsights:Action": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}/actions/{actionId}", + "azure-native_securityinsights_v20250301:securityinsights:AnomalySecurityMLAnalyticsSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/securityMLAnalyticsSettings/{settingsResourceName}", + "azure-native_securityinsights_v20250301:securityinsights:AutomationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/automationRules/{automationRuleId}", + "azure-native_securityinsights_v20250301:securityinsights:AwsCloudTrailDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250301:securityinsights:Bookmark": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/bookmarks/{bookmarkId}", + "azure-native_securityinsights_v20250301:securityinsights:ContentPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentPackages/{packageId}", + "azure-native_securityinsights_v20250301:securityinsights:ContentTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/contentTemplates/{templateId}", + "azure-native_securityinsights_v20250301:securityinsights:CustomizableConnectorDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectorDefinitions/{dataConnectorDefinitionName}", + "azure-native_securityinsights_v20250301:securityinsights:FusionAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20250301:securityinsights:Incident": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}", + "azure-native_securityinsights_v20250301:securityinsights:IncidentComment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/comments/{incidentCommentId}", + "azure-native_securityinsights_v20250301:securityinsights:IncidentRelation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/relations/{relationName}", + "azure-native_securityinsights_v20250301:securityinsights:IncidentTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/incidents/{incidentId}/tasks/{incidentTaskId}", + "azure-native_securityinsights_v20250301:securityinsights:MCASDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250301:securityinsights:MDATPDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250301:securityinsights:MSTIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250301:securityinsights:Metadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/metadata/{metadataName}", + "azure-native_securityinsights_v20250301:securityinsights:MicrosoftSecurityIncidentCreationAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20250301:securityinsights:OfficeDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250301:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250301:securityinsights:RestApiPollerDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250301:securityinsights:ScheduledAlertRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/alertRules/{ruleId}", + "azure-native_securityinsights_v20250301:securityinsights:SentinelOnboardingState": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/onboardingStates/{sentinelOnboardingStateName}", + "azure-native_securityinsights_v20250301:securityinsights:TIDataConnector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/dataConnectors/{dataConnectorId}", + "azure-native_securityinsights_v20250301:securityinsights:ThreatIntelligenceIndicator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/threatIntelligence/main/indicators/{name}", + "azure-native_securityinsights_v20250301:securityinsights:Watchlist": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}", + "azure-native_securityinsights_v20250301:securityinsights:WatchlistItem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.OperationalInsights/workspaces/{workspaceName}/providers/Microsoft.SecurityInsights/watchlists/{watchlistAlias}/watchlistItems/{watchlistItemId}", + "azure-native_serialconsole_v20180501:serialconsole:SerialPort": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{parentResourceType}/{parentResource}/providers/Microsoft.SerialConsole/serialPorts/{serialPort}", + "azure-native_servicebus_v20180101preview:servicebus:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_servicebus_v20180101preview:servicebus:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", + "azure-native_servicebus_v20180101preview:servicebus:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", + "azure-native_servicebus_v20180101preview:servicebus:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20180101preview:servicebus:NamespaceIpFilterRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/ipfilterrules/{ipFilterRuleName}", + "azure-native_servicebus_v20180101preview:servicebus:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_servicebus_v20180101preview:servicebus:NamespaceVirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/virtualnetworkrules/{virtualNetworkRuleName}", + "azure-native_servicebus_v20180101preview:servicebus:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_servicebus_v20180101preview:servicebus:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", + "azure-native_servicebus_v20180101preview:servicebus:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20180101preview:servicebus:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", + "azure-native_servicebus_v20180101preview:servicebus:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", + "azure-native_servicebus_v20180101preview:servicebus:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_servicebus_v20180101preview:servicebus:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20210101preview:servicebus:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_servicebus_v20210101preview:servicebus:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", + "azure-native_servicebus_v20210101preview:servicebus:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", + "azure-native_servicebus_v20210101preview:servicebus:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20210101preview:servicebus:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_servicebus_v20210101preview:servicebus:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_servicebus_v20210101preview:servicebus:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", + "azure-native_servicebus_v20210101preview:servicebus:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20210101preview:servicebus:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", + "azure-native_servicebus_v20210101preview:servicebus:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", + "azure-native_servicebus_v20210101preview:servicebus:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_servicebus_v20210101preview:servicebus:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20210601preview:servicebus:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_servicebus_v20210601preview:servicebus:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", + "azure-native_servicebus_v20210601preview:servicebus:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", + "azure-native_servicebus_v20210601preview:servicebus:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20210601preview:servicebus:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_servicebus_v20210601preview:servicebus:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_servicebus_v20210601preview:servicebus:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", + "azure-native_servicebus_v20210601preview:servicebus:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20210601preview:servicebus:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", + "azure-native_servicebus_v20210601preview:servicebus:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", + "azure-native_servicebus_v20210601preview:servicebus:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_servicebus_v20210601preview:servicebus:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20211101:servicebus:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_servicebus_v20211101:servicebus:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", + "azure-native_servicebus_v20211101:servicebus:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", + "azure-native_servicebus_v20211101:servicebus:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20211101:servicebus:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_servicebus_v20211101:servicebus:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_servicebus_v20211101:servicebus:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", + "azure-native_servicebus_v20211101:servicebus:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20211101:servicebus:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", + "azure-native_servicebus_v20211101:servicebus:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", + "azure-native_servicebus_v20211101:servicebus:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_servicebus_v20211101:servicebus:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20220101preview:servicebus:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_servicebus_v20220101preview:servicebus:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", + "azure-native_servicebus_v20220101preview:servicebus:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", + "azure-native_servicebus_v20220101preview:servicebus:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20220101preview:servicebus:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_servicebus_v20220101preview:servicebus:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_servicebus_v20220101preview:servicebus:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", + "azure-native_servicebus_v20220101preview:servicebus:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20220101preview:servicebus:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", + "azure-native_servicebus_v20220101preview:servicebus:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", + "azure-native_servicebus_v20220101preview:servicebus:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_servicebus_v20220101preview:servicebus:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20221001preview:servicebus:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_servicebus_v20221001preview:servicebus:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", + "azure-native_servicebus_v20221001preview:servicebus:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", + "azure-native_servicebus_v20221001preview:servicebus:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20221001preview:servicebus:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_servicebus_v20221001preview:servicebus:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_servicebus_v20221001preview:servicebus:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", + "azure-native_servicebus_v20221001preview:servicebus:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20221001preview:servicebus:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", + "azure-native_servicebus_v20221001preview:servicebus:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", + "azure-native_servicebus_v20221001preview:servicebus:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_servicebus_v20221001preview:servicebus:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20230101preview:servicebus:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_servicebus_v20230101preview:servicebus:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", + "azure-native_servicebus_v20230101preview:servicebus:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", + "azure-native_servicebus_v20230101preview:servicebus:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20230101preview:servicebus:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_servicebus_v20230101preview:servicebus:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_servicebus_v20230101preview:servicebus:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", + "azure-native_servicebus_v20230101preview:servicebus:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20230101preview:servicebus:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", + "azure-native_servicebus_v20230101preview:servicebus:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", + "azure-native_servicebus_v20230101preview:servicebus:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_servicebus_v20230101preview:servicebus:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20240101:servicebus:DisasterRecoveryConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/disasterRecoveryConfigs/{alias}", + "azure-native_servicebus_v20240101:servicebus:MigrationConfig": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/migrationConfigurations/{configName}", + "azure-native_servicebus_v20240101:servicebus:Namespace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}", + "azure-native_servicebus_v20240101:servicebus:NamespaceAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/AuthorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20240101:servicebus:NamespaceNetworkRuleSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/networkRuleSets/default", + "azure-native_servicebus_v20240101:servicebus:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_servicebus_v20240101:servicebus:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}", + "azure-native_servicebus_v20240101:servicebus:QueueAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/queues/{queueName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicebus_v20240101:servicebus:Rule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}/rules/{ruleName}", + "azure-native_servicebus_v20240101:servicebus:Subscription": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/subscriptions/{subscriptionName}", + "azure-native_servicebus_v20240101:servicebus:Topic": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}", + "azure-native_servicebus_v20240101:servicebus:TopicAuthorizationRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceBus/namespaces/{namespaceName}/topics/{topicName}/authorizationRules/{authorizationRuleName}", + "azure-native_servicefabric_v20230301preview:servicefabric:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", + "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", + "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", + "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", + "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", + "azure-native_servicefabric_v20230301preview:servicefabric:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", + "azure-native_servicefabric_v20230701preview:servicefabric:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", + "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", + "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", + "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", + "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", + "azure-native_servicefabric_v20230701preview:servicefabric:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", + "azure-native_servicefabric_v20230901preview:servicefabric:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", + "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", + "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", + "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", + "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", + "azure-native_servicefabric_v20230901preview:servicefabric:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", + "azure-native_servicefabric_v20231101preview:servicefabric:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", + "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", + "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", + "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", + "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", + "azure-native_servicefabric_v20231101preview:servicefabric:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", + "azure-native_servicefabric_v20231201preview:servicefabric:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", + "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", + "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", + "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", + "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", + "azure-native_servicefabric_v20231201preview:servicefabric:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", + "azure-native_servicefabric_v20240201preview:servicefabric:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", + "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", + "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", + "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", + "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", + "azure-native_servicefabric_v20240201preview:servicefabric:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", + "azure-native_servicefabric_v20240401:servicefabric:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", + "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", + "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", + "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", + "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", + "azure-native_servicefabric_v20240401:servicefabric:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", + "azure-native_servicefabric_v20240601preview:servicefabric:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", + "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", + "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", + "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", + "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", + "azure-native_servicefabric_v20240601preview:servicefabric:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", + "azure-native_servicefabric_v20240901preview:servicefabric:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", + "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}", + "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}", + "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", + "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedclusters/{clusterName}/applications/{applicationName}/services/{serviceName}", + "azure-native_servicefabric_v20240901preview:servicefabric:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", + "azure-native_servicefabric_v20241101preview:servicefabric:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applications/{applicationName}", + "azure-native_servicefabric_v20241101preview:servicefabric:ApplicationType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applicationTypes/{applicationTypeName}", + "azure-native_servicefabric_v20241101preview:servicefabric:ApplicationTypeVersion": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applicationTypes/{applicationTypeName}/versions/{version}", + "azure-native_servicefabric_v20241101preview:servicefabric:ManagedCluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}", + "azure-native_servicefabric_v20241101preview:servicefabric:NodeType": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/nodeTypes/{nodeTypeName}", + "azure-native_servicefabric_v20241101preview:servicefabric:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabric/managedClusters/{clusterName}/applications/{applicationName}/services/{serviceName}", + "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/applications/{applicationResourceName}", + "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Gateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/gateways/{gatewayResourceName}", + "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Network": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/networks/{networkResourceName}", + "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Secret": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/secrets/{secretResourceName}", + "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:SecretValue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/secrets/{secretResourceName}/values/{secretValueResourceName}", + "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceFabricMesh/volumes/{volumeResourceName}", + "azure-native_servicelinker_v20221101preview:servicelinker:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/connectors/{connectorName}", + "azure-native_servicelinker_v20221101preview:servicelinker:ConnectorDryrun": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/dryruns/{dryrunName}", + "azure-native_servicelinker_v20221101preview:servicelinker:Linker": "/{resourceUri}/providers/Microsoft.ServiceLinker/linkers/{linkerName}", + "azure-native_servicelinker_v20221101preview:servicelinker:LinkerDryrun": "/{resourceUri}/providers/Microsoft.ServiceLinker/dryruns/{dryrunName}", + "azure-native_servicelinker_v20230401preview:servicelinker:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/connectors/{connectorName}", + "azure-native_servicelinker_v20230401preview:servicelinker:ConnectorDryrun": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/dryruns/{dryrunName}", + "azure-native_servicelinker_v20230401preview:servicelinker:Linker": "/{resourceUri}/providers/Microsoft.ServiceLinker/linkers/{linkerName}", + "azure-native_servicelinker_v20230401preview:servicelinker:LinkerDryrun": "/{resourceUri}/providers/Microsoft.ServiceLinker/dryruns/{dryrunName}", + "azure-native_servicelinker_v20240401:servicelinker:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/connectors/{connectorName}", + "azure-native_servicelinker_v20240401:servicelinker:ConnectorDryrun": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/dryruns/{dryrunName}", + "azure-native_servicelinker_v20240401:servicelinker:Linker": "/{resourceUri}/providers/Microsoft.ServiceLinker/linkers/{linkerName}", + "azure-native_servicelinker_v20240401:servicelinker:LinkerDryrun": "/{resourceUri}/providers/Microsoft.ServiceLinker/dryruns/{dryrunName}", + "azure-native_servicelinker_v20240701preview:servicelinker:Connector": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/connectors/{connectorName}", + "azure-native_servicelinker_v20240701preview:servicelinker:ConnectorDryrun": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.ServiceLinker/locations/{location}/dryruns/{dryrunName}", + "azure-native_servicelinker_v20240701preview:servicelinker:Linker": "/{resourceUri}/providers/Microsoft.ServiceLinker/linkers/{linkerName}", + "azure-native_servicelinker_v20240701preview:servicelinker:LinkerDryrun": "/{resourceUri}/providers/Microsoft.ServiceLinker/dryruns/{dryrunName}", + "azure-native_servicenetworking_v20230501preview:servicenetworking:AssociationsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/associations/{associationName}", + "azure-native_servicenetworking_v20230501preview:servicenetworking:FrontendsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/frontends/{frontendName}", + "azure-native_servicenetworking_v20230501preview:servicenetworking:TrafficControllerInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}", + "azure-native_servicenetworking_v20231101:servicenetworking:AssociationsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/associations/{associationName}", + "azure-native_servicenetworking_v20231101:servicenetworking:FrontendsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/frontends/{frontendName}", + "azure-native_servicenetworking_v20231101:servicenetworking:TrafficControllerInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}", + "azure-native_servicenetworking_v20240501preview:servicenetworking:AssociationsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/associations/{associationName}", + "azure-native_servicenetworking_v20240501preview:servicenetworking:FrontendsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/frontends/{frontendName}", + "azure-native_servicenetworking_v20240501preview:servicenetworking:SecurityPoliciesInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/securityPolicies/{securityPolicyName}", + "azure-native_servicenetworking_v20240501preview:servicenetworking:TrafficControllerInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}", + "azure-native_servicenetworking_v20250101:servicenetworking:AssociationsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/associations/{associationName}", + "azure-native_servicenetworking_v20250101:servicenetworking:FrontendsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/frontends/{frontendName}", + "azure-native_servicenetworking_v20250101:servicenetworking:SecurityPoliciesInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/securityPolicies/{securityPolicyName}", + "azure-native_servicenetworking_v20250101:servicenetworking:TrafficControllerInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}", + "azure-native_servicenetworking_v20250301preview:servicenetworking:AssociationsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/associations/{associationName}", + "azure-native_servicenetworking_v20250301preview:servicenetworking:FrontendsInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/frontends/{frontendName}", + "azure-native_servicenetworking_v20250301preview:servicenetworking:SecurityPoliciesInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}/securityPolicies/{securityPolicyName}", + "azure-native_servicenetworking_v20250301preview:servicenetworking:TrafficControllerInterface": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ServiceNetworking/trafficControllers/{trafficControllerName}", + "azure-native_signalrservice_v20230201:signalrservice:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", + "azure-native_signalrservice_v20230201:signalrservice:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", + "azure-native_signalrservice_v20230201:signalrservice:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", + "azure-native_signalrservice_v20230201:signalrservice:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_signalrservice_v20230201:signalrservice:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_signalrservice_v20230301preview:signalrservice:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", + "azure-native_signalrservice_v20230301preview:signalrservice:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", + "azure-native_signalrservice_v20230301preview:signalrservice:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", + "azure-native_signalrservice_v20230301preview:signalrservice:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_signalrservice_v20230301preview:signalrservice:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", + "azure-native_signalrservice_v20230301preview:signalrservice:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_signalrservice_v20230601preview:signalrservice:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", + "azure-native_signalrservice_v20230601preview:signalrservice:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", + "azure-native_signalrservice_v20230601preview:signalrservice:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", + "azure-native_signalrservice_v20230601preview:signalrservice:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_signalrservice_v20230601preview:signalrservice:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", + "azure-native_signalrservice_v20230601preview:signalrservice:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_signalrservice_v20230801preview:signalrservice:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", + "azure-native_signalrservice_v20230801preview:signalrservice:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", + "azure-native_signalrservice_v20230801preview:signalrservice:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", + "azure-native_signalrservice_v20230801preview:signalrservice:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_signalrservice_v20230801preview:signalrservice:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", + "azure-native_signalrservice_v20230801preview:signalrservice:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_signalrservice_v20240101preview:signalrservice:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", + "azure-native_signalrservice_v20240101preview:signalrservice:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", + "azure-native_signalrservice_v20240101preview:signalrservice:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", + "azure-native_signalrservice_v20240101preview:signalrservice:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_signalrservice_v20240101preview:signalrservice:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", + "azure-native_signalrservice_v20240101preview:signalrservice:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_signalrservice_v20240301:signalrservice:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", + "azure-native_signalrservice_v20240301:signalrservice:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", + "azure-native_signalrservice_v20240301:signalrservice:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", + "azure-native_signalrservice_v20240301:signalrservice:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_signalrservice_v20240301:signalrservice:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", + "azure-native_signalrservice_v20240301:signalrservice:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_signalrservice_v20240401preview:signalrservice:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", + "azure-native_signalrservice_v20240401preview:signalrservice:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", + "azure-native_signalrservice_v20240401preview:signalrservice:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", + "azure-native_signalrservice_v20240401preview:signalrservice:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_signalrservice_v20240401preview:signalrservice:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", + "azure-native_signalrservice_v20240401preview:signalrservice:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_signalrservice_v20240801preview:signalrservice:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", + "azure-native_signalrservice_v20240801preview:signalrservice:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", + "azure-native_signalrservice_v20240801preview:signalrservice:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", + "azure-native_signalrservice_v20240801preview:signalrservice:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_signalrservice_v20240801preview:signalrservice:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", + "azure-native_signalrservice_v20240801preview:signalrservice:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_signalrservice_v20241001preview:signalrservice:SignalR": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}", + "azure-native_signalrservice_v20241001preview:signalrservice:SignalRCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customCertificates/{certificateName}", + "azure-native_signalrservice_v20241001preview:signalrservice:SignalRCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/customDomains/{name}", + "azure-native_signalrservice_v20241001preview:signalrservice:SignalRPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_signalrservice_v20241001preview:signalrservice:SignalRReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/replicas/{replicaName}", + "azure-native_signalrservice_v20241001preview:signalrservice:SignalRSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/signalR/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_softwareplan_v20191201:softwareplan:HybridUseBenefit": "/{scope}/providers/Microsoft.SoftwarePlan/hybridUseBenefits/{planId}", + "azure-native_solutions_v20210701:solutions:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/applications/{applicationName}", + "azure-native_solutions_v20210701:solutions:ApplicationDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/applicationDefinitions/{applicationDefinitionName}", + "azure-native_solutions_v20210701:solutions:JitRequest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/jitRequests/{jitRequestName}", + "azure-native_solutions_v20231201preview:solutions:Application": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/applications/{applicationName}", + "azure-native_solutions_v20231201preview:solutions:ApplicationDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/applicationDefinitions/{applicationDefinitionName}", + "azure-native_solutions_v20231201preview:solutions:JitRequest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Solutions/jitRequests/{jitRequestName}", + "azure-native_sovereign_v20250227preview:sovereign:LandingZoneAccountOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sovereign/landingZoneAccounts/{landingZoneAccountName}", + "azure-native_sovereign_v20250227preview:sovereign:LandingZoneConfigurationOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sovereign/landingZoneAccounts/{landingZoneAccountName}/landingZoneConfigurations/{landingZoneConfigurationName}", + "azure-native_sovereign_v20250227preview:sovereign:LandingZoneRegistrationOperation": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sovereign/landingZoneAccounts/{landingZoneAccountName}/landingZoneRegistrations/{landingZoneRegistrationName}", + "azure-native_sql_v20140401:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", + "azure-native_sql_v20140401:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20140401:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20140401:sql:DatabaseThreatDetectionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20140401:sql:DisasterRecoveryConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/disasterRecoveryConfiguration/{disasterRecoveryConfigurationName}", + "azure-native_sql_v20140401:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20140401:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20140401:sql:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", + "azure-native_sql_v20140401:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20140401:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20140401:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20140401:sql:ServerCommunicationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/communicationLinks/{communicationLinkName}", + "azure-native_sql_v20140401:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{transparentDataEncryptionName}", + "azure-native_sql_v20150501preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20150501preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20150501preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20150501preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20150501preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20150501preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20150501preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20150501preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20150501preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20150501preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20150501preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20150501preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20150501preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20170301preview:sql:BackupLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20170301preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20170301preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20170301preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20170301preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20170301preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20170301preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20170301preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20170301preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20170301preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20170301preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20170301preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20170301preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20170301preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20170301preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20170301preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20170301preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20170301preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20171001preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20171001preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20171001preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20171001preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20171001preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20171001preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20171001preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20180601preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20180601preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20180601preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20180601preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20180601preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20180601preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20180601preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20180601preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20180601preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20190601preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20190601preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20190601preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20190601preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20190601preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20190601preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20190601preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20190601preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20200202preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20200202preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20200202preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20200202preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20200202preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20200202preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20200202preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20200202preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20200202preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20200202preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20200202preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20200202preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20200202preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20200202preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20200202preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20200202preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20200202preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20200202preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20200202preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20200202preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20200202preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20200202preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20200202preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20200202preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20200202preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20200202preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20200202preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20200202preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20200202preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20200202preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20200202preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20200202preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20200202preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20200202preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20200202preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20200202preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20200202preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20200202preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20200202preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20200202preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20200202preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20200202preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20200202preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20200202preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20200202preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20200202preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20200202preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20200202preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20200202preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20200202preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20200801preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20200801preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20200801preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20200801preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20200801preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20200801preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20200801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20200801preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20200801preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20200801preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20200801preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20200801preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20200801preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20200801preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20200801preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20200801preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20200801preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20200801preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20200801preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20200801preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20200801preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20200801preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20200801preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20200801preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20200801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20200801preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20200801preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20200801preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20200801preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20200801preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20200801preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20200801preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20200801preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20200801preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20200801preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20200801preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20200801preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20200801preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20200801preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20200801preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20200801preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20200801preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20200801preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20200801preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20200801preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20200801preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20200801preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20200801preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20200801preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20200801preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20201101preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20201101preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20201101preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20201101preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20201101preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20201101preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20201101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20201101preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20201101preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20201101preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20201101preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20201101preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20201101preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20201101preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20201101preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20201101preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20201101preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20201101preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20201101preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20201101preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20201101preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20201101preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20201101preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20201101preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20201101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20201101preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20201101preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20201101preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20201101preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20201101preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20201101preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20201101preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20201101preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20201101preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20201101preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20201101preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20201101preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20201101preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20201101preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20201101preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20201101preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20201101preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20201101preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20201101preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20201101preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20201101preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20201101preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20201101preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20201101preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20201101preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20210201preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20210201preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20210201preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20210201preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210201preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20210201preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20210201preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20210201preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20210201preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210201preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210201preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20210201preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20210201preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20210201preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20210201preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20210201preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20210201preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20210201preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20210201preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20210201preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20210201preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20210201preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20210201preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20210201preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20210201preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20210201preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20210201preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20210201preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20210201preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210201preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20210201preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20210201preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20210201preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20210201preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20210201preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20210201preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20210201preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210201preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20210201preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20210201preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20210201preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20210201preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210201preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20210201preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20210201preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20210201preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20210201preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20210201preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20210201preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20210501preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20210501preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20210501preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20210501preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210501preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20210501preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20210501preview:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20210501preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20210501preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20210501preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210501preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210501preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20210501preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20210501preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20210501preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20210501preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20210501preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20210501preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20210501preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20210501preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20210501preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20210501preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20210501preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20210501preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20210501preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20210501preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20210501preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20210501preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20210501preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20210501preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210501preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20210501preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20210501preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20210501preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20210501preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20210501preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20210501preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20210501preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210501preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20210501preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20210501preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20210501preview:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20210501preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20210501preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210501preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20210501preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20210501preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20210501preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20210501preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20210501preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20210501preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20210801preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20210801preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20210801preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20210801preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210801preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20210801preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20210801preview:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20210801preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20210801preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20210801preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210801preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210801preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20210801preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20210801preview:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20210801preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20210801preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20210801preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20210801preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20210801preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20210801preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20210801preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20210801preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20210801preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20210801preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20210801preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20210801preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20210801preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20210801preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20210801preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20210801preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20210801preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210801preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20210801preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20210801preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20210801preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20210801preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20210801preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20210801preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20210801preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20210801preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20210801preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20210801preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20210801preview:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20210801preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20210801preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20210801preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20210801preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20210801preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20210801preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20210801preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20210801preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20210801preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20211101:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20211101:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", + "azure-native_sql_v20211101:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20211101:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20211101:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20211101:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20211101:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20211101:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20211101:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20211101:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20211101:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20211101:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20211101:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20211101:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20211101:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20211101:sql:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", + "azure-native_sql_v20211101:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20211101:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20211101:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20211101:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20211101:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20211101:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20211101:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20211101:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20211101:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20211101:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20211101:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20211101:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20211101:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20211101:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20211101:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20211101:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20211101:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20211101:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20211101:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20211101:sql:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20211101:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20211101:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20211101:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20211101:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20211101:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20211101:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20211101:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20211101:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20211101:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20211101:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20211101:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20211101:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20211101:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20211101:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20211101:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20211101:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20211101:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20211101:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20211101:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20211101:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20211101:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20211101preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20211101preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20211101preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20211101preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20211101preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20211101preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20211101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20211101preview:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20211101preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20211101preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20211101preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20211101preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20211101preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20211101preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20211101preview:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20211101preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20211101preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20211101preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20211101preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20211101preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20211101preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20211101preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20211101preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20211101preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20211101preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20211101preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20211101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20211101preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20211101preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20211101preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20211101preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20211101preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20211101preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20211101preview:sql:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20211101preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20211101preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20211101preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20211101preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20211101preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20211101preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20211101preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20211101preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20211101preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20211101preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20211101preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20211101preview:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20211101preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20211101preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20211101preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20211101preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20211101preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20211101preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20211101preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20211101preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20211101preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20220201preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20220201preview:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", + "azure-native_sql_v20220201preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20220201preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20220201preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220201preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20220201preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20220201preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20220201preview:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20220201preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20220201preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20220201preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220201preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220201preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20220201preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20220201preview:sql:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", + "azure-native_sql_v20220201preview:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20220201preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20220201preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20220201preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20220201preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20220201preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20220201preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20220201preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20220201preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20220201preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20220201preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20220201preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20220201preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20220201preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20220201preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20220201preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20220201preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20220201preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220201preview:sql:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20220201preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20220201preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20220201preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20220201preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20220201preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20220201preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20220201preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20220201preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220201preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20220201preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20220201preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20220201preview:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20220201preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20220201preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220201preview:sql:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20220201preview:sql:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220201preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20220201preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20220201preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20220201preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20220201preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20220201preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20220201preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20220501preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20220501preview:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", + "azure-native_sql_v20220501preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20220501preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20220501preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220501preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20220501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20220501preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20220501preview:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20220501preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20220501preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20220501preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220501preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220501preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20220501preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20220501preview:sql:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", + "azure-native_sql_v20220501preview:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20220501preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20220501preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20220501preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20220501preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20220501preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20220501preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20220501preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20220501preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20220501preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20220501preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20220501preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20220501preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20220501preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20220501preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20220501preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20220501preview:sql:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20220501preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20220501preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220501preview:sql:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20220501preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20220501preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20220501preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20220501preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20220501preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20220501preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20220501preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20220501preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220501preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20220501preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20220501preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20220501preview:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20220501preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20220501preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220501preview:sql:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20220501preview:sql:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220501preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20220501preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20220501preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20220501preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20220501preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20220501preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20220501preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20220801preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20220801preview:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", + "azure-native_sql_v20220801preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20220801preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20220801preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220801preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20220801preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20220801preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20220801preview:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20220801preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20220801preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20220801preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220801preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220801preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20220801preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20220801preview:sql:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", + "azure-native_sql_v20220801preview:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20220801preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20220801preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20220801preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20220801preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20220801preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20220801preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20220801preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20220801preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20220801preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20220801preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20220801preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20220801preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20220801preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20220801preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20220801preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20220801preview:sql:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20220801preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20220801preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220801preview:sql:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20220801preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20220801preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20220801preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20220801preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20220801preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20220801preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20220801preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20220801preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20220801preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20220801preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20220801preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20220801preview:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20220801preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20220801preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220801preview:sql:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20220801preview:sql:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20220801preview:sql:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", + "azure-native_sql_v20220801preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20220801preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20220801preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20220801preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20220801preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20220801preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20220801preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20221101preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20221101preview:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", + "azure-native_sql_v20221101preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20221101preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20221101preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20221101preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20221101preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20221101preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20221101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20221101preview:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20221101preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20221101preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20221101preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20221101preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20221101preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20221101preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20221101preview:sql:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", + "azure-native_sql_v20221101preview:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20221101preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20221101preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20221101preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20221101preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20221101preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20221101preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20221101preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20221101preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20221101preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20221101preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20221101preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20221101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20221101preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20221101preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20221101preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20221101preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20221101preview:sql:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20221101preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20221101preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20221101preview:sql:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20221101preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20221101preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20221101preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20221101preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20221101preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20221101preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20221101preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20221101preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20221101preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20221101preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20221101preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20221101preview:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20221101preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20221101preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20221101preview:sql:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20221101preview:sql:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20221101preview:sql:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", + "azure-native_sql_v20221101preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20221101preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20221101preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20221101preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20221101preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20221101preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20221101preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20230201preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230201preview:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", + "azure-native_sql_v20230201preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20230201preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20230201preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230201preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20230201preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20230201preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20230201preview:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20230201preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20230201preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20230201preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230201preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230201preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20230201preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20230201preview:sql:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", + "azure-native_sql_v20230201preview:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20230201preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20230201preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20230201preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20230201preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20230201preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20230201preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20230201preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20230201preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230201preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20230201preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20230201preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20230201preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20230201preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20230201preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20230201preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20230201preview:sql:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230201preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20230201preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230201preview:sql:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20230201preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20230201preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20230201preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20230201preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20230201preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20230201preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20230201preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20230201preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230201preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20230201preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20230201preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20230201preview:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20230201preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20230201preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230201preview:sql:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20230201preview:sql:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230201preview:sql:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", + "azure-native_sql_v20230201preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20230201preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20230201preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20230201preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20230201preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20230201preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20230201preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20230501preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230501preview:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", + "azure-native_sql_v20230501preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20230501preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20230501preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230501preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20230501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20230501preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20230501preview:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20230501preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20230501preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20230501preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230501preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230501preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20230501preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20230501preview:sql:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", + "azure-native_sql_v20230501preview:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20230501preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20230501preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20230501preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20230501preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20230501preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20230501preview:sql:JobPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/privateEndpoints/{privateEndpointName}", + "azure-native_sql_v20230501preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20230501preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20230501preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230501preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20230501preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20230501preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20230501preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20230501preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20230501preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20230501preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20230501preview:sql:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230501preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20230501preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230501preview:sql:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20230501preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20230501preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20230501preview:sql:ReplicationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/replicationLinks/{linkId}", + "azure-native_sql_v20230501preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20230501preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20230501preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20230501preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20230501preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20230501preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230501preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20230501preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20230501preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20230501preview:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20230501preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20230501preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230501preview:sql:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20230501preview:sql:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230501preview:sql:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", + "azure-native_sql_v20230501preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20230501preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20230501preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20230501preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20230501preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20230501preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20230501preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20230801:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230801:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", + "azure-native_sql_v20230801:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20230801:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20230801:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230801:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20230801:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20230801:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230801:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20230801:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20230801:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20230801:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20230801:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230801:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230801:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20230801:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20230801:sql:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", + "azure-native_sql_v20230801:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20230801:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20230801:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20230801:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20230801:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20230801:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20230801:sql:JobPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/privateEndpoints/{privateEndpointName}", + "azure-native_sql_v20230801:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20230801:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20230801:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230801:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20230801:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20230801:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230801:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20230801:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20230801:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20230801:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20230801:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20230801:sql:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230801:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20230801:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230801:sql:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20230801:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20230801:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20230801:sql:ReplicationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/replicationLinks/{linkId}", + "azure-native_sql_v20230801:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20230801:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20230801:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20230801:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20230801:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20230801:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230801:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20230801:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20230801:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20230801:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20230801:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20230801:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230801:sql:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20230801:sql:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230801:sql:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", + "azure-native_sql_v20230801:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20230801:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20230801:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20230801:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20230801:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20230801:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20230801:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20230801preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230801preview:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", + "azure-native_sql_v20230801preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20230801preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20230801preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230801preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20230801preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20230801preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20230801preview:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20230801preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20230801preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20230801preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230801preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230801preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20230801preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20230801preview:sql:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", + "azure-native_sql_v20230801preview:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20230801preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20230801preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20230801preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20230801preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20230801preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20230801preview:sql:JobPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/privateEndpoints/{privateEndpointName}", + "azure-native_sql_v20230801preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20230801preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20230801preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230801preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20230801preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20230801preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20230801preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20230801preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20230801preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20230801preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20230801preview:sql:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20230801preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20230801preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230801preview:sql:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20230801preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20230801preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20230801preview:sql:ReplicationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/replicationLinks/{linkId}", + "azure-native_sql_v20230801preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20230801preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20230801preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20230801preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20230801preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20230801preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20230801preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20230801preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20230801preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20230801preview:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20230801preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20230801preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230801preview:sql:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20230801preview:sql:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20230801preview:sql:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", + "azure-native_sql_v20230801preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20230801preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20230801preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20230801preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20230801preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20230801preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20230801preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sql_v20240501preview:sql:BackupShortTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupShortTermRetentionPolicies/{policyName}", + "azure-native_sql_v20240501preview:sql:DataMaskingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/dataMaskingPolicies/{dataMaskingPolicyName}", + "azure-native_sql_v20240501preview:sql:Database": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}", + "azure-native_sql_v20240501preview:sql:DatabaseAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/advisors/{advisorName}", + "azure-native_sql_v20240501preview:sql:DatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20240501preview:sql:DatabaseSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20240501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20240501preview:sql:DatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20240501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20240501preview:sql:DistributedAvailabilityGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/distributedAvailabilityGroups/{distributedAvailabilityGroupName}", + "azure-native_sql_v20240501preview:sql:ElasticPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/elasticPools/{elasticPoolName}", + "azure-native_sql_v20240501preview:sql:EncryptionProtector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/encryptionProtector/{encryptionProtectorName}", + "azure-native_sql_v20240501preview:sql:ExtendedDatabaseBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20240501preview:sql:ExtendedServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/extendedAuditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20240501preview:sql:FailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/failoverGroups/{failoverGroupName}", + "azure-native_sql_v20240501preview:sql:FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/firewallRules/{firewallRuleName}", + "azure-native_sql_v20240501preview:sql:GeoBackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/geoBackupPolicies/{geoBackupPolicyName}", + "azure-native_sql_v20240501preview:sql:IPv6FirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/ipv6FirewallRules/{firewallRuleName}", + "azure-native_sql_v20240501preview:sql:InstanceFailoverGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/instanceFailoverGroups/{failoverGroupName}", + "azure-native_sql_v20240501preview:sql:InstancePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/instancePools/{instancePoolName}", + "azure-native_sql_v20240501preview:sql:Job": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}", + "azure-native_sql_v20240501preview:sql:JobAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}", + "azure-native_sql_v20240501preview:sql:JobCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/credentials/{credentialName}", + "azure-native_sql_v20240501preview:sql:JobPrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/privateEndpoints/{privateEndpointName}", + "azure-native_sql_v20240501preview:sql:JobStep": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/jobs/{jobName}/steps/{stepName}", + "azure-native_sql_v20240501preview:sql:JobTargetGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/jobAgents/{jobAgentName}/targetGroups/{targetGroupName}", + "azure-native_sql_v20240501preview:sql:LongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20240501preview:sql:ManagedDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}", + "azure-native_sql_v20240501preview:sql:ManagedDatabaseSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20240501preview:sql:ManagedDatabaseVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20240501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_sql_v20240501preview:sql:ManagedInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}", + "azure-native_sql_v20240501preview:sql:ManagedInstanceAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/administrators/{administratorName}", + "azure-native_sql_v20240501preview:sql:ManagedInstanceAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20240501preview:sql:ManagedInstanceKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/keys/{keyName}", + "azure-native_sql_v20240501preview:sql:ManagedInstanceLongTermRetentionPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/databases/{databaseName}/backupLongTermRetentionPolicies/{policyName}", + "azure-native_sql_v20240501preview:sql:ManagedInstancePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20240501preview:sql:ManagedInstanceVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20240501preview:sql:ManagedServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20240501preview:sql:OutboundFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/outboundFirewallRules/{outboundRuleFqdn}", + "azure-native_sql_v20240501preview:sql:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_sql_v20240501preview:sql:ReplicationLink": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/replicationLinks/{linkId}", + "azure-native_sql_v20240501preview:sql:SensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_sql_v20240501preview:sql:Server": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}", + "azure-native_sql_v20240501preview:sql:ServerAdvisor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/advisors/{advisorName}", + "azure-native_sql_v20240501preview:sql:ServerAzureADAdministrator": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/administrators/{administratorName}", + "azure-native_sql_v20240501preview:sql:ServerAzureADOnlyAuthentication": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/azureADOnlyAuthentications/{authenticationName}", + "azure-native_sql_v20240501preview:sql:ServerBlobAuditingPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/auditingSettings/{blobAuditingPolicyName}", + "azure-native_sql_v20240501preview:sql:ServerDnsAlias": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/dnsAliases/{dnsAliasName}", + "azure-native_sql_v20240501preview:sql:ServerKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/keys/{keyName}", + "azure-native_sql_v20240501preview:sql:ServerSecurityAlertPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/securityAlertPolicies/{securityAlertPolicyName}", + "azure-native_sql_v20240501preview:sql:ServerTrustCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/serverTrustCertificates/{certificateName}", + "azure-native_sql_v20240501preview:sql:ServerTrustGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/locations/{locationName}/serverTrustGroups/{serverTrustGroupName}", + "azure-native_sql_v20240501preview:sql:ServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20240501preview:sql:SqlVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}/baselines/{baselineName}/rules/{ruleId}", + "azure-native_sql_v20240501preview:sql:SqlVulnerabilityAssessmentsSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/sqlVulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_sql_v20240501preview:sql:StartStopManagedInstanceSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/managedInstances/{managedInstanceName}/startStopSchedules/{startStopScheduleName}", + "azure-native_sql_v20240501preview:sql:SyncAgent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/syncAgents/{syncAgentName}", + "azure-native_sql_v20240501preview:sql:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}", + "azure-native_sql_v20240501preview:sql:SyncMember": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/syncGroups/{syncGroupName}/syncMembers/{syncMemberName}", + "azure-native_sql_v20240501preview:sql:TransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/transparentDataEncryption/{tdeName}", + "azure-native_sql_v20240501preview:sql:VirtualNetworkRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/virtualNetworkRules/{virtualNetworkRuleName}", + "azure-native_sql_v20240501preview:sql:WorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_sql_v20240501preview:sql:WorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Sql/servers/{serverName}/databases/{databaseName}/workloadGroups/{workloadGroupName}", + "azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:AvailabilityGroupListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}/availabilityGroupListeners/{availabilityGroupListenerName}", + "azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:SqlVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachines/{sqlVirtualMachineName}", + "azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:SqlVirtualMachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}", + "azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:AvailabilityGroupListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}/availabilityGroupListeners/{availabilityGroupListenerName}", + "azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:SqlVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachines/{sqlVirtualMachineName}", + "azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:SqlVirtualMachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}", + "azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:AvailabilityGroupListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}/availabilityGroupListeners/{availabilityGroupListenerName}", + "azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:SqlVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachines/{sqlVirtualMachineName}", + "azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:SqlVirtualMachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}", + "azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:AvailabilityGroupListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}/availabilityGroupListeners/{availabilityGroupListenerName}", + "azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:SqlVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachines/{sqlVirtualMachineName}", + "azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:SqlVirtualMachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}", + "azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:AvailabilityGroupListener": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}/availabilityGroupListeners/{availabilityGroupListenerName}", + "azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:SqlVirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachines/{sqlVirtualMachineName}", + "azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:SqlVirtualMachineGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SqlVirtualMachine/sqlVirtualMachineGroups/{sqlVirtualMachineGroupName}", + "azure-native_standbypool_v20231201preview:standbypool:StandbyContainerGroupPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyContainerGroupPools/{standbyContainerGroupPoolName}", + "azure-native_standbypool_v20231201preview:standbypool:StandbyVirtualMachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyVirtualMachinePools/{standbyVirtualMachinePoolName}", + "azure-native_standbypool_v20240301:standbypool:StandbyContainerGroupPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyContainerGroupPools/{standbyContainerGroupPoolName}", + "azure-native_standbypool_v20240301:standbypool:StandbyVirtualMachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyVirtualMachinePools/{standbyVirtualMachinePoolName}", + "azure-native_standbypool_v20240301preview:standbypool:StandbyContainerGroupPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyContainerGroupPools/{standbyContainerGroupPoolName}", + "azure-native_standbypool_v20240301preview:standbypool:StandbyVirtualMachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyVirtualMachinePools/{standbyVirtualMachinePoolName}", + "azure-native_standbypool_v20250301:standbypool:StandbyContainerGroupPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyContainerGroupPools/{standbyContainerGroupPoolName}", + "azure-native_standbypool_v20250301:standbypool:StandbyVirtualMachinePool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StandbyPool/standbyVirtualMachinePools/{standbyVirtualMachinePoolName}", + "azure-native_storage_v20220901:storage:BlobContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}", + "azure-native_storage_v20220901:storage:BlobContainerImmutabilityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/immutabilityPolicies/{immutabilityPolicyName}", + "azure-native_storage_v20220901:storage:BlobInventoryPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/inventoryPolicies/{blobInventoryPolicyName}", + "azure-native_storage_v20220901:storage:BlobServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/{BlobServicesName}", + "azure-native_storage_v20220901:storage:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/encryptionScopes/{encryptionScopeName}", + "azure-native_storage_v20220901:storage:FileServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/{FileServicesName}", + "azure-native_storage_v20220901:storage:FileShare": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/default/shares/{shareName}", + "azure-native_storage_v20220901:storage:LocalUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/localUsers/{username}", + "azure-native_storage_v20220901:storage:ManagementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/managementPolicies/{managementPolicyName}", + "azure-native_storage_v20220901:storage:ObjectReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/objectReplicationPolicies/{objectReplicationPolicyId}", + "azure-native_storage_v20220901:storage:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_storage_v20220901:storage:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/default/queues/{queueName}", + "azure-native_storage_v20220901:storage:QueueServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/{queueServiceName}", + "azure-native_storage_v20220901:storage:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}", + "azure-native_storage_v20220901:storage:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/default/tables/{tableName}", + "azure-native_storage_v20220901:storage:TableServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/{tableServiceName}", + "azure-native_storage_v20230101:storage:BlobContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}", + "azure-native_storage_v20230101:storage:BlobContainerImmutabilityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/immutabilityPolicies/{immutabilityPolicyName}", + "azure-native_storage_v20230101:storage:BlobInventoryPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/inventoryPolicies/{blobInventoryPolicyName}", + "azure-native_storage_v20230101:storage:BlobServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/{BlobServicesName}", + "azure-native_storage_v20230101:storage:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/encryptionScopes/{encryptionScopeName}", + "azure-native_storage_v20230101:storage:FileServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/{FileServicesName}", + "azure-native_storage_v20230101:storage:FileShare": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/default/shares/{shareName}", + "azure-native_storage_v20230101:storage:LocalUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/localUsers/{username}", + "azure-native_storage_v20230101:storage:ManagementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/managementPolicies/{managementPolicyName}", + "azure-native_storage_v20230101:storage:ObjectReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/objectReplicationPolicies/{objectReplicationPolicyId}", + "azure-native_storage_v20230101:storage:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_storage_v20230101:storage:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/default/queues/{queueName}", + "azure-native_storage_v20230101:storage:QueueServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/{queueServiceName}", + "azure-native_storage_v20230101:storage:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}", + "azure-native_storage_v20230101:storage:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/default/tables/{tableName}", + "azure-native_storage_v20230101:storage:TableServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/{tableServiceName}", + "azure-native_storage_v20230401:storage:BlobContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}", + "azure-native_storage_v20230401:storage:BlobContainerImmutabilityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/immutabilityPolicies/{immutabilityPolicyName}", + "azure-native_storage_v20230401:storage:BlobInventoryPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/inventoryPolicies/{blobInventoryPolicyName}", + "azure-native_storage_v20230401:storage:BlobServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/{BlobServicesName}", + "azure-native_storage_v20230401:storage:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/encryptionScopes/{encryptionScopeName}", + "azure-native_storage_v20230401:storage:FileServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/{FileServicesName}", + "azure-native_storage_v20230401:storage:FileShare": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/default/shares/{shareName}", + "azure-native_storage_v20230401:storage:LocalUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/localUsers/{username}", + "azure-native_storage_v20230401:storage:ManagementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/managementPolicies/{managementPolicyName}", + "azure-native_storage_v20230401:storage:ObjectReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/objectReplicationPolicies/{objectReplicationPolicyId}", + "azure-native_storage_v20230401:storage:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_storage_v20230401:storage:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/default/queues/{queueName}", + "azure-native_storage_v20230401:storage:QueueServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/{queueServiceName}", + "azure-native_storage_v20230401:storage:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}", + "azure-native_storage_v20230401:storage:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/default/tables/{tableName}", + "azure-native_storage_v20230401:storage:TableServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/{tableServiceName}", + "azure-native_storage_v20230501:storage:BlobContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}", + "azure-native_storage_v20230501:storage:BlobContainerImmutabilityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/immutabilityPolicies/{immutabilityPolicyName}", + "azure-native_storage_v20230501:storage:BlobInventoryPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/inventoryPolicies/{blobInventoryPolicyName}", + "azure-native_storage_v20230501:storage:BlobServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/{BlobServicesName}", + "azure-native_storage_v20230501:storage:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/encryptionScopes/{encryptionScopeName}", + "azure-native_storage_v20230501:storage:FileServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/{FileServicesName}", + "azure-native_storage_v20230501:storage:FileShare": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/default/shares/{shareName}", + "azure-native_storage_v20230501:storage:LocalUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/localUsers/{username}", + "azure-native_storage_v20230501:storage:ManagementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/managementPolicies/{managementPolicyName}", + "azure-native_storage_v20230501:storage:ObjectReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/objectReplicationPolicies/{objectReplicationPolicyId}", + "azure-native_storage_v20230501:storage:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_storage_v20230501:storage:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/default/queues/{queueName}", + "azure-native_storage_v20230501:storage:QueueServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/{queueServiceName}", + "azure-native_storage_v20230501:storage:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}", + "azure-native_storage_v20230501:storage:StorageTaskAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/storageTaskAssignments/{storageTaskAssignmentName}", + "azure-native_storage_v20230501:storage:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/default/tables/{tableName}", + "azure-native_storage_v20230501:storage:TableServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/{tableServiceName}", + "azure-native_storage_v20240101:storage:BlobContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}", + "azure-native_storage_v20240101:storage:BlobContainerImmutabilityPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/immutabilityPolicies/{immutabilityPolicyName}", + "azure-native_storage_v20240101:storage:BlobInventoryPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/inventoryPolicies/{blobInventoryPolicyName}", + "azure-native_storage_v20240101:storage:BlobServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/{BlobServicesName}", + "azure-native_storage_v20240101:storage:EncryptionScope": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/encryptionScopes/{encryptionScopeName}", + "azure-native_storage_v20240101:storage:FileServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/{FileServicesName}", + "azure-native_storage_v20240101:storage:FileShare": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/fileServices/default/shares/{shareName}", + "azure-native_storage_v20240101:storage:LocalUser": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/localUsers/{username}", + "azure-native_storage_v20240101:storage:ManagementPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/managementPolicies/{managementPolicyName}", + "azure-native_storage_v20240101:storage:ObjectReplicationPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/objectReplicationPolicies/{objectReplicationPolicyId}", + "azure-native_storage_v20240101:storage:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_storage_v20240101:storage:Queue": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/default/queues/{queueName}", + "azure-native_storage_v20240101:storage:QueueServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/queueServices/{queueServiceName}", + "azure-native_storage_v20240101:storage:StorageAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}", + "azure-native_storage_v20240101:storage:StorageTaskAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/storageTaskAssignments/{storageTaskAssignmentName}", + "azure-native_storage_v20240101:storage:Table": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/default/tables/{tableName}", + "azure-native_storage_v20240101:storage:TableServiceProperties": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/tableServices/{tableServiceName}", + "azure-native_storageactions_v20230101:storageactions:StorageTask": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageActions/storageTasks/{storageTaskName}", + "azure-native_storagecache_v20230501:storagecache:AmlFilesystem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}", + "azure-native_storagecache_v20230501:storagecache:Cache": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}", + "azure-native_storagecache_v20230501:storagecache:StorageTarget": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}/storageTargets/{storageTargetName}", + "azure-native_storagecache_v20231101preview:storagecache:AmlFilesystem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}", + "azure-native_storagecache_v20231101preview:storagecache:Cache": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}", + "azure-native_storagecache_v20231101preview:storagecache:StorageTarget": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}/storageTargets/{storageTargetName}", + "azure-native_storagecache_v20240301:storagecache:AmlFilesystem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}", + "azure-native_storagecache_v20240301:storagecache:Cache": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}", + "azure-native_storagecache_v20240301:storagecache:ImportJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}/importJobs/{importJobName}", + "azure-native_storagecache_v20240301:storagecache:StorageTarget": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}/storageTargets/{storageTargetName}", + "azure-native_storagecache_v20240701:storagecache:AmlFilesystem": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}", + "azure-native_storagecache_v20240701:storagecache:AutoExportJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}/autoExportJobs/{autoExportJobName}", + "azure-native_storagecache_v20240701:storagecache:Cache": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}", + "azure-native_storagecache_v20240701:storagecache:ImportJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageCache/amlFilesystems/{amlFilesystemName}/importJobs/{importJobName}", + "azure-native_storagecache_v20240701:storagecache:StorageTarget": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StorageCache/caches/{cacheName}/storageTargets/{storageTargetName}", + "azure-native_storagemover_v20230301:storagemover:Agent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/agents/{agentName}", + "azure-native_storagemover_v20230301:storagemover:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/endpoints/{endpointName}", + "azure-native_storagemover_v20230301:storagemover:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}/jobDefinitions/{jobDefinitionName}", + "azure-native_storagemover_v20230301:storagemover:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}", + "azure-native_storagemover_v20230301:storagemover:StorageMover": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}", + "azure-native_storagemover_v20230701preview:storagemover:Agent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/agents/{agentName}", + "azure-native_storagemover_v20230701preview:storagemover:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/endpoints/{endpointName}", + "azure-native_storagemover_v20230701preview:storagemover:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}/jobDefinitions/{jobDefinitionName}", + "azure-native_storagemover_v20230701preview:storagemover:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}", + "azure-native_storagemover_v20230701preview:storagemover:StorageMover": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}", + "azure-native_storagemover_v20231001:storagemover:Agent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/agents/{agentName}", + "azure-native_storagemover_v20231001:storagemover:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/endpoints/{endpointName}", + "azure-native_storagemover_v20231001:storagemover:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}/jobDefinitions/{jobDefinitionName}", + "azure-native_storagemover_v20231001:storagemover:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}", + "azure-native_storagemover_v20231001:storagemover:StorageMover": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}", + "azure-native_storagemover_v20240701:storagemover:Agent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/agents/{agentName}", + "azure-native_storagemover_v20240701:storagemover:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/endpoints/{endpointName}", + "azure-native_storagemover_v20240701:storagemover:JobDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}/jobDefinitions/{jobDefinitionName}", + "azure-native_storagemover_v20240701:storagemover:Project": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}/projects/{projectName}", + "azure-native_storagemover_v20240701:storagemover:StorageMover": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageMover/storageMovers/{storageMoverName}", + "azure-native_storagepool_v20210801:storagepool:DiskPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StoragePool/diskPools/{diskPoolName}", + "azure-native_storagepool_v20210801:storagepool:IscsiTarget": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StoragePool/diskPools/{diskPoolName}/iscsiTargets/{iscsiTargetName}", + "azure-native_storagesync_v20220601:storagesync:CloudEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}/cloudEndpoints/{cloudEndpointName}", + "azure-native_storagesync_v20220601:storagesync:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_storagesync_v20220601:storagesync:RegisteredServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/registeredServers/{serverId}", + "azure-native_storagesync_v20220601:storagesync:ServerEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}/serverEndpoints/{serverEndpointName}", + "azure-native_storagesync_v20220601:storagesync:StorageSyncService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}", + "azure-native_storagesync_v20220601:storagesync:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}", + "azure-native_storagesync_v20220901:storagesync:CloudEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}/cloudEndpoints/{cloudEndpointName}", + "azure-native_storagesync_v20220901:storagesync:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_storagesync_v20220901:storagesync:RegisteredServer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/registeredServers/{serverId}", + "azure-native_storagesync_v20220901:storagesync:ServerEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}/serverEndpoints/{serverEndpointName}", + "azure-native_storagesync_v20220901:storagesync:StorageSyncService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}", + "azure-native_storagesync_v20220901:storagesync:SyncGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorageSync/storageSyncServices/{storageSyncServiceName}/syncGroups/{syncGroupName}", + "azure-native_storsimple_v20170601:storsimple:AccessControlRecord": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/accessControlRecords/{accessControlRecordName}", + "azure-native_storsimple_v20170601:storsimple:BackupPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/backupPolicies/{backupPolicyName}", + "azure-native_storsimple_v20170601:storsimple:BackupSchedule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/backupPolicies/{backupPolicyName}/schedules/{backupScheduleName}", + "azure-native_storsimple_v20170601:storsimple:BandwidthSetting": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/bandwidthSettings/{bandwidthSettingName}", + "azure-native_storsimple_v20170601:storsimple:Manager": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}", + "azure-native_storsimple_v20170601:storsimple:ManagerExtendedInfo": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/extendedInformation/vaultExtendedInfo", + "azure-native_storsimple_v20170601:storsimple:StorageAccountCredential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/storageAccountCredentials/{storageAccountCredentialName}", + "azure-native_storsimple_v20170601:storsimple:Volume": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/volumeContainers/{volumeContainerName}/volumes/{volumeName}", + "azure-native_storsimple_v20170601:storsimple:VolumeContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StorSimple/managers/{managerName}/devices/{deviceName}/volumeContainers/{volumeContainerName}", + "azure-native_streamanalytics_v20200301:streamanalytics:Cluster": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/clusters/{clusterName}", + "azure-native_streamanalytics_v20200301:streamanalytics:Function": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/functions/{functionName}", + "azure-native_streamanalytics_v20200301:streamanalytics:Input": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/inputs/{inputName}", + "azure-native_streamanalytics_v20200301:streamanalytics:Output": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/outputs/{outputName}", + "azure-native_streamanalytics_v20200301:streamanalytics:PrivateEndpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/clusters/{clusterName}/privateEndpoints/{privateEndpointName}", + "azure-native_streamanalytics_v20200301:streamanalytics:StreamingJob": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}", + "azure-native_streamanalytics_v20211001preview:streamanalytics:Function": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/functions/{functionName}", + "azure-native_streamanalytics_v20211001preview:streamanalytics:Input": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/inputs/{inputName}", + "azure-native_streamanalytics_v20211001preview:streamanalytics:Output": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}/outputs/{outputName}", + "azure-native_streamanalytics_v20211001preview:streamanalytics:StreamingJob": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/Microsoft.StreamAnalytics/streamingjobs/{jobName}", + "azure-native_subscription_v20211001:subscription:Alias": "/providers/Microsoft.Subscription/aliases/{aliasName}", + "azure-native_subscription_v20240801preview:subscription:Alias": "/providers/Microsoft.Subscription/aliases/{aliasName}", + "azure-native_subscription_v20240801preview:subscription:SubscriptionTarDirectory": "/subscriptions/{subscriptionId}/providers/Microsoft.Subscription/changeTenantRequest/default", + "azure-native_synapse_v20210401preview:synapse:BigDataPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/bigDataPools/{bigDataPoolName}", + "azure-native_synapse_v20210401preview:synapse:DatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_synapse_v20210401preview:synapse:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_synapse_v20210401preview:synapse:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_synapse_v20210401preview:synapse:IntegrationRuntime": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/integrationRuntimes/{integrationRuntimeName}", + "azure-native_synapse_v20210401preview:synapse:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_synapse_v20210401preview:synapse:IpFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/firewallRules/{ruleName}", + "azure-native_synapse_v20210401preview:synapse:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/keys/{keyName}", + "azure-native_synapse_v20210401preview:synapse:KustoPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}", + "azure-native_synapse_v20210401preview:synapse:KustoPoolPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/principalAssignments/{principalAssignmentName}", + "azure-native_synapse_v20210401preview:synapse:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_synapse_v20210401preview:synapse:PrivateLinkHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/privateLinkHubs/{privateLinkHubName}", + "azure-native_synapse_v20210401preview:synapse:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}", + "azure-native_synapse_v20210401preview:synapse:SqlPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}", + "azure-native_synapse_v20210401preview:synapse:SqlPoolSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_synapse_v20210401preview:synapse:SqlPoolTransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/transparentDataEncryption/{transparentDataEncryptionName}", + "azure-native_synapse_v20210401preview:synapse:SqlPoolVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_synapse_v20210401preview:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_synapse_v20210401preview:synapse:SqlPoolWorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_synapse_v20210401preview:synapse:SqlPoolWorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}", + "azure-native_synapse_v20210401preview:synapse:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}", + "azure-native_synapse_v20210401preview:synapse:WorkspaceAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/administrators/activeDirectory", + "azure-native_synapse_v20210401preview:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_synapse_v20210401preview:synapse:WorkspaceSqlAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlAdministrators/activeDirectory", + "azure-native_synapse_v20210501:synapse:BigDataPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/bigDataPools/{bigDataPoolName}", + "azure-native_synapse_v20210501:synapse:IntegrationRuntime": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/integrationRuntimes/{integrationRuntimeName}", + "azure-native_synapse_v20210501:synapse:IpFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/firewallRules/{ruleName}", + "azure-native_synapse_v20210501:synapse:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/keys/{keyName}", + "azure-native_synapse_v20210501:synapse:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_synapse_v20210501:synapse:PrivateLinkHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/privateLinkHubs/{privateLinkHubName}", + "azure-native_synapse_v20210501:synapse:SqlPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}", + "azure-native_synapse_v20210501:synapse:SqlPoolSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_synapse_v20210501:synapse:SqlPoolTransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/transparentDataEncryption/{transparentDataEncryptionName}", + "azure-native_synapse_v20210501:synapse:SqlPoolVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_synapse_v20210501:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_synapse_v20210501:synapse:SqlPoolWorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_synapse_v20210501:synapse:SqlPoolWorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}", + "azure-native_synapse_v20210501:synapse:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}", + "azure-native_synapse_v20210501:synapse:WorkspaceAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/administrators/activeDirectory", + "azure-native_synapse_v20210501:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_synapse_v20210501:synapse:WorkspaceSqlAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlAdministrators/activeDirectory", + "azure-native_synapse_v20210601:synapse:BigDataPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/bigDataPools/{bigDataPoolName}", + "azure-native_synapse_v20210601:synapse:IntegrationRuntime": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/integrationRuntimes/{integrationRuntimeName}", + "azure-native_synapse_v20210601:synapse:IpFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/firewallRules/{ruleName}", + "azure-native_synapse_v20210601:synapse:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/keys/{keyName}", + "azure-native_synapse_v20210601:synapse:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_synapse_v20210601:synapse:PrivateLinkHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/privateLinkHubs/{privateLinkHubName}", + "azure-native_synapse_v20210601:synapse:SqlPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}", + "azure-native_synapse_v20210601:synapse:SqlPoolSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_synapse_v20210601:synapse:SqlPoolTransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/transparentDataEncryption/{transparentDataEncryptionName}", + "azure-native_synapse_v20210601:synapse:SqlPoolVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_synapse_v20210601:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_synapse_v20210601:synapse:SqlPoolWorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_synapse_v20210601:synapse:SqlPoolWorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}", + "azure-native_synapse_v20210601:synapse:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}", + "azure-native_synapse_v20210601:synapse:WorkspaceAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/administrators/activeDirectory", + "azure-native_synapse_v20210601:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_synapse_v20210601:synapse:WorkspaceSqlAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlAdministrators/activeDirectory", + "azure-native_synapse_v20210601preview:synapse:BigDataPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/bigDataPools/{bigDataPoolName}", + "azure-native_synapse_v20210601preview:synapse:EventGridDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_synapse_v20210601preview:synapse:EventHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_synapse_v20210601preview:synapse:IntegrationRuntime": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/integrationRuntimes/{integrationRuntimeName}", + "azure-native_synapse_v20210601preview:synapse:IotHubDataConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/dataConnections/{dataConnectionName}", + "azure-native_synapse_v20210601preview:synapse:IpFirewallRule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/firewallRules/{ruleName}", + "azure-native_synapse_v20210601preview:synapse:Key": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/keys/{keyName}", + "azure-native_synapse_v20210601preview:synapse:KustoPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}", + "azure-native_synapse_v20210601preview:synapse:KustoPoolAttachedDatabaseConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/attachedDatabaseConfigurations/{attachedDatabaseConfigurationName}", + "azure-native_synapse_v20210601preview:synapse:KustoPoolDatabasePrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}/principalAssignments/{principalAssignmentName}", + "azure-native_synapse_v20210601preview:synapse:KustoPoolPrincipalAssignment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/principalAssignments/{principalAssignmentName}", + "azure-native_synapse_v20210601preview:synapse:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_synapse_v20210601preview:synapse:PrivateLinkHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/privateLinkHubs/{privateLinkHubName}", + "azure-native_synapse_v20210601preview:synapse:ReadOnlyFollowingDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}", + "azure-native_synapse_v20210601preview:synapse:ReadWriteDatabase": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/kustoPools/{kustoPoolName}/databases/{databaseName}", + "azure-native_synapse_v20210601preview:synapse:SqlPool": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}", + "azure-native_synapse_v20210601preview:synapse:SqlPoolSensitivityLabel": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/schemas/{schemaName}/tables/{tableName}/columns/{columnName}/sensitivityLabels/{sensitivityLabelSource}", + "azure-native_synapse_v20210601preview:synapse:SqlPoolTransparentDataEncryption": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/transparentDataEncryption/{transparentDataEncryptionName}", + "azure-native_synapse_v20210601preview:synapse:SqlPoolVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_synapse_v20210601preview:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}/rules/{ruleId}/baselines/{baselineName}", + "azure-native_synapse_v20210601preview:synapse:SqlPoolWorkloadClassifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}/workloadClassifiers/{workloadClassifierName}", + "azure-native_synapse_v20210601preview:synapse:SqlPoolWorkloadGroup": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlPools/{sqlPoolName}/workloadGroups/{workloadGroupName}", + "azure-native_synapse_v20210601preview:synapse:Workspace": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}", + "azure-native_synapse_v20210601preview:synapse:WorkspaceAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/administrators/activeDirectory", + "azure-native_synapse_v20210601preview:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/vulnerabilityAssessments/{vulnerabilityAssessmentName}", + "azure-native_synapse_v20210601preview:synapse:WorkspaceSqlAadAdmin": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Synapse/workspaces/{workspaceName}/sqlAdministrators/activeDirectory", + "azure-native_syntex_v20220915preview:syntex:DocumentProcessor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Syntex/documentProcessors/{processorName}", + "azure-native_testbase_v20220401preview:testbase:CustomerEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/customerEvents/{customerEventName}", + "azure-native_testbase_v20220401preview:testbase:FavoriteProcess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/packages/{packageName}/favoriteProcesses/{favoriteProcessResourceName}", + "azure-native_testbase_v20220401preview:testbase:Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/packages/{packageName}", + "azure-native_testbase_v20220401preview:testbase:TestBaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}", + "azure-native_testbase_v20231101preview:testbase:ActionRequest": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/actionRequests/{actionRequestName}", + "azure-native_testbase_v20231101preview:testbase:Credential": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/credentials/{credentialName}", + "azure-native_testbase_v20231101preview:testbase:CustomImage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/customImages/{customImageName}", + "azure-native_testbase_v20231101preview:testbase:CustomerEvent": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/customerEvents/{customerEventName}", + "azure-native_testbase_v20231101preview:testbase:DraftPackage": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/draftPackages/{draftPackageName}", + "azure-native_testbase_v20231101preview:testbase:FavoriteProcess": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/packages/{packageName}/favoriteProcesses/{favoriteProcessResourceName}", + "azure-native_testbase_v20231101preview:testbase:ImageDefinition": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/imageDefinitions/{imageDefinitionName}", + "azure-native_testbase_v20231101preview:testbase:Package": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}/packages/{packageName}", + "azure-native_testbase_v20231101preview:testbase:TestBaseAccount": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TestBase/testBaseAccounts/{testBaseAccountName}", + "azure-native_timeseriesinsights_v20200515:timeseriesinsights:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/accessPolicies/{accessPolicyName}", + "azure-native_timeseriesinsights_v20200515:timeseriesinsights:EventHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", + "azure-native_timeseriesinsights_v20200515:timeseriesinsights:Gen1Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", + "azure-native_timeseriesinsights_v20200515:timeseriesinsights:Gen2Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", + "azure-native_timeseriesinsights_v20200515:timeseriesinsights:IoTHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", + "azure-native_timeseriesinsights_v20200515:timeseriesinsights:ReferenceDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/referenceDataSets/{referenceDataSetName}", + "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/accessPolicies/{accessPolicyName}", + "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:EventHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", + "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:Gen1Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", + "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:Gen2Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", + "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:IoTHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", + "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:ReferenceDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/referenceDataSets/{referenceDataSetName}", + "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/accessPolicies/{accessPolicyName}", + "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:EventHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", + "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:Gen1Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", + "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:Gen2Environment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}", + "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:IoTHubEventSource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/eventSources/{eventSourceName}", + "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:ReferenceDataSet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.TimeSeriesInsights/environments/{environmentName}/referenceDataSets/{referenceDataSetName}", + "azure-native_trafficmanager_v20151101:trafficmanager:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", + "azure-native_trafficmanager_v20151101:trafficmanager:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", + "azure-native_trafficmanager_v20170301:trafficmanager:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", + "azure-native_trafficmanager_v20170301:trafficmanager:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", + "azure-native_trafficmanager_v20170501:trafficmanager:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", + "azure-native_trafficmanager_v20170501:trafficmanager:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", + "azure-native_trafficmanager_v20170901preview:trafficmanager:TrafficManagerUserMetricsKey": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/trafficManagerUserMetricsKeys", + "azure-native_trafficmanager_v20180201:trafficmanager:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", + "azure-native_trafficmanager_v20180201:trafficmanager:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", + "azure-native_trafficmanager_v20180301:trafficmanager:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", + "azure-native_trafficmanager_v20180301:trafficmanager:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", + "azure-native_trafficmanager_v20180401:trafficmanager:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", + "azure-native_trafficmanager_v20180401:trafficmanager:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", + "azure-native_trafficmanager_v20180401:trafficmanager:TrafficManagerUserMetricsKey": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/trafficManagerUserMetricsKeys/default", + "azure-native_trafficmanager_v20180801:trafficmanager:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", + "azure-native_trafficmanager_v20180801:trafficmanager:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", + "azure-native_trafficmanager_v20180801:trafficmanager:TrafficManagerUserMetricsKey": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/trafficManagerUserMetricsKeys/default", + "azure-native_trafficmanager_v20220401:trafficmanager:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", + "azure-native_trafficmanager_v20220401:trafficmanager:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", + "azure-native_trafficmanager_v20220401:trafficmanager:TrafficManagerUserMetricsKey": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/trafficManagerUserMetricsKeys/default", + "azure-native_trafficmanager_v20220401preview:trafficmanager:Endpoint": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}/{endpointType}/{endpointName}", + "azure-native_trafficmanager_v20220401preview:trafficmanager:Profile": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/trafficmanagerprofiles/{profileName}", + "azure-native_trafficmanager_v20220401preview:trafficmanager:TrafficManagerUserMetricsKey": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/trafficManagerUserMetricsKeys/default", + "azure-native_verifiedid_v20240126preview:verifiedid:Authority": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VerifiedId/authorities/{authorityName}", + "azure-native_videoanalyzer_v20211101preview:videoanalyzer:AccessPolicy": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/accessPolicies/{accessPolicyName}", + "azure-native_videoanalyzer_v20211101preview:videoanalyzer:EdgeModule": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/edgeModules/{edgeModuleName}", + "azure-native_videoanalyzer_v20211101preview:videoanalyzer:LivePipeline": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/livePipelines/{livePipelineName}", + "azure-native_videoanalyzer_v20211101preview:videoanalyzer:PipelineJob": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/pipelineJobs/{pipelineJobName}", + "azure-native_videoanalyzer_v20211101preview:videoanalyzer:PipelineTopology": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/pipelineTopologies/{pipelineTopologyName}", + "azure-native_videoanalyzer_v20211101preview:videoanalyzer:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/privateEndpointConnections/{name}", + "azure-native_videoanalyzer_v20211101preview:videoanalyzer:Video": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}/videos/{videoName}", + "azure-native_videoanalyzer_v20211101preview:videoanalyzer:VideoAnalyzer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Media/videoAnalyzers/{accountName}", + "azure-native_videoindexer_v20220801:videoindexer:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", + "azure-native_videoindexer_v20240101:videoindexer:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", + "azure-native_videoindexer_v20240401preview:videoindexer:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", + "azure-native_videoindexer_v20240601preview:videoindexer:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", + "azure-native_videoindexer_v20240601preview:videoindexer:PrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_videoindexer_v20240923preview:videoindexer:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", + "azure-native_videoindexer_v20250101:videoindexer:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", + "azure-native_videoindexer_v20250301:videoindexer:Account": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VideoIndexer/accounts/{accountName}", + "azure-native_virtualmachineimages_v20220701:virtualmachineimages:Trigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}/triggers/{triggerName}", + "azure-native_virtualmachineimages_v20220701:virtualmachineimages:VirtualMachineImageTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}", + "azure-native_virtualmachineimages_v20230701:virtualmachineimages:Trigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}/triggers/{triggerName}", + "azure-native_virtualmachineimages_v20230701:virtualmachineimages:VirtualMachineImageTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}", + "azure-native_virtualmachineimages_v20240201:virtualmachineimages:Trigger": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}/triggers/{triggerName}", + "azure-native_virtualmachineimages_v20240201:virtualmachineimages:VirtualMachineImageTemplate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VirtualMachineImages/imageTemplates/{imageTemplateName}", + "azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:DedicatedCloudNode": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VMwareCloudSimple/dedicatedCloudNodes/{dedicatedCloudNodeName}", + "azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:DedicatedCloudService": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VMwareCloudSimple/dedicatedCloudServices/{dedicatedCloudServiceName}", + "azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:VirtualMachine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VMwareCloudSimple/virtualMachines/{virtualMachineName}", + "azure-native_voiceservices_v20221201preview:voiceservices:CommunicationsGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", + "azure-native_voiceservices_v20221201preview:voiceservices:Contact": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/contacts/{contactName}", + "azure-native_voiceservices_v20221201preview:voiceservices:TestLine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", + "azure-native_voiceservices_v20230131:voiceservices:CommunicationsGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", + "azure-native_voiceservices_v20230131:voiceservices:TestLine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", + "azure-native_voiceservices_v20230403:voiceservices:CommunicationsGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", + "azure-native_voiceservices_v20230403:voiceservices:TestLine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", + "azure-native_voiceservices_v20230901:voiceservices:CommunicationsGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", + "azure-native_voiceservices_v20230901:voiceservices:TestLine": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", + "azure-native_web_v20150801preview:web:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/connections/{connectionName}", + "azure-native_web_v20160301:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20160601:web:Connection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/connections/{connectionName}", + "azure-native_web_v20160601:web:ConnectionGateway": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/connectionGateways/{connectionGatewayName}", + "azure-native_web_v20160601:web:CustomApi": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/customApis/{apiName}", + "azure-native_web_v20160801:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20160801:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20160801:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20160801:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20160801:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20160801:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20160801:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20160801:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20160801:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20160801:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20160801:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20160801:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20160801:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20160801:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20160801:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20160801:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20160801:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20160801:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20160801:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20160801:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20160801:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20160801:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20160801:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20160801:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20160801:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20160801:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20160801:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20160801:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20160801:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20160801:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20160801:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20160801:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20160801:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20160801:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20160801:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20160801:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20160801:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20160801:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20160801:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20160901:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20160901:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20160901:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20180201:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20180201:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20180201:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20180201:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20180201:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20180201:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20180201:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20180201:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20180201:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20180201:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20180201:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20180201:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20180201:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20180201:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20180201:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20180201:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20180201:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20180201:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20180201:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20180201:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20180201:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20180201:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20180201:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20180201:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20180201:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20180201:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20180201:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20180201:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20180201:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20180201:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20180201:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20180201:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20180201:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20180201:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20180201:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20180201:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20180201:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20180201:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20180201:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20180201:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20180201:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20180201:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20180201:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20180201:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20180201:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20180201:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20180201:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20181101:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20181101:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20181101:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20181101:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20181101:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20181101:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20181101:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20181101:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20181101:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20181101:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20181101:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20181101:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20181101:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20181101:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20181101:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20181101:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20181101:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20181101:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20181101:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20181101:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20181101:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20181101:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20181101:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20181101:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20181101:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20181101:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20181101:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20181101:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20181101:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20181101:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20181101:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20181101:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20181101:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20181101:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20181101:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20181101:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20181101:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20181101:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20181101:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20181101:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20181101:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20181101:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20181101:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20181101:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20190801:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20190801:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20190801:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20190801:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20190801:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20190801:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20190801:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20190801:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20190801:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20190801:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20190801:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20190801:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20190801:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20190801:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20190801:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20190801:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20190801:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20190801:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20190801:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20190801:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20190801:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20190801:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20190801:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20190801:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20190801:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20190801:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20190801:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20190801:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20190801:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20190801:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20190801:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20190801:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20190801:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20190801:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20190801:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20190801:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20190801:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20190801:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20190801:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20190801:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20190801:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20190801:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20190801:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20190801:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20190801:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20190801:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20190801:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20190801:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20190801:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20190801:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20190801:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20200601:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20200601:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20200601:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20200601:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20200601:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20200601:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20200601:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20200601:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20200601:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20200601:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20200601:web:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", + "azure-native_web_v20200601:web:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", + "azure-native_web_v20200601:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20200601:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20200601:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20200601:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20200601:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20200601:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20200601:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20200601:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20200601:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20200601:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20200601:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20200601:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20200601:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20200601:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20200601:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20200601:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20200601:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20200601:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20200601:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20200601:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20200601:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20200601:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20200601:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20200601:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20200601:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20200601:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20200601:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20200601:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20200601:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20200601:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20200601:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20200601:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20200601:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20200601:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20200601:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20200601:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20200601:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20200601:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20200601:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20200601:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20200601:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20200901:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20200901:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20200901:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20200901:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20200901:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20200901:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20200901:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20200901:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20200901:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20200901:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20200901:web:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", + "azure-native_web_v20200901:web:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", + "azure-native_web_v20200901:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20200901:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20200901:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20200901:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20200901:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20200901:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20200901:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20200901:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20200901:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20200901:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20200901:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20200901:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20200901:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20200901:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20200901:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20200901:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20200901:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20200901:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20200901:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20200901:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20200901:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20200901:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20200901:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20200901:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20200901:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20200901:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20200901:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20200901:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20200901:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20200901:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20200901:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20200901:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20200901:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20200901:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20200901:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20200901:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20200901:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20200901:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20200901:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20200901:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20200901:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20201001:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20201001:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20201001:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20201001:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20201001:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20201001:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20201001:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20201001:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20201001:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20201001:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20201001:web:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", + "azure-native_web_v20201001:web:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", + "azure-native_web_v20201001:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20201001:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20201001:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20201001:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20201001:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20201001:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20201001:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20201001:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20201001:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20201001:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20201001:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20201001:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20201001:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20201001:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20201001:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20201001:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20201001:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20201001:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20201001:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20201001:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20201001:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20201001:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20201001:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20201001:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20201001:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20201001:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20201001:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20201001:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20201001:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20201001:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20201001:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20201001:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20201001:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20201001:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20201001:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20201001:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20201001:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20201001:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20201001:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20201001:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20201001:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20201201:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20201201:web:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20201201:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20201201:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20201201:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20201201:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20201201:web:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", + "azure-native_web_v20201201:web:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20201201:web:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20201201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20201201:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20201201:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20201201:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20201201:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20201201:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20201201:web:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", + "azure-native_web_v20201201:web:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", + "azure-native_web_v20201201:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20201201:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20201201:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20201201:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20201201:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20201201:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20201201:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20201201:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20201201:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20201201:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20201201:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20201201:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20201201:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20201201:web:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20201201:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20201201:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20201201:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20201201:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20201201:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20201201:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20201201:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20201201:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20201201:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20201201:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20201201:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20201201:web:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20201201:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20201201:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20201201:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20201201:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20201201:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20201201:web:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20201201:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20201201:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20201201:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20201201:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20201201:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20201201:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20201201:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20201201:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20201201:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20201201:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20201201:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20210101:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20210101:web:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210101:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20210101:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20210101:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20210101:web:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", + "azure-native_web_v20210101:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20210101:web:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", + "azure-native_web_v20210101:web:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210101:web:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20210101:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20210101:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20210101:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20210101:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20210101:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20210101:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20210101:web:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", + "azure-native_web_v20210101:web:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", + "azure-native_web_v20210101:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20210101:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20210101:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20210101:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20210101:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20210101:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20210101:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20210101:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20210101:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20210101:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20210101:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20210101:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20210101:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20210101:web:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20210101:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20210101:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20210101:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20210101:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20210101:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20210101:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20210101:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20210101:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20210101:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20210101:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20210101:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210101:web:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210101:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20210101:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20210101:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20210101:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20210101:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20210101:web:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20210101:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20210101:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20210101:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20210101:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20210101:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20210101:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20210101:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20210101:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20210101:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20210101:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20210101:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20210115:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20210115:web:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210115:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20210115:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20210115:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20210115:web:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", + "azure-native_web_v20210115:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20210115:web:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", + "azure-native_web_v20210115:web:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210115:web:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20210115:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20210115:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20210115:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20210115:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20210115:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20210115:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20210115:web:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", + "azure-native_web_v20210115:web:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", + "azure-native_web_v20210115:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20210115:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20210115:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20210115:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20210115:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20210115:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20210115:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20210115:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20210115:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20210115:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20210115:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20210115:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20210115:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20210115:web:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20210115:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20210115:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20210115:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20210115:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20210115:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20210115:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20210115:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20210115:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20210115:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20210115:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20210115:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210115:web:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210115:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20210115:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20210115:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20210115:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20210115:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20210115:web:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20210115:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20210115:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20210115:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20210115:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20210115:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20210115:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20210115:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20210115:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20210115:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20210115:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20210115:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20210115:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20210201:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20210201:web:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210201:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20210201:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20210201:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20210201:web:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", + "azure-native_web_v20210201:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20210201:web:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", + "azure-native_web_v20210201:web:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210201:web:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20210201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20210201:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20210201:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20210201:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20210201:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20210201:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20210201:web:WebAppAuthSettingsV2": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettingsV2", + "azure-native_web_v20210201:web:WebAppAuthSettingsV2Slot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettingsV2", + "azure-native_web_v20210201:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20210201:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20210201:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20210201:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20210201:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20210201:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20210201:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20210201:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20210201:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20210201:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20210201:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20210201:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20210201:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20210201:web:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20210201:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20210201:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20210201:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20210201:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20210201:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20210201:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20210201:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20210201:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20210201:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20210201:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20210201:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210201:web:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210201:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20210201:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20210201:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20210201:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20210201:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20210201:web:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20210201:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20210201:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20210201:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20210201:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20210201:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20210201:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20210201:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20210201:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20210201:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20210201:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20210201:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20210201:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20210301:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20210301:web:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210301:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20210301:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20210301:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20210301:web:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/containerApps/{name}", + "azure-native_web_v20210301:web:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", + "azure-native_web_v20210301:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20210301:web:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", + "azure-native_web_v20210301:web:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210301:web:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20210301:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20210301:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20210301:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20210301:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20210301:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20210301:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20210301:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20210301:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20210301:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20210301:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20210301:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20210301:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20210301:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20210301:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20210301:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20210301:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20210301:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20210301:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20210301:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20210301:web:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20210301:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20210301:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20210301:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20210301:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20210301:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20210301:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20210301:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20210301:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20210301:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20210301:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20210301:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210301:web:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20210301:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20210301:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20210301:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20210301:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20210301:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20210301:web:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20210301:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20210301:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20210301:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20210301:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20210301:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20210301:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20210301:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20210301:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20210301:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20210301:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20210301:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20210301:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20220301:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20220301:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/configurations/customdnssuffix", + "azure-native_web_v20220301:web:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20220301:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20220301:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20220301:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20220301:web:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/containerApps/{name}", + "azure-native_web_v20220301:web:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", + "azure-native_web_v20220301:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20220301:web:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", + "azure-native_web_v20220301:web:StaticSiteLinkedBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/linkedBackends/{linkedBackendName}", + "azure-native_web_v20220301:web:StaticSiteLinkedBackendForBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/linkedBackends/{linkedBackendName}", + "azure-native_web_v20220301:web:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20220301:web:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20220301:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20220301:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20220301:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20220301:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20220301:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20220301:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20220301:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20220301:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20220301:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20220301:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20220301:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20220301:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20220301:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20220301:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20220301:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20220301:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20220301:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20220301:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20220301:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20220301:web:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20220301:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20220301:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20220301:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20220301:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20220301:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20220301:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20220301:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20220301:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20220301:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20220301:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20220301:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20220301:web:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20220301:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20220301:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20220301:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20220301:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20220301:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20220301:web:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20220301:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20220301:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20220301:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20220301:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20220301:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20220301:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20220301:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20220301:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20220301:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20220301:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20220301:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20220301:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20220901:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20220901:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/configurations/customdnssuffix", + "azure-native_web_v20220901:web:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20220901:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20220901:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20220901:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20220901:web:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/containerApps/{name}", + "azure-native_web_v20220901:web:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", + "azure-native_web_v20220901:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20220901:web:StaticSiteBuildDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/databaseConnections/{databaseConnectionName}", + "azure-native_web_v20220901:web:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", + "azure-native_web_v20220901:web:StaticSiteDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/databaseConnections/{databaseConnectionName}", + "azure-native_web_v20220901:web:StaticSiteLinkedBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/linkedBackends/{linkedBackendName}", + "azure-native_web_v20220901:web:StaticSiteLinkedBackendForBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/linkedBackends/{linkedBackendName}", + "azure-native_web_v20220901:web:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20220901:web:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20220901:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20220901:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20220901:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20220901:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20220901:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20220901:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20220901:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20220901:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20220901:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20220901:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20220901:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20220901:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20220901:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20220901:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20220901:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20220901:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20220901:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20220901:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20220901:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20220901:web:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20220901:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20220901:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20220901:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20220901:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20220901:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20220901:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20220901:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20220901:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20220901:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20220901:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20220901:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20220901:web:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20220901:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20220901:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20220901:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20220901:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20220901:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20220901:web:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20220901:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20220901:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20220901:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20220901:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20220901:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20220901:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20220901:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20220901:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20220901:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20220901:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20220901:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20220901:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20230101:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20230101:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/configurations/customdnssuffix", + "azure-native_web_v20230101:web:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20230101:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20230101:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20230101:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20230101:web:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/containerApps/{name}", + "azure-native_web_v20230101:web:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", + "azure-native_web_v20230101:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20230101:web:StaticSiteBuildDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/databaseConnections/{databaseConnectionName}", + "azure-native_web_v20230101:web:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", + "azure-native_web_v20230101:web:StaticSiteDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/databaseConnections/{databaseConnectionName}", + "azure-native_web_v20230101:web:StaticSiteLinkedBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/linkedBackends/{linkedBackendName}", + "azure-native_web_v20230101:web:StaticSiteLinkedBackendForBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/linkedBackends/{linkedBackendName}", + "azure-native_web_v20230101:web:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20230101:web:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20230101:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20230101:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20230101:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20230101:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20230101:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20230101:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20230101:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20230101:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20230101:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20230101:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20230101:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20230101:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20230101:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20230101:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20230101:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20230101:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20230101:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20230101:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20230101:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20230101:web:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20230101:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20230101:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20230101:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20230101:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20230101:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20230101:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20230101:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20230101:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20230101:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20230101:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20230101:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20230101:web:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20230101:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20230101:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20230101:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20230101:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20230101:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20230101:web:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20230101:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20230101:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20230101:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20230101:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20230101:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20230101:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20230101:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20230101:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20230101:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20230101:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20230101:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20230101:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20231201:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20231201:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/configurations/customdnssuffix", + "azure-native_web_v20231201:web:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20231201:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20231201:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20231201:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20231201:web:ContainerApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/containerApps/{name}", + "azure-native_web_v20231201:web:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", + "azure-native_web_v20231201:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20231201:web:StaticSiteBuildDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/databaseConnections/{databaseConnectionName}", + "azure-native_web_v20231201:web:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", + "azure-native_web_v20231201:web:StaticSiteDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/databaseConnections/{databaseConnectionName}", + "azure-native_web_v20231201:web:StaticSiteLinkedBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/linkedBackends/{linkedBackendName}", + "azure-native_web_v20231201:web:StaticSiteLinkedBackendForBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/linkedBackends/{linkedBackendName}", + "azure-native_web_v20231201:web:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20231201:web:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20231201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20231201:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20231201:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20231201:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20231201:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20231201:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20231201:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20231201:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20231201:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20231201:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20231201:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20231201:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20231201:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20231201:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20231201:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20231201:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20231201:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20231201:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20231201:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20231201:web:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20231201:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20231201:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20231201:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20231201:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20231201:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20231201:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20231201:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20231201:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20231201:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20231201:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20231201:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20231201:web:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20231201:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20231201:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20231201:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20231201:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20231201:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20231201:web:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20231201:web:WebAppSiteContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sitecontainers/{containerName}", + "azure-native_web_v20231201:web:WebAppSiteContainerSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sitecontainers/{containerName}", + "azure-native_web_v20231201:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20231201:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20231201:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20231201:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20231201:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20231201:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20231201:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20231201:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20231201:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20231201:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20231201:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20231201:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20240401:web:AppServiceEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}", + "azure-native_web_v20240401:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/configurations/customdnssuffix", + "azure-native_web_v20240401:web:AppServiceEnvironmentPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/hostingEnvironments/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20240401:web:AppServicePlan": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}", + "azure-native_web_v20240401:web:AppServicePlanRouteForVnet": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/serverfarms/{name}/virtualNetworkConnections/{vnetName}/routes/{routeName}", + "azure-native_web_v20240401:web:Certificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/certificates/{name}", + "azure-native_web_v20240401:web:KubeEnvironment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/kubeEnvironments/{name}", + "azure-native_web_v20240401:web:StaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}", + "azure-native_web_v20240401:web:StaticSiteBuildDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/databaseConnections/{databaseConnectionName}", + "azure-native_web_v20240401:web:StaticSiteCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/customDomains/{domainName}", + "azure-native_web_v20240401:web:StaticSiteDatabaseConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/databaseConnections/{databaseConnectionName}", + "azure-native_web_v20240401:web:StaticSiteLinkedBackend": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/linkedBackends/{linkedBackendName}", + "azure-native_web_v20240401:web:StaticSiteLinkedBackendForBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/linkedBackends/{linkedBackendName}", + "azure-native_web_v20240401:web:StaticSitePrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20240401:web:StaticSiteUserProvidedFunctionAppForStaticSite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20240401:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/staticSites/{name}/builds/{environmentName}/userProvidedFunctionApps/{functionAppName}", + "azure-native_web_v20240401:web:WebApp": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}", + "azure-native_web_v20240401:web:WebAppApplicationSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/appsettings", + "azure-native_web_v20240401:web:WebAppApplicationSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/appsettings", + "azure-native_web_v20240401:web:WebAppAuthSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/authsettings", + "azure-native_web_v20240401:web:WebAppAuthSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/authsettings", + "azure-native_web_v20240401:web:WebAppAzureStorageAccounts": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/azurestorageaccounts", + "azure-native_web_v20240401:web:WebAppAzureStorageAccountsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/azurestorageaccounts", + "azure-native_web_v20240401:web:WebAppBackupConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/backup", + "azure-native_web_v20240401:web:WebAppBackupConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/backup", + "azure-native_web_v20240401:web:WebAppConnectionStrings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/connectionstrings", + "azure-native_web_v20240401:web:WebAppConnectionStringsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/connectionstrings", + "azure-native_web_v20240401:web:WebAppDeployment": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/deployments/{id}", + "azure-native_web_v20240401:web:WebAppDeploymentSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/deployments/{id}", + "azure-native_web_v20240401:web:WebAppDiagnosticLogsConfiguration": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/logs", + "azure-native_web_v20240401:web:WebAppDiagnosticLogsConfigurationSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/logs", + "azure-native_web_v20240401:web:WebAppDomainOwnershipIdentifier": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20240401:web:WebAppDomainOwnershipIdentifierSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/domainOwnershipIdentifiers/{domainOwnershipIdentifierName}", + "azure-native_web_v20240401:web:WebAppFtpAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20240401:web:WebAppFtpAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/ftp", + "azure-native_web_v20240401:web:WebAppFunction": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/functions/{functionName}", + "azure-native_web_v20240401:web:WebAppHostNameBinding": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hostNameBindings/{hostName}", + "azure-native_web_v20240401:web:WebAppHostNameBindingSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hostNameBindings/{hostName}", + "azure-native_web_v20240401:web:WebAppHybridConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20240401:web:WebAppHybridConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridConnectionNamespaces/{namespaceName}/relays/{relayName}", + "azure-native_web_v20240401:web:WebAppInstanceFunctionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/functions/{functionName}", + "azure-native_web_v20240401:web:WebAppMetadata": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/metadata", + "azure-native_web_v20240401:web:WebAppMetadataSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/metadata", + "azure-native_web_v20240401:web:WebAppPremierAddOn": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/premieraddons/{premierAddOnName}", + "azure-native_web_v20240401:web:WebAppPremierAddOnSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/premieraddons/{premierAddOnName}", + "azure-native_web_v20240401:web:WebAppPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20240401:web:WebAppPrivateEndpointConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_web_v20240401:web:WebAppPublicCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20240401:web:WebAppPublicCertificateSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/publicCertificates/{publicCertificateName}", + "azure-native_web_v20240401:web:WebAppRelayServiceConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/hybridconnection/{entityName}", + "azure-native_web_v20240401:web:WebAppRelayServiceConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/hybridconnection/{entityName}", + "azure-native_web_v20240401:web:WebAppScmAllowed": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20240401:web:WebAppScmAllowedSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/basicPublishingCredentialsPolicies/scm", + "azure-native_web_v20240401:web:WebAppSiteContainer": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sitecontainers/{containerName}", + "azure-native_web_v20240401:web:WebAppSiteContainerSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sitecontainers/{containerName}", + "azure-native_web_v20240401:web:WebAppSiteExtension": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/siteextensions/{siteExtensionId}", + "azure-native_web_v20240401:web:WebAppSiteExtensionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/siteextensions/{siteExtensionId}", + "azure-native_web_v20240401:web:WebAppSitePushSettings": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/pushsettings", + "azure-native_web_v20240401:web:WebAppSitePushSettingsSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/config/pushsettings", + "azure-native_web_v20240401:web:WebAppSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}", + "azure-native_web_v20240401:web:WebAppSlotConfigurationNames": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/config/slotConfigNames", + "azure-native_web_v20240401:web:WebAppSourceControl": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/sourcecontrols/web", + "azure-native_web_v20240401:web:WebAppSourceControlSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/sourcecontrols/web", + "azure-native_web_v20240401:web:WebAppSwiftVirtualNetworkConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/networkConfig/virtualNetwork", + "azure-native_web_v20240401:web:WebAppSwiftVirtualNetworkConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/networkConfig/virtualNetwork", + "azure-native_web_v20240401:web:WebAppVnetConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/virtualNetworkConnections/{vnetName}", + "azure-native_web_v20240401:web:WebAppVnetConnectionSlot": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Web/sites/{name}/slots/{slot}/virtualNetworkConnections/{vnetName}", + "azure-native_webpubsub_v20230201:webpubsub:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", + "azure-native_webpubsub_v20230201:webpubsub:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", + "azure-native_webpubsub_v20230201:webpubsub:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", + "azure-native_webpubsub_v20230201:webpubsub:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", + "azure-native_webpubsub_v20230201:webpubsub:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_webpubsub_v20230201:webpubsub:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", + "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", + "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", + "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", + "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", + "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", + "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", + "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", + "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", + "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", + "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", + "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", + "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", + "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", + "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", + "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", + "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", + "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", + "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", + "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", + "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_webpubsub_v20240301:webpubsub:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", + "azure-native_webpubsub_v20240301:webpubsub:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", + "azure-native_webpubsub_v20240301:webpubsub:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", + "azure-native_webpubsub_v20240301:webpubsub:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", + "azure-native_webpubsub_v20240301:webpubsub:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_webpubsub_v20240301:webpubsub:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", + "azure-native_webpubsub_v20240301:webpubsub:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", + "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", + "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", + "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", + "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", + "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", + "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", + "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", + "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", + "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", + "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}", + "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubCustomCertificate": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customCertificates/{certificateName}", + "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubCustomDomain": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/customDomains/{name}", + "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubHub": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/hubs/{hubName}", + "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubPrivateEndpointConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/privateEndpointConnections/{privateEndpointConnectionName}", + "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubReplica": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/replicas/{replicaName}", + "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubSharedPrivateLinkResource": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.SignalRService/webPubSub/{resourceName}/sharedPrivateLinkResources/{sharedPrivateLinkResourceName}", + "azure-native_weightsandbiases_v20240918preview:weightsandbiases:Instance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.WeightsAndBiases/instances/{instancename}", + "azure-native_windowsesu_v20190916preview:windowsesu:MultipleActivationKey": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.WindowsESU/multipleActivationKeys/{multipleActivationKeyName}", + "azure-native_windowsiot_v20190601:windowsiot:Service": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.WindowsIoT/deviceServices/{deviceName}", + "azure-native_workloads_v20230401:workloads:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}", + "azure-native_workloads_v20230401:workloads:ProviderInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/providerInstances/{providerInstanceName}", + "azure-native_workloads_v20230401:workloads:SAPApplicationServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/applicationInstances/{applicationInstanceName}", + "azure-native_workloads_v20230401:workloads:SAPCentralInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/centralInstances/{centralInstanceName}", + "azure-native_workloads_v20230401:workloads:SAPDatabaseInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/databaseInstances/{databaseInstanceName}", + "azure-native_workloads_v20230401:workloads:SAPVirtualInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}", + "azure-native_workloads_v20230401:workloads:SapLandscapeMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/sapLandscapeMonitor/default", + "azure-native_workloads_v20231001preview:workloads:ACSSBackupConnection": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/connectors/{connectorName}/acssBackups/{backupName}", + "azure-native_workloads_v20231001preview:workloads:Connector": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/connectors/{connectorName}", + "azure-native_workloads_v20231001preview:workloads:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}", + "azure-native_workloads_v20231001preview:workloads:ProviderInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/providerInstances/{providerInstanceName}", + "azure-native_workloads_v20231001preview:workloads:SAPApplicationServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/applicationInstances/{applicationInstanceName}", + "azure-native_workloads_v20231001preview:workloads:SAPCentralInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/centralInstances/{centralInstanceName}", + "azure-native_workloads_v20231001preview:workloads:SAPDatabaseInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/databaseInstances/{databaseInstanceName}", + "azure-native_workloads_v20231001preview:workloads:SAPVirtualInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}", + "azure-native_workloads_v20231001preview:workloads:SapDiscoverySite": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapDiscoverySites/{sapDiscoverySiteName}", + "azure-native_workloads_v20231001preview:workloads:SapInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapDiscoverySites/{sapDiscoverySiteName}/sapInstances/{sapInstanceName}", + "azure-native_workloads_v20231001preview:workloads:SapLandscapeMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/sapLandscapeMonitor/default", + "azure-native_workloads_v20231001preview:workloads:ServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapDiscoverySites/{sapDiscoverySiteName}/sapInstances/{sapInstanceName}/serverInstances/{serverInstanceName}", + "azure-native_workloads_v20231201preview:workloads:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}", + "azure-native_workloads_v20231201preview:workloads:ProviderInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/providerInstances/{providerInstanceName}", + "azure-native_workloads_v20231201preview:workloads:SapLandscapeMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/sapLandscapeMonitor/default", + "azure-native_workloads_v20240201preview:workloads:Alert": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/alerts/{alertName}", + "azure-native_workloads_v20240201preview:workloads:Monitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}", + "azure-native_workloads_v20240201preview:workloads:ProviderInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/providerInstances/{providerInstanceName}", + "azure-native_workloads_v20240201preview:workloads:SapLandscapeMonitor": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/monitors/{monitorName}/sapLandscapeMonitor/default", + "azure-native_workloads_v20240901:workloads:SapApplicationServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/applicationInstances/{applicationInstanceName}", + "azure-native_workloads_v20240901:workloads:SapCentralServerInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/centralInstances/{centralInstanceName}", + "azure-native_workloads_v20240901:workloads:SapDatabaseInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}/databaseInstances/{databaseInstanceName}", + "azure-native_workloads_v20240901:workloads:SapVirtualInstance": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Workloads/sapVirtualInstances/{sapVirtualInstanceName}" } \ No newline at end of file diff --git a/reports/typeCaseConflicts.json b/reports/typeCaseConflicts.json index ab8466034b90..d3c69b38f3e0 100644 --- a/reports/typeCaseConflicts.json +++ b/reports/typeCaseConflicts.json @@ -1,26 +1,26 @@ { - "azure-native:servicefabric/v20230901preview:IPTag": [ - "azure-native:servicefabric/v20230901preview:IpTag" + "azure-native_servicefabric_v20230901preview:servicefabric:IPTag": [ + "azure-native_servicefabric_v20230901preview:servicefabric:IpTag" ], - "azure-native:servicefabric/v20230901preview:IPTagResponse": [ - "azure-native:servicefabric/v20230901preview:IpTagResponse" + "azure-native_servicefabric_v20230901preview:servicefabric:IPTagResponse": [ + "azure-native_servicefabric_v20230901preview:servicefabric:IpTagResponse" ], - "azure-native:servicefabric/v20231101preview:IPTag": [ - "azure-native:servicefabric/v20231101preview:IpTag" + "azure-native_servicefabric_v20231101preview:servicefabric:IPTag": [ + "azure-native_servicefabric_v20231101preview:servicefabric:IpTag" ], - "azure-native:servicefabric/v20231101preview:IPTagResponse": [ - "azure-native:servicefabric/v20231101preview:IpTagResponse" + "azure-native_servicefabric_v20231101preview:servicefabric:IPTagResponse": [ + "azure-native_servicefabric_v20231101preview:servicefabric:IpTagResponse" ], - "azure-native:servicefabric/v20231201preview:IPTag": [ - "azure-native:servicefabric/v20231201preview:IpTag" + "azure-native_servicefabric_v20231201preview:servicefabric:IPTag": [ + "azure-native_servicefabric_v20231201preview:servicefabric:IpTag" ], - "azure-native:servicefabric/v20231201preview:IPTagResponse": [ - "azure-native:servicefabric/v20231201preview:IpTagResponse" + "azure-native_servicefabric_v20231201preview:servicefabric:IPTagResponse": [ + "azure-native_servicefabric_v20231201preview:servicefabric:IpTagResponse" ], - "azure-native:servicefabric/v20240201preview:IPTag": [ - "azure-native:servicefabric/v20240201preview:IpTag" + "azure-native_servicefabric_v20240201preview:servicefabric:IPTag": [ + "azure-native_servicefabric_v20240201preview:servicefabric:IpTag" ], - "azure-native:servicefabric/v20240201preview:IPTagResponse": [ - "azure-native:servicefabric/v20240201preview:IpTagResponse" + "azure-native_servicefabric_v20240201preview:servicefabric:IPTagResponse": [ + "azure-native_servicefabric_v20240201preview:servicefabric:IpTagResponse" ] } \ No newline at end of file diff --git a/sdk/dotnet/AVS/Addon.cs b/sdk/dotnet/AVS/Addon.cs index d950ee6056de..eb478f6445a2 100644 --- a/sdk/dotnet/AVS/Addon.cs +++ b/sdk/dotnet/AVS/Addon.cs @@ -80,13 +80,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:Addon" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:Addon" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:Addon" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:Addon" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:Addon" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:Addon" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:Addon" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:Addon" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:Addon" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:Addon" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:Addon" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:Addon" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:Addon" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:Addon" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/Authorization.cs b/sdk/dotnet/AVS/Authorization.cs index f2a367538c1d..65c7865748da 100644 --- a/sdk/dotnet/AVS/Authorization.cs +++ b/sdk/dotnet/AVS/Authorization.cs @@ -92,14 +92,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20200320:Authorization" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:Authorization" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:Authorization" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:Authorization" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:Authorization" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:Authorization" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:Authorization" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200320:avs:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:Authorization" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/CloudLink.cs b/sdk/dotnet/AVS/CloudLink.cs index 09fd4720d389..7fb7c1524fa7 100644 --- a/sdk/dotnet/AVS/CloudLink.cs +++ b/sdk/dotnet/AVS/CloudLink.cs @@ -86,11 +86,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:CloudLink" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:CloudLink" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:CloudLink" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:CloudLink" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:CloudLink" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:CloudLink" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:CloudLink" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:CloudLink" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:CloudLink" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:CloudLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/Cluster.cs b/sdk/dotnet/AVS/Cluster.cs index 8af022e8f74e..bce345e34a0a 100644 --- a/sdk/dotnet/AVS/Cluster.cs +++ b/sdk/dotnet/AVS/Cluster.cs @@ -105,13 +105,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:avs/v20200320:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200320:avs:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:Cluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/Datastore.cs b/sdk/dotnet/AVS/Datastore.cs index 16f9fc6150aa..451bfc954898 100644 --- a/sdk/dotnet/AVS/Datastore.cs +++ b/sdk/dotnet/AVS/Datastore.cs @@ -98,12 +98,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:Datastore" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/GlobalReachConnection.cs b/sdk/dotnet/AVS/GlobalReachConnection.cs index 5f488f3bdb97..cc2e3232921d 100644 --- a/sdk/dotnet/AVS/GlobalReachConnection.cs +++ b/sdk/dotnet/AVS/GlobalReachConnection.cs @@ -108,13 +108,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:GlobalReachConnection" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:GlobalReachConnection" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:GlobalReachConnection" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:GlobalReachConnection" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:GlobalReachConnection" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:GlobalReachConnection" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:GlobalReachConnection" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:GlobalReachConnection" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:GlobalReachConnection" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:GlobalReachConnection" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:GlobalReachConnection" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:GlobalReachConnection" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:GlobalReachConnection" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:GlobalReachConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/HcxEnterpriseSite.cs b/sdk/dotnet/AVS/HcxEnterpriseSite.cs index b4ec1aed779c..471193e562c1 100644 --- a/sdk/dotnet/AVS/HcxEnterpriseSite.cs +++ b/sdk/dotnet/AVS/HcxEnterpriseSite.cs @@ -86,14 +86,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20200320:HcxEnterpriseSite" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:HcxEnterpriseSite" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:HcxEnterpriseSite" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:HcxEnterpriseSite" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:HcxEnterpriseSite" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:HcxEnterpriseSite" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:HcxEnterpriseSite" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:HcxEnterpriseSite" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200320:avs:HcxEnterpriseSite" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:HcxEnterpriseSite" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:HcxEnterpriseSite" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:HcxEnterpriseSite" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:HcxEnterpriseSite" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:HcxEnterpriseSite" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:HcxEnterpriseSite" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:HcxEnterpriseSite" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/IscsiPath.cs b/sdk/dotnet/AVS/IscsiPath.cs index 67e866089239..54ac1d106472 100644 --- a/sdk/dotnet/AVS/IscsiPath.cs +++ b/sdk/dotnet/AVS/IscsiPath.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:IscsiPath" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:IscsiPath" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/PlacementPolicy.cs b/sdk/dotnet/AVS/PlacementPolicy.cs index 3e75f4f49e20..d6a22beabce7 100644 --- a/sdk/dotnet/AVS/PlacementPolicy.cs +++ b/sdk/dotnet/AVS/PlacementPolicy.cs @@ -86,10 +86,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:PlacementPolicy" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:PlacementPolicy" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:PlacementPolicy" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:PlacementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:PlacementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:PlacementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:PlacementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:PlacementPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/PrivateCloud.cs b/sdk/dotnet/AVS/PrivateCloud.cs index 44fe726d1910..4efe61f780d9 100644 --- a/sdk/dotnet/AVS/PrivateCloud.cs +++ b/sdk/dotnet/AVS/PrivateCloud.cs @@ -231,14 +231,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20200320:PrivateCloud" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:PrivateCloud" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:PrivateCloud" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:PrivateCloud" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:PrivateCloud" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:PrivateCloud" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:PrivateCloud" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:PrivateCloud" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200320:avs:PrivateCloud" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:PrivateCloud" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:PrivateCloud" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:PrivateCloud" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:PrivateCloud" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:PrivateCloud" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:PrivateCloud" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:PrivateCloud" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/ScriptExecution.cs b/sdk/dotnet/AVS/ScriptExecution.cs index a83c729cd3f2..4ab6344c0da9 100644 --- a/sdk/dotnet/AVS/ScriptExecution.cs +++ b/sdk/dotnet/AVS/ScriptExecution.cs @@ -160,11 +160,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:ScriptExecution" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:ScriptExecution" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:ScriptExecution" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:ScriptExecution" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:ScriptExecution" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:ScriptExecution" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:ScriptExecution" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:ScriptExecution" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:ScriptExecution" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:ScriptExecution" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/WorkloadNetworkDhcp.cs b/sdk/dotnet/AVS/WorkloadNetworkDhcp.cs index 327edcb4ec5d..d9299824f4e0 100644 --- a/sdk/dotnet/AVS/WorkloadNetworkDhcp.cs +++ b/sdk/dotnet/AVS/WorkloadNetworkDhcp.cs @@ -98,13 +98,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:WorkloadNetworkDhcp" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:WorkloadNetworkDhcp" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:WorkloadNetworkDhcp" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:WorkloadNetworkDhcp" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:WorkloadNetworkDhcp" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:WorkloadNetworkDhcp" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:WorkloadNetworkDhcp" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:WorkloadNetworkDhcp" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:WorkloadNetworkDhcp" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:WorkloadNetworkDhcp" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:WorkloadNetworkDhcp" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:WorkloadNetworkDhcp" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:WorkloadNetworkDhcp" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:WorkloadNetworkDhcp" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/WorkloadNetworkDnsService.cs b/sdk/dotnet/AVS/WorkloadNetworkDnsService.cs index cfb76134549c..29199007adb3 100644 --- a/sdk/dotnet/AVS/WorkloadNetworkDnsService.cs +++ b/sdk/dotnet/AVS/WorkloadNetworkDnsService.cs @@ -116,13 +116,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:WorkloadNetworkDnsService" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:WorkloadNetworkDnsService" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:WorkloadNetworkDnsService" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:WorkloadNetworkDnsService" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:WorkloadNetworkDnsService" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:WorkloadNetworkDnsService" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:WorkloadNetworkDnsService" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:WorkloadNetworkDnsService" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:WorkloadNetworkDnsService" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:WorkloadNetworkDnsService" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:WorkloadNetworkDnsService" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:WorkloadNetworkDnsService" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:WorkloadNetworkDnsService" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:WorkloadNetworkDnsService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/WorkloadNetworkDnsZone.cs b/sdk/dotnet/AVS/WorkloadNetworkDnsZone.cs index 19a288eadb0b..4f2a65d9c067 100644 --- a/sdk/dotnet/AVS/WorkloadNetworkDnsZone.cs +++ b/sdk/dotnet/AVS/WorkloadNetworkDnsZone.cs @@ -110,13 +110,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:WorkloadNetworkDnsZone" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:WorkloadNetworkDnsZone" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:WorkloadNetworkDnsZone" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:WorkloadNetworkDnsZone" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:WorkloadNetworkDnsZone" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:WorkloadNetworkDnsZone" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:WorkloadNetworkDnsZone" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:WorkloadNetworkDnsZone" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:WorkloadNetworkDnsZone" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:WorkloadNetworkDnsZone" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:WorkloadNetworkDnsZone" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:WorkloadNetworkDnsZone" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:WorkloadNetworkDnsZone" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:WorkloadNetworkDnsZone" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/WorkloadNetworkPortMirroring.cs b/sdk/dotnet/AVS/WorkloadNetworkPortMirroring.cs index 7c6a230b2525..8f54c59421bb 100644 --- a/sdk/dotnet/AVS/WorkloadNetworkPortMirroring.cs +++ b/sdk/dotnet/AVS/WorkloadNetworkPortMirroring.cs @@ -110,13 +110,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:WorkloadNetworkPortMirroring" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:WorkloadNetworkPortMirroring" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:WorkloadNetworkPortMirroring" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:WorkloadNetworkPortMirroring" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:WorkloadNetworkPortMirroring" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:WorkloadNetworkPortMirroring" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:WorkloadNetworkPortMirroring" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:WorkloadNetworkPortMirroring" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:WorkloadNetworkPortMirroring" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:WorkloadNetworkPortMirroring" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:WorkloadNetworkPortMirroring" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:WorkloadNetworkPortMirroring" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:WorkloadNetworkPortMirroring" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:WorkloadNetworkPortMirroring" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/WorkloadNetworkPublicIP.cs b/sdk/dotnet/AVS/WorkloadNetworkPublicIP.cs index de39745b32e6..5eedda9efb26 100644 --- a/sdk/dotnet/AVS/WorkloadNetworkPublicIP.cs +++ b/sdk/dotnet/AVS/WorkloadNetworkPublicIP.cs @@ -92,11 +92,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:WorkloadNetworkPublicIP" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:WorkloadNetworkPublicIP" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:WorkloadNetworkPublicIP" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:WorkloadNetworkPublicIP" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:WorkloadNetworkPublicIP" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:WorkloadNetworkPublicIP" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:WorkloadNetworkPublicIP" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:WorkloadNetworkPublicIP" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:WorkloadNetworkPublicIP" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:WorkloadNetworkPublicIP" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/WorkloadNetworkSegment.cs b/sdk/dotnet/AVS/WorkloadNetworkSegment.cs index 0810b9db4ac5..201af813741d 100644 --- a/sdk/dotnet/AVS/WorkloadNetworkSegment.cs +++ b/sdk/dotnet/AVS/WorkloadNetworkSegment.cs @@ -110,13 +110,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:WorkloadNetworkSegment" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:WorkloadNetworkSegment" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:WorkloadNetworkSegment" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:WorkloadNetworkSegment" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:WorkloadNetworkSegment" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:WorkloadNetworkSegment" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:WorkloadNetworkSegment" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:WorkloadNetworkSegment" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:WorkloadNetworkSegment" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:WorkloadNetworkSegment" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:WorkloadNetworkSegment" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:WorkloadNetworkSegment" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:WorkloadNetworkSegment" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:WorkloadNetworkSegment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AVS/WorkloadNetworkVMGroup.cs b/sdk/dotnet/AVS/WorkloadNetworkVMGroup.cs index 912ca9fbea3c..b12c4da73eb6 100644 --- a/sdk/dotnet/AVS/WorkloadNetworkVMGroup.cs +++ b/sdk/dotnet/AVS/WorkloadNetworkVMGroup.cs @@ -98,13 +98,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:avs/v20200717preview:WorkloadNetworkVMGroup" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210101preview:WorkloadNetworkVMGroup" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20210601:WorkloadNetworkVMGroup" }, - new global::Pulumi.Alias { Type = "azure-native:avs/v20211201:WorkloadNetworkVMGroup" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20220501:WorkloadNetworkVMGroup" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230301:WorkloadNetworkVMGroup" }, new global::Pulumi.Alias { Type = "azure-native:avs/v20230901:WorkloadNetworkVMGroup" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20200717preview:avs:WorkloadNetworkVMGroup" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210101preview:avs:WorkloadNetworkVMGroup" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20210601:avs:WorkloadNetworkVMGroup" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20211201:avs:WorkloadNetworkVMGroup" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20220501:avs:WorkloadNetworkVMGroup" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230301:avs:WorkloadNetworkVMGroup" }, + new global::Pulumi.Alias { Type = "azure-native_avs_v20230901:avs:WorkloadNetworkVMGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Aad/DomainService.cs b/sdk/dotnet/Aad/DomainService.cs index 9130ac2b760d..e9a3acf28683 100644 --- a/sdk/dotnet/Aad/DomainService.cs +++ b/sdk/dotnet/Aad/DomainService.cs @@ -192,13 +192,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:aad/v20170101:DomainService" }, - new global::Pulumi.Alias { Type = "azure-native:aad/v20170601:DomainService" }, - new global::Pulumi.Alias { Type = "azure-native:aad/v20200101:DomainService" }, - new global::Pulumi.Alias { Type = "azure-native:aad/v20210301:DomainService" }, - new global::Pulumi.Alias { Type = "azure-native:aad/v20210501:DomainService" }, - new global::Pulumi.Alias { Type = "azure-native:aad/v20220901:DomainService" }, new global::Pulumi.Alias { Type = "azure-native:aad/v20221201:DomainService" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20170101:aad:DomainService" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20170601:aad:DomainService" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20200101:aad:DomainService" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20210301:aad:DomainService" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20210501:aad:DomainService" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20220901:aad:DomainService" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20221201:aad:DomainService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Aad/OuContainer.cs b/sdk/dotnet/Aad/OuContainer.cs index 4b37bbcea3f3..a1665e3b8fce 100644 --- a/sdk/dotnet/Aad/OuContainer.cs +++ b/sdk/dotnet/Aad/OuContainer.cs @@ -132,12 +132,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:aad/v20170601:OuContainer" }, - new global::Pulumi.Alias { Type = "azure-native:aad/v20200101:OuContainer" }, - new global::Pulumi.Alias { Type = "azure-native:aad/v20210301:OuContainer" }, - new global::Pulumi.Alias { Type = "azure-native:aad/v20210501:OuContainer" }, - new global::Pulumi.Alias { Type = "azure-native:aad/v20220901:OuContainer" }, new global::Pulumi.Alias { Type = "azure-native:aad/v20221201:OuContainer" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20170601:aad:OuContainer" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20200101:aad:OuContainer" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20210301:aad:OuContainer" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20210501:aad:OuContainer" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20220901:aad:OuContainer" }, + new global::Pulumi.Alias { Type = "azure-native_aad_v20221201:aad:OuContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AadIam/DiagnosticSetting.cs b/sdk/dotnet/AadIam/DiagnosticSetting.cs index 65f628a98567..1d872db183c1 100644 --- a/sdk/dotnet/AadIam/DiagnosticSetting.cs +++ b/sdk/dotnet/AadIam/DiagnosticSetting.cs @@ -98,6 +98,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:aadiam/v20170401:DiagnosticSetting" }, new global::Pulumi.Alias { Type = "azure-native:aadiam/v20170401preview:DiagnosticSetting" }, + new global::Pulumi.Alias { Type = "azure-native_aadiam_v20170401:aadiam:DiagnosticSetting" }, + new global::Pulumi.Alias { Type = "azure-native_aadiam_v20170401preview:aadiam:DiagnosticSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Addons/SupportPlanType.cs b/sdk/dotnet/Addons/SupportPlanType.cs index afa5442eaccb..2c760a23ff05 100644 --- a/sdk/dotnet/Addons/SupportPlanType.cs +++ b/sdk/dotnet/Addons/SupportPlanType.cs @@ -66,8 +66,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:addons/v20170515:SupportPlanType" }, new global::Pulumi.Alias { Type = "azure-native:addons/v20180301:SupportPlanType" }, + new global::Pulumi.Alias { Type = "azure-native_addons_v20170515:addons:SupportPlanType" }, + new global::Pulumi.Alias { Type = "azure-native_addons_v20180301:addons:SupportPlanType" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Advisor/Assessment.cs b/sdk/dotnet/Advisor/Assessment.cs index b07bf7c86e78..3dde1e2cfe7b 100644 --- a/sdk/dotnet/Advisor/Assessment.cs +++ b/sdk/dotnet/Advisor/Assessment.cs @@ -120,7 +120,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:advisor/v20230901preview:Assessment" }, + new global::Pulumi.Alias { Type = "azure-native_advisor_v20230901preview:advisor:Assessment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Advisor/Suppression.cs b/sdk/dotnet/Advisor/Suppression.cs index 337537cdd472..17384ad0d6da 100644 --- a/sdk/dotnet/Advisor/Suppression.cs +++ b/sdk/dotnet/Advisor/Suppression.cs @@ -86,15 +86,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:advisor/v20160712preview:Suppression" }, - new global::Pulumi.Alias { Type = "azure-native:advisor/v20170331:Suppression" }, - new global::Pulumi.Alias { Type = "azure-native:advisor/v20170419:Suppression" }, - new global::Pulumi.Alias { Type = "azure-native:advisor/v20200101:Suppression" }, - new global::Pulumi.Alias { Type = "azure-native:advisor/v20220901:Suppression" }, - new global::Pulumi.Alias { Type = "azure-native:advisor/v20221001:Suppression" }, new global::Pulumi.Alias { Type = "azure-native:advisor/v20230101:Suppression" }, - new global::Pulumi.Alias { Type = "azure-native:advisor/v20230901preview:Suppression" }, - new global::Pulumi.Alias { Type = "azure-native:advisor/v20250101:Suppression" }, + new global::Pulumi.Alias { Type = "azure-native_advisor_v20160712preview:advisor:Suppression" }, + new global::Pulumi.Alias { Type = "azure-native_advisor_v20170331:advisor:Suppression" }, + new global::Pulumi.Alias { Type = "azure-native_advisor_v20170419:advisor:Suppression" }, + new global::Pulumi.Alias { Type = "azure-native_advisor_v20200101:advisor:Suppression" }, + new global::Pulumi.Alias { Type = "azure-native_advisor_v20220901:advisor:Suppression" }, + new global::Pulumi.Alias { Type = "azure-native_advisor_v20221001:advisor:Suppression" }, + new global::Pulumi.Alias { Type = "azure-native_advisor_v20230101:advisor:Suppression" }, + new global::Pulumi.Alias { Type = "azure-native_advisor_v20230901preview:advisor:Suppression" }, + new global::Pulumi.Alias { Type = "azure-native_advisor_v20250101:advisor:Suppression" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AgFoodPlatform/DataConnector.cs b/sdk/dotnet/AgFoodPlatform/DataConnector.cs index 2974c59afe1d..27bce79e527c 100644 --- a/sdk/dotnet/AgFoodPlatform/DataConnector.cs +++ b/sdk/dotnet/AgFoodPlatform/DataConnector.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20230601preview:DataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_agfoodplatform_v20230601preview:agfoodplatform:DataConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AgFoodPlatform/DataManagerForAgricultureResource.cs b/sdk/dotnet/AgFoodPlatform/DataManagerForAgricultureResource.cs index 6ce7240695b8..5058d33ade08 100644 --- a/sdk/dotnet/AgFoodPlatform/DataManagerForAgricultureResource.cs +++ b/sdk/dotnet/AgFoodPlatform/DataManagerForAgricultureResource.cs @@ -114,11 +114,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20200512preview:DataManagerForAgricultureResource" }, new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20200512preview:FarmBeatsModel" }, - new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20210901preview:DataManagerForAgricultureResource" }, new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20210901preview:FarmBeatsModel" }, new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20230601preview:DataManagerForAgricultureResource" }, + new global::Pulumi.Alias { Type = "azure-native_agfoodplatform_v20200512preview:agfoodplatform:DataManagerForAgricultureResource" }, + new global::Pulumi.Alias { Type = "azure-native_agfoodplatform_v20210901preview:agfoodplatform:DataManagerForAgricultureResource" }, + new global::Pulumi.Alias { Type = "azure-native_agfoodplatform_v20230601preview:agfoodplatform:DataManagerForAgricultureResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AgFoodPlatform/Extension.cs b/sdk/dotnet/AgFoodPlatform/Extension.cs index 1504715f14d2..ff0a1d423699 100644 --- a/sdk/dotnet/AgFoodPlatform/Extension.cs +++ b/sdk/dotnet/AgFoodPlatform/Extension.cs @@ -108,9 +108,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20200512preview:Extension" }, new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20210901preview:Extension" }, new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20230601preview:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_agfoodplatform_v20200512preview:agfoodplatform:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_agfoodplatform_v20210901preview:agfoodplatform:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_agfoodplatform_v20230601preview:agfoodplatform:Extension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AgFoodPlatform/PrivateEndpointConnection.cs b/sdk/dotnet/AgFoodPlatform/PrivateEndpointConnection.cs index 15bbee72d0c2..1df2997ab3df 100644 --- a/sdk/dotnet/AgFoodPlatform/PrivateEndpointConnection.cs +++ b/sdk/dotnet/AgFoodPlatform/PrivateEndpointConnection.cs @@ -92,6 +92,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20210901preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20230601preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_agfoodplatform_v20210901preview:agfoodplatform:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_agfoodplatform_v20230601preview:agfoodplatform:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AgFoodPlatform/Solution.cs b/sdk/dotnet/AgFoodPlatform/Solution.cs index 2858e366da1d..3626f2ea6dd8 100644 --- a/sdk/dotnet/AgFoodPlatform/Solution.cs +++ b/sdk/dotnet/AgFoodPlatform/Solution.cs @@ -80,6 +80,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20210901preview:Solution" }, new global::Pulumi.Alias { Type = "azure-native:agfoodplatform/v20230601preview:Solution" }, + new global::Pulumi.Alias { Type = "azure-native_agfoodplatform_v20210901preview:agfoodplatform:Solution" }, + new global::Pulumi.Alias { Type = "azure-native_agfoodplatform_v20230601preview:agfoodplatform:Solution" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AgriculturePlatform/AgriService.cs b/sdk/dotnet/AgriculturePlatform/AgriService.cs index cdc0068d6bbe..c303f97b88a8 100644 --- a/sdk/dotnet/AgriculturePlatform/AgriService.cs +++ b/sdk/dotnet/AgriculturePlatform/AgriService.cs @@ -96,7 +96,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:agricultureplatform/v20240601preview:AgriService" }, + new global::Pulumi.Alias { Type = "azure-native_agricultureplatform_v20240601preview:agricultureplatform:AgriService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AlertsManagement/ActionRuleByName.cs b/sdk/dotnet/AlertsManagement/ActionRuleByName.cs index 207c02d5132a..f52428e5f8e0 100644 --- a/sdk/dotnet/AlertsManagement/ActionRuleByName.cs +++ b/sdk/dotnet/AlertsManagement/ActionRuleByName.cs @@ -78,12 +78,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20181102privatepreview:ActionRuleByName" }, new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20190505preview:ActionRuleByName" }, - new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20210808:ActionRuleByName" }, new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20210808:AlertProcessingRuleByName" }, - new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20210808preview:ActionRuleByName" }, new global::Pulumi.Alias { Type = "azure-native:alertsmanagement:AlertProcessingRuleByName" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20181102privatepreview:alertsmanagement:ActionRuleByName" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20190505preview:alertsmanagement:ActionRuleByName" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20210808:alertsmanagement:ActionRuleByName" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20210808preview:alertsmanagement:ActionRuleByName" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AlertsManagement/AlertProcessingRuleByName.cs b/sdk/dotnet/AlertsManagement/AlertProcessingRuleByName.cs index 9d8b40747592..bb5dab20c2f9 100644 --- a/sdk/dotnet/AlertsManagement/AlertProcessingRuleByName.cs +++ b/sdk/dotnet/AlertsManagement/AlertProcessingRuleByName.cs @@ -86,12 +86,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20181102privatepreview:AlertProcessingRuleByName" }, new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20190505preview:ActionRuleByName" }, - new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20190505preview:AlertProcessingRuleByName" }, new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20210808:AlertProcessingRuleByName" }, - new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20210808preview:AlertProcessingRuleByName" }, new global::Pulumi.Alias { Type = "azure-native:alertsmanagement:ActionRuleByName" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20181102privatepreview:alertsmanagement:AlertProcessingRuleByName" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20190505preview:alertsmanagement:AlertProcessingRuleByName" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20210808:alertsmanagement:AlertProcessingRuleByName" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20210808preview:alertsmanagement:AlertProcessingRuleByName" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AlertsManagement/PrometheusRuleGroup.cs b/sdk/dotnet/AlertsManagement/PrometheusRuleGroup.cs index f5321b44d780..ae34a55aea1e 100644 --- a/sdk/dotnet/AlertsManagement/PrometheusRuleGroup.cs +++ b/sdk/dotnet/AlertsManagement/PrometheusRuleGroup.cs @@ -116,8 +116,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20210722preview:PrometheusRuleGroup" }, new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20230301:PrometheusRuleGroup" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20210722preview:alertsmanagement:PrometheusRuleGroup" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20230301:alertsmanagement:PrometheusRuleGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AlertsManagement/SmartDetectorAlertRule.cs b/sdk/dotnet/AlertsManagement/SmartDetectorAlertRule.cs index b4a81d477dc3..3e86c656e532 100644 --- a/sdk/dotnet/AlertsManagement/SmartDetectorAlertRule.cs +++ b/sdk/dotnet/AlertsManagement/SmartDetectorAlertRule.cs @@ -122,9 +122,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20190301:SmartDetectorAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20190601:SmartDetectorAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:alertsmanagement/v20210401:SmartDetectorAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20190301:alertsmanagement:SmartDetectorAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20190601:alertsmanagement:SmartDetectorAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_alertsmanagement_v20210401:alertsmanagement:SmartDetectorAlertRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AnalysisServices/ServerDetails.cs b/sdk/dotnet/AnalysisServices/ServerDetails.cs index ec4d58b8ffa1..718920a7cc1d 100644 --- a/sdk/dotnet/AnalysisServices/ServerDetails.cs +++ b/sdk/dotnet/AnalysisServices/ServerDetails.cs @@ -138,10 +138,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:analysisservices/v20160516:ServerDetails" }, - new global::Pulumi.Alias { Type = "azure-native:analysisservices/v20170714:ServerDetails" }, new global::Pulumi.Alias { Type = "azure-native:analysisservices/v20170801:ServerDetails" }, new global::Pulumi.Alias { Type = "azure-native:analysisservices/v20170801beta:ServerDetails" }, + new global::Pulumi.Alias { Type = "azure-native_analysisservices_v20160516:analysisservices:ServerDetails" }, + new global::Pulumi.Alias { Type = "azure-native_analysisservices_v20170714:analysisservices:ServerDetails" }, + new global::Pulumi.Alias { Type = "azure-native_analysisservices_v20170801:analysisservices:ServerDetails" }, + new global::Pulumi.Alias { Type = "azure-native_analysisservices_v20170801beta:analysisservices:ServerDetails" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiCenter/Api.cs b/sdk/dotnet/ApiCenter/Api.cs index cf640b40913e..f61a0488b29f 100644 --- a/sdk/dotnet/ApiCenter/Api.cs +++ b/sdk/dotnet/ApiCenter/Api.cs @@ -131,6 +131,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240301:Api" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240315preview:Api" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240601preview:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240301:apicenter:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240315preview:apicenter:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240601preview:apicenter:Api" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiCenter/ApiDefinition.cs b/sdk/dotnet/ApiCenter/ApiDefinition.cs index 959877034f13..95e60aa81102 100644 --- a/sdk/dotnet/ApiCenter/ApiDefinition.cs +++ b/sdk/dotnet/ApiCenter/ApiDefinition.cs @@ -89,6 +89,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240301:ApiDefinition" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240315preview:ApiDefinition" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240601preview:ApiDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240301:apicenter:ApiDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240315preview:apicenter:ApiDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240601preview:apicenter:ApiDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiCenter/ApiSource.cs b/sdk/dotnet/ApiCenter/ApiSource.cs index fe8b7e579662..b471401f1962 100644 --- a/sdk/dotnet/ApiCenter/ApiSource.cs +++ b/sdk/dotnet/ApiCenter/ApiSource.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240601preview:ApiSource" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240601preview:apicenter:ApiSource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiCenter/ApiVersion.cs b/sdk/dotnet/ApiCenter/ApiVersion.cs index b1e5d163fac4..d577bd762c21 100644 --- a/sdk/dotnet/ApiCenter/ApiVersion.cs +++ b/sdk/dotnet/ApiCenter/ApiVersion.cs @@ -83,6 +83,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240301:ApiVersion" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240315preview:ApiVersion" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240601preview:ApiVersion" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240301:apicenter:ApiVersion" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240315preview:apicenter:ApiVersion" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240601preview:apicenter:ApiVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiCenter/Deployment.cs b/sdk/dotnet/ApiCenter/Deployment.cs index 7803f13a7c95..c4e71ade4a73 100644 --- a/sdk/dotnet/ApiCenter/Deployment.cs +++ b/sdk/dotnet/ApiCenter/Deployment.cs @@ -113,6 +113,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240301:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240315preview:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240601preview:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240301:apicenter:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240315preview:apicenter:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240601preview:apicenter:Deployment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiCenter/Environment.cs b/sdk/dotnet/ApiCenter/Environment.cs index 615692568de5..b5dad520ebf5 100644 --- a/sdk/dotnet/ApiCenter/Environment.cs +++ b/sdk/dotnet/ApiCenter/Environment.cs @@ -107,6 +107,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240301:Environment" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240315preview:Environment" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240601preview:Environment" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240301:apicenter:Environment" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240315preview:apicenter:Environment" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240601preview:apicenter:Environment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiCenter/MetadataSchema.cs b/sdk/dotnet/ApiCenter/MetadataSchema.cs index 91c3367d125a..d3aad6e50052 100644 --- a/sdk/dotnet/ApiCenter/MetadataSchema.cs +++ b/sdk/dotnet/ApiCenter/MetadataSchema.cs @@ -83,6 +83,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240301:MetadataSchema" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240315preview:MetadataSchema" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240601preview:MetadataSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240301:apicenter:MetadataSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240315preview:apicenter:MetadataSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240601preview:apicenter:MetadataSchema" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiCenter/Service.cs b/sdk/dotnet/ApiCenter/Service.cs index d6f7b1cef98b..20cab73d17a1 100644 --- a/sdk/dotnet/ApiCenter/Service.cs +++ b/sdk/dotnet/ApiCenter/Service.cs @@ -102,6 +102,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240301:Service" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240315preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240601preview:Service" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20230701preview:apicenter:Service" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240301:apicenter:Service" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240315preview:apicenter:Service" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240601preview:apicenter:Service" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiCenter/Workspace.cs b/sdk/dotnet/ApiCenter/Workspace.cs index ea38f8ace34a..df343ce5c4a3 100644 --- a/sdk/dotnet/ApiCenter/Workspace.cs +++ b/sdk/dotnet/ApiCenter/Workspace.cs @@ -83,6 +83,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240301:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240315preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:apicenter/v20240601preview:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240301:apicenter:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240315preview:apicenter:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_apicenter_v20240601preview:apicenter:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Api.cs b/sdk/dotnet/ApiManagement/Api.cs index 2b57e5bdafae..a23e97b0f794 100644 --- a/sdk/dotnet/ApiManagement/Api.cs +++ b/sdk/dotnet/ApiManagement/Api.cs @@ -188,21 +188,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:Api" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:Api" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:Api" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:Api" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:Api" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:Api" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Api" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Api" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Api" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Api" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Api" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Api" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Api" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Api" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Api" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Api" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Api" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Api" }, @@ -210,6 +198,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Api" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Api" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Api" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Api" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiDiagnostic.cs b/sdk/dotnet/ApiManagement/ApiDiagnostic.cs index 6024098c606e..779169715bdb 100644 --- a/sdk/dotnet/ApiManagement/ApiDiagnostic.cs +++ b/sdk/dotnet/ApiManagement/ApiDiagnostic.cs @@ -122,19 +122,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiDiagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiDiagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiDiagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiDiagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiDiagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiDiagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiDiagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiDiagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiDiagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiDiagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiDiagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiDiagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiDiagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiDiagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiDiagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiDiagnostic" }, @@ -142,6 +131,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiDiagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiDiagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiDiagnostic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiGateway.cs b/sdk/dotnet/ApiManagement/ApiGateway.cs index ef32bda128b6..7350f23ca1ba 100644 --- a/sdk/dotnet/ApiManagement/ApiGateway.cs +++ b/sdk/dotnet/ApiManagement/ApiGateway.cs @@ -137,6 +137,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiGateway" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiGateway" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiGateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiGateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiGateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiGatewayConfigConnection.cs b/sdk/dotnet/ApiManagement/ApiGatewayConfigConnection.cs index 782a882eb24a..f94f0f9d03ce 100644 --- a/sdk/dotnet/ApiManagement/ApiGatewayConfigConnection.cs +++ b/sdk/dotnet/ApiManagement/ApiGatewayConfigConnection.cs @@ -95,6 +95,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiGatewayConfigConnection" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiGatewayConfigConnection" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiGatewayConfigConnection" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiGatewayConfigConnection" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiGatewayConfigConnection" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiGatewayConfigConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiIssue.cs b/sdk/dotnet/ApiManagement/ApiIssue.cs index b059fe5dce20..6c7cb8a69a7e 100644 --- a/sdk/dotnet/ApiManagement/ApiIssue.cs +++ b/sdk/dotnet/ApiManagement/ApiIssue.cs @@ -98,19 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiIssue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiIssue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiIssue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiIssue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiIssue" }, @@ -118,6 +105,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiIssue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiIssue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiIssue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiIssue" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiIssueAttachment.cs b/sdk/dotnet/ApiManagement/ApiIssueAttachment.cs index f99feafb4850..78d2f908594b 100644 --- a/sdk/dotnet/ApiManagement/ApiIssueAttachment.cs +++ b/sdk/dotnet/ApiManagement/ApiIssueAttachment.cs @@ -80,19 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiIssueAttachment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiIssueAttachment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiIssueAttachment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiIssueAttachment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiIssueAttachment" }, @@ -100,6 +87,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiIssueAttachment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiIssueAttachment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiIssueAttachment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiIssueAttachment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiIssueComment.cs b/sdk/dotnet/ApiManagement/ApiIssueComment.cs index 8c121fd9bf08..68501dd31dc8 100644 --- a/sdk/dotnet/ApiManagement/ApiIssueComment.cs +++ b/sdk/dotnet/ApiManagement/ApiIssueComment.cs @@ -80,19 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiIssueComment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiIssueComment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiIssueComment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiIssueComment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiIssueComment" }, @@ -100,6 +87,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiIssueComment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiIssueComment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiIssueComment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiIssueComment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiManagementService.cs b/sdk/dotnet/ApiManagement/ApiManagementService.cs index ef1d350e057f..91b7696da44e 100644 --- a/sdk/dotnet/ApiManagement/ApiManagementService.cs +++ b/sdk/dotnet/ApiManagement/ApiManagementService.cs @@ -284,21 +284,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:ApiManagementService" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:ApiManagementService" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiManagementService" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiManagementService" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiManagementService" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiManagementService" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiManagementService" }, @@ -306,6 +293,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiManagementService" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiManagementService" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiManagementService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiOperation.cs b/sdk/dotnet/ApiManagement/ApiOperation.cs index edbcafe12ca5..1d7f877b48a7 100644 --- a/sdk/dotnet/ApiManagement/ApiOperation.cs +++ b/sdk/dotnet/ApiManagement/ApiOperation.cs @@ -110,21 +110,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiOperation" }, @@ -132,6 +117,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiOperationPolicy.cs b/sdk/dotnet/ApiManagement/ApiOperationPolicy.cs index 1a28b2eb4129..416191105f86 100644 --- a/sdk/dotnet/ApiManagement/ApiOperationPolicy.cs +++ b/sdk/dotnet/ApiManagement/ApiOperationPolicy.cs @@ -74,19 +74,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiOperationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiOperationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiOperationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiOperationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiOperationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiOperationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiOperationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiOperationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiOperationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiOperationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiOperationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiOperationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiOperationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiOperationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiOperationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiOperationPolicy" }, @@ -94,6 +82,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiOperationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiOperationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiOperationPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiPolicy.cs b/sdk/dotnet/ApiManagement/ApiPolicy.cs index 901debdcdb91..2cf3fc59a773 100644 --- a/sdk/dotnet/ApiManagement/ApiPolicy.cs +++ b/sdk/dotnet/ApiManagement/ApiPolicy.cs @@ -74,19 +74,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiPolicy" }, @@ -94,6 +82,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiRelease.cs b/sdk/dotnet/ApiManagement/ApiRelease.cs index fc8369fe88af..f2c3626551df 100644 --- a/sdk/dotnet/ApiManagement/ApiRelease.cs +++ b/sdk/dotnet/ApiManagement/ApiRelease.cs @@ -86,19 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiRelease" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiRelease" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiRelease" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiRelease" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiRelease" }, @@ -106,6 +93,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiRelease" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiRelease" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiRelease" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiSchema.cs b/sdk/dotnet/ApiManagement/ApiSchema.cs index a01392fc8c3d..26be4414fcfe 100644 --- a/sdk/dotnet/ApiManagement/ApiSchema.cs +++ b/sdk/dotnet/ApiManagement/ApiSchema.cs @@ -86,19 +86,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiSchema" }, @@ -106,6 +94,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiSchema" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiTagDescription.cs b/sdk/dotnet/ApiManagement/ApiTagDescription.cs index 0b6b902c0d6f..7ea9ee2dd548 100644 --- a/sdk/dotnet/ApiManagement/ApiTagDescription.cs +++ b/sdk/dotnet/ApiManagement/ApiTagDescription.cs @@ -92,20 +92,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiTagDescription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiTagDescription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiTagDescription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:TagDescription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiTagDescription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiTagDescription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiTagDescription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiTagDescription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiTagDescription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiTagDescription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiTagDescription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiTagDescription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiTagDescription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiTagDescription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiTagDescription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiTagDescription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiTagDescription" }, @@ -113,6 +101,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiTagDescription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiTagDescription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiTagDescription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiTagDescription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiVersionSet.cs b/sdk/dotnet/ApiManagement/ApiVersionSet.cs index 8f7c1efea663..79666f3dd863 100644 --- a/sdk/dotnet/ApiManagement/ApiVersionSet.cs +++ b/sdk/dotnet/ApiManagement/ApiVersionSet.cs @@ -92,19 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ApiVersionSet" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ApiVersionSet" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ApiVersionSet" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ApiVersionSet" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ApiVersionSet" }, @@ -112,6 +99,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiVersionSet" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiVersionSet" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiVersionSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ApiWiki.cs b/sdk/dotnet/ApiManagement/ApiWiki.cs index 2bdc54eeee15..e1b35ab462a0 100644 --- a/sdk/dotnet/ApiManagement/ApiWiki.cs +++ b/sdk/dotnet/ApiManagement/ApiWiki.cs @@ -75,6 +75,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ApiWiki" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ApiWiki" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ApiWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ApiWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ApiWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ApiWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ApiWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ApiWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ApiWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ApiWiki" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Authorization.cs b/sdk/dotnet/ApiManagement/Authorization.cs index 42fd2b494b84..b32590edb2e3 100644 --- a/sdk/dotnet/ApiManagement/Authorization.cs +++ b/sdk/dotnet/ApiManagement/Authorization.cs @@ -92,7 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Authorization" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Authorization" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Authorization" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Authorization" }, @@ -100,6 +99,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Authorization" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Authorization" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Authorization" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Authorization" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/AuthorizationAccessPolicy.cs b/sdk/dotnet/ApiManagement/AuthorizationAccessPolicy.cs index d0b69b96592f..968458f72da3 100644 --- a/sdk/dotnet/ApiManagement/AuthorizationAccessPolicy.cs +++ b/sdk/dotnet/ApiManagement/AuthorizationAccessPolicy.cs @@ -74,7 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:AuthorizationAccessPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:AuthorizationAccessPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:AuthorizationAccessPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:AuthorizationAccessPolicy" }, @@ -82,6 +81,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:AuthorizationAccessPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:AuthorizationAccessPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:AuthorizationAccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationAccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:AuthorizationAccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationAccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationAccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationAccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationAccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:AuthorizationAccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationAccessPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/AuthorizationProvider.cs b/sdk/dotnet/ApiManagement/AuthorizationProvider.cs index 4bbcf2f9c651..db48a38df6e2 100644 --- a/sdk/dotnet/ApiManagement/AuthorizationProvider.cs +++ b/sdk/dotnet/ApiManagement/AuthorizationProvider.cs @@ -80,7 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:AuthorizationProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:AuthorizationProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:AuthorizationProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:AuthorizationProvider" }, @@ -88,6 +87,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:AuthorizationProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:AuthorizationProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:AuthorizationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:AuthorizationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:AuthorizationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationProvider" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/AuthorizationServer.cs b/sdk/dotnet/ApiManagement/AuthorizationServer.cs index 601059d0fb8b..8743074fb6a6 100644 --- a/sdk/dotnet/ApiManagement/AuthorizationServer.cs +++ b/sdk/dotnet/ApiManagement/AuthorizationServer.cs @@ -170,21 +170,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:AuthorizationServer" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:AuthorizationServer" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:AuthorizationServer" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:AuthorizationServer" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:AuthorizationServer" }, @@ -192,6 +177,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:AuthorizationServer" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:AuthorizationServer" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:AuthorizationServer" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationServer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Backend.cs b/sdk/dotnet/ApiManagement/Backend.cs index 0a98ab0f7f54..0971b575f709 100644 --- a/sdk/dotnet/ApiManagement/Backend.cs +++ b/sdk/dotnet/ApiManagement/Backend.cs @@ -122,21 +122,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:Backend" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Backend" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Backend" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Backend" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Backend" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Backend" }, @@ -144,6 +130,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Backend" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Backend" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Backend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Backend" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Cache.cs b/sdk/dotnet/ApiManagement/Cache.cs index 5bb9e6eeb31e..5505a6f3c4ae 100644 --- a/sdk/dotnet/ApiManagement/Cache.cs +++ b/sdk/dotnet/ApiManagement/Cache.cs @@ -86,17 +86,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Cache" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Cache" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Cache" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Cache" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Cache" }, @@ -104,6 +94,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Cache" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Cache" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Cache" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Certificate.cs b/sdk/dotnet/ApiManagement/Certificate.cs index fe8ee021269b..a6d7a368cc4d 100644 --- a/sdk/dotnet/ApiManagement/Certificate.cs +++ b/sdk/dotnet/ApiManagement/Certificate.cs @@ -86,21 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Certificate" }, @@ -108,6 +93,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Certificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ContentItem.cs b/sdk/dotnet/ApiManagement/ContentItem.cs index becbb8781fcf..b9c9caf53d08 100644 --- a/sdk/dotnet/ApiManagement/ContentItem.cs +++ b/sdk/dotnet/ApiManagement/ContentItem.cs @@ -68,14 +68,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ContentItem" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ContentItem" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ContentItem" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ContentItem" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ContentItem" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ContentItem" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ContentItem" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ContentItem" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ContentItem" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ContentItem" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ContentItem" }, @@ -83,6 +75,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ContentItem" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ContentItem" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ContentItem" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ContentItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ContentType.cs b/sdk/dotnet/ApiManagement/ContentType.cs index aea89e69371c..cc27b65ecafe 100644 --- a/sdk/dotnet/ApiManagement/ContentType.cs +++ b/sdk/dotnet/ApiManagement/ContentType.cs @@ -80,14 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ContentType" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ContentType" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ContentType" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ContentType" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ContentType" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ContentType" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ContentType" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ContentType" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ContentType" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ContentType" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ContentType" }, @@ -95,6 +87,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ContentType" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ContentType" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ContentType" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ContentType" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Diagnostic.cs b/sdk/dotnet/ApiManagement/Diagnostic.cs index 1a47a18ddda8..e5f3d0cff266 100644 --- a/sdk/dotnet/ApiManagement/Diagnostic.cs +++ b/sdk/dotnet/ApiManagement/Diagnostic.cs @@ -122,19 +122,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:Diagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:Diagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:Diagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:Diagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Diagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Diagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Diagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Diagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Diagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Diagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Diagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Diagnostic" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Diagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Diagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Diagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Diagnostic" }, @@ -142,6 +131,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Diagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Diagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Diagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Diagnostic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Documentation.cs b/sdk/dotnet/ApiManagement/Documentation.cs index 1354d88e55f9..f91ce227a5ce 100644 --- a/sdk/dotnet/ApiManagement/Documentation.cs +++ b/sdk/dotnet/ApiManagement/Documentation.cs @@ -81,6 +81,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Documentation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Documentation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Documentation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Documentation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Documentation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Documentation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Documentation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Documentation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Documentation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Documentation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/EmailTemplate.cs b/sdk/dotnet/ApiManagement/EmailTemplate.cs index 9f04cc43f2c8..f90e9eff4f52 100644 --- a/sdk/dotnet/ApiManagement/EmailTemplate.cs +++ b/sdk/dotnet/ApiManagement/EmailTemplate.cs @@ -98,19 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:EmailTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:EmailTemplate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:EmailTemplate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:EmailTemplate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:EmailTemplate" }, @@ -118,6 +105,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:EmailTemplate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:EmailTemplate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:EmailTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:EmailTemplate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Gateway.cs b/sdk/dotnet/ApiManagement/Gateway.cs index 263cf0b53eed..8c562c46a04f 100644 --- a/sdk/dotnet/ApiManagement/Gateway.cs +++ b/sdk/dotnet/ApiManagement/Gateway.cs @@ -74,15 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Gateway" }, @@ -90,6 +81,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Gateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/GatewayApiEntityTag.cs b/sdk/dotnet/ApiManagement/GatewayApiEntityTag.cs index 236d4b75e9c1..4258a45ca29e 100644 --- a/sdk/dotnet/ApiManagement/GatewayApiEntityTag.cs +++ b/sdk/dotnet/ApiManagement/GatewayApiEntityTag.cs @@ -188,15 +188,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:GatewayApiEntityTag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:GatewayApiEntityTag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:GatewayApiEntityTag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:GatewayApiEntityTag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:GatewayApiEntityTag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:GatewayApiEntityTag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:GatewayApiEntityTag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:GatewayApiEntityTag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:GatewayApiEntityTag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:GatewayApiEntityTag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:GatewayApiEntityTag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:GatewayApiEntityTag" }, @@ -204,6 +195,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:GatewayApiEntityTag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:GatewayApiEntityTag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:GatewayApiEntityTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:GatewayApiEntityTag" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/GatewayCertificateAuthority.cs b/sdk/dotnet/ApiManagement/GatewayCertificateAuthority.cs index 9d21fc616766..9f8250a23df0 100644 --- a/sdk/dotnet/ApiManagement/GatewayCertificateAuthority.cs +++ b/sdk/dotnet/ApiManagement/GatewayCertificateAuthority.cs @@ -68,13 +68,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:GatewayCertificateAuthority" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:GatewayCertificateAuthority" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:GatewayCertificateAuthority" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:GatewayCertificateAuthority" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:GatewayCertificateAuthority" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:GatewayCertificateAuthority" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:GatewayCertificateAuthority" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:GatewayCertificateAuthority" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:GatewayCertificateAuthority" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:GatewayCertificateAuthority" }, @@ -82,6 +75,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:GatewayCertificateAuthority" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:GatewayCertificateAuthority" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:GatewayCertificateAuthority" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:GatewayCertificateAuthority" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/GatewayHostnameConfiguration.cs b/sdk/dotnet/ApiManagement/GatewayHostnameConfiguration.cs index cf84786faf2d..73ec1a4bb4d1 100644 --- a/sdk/dotnet/ApiManagement/GatewayHostnameConfiguration.cs +++ b/sdk/dotnet/ApiManagement/GatewayHostnameConfiguration.cs @@ -98,15 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:GatewayHostnameConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:GatewayHostnameConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:GatewayHostnameConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:GatewayHostnameConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:GatewayHostnameConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:GatewayHostnameConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:GatewayHostnameConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:GatewayHostnameConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:GatewayHostnameConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:GatewayHostnameConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:GatewayHostnameConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:GatewayHostnameConfiguration" }, @@ -114,6 +105,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:GatewayHostnameConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:GatewayHostnameConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:GatewayHostnameConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:GatewayHostnameConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/GlobalSchema.cs b/sdk/dotnet/ApiManagement/GlobalSchema.cs index 7d316e80352e..3d9e6901282e 100644 --- a/sdk/dotnet/ApiManagement/GlobalSchema.cs +++ b/sdk/dotnet/ApiManagement/GlobalSchema.cs @@ -80,11 +80,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:GlobalSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Schema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:GlobalSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:GlobalSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:GlobalSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:GlobalSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:GlobalSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:GlobalSchema" }, @@ -93,6 +89,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:GlobalSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:GlobalSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:GlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:GlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:GlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:GlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:GlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:GlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:GlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:GlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:GlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:GlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:GlobalSchema" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/GraphQLApiResolver.cs b/sdk/dotnet/ApiManagement/GraphQLApiResolver.cs index 91dc6479433c..bccae69c5b1f 100644 --- a/sdk/dotnet/ApiManagement/GraphQLApiResolver.cs +++ b/sdk/dotnet/ApiManagement/GraphQLApiResolver.cs @@ -87,6 +87,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:GraphQLApiResolver" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:GraphQLApiResolver" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:GraphQLApiResolver" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:GraphQLApiResolver" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:GraphQLApiResolver" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:GraphQLApiResolver" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:GraphQLApiResolver" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:GraphQLApiResolver" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:GraphQLApiResolver" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:GraphQLApiResolver" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/GraphQLApiResolverPolicy.cs b/sdk/dotnet/ApiManagement/GraphQLApiResolverPolicy.cs index 4a49558b211d..ff142562da73 100644 --- a/sdk/dotnet/ApiManagement/GraphQLApiResolverPolicy.cs +++ b/sdk/dotnet/ApiManagement/GraphQLApiResolverPolicy.cs @@ -81,6 +81,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:GraphQLApiResolverPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:GraphQLApiResolverPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:GraphQLApiResolverPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:GraphQLApiResolverPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:GraphQLApiResolverPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:GraphQLApiResolverPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:GraphQLApiResolverPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:GraphQLApiResolverPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:GraphQLApiResolverPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:GraphQLApiResolverPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Group.cs b/sdk/dotnet/ApiManagement/Group.cs index b00cb591a608..192029e9a6c2 100644 --- a/sdk/dotnet/ApiManagement/Group.cs +++ b/sdk/dotnet/ApiManagement/Group.cs @@ -86,21 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Group" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Group" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Group" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Group" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Group" }, @@ -108,6 +93,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Group" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Group" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Group" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Group" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/GroupUser.cs b/sdk/dotnet/ApiManagement/GroupUser.cs index 80c68fe1dddc..eb6dc01f3ffc 100644 --- a/sdk/dotnet/ApiManagement/GroupUser.cs +++ b/sdk/dotnet/ApiManagement/GroupUser.cs @@ -112,17 +112,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:GroupUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:GroupUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:GroupUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:GroupUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:GroupUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:GroupUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:GroupUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:GroupUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:GroupUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:GroupUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:GroupUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:GroupUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:GroupUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:GroupUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:GroupUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:GroupUser" }, @@ -130,6 +119,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:GroupUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:GroupUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:GroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:GroupUser" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/IdentityProvider.cs b/sdk/dotnet/ApiManagement/IdentityProvider.cs index 4ba938de90d3..5eb3046efed7 100644 --- a/sdk/dotnet/ApiManagement/IdentityProvider.cs +++ b/sdk/dotnet/ApiManagement/IdentityProvider.cs @@ -122,21 +122,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:IdentityProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:IdentityProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:IdentityProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:IdentityProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:IdentityProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:IdentityProvider" }, @@ -144,6 +130,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:IdentityProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:IdentityProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:IdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:IdentityProvider" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Logger.cs b/sdk/dotnet/ApiManagement/Logger.cs index dcdc18dee6b7..695d8ab7f473 100644 --- a/sdk/dotnet/ApiManagement/Logger.cs +++ b/sdk/dotnet/ApiManagement/Logger.cs @@ -93,21 +93,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:Logger" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:Logger" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:Logger" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:Logger" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:Logger" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:Logger" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Logger" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Logger" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Logger" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Logger" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Logger" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Logger" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Logger" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Logger" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Logger" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Logger" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Logger" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Logger" }, @@ -115,6 +103,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Logger" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Logger" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Logger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Logger" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/NamedValue.cs b/sdk/dotnet/ApiManagement/NamedValue.cs index 223eb0d1809c..34bc446a1e6b 100644 --- a/sdk/dotnet/ApiManagement/NamedValue.cs +++ b/sdk/dotnet/ApiManagement/NamedValue.cs @@ -92,15 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:NamedValue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:NamedValue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:NamedValue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:NamedValue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:NamedValue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:NamedValue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:NamedValue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:NamedValue" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:NamedValue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:NamedValue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:NamedValue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:NamedValue" }, @@ -108,6 +99,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:NamedValue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:NamedValue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:NamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:NamedValue" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/NotificationRecipientEmail.cs b/sdk/dotnet/ApiManagement/NotificationRecipientEmail.cs index 3196b8c5c5c0..0da1e0506449 100644 --- a/sdk/dotnet/ApiManagement/NotificationRecipientEmail.cs +++ b/sdk/dotnet/ApiManagement/NotificationRecipientEmail.cs @@ -68,19 +68,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:NotificationRecipientEmail" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:NotificationRecipientEmail" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:NotificationRecipientEmail" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:NotificationRecipientEmail" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:NotificationRecipientEmail" }, @@ -88,6 +75,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:NotificationRecipientEmail" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:NotificationRecipientEmail" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:NotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:NotificationRecipientEmail" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/NotificationRecipientUser.cs b/sdk/dotnet/ApiManagement/NotificationRecipientUser.cs index f9b1d6822d67..7b8b3615ee3a 100644 --- a/sdk/dotnet/ApiManagement/NotificationRecipientUser.cs +++ b/sdk/dotnet/ApiManagement/NotificationRecipientUser.cs @@ -68,19 +68,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:NotificationRecipientUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:NotificationRecipientUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:NotificationRecipientUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:NotificationRecipientUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:NotificationRecipientUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:NotificationRecipientUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:NotificationRecipientUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:NotificationRecipientUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:NotificationRecipientUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:NotificationRecipientUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:NotificationRecipientUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:NotificationRecipientUser" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:NotificationRecipientUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:NotificationRecipientUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:NotificationRecipientUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:NotificationRecipientUser" }, @@ -88,6 +76,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:NotificationRecipientUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:NotificationRecipientUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:NotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:NotificationRecipientUser" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/OpenIdConnectProvider.cs b/sdk/dotnet/ApiManagement/OpenIdConnectProvider.cs index 8fc2c1858fd7..9dfed2575ff8 100644 --- a/sdk/dotnet/ApiManagement/OpenIdConnectProvider.cs +++ b/sdk/dotnet/ApiManagement/OpenIdConnectProvider.cs @@ -104,21 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:OpenIdConnectProvider" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:OpenIdConnectProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:OpenIdConnectProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:OpenIdConnectProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:OpenIdConnectProvider" }, @@ -126,6 +111,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:OpenIdConnectProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:OpenIdConnectProvider" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:OpenIdConnectProvider" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:OpenIdConnectProvider" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Policy.cs b/sdk/dotnet/ApiManagement/Policy.cs index 4cd72141c0e6..3a890b2ffd55 100644 --- a/sdk/dotnet/ApiManagement/Policy.cs +++ b/sdk/dotnet/ApiManagement/Policy.cs @@ -74,19 +74,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:Policy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Policy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Policy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Policy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Policy" }, @@ -94,6 +82,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Policy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Policy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Policy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/PolicyFragment.cs b/sdk/dotnet/ApiManagement/PolicyFragment.cs index c369e81a6304..47726e9f01fb 100644 --- a/sdk/dotnet/ApiManagement/PolicyFragment.cs +++ b/sdk/dotnet/ApiManagement/PolicyFragment.cs @@ -80,8 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:PolicyFragment" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:PolicyFragment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:PolicyFragment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:PolicyFragment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:PolicyFragment" }, @@ -89,6 +87,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:PolicyFragment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:PolicyFragment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:PolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:PolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:PolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:PolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:PolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:PolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:PolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:PolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:PolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:PolicyFragment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/PolicyRestriction.cs b/sdk/dotnet/ApiManagement/PolicyRestriction.cs index d3dbf5803cd2..0b214fc42026 100644 --- a/sdk/dotnet/ApiManagement/PolicyRestriction.cs +++ b/sdk/dotnet/ApiManagement/PolicyRestriction.cs @@ -78,6 +78,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:PolicyRestriction" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:PolicyRestriction" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:PolicyRestriction" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:PolicyRestriction" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:PolicyRestriction" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:PolicyRestriction" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:PolicyRestriction" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/PrivateEndpointConnectionByName.cs b/sdk/dotnet/ApiManagement/PrivateEndpointConnectionByName.cs index add18bf44db7..bff30cfd2bea 100644 --- a/sdk/dotnet/ApiManagement/PrivateEndpointConnectionByName.cs +++ b/sdk/dotnet/ApiManagement/PrivateEndpointConnectionByName.cs @@ -80,10 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:PrivateEndpointConnectionByName" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:PrivateEndpointConnectionByName" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:PrivateEndpointConnectionByName" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:PrivateEndpointConnectionByName" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:PrivateEndpointConnectionByName" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:PrivateEndpointConnectionByName" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:PrivateEndpointConnectionByName" }, @@ -91,6 +87,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:PrivateEndpointConnectionByName" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:PrivateEndpointConnectionByName" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:PrivateEndpointConnectionByName" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:PrivateEndpointConnectionByName" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:PrivateEndpointConnectionByName" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:PrivateEndpointConnectionByName" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:PrivateEndpointConnectionByName" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:PrivateEndpointConnectionByName" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:PrivateEndpointConnectionByName" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:PrivateEndpointConnectionByName" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:PrivateEndpointConnectionByName" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:PrivateEndpointConnectionByName" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:PrivateEndpointConnectionByName" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:PrivateEndpointConnectionByName" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Product.cs b/sdk/dotnet/ApiManagement/Product.cs index 9b0e72ce2e72..ab5fea54baf4 100644 --- a/sdk/dotnet/ApiManagement/Product.cs +++ b/sdk/dotnet/ApiManagement/Product.cs @@ -104,21 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Product" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Product" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Product" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Product" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Product" }, @@ -126,6 +111,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Product" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Product" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Product" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Product" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ProductApi.cs b/sdk/dotnet/ApiManagement/ProductApi.cs index 5a637dfc3cfb..cf774d9dca72 100644 --- a/sdk/dotnet/ApiManagement/ProductApi.cs +++ b/sdk/dotnet/ApiManagement/ProductApi.cs @@ -189,18 +189,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ProductApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ProductApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ProductApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ProductApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ProductApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ProductApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ProductApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ProductApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ProductApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ProductApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ProductApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ProductApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ProductApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ProductApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ProductApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ProductApi" }, @@ -208,6 +197,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ProductApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ProductApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ProductApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ProductApi" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ProductApiLink.cs b/sdk/dotnet/ApiManagement/ProductApiLink.cs index 99c3560ec456..28ec19fc58b0 100644 --- a/sdk/dotnet/ApiManagement/ProductApiLink.cs +++ b/sdk/dotnet/ApiManagement/ProductApiLink.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ProductApiLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ProductApiLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ProductApiLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ProductGroup.cs b/sdk/dotnet/ApiManagement/ProductGroup.cs index baf491ad718f..e64ebf8e9d69 100644 --- a/sdk/dotnet/ApiManagement/ProductGroup.cs +++ b/sdk/dotnet/ApiManagement/ProductGroup.cs @@ -86,19 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ProductGroup" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ProductGroup" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ProductGroup" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ProductGroup" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ProductGroup" }, @@ -106,6 +93,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ProductGroup" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ProductGroup" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ProductGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ProductGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ProductGroupLink.cs b/sdk/dotnet/ApiManagement/ProductGroupLink.cs index f44b3ca59794..4e0346d7f685 100644 --- a/sdk/dotnet/ApiManagement/ProductGroupLink.cs +++ b/sdk/dotnet/ApiManagement/ProductGroupLink.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ProductGroupLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ProductGroupLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ProductGroupLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ProductPolicy.cs b/sdk/dotnet/ApiManagement/ProductPolicy.cs index 357231d2e1d5..e799e434ac72 100644 --- a/sdk/dotnet/ApiManagement/ProductPolicy.cs +++ b/sdk/dotnet/ApiManagement/ProductPolicy.cs @@ -74,19 +74,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:ProductPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:ProductPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:ProductPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:ProductPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:ProductPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:ProductPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:ProductPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:ProductPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:ProductPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:ProductPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:ProductPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:ProductPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:ProductPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:ProductPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:ProductPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:ProductPolicy" }, @@ -94,6 +82,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ProductPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ProductPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ProductPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/ProductWiki.cs b/sdk/dotnet/ApiManagement/ProductWiki.cs index bb3282a7586c..4d901c3f5dbe 100644 --- a/sdk/dotnet/ApiManagement/ProductWiki.cs +++ b/sdk/dotnet/ApiManagement/ProductWiki.cs @@ -75,6 +75,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:ProductWiki" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:ProductWiki" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:ProductWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:ProductWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:ProductWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:ProductWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:ProductWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:ProductWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:ProductWiki" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:ProductWiki" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Schema.cs b/sdk/dotnet/ApiManagement/Schema.cs index b4e2584830fe..3670e0e758aa 100644 --- a/sdk/dotnet/ApiManagement/Schema.cs +++ b/sdk/dotnet/ApiManagement/Schema.cs @@ -79,24 +79,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Schema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Schema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Schema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Schema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:GlobalSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Schema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:GlobalSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Schema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:GlobalSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Schema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230501preview:GlobalSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230501preview:Schema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:GlobalSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Schema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:GlobalSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Schema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:GlobalSchema" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Schema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement:GlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Schema" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Subscription.cs b/sdk/dotnet/ApiManagement/Subscription.cs index 07cce66a625c..536262296e2d 100644 --- a/sdk/dotnet/ApiManagement/Subscription.cs +++ b/sdk/dotnet/ApiManagement/Subscription.cs @@ -140,21 +140,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:Subscription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:Subscription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Subscription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Subscription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Subscription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Subscription" }, @@ -162,6 +149,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Subscription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Subscription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Subscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Tag.cs b/sdk/dotnet/ApiManagement/Tag.cs index 2c8272eed64c..222e352e9ec3 100644 --- a/sdk/dotnet/ApiManagement/Tag.cs +++ b/sdk/dotnet/ApiManagement/Tag.cs @@ -68,19 +68,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:Tag" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:Tag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:Tag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:Tag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:Tag" }, @@ -88,6 +75,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Tag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Tag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Tag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Tag" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/TagApiLink.cs b/sdk/dotnet/ApiManagement/TagApiLink.cs index 89c874aacb9d..4f2d83014ed1 100644 --- a/sdk/dotnet/ApiManagement/TagApiLink.cs +++ b/sdk/dotnet/ApiManagement/TagApiLink.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:TagApiLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:TagApiLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:TagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:TagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:TagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:TagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:TagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:TagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:TagApiLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/TagByApi.cs b/sdk/dotnet/ApiManagement/TagByApi.cs index 1a0f3b6ec805..99870f41061a 100644 --- a/sdk/dotnet/ApiManagement/TagByApi.cs +++ b/sdk/dotnet/ApiManagement/TagByApi.cs @@ -68,19 +68,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:TagByApi" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:TagByApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:TagByApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:TagByApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:TagByApi" }, @@ -88,6 +75,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:TagByApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:TagByApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:TagByApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:TagByApi" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/TagByOperation.cs b/sdk/dotnet/ApiManagement/TagByOperation.cs index d6a462efb1ae..f7c03b3a4986 100644 --- a/sdk/dotnet/ApiManagement/TagByOperation.cs +++ b/sdk/dotnet/ApiManagement/TagByOperation.cs @@ -68,19 +68,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:TagByOperation" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:TagByOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:TagByOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:TagByOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:TagByOperation" }, @@ -88,6 +75,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:TagByOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:TagByOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:TagByOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:TagByOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/TagByProduct.cs b/sdk/dotnet/ApiManagement/TagByProduct.cs index 379a6affaeb0..fdbd20c8f973 100644 --- a/sdk/dotnet/ApiManagement/TagByProduct.cs +++ b/sdk/dotnet/ApiManagement/TagByProduct.cs @@ -68,19 +68,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:TagByProduct" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:TagByProduct" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:TagByProduct" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:TagByProduct" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:TagByProduct" }, @@ -88,6 +75,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:TagByProduct" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:TagByProduct" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:TagByProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:TagByProduct" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/TagOperationLink.cs b/sdk/dotnet/ApiManagement/TagOperationLink.cs index 2fceaabf734c..abd0205ed9b1 100644 --- a/sdk/dotnet/ApiManagement/TagOperationLink.cs +++ b/sdk/dotnet/ApiManagement/TagOperationLink.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:TagOperationLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:TagOperationLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:TagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:TagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:TagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:TagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:TagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:TagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:TagOperationLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/TagProductLink.cs b/sdk/dotnet/ApiManagement/TagProductLink.cs index 2c89f1322ecd..05465e6d7966 100644 --- a/sdk/dotnet/ApiManagement/TagProductLink.cs +++ b/sdk/dotnet/ApiManagement/TagProductLink.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:TagProductLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:TagProductLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:TagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:TagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:TagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:TagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:TagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:TagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:TagProductLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/User.cs b/sdk/dotnet/ApiManagement/User.cs index 8367f2a21163..24104fa2ce54 100644 --- a/sdk/dotnet/ApiManagement/User.cs +++ b/sdk/dotnet/ApiManagement/User.cs @@ -110,21 +110,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20160707:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20161010:User" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20170301:User" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180101:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20180601preview:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20190101:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20191201preview:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20200601preview:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20201201:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210101preview:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210401preview:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20210801:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20211201preview:User" }, - new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220401preview:User" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220801:User" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20220901preview:User" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230301preview:User" }, @@ -132,6 +119,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:User" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:User" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20160707:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20161010:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20170301:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180101:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20180601preview:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20190101:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20191201preview:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20200601preview:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20201201:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210101preview:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210401preview:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20210801:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20211201preview:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220401preview:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220801:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:User" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:User" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/Workspace.cs b/sdk/dotnet/ApiManagement/Workspace.cs index 0d657d4102b1..14432cc49472 100644 --- a/sdk/dotnet/ApiManagement/Workspace.cs +++ b/sdk/dotnet/ApiManagement/Workspace.cs @@ -80,6 +80,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceApi.cs b/sdk/dotnet/ApiManagement/WorkspaceApi.cs index 1fd8a2e606f5..99c88b6a3adc 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceApi.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceApi.cs @@ -194,6 +194,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceApi" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApi" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApi" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceApiDiagnostic.cs b/sdk/dotnet/ApiManagement/WorkspaceApiDiagnostic.cs index 09e7108c1397..a09fe0917916 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceApiDiagnostic.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceApiDiagnostic.cs @@ -131,6 +131,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceApiDiagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceApiDiagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiDiagnostic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceApiOperation.cs b/sdk/dotnet/ApiManagement/WorkspaceApiOperation.cs index a7fe16141fd8..7fc1fb4bf84b 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceApiOperation.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceApiOperation.cs @@ -116,6 +116,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceApiOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceApiOperation" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiOperation" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceApiOperationPolicy.cs b/sdk/dotnet/ApiManagement/WorkspaceApiOperationPolicy.cs index a37a0aae38e8..69741ade14ee 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceApiOperationPolicy.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceApiOperationPolicy.cs @@ -80,6 +80,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceApiOperationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceApiOperationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiOperationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiOperationPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceApiPolicy.cs b/sdk/dotnet/ApiManagement/WorkspaceApiPolicy.cs index ceb896ac4d1b..e65bc0939836 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceApiPolicy.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceApiPolicy.cs @@ -80,6 +80,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceApiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceApiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceApiRelease.cs b/sdk/dotnet/ApiManagement/WorkspaceApiRelease.cs index 491a6f226bab..de414ab2f241 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceApiRelease.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceApiRelease.cs @@ -92,6 +92,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceApiRelease" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceApiRelease" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiRelease" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiRelease" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceApiSchema.cs b/sdk/dotnet/ApiManagement/WorkspaceApiSchema.cs index 7aa85a3f4c2e..1f02bad4c655 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceApiSchema.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceApiSchema.cs @@ -92,6 +92,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceApiSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceApiSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiSchema" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceApiVersionSet.cs b/sdk/dotnet/ApiManagement/WorkspaceApiVersionSet.cs index c88e8667ce5c..38093efd53e7 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceApiVersionSet.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceApiVersionSet.cs @@ -98,6 +98,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceApiVersionSet" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceApiVersionSet" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiVersionSet" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiVersionSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceBackend.cs b/sdk/dotnet/ApiManagement/WorkspaceBackend.cs index 32f88f244a90..14d4fd729a41 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceBackend.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceBackend.cs @@ -128,6 +128,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceBackend" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceBackend" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceBackend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceBackend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceBackend" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceBackend" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceCertificate.cs b/sdk/dotnet/ApiManagement/WorkspaceCertificate.cs index 399eba2f1db8..15c252df5fbb 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceCertificate.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceCertificate.cs @@ -89,6 +89,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceCertificate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceCertificate" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceDiagnostic.cs b/sdk/dotnet/ApiManagement/WorkspaceDiagnostic.cs index 518dc58561af..97e2efbc09df 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceDiagnostic.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceDiagnostic.cs @@ -131,6 +131,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceDiagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceDiagnostic" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceDiagnostic" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceDiagnostic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceGlobalSchema.cs b/sdk/dotnet/ApiManagement/WorkspaceGlobalSchema.cs index 2f4b61a81e52..58e3c56637de 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceGlobalSchema.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceGlobalSchema.cs @@ -86,6 +86,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceGlobalSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceGlobalSchema" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceGlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceGlobalSchema" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGlobalSchema" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceGroup.cs b/sdk/dotnet/ApiManagement/WorkspaceGroup.cs index ce5d6dd757bd..412486dc96a7 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceGroup.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceGroup.cs @@ -92,6 +92,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceGroup" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceGroup" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceGroupUser.cs b/sdk/dotnet/ApiManagement/WorkspaceGroupUser.cs index bcca1b83428c..02534b7408ba 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceGroupUser.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceGroupUser.cs @@ -116,6 +116,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceGroupUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceGroupUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceGroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceGroupUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGroupUser" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceLogger.cs b/sdk/dotnet/ApiManagement/WorkspaceLogger.cs index 5e00ecb08442..aa2fa27e59ce 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceLogger.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceLogger.cs @@ -96,6 +96,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceLogger" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceLogger" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceLogger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceLogger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceLogger" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceLogger" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceNamedValue.cs b/sdk/dotnet/ApiManagement/WorkspaceNamedValue.cs index b54b966e7c06..54885ab7b658 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceNamedValue.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceNamedValue.cs @@ -98,6 +98,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceNamedValue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceNamedValue" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceNamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceNamedValue" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNamedValue" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceNotificationRecipientEmail.cs b/sdk/dotnet/ApiManagement/WorkspaceNotificationRecipientEmail.cs index 4fee9eb671be..6f12feedd173 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceNotificationRecipientEmail.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceNotificationRecipientEmail.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientEmail" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientEmail" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceNotificationRecipientEmail" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNotificationRecipientEmail" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceNotificationRecipientUser.cs b/sdk/dotnet/ApiManagement/WorkspaceNotificationRecipientUser.cs index b39258e4ac61..2c59fad1106a 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceNotificationRecipientUser.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceNotificationRecipientUser.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientUser" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceNotificationRecipientUser" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNotificationRecipientUser" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspacePolicy.cs b/sdk/dotnet/ApiManagement/WorkspacePolicy.cs index e66ef331e10f..5617e70f5929 100644 --- a/sdk/dotnet/ApiManagement/WorkspacePolicy.cs +++ b/sdk/dotnet/ApiManagement/WorkspacePolicy.cs @@ -80,6 +80,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspacePolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspacePolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspacePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspacePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspacePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspacePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspacePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspacePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspacePolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspacePolicyFragment.cs b/sdk/dotnet/ApiManagement/WorkspacePolicyFragment.cs index d6483367a060..e85493783ac6 100644 --- a/sdk/dotnet/ApiManagement/WorkspacePolicyFragment.cs +++ b/sdk/dotnet/ApiManagement/WorkspacePolicyFragment.cs @@ -86,6 +86,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspacePolicyFragment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspacePolicyFragment" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspacePolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspacePolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspacePolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspacePolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspacePolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspacePolicyFragment" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspacePolicyFragment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceProduct.cs b/sdk/dotnet/ApiManagement/WorkspaceProduct.cs index 33f89becf47c..e5b2ce6c41a0 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceProduct.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceProduct.cs @@ -110,6 +110,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceProduct" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceProduct" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProduct" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProduct" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceProductApiLink.cs b/sdk/dotnet/ApiManagement/WorkspaceProductApiLink.cs index d171b05e6fa2..ca28445708c3 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceProductApiLink.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceProductApiLink.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceProductApiLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceProductApiLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductApiLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceProductGroupLink.cs b/sdk/dotnet/ApiManagement/WorkspaceProductGroupLink.cs index b4598a48c893..a9f9a527211b 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceProductGroupLink.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceProductGroupLink.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceProductGroupLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceProductGroupLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductGroupLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductGroupLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceProductPolicy.cs b/sdk/dotnet/ApiManagement/WorkspaceProductPolicy.cs index 56ac350456d6..4b3347c668d4 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceProductPolicy.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceProductPolicy.cs @@ -80,6 +80,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceProductPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceProductPolicy" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceSubscription.cs b/sdk/dotnet/ApiManagement/WorkspaceSubscription.cs index d7906287c363..704b279032bf 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceSubscription.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceSubscription.cs @@ -146,6 +146,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceSubscription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceSubscription" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceTag.cs b/sdk/dotnet/ApiManagement/WorkspaceTag.cs index 51212cf7a502..b3519f09240f 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceTag.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceTag.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceTag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceTag" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTag" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTag" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceTagApiLink.cs b/sdk/dotnet/ApiManagement/WorkspaceTagApiLink.cs index f1bcdace8954..6528bf03ff73 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceTagApiLink.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceTagApiLink.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceTagApiLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceTagApiLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceTagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagApiLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagApiLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceTagOperationLink.cs b/sdk/dotnet/ApiManagement/WorkspaceTagOperationLink.cs index a71bb79ef5ae..9fbf35d1b746 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceTagOperationLink.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceTagOperationLink.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceTagOperationLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceTagOperationLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceTagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagOperationLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagOperationLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApiManagement/WorkspaceTagProductLink.cs b/sdk/dotnet/ApiManagement/WorkspaceTagProductLink.cs index 1d47cb42fe4f..398752abc1f4 100644 --- a/sdk/dotnet/ApiManagement/WorkspaceTagProductLink.cs +++ b/sdk/dotnet/ApiManagement/WorkspaceTagProductLink.cs @@ -74,6 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20230901preview:WorkspaceTagProductLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240501:WorkspaceTagProductLink" }, new global::Pulumi.Alias { Type = "azure-native:apimanagement/v20240601preview:WorkspaceTagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagProductLink" }, + new global::Pulumi.Alias { Type = "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagProductLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/AppResiliency.cs b/sdk/dotnet/App/AppResiliency.cs index 7f3b152c4e25..ada2329492c7 100644 --- a/sdk/dotnet/App/AppResiliency.cs +++ b/sdk/dotnet/App/AppResiliency.cs @@ -109,6 +109,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240202preview:AppResiliency" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:AppResiliency" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:AppResiliency" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:AppResiliency" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:AppResiliency" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:AppResiliency" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:AppResiliency" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:AppResiliency" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/Build.cs b/sdk/dotnet/App/Build.cs index 10c93274b420..3f5dabb6c0f8 100644 --- a/sdk/dotnet/App/Build.cs +++ b/sdk/dotnet/App/Build.cs @@ -115,6 +115,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240202preview:Build" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:Build" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:Build" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:Build" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:Build" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:Build" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:Build" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:Build" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/Builder.cs b/sdk/dotnet/App/Builder.cs index 2971e542035a..e8d58584c82b 100644 --- a/sdk/dotnet/App/Builder.cs +++ b/sdk/dotnet/App/Builder.cs @@ -109,6 +109,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240202preview:Builder" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:Builder" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:Builder" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:Builder" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:Builder" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:Builder" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:Builder" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:Builder" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/Certificate.cs b/sdk/dotnet/App/Certificate.cs index bb70e9e6056e..eae354ad4e17 100644 --- a/sdk/dotnet/App/Certificate.cs +++ b/sdk/dotnet/App/Certificate.cs @@ -87,10 +87,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:app/v20220101preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220301:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220601preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20221001:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:Certificate" }, @@ -100,7 +97,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220101preview:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220301:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220601preview:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221001:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:Certificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ConnectedEnvironment.cs b/sdk/dotnet/App/ConnectedEnvironment.cs index 2c13ca45fab5..9f0194af2a48 100644 --- a/sdk/dotnet/App/ConnectedEnvironment.cs +++ b/sdk/dotnet/App/ConnectedEnvironment.cs @@ -122,9 +122,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:app/v20220601preview:ConnectedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20221001:ConnectedEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:ConnectedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:ConnectedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:ConnectedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:ConnectedEnvironment" }, @@ -134,7 +132,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:ConnectedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ConnectedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ConnectedEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220601preview:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221001:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ConnectedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:ConnectedEnvironment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ConnectedEnvironmentsCertificate.cs b/sdk/dotnet/App/ConnectedEnvironmentsCertificate.cs index ce1dd978ff38..f83f118b6019 100644 --- a/sdk/dotnet/App/ConnectedEnvironmentsCertificate.cs +++ b/sdk/dotnet/App/ConnectedEnvironmentsCertificate.cs @@ -86,9 +86,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:app/v20220601preview:ConnectedEnvironmentsCertificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20221001:ConnectedEnvironmentsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:ConnectedEnvironmentsCertificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:ConnectedEnvironmentsCertificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:ConnectedEnvironmentsCertificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:ConnectedEnvironmentsCertificate" }, @@ -98,7 +96,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:ConnectedEnvironmentsCertificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ConnectedEnvironmentsCertificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ConnectedEnvironmentsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220601preview:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221001:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ConnectedEnvironmentsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:ConnectedEnvironmentsCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ConnectedEnvironmentsDaprComponent.cs b/sdk/dotnet/App/ConnectedEnvironmentsDaprComponent.cs index 0c38cb446238..6782e75cf8c7 100644 --- a/sdk/dotnet/App/ConnectedEnvironmentsDaprComponent.cs +++ b/sdk/dotnet/App/ConnectedEnvironmentsDaprComponent.cs @@ -116,9 +116,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:app/v20220601preview:ConnectedEnvironmentsDaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20221001:ConnectedEnvironmentsDaprComponent" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:ConnectedEnvironmentsDaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:ConnectedEnvironmentsDaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:ConnectedEnvironmentsDaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:ConnectedEnvironmentsDaprComponent" }, @@ -128,7 +126,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:ConnectedEnvironmentsDaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ConnectedEnvironmentsDaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ConnectedEnvironmentsDaprComponent" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220601preview:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221001:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ConnectedEnvironmentsDaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:ConnectedEnvironmentsDaprComponent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ConnectedEnvironmentsStorage.cs b/sdk/dotnet/App/ConnectedEnvironmentsStorage.cs index 698b39d4a4fa..98a0b27daf45 100644 --- a/sdk/dotnet/App/ConnectedEnvironmentsStorage.cs +++ b/sdk/dotnet/App/ConnectedEnvironmentsStorage.cs @@ -74,9 +74,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:app/v20220601preview:ConnectedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20221001:ConnectedEnvironmentsStorage" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:ConnectedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:ConnectedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:ConnectedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:ConnectedEnvironmentsStorage" }, @@ -86,7 +84,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:ConnectedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ConnectedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ConnectedEnvironmentsStorage" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220601preview:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221001:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ConnectedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:ConnectedEnvironmentsStorage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ContainerApp.cs b/sdk/dotnet/App/ContainerApp.cs index 1a315c97c224..080d14df79a6 100644 --- a/sdk/dotnet/App/ContainerApp.cs +++ b/sdk/dotnet/App/ContainerApp.cs @@ -171,10 +171,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:app/v20220101preview:ContainerApp" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220301:ContainerApp" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220601preview:ContainerApp" }, new global::Pulumi.Alias { Type = "azure-native:app/v20221001:ContainerApp" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:ContainerApp" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:ContainerApp" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:ContainerApp" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:ContainerApp" }, @@ -184,7 +181,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:ContainerApp" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ContainerApp" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ContainerApp" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220101preview:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220301:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220601preview:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221001:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ContainerApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:ContainerApp" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ContainerAppsAuthConfig.cs b/sdk/dotnet/App/ContainerAppsAuthConfig.cs index 5ac3df5040a2..0853e2aa9b5f 100644 --- a/sdk/dotnet/App/ContainerAppsAuthConfig.cs +++ b/sdk/dotnet/App/ContainerAppsAuthConfig.cs @@ -105,10 +105,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:app/v20220101preview:ContainerAppsAuthConfig" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220301:ContainerAppsAuthConfig" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220601preview:ContainerAppsAuthConfig" }, new global::Pulumi.Alias { Type = "azure-native:app/v20221001:ContainerAppsAuthConfig" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:ContainerAppsAuthConfig" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:ContainerAppsAuthConfig" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:ContainerAppsAuthConfig" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:ContainerAppsAuthConfig" }, @@ -118,7 +115,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:ContainerAppsAuthConfig" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ContainerAppsAuthConfig" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ContainerAppsAuthConfig" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220101preview:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220301:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220601preview:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221001:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ContainerAppsAuthConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:ContainerAppsAuthConfig" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ContainerAppsSessionPool.cs b/sdk/dotnet/App/ContainerAppsSessionPool.cs index cf4eaad949cc..826f29a87ba3 100644 --- a/sdk/dotnet/App/ContainerAppsSessionPool.cs +++ b/sdk/dotnet/App/ContainerAppsSessionPool.cs @@ -161,7 +161,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240202preview:ContainerAppsSessionPool" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ContainerAppsSessionPool" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ContainerAppsSessionPool" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:ContainerAppsSessionPool" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ContainerAppsSessionPool" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ContainerAppsSessionPool" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ContainerAppsSessionPool" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:ContainerAppsSessionPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ContainerAppsSourceControl.cs b/sdk/dotnet/App/ContainerAppsSourceControl.cs index 514e30f03e35..6fb05d6b55b1 100644 --- a/sdk/dotnet/App/ContainerAppsSourceControl.cs +++ b/sdk/dotnet/App/ContainerAppsSourceControl.cs @@ -95,10 +95,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:app/v20220101preview:ContainerAppsSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220301:ContainerAppsSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220601preview:ContainerAppsSourceControl" }, new global::Pulumi.Alias { Type = "azure-native:app/v20221001:ContainerAppsSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:ContainerAppsSourceControl" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:ContainerAppsSourceControl" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:ContainerAppsSourceControl" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:ContainerAppsSourceControl" }, @@ -108,7 +105,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:ContainerAppsSourceControl" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ContainerAppsSourceControl" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ContainerAppsSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220101preview:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220301:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220601preview:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221001:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ContainerAppsSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:ContainerAppsSourceControl" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/DaprComponent.cs b/sdk/dotnet/App/DaprComponent.cs index 938f72fdab0e..0ec8b6d8bcb5 100644 --- a/sdk/dotnet/App/DaprComponent.cs +++ b/sdk/dotnet/App/DaprComponent.cs @@ -117,10 +117,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:app/v20220101preview:DaprComponent" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220301:DaprComponent" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220601preview:DaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20221001:DaprComponent" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:DaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:DaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:DaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:DaprComponent" }, @@ -130,7 +127,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:DaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:DaprComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:DaprComponent" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220101preview:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220301:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220601preview:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221001:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:DaprComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:DaprComponent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/DaprComponentResiliencyPolicy.cs b/sdk/dotnet/App/DaprComponentResiliencyPolicy.cs index db24accaed87..734a22517283 100644 --- a/sdk/dotnet/App/DaprComponentResiliencyPolicy.cs +++ b/sdk/dotnet/App/DaprComponentResiliencyPolicy.cs @@ -85,6 +85,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240202preview:DaprComponentResiliencyPolicy" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:DaprComponentResiliencyPolicy" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:DaprComponentResiliencyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:DaprComponentResiliencyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:DaprComponentResiliencyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:DaprComponentResiliencyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:DaprComponentResiliencyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:DaprComponentResiliencyPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/DaprSubscription.cs b/sdk/dotnet/App/DaprSubscription.cs index 274ecebc2e82..fcdde0465524 100644 --- a/sdk/dotnet/App/DaprSubscription.cs +++ b/sdk/dotnet/App/DaprSubscription.cs @@ -115,6 +115,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240202preview:DaprSubscription" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:DaprSubscription" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:DaprSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:DaprSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:DaprSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:DaprSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:DaprSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:DaprSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/DotNetComponent.cs b/sdk/dotnet/App/DotNetComponent.cs index 079738060b63..1504fec9a0dc 100644 --- a/sdk/dotnet/App/DotNetComponent.cs +++ b/sdk/dotnet/App/DotNetComponent.cs @@ -96,6 +96,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240202preview:DotNetComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:DotNetComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:DotNetComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:DotNetComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:DotNetComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:DotNetComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:DotNetComponent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/HttpRouteConfig.cs b/sdk/dotnet/App/HttpRouteConfig.cs index 70e26038e85c..5c44ebac76e8 100644 --- a/sdk/dotnet/App/HttpRouteConfig.cs +++ b/sdk/dotnet/App/HttpRouteConfig.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:HttpRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:HttpRouteConfig" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/JavaComponent.cs b/sdk/dotnet/App/JavaComponent.cs index b69112318c6a..c5e17c939830 100644 --- a/sdk/dotnet/App/JavaComponent.cs +++ b/sdk/dotnet/App/JavaComponent.cs @@ -78,7 +78,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240202preview:JavaComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:JavaComponent" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:JavaComponent" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:JavaComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:JavaComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:JavaComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:JavaComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:JavaComponent" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:JavaComponent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/Job.cs b/sdk/dotnet/App/Job.cs index e48efc6ed63d..a5e27ebf24bf 100644 --- a/sdk/dotnet/App/Job.cs +++ b/sdk/dotnet/App/Job.cs @@ -128,7 +128,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:Job" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:Job" }, @@ -138,7 +137,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:Job" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:Job" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:Job" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:Job" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:Job" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:Job" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:Job" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:Job" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:Job" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:Job" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:Job" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:Job" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:Job" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/LogicApp.cs b/sdk/dotnet/App/LogicApp.cs index 4ad08dc1f6a3..f3b26bb56081 100644 --- a/sdk/dotnet/App/LogicApp.cs +++ b/sdk/dotnet/App/LogicApp.cs @@ -71,6 +71,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240202preview:LogicApp" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:LogicApp" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:LogicApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:LogicApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:LogicApp" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:LogicApp" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/MaintenanceConfiguration.cs b/sdk/dotnet/App/MaintenanceConfiguration.cs index 6e287f791464..80d93575317d 100644 --- a/sdk/dotnet/App/MaintenanceConfiguration.cs +++ b/sdk/dotnet/App/MaintenanceConfiguration.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:MaintenanceConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ManagedCertificate.cs b/sdk/dotnet/App/ManagedCertificate.cs index 406dc2be5e85..2cb98eb65d57 100644 --- a/sdk/dotnet/App/ManagedCertificate.cs +++ b/sdk/dotnet/App/ManagedCertificate.cs @@ -86,7 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:ManagedCertificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:ManagedCertificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:ManagedCertificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:ManagedCertificate" }, @@ -96,7 +95,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:ManagedCertificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ManagedCertificate" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ManagedCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:ManagedCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:ManagedCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:ManagedCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:ManagedCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:ManagedCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:ManagedCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:ManagedCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ManagedCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:ManagedCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ManagedCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ManagedCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:ManagedCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ManagedEnvironment.cs b/sdk/dotnet/App/ManagedEnvironment.cs index 46088b9482d7..a9948457a7d2 100644 --- a/sdk/dotnet/App/ManagedEnvironment.cs +++ b/sdk/dotnet/App/ManagedEnvironment.cs @@ -189,10 +189,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:app/v20220101preview:ManagedEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220301:ManagedEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220601preview:ManagedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20221001:ManagedEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:ManagedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:ManagedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:ManagedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:ManagedEnvironment" }, @@ -202,7 +199,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:ManagedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ManagedEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ManagedEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220101preview:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220301:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220601preview:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221001:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ManagedEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:ManagedEnvironment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ManagedEnvironmentPrivateEndpointConnection.cs b/sdk/dotnet/App/ManagedEnvironmentPrivateEndpointConnection.cs index 3523f627dd2c..20e400909d95 100644 --- a/sdk/dotnet/App/ManagedEnvironmentPrivateEndpointConnection.cs +++ b/sdk/dotnet/App/ManagedEnvironmentPrivateEndpointConnection.cs @@ -95,6 +95,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240202preview:ManagedEnvironmentPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ManagedEnvironmentPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ManagedEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ManagedEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ManagedEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ManagedEnvironmentPrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/App/ManagedEnvironmentsStorage.cs b/sdk/dotnet/App/ManagedEnvironmentsStorage.cs index 00cc90a51281..67be69ec8634 100644 --- a/sdk/dotnet/App/ManagedEnvironmentsStorage.cs +++ b/sdk/dotnet/App/ManagedEnvironmentsStorage.cs @@ -75,10 +75,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:app/v20220101preview:ManagedEnvironmentsStorage" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220301:ManagedEnvironmentsStorage" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20220601preview:ManagedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20221001:ManagedEnvironmentsStorage" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20221101preview:ManagedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230401preview:ManagedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230501:ManagedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20230502preview:ManagedEnvironmentsStorage" }, @@ -88,7 +85,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:app/v20240301:ManagedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20240802preview:ManagedEnvironmentsStorage" }, new global::Pulumi.Alias { Type = "azure-native:app/v20241002preview:ManagedEnvironmentsStorage" }, - new global::Pulumi.Alias { Type = "azure-native:app/v20250101:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220101preview:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220301:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20220601preview:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221001:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20221101preview:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230401preview:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230501:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230502preview:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20230801preview:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20231102preview:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240202preview:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240301:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20240802preview:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20241002preview:app:ManagedEnvironmentsStorage" }, + new global::Pulumi.Alias { Type = "azure-native_app_v20250101:app:ManagedEnvironmentsStorage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppComplianceAutomation/Evidence.cs b/sdk/dotnet/AppComplianceAutomation/Evidence.cs index bd9582aa60c8..e301eba0e6f2 100644 --- a/sdk/dotnet/AppComplianceAutomation/Evidence.cs +++ b/sdk/dotnet/AppComplianceAutomation/Evidence.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:appcomplianceautomation/v20240627:Evidence" }, + new global::Pulumi.Alias { Type = "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Evidence" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppComplianceAutomation/Report.cs b/sdk/dotnet/AppComplianceAutomation/Report.cs index 6bccac0941be..933bbb87cb11 100644 --- a/sdk/dotnet/AppComplianceAutomation/Report.cs +++ b/sdk/dotnet/AppComplianceAutomation/Report.cs @@ -155,6 +155,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:appcomplianceautomation/v20221116preview:Report" }, new global::Pulumi.Alias { Type = "azure-native:appcomplianceautomation/v20240627:Report" }, + new global::Pulumi.Alias { Type = "azure-native_appcomplianceautomation_v20221116preview:appcomplianceautomation:Report" }, + new global::Pulumi.Alias { Type = "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Report" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppComplianceAutomation/ScopingConfiguration.cs b/sdk/dotnet/AppComplianceAutomation/ScopingConfiguration.cs index c637befd31d1..2acaf06d5bd4 100644 --- a/sdk/dotnet/AppComplianceAutomation/ScopingConfiguration.cs +++ b/sdk/dotnet/AppComplianceAutomation/ScopingConfiguration.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:appcomplianceautomation/v20240627:ScopingConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:ScopingConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppComplianceAutomation/Webhook.cs b/sdk/dotnet/AppComplianceAutomation/Webhook.cs index fd2a887ac9c7..63ffff5ad686 100644 --- a/sdk/dotnet/AppComplianceAutomation/Webhook.cs +++ b/sdk/dotnet/AppComplianceAutomation/Webhook.cs @@ -145,6 +145,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:appcomplianceautomation/v20240627:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Webhook" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppConfiguration/ConfigurationStore.cs b/sdk/dotnet/AppConfiguration/ConfigurationStore.cs index 44feb16ab6a2..9304fed824cf 100644 --- a/sdk/dotnet/AppConfiguration/ConfigurationStore.cs +++ b/sdk/dotnet/AppConfiguration/ConfigurationStore.cs @@ -152,19 +152,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20190201preview:ConfigurationStore" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20191001:ConfigurationStore" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20191101preview:ConfigurationStore" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20200601:ConfigurationStore" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20200701preview:ConfigurationStore" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20210301preview:ConfigurationStore" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20211001preview:ConfigurationStore" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20220301preview:ConfigurationStore" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20220501:ConfigurationStore" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230301:ConfigurationStore" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230801preview:ConfigurationStore" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230901preview:ConfigurationStore" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20240501:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20190201preview:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20191001:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20191101preview:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20200601:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20200701preview:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20210301preview:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20211001preview:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20220301preview:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20220501:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230301:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230801preview:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230901preview:appconfiguration:ConfigurationStore" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20240501:appconfiguration:ConfigurationStore" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppConfiguration/KeyValue.cs b/sdk/dotnet/AppConfiguration/KeyValue.cs index fd0e6dd3e3a0..ad5ad8551e74 100644 --- a/sdk/dotnet/AppConfiguration/KeyValue.cs +++ b/sdk/dotnet/AppConfiguration/KeyValue.cs @@ -114,15 +114,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20200701preview:KeyValue" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20210301preview:KeyValue" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20211001preview:KeyValue" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20220301preview:KeyValue" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20220501:KeyValue" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230301:KeyValue" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230801preview:KeyValue" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230901preview:KeyValue" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20240501:KeyValue" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20200701preview:appconfiguration:KeyValue" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20210301preview:appconfiguration:KeyValue" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20211001preview:appconfiguration:KeyValue" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20220301preview:appconfiguration:KeyValue" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20220501:appconfiguration:KeyValue" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230301:appconfiguration:KeyValue" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230801preview:appconfiguration:KeyValue" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230901preview:appconfiguration:KeyValue" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20240501:appconfiguration:KeyValue" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppConfiguration/PrivateEndpointConnection.cs b/sdk/dotnet/AppConfiguration/PrivateEndpointConnection.cs index 873930c3b35d..04faa08df0f1 100644 --- a/sdk/dotnet/AppConfiguration/PrivateEndpointConnection.cs +++ b/sdk/dotnet/AppConfiguration/PrivateEndpointConnection.cs @@ -80,17 +80,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20191101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20200601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20200701preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20210301preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20211001preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20220301preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20220501:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230301:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230801preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230901preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20240501:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20191101preview:appconfiguration:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20200601:appconfiguration:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20200701preview:appconfiguration:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20210301preview:appconfiguration:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20211001preview:appconfiguration:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20220301preview:appconfiguration:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20220501:appconfiguration:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230301:appconfiguration:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230801preview:appconfiguration:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230901preview:appconfiguration:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20240501:appconfiguration:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppConfiguration/Replica.cs b/sdk/dotnet/AppConfiguration/Replica.cs index 04f46eb29bdb..f97f5cd609af 100644 --- a/sdk/dotnet/AppConfiguration/Replica.cs +++ b/sdk/dotnet/AppConfiguration/Replica.cs @@ -86,11 +86,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20220301preview:Replica" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230301:Replica" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230801preview:Replica" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20230901preview:Replica" }, new global::Pulumi.Alias { Type = "azure-native:appconfiguration/v20240501:Replica" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20220301preview:appconfiguration:Replica" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230301:appconfiguration:Replica" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230801preview:appconfiguration:Replica" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20230901preview:appconfiguration:Replica" }, + new global::Pulumi.Alias { Type = "azure-native_appconfiguration_v20240501:appconfiguration:Replica" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/ApiPortal.cs b/sdk/dotnet/AppPlatform/ApiPortal.cs index 555a7b891635..a7913df3a803 100644 --- a/sdk/dotnet/AppPlatform/ApiPortal.cs +++ b/sdk/dotnet/AppPlatform/ApiPortal.cs @@ -80,14 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:ApiPortal" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:ApiPortal" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:ApiPortal" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:ApiPortal" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:ApiPortal" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:ApiPortal" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:ApiPortal" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:ApiPortal" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:ApiPortal" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:ApiPortal" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:ApiPortal" }, @@ -95,6 +87,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:ApiPortal" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:ApiPortal" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:ApiPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:ApiPortal" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/ApiPortalCustomDomain.cs b/sdk/dotnet/AppPlatform/ApiPortalCustomDomain.cs index 673a24c58724..74f60d5e64a9 100644 --- a/sdk/dotnet/AppPlatform/ApiPortalCustomDomain.cs +++ b/sdk/dotnet/AppPlatform/ApiPortalCustomDomain.cs @@ -74,14 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:ApiPortalCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:ApiPortalCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:ApiPortalCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:ApiPortalCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:ApiPortalCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:ApiPortalCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:ApiPortalCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:ApiPortalCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:ApiPortalCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:ApiPortalCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:ApiPortalCustomDomain" }, @@ -89,6 +81,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:ApiPortalCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:ApiPortalCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:ApiPortalCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:ApiPortalCustomDomain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/Apm.cs b/sdk/dotnet/AppPlatform/Apm.cs index 27dbd5625b60..aa877ca0fb62 100644 --- a/sdk/dotnet/AppPlatform/Apm.cs +++ b/sdk/dotnet/AppPlatform/Apm.cs @@ -81,6 +81,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:Apm" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:Apm" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:Apm" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:Apm" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:Apm" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:Apm" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:Apm" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:Apm" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:Apm" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:Apm" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/App.cs b/sdk/dotnet/AppPlatform/App.cs index 8a6c1e12423b..d31abb0d97f1 100644 --- a/sdk/dotnet/AppPlatform/App.cs +++ b/sdk/dotnet/AppPlatform/App.cs @@ -86,19 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20200701:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20201101preview:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210601preview:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210901preview:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:App" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:App" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:App" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:App" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:App" }, @@ -106,6 +93,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:App" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:App" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20200701:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20201101preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210601preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210901preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:App" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:App" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/ApplicationAccelerator.cs b/sdk/dotnet/AppPlatform/ApplicationAccelerator.cs index 924c40ea6928..07c6c3ef5461 100644 --- a/sdk/dotnet/AppPlatform/ApplicationAccelerator.cs +++ b/sdk/dotnet/AppPlatform/ApplicationAccelerator.cs @@ -80,9 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:ApplicationAccelerator" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:ApplicationAccelerator" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:ApplicationAccelerator" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:ApplicationAccelerator" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:ApplicationAccelerator" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:ApplicationAccelerator" }, @@ -90,6 +87,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:ApplicationAccelerator" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:ApplicationAccelerator" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:ApplicationAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:ApplicationAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:ApplicationAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:ApplicationAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:ApplicationAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:ApplicationAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:ApplicationAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:ApplicationAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:ApplicationAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:ApplicationAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:ApplicationAccelerator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/ApplicationLiveView.cs b/sdk/dotnet/AppPlatform/ApplicationLiveView.cs index 1cea01e85d1d..d8ebd50bef68 100644 --- a/sdk/dotnet/AppPlatform/ApplicationLiveView.cs +++ b/sdk/dotnet/AppPlatform/ApplicationLiveView.cs @@ -74,9 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:ApplicationLiveView" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:ApplicationLiveView" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:ApplicationLiveView" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:ApplicationLiveView" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:ApplicationLiveView" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:ApplicationLiveView" }, @@ -84,6 +81,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:ApplicationLiveView" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:ApplicationLiveView" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:ApplicationLiveView" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:ApplicationLiveView" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:ApplicationLiveView" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:ApplicationLiveView" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:ApplicationLiveView" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:ApplicationLiveView" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:ApplicationLiveView" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:ApplicationLiveView" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:ApplicationLiveView" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:ApplicationLiveView" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:ApplicationLiveView" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/Binding.cs b/sdk/dotnet/AppPlatform/Binding.cs index 11f5d4a77989..45c184421322 100644 --- a/sdk/dotnet/AppPlatform/Binding.cs +++ b/sdk/dotnet/AppPlatform/Binding.cs @@ -74,19 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20200701:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20201101preview:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210601preview:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210901preview:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:Binding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:Binding" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:Binding" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:Binding" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:Binding" }, @@ -94,6 +81,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:Binding" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:Binding" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20200701:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20201101preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210601preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210901preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:Binding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:Binding" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/BuildServiceAgentPool.cs b/sdk/dotnet/AppPlatform/BuildServiceAgentPool.cs index 53b5154d8d29..14c91a68189d 100644 --- a/sdk/dotnet/AppPlatform/BuildServiceAgentPool.cs +++ b/sdk/dotnet/AppPlatform/BuildServiceAgentPool.cs @@ -74,15 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:BuildServiceAgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:BuildServiceAgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:BuildServiceAgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:BuildServiceAgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:BuildServiceAgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:BuildServiceAgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:BuildServiceAgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:BuildServiceAgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:BuildServiceAgentPool" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:BuildServiceAgentPool" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:BuildServiceAgentPool" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:BuildServiceAgentPool" }, @@ -90,6 +81,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:BuildServiceAgentPool" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:BuildServiceAgentPool" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:BuildServiceAgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:BuildServiceAgentPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/BuildServiceBuild.cs b/sdk/dotnet/AppPlatform/BuildServiceBuild.cs index 08ec0aded5bc..ba21e5f1724d 100644 --- a/sdk/dotnet/AppPlatform/BuildServiceBuild.cs +++ b/sdk/dotnet/AppPlatform/BuildServiceBuild.cs @@ -74,7 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:BuildServiceBuild" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:BuildServiceBuild" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:BuildServiceBuild" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:BuildServiceBuild" }, @@ -82,6 +81,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:BuildServiceBuild" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:BuildServiceBuild" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:BuildServiceBuild" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:BuildServiceBuild" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:BuildServiceBuild" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:BuildServiceBuild" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:BuildServiceBuild" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:BuildServiceBuild" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:BuildServiceBuild" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:BuildServiceBuild" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:BuildServiceBuild" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/BuildServiceBuilder.cs b/sdk/dotnet/AppPlatform/BuildServiceBuilder.cs index 9076cc7a7b58..cb9488e6efb0 100644 --- a/sdk/dotnet/AppPlatform/BuildServiceBuilder.cs +++ b/sdk/dotnet/AppPlatform/BuildServiceBuilder.cs @@ -74,15 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:BuildServiceBuilder" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:BuildServiceBuilder" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:BuildServiceBuilder" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:BuildServiceBuilder" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:BuildServiceBuilder" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:BuildServiceBuilder" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:BuildServiceBuilder" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:BuildServiceBuilder" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:BuildServiceBuilder" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:BuildServiceBuilder" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:BuildServiceBuilder" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:BuildServiceBuilder" }, @@ -90,6 +81,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:BuildServiceBuilder" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:BuildServiceBuilder" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:BuildServiceBuilder" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:BuildServiceBuilder" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/BuildpackBinding.cs b/sdk/dotnet/AppPlatform/BuildpackBinding.cs index c273cf6fe164..980b7f409a35 100644 --- a/sdk/dotnet/AppPlatform/BuildpackBinding.cs +++ b/sdk/dotnet/AppPlatform/BuildpackBinding.cs @@ -74,15 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:BuildpackBinding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:BuildpackBinding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:BuildpackBinding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:BuildpackBinding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:BuildpackBinding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:BuildpackBinding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:BuildpackBinding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:BuildpackBinding" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:BuildpackBinding" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:BuildpackBinding" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:BuildpackBinding" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:BuildpackBinding" }, @@ -90,6 +81,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:BuildpackBinding" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:BuildpackBinding" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:BuildpackBinding" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:BuildpackBinding" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/Certificate.cs b/sdk/dotnet/AppPlatform/Certificate.cs index 9b976251d5b3..58bcda8408a3 100644 --- a/sdk/dotnet/AppPlatform/Certificate.cs +++ b/sdk/dotnet/AppPlatform/Certificate.cs @@ -74,19 +74,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20200701:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20201101preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210601preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210901preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:Certificate" }, @@ -94,6 +82,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20200701:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20201101preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210601preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210901preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:Certificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/ConfigServer.cs b/sdk/dotnet/AppPlatform/ConfigServer.cs index f8358d98c893..283a995e4e7d 100644 --- a/sdk/dotnet/AppPlatform/ConfigServer.cs +++ b/sdk/dotnet/AppPlatform/ConfigServer.cs @@ -74,19 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20200701:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20201101preview:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210601preview:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210901preview:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:ConfigServer" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:ConfigServer" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:ConfigServer" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:ConfigServer" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:ConfigServer" }, @@ -94,6 +81,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:ConfigServer" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:ConfigServer" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20200701:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20201101preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210601preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210901preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:ConfigServer" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:ConfigServer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/ConfigurationService.cs b/sdk/dotnet/AppPlatform/ConfigurationService.cs index 06cc6571bad9..f8d5c1c3355f 100644 --- a/sdk/dotnet/AppPlatform/ConfigurationService.cs +++ b/sdk/dotnet/AppPlatform/ConfigurationService.cs @@ -74,15 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:ConfigurationService" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:ConfigurationService" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:ConfigurationService" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:ConfigurationService" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:ConfigurationService" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:ConfigurationService" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:ConfigurationService" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:ConfigurationService" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:ConfigurationService" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:ConfigurationService" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:ConfigurationService" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:ConfigurationService" }, @@ -90,6 +81,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:ConfigurationService" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:ConfigurationService" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:ConfigurationService" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:ConfigurationService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/ContainerRegistry.cs b/sdk/dotnet/AppPlatform/ContainerRegistry.cs index 00e723abd58d..f8815036cccf 100644 --- a/sdk/dotnet/AppPlatform/ContainerRegistry.cs +++ b/sdk/dotnet/AppPlatform/ContainerRegistry.cs @@ -81,6 +81,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:ContainerRegistry" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:ContainerRegistry" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:ContainerRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:ContainerRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:ContainerRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:ContainerRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:ContainerRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:ContainerRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:ContainerRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:ContainerRegistry" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/CustomDomain.cs b/sdk/dotnet/AppPlatform/CustomDomain.cs index 48571c3b044e..3ca5ffadc006 100644 --- a/sdk/dotnet/AppPlatform/CustomDomain.cs +++ b/sdk/dotnet/AppPlatform/CustomDomain.cs @@ -74,19 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20200701:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20201101preview:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210601preview:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210901preview:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:CustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:CustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:CustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:CustomDomain" }, @@ -94,6 +81,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:CustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:CustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20200701:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20201101preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210601preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210901preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:CustomDomain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/CustomizedAccelerator.cs b/sdk/dotnet/AppPlatform/CustomizedAccelerator.cs index 2151532bea8e..34c253a2465f 100644 --- a/sdk/dotnet/AppPlatform/CustomizedAccelerator.cs +++ b/sdk/dotnet/AppPlatform/CustomizedAccelerator.cs @@ -80,9 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:CustomizedAccelerator" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:CustomizedAccelerator" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:CustomizedAccelerator" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:CustomizedAccelerator" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:CustomizedAccelerator" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:CustomizedAccelerator" }, @@ -90,6 +87,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:CustomizedAccelerator" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:CustomizedAccelerator" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:CustomizedAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:CustomizedAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:CustomizedAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:CustomizedAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:CustomizedAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:CustomizedAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:CustomizedAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:CustomizedAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:CustomizedAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:CustomizedAccelerator" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:CustomizedAccelerator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/Deployment.cs b/sdk/dotnet/AppPlatform/Deployment.cs index 6e9be16c131f..d6f052ccc9fd 100644 --- a/sdk/dotnet/AppPlatform/Deployment.cs +++ b/sdk/dotnet/AppPlatform/Deployment.cs @@ -80,19 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20200701:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20201101preview:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210601preview:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210901preview:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:Deployment" }, @@ -100,6 +87,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20200701:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20201101preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210601preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210901preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:Deployment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/DevToolPortal.cs b/sdk/dotnet/AppPlatform/DevToolPortal.cs index fcee99478c09..75e78482cf35 100644 --- a/sdk/dotnet/AppPlatform/DevToolPortal.cs +++ b/sdk/dotnet/AppPlatform/DevToolPortal.cs @@ -74,9 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:DevToolPortal" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:DevToolPortal" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:DevToolPortal" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:DevToolPortal" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:DevToolPortal" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:DevToolPortal" }, @@ -84,6 +81,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:DevToolPortal" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:DevToolPortal" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:DevToolPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:DevToolPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:DevToolPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:DevToolPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:DevToolPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:DevToolPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:DevToolPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:DevToolPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:DevToolPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:DevToolPortal" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:DevToolPortal" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/Gateway.cs b/sdk/dotnet/AppPlatform/Gateway.cs index 0322def5d78c..f23e44d73638 100644 --- a/sdk/dotnet/AppPlatform/Gateway.cs +++ b/sdk/dotnet/AppPlatform/Gateway.cs @@ -80,14 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:Gateway" }, @@ -95,6 +87,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:Gateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/GatewayCustomDomain.cs b/sdk/dotnet/AppPlatform/GatewayCustomDomain.cs index 66dd495574ed..e71ee1031e8e 100644 --- a/sdk/dotnet/AppPlatform/GatewayCustomDomain.cs +++ b/sdk/dotnet/AppPlatform/GatewayCustomDomain.cs @@ -74,14 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:GatewayCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:GatewayCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:GatewayCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:GatewayCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:GatewayCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:GatewayCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:GatewayCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:GatewayCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:GatewayCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:GatewayCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:GatewayCustomDomain" }, @@ -89,6 +81,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:GatewayCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:GatewayCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:GatewayCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:GatewayCustomDomain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/GatewayRouteConfig.cs b/sdk/dotnet/AppPlatform/GatewayRouteConfig.cs index 8b4aef557193..870e949447c8 100644 --- a/sdk/dotnet/AppPlatform/GatewayRouteConfig.cs +++ b/sdk/dotnet/AppPlatform/GatewayRouteConfig.cs @@ -74,14 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:GatewayRouteConfig" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:GatewayRouteConfig" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:GatewayRouteConfig" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:GatewayRouteConfig" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:GatewayRouteConfig" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:GatewayRouteConfig" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:GatewayRouteConfig" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:GatewayRouteConfig" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:GatewayRouteConfig" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:GatewayRouteConfig" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:GatewayRouteConfig" }, @@ -89,6 +81,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:GatewayRouteConfig" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:GatewayRouteConfig" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:GatewayRouteConfig" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:GatewayRouteConfig" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/Job.cs b/sdk/dotnet/AppPlatform/Job.cs index 1a8d4ceb3afc..3dbd3f66ee03 100644 --- a/sdk/dotnet/AppPlatform/Job.cs +++ b/sdk/dotnet/AppPlatform/Job.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:Job" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:Job" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/MonitoringSetting.cs b/sdk/dotnet/AppPlatform/MonitoringSetting.cs index 65030165020c..ece44ceb4f58 100644 --- a/sdk/dotnet/AppPlatform/MonitoringSetting.cs +++ b/sdk/dotnet/AppPlatform/MonitoringSetting.cs @@ -74,19 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20200701:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20201101preview:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210601preview:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210901preview:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:MonitoringSetting" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:MonitoringSetting" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:MonitoringSetting" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:MonitoringSetting" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:MonitoringSetting" }, @@ -94,6 +81,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:MonitoringSetting" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:MonitoringSetting" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20200701:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20201101preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210601preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210901preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:MonitoringSetting" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:MonitoringSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/Service.cs b/sdk/dotnet/AppPlatform/Service.cs index 38688a368dfa..64f777874981 100644 --- a/sdk/dotnet/AppPlatform/Service.cs +++ b/sdk/dotnet/AppPlatform/Service.cs @@ -92,19 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20200701:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20201101preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210601preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210901preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:Service" }, @@ -112,6 +99,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:Service" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20200701:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20201101preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210601preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210901preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:Service" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:Service" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/ServiceRegistry.cs b/sdk/dotnet/AppPlatform/ServiceRegistry.cs index 25d2b5811285..a3a7bfdf9bf4 100644 --- a/sdk/dotnet/AppPlatform/ServiceRegistry.cs +++ b/sdk/dotnet/AppPlatform/ServiceRegistry.cs @@ -74,15 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:ServiceRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:ServiceRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220401:ServiceRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:ServiceRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:ServiceRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:ServiceRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:ServiceRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:ServiceRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:ServiceRegistry" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:ServiceRegistry" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:ServiceRegistry" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:ServiceRegistry" }, @@ -90,6 +81,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:ServiceRegistry" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:ServiceRegistry" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220401:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:ServiceRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:ServiceRegistry" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AppPlatform/Storage.cs b/sdk/dotnet/AppPlatform/Storage.cs index 8c86e80c4853..ebf0d21dccf6 100644 --- a/sdk/dotnet/AppPlatform/Storage.cs +++ b/sdk/dotnet/AppPlatform/Storage.cs @@ -74,15 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20210901preview:Storage" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220101preview:Storage" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220301preview:Storage" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220501preview:Storage" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20220901preview:Storage" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221101preview:Storage" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20221201:Storage" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230101preview:Storage" }, - new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230301preview:Storage" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230501preview:Storage" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230701preview:Storage" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20230901preview:Storage" }, @@ -90,6 +81,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:appplatform/v20231201:Storage" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240101preview:Storage" }, new global::Pulumi.Alias { Type = "azure-native:appplatform/v20240501preview:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20210901preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220101preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220301preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220501preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20220901preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221101preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20221201:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230101preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230301preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230501preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230701preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20230901preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231101preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20231201:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240101preview:appplatform:Storage" }, + new global::Pulumi.Alias { Type = "azure-native_appplatform_v20240501preview:appplatform:Storage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApplicationInsights/AnalyticsItem.cs b/sdk/dotnet/ApplicationInsights/AnalyticsItem.cs index 766fadf24280..9308ef4a37bc 100644 --- a/sdk/dotnet/ApplicationInsights/AnalyticsItem.cs +++ b/sdk/dotnet/ApplicationInsights/AnalyticsItem.cs @@ -96,9 +96,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20150501:AnalyticsItem" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20150501:AnalyticsItem" }, new global::Pulumi.Alias { Type = "azure-native:insights:AnalyticsItem" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20150501:applicationinsights:AnalyticsItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApplicationInsights/Component.cs b/sdk/dotnet/ApplicationInsights/Component.cs index e670ebe5beee..18a410747421 100644 --- a/sdk/dotnet/ApplicationInsights/Component.cs +++ b/sdk/dotnet/ApplicationInsights/Component.cs @@ -230,13 +230,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20150501:Component" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20180501preview:Component" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20200202:Component" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20200202preview:Component" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20200202:Component" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20200202preview:Component" }, new global::Pulumi.Alias { Type = "azure-native:insights:Component" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20150501:applicationinsights:Component" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20180501preview:applicationinsights:Component" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20200202:applicationinsights:Component" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20200202preview:applicationinsights:Component" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApplicationInsights/ComponentCurrentBillingFeature.cs b/sdk/dotnet/ApplicationInsights/ComponentCurrentBillingFeature.cs index 0d96ee754e20..2d5db3daf216 100644 --- a/sdk/dotnet/ApplicationInsights/ComponentCurrentBillingFeature.cs +++ b/sdk/dotnet/ApplicationInsights/ComponentCurrentBillingFeature.cs @@ -60,9 +60,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20150501:ComponentCurrentBillingFeature" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20150501:ComponentCurrentBillingFeature" }, new global::Pulumi.Alias { Type = "azure-native:insights:ComponentCurrentBillingFeature" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20150501:applicationinsights:ComponentCurrentBillingFeature" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApplicationInsights/ComponentLinkedStorageAccount.cs b/sdk/dotnet/ApplicationInsights/ComponentLinkedStorageAccount.cs index 394ed1b5bc5b..dd77368cfab8 100644 --- a/sdk/dotnet/ApplicationInsights/ComponentLinkedStorageAccount.cs +++ b/sdk/dotnet/ApplicationInsights/ComponentLinkedStorageAccount.cs @@ -66,9 +66,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20200301preview:ComponentLinkedStorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20200301preview:ComponentLinkedStorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:insights:ComponentLinkedStorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20200301preview:applicationinsights:ComponentLinkedStorageAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApplicationInsights/ExportConfiguration.cs b/sdk/dotnet/ApplicationInsights/ExportConfiguration.cs index db84d7f9d818..0d9418641324 100644 --- a/sdk/dotnet/ApplicationInsights/ExportConfiguration.cs +++ b/sdk/dotnet/ApplicationInsights/ExportConfiguration.cs @@ -162,9 +162,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20150501:ExportConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20150501:ExportConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:insights:ExportConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20150501:applicationinsights:ExportConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApplicationInsights/Favorite.cs b/sdk/dotnet/ApplicationInsights/Favorite.cs index 3d70bfefd234..0fd8c2438f81 100644 --- a/sdk/dotnet/ApplicationInsights/Favorite.cs +++ b/sdk/dotnet/ApplicationInsights/Favorite.cs @@ -114,9 +114,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20150501:Favorite" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20150501:Favorite" }, new global::Pulumi.Alias { Type = "azure-native:insights:Favorite" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20150501:applicationinsights:Favorite" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApplicationInsights/MyWorkbook.cs b/sdk/dotnet/ApplicationInsights/MyWorkbook.cs index 340b958833b1..bb271b169c75 100644 --- a/sdk/dotnet/ApplicationInsights/MyWorkbook.cs +++ b/sdk/dotnet/ApplicationInsights/MyWorkbook.cs @@ -146,11 +146,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20150501:MyWorkbook" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20201020:MyWorkbook" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20210308:MyWorkbook" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20210308:MyWorkbook" }, new global::Pulumi.Alias { Type = "azure-native:insights:MyWorkbook" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20150501:applicationinsights:MyWorkbook" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20201020:applicationinsights:MyWorkbook" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20210308:applicationinsights:MyWorkbook" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApplicationInsights/ProactiveDetectionConfiguration.cs b/sdk/dotnet/ApplicationInsights/ProactiveDetectionConfiguration.cs index eb4daeb0c3e1..bccb37848f48 100644 --- a/sdk/dotnet/ApplicationInsights/ProactiveDetectionConfiguration.cs +++ b/sdk/dotnet/ApplicationInsights/ProactiveDetectionConfiguration.cs @@ -74,11 +74,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20150501:ProactiveDetectionConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20180501preview:ProactiveDetectionConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20150501:ProactiveDetectionConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20180501preview:ProactiveDetectionConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:insights:ProactiveDetectionConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20150501:applicationinsights:ProactiveDetectionConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20180501preview:applicationinsights:ProactiveDetectionConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApplicationInsights/WebTest.cs b/sdk/dotnet/ApplicationInsights/WebTest.cs index a4efacb27f1d..27bcd3155b87 100644 --- a/sdk/dotnet/ApplicationInsights/WebTest.cs +++ b/sdk/dotnet/ApplicationInsights/WebTest.cs @@ -158,13 +158,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20150501:WebTest" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20180501preview:WebTest" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20201005preview:WebTest" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20220615:WebTest" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20201005preview:WebTest" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20220615:WebTest" }, new global::Pulumi.Alias { Type = "azure-native:insights:WebTest" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20150501:applicationinsights:WebTest" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20180501preview:applicationinsights:WebTest" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20201005preview:applicationinsights:WebTest" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20220615:applicationinsights:WebTest" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApplicationInsights/Workbook.cs b/sdk/dotnet/ApplicationInsights/Workbook.cs index a20113e4490a..4746c23d3f04 100644 --- a/sdk/dotnet/ApplicationInsights/Workbook.cs +++ b/sdk/dotnet/ApplicationInsights/Workbook.cs @@ -158,19 +158,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20150501:Workbook" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20180617preview:Workbook" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20201020:Workbook" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20210308:Workbook" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20210801:Workbook" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20220401:Workbook" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20230601:Workbook" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20150501:Workbook" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20210308:Workbook" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20210801:Workbook" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20220401:Workbook" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20230601:Workbook" }, new global::Pulumi.Alias { Type = "azure-native:insights:Workbook" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20150501:applicationinsights:Workbook" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20180617preview:applicationinsights:Workbook" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20201020:applicationinsights:Workbook" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20210308:applicationinsights:Workbook" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20210801:applicationinsights:Workbook" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20220401:applicationinsights:Workbook" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20230601:applicationinsights:Workbook" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ApplicationInsights/WorkbookTemplate.cs b/sdk/dotnet/ApplicationInsights/WorkbookTemplate.cs index 5b316f70bcfb..9f21d53a859b 100644 --- a/sdk/dotnet/ApplicationInsights/WorkbookTemplate.cs +++ b/sdk/dotnet/ApplicationInsights/WorkbookTemplate.cs @@ -104,10 +104,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20191017preview:WorkbookTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:applicationinsights/v20201120:WorkbookTemplate" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20201120:WorkbookTemplate" }, new global::Pulumi.Alias { Type = "azure-native:insights:WorkbookTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20191017preview:applicationinsights:WorkbookTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_applicationinsights_v20201120:applicationinsights:WorkbookTemplate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Attestation/AttestationProvider.cs b/sdk/dotnet/Attestation/AttestationProvider.cs index f52fea56e0d8..2366a0e7febc 100644 --- a/sdk/dotnet/Attestation/AttestationProvider.cs +++ b/sdk/dotnet/Attestation/AttestationProvider.cs @@ -114,10 +114,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:attestation/v20180901preview:AttestationProvider" }, - new global::Pulumi.Alias { Type = "azure-native:attestation/v20201001:AttestationProvider" }, new global::Pulumi.Alias { Type = "azure-native:attestation/v20210601:AttestationProvider" }, new global::Pulumi.Alias { Type = "azure-native:attestation/v20210601preview:AttestationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_attestation_v20180901preview:attestation:AttestationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_attestation_v20201001:attestation:AttestationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_attestation_v20210601:attestation:AttestationProvider" }, + new global::Pulumi.Alias { Type = "azure-native_attestation_v20210601preview:attestation:AttestationProvider" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Attestation/PrivateEndpointConnection.cs b/sdk/dotnet/Attestation/PrivateEndpointConnection.cs index 1f928508af06..7e52e2142066 100644 --- a/sdk/dotnet/Attestation/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Attestation/PrivateEndpointConnection.cs @@ -78,9 +78,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:attestation/v20201001:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:attestation/v20210601:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:attestation/v20210601preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_attestation_v20201001:attestation:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_attestation_v20210601:attestation:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_attestation_v20210601preview:attestation:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/AccessReviewHistoryDefinitionById.cs b/sdk/dotnet/Authorization/AccessReviewHistoryDefinitionById.cs index 2e0e771de0bc..6b2a30516899 100644 --- a/sdk/dotnet/Authorization/AccessReviewHistoryDefinitionById.cs +++ b/sdk/dotnet/Authorization/AccessReviewHistoryDefinitionById.cs @@ -146,8 +146,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20211116preview:AccessReviewHistoryDefinitionById" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20211201preview:AccessReviewHistoryDefinitionById" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20211116preview:authorization:AccessReviewHistoryDefinitionById" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20211201preview:authorization:AccessReviewHistoryDefinitionById" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/AccessReviewScheduleDefinitionById.cs b/sdk/dotnet/Authorization/AccessReviewScheduleDefinitionById.cs index 25af6317ace2..abf1389bb7df 100644 --- a/sdk/dotnet/Authorization/AccessReviewScheduleDefinitionById.cs +++ b/sdk/dotnet/Authorization/AccessReviewScheduleDefinitionById.cs @@ -206,11 +206,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180501preview:AccessReviewScheduleDefinitionById" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20210301preview:AccessReviewScheduleDefinitionById" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20210701preview:AccessReviewScheduleDefinitionById" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20211116preview:AccessReviewScheduleDefinitionById" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20211201preview:AccessReviewScheduleDefinitionById" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180501preview:authorization:AccessReviewScheduleDefinitionById" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20210301preview:authorization:AccessReviewScheduleDefinitionById" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20210701preview:authorization:AccessReviewScheduleDefinitionById" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20211116preview:authorization:AccessReviewScheduleDefinitionById" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20211201preview:authorization:AccessReviewScheduleDefinitionById" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/ManagementLockAtResourceGroupLevel.cs b/sdk/dotnet/Authorization/ManagementLockAtResourceGroupLevel.cs index ee5c82a920e6..bf754f0e82c5 100644 --- a/sdk/dotnet/Authorization/ManagementLockAtResourceGroupLevel.cs +++ b/sdk/dotnet/Authorization/ManagementLockAtResourceGroupLevel.cs @@ -84,10 +84,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20150101:ManagementLockAtResourceGroupLevel" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20160901:ManagementLockAtResourceGroupLevel" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20170401:ManagementLockAtResourceGroupLevel" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20200501:ManagementLockAtResourceGroupLevel" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20150101:authorization:ManagementLockAtResourceGroupLevel" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20160901:authorization:ManagementLockAtResourceGroupLevel" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20170401:authorization:ManagementLockAtResourceGroupLevel" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200501:authorization:ManagementLockAtResourceGroupLevel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/ManagementLockAtResourceLevel.cs b/sdk/dotnet/Authorization/ManagementLockAtResourceLevel.cs index ebe705a35f91..64f483db5f37 100644 --- a/sdk/dotnet/Authorization/ManagementLockAtResourceLevel.cs +++ b/sdk/dotnet/Authorization/ManagementLockAtResourceLevel.cs @@ -84,9 +84,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20160901:ManagementLockAtResourceLevel" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20170401:ManagementLockAtResourceLevel" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20200501:ManagementLockAtResourceLevel" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20160901:authorization:ManagementLockAtResourceLevel" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20170401:authorization:ManagementLockAtResourceLevel" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200501:authorization:ManagementLockAtResourceLevel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/ManagementLockAtSubscriptionLevel.cs b/sdk/dotnet/Authorization/ManagementLockAtSubscriptionLevel.cs index 063102208fde..d6e9b3adc101 100644 --- a/sdk/dotnet/Authorization/ManagementLockAtSubscriptionLevel.cs +++ b/sdk/dotnet/Authorization/ManagementLockAtSubscriptionLevel.cs @@ -84,10 +84,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20150101:ManagementLockAtSubscriptionLevel" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20160901:ManagementLockAtSubscriptionLevel" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20170401:ManagementLockAtSubscriptionLevel" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20200501:ManagementLockAtSubscriptionLevel" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20150101:authorization:ManagementLockAtSubscriptionLevel" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20160901:authorization:ManagementLockAtSubscriptionLevel" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20170401:authorization:ManagementLockAtSubscriptionLevel" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200501:authorization:ManagementLockAtSubscriptionLevel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/ManagementLockByScope.cs b/sdk/dotnet/Authorization/ManagementLockByScope.cs index c900b70b4b66..a4f1734df49b 100644 --- a/sdk/dotnet/Authorization/ManagementLockByScope.cs +++ b/sdk/dotnet/Authorization/ManagementLockByScope.cs @@ -84,9 +84,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20160901:ManagementLockByScope" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20170401:ManagementLockByScope" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20200501:ManagementLockByScope" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20160901:authorization:ManagementLockByScope" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20170401:authorization:ManagementLockByScope" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200501:authorization:ManagementLockByScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PimRoleEligibilitySchedule.cs b/sdk/dotnet/Authorization/PimRoleEligibilitySchedule.cs index 3352a9f9e2ff..aa51c8d9485c 100644 --- a/sdk/dotnet/Authorization/PimRoleEligibilitySchedule.cs +++ b/sdk/dotnet/Authorization/PimRoleEligibilitySchedule.cs @@ -172,7 +172,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20201001:PimRoleEligibilitySchedule" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20201001:authorization:PimRoleEligibilitySchedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PolicyAssignment.cs b/sdk/dotnet/Authorization/PolicyAssignment.cs index a4a5f93721b3..b42fbe3cbc6c 100644 --- a/sdk/dotnet/Authorization/PolicyAssignment.cs +++ b/sdk/dotnet/Authorization/PolicyAssignment.cs @@ -176,24 +176,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20151001preview:PolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20160401:PolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20161201:PolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20170601preview:PolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180301:PolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180501:PolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20190101:PolicyAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20190601:PolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20190901:PolicyAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20200301:PolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20200901:PolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20210601:PolicyAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20220601:PolicyAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20230401:PolicyAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240401:PolicyAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240501:PolicyAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20250101:PolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20250301:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20151001preview:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20160401:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20161201:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20170601preview:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180301:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180501:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190101:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190601:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190901:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200301:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200901:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20210601:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20220601:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20230401:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240401:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240501:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250101:authorization:PolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250301:authorization:PolicyAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PolicyDefinition.cs b/sdk/dotnet/Authorization/PolicyDefinition.cs index 1767ec24d193..67b14dc70c79 100644 --- a/sdk/dotnet/Authorization/PolicyDefinition.cs +++ b/sdk/dotnet/Authorization/PolicyDefinition.cs @@ -122,21 +122,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20151001preview:PolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20160401:PolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20161201:PolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180301:PolicyDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20180501:PolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20190101:PolicyDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20190601:PolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20190901:PolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20200301:PolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20200901:PolicyDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20210601:PolicyDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20230401:PolicyDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240501:PolicyDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20250101:PolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20250301:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20151001preview:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20160401:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20161201:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180301:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180501:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190101:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190601:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190901:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200301:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200901:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20210601:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20230401:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240501:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250101:authorization:PolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250301:authorization:PolicyDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PolicyDefinitionAtManagementGroup.cs b/sdk/dotnet/Authorization/PolicyDefinitionAtManagementGroup.cs index f74faae60e34..bc6554af1d96 100644 --- a/sdk/dotnet/Authorization/PolicyDefinitionAtManagementGroup.cs +++ b/sdk/dotnet/Authorization/PolicyDefinitionAtManagementGroup.cs @@ -122,19 +122,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20161201:PolicyDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180301:PolicyDefinitionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20180501:PolicyDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20190101:PolicyDefinitionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20190601:PolicyDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20190901:PolicyDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20200301:PolicyDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20200901:PolicyDefinitionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20210601:PolicyDefinitionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20230401:PolicyDefinitionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240501:PolicyDefinitionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20250101:PolicyDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20250301:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20161201:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180301:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180501:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190101:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190601:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190901:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200301:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200901:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20210601:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20230401:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240501:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250101:authorization:PolicyDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250301:authorization:PolicyDefinitionAtManagementGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PolicyDefinitionVersion.cs b/sdk/dotnet/Authorization/PolicyDefinitionVersion.cs index 4245258de1c4..41acb4405992 100644 --- a/sdk/dotnet/Authorization/PolicyDefinitionVersion.cs +++ b/sdk/dotnet/Authorization/PolicyDefinitionVersion.cs @@ -119,7 +119,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:authorization/v20230401:PolicyDefinitionVersion" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240501:PolicyDefinitionVersion" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20250101:PolicyDefinitionVersion" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20250301:PolicyDefinitionVersion" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20230401:authorization:PolicyDefinitionVersion" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240501:authorization:PolicyDefinitionVersion" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250101:authorization:PolicyDefinitionVersion" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250301:authorization:PolicyDefinitionVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PolicyDefinitionVersionAtManagementGroup.cs b/sdk/dotnet/Authorization/PolicyDefinitionVersionAtManagementGroup.cs index 02c75eae88d1..1c54c169357a 100644 --- a/sdk/dotnet/Authorization/PolicyDefinitionVersionAtManagementGroup.cs +++ b/sdk/dotnet/Authorization/PolicyDefinitionVersionAtManagementGroup.cs @@ -119,7 +119,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:authorization/v20230401:PolicyDefinitionVersionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240501:PolicyDefinitionVersionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20250101:PolicyDefinitionVersionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20250301:PolicyDefinitionVersionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20230401:authorization:PolicyDefinitionVersionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240501:authorization:PolicyDefinitionVersionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250101:authorization:PolicyDefinitionVersionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250301:authorization:PolicyDefinitionVersionAtManagementGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PolicyExemption.cs b/sdk/dotnet/Authorization/PolicyExemption.cs index a5ee0a01f453..de60f99f420a 100644 --- a/sdk/dotnet/Authorization/PolicyExemption.cs +++ b/sdk/dotnet/Authorization/PolicyExemption.cs @@ -122,9 +122,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20200701preview:PolicyExemption" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20220701preview:PolicyExemption" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20241201preview:PolicyExemption" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200701preview:authorization:PolicyExemption" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20220701preview:authorization:PolicyExemption" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20241201preview:authorization:PolicyExemption" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PolicySetDefinition.cs b/sdk/dotnet/Authorization/PolicySetDefinition.cs index 4936dc4a1969..3d384ef6083b 100644 --- a/sdk/dotnet/Authorization/PolicySetDefinition.cs +++ b/sdk/dotnet/Authorization/PolicySetDefinition.cs @@ -122,19 +122,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20170601preview:PolicySetDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180301:PolicySetDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180501:PolicySetDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20190101:PolicySetDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20190601:PolicySetDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20190901:PolicySetDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20200301:PolicySetDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20200901:PolicySetDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20210601:PolicySetDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20230401:PolicySetDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240501:PolicySetDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20250101:PolicySetDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20250301:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20170601preview:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180301:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180501:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190101:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190601:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190901:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200301:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200901:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20210601:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20230401:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240501:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250101:authorization:PolicySetDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250301:authorization:PolicySetDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PolicySetDefinitionAtManagementGroup.cs b/sdk/dotnet/Authorization/PolicySetDefinitionAtManagementGroup.cs index 921b9519f3a4..42e8fb9564f0 100644 --- a/sdk/dotnet/Authorization/PolicySetDefinitionAtManagementGroup.cs +++ b/sdk/dotnet/Authorization/PolicySetDefinitionAtManagementGroup.cs @@ -122,19 +122,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20170601preview:PolicySetDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180301:PolicySetDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180501:PolicySetDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20190101:PolicySetDefinitionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20190601:PolicySetDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20190901:PolicySetDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20200301:PolicySetDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20200901:PolicySetDefinitionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20210601:PolicySetDefinitionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20230401:PolicySetDefinitionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240501:PolicySetDefinitionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20250101:PolicySetDefinitionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20250301:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20170601preview:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180301:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180501:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190101:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190601:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20190901:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200301:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200901:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20210601:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20230401:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240501:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250101:authorization:PolicySetDefinitionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250301:authorization:PolicySetDefinitionAtManagementGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PolicySetDefinitionVersion.cs b/sdk/dotnet/Authorization/PolicySetDefinitionVersion.cs index 40a1845ebd79..5b827636a3e6 100644 --- a/sdk/dotnet/Authorization/PolicySetDefinitionVersion.cs +++ b/sdk/dotnet/Authorization/PolicySetDefinitionVersion.cs @@ -119,7 +119,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:authorization/v20230401:PolicySetDefinitionVersion" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240501:PolicySetDefinitionVersion" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20250101:PolicySetDefinitionVersion" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20250301:PolicySetDefinitionVersion" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20230401:authorization:PolicySetDefinitionVersion" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240501:authorization:PolicySetDefinitionVersion" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250101:authorization:PolicySetDefinitionVersion" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250301:authorization:PolicySetDefinitionVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PolicySetDefinitionVersionAtManagementGroup.cs b/sdk/dotnet/Authorization/PolicySetDefinitionVersionAtManagementGroup.cs index b400e9dd356c..1c854cdd8019 100644 --- a/sdk/dotnet/Authorization/PolicySetDefinitionVersionAtManagementGroup.cs +++ b/sdk/dotnet/Authorization/PolicySetDefinitionVersionAtManagementGroup.cs @@ -119,7 +119,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:authorization/v20230401:PolicySetDefinitionVersionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240501:PolicySetDefinitionVersionAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20250101:PolicySetDefinitionVersionAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20250301:PolicySetDefinitionVersionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20230401:authorization:PolicySetDefinitionVersionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240501:authorization:PolicySetDefinitionVersionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250101:authorization:PolicySetDefinitionVersionAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20250301:authorization:PolicySetDefinitionVersionAtManagementGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/PrivateLinkAssociation.cs b/sdk/dotnet/Authorization/PrivateLinkAssociation.cs index cdfbec6f62eb..25e48b06bdbb 100644 --- a/sdk/dotnet/Authorization/PrivateLinkAssociation.cs +++ b/sdk/dotnet/Authorization/PrivateLinkAssociation.cs @@ -65,6 +65,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:authorization/v20200501:PrivateLinkAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200501:authorization:PrivateLinkAssociation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/ResourceManagementPrivateLink.cs b/sdk/dotnet/Authorization/ResourceManagementPrivateLink.cs index 4d3e371cdc53..dc6f8331d059 100644 --- a/sdk/dotnet/Authorization/ResourceManagementPrivateLink.cs +++ b/sdk/dotnet/Authorization/ResourceManagementPrivateLink.cs @@ -68,6 +68,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:authorization/v20200501:ResourceManagementPrivateLink" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200501:authorization:ResourceManagementPrivateLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/RoleAssignment.cs b/sdk/dotnet/Authorization/RoleAssignment.cs index c44fda43449f..e842b69a6252 100644 --- a/sdk/dotnet/Authorization/RoleAssignment.cs +++ b/sdk/dotnet/Authorization/RoleAssignment.cs @@ -134,15 +134,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20150701:RoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20171001preview:RoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180101preview:RoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180901preview:RoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20200301preview:RoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20200401preview:RoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20200801preview:RoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20201001preview:RoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20220401:RoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20150701:authorization:RoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20171001preview:authorization:RoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180101preview:authorization:RoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180901preview:authorization:RoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200301preview:authorization:RoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200401preview:authorization:RoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20200801preview:authorization:RoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20201001preview:authorization:RoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20220401:authorization:RoleAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/RoleDefinition.cs b/sdk/dotnet/Authorization/RoleDefinition.cs index a3f91ee5372c..d83d31a4540c 100644 --- a/sdk/dotnet/Authorization/RoleDefinition.cs +++ b/sdk/dotnet/Authorization/RoleDefinition.cs @@ -116,10 +116,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20150701:RoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20180101preview:RoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20220401:RoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20220501preview:RoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20150701:authorization:RoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20180101preview:authorization:RoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20220401:authorization:RoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20220501preview:authorization:RoleDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/RoleManagementPolicy.cs b/sdk/dotnet/Authorization/RoleManagementPolicy.cs index aa638eceae68..c0bc786629dc 100644 --- a/sdk/dotnet/Authorization/RoleManagementPolicy.cs +++ b/sdk/dotnet/Authorization/RoleManagementPolicy.cs @@ -116,10 +116,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:authorization/v20201001:RoleManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20201001preview:RoleManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20240201preview:RoleManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20240901preview:RoleManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20201001:authorization:RoleManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20201001preview:authorization:RoleManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240201preview:authorization:RoleManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240901preview:authorization:RoleManagementPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/RoleManagementPolicyAssignment.cs b/sdk/dotnet/Authorization/RoleManagementPolicyAssignment.cs index bb8544b0f652..1a51215aa9c7 100644 --- a/sdk/dotnet/Authorization/RoleManagementPolicyAssignment.cs +++ b/sdk/dotnet/Authorization/RoleManagementPolicyAssignment.cs @@ -96,6 +96,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:authorization/v20201001preview:RoleManagementPolicyAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240201preview:RoleManagementPolicyAssignment" }, new global::Pulumi.Alias { Type = "azure-native:authorization/v20240901preview:RoleManagementPolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20201001:authorization:RoleManagementPolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20201001preview:authorization:RoleManagementPolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240201preview:authorization:RoleManagementPolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20240901preview:authorization:RoleManagementPolicyAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/ScopeAccessReviewHistoryDefinitionById.cs b/sdk/dotnet/Authorization/ScopeAccessReviewHistoryDefinitionById.cs index c52c9ede613c..b702b53c0184 100644 --- a/sdk/dotnet/Authorization/ScopeAccessReviewHistoryDefinitionById.cs +++ b/sdk/dotnet/Authorization/ScopeAccessReviewHistoryDefinitionById.cs @@ -145,6 +145,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:authorization/v20211201preview:ScopeAccessReviewHistoryDefinitionById" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20211201preview:authorization:ScopeAccessReviewHistoryDefinitionById" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/ScopeAccessReviewScheduleDefinitionById.cs b/sdk/dotnet/Authorization/ScopeAccessReviewScheduleDefinitionById.cs index 3d0d4b266908..a7c39c919c24 100644 --- a/sdk/dotnet/Authorization/ScopeAccessReviewScheduleDefinitionById.cs +++ b/sdk/dotnet/Authorization/ScopeAccessReviewScheduleDefinitionById.cs @@ -205,6 +205,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:authorization/v20211201preview:ScopeAccessReviewScheduleDefinitionById" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20211201preview:authorization:ScopeAccessReviewScheduleDefinitionById" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/Variable.cs b/sdk/dotnet/Authorization/Variable.cs index 2bc304a171f0..ad2fdcb970d1 100644 --- a/sdk/dotnet/Authorization/Variable.cs +++ b/sdk/dotnet/Authorization/Variable.cs @@ -75,7 +75,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:authorization/v20220801preview:Variable" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20241201preview:Variable" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20220801preview:authorization:Variable" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20241201preview:authorization:Variable" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/VariableAtManagementGroup.cs b/sdk/dotnet/Authorization/VariableAtManagementGroup.cs index 42089714e8c8..dd3ac5799597 100644 --- a/sdk/dotnet/Authorization/VariableAtManagementGroup.cs +++ b/sdk/dotnet/Authorization/VariableAtManagementGroup.cs @@ -75,7 +75,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:authorization/v20220801preview:VariableAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20241201preview:VariableAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20220801preview:authorization:VariableAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20241201preview:authorization:VariableAtManagementGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/VariableValue.cs b/sdk/dotnet/Authorization/VariableValue.cs index 541e6ad377f3..c714abcd8069 100644 --- a/sdk/dotnet/Authorization/VariableValue.cs +++ b/sdk/dotnet/Authorization/VariableValue.cs @@ -75,7 +75,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:authorization/v20220801preview:VariableValue" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20241201preview:VariableValue" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20220801preview:authorization:VariableValue" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20241201preview:authorization:VariableValue" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Authorization/VariableValueAtManagementGroup.cs b/sdk/dotnet/Authorization/VariableValueAtManagementGroup.cs index 35674f3876db..f8c9e17b980e 100644 --- a/sdk/dotnet/Authorization/VariableValueAtManagementGroup.cs +++ b/sdk/dotnet/Authorization/VariableValueAtManagementGroup.cs @@ -75,7 +75,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:authorization/v20220801preview:VariableValueAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:authorization/v20241201preview:VariableValueAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20220801preview:authorization:VariableValueAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_authorization_v20241201preview:authorization:VariableValueAtManagementGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automanage/ConfigurationProfile.cs b/sdk/dotnet/Automanage/ConfigurationProfile.cs index fe7324f879f7..9622cf5cce51 100644 --- a/sdk/dotnet/Automanage/ConfigurationProfile.cs +++ b/sdk/dotnet/Automanage/ConfigurationProfile.cs @@ -86,8 +86,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automanage/v20210430preview:ConfigurationProfile" }, new global::Pulumi.Alias { Type = "azure-native:automanage/v20220504:ConfigurationProfile" }, + new global::Pulumi.Alias { Type = "azure-native_automanage_v20210430preview:automanage:ConfigurationProfile" }, + new global::Pulumi.Alias { Type = "azure-native_automanage_v20220504:automanage:ConfigurationProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automanage/ConfigurationProfileAssignment.cs b/sdk/dotnet/Automanage/ConfigurationProfileAssignment.cs index 8a1c24d222f6..e40a697aa22f 100644 --- a/sdk/dotnet/Automanage/ConfigurationProfileAssignment.cs +++ b/sdk/dotnet/Automanage/ConfigurationProfileAssignment.cs @@ -80,9 +80,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automanage/v20200630preview:ConfigurationProfileAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:automanage/v20210430preview:ConfigurationProfileAssignment" }, new global::Pulumi.Alias { Type = "azure-native:automanage/v20220504:ConfigurationProfileAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_automanage_v20200630preview:automanage:ConfigurationProfileAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_automanage_v20210430preview:automanage:ConfigurationProfileAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_automanage_v20220504:automanage:ConfigurationProfileAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automanage/ConfigurationProfileHCIAssignment.cs b/sdk/dotnet/Automanage/ConfigurationProfileHCIAssignment.cs index d985099d63be..3cc622a6d279 100644 --- a/sdk/dotnet/Automanage/ConfigurationProfileHCIAssignment.cs +++ b/sdk/dotnet/Automanage/ConfigurationProfileHCIAssignment.cs @@ -80,8 +80,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automanage/v20210430preview:ConfigurationProfileHCIAssignment" }, new global::Pulumi.Alias { Type = "azure-native:automanage/v20220504:ConfigurationProfileHCIAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_automanage_v20210430preview:automanage:ConfigurationProfileHCIAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_automanage_v20220504:automanage:ConfigurationProfileHCIAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automanage/ConfigurationProfileHCRPAssignment.cs b/sdk/dotnet/Automanage/ConfigurationProfileHCRPAssignment.cs index 5c000a69d795..de0db5dd25d8 100644 --- a/sdk/dotnet/Automanage/ConfigurationProfileHCRPAssignment.cs +++ b/sdk/dotnet/Automanage/ConfigurationProfileHCRPAssignment.cs @@ -80,8 +80,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automanage/v20210430preview:ConfigurationProfileHCRPAssignment" }, new global::Pulumi.Alias { Type = "azure-native:automanage/v20220504:ConfigurationProfileHCRPAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_automanage_v20210430preview:automanage:ConfigurationProfileHCRPAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_automanage_v20220504:automanage:ConfigurationProfileHCRPAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automanage/ConfigurationProfilesVersion.cs b/sdk/dotnet/Automanage/ConfigurationProfilesVersion.cs index 0e23a5090526..44a8651cbfec 100644 --- a/sdk/dotnet/Automanage/ConfigurationProfilesVersion.cs +++ b/sdk/dotnet/Automanage/ConfigurationProfilesVersion.cs @@ -86,8 +86,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automanage/v20210430preview:ConfigurationProfilesVersion" }, new global::Pulumi.Alias { Type = "azure-native:automanage/v20220504:ConfigurationProfilesVersion" }, + new global::Pulumi.Alias { Type = "azure-native_automanage_v20210430preview:automanage:ConfigurationProfilesVersion" }, + new global::Pulumi.Alias { Type = "azure-native_automanage_v20220504:automanage:ConfigurationProfilesVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/AutomationAccount.cs b/sdk/dotnet/Automation/AutomationAccount.cs index 5a3aafa78eb4..5234debe0edf 100644 --- a/sdk/dotnet/Automation/AutomationAccount.cs +++ b/sdk/dotnet/Automation/AutomationAccount.cs @@ -158,14 +158,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:AutomationAccount" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:AutomationAccount" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:AutomationAccount" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20210622:AutomationAccount" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:AutomationAccount" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:AutomationAccount" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:AutomationAccount" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:AutomationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:AutomationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:AutomationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:AutomationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20210622:automation:AutomationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:AutomationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:AutomationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:AutomationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:AutomationAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Certificate.cs b/sdk/dotnet/Automation/Certificate.cs index 5d3498a6f50c..6a9da6aa2506 100644 --- a/sdk/dotnet/Automation/Certificate.cs +++ b/sdk/dotnet/Automation/Certificate.cs @@ -98,13 +98,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Certificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Connection.cs b/sdk/dotnet/Automation/Connection.cs index 209ae6739ccf..4109194c7aaf 100644 --- a/sdk/dotnet/Automation/Connection.cs +++ b/sdk/dotnet/Automation/Connection.cs @@ -92,13 +92,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:Connection" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:Connection" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:Connection" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:Connection" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Connection" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:Connection" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Connection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/ConnectionType.cs b/sdk/dotnet/Automation/ConnectionType.cs index c33e5213ad7b..a22b94df53e0 100644 --- a/sdk/dotnet/Automation/ConnectionType.cs +++ b/sdk/dotnet/Automation/ConnectionType.cs @@ -92,13 +92,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:ConnectionType" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:ConnectionType" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:ConnectionType" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:ConnectionType" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:ConnectionType" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:ConnectionType" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:ConnectionType" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:ConnectionType" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:ConnectionType" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:ConnectionType" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:ConnectionType" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:ConnectionType" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:ConnectionType" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:ConnectionType" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Credential.cs b/sdk/dotnet/Automation/Credential.cs index 877ace17684c..3c828d729638 100644 --- a/sdk/dotnet/Automation/Credential.cs +++ b/sdk/dotnet/Automation/Credential.cs @@ -86,13 +86,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:Credential" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:Credential" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:Credential" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:Credential" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Credential" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:Credential" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Credential" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:Credential" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:Credential" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:Credential" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:Credential" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Credential" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:Credential" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Credential" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/DscConfiguration.cs b/sdk/dotnet/Automation/DscConfiguration.cs index 52d773fc0e4d..d9d793dc1bf0 100644 --- a/sdk/dotnet/Automation/DscConfiguration.cs +++ b/sdk/dotnet/Automation/DscConfiguration.cs @@ -140,12 +140,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:DscConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:DscConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:DscConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:DscConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:DscConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:DscConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:DscConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:DscConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:DscConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:DscConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:DscConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:DscConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/DscNodeConfiguration.cs b/sdk/dotnet/Automation/DscNodeConfiguration.cs index c1f8482acb25..ef5340ea1111 100644 --- a/sdk/dotnet/Automation/DscNodeConfiguration.cs +++ b/sdk/dotnet/Automation/DscNodeConfiguration.cs @@ -98,14 +98,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:DscNodeConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20180115:DscNodeConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:DscNodeConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:DscNodeConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:DscNodeConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:DscNodeConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:DscNodeConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:DscNodeConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:DscNodeConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20180115:automation:DscNodeConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:DscNodeConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:DscNodeConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:DscNodeConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:DscNodeConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:DscNodeConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:DscNodeConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/HybridRunbookWorker.cs b/sdk/dotnet/Automation/HybridRunbookWorker.cs index 3201aed30563..9e8e2aea3d4e 100644 --- a/sdk/dotnet/Automation/HybridRunbookWorker.cs +++ b/sdk/dotnet/Automation/HybridRunbookWorker.cs @@ -104,11 +104,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20210622:HybridRunbookWorker" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:HybridRunbookWorker" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:HybridRunbookWorker" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:HybridRunbookWorker" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:HybridRunbookWorker" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20210622:automation:HybridRunbookWorker" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:HybridRunbookWorker" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:HybridRunbookWorker" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:HybridRunbookWorker" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:HybridRunbookWorker" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/HybridRunbookWorkerGroup.cs b/sdk/dotnet/Automation/HybridRunbookWorkerGroup.cs index 1b897c0d258b..e8bc327c67a8 100644 --- a/sdk/dotnet/Automation/HybridRunbookWorkerGroup.cs +++ b/sdk/dotnet/Automation/HybridRunbookWorkerGroup.cs @@ -81,11 +81,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:automation/v20210622:HybridRunbookWorkerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20220222:HybridRunbookWorkerGroup" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:HybridRunbookWorkerGroup" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:HybridRunbookWorkerGroup" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:HybridRunbookWorkerGroup" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:HybridRunbookWorkerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20210622:automation:HybridRunbookWorkerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220222:automation:HybridRunbookWorkerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:HybridRunbookWorkerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:HybridRunbookWorkerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:HybridRunbookWorkerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:HybridRunbookWorkerGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/JobSchedule.cs b/sdk/dotnet/Automation/JobSchedule.cs index 9d89d59f98d6..1c4036940b75 100644 --- a/sdk/dotnet/Automation/JobSchedule.cs +++ b/sdk/dotnet/Automation/JobSchedule.cs @@ -92,13 +92,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:JobSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:JobSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:JobSchedule" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:JobSchedule" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:JobSchedule" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:JobSchedule" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:JobSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:JobSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:JobSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:JobSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:JobSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:JobSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:JobSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:JobSchedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Module.cs b/sdk/dotnet/Automation/Module.cs index 6623f9506d65..05384633f08b 100644 --- a/sdk/dotnet/Automation/Module.cs +++ b/sdk/dotnet/Automation/Module.cs @@ -140,13 +140,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:Module" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:Module" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:Module" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:Module" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Module" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:Module" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Module" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:Module" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:Module" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:Module" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:Module" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Module" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:Module" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Module" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Package.cs b/sdk/dotnet/Automation/Package.cs index 28691e7f6c74..69523cb44abd 100644 --- a/sdk/dotnet/Automation/Package.cs +++ b/sdk/dotnet/Automation/Package.cs @@ -124,6 +124,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Package" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Package" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/PowerShell72Module.cs b/sdk/dotnet/Automation/PowerShell72Module.cs index 055b53a1228d..3fa3bfa3066b 100644 --- a/sdk/dotnet/Automation/PowerShell72Module.cs +++ b/sdk/dotnet/Automation/PowerShell72Module.cs @@ -139,6 +139,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:PowerShell72Module" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:PowerShell72Module" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/PrivateEndpointConnection.cs b/sdk/dotnet/Automation/PrivateEndpointConnection.cs index 5760bb7cb7c0..f637bb0188e3 100644 --- a/sdk/dotnet/Automation/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Automation/PrivateEndpointConnection.cs @@ -89,6 +89,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Python2Package.cs b/sdk/dotnet/Automation/Python2Package.cs index acf92f1dd8ba..65a7d21c0825 100644 --- a/sdk/dotnet/Automation/Python2Package.cs +++ b/sdk/dotnet/Automation/Python2Package.cs @@ -140,13 +140,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20180630:Python2Package" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:Python2Package" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:Python2Package" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:Python2Package" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Python2Package" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:Python2Package" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Python2Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20180630:automation:Python2Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:Python2Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:Python2Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:Python2Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Python2Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:Python2Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Python2Package" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Python3Package.cs b/sdk/dotnet/Automation/Python3Package.cs index e4fda47afdf1..17e32151c92d 100644 --- a/sdk/dotnet/Automation/Python3Package.cs +++ b/sdk/dotnet/Automation/Python3Package.cs @@ -144,6 +144,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Python3Package" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:Python3Package" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Python3Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:Python3Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Python3Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:Python3Package" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Python3Package" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Runbook.cs b/sdk/dotnet/Automation/Runbook.cs index a077515085dc..22762514fd4d 100644 --- a/sdk/dotnet/Automation/Runbook.cs +++ b/sdk/dotnet/Automation/Runbook.cs @@ -164,13 +164,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:Runbook" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20180630:Runbook" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:Runbook" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:Runbook" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Runbook" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:Runbook" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Runbook" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:Runbook" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20180630:automation:Runbook" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:Runbook" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:Runbook" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Runbook" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:Runbook" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Runbook" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/RuntimeEnvironment.cs b/sdk/dotnet/Automation/RuntimeEnvironment.cs index 59e041152c96..692148a6be1b 100644 --- a/sdk/dotnet/Automation/RuntimeEnvironment.cs +++ b/sdk/dotnet/Automation/RuntimeEnvironment.cs @@ -106,6 +106,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:RuntimeEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:RuntimeEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:RuntimeEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:RuntimeEnvironment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Schedule.cs b/sdk/dotnet/Automation/Schedule.cs index bd63e9e66ac9..a601b3a9ae33 100644 --- a/sdk/dotnet/Automation/Schedule.cs +++ b/sdk/dotnet/Automation/Schedule.cs @@ -146,13 +146,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Schedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/SoftwareUpdateConfigurationByName.cs b/sdk/dotnet/Automation/SoftwareUpdateConfigurationByName.cs index 87d1104501c0..2120d3f416c8 100644 --- a/sdk/dotnet/Automation/SoftwareUpdateConfigurationByName.cs +++ b/sdk/dotnet/Automation/SoftwareUpdateConfigurationByName.cs @@ -120,6 +120,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:SoftwareUpdateConfigurationByName" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:SoftwareUpdateConfigurationByName" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:SoftwareUpdateConfigurationByName" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20170515preview:automation:SoftwareUpdateConfigurationByName" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:SoftwareUpdateConfigurationByName" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:SoftwareUpdateConfigurationByName" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:SoftwareUpdateConfigurationByName" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/SourceControl.cs b/sdk/dotnet/Automation/SourceControl.cs index f4d46565a1ef..17edac2535aa 100644 --- a/sdk/dotnet/Automation/SourceControl.cs +++ b/sdk/dotnet/Automation/SourceControl.cs @@ -116,13 +116,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20170515preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:SourceControl" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:SourceControl" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:SourceControl" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:SourceControl" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20170515preview:automation:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:SourceControl" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Variable.cs b/sdk/dotnet/Automation/Variable.cs index e8725c6c4fd1..6264bbdc415e 100644 --- a/sdk/dotnet/Automation/Variable.cs +++ b/sdk/dotnet/Automation/Variable.cs @@ -92,13 +92,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:Variable" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:Variable" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:Variable" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20220808:Variable" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Variable" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20231101:Variable" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Variable" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:Variable" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:Variable" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:Variable" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20220808:automation:Variable" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Variable" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20231101:automation:Variable" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Variable" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Watcher.cs b/sdk/dotnet/Automation/Watcher.cs index 48bf0f7b30f4..5caeb02e0c98 100644 --- a/sdk/dotnet/Automation/Watcher.cs +++ b/sdk/dotnet/Automation/Watcher.cs @@ -140,11 +140,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:Watcher" }, - new global::Pulumi.Alias { Type = "azure-native:automation/v20190601:Watcher" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20200113preview:Watcher" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Watcher" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Watcher" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:Watcher" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20190601:automation:Watcher" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20200113preview:automation:Watcher" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Watcher" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Watcher" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Automation/Webhook.cs b/sdk/dotnet/Automation/Webhook.cs index 30326e47ec23..a0a9a957a2b3 100644 --- a/sdk/dotnet/Automation/Webhook.cs +++ b/sdk/dotnet/Automation/Webhook.cs @@ -137,6 +137,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:automation/v20151031:Webhook" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20230515preview:Webhook" }, new global::Pulumi.Alias { Type = "azure-native:automation/v20241023:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20151031:automation:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20230515preview:automation:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_automation_v20241023:automation:Webhook" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/AccessAnalyzerAnalyzer.cs b/sdk/dotnet/AwsConnector/AccessAnalyzerAnalyzer.cs index d3357b318654..5c024c226303 100644 --- a/sdk/dotnet/AwsConnector/AccessAnalyzerAnalyzer.cs +++ b/sdk/dotnet/AwsConnector/AccessAnalyzerAnalyzer.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:AccessAnalyzerAnalyzer" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:AccessAnalyzerAnalyzer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/AcmCertificateSummary.cs b/sdk/dotnet/AwsConnector/AcmCertificateSummary.cs index 7ead0869fc5c..ee5cc00f421e 100644 --- a/sdk/dotnet/AwsConnector/AcmCertificateSummary.cs +++ b/sdk/dotnet/AwsConnector/AcmCertificateSummary.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:AcmCertificateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:AcmCertificateSummary" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ApiGatewayRestApi.cs b/sdk/dotnet/AwsConnector/ApiGatewayRestApi.cs index 758e8bcbcc4c..130630257286 100644 --- a/sdk/dotnet/AwsConnector/ApiGatewayRestApi.cs +++ b/sdk/dotnet/AwsConnector/ApiGatewayRestApi.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ApiGatewayRestApi" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ApiGatewayRestApi" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ApiGatewayStage.cs b/sdk/dotnet/AwsConnector/ApiGatewayStage.cs index 45fdf4bbe5df..ac84acd247b2 100644 --- a/sdk/dotnet/AwsConnector/ApiGatewayStage.cs +++ b/sdk/dotnet/AwsConnector/ApiGatewayStage.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ApiGatewayStage" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ApiGatewayStage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/AppSyncGraphqlApi.cs b/sdk/dotnet/AwsConnector/AppSyncGraphqlApi.cs index 5e0a56d93500..40971ed60a36 100644 --- a/sdk/dotnet/AwsConnector/AppSyncGraphqlApi.cs +++ b/sdk/dotnet/AwsConnector/AppSyncGraphqlApi.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:AppSyncGraphqlApi" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:AppSyncGraphqlApi" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/AutoScalingAutoScalingGroup.cs b/sdk/dotnet/AwsConnector/AutoScalingAutoScalingGroup.cs index 4f7e26f0c83a..79b5b1ad58a0 100644 --- a/sdk/dotnet/AwsConnector/AutoScalingAutoScalingGroup.cs +++ b/sdk/dotnet/AwsConnector/AutoScalingAutoScalingGroup.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:AutoScalingAutoScalingGroup" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:AutoScalingAutoScalingGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/CloudFormationStack.cs b/sdk/dotnet/AwsConnector/CloudFormationStack.cs index 4f26b19a27d0..eae16f3124e0 100644 --- a/sdk/dotnet/AwsConnector/CloudFormationStack.cs +++ b/sdk/dotnet/AwsConnector/CloudFormationStack.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:CloudFormationStack" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:CloudFormationStack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/CloudFormationStackSet.cs b/sdk/dotnet/AwsConnector/CloudFormationStackSet.cs index 30f68a808c70..21db2f7459ad 100644 --- a/sdk/dotnet/AwsConnector/CloudFormationStackSet.cs +++ b/sdk/dotnet/AwsConnector/CloudFormationStackSet.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:CloudFormationStackSet" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:CloudFormationStackSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/CloudFrontDistribution.cs b/sdk/dotnet/AwsConnector/CloudFrontDistribution.cs index b2c1a2dc331a..f9511e04a951 100644 --- a/sdk/dotnet/AwsConnector/CloudFrontDistribution.cs +++ b/sdk/dotnet/AwsConnector/CloudFrontDistribution.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:CloudFrontDistribution" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:CloudFrontDistribution" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/CloudTrailTrail.cs b/sdk/dotnet/AwsConnector/CloudTrailTrail.cs index 79ba9cf7fdd1..6d38c880f8e4 100644 --- a/sdk/dotnet/AwsConnector/CloudTrailTrail.cs +++ b/sdk/dotnet/AwsConnector/CloudTrailTrail.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:CloudTrailTrail" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:CloudTrailTrail" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/CloudWatchAlarm.cs b/sdk/dotnet/AwsConnector/CloudWatchAlarm.cs index 676fa4a5eb2a..6fcfd93f0b07 100644 --- a/sdk/dotnet/AwsConnector/CloudWatchAlarm.cs +++ b/sdk/dotnet/AwsConnector/CloudWatchAlarm.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:CloudWatchAlarm" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:CloudWatchAlarm" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/CodeBuildProject.cs b/sdk/dotnet/AwsConnector/CodeBuildProject.cs index 367c79fd4b68..d2ab687769ba 100644 --- a/sdk/dotnet/AwsConnector/CodeBuildProject.cs +++ b/sdk/dotnet/AwsConnector/CodeBuildProject.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:CodeBuildProject" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:CodeBuildProject" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/CodeBuildSourceCredentialsInfo.cs b/sdk/dotnet/AwsConnector/CodeBuildSourceCredentialsInfo.cs index e48bbb1b37fe..cc97185b934c 100644 --- a/sdk/dotnet/AwsConnector/CodeBuildSourceCredentialsInfo.cs +++ b/sdk/dotnet/AwsConnector/CodeBuildSourceCredentialsInfo.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:CodeBuildSourceCredentialsInfo" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:CodeBuildSourceCredentialsInfo" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ConfigServiceConfigurationRecorder.cs b/sdk/dotnet/AwsConnector/ConfigServiceConfigurationRecorder.cs index b9392f3fc1b8..72e5a521ce78 100644 --- a/sdk/dotnet/AwsConnector/ConfigServiceConfigurationRecorder.cs +++ b/sdk/dotnet/AwsConnector/ConfigServiceConfigurationRecorder.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorder" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ConfigServiceConfigurationRecorder" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ConfigServiceConfigurationRecorderStatus.cs b/sdk/dotnet/AwsConnector/ConfigServiceConfigurationRecorderStatus.cs index 03707b30672e..3c12304910c8 100644 --- a/sdk/dotnet/AwsConnector/ConfigServiceConfigurationRecorderStatus.cs +++ b/sdk/dotnet/AwsConnector/ConfigServiceConfigurationRecorderStatus.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorderStatus" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ConfigServiceConfigurationRecorderStatus" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ConfigServiceDeliveryChannel.cs b/sdk/dotnet/AwsConnector/ConfigServiceDeliveryChannel.cs index 37e0b1a4241e..6063a4f8dbb0 100644 --- a/sdk/dotnet/AwsConnector/ConfigServiceDeliveryChannel.cs +++ b/sdk/dotnet/AwsConnector/ConfigServiceDeliveryChannel.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ConfigServiceDeliveryChannel" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ConfigServiceDeliveryChannel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/DatabaseMigrationServiceReplicationInstance.cs b/sdk/dotnet/AwsConnector/DatabaseMigrationServiceReplicationInstance.cs index ea46973f3a6c..a659688f9d5e 100644 --- a/sdk/dotnet/AwsConnector/DatabaseMigrationServiceReplicationInstance.cs +++ b/sdk/dotnet/AwsConnector/DatabaseMigrationServiceReplicationInstance.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:DatabaseMigrationServiceReplicationInstance" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:DatabaseMigrationServiceReplicationInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/DaxCluster.cs b/sdk/dotnet/AwsConnector/DaxCluster.cs index eb1cdd16925e..522b1744983b 100644 --- a/sdk/dotnet/AwsConnector/DaxCluster.cs +++ b/sdk/dotnet/AwsConnector/DaxCluster.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:DaxCluster" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:DaxCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/DynamoDbContinuousBackupsDescription.cs b/sdk/dotnet/AwsConnector/DynamoDbContinuousBackupsDescription.cs index b6d4e3eb2215..2877ac61d879 100644 --- a/sdk/dotnet/AwsConnector/DynamoDbContinuousBackupsDescription.cs +++ b/sdk/dotnet/AwsConnector/DynamoDbContinuousBackupsDescription.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:DynamoDbContinuousBackupsDescription" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:DynamoDbContinuousBackupsDescription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/DynamoDbTable.cs b/sdk/dotnet/AwsConnector/DynamoDbTable.cs index 9bd85cd38dfc..0461b5a2d348 100644 --- a/sdk/dotnet/AwsConnector/DynamoDbTable.cs +++ b/sdk/dotnet/AwsConnector/DynamoDbTable.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:DynamoDbTable" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:DynamoDbTable" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2AccountAttribute.cs b/sdk/dotnet/AwsConnector/Ec2AccountAttribute.cs index 1cb664bd2e00..5f8e7e015df3 100644 --- a/sdk/dotnet/AwsConnector/Ec2AccountAttribute.cs +++ b/sdk/dotnet/AwsConnector/Ec2AccountAttribute.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2AccountAttribute" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2AccountAttribute" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2Address.cs b/sdk/dotnet/AwsConnector/Ec2Address.cs index d72b1d632cad..f916412d53d6 100644 --- a/sdk/dotnet/AwsConnector/Ec2Address.cs +++ b/sdk/dotnet/AwsConnector/Ec2Address.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2Address" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2Address" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2FlowLog.cs b/sdk/dotnet/AwsConnector/Ec2FlowLog.cs index 1388febd4f06..026317e59896 100644 --- a/sdk/dotnet/AwsConnector/Ec2FlowLog.cs +++ b/sdk/dotnet/AwsConnector/Ec2FlowLog.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2FlowLog" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2Image.cs b/sdk/dotnet/AwsConnector/Ec2Image.cs index 12ae9ba48980..b9b04927a9d5 100644 --- a/sdk/dotnet/AwsConnector/Ec2Image.cs +++ b/sdk/dotnet/AwsConnector/Ec2Image.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2Image" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2Image" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2Instance.cs b/sdk/dotnet/AwsConnector/Ec2Instance.cs index e0ba3019d011..f685851e1385 100644 --- a/sdk/dotnet/AwsConnector/Ec2Instance.cs +++ b/sdk/dotnet/AwsConnector/Ec2Instance.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2Instance" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2Instance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2InstanceStatus.cs b/sdk/dotnet/AwsConnector/Ec2InstanceStatus.cs index c0bb33431723..570d262cdf8e 100644 --- a/sdk/dotnet/AwsConnector/Ec2InstanceStatus.cs +++ b/sdk/dotnet/AwsConnector/Ec2InstanceStatus.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2InstanceStatus" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2InstanceStatus" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2Ipam.cs b/sdk/dotnet/AwsConnector/Ec2Ipam.cs index a30db9e219c2..5d1e38166618 100644 --- a/sdk/dotnet/AwsConnector/Ec2Ipam.cs +++ b/sdk/dotnet/AwsConnector/Ec2Ipam.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2Ipam" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2Ipam" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2KeyPair.cs b/sdk/dotnet/AwsConnector/Ec2KeyPair.cs index 96b087f6f52b..807b1ff92c1c 100644 --- a/sdk/dotnet/AwsConnector/Ec2KeyPair.cs +++ b/sdk/dotnet/AwsConnector/Ec2KeyPair.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2KeyPair" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2KeyPair" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2NetworkAcl.cs b/sdk/dotnet/AwsConnector/Ec2NetworkAcl.cs index 51d86247a029..0e76934067a1 100644 --- a/sdk/dotnet/AwsConnector/Ec2NetworkAcl.cs +++ b/sdk/dotnet/AwsConnector/Ec2NetworkAcl.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2NetworkAcl" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2NetworkAcl" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2NetworkInterface.cs b/sdk/dotnet/AwsConnector/Ec2NetworkInterface.cs index a9edf1c0a531..11b7b1d5df2e 100644 --- a/sdk/dotnet/AwsConnector/Ec2NetworkInterface.cs +++ b/sdk/dotnet/AwsConnector/Ec2NetworkInterface.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2NetworkInterface" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2RouteTable.cs b/sdk/dotnet/AwsConnector/Ec2RouteTable.cs index 5ad302846f6d..3ce56c050fc6 100644 --- a/sdk/dotnet/AwsConnector/Ec2RouteTable.cs +++ b/sdk/dotnet/AwsConnector/Ec2RouteTable.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2RouteTable" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2SecurityGroup.cs b/sdk/dotnet/AwsConnector/Ec2SecurityGroup.cs index f9b2f9cf1f3a..a257cb4488c1 100644 --- a/sdk/dotnet/AwsConnector/Ec2SecurityGroup.cs +++ b/sdk/dotnet/AwsConnector/Ec2SecurityGroup.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2SecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2SecurityGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2Snapshot.cs b/sdk/dotnet/AwsConnector/Ec2Snapshot.cs index c0678285273d..3e2c050217bb 100644 --- a/sdk/dotnet/AwsConnector/Ec2Snapshot.cs +++ b/sdk/dotnet/AwsConnector/Ec2Snapshot.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2Snapshot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2Subnet.cs b/sdk/dotnet/AwsConnector/Ec2Subnet.cs index ab8864af8d03..cf0ee8ad646d 100644 --- a/sdk/dotnet/AwsConnector/Ec2Subnet.cs +++ b/sdk/dotnet/AwsConnector/Ec2Subnet.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2Subnet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2Volume.cs b/sdk/dotnet/AwsConnector/Ec2Volume.cs index 4f627fbfb410..a83c7ab422ba 100644 --- a/sdk/dotnet/AwsConnector/Ec2Volume.cs +++ b/sdk/dotnet/AwsConnector/Ec2Volume.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2Volume" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2Volume" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2Vpc.cs b/sdk/dotnet/AwsConnector/Ec2Vpc.cs index 8388749623b8..4f86d5db8752 100644 --- a/sdk/dotnet/AwsConnector/Ec2Vpc.cs +++ b/sdk/dotnet/AwsConnector/Ec2Vpc.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2Vpc" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2Vpc" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2VpcEndpoint.cs b/sdk/dotnet/AwsConnector/Ec2VpcEndpoint.cs index ac7cadc6e1e8..617f51feaacb 100644 --- a/sdk/dotnet/AwsConnector/Ec2VpcEndpoint.cs +++ b/sdk/dotnet/AwsConnector/Ec2VpcEndpoint.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2VpcEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2VpcEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Ec2VpcPeeringConnection.cs b/sdk/dotnet/AwsConnector/Ec2VpcPeeringConnection.cs index 4db46143ea27..ace685c60b58 100644 --- a/sdk/dotnet/AwsConnector/Ec2VpcPeeringConnection.cs +++ b/sdk/dotnet/AwsConnector/Ec2VpcPeeringConnection.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Ec2VpcPeeringConnection" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Ec2VpcPeeringConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/EcrImageDetail.cs b/sdk/dotnet/AwsConnector/EcrImageDetail.cs index ce5acf6e8ab4..5188efd9e53d 100644 --- a/sdk/dotnet/AwsConnector/EcrImageDetail.cs +++ b/sdk/dotnet/AwsConnector/EcrImageDetail.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:EcrImageDetail" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:EcrImageDetail" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/EcrRepository.cs b/sdk/dotnet/AwsConnector/EcrRepository.cs index c293ebdd790a..fd1afdc1d36a 100644 --- a/sdk/dotnet/AwsConnector/EcrRepository.cs +++ b/sdk/dotnet/AwsConnector/EcrRepository.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:EcrRepository" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:EcrRepository" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/EcsCluster.cs b/sdk/dotnet/AwsConnector/EcsCluster.cs index a476a3d55be7..b108df4ae928 100644 --- a/sdk/dotnet/AwsConnector/EcsCluster.cs +++ b/sdk/dotnet/AwsConnector/EcsCluster.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:EcsCluster" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:EcsCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/EcsService.cs b/sdk/dotnet/AwsConnector/EcsService.cs index 0fb7351be89b..1485b201d0f4 100644 --- a/sdk/dotnet/AwsConnector/EcsService.cs +++ b/sdk/dotnet/AwsConnector/EcsService.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:EcsService" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:EcsService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/EcsTaskDefinition.cs b/sdk/dotnet/AwsConnector/EcsTaskDefinition.cs index 63457328c108..10fd5469f969 100644 --- a/sdk/dotnet/AwsConnector/EcsTaskDefinition.cs +++ b/sdk/dotnet/AwsConnector/EcsTaskDefinition.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:EcsTaskDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:EcsTaskDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/EfsFileSystem.cs b/sdk/dotnet/AwsConnector/EfsFileSystem.cs index 601644dd0273..6aa36a5918b6 100644 --- a/sdk/dotnet/AwsConnector/EfsFileSystem.cs +++ b/sdk/dotnet/AwsConnector/EfsFileSystem.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:EfsFileSystem" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:EfsFileSystem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/EfsMountTarget.cs b/sdk/dotnet/AwsConnector/EfsMountTarget.cs index 66e8072b5520..13866f890fc7 100644 --- a/sdk/dotnet/AwsConnector/EfsMountTarget.cs +++ b/sdk/dotnet/AwsConnector/EfsMountTarget.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:EfsMountTarget" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:EfsMountTarget" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/EksCluster.cs b/sdk/dotnet/AwsConnector/EksCluster.cs index 2e23e78d4979..1c8fb17a5f23 100644 --- a/sdk/dotnet/AwsConnector/EksCluster.cs +++ b/sdk/dotnet/AwsConnector/EksCluster.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:EksCluster" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:EksCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/EksNodegroup.cs b/sdk/dotnet/AwsConnector/EksNodegroup.cs index a236741e4f04..93b1533ea56d 100644 --- a/sdk/dotnet/AwsConnector/EksNodegroup.cs +++ b/sdk/dotnet/AwsConnector/EksNodegroup.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:EksNodegroup" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:EksNodegroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ElasticBeanstalkApplication.cs b/sdk/dotnet/AwsConnector/ElasticBeanstalkApplication.cs index 3e2356208774..e7204a67a3d6 100644 --- a/sdk/dotnet/AwsConnector/ElasticBeanstalkApplication.cs +++ b/sdk/dotnet/AwsConnector/ElasticBeanstalkApplication.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ElasticBeanstalkApplication" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkApplication" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ElasticBeanstalkConfigurationTemplate.cs b/sdk/dotnet/AwsConnector/ElasticBeanstalkConfigurationTemplate.cs index 39cfa15a4727..8fc5d8e71320 100644 --- a/sdk/dotnet/AwsConnector/ElasticBeanstalkConfigurationTemplate.cs +++ b/sdk/dotnet/AwsConnector/ElasticBeanstalkConfigurationTemplate.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ElasticBeanstalkConfigurationTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkConfigurationTemplate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ElasticBeanstalkEnvironment.cs b/sdk/dotnet/AwsConnector/ElasticBeanstalkEnvironment.cs index 1f8b84ff3d79..83d84b783851 100644 --- a/sdk/dotnet/AwsConnector/ElasticBeanstalkEnvironment.cs +++ b/sdk/dotnet/AwsConnector/ElasticBeanstalkEnvironment.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ElasticBeanstalkEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkEnvironment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2Listener.cs b/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2Listener.cs index 4fbc16cfbad4..48d1debedb1b 100644 --- a/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2Listener.cs +++ b/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2Listener.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2Listener" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2Listener" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2LoadBalancer.cs b/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2LoadBalancer.cs index 484e010456cb..9079cc13f9e9 100644 --- a/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2LoadBalancer.cs +++ b/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2LoadBalancer.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2LoadBalancer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2TargetGroup.cs b/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2TargetGroup.cs index 6f1fcc3fda18..8cbc21f8e33e 100644 --- a/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2TargetGroup.cs +++ b/sdk/dotnet/AwsConnector/ElasticLoadBalancingV2TargetGroup.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2TargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2TargetGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/ElasticLoadBalancingv2TargetHealthDescription.cs b/sdk/dotnet/AwsConnector/ElasticLoadBalancingv2TargetHealthDescription.cs index fa225864f6cf..701c13be6f0d 100644 --- a/sdk/dotnet/AwsConnector/ElasticLoadBalancingv2TargetHealthDescription.cs +++ b/sdk/dotnet/AwsConnector/ElasticLoadBalancingv2TargetHealthDescription.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:ElasticLoadBalancingv2TargetHealthDescription" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingv2TargetHealthDescription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/EmrCluster.cs b/sdk/dotnet/AwsConnector/EmrCluster.cs index e55a96c0b1e3..f5b1716c9134 100644 --- a/sdk/dotnet/AwsConnector/EmrCluster.cs +++ b/sdk/dotnet/AwsConnector/EmrCluster.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:EmrCluster" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:EmrCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/GuardDutyDetector.cs b/sdk/dotnet/AwsConnector/GuardDutyDetector.cs index 5590e10e6eed..73390adf044f 100644 --- a/sdk/dotnet/AwsConnector/GuardDutyDetector.cs +++ b/sdk/dotnet/AwsConnector/GuardDutyDetector.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:GuardDutyDetector" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:GuardDutyDetector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/IamAccessKeyLastUsed.cs b/sdk/dotnet/AwsConnector/IamAccessKeyLastUsed.cs index a54cf717e7ae..8a0c2fca2ebb 100644 --- a/sdk/dotnet/AwsConnector/IamAccessKeyLastUsed.cs +++ b/sdk/dotnet/AwsConnector/IamAccessKeyLastUsed.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:IamAccessKeyLastUsed" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:IamAccessKeyLastUsed" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/IamAccessKeyMetadataInfo.cs b/sdk/dotnet/AwsConnector/IamAccessKeyMetadataInfo.cs index 052be6ef2529..de810d3879ad 100644 --- a/sdk/dotnet/AwsConnector/IamAccessKeyMetadataInfo.cs +++ b/sdk/dotnet/AwsConnector/IamAccessKeyMetadataInfo.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:IamAccessKeyMetadataInfo" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:IamAccessKeyMetadataInfo" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/IamGroup.cs b/sdk/dotnet/AwsConnector/IamGroup.cs index afdf45a951dd..2eb0ada7da38 100644 --- a/sdk/dotnet/AwsConnector/IamGroup.cs +++ b/sdk/dotnet/AwsConnector/IamGroup.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:IamGroup" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:IamGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/IamInstanceProfile.cs b/sdk/dotnet/AwsConnector/IamInstanceProfile.cs index 2abcacebdecc..30ad5c1a0642 100644 --- a/sdk/dotnet/AwsConnector/IamInstanceProfile.cs +++ b/sdk/dotnet/AwsConnector/IamInstanceProfile.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:IamInstanceProfile" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:IamInstanceProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/IamMfaDevice.cs b/sdk/dotnet/AwsConnector/IamMfaDevice.cs index 69bf7b11ec60..bd04562fc35d 100644 --- a/sdk/dotnet/AwsConnector/IamMfaDevice.cs +++ b/sdk/dotnet/AwsConnector/IamMfaDevice.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:IamMfaDevice" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:IamMfaDevice" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/IamPasswordPolicy.cs b/sdk/dotnet/AwsConnector/IamPasswordPolicy.cs index f17b43f8feda..293a15ac06e3 100644 --- a/sdk/dotnet/AwsConnector/IamPasswordPolicy.cs +++ b/sdk/dotnet/AwsConnector/IamPasswordPolicy.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:IamPasswordPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:IamPasswordPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/IamPolicyVersion.cs b/sdk/dotnet/AwsConnector/IamPolicyVersion.cs index b09523f7fa80..70af762322c4 100644 --- a/sdk/dotnet/AwsConnector/IamPolicyVersion.cs +++ b/sdk/dotnet/AwsConnector/IamPolicyVersion.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:IamPolicyVersion" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:IamPolicyVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/IamRole.cs b/sdk/dotnet/AwsConnector/IamRole.cs index 36c5c22d6c2b..0c96c0a6ff35 100644 --- a/sdk/dotnet/AwsConnector/IamRole.cs +++ b/sdk/dotnet/AwsConnector/IamRole.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:IamRole" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:IamRole" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/IamServerCertificate.cs b/sdk/dotnet/AwsConnector/IamServerCertificate.cs index e4844f052098..b7311b1514aa 100644 --- a/sdk/dotnet/AwsConnector/IamServerCertificate.cs +++ b/sdk/dotnet/AwsConnector/IamServerCertificate.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:IamServerCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:IamServerCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/IamVirtualMfaDevice.cs b/sdk/dotnet/AwsConnector/IamVirtualMfaDevice.cs index 9702aaeb11b8..d61638c8f3d9 100644 --- a/sdk/dotnet/AwsConnector/IamVirtualMfaDevice.cs +++ b/sdk/dotnet/AwsConnector/IamVirtualMfaDevice.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:IamVirtualMfaDevice" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:IamVirtualMfaDevice" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/KmsAlias.cs b/sdk/dotnet/AwsConnector/KmsAlias.cs index ab0ec8900b51..090bf62fbe20 100644 --- a/sdk/dotnet/AwsConnector/KmsAlias.cs +++ b/sdk/dotnet/AwsConnector/KmsAlias.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:KmsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:KmsAlias" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/KmsKey.cs b/sdk/dotnet/AwsConnector/KmsKey.cs index bc1356b79d49..be12a7bdf649 100644 --- a/sdk/dotnet/AwsConnector/KmsKey.cs +++ b/sdk/dotnet/AwsConnector/KmsKey.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:KmsKey" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:KmsKey" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/LambdaFunction.cs b/sdk/dotnet/AwsConnector/LambdaFunction.cs index 34a8d5ba576c..a93b1c337587 100644 --- a/sdk/dotnet/AwsConnector/LambdaFunction.cs +++ b/sdk/dotnet/AwsConnector/LambdaFunction.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:LambdaFunction" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:LambdaFunction" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/LambdaFunctionCodeLocation.cs b/sdk/dotnet/AwsConnector/LambdaFunctionCodeLocation.cs index 12ef13acee13..28d6cb841e94 100644 --- a/sdk/dotnet/AwsConnector/LambdaFunctionCodeLocation.cs +++ b/sdk/dotnet/AwsConnector/LambdaFunctionCodeLocation.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:LambdaFunctionCodeLocation" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:LambdaFunctionCodeLocation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/LightsailBucket.cs b/sdk/dotnet/AwsConnector/LightsailBucket.cs index d2e5d2df94a9..4cec9faf4f6f 100644 --- a/sdk/dotnet/AwsConnector/LightsailBucket.cs +++ b/sdk/dotnet/AwsConnector/LightsailBucket.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:LightsailBucket" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:LightsailBucket" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/LightsailInstance.cs b/sdk/dotnet/AwsConnector/LightsailInstance.cs index 09acf969d236..1a83efd3cb75 100644 --- a/sdk/dotnet/AwsConnector/LightsailInstance.cs +++ b/sdk/dotnet/AwsConnector/LightsailInstance.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:LightsailInstance" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:LightsailInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/LogsLogGroup.cs b/sdk/dotnet/AwsConnector/LogsLogGroup.cs index 1ce990a298fb..72ef99da5308 100644 --- a/sdk/dotnet/AwsConnector/LogsLogGroup.cs +++ b/sdk/dotnet/AwsConnector/LogsLogGroup.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:LogsLogGroup" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:LogsLogGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/LogsLogStream.cs b/sdk/dotnet/AwsConnector/LogsLogStream.cs index 51d4e55b7709..19fa078e251a 100644 --- a/sdk/dotnet/AwsConnector/LogsLogStream.cs +++ b/sdk/dotnet/AwsConnector/LogsLogStream.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:LogsLogStream" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:LogsLogStream" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/LogsMetricFilter.cs b/sdk/dotnet/AwsConnector/LogsMetricFilter.cs index aaa94d265b06..21a9640ad4eb 100644 --- a/sdk/dotnet/AwsConnector/LogsMetricFilter.cs +++ b/sdk/dotnet/AwsConnector/LogsMetricFilter.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:LogsMetricFilter" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:LogsMetricFilter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/LogsSubscriptionFilter.cs b/sdk/dotnet/AwsConnector/LogsSubscriptionFilter.cs index a7d633cd4105..43d4a05d25a7 100644 --- a/sdk/dotnet/AwsConnector/LogsSubscriptionFilter.cs +++ b/sdk/dotnet/AwsConnector/LogsSubscriptionFilter.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:LogsSubscriptionFilter" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:LogsSubscriptionFilter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Macie2JobSummary.cs b/sdk/dotnet/AwsConnector/Macie2JobSummary.cs index f59e38e2d6c3..233ca34a980b 100644 --- a/sdk/dotnet/AwsConnector/Macie2JobSummary.cs +++ b/sdk/dotnet/AwsConnector/Macie2JobSummary.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Macie2JobSummary" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Macie2JobSummary" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/MacieAllowList.cs b/sdk/dotnet/AwsConnector/MacieAllowList.cs index 316df6eab6f2..ba6cdc60bdd8 100644 --- a/sdk/dotnet/AwsConnector/MacieAllowList.cs +++ b/sdk/dotnet/AwsConnector/MacieAllowList.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:MacieAllowList" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:MacieAllowList" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/NetworkFirewallFirewall.cs b/sdk/dotnet/AwsConnector/NetworkFirewallFirewall.cs index 4ddb75040dd9..6d5faa6a03b2 100644 --- a/sdk/dotnet/AwsConnector/NetworkFirewallFirewall.cs +++ b/sdk/dotnet/AwsConnector/NetworkFirewallFirewall.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:NetworkFirewallFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallFirewall" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/NetworkFirewallFirewallPolicy.cs b/sdk/dotnet/AwsConnector/NetworkFirewallFirewallPolicy.cs index 509176e3df4f..44b453b9eede 100644 --- a/sdk/dotnet/AwsConnector/NetworkFirewallFirewallPolicy.cs +++ b/sdk/dotnet/AwsConnector/NetworkFirewallFirewallPolicy.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:NetworkFirewallFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallFirewallPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/NetworkFirewallRuleGroup.cs b/sdk/dotnet/AwsConnector/NetworkFirewallRuleGroup.cs index 62a0aef099f5..b0cac8d1bd17 100644 --- a/sdk/dotnet/AwsConnector/NetworkFirewallRuleGroup.cs +++ b/sdk/dotnet/AwsConnector/NetworkFirewallRuleGroup.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:NetworkFirewallRuleGroup" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallRuleGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/OpenSearchDomainStatus.cs b/sdk/dotnet/AwsConnector/OpenSearchDomainStatus.cs index db19b000bcc7..98e5f81c48f5 100644 --- a/sdk/dotnet/AwsConnector/OpenSearchDomainStatus.cs +++ b/sdk/dotnet/AwsConnector/OpenSearchDomainStatus.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:OpenSearchDomainStatus" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:OpenSearchDomainStatus" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/OrganizationsAccount.cs b/sdk/dotnet/AwsConnector/OrganizationsAccount.cs index 84ebd2a1eb6f..e3fe7fab55d4 100644 --- a/sdk/dotnet/AwsConnector/OrganizationsAccount.cs +++ b/sdk/dotnet/AwsConnector/OrganizationsAccount.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:OrganizationsAccount" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:OrganizationsAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/OrganizationsOrganization.cs b/sdk/dotnet/AwsConnector/OrganizationsOrganization.cs index c0ed0e0de44b..1972134fcf63 100644 --- a/sdk/dotnet/AwsConnector/OrganizationsOrganization.cs +++ b/sdk/dotnet/AwsConnector/OrganizationsOrganization.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:OrganizationsOrganization" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:OrganizationsOrganization" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/RdsDbCluster.cs b/sdk/dotnet/AwsConnector/RdsDbCluster.cs index 334066383c12..d267a363f390 100644 --- a/sdk/dotnet/AwsConnector/RdsDbCluster.cs +++ b/sdk/dotnet/AwsConnector/RdsDbCluster.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:RdsDbCluster" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:RdsDbCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/RdsDbInstance.cs b/sdk/dotnet/AwsConnector/RdsDbInstance.cs index 9e5709a0be2f..ee8dc4618978 100644 --- a/sdk/dotnet/AwsConnector/RdsDbInstance.cs +++ b/sdk/dotnet/AwsConnector/RdsDbInstance.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:RdsDbInstance" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:RdsDbInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/RdsDbSnapshot.cs b/sdk/dotnet/AwsConnector/RdsDbSnapshot.cs index a3aa29a068b6..2fd8841307b7 100644 --- a/sdk/dotnet/AwsConnector/RdsDbSnapshot.cs +++ b/sdk/dotnet/AwsConnector/RdsDbSnapshot.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:RdsDbSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:RdsDbSnapshot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/RdsDbSnapshotAttributesResult.cs b/sdk/dotnet/AwsConnector/RdsDbSnapshotAttributesResult.cs index cc8416b63d11..0a4938df278f 100644 --- a/sdk/dotnet/AwsConnector/RdsDbSnapshotAttributesResult.cs +++ b/sdk/dotnet/AwsConnector/RdsDbSnapshotAttributesResult.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:RdsDbSnapshotAttributesResult" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:RdsDbSnapshotAttributesResult" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/RdsEventSubscription.cs b/sdk/dotnet/AwsConnector/RdsEventSubscription.cs index 9f675d1c2298..138af2c43fc9 100644 --- a/sdk/dotnet/AwsConnector/RdsEventSubscription.cs +++ b/sdk/dotnet/AwsConnector/RdsEventSubscription.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:RdsEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:RdsEventSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/RdsExportTask.cs b/sdk/dotnet/AwsConnector/RdsExportTask.cs index b805ad755e9b..92db1334baac 100644 --- a/sdk/dotnet/AwsConnector/RdsExportTask.cs +++ b/sdk/dotnet/AwsConnector/RdsExportTask.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:RdsExportTask" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:RdsExportTask" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/RedshiftCluster.cs b/sdk/dotnet/AwsConnector/RedshiftCluster.cs index 8e0faafecfe9..b8a2c9d06f3f 100644 --- a/sdk/dotnet/AwsConnector/RedshiftCluster.cs +++ b/sdk/dotnet/AwsConnector/RedshiftCluster.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:RedshiftCluster" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:RedshiftCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/RedshiftClusterParameterGroup.cs b/sdk/dotnet/AwsConnector/RedshiftClusterParameterGroup.cs index 5fca7076378f..de5fad4602c2 100644 --- a/sdk/dotnet/AwsConnector/RedshiftClusterParameterGroup.cs +++ b/sdk/dotnet/AwsConnector/RedshiftClusterParameterGroup.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:RedshiftClusterParameterGroup" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:RedshiftClusterParameterGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Route53DomainsDomainSummary.cs b/sdk/dotnet/AwsConnector/Route53DomainsDomainSummary.cs index b7d114c91589..060b3fdfdd99 100644 --- a/sdk/dotnet/AwsConnector/Route53DomainsDomainSummary.cs +++ b/sdk/dotnet/AwsConnector/Route53DomainsDomainSummary.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Route53DomainsDomainSummary" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Route53DomainsDomainSummary" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Route53HostedZone.cs b/sdk/dotnet/AwsConnector/Route53HostedZone.cs index ee436f88c6da..1e15a50c1ae7 100644 --- a/sdk/dotnet/AwsConnector/Route53HostedZone.cs +++ b/sdk/dotnet/AwsConnector/Route53HostedZone.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Route53HostedZone" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Route53HostedZone" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Route53ResourceRecordSet.cs b/sdk/dotnet/AwsConnector/Route53ResourceRecordSet.cs index 16285c0e27df..9ccc61d40375 100644 --- a/sdk/dotnet/AwsConnector/Route53ResourceRecordSet.cs +++ b/sdk/dotnet/AwsConnector/Route53ResourceRecordSet.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Route53ResourceRecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Route53ResourceRecordSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/S3AccessControlPolicy.cs b/sdk/dotnet/AwsConnector/S3AccessControlPolicy.cs index dcbaca3a561b..963d1536b7cd 100644 --- a/sdk/dotnet/AwsConnector/S3AccessControlPolicy.cs +++ b/sdk/dotnet/AwsConnector/S3AccessControlPolicy.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:S3AccessControlPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:S3AccessControlPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/S3AccessPoint.cs b/sdk/dotnet/AwsConnector/S3AccessPoint.cs index b54451384f1b..0b92c292e038 100644 --- a/sdk/dotnet/AwsConnector/S3AccessPoint.cs +++ b/sdk/dotnet/AwsConnector/S3AccessPoint.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:S3AccessPoint" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:S3AccessPoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/S3Bucket.cs b/sdk/dotnet/AwsConnector/S3Bucket.cs index cdb55929f077..766dc11b68dc 100644 --- a/sdk/dotnet/AwsConnector/S3Bucket.cs +++ b/sdk/dotnet/AwsConnector/S3Bucket.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:S3Bucket" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:S3Bucket" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/S3BucketPolicy.cs b/sdk/dotnet/AwsConnector/S3BucketPolicy.cs index 1af3184c7f8e..307969bf8cf0 100644 --- a/sdk/dotnet/AwsConnector/S3BucketPolicy.cs +++ b/sdk/dotnet/AwsConnector/S3BucketPolicy.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:S3BucketPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:S3BucketPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/S3ControlMultiRegionAccessPointPolicyDocument.cs b/sdk/dotnet/AwsConnector/S3ControlMultiRegionAccessPointPolicyDocument.cs index 7fb6e775e880..6709694792f1 100644 --- a/sdk/dotnet/AwsConnector/S3ControlMultiRegionAccessPointPolicyDocument.cs +++ b/sdk/dotnet/AwsConnector/S3ControlMultiRegionAccessPointPolicyDocument.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:S3ControlMultiRegionAccessPointPolicyDocument" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:S3ControlMultiRegionAccessPointPolicyDocument" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/SageMakerApp.cs b/sdk/dotnet/AwsConnector/SageMakerApp.cs index 238858a112f9..8e9ac1ca464e 100644 --- a/sdk/dotnet/AwsConnector/SageMakerApp.cs +++ b/sdk/dotnet/AwsConnector/SageMakerApp.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:SageMakerApp" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:SageMakerApp" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/SageMakerNotebookInstanceSummary.cs b/sdk/dotnet/AwsConnector/SageMakerNotebookInstanceSummary.cs index 8943baf0c134..57fc35eea2df 100644 --- a/sdk/dotnet/AwsConnector/SageMakerNotebookInstanceSummary.cs +++ b/sdk/dotnet/AwsConnector/SageMakerNotebookInstanceSummary.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:SageMakerNotebookInstanceSummary" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:SageMakerNotebookInstanceSummary" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/SecretsManagerResourcePolicy.cs b/sdk/dotnet/AwsConnector/SecretsManagerResourcePolicy.cs index 9367e9e67e45..c422b393f51c 100644 --- a/sdk/dotnet/AwsConnector/SecretsManagerResourcePolicy.cs +++ b/sdk/dotnet/AwsConnector/SecretsManagerResourcePolicy.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:SecretsManagerResourcePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:SecretsManagerResourcePolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/SecretsManagerSecret.cs b/sdk/dotnet/AwsConnector/SecretsManagerSecret.cs index c0218abbcff8..0ce9427edbe8 100644 --- a/sdk/dotnet/AwsConnector/SecretsManagerSecret.cs +++ b/sdk/dotnet/AwsConnector/SecretsManagerSecret.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:SecretsManagerSecret" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:SecretsManagerSecret" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/SnsSubscription.cs b/sdk/dotnet/AwsConnector/SnsSubscription.cs index a99645c11639..a58bb4f4d733 100644 --- a/sdk/dotnet/AwsConnector/SnsSubscription.cs +++ b/sdk/dotnet/AwsConnector/SnsSubscription.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:SnsSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:SnsSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/SnsTopic.cs b/sdk/dotnet/AwsConnector/SnsTopic.cs index 6c1596732bd3..e6427480f28f 100644 --- a/sdk/dotnet/AwsConnector/SnsTopic.cs +++ b/sdk/dotnet/AwsConnector/SnsTopic.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:SnsTopic" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:SnsTopic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/SqsQueue.cs b/sdk/dotnet/AwsConnector/SqsQueue.cs index ebc0c8a65eae..a28d7010070c 100644 --- a/sdk/dotnet/AwsConnector/SqsQueue.cs +++ b/sdk/dotnet/AwsConnector/SqsQueue.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:SqsQueue" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:SqsQueue" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/SsmInstanceInformation.cs b/sdk/dotnet/AwsConnector/SsmInstanceInformation.cs index 516e62d492dd..1a1d782c8911 100644 --- a/sdk/dotnet/AwsConnector/SsmInstanceInformation.cs +++ b/sdk/dotnet/AwsConnector/SsmInstanceInformation.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:SsmInstanceInformation" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:SsmInstanceInformation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/SsmParameter.cs b/sdk/dotnet/AwsConnector/SsmParameter.cs index 0c131e93ef69..3a8cc5cd6a37 100644 --- a/sdk/dotnet/AwsConnector/SsmParameter.cs +++ b/sdk/dotnet/AwsConnector/SsmParameter.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:SsmParameter" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:SsmParameter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/SsmResourceComplianceSummaryItem.cs b/sdk/dotnet/AwsConnector/SsmResourceComplianceSummaryItem.cs index 6c8bb31e7b77..5934902fdae7 100644 --- a/sdk/dotnet/AwsConnector/SsmResourceComplianceSummaryItem.cs +++ b/sdk/dotnet/AwsConnector/SsmResourceComplianceSummaryItem.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:SsmResourceComplianceSummaryItem" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:SsmResourceComplianceSummaryItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/WafWebAclSummary.cs b/sdk/dotnet/AwsConnector/WafWebAclSummary.cs index c30c46ba4b90..dfa28d791d3f 100644 --- a/sdk/dotnet/AwsConnector/WafWebAclSummary.cs +++ b/sdk/dotnet/AwsConnector/WafWebAclSummary.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:WafWebAclSummary" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:WafWebAclSummary" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AwsConnector/Wafv2LoggingConfiguration.cs b/sdk/dotnet/AwsConnector/Wafv2LoggingConfiguration.cs index 3d4013875ab3..9086f535e7a8 100644 --- a/sdk/dotnet/AwsConnector/Wafv2LoggingConfiguration.cs +++ b/sdk/dotnet/AwsConnector/Wafv2LoggingConfiguration.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:awsconnector/v20241201:Wafv2LoggingConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_awsconnector_v20241201:awsconnector:Wafv2LoggingConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureActiveDirectory/B2CTenant.cs b/sdk/dotnet/AzureActiveDirectory/B2CTenant.cs index 9a5bb28957c7..4189f8aae83f 100644 --- a/sdk/dotnet/AzureActiveDirectory/B2CTenant.cs +++ b/sdk/dotnet/AzureActiveDirectory/B2CTenant.cs @@ -106,6 +106,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azureactivedirectory/v20210401:B2CTenant" }, new global::Pulumi.Alias { Type = "azure-native:azureactivedirectory/v20230118preview:B2CTenant" }, new global::Pulumi.Alias { Type = "azure-native:azureactivedirectory/v20230517preview:B2CTenant" }, + new global::Pulumi.Alias { Type = "azure-native_azureactivedirectory_v20190101preview:azureactivedirectory:B2CTenant" }, + new global::Pulumi.Alias { Type = "azure-native_azureactivedirectory_v20210401:azureactivedirectory:B2CTenant" }, + new global::Pulumi.Alias { Type = "azure-native_azureactivedirectory_v20230118preview:azureactivedirectory:B2CTenant" }, + new global::Pulumi.Alias { Type = "azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:B2CTenant" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureActiveDirectory/CIAMTenant.cs b/sdk/dotnet/AzureActiveDirectory/CIAMTenant.cs index a2d4d2a49bee..1f7fb63527cb 100644 --- a/sdk/dotnet/AzureActiveDirectory/CIAMTenant.cs +++ b/sdk/dotnet/AzureActiveDirectory/CIAMTenant.cs @@ -118,6 +118,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:azureactivedirectory/v20230517preview:CIAMTenant" }, + new global::Pulumi.Alias { Type = "azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:CIAMTenant" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureActiveDirectory/GuestUsage.cs b/sdk/dotnet/AzureActiveDirectory/GuestUsage.cs index 2bb107272893..f1249759ba4d 100644 --- a/sdk/dotnet/AzureActiveDirectory/GuestUsage.cs +++ b/sdk/dotnet/AzureActiveDirectory/GuestUsage.cs @@ -86,10 +86,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azureactivedirectory/v20200501preview:GuestUsage" }, new global::Pulumi.Alias { Type = "azure-native:azureactivedirectory/v20210401:GuestUsage" }, new global::Pulumi.Alias { Type = "azure-native:azureactivedirectory/v20230118preview:GuestUsage" }, new global::Pulumi.Alias { Type = "azure-native:azureactivedirectory/v20230517preview:GuestUsage" }, + new global::Pulumi.Alias { Type = "azure-native_azureactivedirectory_v20200501preview:azureactivedirectory:GuestUsage" }, + new global::Pulumi.Alias { Type = "azure-native_azureactivedirectory_v20210401:azureactivedirectory:GuestUsage" }, + new global::Pulumi.Alias { Type = "azure-native_azureactivedirectory_v20230118preview:azureactivedirectory:GuestUsage" }, + new global::Pulumi.Alias { Type = "azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:GuestUsage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureArcData/ActiveDirectoryConnector.cs b/sdk/dotnet/AzureArcData/ActiveDirectoryConnector.cs index 64356a0c0d9a..8503d2f0084d 100644 --- a/sdk/dotnet/AzureArcData/ActiveDirectoryConnector.cs +++ b/sdk/dotnet/AzureArcData/ActiveDirectoryConnector.cs @@ -74,12 +74,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20220301preview:ActiveDirectoryConnector" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20220615preview:ActiveDirectoryConnector" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20230115preview:ActiveDirectoryConnector" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240101:ActiveDirectoryConnector" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240501preview:ActiveDirectoryConnector" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20250301preview:ActiveDirectoryConnector" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20220301preview:azurearcdata:ActiveDirectoryConnector" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20220615preview:azurearcdata:ActiveDirectoryConnector" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20230115preview:azurearcdata:ActiveDirectoryConnector" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240101:azurearcdata:ActiveDirectoryConnector" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240501preview:azurearcdata:ActiveDirectoryConnector" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20250301preview:azurearcdata:ActiveDirectoryConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureArcData/DataController.cs b/sdk/dotnet/AzureArcData/DataController.cs index 8239a9621217..8ccac2380939 100644 --- a/sdk/dotnet/AzureArcData/DataController.cs +++ b/sdk/dotnet/AzureArcData/DataController.cs @@ -92,16 +92,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20210601preview:DataController" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20210701preview:DataController" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20210801:DataController" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20211101:DataController" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20220301preview:DataController" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20220615preview:DataController" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20230115preview:DataController" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240101:DataController" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240501preview:DataController" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20250301preview:DataController" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20210601preview:azurearcdata:DataController" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20210701preview:azurearcdata:DataController" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20210801:azurearcdata:DataController" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20211101:azurearcdata:DataController" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20220301preview:azurearcdata:DataController" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20220615preview:azurearcdata:DataController" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20230115preview:azurearcdata:DataController" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240101:azurearcdata:DataController" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240501preview:azurearcdata:DataController" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20250301preview:azurearcdata:DataController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureArcData/FailoverGroup.cs b/sdk/dotnet/AzureArcData/FailoverGroup.cs index c83d2142d31e..6e8eb55cb51d 100644 --- a/sdk/dotnet/AzureArcData/FailoverGroup.cs +++ b/sdk/dotnet/AzureArcData/FailoverGroup.cs @@ -77,7 +77,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20230115preview:FailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240101:FailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240501preview:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20250301preview:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20230115preview:azurearcdata:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240101:azurearcdata:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240501preview:azurearcdata:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20250301preview:azurearcdata:FailoverGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureArcData/PostgresInstance.cs b/sdk/dotnet/AzureArcData/PostgresInstance.cs index 318b8f56d276..ef38a664a43a 100644 --- a/sdk/dotnet/AzureArcData/PostgresInstance.cs +++ b/sdk/dotnet/AzureArcData/PostgresInstance.cs @@ -98,14 +98,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20210601preview:PostgresInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20210701preview:PostgresInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20220301preview:PostgresInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20220615preview:PostgresInstance" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20230115preview:PostgresInstance" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240101:PostgresInstance" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240501preview:PostgresInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20250301preview:PostgresInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20210601preview:azurearcdata:PostgresInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20210701preview:azurearcdata:PostgresInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20220301preview:azurearcdata:PostgresInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20220615preview:azurearcdata:PostgresInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20230115preview:azurearcdata:PostgresInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240101:azurearcdata:PostgresInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240501preview:azurearcdata:PostgresInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20250301preview:azurearcdata:PostgresInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureArcData/SqlManagedInstance.cs b/sdk/dotnet/AzureArcData/SqlManagedInstance.cs index 20cc6ec21ab6..6e9a7135de74 100644 --- a/sdk/dotnet/AzureArcData/SqlManagedInstance.cs +++ b/sdk/dotnet/AzureArcData/SqlManagedInstance.cs @@ -98,16 +98,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20210601preview:SqlManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20210701preview:SqlManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20210801:SqlManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20211101:SqlManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20220301preview:SqlManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20220615preview:SqlManagedInstance" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20230115preview:SqlManagedInstance" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240101:SqlManagedInstance" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240501preview:SqlManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20250301preview:SqlManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20210601preview:azurearcdata:SqlManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20210701preview:azurearcdata:SqlManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20210801:azurearcdata:SqlManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20211101:azurearcdata:SqlManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20220301preview:azurearcdata:SqlManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20220615preview:azurearcdata:SqlManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20230115preview:azurearcdata:SqlManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240101:azurearcdata:SqlManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlManagedInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureArcData/SqlServerAvailabilityGroup.cs b/sdk/dotnet/AzureArcData/SqlServerAvailabilityGroup.cs index bbe9ccf2b025..0938adeb555b 100644 --- a/sdk/dotnet/AzureArcData/SqlServerAvailabilityGroup.cs +++ b/sdk/dotnet/AzureArcData/SqlServerAvailabilityGroup.cs @@ -88,7 +88,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240101:SqlServerAvailabilityGroup" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240501preview:SqlServerAvailabilityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20250301preview:SqlServerAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240101:azurearcdata:SqlServerAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerAvailabilityGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureArcData/SqlServerDatabase.cs b/sdk/dotnet/AzureArcData/SqlServerDatabase.cs index c331a221c8e1..83ccc754202f 100644 --- a/sdk/dotnet/AzureArcData/SqlServerDatabase.cs +++ b/sdk/dotnet/AzureArcData/SqlServerDatabase.cs @@ -86,11 +86,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20220615preview:SqlServerDatabase" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20230115preview:SqlServerDatabase" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240101:SqlServerDatabase" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240501preview:SqlServerDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20250301preview:SqlServerDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20220615preview:azurearcdata:SqlServerDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20230115preview:azurearcdata:SqlServerDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240101:azurearcdata:SqlServerDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureArcData/SqlServerEsuLicense.cs b/sdk/dotnet/AzureArcData/SqlServerEsuLicense.cs index b8914dfe7017..8c3ca8ce034d 100644 --- a/sdk/dotnet/AzureArcData/SqlServerEsuLicense.cs +++ b/sdk/dotnet/AzureArcData/SqlServerEsuLicense.cs @@ -87,7 +87,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240501preview:SqlServerEsuLicense" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20250301preview:SqlServerEsuLicense" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerEsuLicense" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerEsuLicense" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureArcData/SqlServerInstance.cs b/sdk/dotnet/AzureArcData/SqlServerInstance.cs index 8746864b5c69..726f93ac7f3f 100644 --- a/sdk/dotnet/AzureArcData/SqlServerInstance.cs +++ b/sdk/dotnet/AzureArcData/SqlServerInstance.cs @@ -86,16 +86,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20210601preview:SqlServerInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20210701preview:SqlServerInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20210801:SqlServerInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20211101:SqlServerInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20220301preview:SqlServerInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20220615preview:SqlServerInstance" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20230115preview:SqlServerInstance" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240101:SqlServerInstance" }, new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240501preview:SqlServerInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20250301preview:SqlServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20210601preview:azurearcdata:SqlServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20210701preview:azurearcdata:SqlServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20210801:azurearcdata:SqlServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20211101:azurearcdata:SqlServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20220301preview:azurearcdata:SqlServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20220615preview:azurearcdata:SqlServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20230115preview:azurearcdata:SqlServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240101:azurearcdata:SqlServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureArcData/SqlServerLicense.cs b/sdk/dotnet/AzureArcData/SqlServerLicense.cs index f9761228456b..f7fa6c94c6aa 100644 --- a/sdk/dotnet/AzureArcData/SqlServerLicense.cs +++ b/sdk/dotnet/AzureArcData/SqlServerLicense.cs @@ -87,7 +87,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20240501preview:SqlServerLicense" }, - new global::Pulumi.Alias { Type = "azure-native:azurearcdata/v20250301preview:SqlServerLicense" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerLicense" }, + new global::Pulumi.Alias { Type = "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerLicense" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureData/SqlServer.cs b/sdk/dotnet/AzureData/SqlServer.cs index a57e9b2175b6..1a052689af0d 100644 --- a/sdk/dotnet/AzureData/SqlServer.cs +++ b/sdk/dotnet/AzureData/SqlServer.cs @@ -90,8 +90,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azuredata/v20170301preview:SqlServer" }, new global::Pulumi.Alias { Type = "azure-native:azuredata/v20190724preview:SqlServer" }, + new global::Pulumi.Alias { Type = "azure-native_azuredata_v20170301preview:azuredata:SqlServer" }, + new global::Pulumi.Alias { Type = "azure-native_azuredata_v20190724preview:azuredata:SqlServer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureData/SqlServerRegistration.cs b/sdk/dotnet/AzureData/SqlServerRegistration.cs index dd6f6479bfa5..17ee64394f26 100644 --- a/sdk/dotnet/AzureData/SqlServerRegistration.cs +++ b/sdk/dotnet/AzureData/SqlServerRegistration.cs @@ -96,8 +96,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azuredata/v20170301preview:SqlServerRegistration" }, new global::Pulumi.Alias { Type = "azure-native:azuredata/v20190724preview:SqlServerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_azuredata_v20170301preview:azuredata:SqlServerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_azuredata_v20190724preview:azuredata:SqlServerRegistration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureDataTransfer/Connection.cs b/sdk/dotnet/AzureDataTransfer/Connection.cs index e12a4c32c543..a3b3cbaf69cc 100644 --- a/sdk/dotnet/AzureDataTransfer/Connection.cs +++ b/sdk/dotnet/AzureDataTransfer/Connection.cs @@ -91,7 +91,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20240507:Connection" }, new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20240911:Connection" }, new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20240927:Connection" }, - new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20250301preview:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240125:azuredatatransfer:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240507:azuredatatransfer:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240911:azuredatatransfer:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240927:azuredatatransfer:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Connection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureDataTransfer/Flow.cs b/sdk/dotnet/AzureDataTransfer/Flow.cs index b6bfafb619f5..57364fb88651 100644 --- a/sdk/dotnet/AzureDataTransfer/Flow.cs +++ b/sdk/dotnet/AzureDataTransfer/Flow.cs @@ -103,7 +103,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20240507:Flow" }, new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20240911:Flow" }, new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20240927:Flow" }, - new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20250301preview:Flow" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Flow" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240125:azuredatatransfer:Flow" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240507:azuredatatransfer:Flow" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240911:azuredatatransfer:Flow" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240927:azuredatatransfer:Flow" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Flow" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureDataTransfer/Pipeline.cs b/sdk/dotnet/AzureDataTransfer/Pipeline.cs index 238753e00d13..db31fc9aee6a 100644 --- a/sdk/dotnet/AzureDataTransfer/Pipeline.cs +++ b/sdk/dotnet/AzureDataTransfer/Pipeline.cs @@ -91,7 +91,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20240507:Pipeline" }, new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20240911:Pipeline" }, new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20240927:Pipeline" }, - new global::Pulumi.Alias { Type = "azure-native:azuredatatransfer/v20250301preview:Pipeline" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Pipeline" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240125:azuredatatransfer:Pipeline" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240507:azuredatatransfer:Pipeline" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240911:azuredatatransfer:Pipeline" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20240927:azuredatatransfer:Pipeline" }, + new global::Pulumi.Alias { Type = "azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Pipeline" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureFleet/Fleet.cs b/sdk/dotnet/AzureFleet/Fleet.cs index 25bc5471961b..6fae7560038c 100644 --- a/sdk/dotnet/AzureFleet/Fleet.cs +++ b/sdk/dotnet/AzureFleet/Fleet.cs @@ -155,6 +155,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurefleet/v20231101preview:Fleet" }, new global::Pulumi.Alias { Type = "azure-native:azurefleet/v20240501preview:Fleet" }, new global::Pulumi.Alias { Type = "azure-native:azurefleet/v20241101:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_azurefleet_v20231101preview:azurefleet:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_azurefleet_v20240501preview:azurefleet:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_azurefleet_v20241101:azurefleet:Fleet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureLargeInstance/AzureLargeInstance.cs b/sdk/dotnet/AzureLargeInstance/AzureLargeInstance.cs index 5f542ad4a1e3..348924ac742b 100644 --- a/sdk/dotnet/AzureLargeInstance/AzureLargeInstance.cs +++ b/sdk/dotnet/AzureLargeInstance/AzureLargeInstance.cs @@ -134,6 +134,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:azurelargeinstance/v20240801preview:AzureLargeInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurelargeinstance_v20240801preview:azurelargeinstance:AzureLargeInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureLargeInstance/AzureLargeStorageInstance.cs b/sdk/dotnet/AzureLargeInstance/AzureLargeStorageInstance.cs index 141d0b64a6c3..68793b7cb4bd 100644 --- a/sdk/dotnet/AzureLargeInstance/AzureLargeStorageInstance.cs +++ b/sdk/dotnet/AzureLargeInstance/AzureLargeStorageInstance.cs @@ -98,6 +98,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:azurelargeinstance/v20240801preview:AzureLargeStorageInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurelargeinstance_v20240801preview:azurelargeinstance:AzureLargeStorageInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzurePlaywrightService/Account.cs b/sdk/dotnet/AzurePlaywrightService/Account.cs index 164acbb1f977..f3659344073f 100644 --- a/sdk/dotnet/AzurePlaywrightService/Account.cs +++ b/sdk/dotnet/AzurePlaywrightService/Account.cs @@ -120,6 +120,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azureplaywrightservice/v20240201preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:azureplaywrightservice/v20240801preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:azureplaywrightservice/v20241201:Account" }, + new global::Pulumi.Alias { Type = "azure-native_azureplaywrightservice_v20231001preview:azureplaywrightservice:Account" }, + new global::Pulumi.Alias { Type = "azure-native_azureplaywrightservice_v20240201preview:azureplaywrightservice:Account" }, + new global::Pulumi.Alias { Type = "azure-native_azureplaywrightservice_v20240801preview:azureplaywrightservice:Account" }, + new global::Pulumi.Alias { Type = "azure-native_azureplaywrightservice_v20241201:azureplaywrightservice:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureSphere/Catalog.cs b/sdk/dotnet/AzureSphere/Catalog.cs index 91dd05af44bd..5e57d4472b8d 100644 --- a/sdk/dotnet/AzureSphere/Catalog.cs +++ b/sdk/dotnet/AzureSphere/Catalog.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20220901preview:Catalog" }, new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20240401:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20220901preview:azuresphere:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20240401:azuresphere:Catalog" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureSphere/Deployment.cs b/sdk/dotnet/AzureSphere/Deployment.cs index 6242cb4689f6..43179ee4fcbb 100644 --- a/sdk/dotnet/AzureSphere/Deployment.cs +++ b/sdk/dotnet/AzureSphere/Deployment.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20220901preview:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20240401:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20220901preview:azuresphere:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20240401:azuresphere:Deployment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureSphere/Device.cs b/sdk/dotnet/AzureSphere/Device.cs index f1f76daa1714..645ad27aa078 100644 --- a/sdk/dotnet/AzureSphere/Device.cs +++ b/sdk/dotnet/AzureSphere/Device.cs @@ -112,6 +112,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20220901preview:Device" }, new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20240401:Device" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20220901preview:azuresphere:Device" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20240401:azuresphere:Device" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureSphere/DeviceGroup.cs b/sdk/dotnet/AzureSphere/DeviceGroup.cs index 2c07cd75d938..0c03ae0066ba 100644 --- a/sdk/dotnet/AzureSphere/DeviceGroup.cs +++ b/sdk/dotnet/AzureSphere/DeviceGroup.cs @@ -112,6 +112,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20220901preview:DeviceGroup" }, new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20240401:DeviceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20220901preview:azuresphere:DeviceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20240401:azuresphere:DeviceGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureSphere/Image.cs b/sdk/dotnet/AzureSphere/Image.cs index 874c7278b8e9..89913cc6c8de 100644 --- a/sdk/dotnet/AzureSphere/Image.cs +++ b/sdk/dotnet/AzureSphere/Image.cs @@ -124,6 +124,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20220901preview:Image" }, new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20240401:Image" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20220901preview:azuresphere:Image" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20240401:azuresphere:Image" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureSphere/Product.cs b/sdk/dotnet/AzureSphere/Product.cs index 7c9e21d46b24..5a7d06ba7124 100644 --- a/sdk/dotnet/AzureSphere/Product.cs +++ b/sdk/dotnet/AzureSphere/Product.cs @@ -82,6 +82,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20220901preview:Product" }, new global::Pulumi.Alias { Type = "azure-native:azuresphere/v20240401:Product" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20220901preview:azuresphere:Product" }, + new global::Pulumi.Alias { Type = "azure-native_azuresphere_v20240401:azuresphere:Product" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStack/CustomerSubscription.cs b/sdk/dotnet/AzureStack/CustomerSubscription.cs index a82dcddff3b0..974678c3f1ee 100644 --- a/sdk/dotnet/AzureStack/CustomerSubscription.cs +++ b/sdk/dotnet/AzureStack/CustomerSubscription.cs @@ -74,9 +74,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestack/v20170601:CustomerSubscription" }, new global::Pulumi.Alias { Type = "azure-native:azurestack/v20200601preview:CustomerSubscription" }, new global::Pulumi.Alias { Type = "azure-native:azurestack/v20220601:CustomerSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_azurestack_v20170601:azurestack:CustomerSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_azurestack_v20200601preview:azurestack:CustomerSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_azurestack_v20220601:azurestack:CustomerSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStack/LinkedSubscription.cs b/sdk/dotnet/AzureStack/LinkedSubscription.cs index f5b00e61b1ee..5650843833b4 100644 --- a/sdk/dotnet/AzureStack/LinkedSubscription.cs +++ b/sdk/dotnet/AzureStack/LinkedSubscription.cs @@ -133,6 +133,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:azurestack/v20200601preview:LinkedSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_azurestack_v20200601preview:azurestack:LinkedSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStack/Registration.cs b/sdk/dotnet/AzureStack/Registration.cs index 6e90800258db..0ed027f4a753 100644 --- a/sdk/dotnet/AzureStack/Registration.cs +++ b/sdk/dotnet/AzureStack/Registration.cs @@ -98,10 +98,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestack/v20160101:Registration" }, - new global::Pulumi.Alias { Type = "azure-native:azurestack/v20170601:Registration" }, new global::Pulumi.Alias { Type = "azure-native:azurestack/v20200601preview:Registration" }, new global::Pulumi.Alias { Type = "azure-native:azurestack/v20220601:Registration" }, + new global::Pulumi.Alias { Type = "azure-native_azurestack_v20160101:azurestack:Registration" }, + new global::Pulumi.Alias { Type = "azure-native_azurestack_v20170601:azurestack:Registration" }, + new global::Pulumi.Alias { Type = "azure-native_azurestack_v20200601preview:azurestack:Registration" }, + new global::Pulumi.Alias { Type = "azure-native_azurestack_v20220601:azurestack:Registration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/ArcSetting.cs b/sdk/dotnet/AzureStackHCI/ArcSetting.cs index a04422e62f0e..003d7bdf79da 100644 --- a/sdk/dotnet/AzureStackHCI/ArcSetting.cs +++ b/sdk/dotnet/AzureStackHCI/ArcSetting.cs @@ -128,17 +128,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210101preview:ArcSetting" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901:ArcSetting" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:ArcSetting" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220101:ArcSetting" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220301:ArcSetting" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220501:ArcSetting" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220901:ArcSetting" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221001:ArcSetting" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221201:ArcSetting" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:ArcSetting" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230201:ArcSetting" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230301:ArcSetting" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230601:ArcSetting" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230801:ArcSetting" }, @@ -149,6 +140,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240401:ArcSetting" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240901preview:ArcSetting" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241201preview:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210101preview:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220101:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220301:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220501:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220901:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221001:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221201:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230201:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230301:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230601:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801preview:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20231101preview:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240215preview:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240401:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240901preview:azurestackhci:ArcSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241201preview:azurestackhci:ArcSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/Cluster.cs b/sdk/dotnet/AzureStackHCI/Cluster.cs index a95fa6340f38..d06ab83f550f 100644 --- a/sdk/dotnet/AzureStackHCI/Cluster.cs +++ b/sdk/dotnet/AzureStackHCI/Cluster.cs @@ -230,19 +230,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20200301preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20201001:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210101preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220101:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220301:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220501:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220901:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221001:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221201:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230201:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230301:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230601:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230801:Cluster" }, @@ -253,6 +243,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240401:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240901preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241201preview:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20200301preview:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20201001:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210101preview:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220101:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220301:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220501:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220901:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221001:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221201:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230201:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230301:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230601:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801preview:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20231101preview:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240215preview:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240401:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240901preview:azurestackhci:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241201preview:azurestackhci:Cluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/DeploymentSetting.cs b/sdk/dotnet/AzureStackHCI/DeploymentSetting.cs index b704f1ca4837..4f02818ec87c 100644 --- a/sdk/dotnet/AzureStackHCI/DeploymentSetting.cs +++ b/sdk/dotnet/AzureStackHCI/DeploymentSetting.cs @@ -111,6 +111,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240401:DeploymentSetting" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240901preview:DeploymentSetting" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241201preview:DeploymentSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801preview:azurestackhci:DeploymentSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20231101preview:azurestackhci:DeploymentSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:DeploymentSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240215preview:azurestackhci:DeploymentSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240401:azurestackhci:DeploymentSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240901preview:azurestackhci:DeploymentSetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241201preview:azurestackhci:DeploymentSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/Extension.cs b/sdk/dotnet/AzureStackHCI/Extension.cs index b64cd83ee359..87043f50066d 100644 --- a/sdk/dotnet/AzureStackHCI/Extension.cs +++ b/sdk/dotnet/AzureStackHCI/Extension.cs @@ -134,17 +134,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210101preview:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220101:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220301:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220501:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20220901:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221001:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221201:Extension" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230201:Extension" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230301:Extension" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230601:Extension" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230801:Extension" }, @@ -155,6 +145,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240401:Extension" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240901preview:Extension" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241201preview:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210101preview:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220101:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220301:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220501:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20220901:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221001:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221201:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230201:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230301:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230601:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801preview:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20231101preview:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240215preview:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240401:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240901preview:azurestackhci:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241201preview:azurestackhci:Extension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/GalleryImage.cs b/sdk/dotnet/AzureStackHCI/GalleryImage.cs index 20dacfe01330..08b53513a896 100644 --- a/sdk/dotnet/AzureStackHCI/GalleryImage.cs +++ b/sdk/dotnet/AzureStackHCI/GalleryImage.cs @@ -152,8 +152,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210701preview:GalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:GalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:GalleryimageRetrieve" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:GalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230701preview:GalleryImage" }, @@ -164,8 +162,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240715preview:GalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240801preview:GalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241001preview:GalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250201preview:GalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250401preview:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210701preview:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230701preview:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230901preview:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240201preview:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240501preview:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240715preview:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240801preview:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241001preview:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250201preview:azurestackhci:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250401preview:azurestackhci:GalleryImage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/GuestAgent.cs b/sdk/dotnet/AzureStackHCI/GuestAgent.cs index f1700a4d4025..ed59abd15c42 100644 --- a/sdk/dotnet/AzureStackHCI/GuestAgent.cs +++ b/sdk/dotnet/AzureStackHCI/GuestAgent.cs @@ -92,7 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:GuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230701preview:GuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230901preview:GuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240101:GuestAgent" }, @@ -101,8 +100,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240715preview:GuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240801preview:GuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241001preview:GuestAgent" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250201preview:GuestAgent" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250401preview:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230701preview:azurestackhci:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230901preview:azurestackhci:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240201preview:azurestackhci:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240501preview:azurestackhci:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240715preview:azurestackhci:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240801preview:azurestackhci:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241001preview:azurestackhci:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250201preview:azurestackhci:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250401preview:azurestackhci:GuestAgent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/HciEdgeDevice.cs b/sdk/dotnet/AzureStackHCI/HciEdgeDevice.cs index 0be36f8c96f7..e9ac7c087338 100644 --- a/sdk/dotnet/AzureStackHCI/HciEdgeDevice.cs +++ b/sdk/dotnet/AzureStackHCI/HciEdgeDevice.cs @@ -87,16 +87,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230801preview:EdgeDevice" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230801preview:HciEdgeDevice" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20231101preview:EdgeDevice" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20231101preview:HciEdgeDevice" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240101:EdgeDevice" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240101:HciEdgeDevice" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240215preview:HciEdgeDevice" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240401:HciEdgeDevice" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240901preview:HciEdgeDevice" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241201preview:HciEdgeDevice" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci:EdgeDevice" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801preview:azurestackhci:HciEdgeDevice" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20231101preview:azurestackhci:HciEdgeDevice" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:HciEdgeDevice" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240215preview:azurestackhci:HciEdgeDevice" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240401:azurestackhci:HciEdgeDevice" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240901preview:azurestackhci:HciEdgeDevice" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241201preview:azurestackhci:HciEdgeDevice" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/HciEdgeDeviceJob.cs b/sdk/dotnet/AzureStackHCI/HciEdgeDeviceJob.cs index 39a62bbe3248..34e528477489 100644 --- a/sdk/dotnet/AzureStackHCI/HciEdgeDeviceJob.cs +++ b/sdk/dotnet/AzureStackHCI/HciEdgeDeviceJob.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240901preview:HciEdgeDeviceJob" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241201preview:HciEdgeDeviceJob" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240901preview:azurestackhci:HciEdgeDeviceJob" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241201preview:azurestackhci:HciEdgeDeviceJob" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/HybridIdentityMetadatum.cs b/sdk/dotnet/AzureStackHCI/HybridIdentityMetadatum.cs index e3917112baef..2e605cf37f18 100644 --- a/sdk/dotnet/AzureStackHCI/HybridIdentityMetadatum.cs +++ b/sdk/dotnet/AzureStackHCI/HybridIdentityMetadatum.cs @@ -90,8 +90,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:HybridIdentityMetadatum" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:HybridIdentityMetadatum" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:HybridIdentityMetadatum" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:HybridIdentityMetadatum" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/LogicalNetwork.cs b/sdk/dotnet/AzureStackHCI/LogicalNetwork.cs index 1a71afa407a2..61af9961c8dd 100644 --- a/sdk/dotnet/AzureStackHCI/LogicalNetwork.cs +++ b/sdk/dotnet/AzureStackHCI/LogicalNetwork.cs @@ -123,8 +123,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240715preview:LogicalNetwork" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240801preview:LogicalNetwork" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241001preview:LogicalNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250201preview:LogicalNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250401preview:LogicalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230901preview:azurestackhci:LogicalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:LogicalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240201preview:azurestackhci:LogicalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240501preview:azurestackhci:LogicalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240715preview:azurestackhci:LogicalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240801preview:azurestackhci:LogicalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241001preview:azurestackhci:LogicalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250201preview:azurestackhci:LogicalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250401preview:azurestackhci:LogicalNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/MachineExtension.cs b/sdk/dotnet/AzureStackHCI/MachineExtension.cs index f940d006d3d5..bbb009dea930 100644 --- a/sdk/dotnet/AzureStackHCI/MachineExtension.cs +++ b/sdk/dotnet/AzureStackHCI/MachineExtension.cs @@ -126,8 +126,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:MachineExtension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/MarketplaceGalleryImage.cs b/sdk/dotnet/AzureStackHCI/MarketplaceGalleryImage.cs index 3e8558430614..7a0baec3b11d 100644 --- a/sdk/dotnet/AzureStackHCI/MarketplaceGalleryImage.cs +++ b/sdk/dotnet/AzureStackHCI/MarketplaceGalleryImage.cs @@ -134,7 +134,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:MarketplaceGalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:Marketplacegalleryimage" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:MarketplaceGalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230701preview:MarketplaceGalleryImage" }, @@ -145,8 +144,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240715preview:MarketplaceGalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240801preview:MarketplaceGalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241001preview:MarketplaceGalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250201preview:MarketplaceGalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250401preview:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230701preview:azurestackhci:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230901preview:azurestackhci:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240201preview:azurestackhci:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240501preview:azurestackhci:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240715preview:azurestackhci:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240801preview:azurestackhci:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241001preview:azurestackhci:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250201preview:azurestackhci:MarketplaceGalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250401preview:azurestackhci:MarketplaceGalleryImage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/NetworkInterface.cs b/sdk/dotnet/AzureStackHCI/NetworkInterface.cs index 27f2f03a856a..3651d509a4fc 100644 --- a/sdk/dotnet/AzureStackHCI/NetworkInterface.cs +++ b/sdk/dotnet/AzureStackHCI/NetworkInterface.cs @@ -128,8 +128,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210701preview:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:NetworkinterfaceRetrieve" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230701preview:NetworkInterface" }, @@ -140,8 +138,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240715preview:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240801preview:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241001preview:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250201preview:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250401preview:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210701preview:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230701preview:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230901preview:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240201preview:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240501preview:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240715preview:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240801preview:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241001preview:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250201preview:azurestackhci:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250401preview:azurestackhci:NetworkInterface" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/NetworkSecurityGroup.cs b/sdk/dotnet/AzureStackHCI/NetworkSecurityGroup.cs index 35aa12674cf8..245ef87ada36 100644 --- a/sdk/dotnet/AzureStackHCI/NetworkSecurityGroup.cs +++ b/sdk/dotnet/AzureStackHCI/NetworkSecurityGroup.cs @@ -121,8 +121,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240715preview:NetworkSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240801preview:NetworkSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241001preview:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250201preview:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250401preview:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240201preview:azurestackhci:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240501preview:azurestackhci:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240715preview:azurestackhci:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240801preview:azurestackhci:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241001preview:azurestackhci:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250201preview:azurestackhci:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250401preview:azurestackhci:NetworkSecurityGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/SecurityRule.cs b/sdk/dotnet/AzureStackHCI/SecurityRule.cs index 2cb53d928f68..52914da79bb9 100644 --- a/sdk/dotnet/AzureStackHCI/SecurityRule.cs +++ b/sdk/dotnet/AzureStackHCI/SecurityRule.cs @@ -139,8 +139,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240715preview:SecurityRule" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240801preview:SecurityRule" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241001preview:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250201preview:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250401preview:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240201preview:azurestackhci:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240501preview:azurestackhci:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240715preview:azurestackhci:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240801preview:azurestackhci:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241001preview:azurestackhci:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250201preview:azurestackhci:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250401preview:azurestackhci:SecurityRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/SecuritySetting.cs b/sdk/dotnet/AzureStackHCI/SecuritySetting.cs index 42e849c8a647..83a5f645bc6a 100644 --- a/sdk/dotnet/AzureStackHCI/SecuritySetting.cs +++ b/sdk/dotnet/AzureStackHCI/SecuritySetting.cs @@ -104,6 +104,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240401:SecuritySetting" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240901preview:SecuritySetting" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241201preview:SecuritySetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20231101preview:azurestackhci:SecuritySetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:SecuritySetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240215preview:azurestackhci:SecuritySetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240401:azurestackhci:SecuritySetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240901preview:azurestackhci:SecuritySetting" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241201preview:azurestackhci:SecuritySetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/StorageContainer.cs b/sdk/dotnet/AzureStackHCI/StorageContainer.cs index ca430ab81366..1ac5b17326f7 100644 --- a/sdk/dotnet/AzureStackHCI/StorageContainer.cs +++ b/sdk/dotnet/AzureStackHCI/StorageContainer.cs @@ -104,7 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:StorageContainer" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:StoragecontainerRetrieve" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:StorageContainer" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230701preview:StorageContainer" }, @@ -115,8 +114,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240715preview:StorageContainer" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240801preview:StorageContainer" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241001preview:StorageContainer" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250201preview:StorageContainer" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250401preview:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230701preview:azurestackhci:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230901preview:azurestackhci:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240201preview:azurestackhci:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240501preview:azurestackhci:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240715preview:azurestackhci:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240801preview:azurestackhci:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241001preview:azurestackhci:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250201preview:azurestackhci:StorageContainer" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250401preview:azurestackhci:StorageContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/Update.cs b/sdk/dotnet/AzureStackHCI/Update.cs index 1889843bbb79..800374b1879a 100644 --- a/sdk/dotnet/AzureStackHCI/Update.cs +++ b/sdk/dotnet/AzureStackHCI/Update.cs @@ -182,9 +182,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221201:Update" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:Update" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230201:Update" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230301:Update" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230601:Update" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230801:Update" }, @@ -195,6 +193,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240401:Update" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240901preview:Update" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241201preview:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221201:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230201:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230301:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230601:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801preview:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20231101preview:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240215preview:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240401:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240901preview:azurestackhci:Update" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241201preview:azurestackhci:Update" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/UpdateRun.cs b/sdk/dotnet/AzureStackHCI/UpdateRun.cs index 2ec2bb4a04f2..73ba63ec0c82 100644 --- a/sdk/dotnet/AzureStackHCI/UpdateRun.cs +++ b/sdk/dotnet/AzureStackHCI/UpdateRun.cs @@ -152,9 +152,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221201:UpdateRun" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:UpdateRun" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230201:UpdateRun" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230301:UpdateRun" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230601:UpdateRun" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230801:UpdateRun" }, @@ -165,6 +163,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240401:UpdateRun" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240901preview:UpdateRun" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241201preview:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221201:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230201:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230301:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230601:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801preview:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20231101preview:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240215preview:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240401:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240901preview:azurestackhci:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241201preview:azurestackhci:UpdateRun" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/UpdateSummary.cs b/sdk/dotnet/AzureStackHCI/UpdateSummary.cs index 406dd401a75d..682111b5bbd9 100644 --- a/sdk/dotnet/AzureStackHCI/UpdateSummary.cs +++ b/sdk/dotnet/AzureStackHCI/UpdateSummary.cs @@ -134,9 +134,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221201:UpdateSummary" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:UpdateSummary" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230201:UpdateSummary" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230301:UpdateSummary" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230601:UpdateSummary" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230801:UpdateSummary" }, @@ -147,6 +145,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240401:UpdateSummary" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240901preview:UpdateSummary" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241201preview:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221201:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230201:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230301:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230601:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230801preview:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20231101preview:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240215preview:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240401:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240901preview:azurestackhci:UpdateSummary" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241201preview:azurestackhci:UpdateSummary" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/VirtualHardDisk.cs b/sdk/dotnet/AzureStackHCI/VirtualHardDisk.cs index 12ba609352f4..8442a4d877a4 100644 --- a/sdk/dotnet/AzureStackHCI/VirtualHardDisk.cs +++ b/sdk/dotnet/AzureStackHCI/VirtualHardDisk.cs @@ -158,8 +158,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210701preview:VirtualHardDisk" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:VirtualHardDisk" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:VirtualharddiskRetrieve" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:VirtualHardDisk" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230701preview:VirtualHardDisk" }, @@ -170,8 +168,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240715preview:VirtualHardDisk" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240801preview:VirtualHardDisk" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241001preview:VirtualHardDisk" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250201preview:VirtualHardDisk" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250401preview:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210701preview:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230901preview:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240201preview:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240501preview:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240715preview:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240801preview:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241001preview:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250201preview:azurestackhci:VirtualHardDisk" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250401preview:azurestackhci:VirtualHardDisk" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/VirtualMachine.cs b/sdk/dotnet/AzureStackHCI/VirtualMachine.cs index 73c2e1714b67..1b8afe6ded7a 100644 --- a/sdk/dotnet/AzureStackHCI/VirtualMachine.cs +++ b/sdk/dotnet/AzureStackHCI/VirtualMachine.cs @@ -144,10 +144,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210701preview:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:VirtualmachineRetrieve" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210701preview:azurestackhci:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualMachine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/VirtualMachineInstance.cs b/sdk/dotnet/AzureStackHCI/VirtualMachineInstance.cs index e9daf343a02b..5ae205bcd060 100644 --- a/sdk/dotnet/AzureStackHCI/VirtualMachineInstance.cs +++ b/sdk/dotnet/AzureStackHCI/VirtualMachineInstance.cs @@ -166,8 +166,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240715preview:VirtualMachineInstance" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20240801preview:VirtualMachineInstance" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20241001preview:VirtualMachineInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250201preview:VirtualMachineInstance" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20250401preview:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230901preview:azurestackhci:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240101:azurestackhci:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240201preview:azurestackhci:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240501preview:azurestackhci:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240715preview:azurestackhci:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20240801preview:azurestackhci:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20241001preview:azurestackhci:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250201preview:azurestackhci:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20250401preview:azurestackhci:VirtualMachineInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/AzureStackHCI/VirtualNetwork.cs b/sdk/dotnet/AzureStackHCI/VirtualNetwork.cs index 96a582ff59a5..f0402e7517d4 100644 --- a/sdk/dotnet/AzureStackHCI/VirtualNetwork.cs +++ b/sdk/dotnet/AzureStackHCI/VirtualNetwork.cs @@ -122,11 +122,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210701preview:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20210901preview:VirtualnetworkRetrieve" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20221215preview:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:azurestackhci/v20230701preview:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210701preview:azurestackhci:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20210901preview:azurestackhci:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/BareMetalInfrastructure/AzureBareMetalInstance.cs b/sdk/dotnet/BareMetalInfrastructure/AzureBareMetalInstance.cs index 1043adb3568b..6cf81912dba9 100644 --- a/sdk/dotnet/BareMetalInfrastructure/AzureBareMetalInstance.cs +++ b/sdk/dotnet/BareMetalInfrastructure/AzureBareMetalInstance.cs @@ -139,6 +139,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalInstance" }, + new global::Pulumi.Alias { Type = "azure-native_baremetalinfrastructure_v20240801preview:baremetalinfrastructure:AzureBareMetalInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/BareMetalInfrastructure/AzureBareMetalStorageInstance.cs b/sdk/dotnet/BareMetalInfrastructure/AzureBareMetalStorageInstance.cs index ac8a126066e3..29bc22c71832 100644 --- a/sdk/dotnet/BareMetalInfrastructure/AzureBareMetalStorageInstance.cs +++ b/sdk/dotnet/BareMetalInfrastructure/AzureBareMetalStorageInstance.cs @@ -102,6 +102,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:baremetalinfrastructure/v20230804preview:AzureBareMetalStorageInstance" }, new global::Pulumi.Alias { Type = "azure-native:baremetalinfrastructure/v20231101preview:AzureBareMetalStorageInstance" }, new global::Pulumi.Alias { Type = "azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalStorageInstance" }, + new global::Pulumi.Alias { Type = "azure-native_baremetalinfrastructure_v20230406:baremetalinfrastructure:AzureBareMetalStorageInstance" }, + new global::Pulumi.Alias { Type = "azure-native_baremetalinfrastructure_v20230804preview:baremetalinfrastructure:AzureBareMetalStorageInstance" }, + new global::Pulumi.Alias { Type = "azure-native_baremetalinfrastructure_v20231101preview:baremetalinfrastructure:AzureBareMetalStorageInstance" }, + new global::Pulumi.Alias { Type = "azure-native_baremetalinfrastructure_v20240801preview:baremetalinfrastructure:AzureBareMetalStorageInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Batch/Application.cs b/sdk/dotnet/Batch/Application.cs index 497d436020b7..2d6a257d3baa 100644 --- a/sdk/dotnet/Batch/Application.cs +++ b/sdk/dotnet/Batch/Application.cs @@ -92,25 +92,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:batch/v20151201:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20170101:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20170501:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20170901:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20181201:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20190401:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20190801:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200301:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200501:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200901:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20210101:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20210601:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20220101:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20220601:Application" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20221001:Application" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20230501:Application" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20231101:Application" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20240201:Application" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20240701:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20151201:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20170101:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20170501:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20170901:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20181201:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20190401:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20190801:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200301:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200501:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200901:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20210101:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20210601:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20220101:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20220601:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20221001:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20230501:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20231101:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20240201:batch:Application" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20240701:batch:Application" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Batch/ApplicationPackage.cs b/sdk/dotnet/Batch/ApplicationPackage.cs index 4941b443f6aa..f7335eb7861f 100644 --- a/sdk/dotnet/Batch/ApplicationPackage.cs +++ b/sdk/dotnet/Batch/ApplicationPackage.cs @@ -104,25 +104,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:batch/v20151201:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20170101:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20170501:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20170901:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20181201:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20190401:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20190801:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200301:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200501:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200901:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20210101:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20210601:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20220101:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20220601:ApplicationPackage" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20221001:ApplicationPackage" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20230501:ApplicationPackage" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20231101:ApplicationPackage" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20240201:ApplicationPackage" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20240701:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20151201:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20170101:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20170501:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20170901:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20181201:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20190401:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20190801:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200301:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200501:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200901:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20210101:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20210601:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20220101:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20220601:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20221001:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20230501:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20231101:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20240201:batch:ApplicationPackage" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20240701:batch:ApplicationPackage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Batch/BatchAccount.cs b/sdk/dotnet/Batch/BatchAccount.cs index 34f137c1d9b4..42829f1663fe 100644 --- a/sdk/dotnet/Batch/BatchAccount.cs +++ b/sdk/dotnet/Batch/BatchAccount.cs @@ -176,25 +176,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:batch/v20151201:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20170101:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20170501:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20170901:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20181201:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20190401:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20190801:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200301:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200501:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200901:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20210101:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20210601:BatchAccount" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20220101:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20220601:BatchAccount" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20221001:BatchAccount" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20230501:BatchAccount" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20231101:BatchAccount" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20240201:BatchAccount" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20240701:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20151201:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20170101:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20170501:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20170901:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20181201:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20190401:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20190801:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200301:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200501:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200901:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20210101:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20210601:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20220101:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20220601:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20221001:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20230501:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20231101:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20240201:batch:BatchAccount" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20240701:batch:BatchAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Batch/Pool.cs b/sdk/dotnet/Batch/Pool.cs index 1abbd7f5a03a..5b7a0bf64640 100644 --- a/sdk/dotnet/Batch/Pool.cs +++ b/sdk/dotnet/Batch/Pool.cs @@ -226,22 +226,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:batch/v20170901:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20181201:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20190401:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20190801:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200301:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200501:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20200901:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20210101:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20210601:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20220101:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20220601:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:batch/v20221001:Pool" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20230501:Pool" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20231101:Pool" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20240201:Pool" }, new global::Pulumi.Alias { Type = "azure-native:batch/v20240701:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20170901:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20181201:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20190401:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20190801:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200301:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200501:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20200901:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20210101:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20210601:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20220101:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20220601:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20221001:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20230501:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20231101:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20240201:batch:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_batch_v20240701:batch:Pool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Billing/AssociatedTenant.cs b/sdk/dotnet/Billing/AssociatedTenant.cs index c21c0004b627..c9aa3771a4d3 100644 --- a/sdk/dotnet/Billing/AssociatedTenant.cs +++ b/sdk/dotnet/Billing/AssociatedTenant.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:billing/v20240401:AssociatedTenant" }, + new global::Pulumi.Alias { Type = "azure-native_billing_v20240401:billing:AssociatedTenant" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Billing/BillingProfile.cs b/sdk/dotnet/Billing/BillingProfile.cs index 13b3b788c0b1..8a1035c817cb 100644 --- a/sdk/dotnet/Billing/BillingProfile.cs +++ b/sdk/dotnet/Billing/BillingProfile.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:billing/v20240401:BillingProfile" }, + new global::Pulumi.Alias { Type = "azure-native_billing_v20240401:billing:BillingProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Billing/BillingRoleAssignmentByBillingAccount.cs b/sdk/dotnet/Billing/BillingRoleAssignmentByBillingAccount.cs index d41c01f43d60..5eca08b2a9bc 100644 --- a/sdk/dotnet/Billing/BillingRoleAssignmentByBillingAccount.cs +++ b/sdk/dotnet/Billing/BillingRoleAssignmentByBillingAccount.cs @@ -82,6 +82,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:billing/v20191001preview:BillingRoleAssignmentByBillingAccount" }, new global::Pulumi.Alias { Type = "azure-native:billing/v20240401:BillingRoleAssignmentByBillingAccount" }, + new global::Pulumi.Alias { Type = "azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByBillingAccount" }, + new global::Pulumi.Alias { Type = "azure-native_billing_v20240401:billing:BillingRoleAssignmentByBillingAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Billing/BillingRoleAssignmentByDepartment.cs b/sdk/dotnet/Billing/BillingRoleAssignmentByDepartment.cs index dc3d09dd3cb8..e63a2d7752f6 100644 --- a/sdk/dotnet/Billing/BillingRoleAssignmentByDepartment.cs +++ b/sdk/dotnet/Billing/BillingRoleAssignmentByDepartment.cs @@ -82,6 +82,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:billing/v20191001preview:BillingRoleAssignmentByDepartment" }, new global::Pulumi.Alias { Type = "azure-native:billing/v20240401:BillingRoleAssignmentByDepartment" }, + new global::Pulumi.Alias { Type = "azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByDepartment" }, + new global::Pulumi.Alias { Type = "azure-native_billing_v20240401:billing:BillingRoleAssignmentByDepartment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Billing/BillingRoleAssignmentByEnrollmentAccount.cs b/sdk/dotnet/Billing/BillingRoleAssignmentByEnrollmentAccount.cs index 819792cdf43b..f1b2a418620a 100644 --- a/sdk/dotnet/Billing/BillingRoleAssignmentByEnrollmentAccount.cs +++ b/sdk/dotnet/Billing/BillingRoleAssignmentByEnrollmentAccount.cs @@ -82,6 +82,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:billing/v20191001preview:BillingRoleAssignmentByEnrollmentAccount" }, new global::Pulumi.Alias { Type = "azure-native:billing/v20240401:BillingRoleAssignmentByEnrollmentAccount" }, + new global::Pulumi.Alias { Type = "azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByEnrollmentAccount" }, + new global::Pulumi.Alias { Type = "azure-native_billing_v20240401:billing:BillingRoleAssignmentByEnrollmentAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Billing/InvoiceSection.cs b/sdk/dotnet/Billing/InvoiceSection.cs index 09449895a950..cc29ab074790 100644 --- a/sdk/dotnet/Billing/InvoiceSection.cs +++ b/sdk/dotnet/Billing/InvoiceSection.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:billing/v20240401:InvoiceSection" }, + new global::Pulumi.Alias { Type = "azure-native_billing_v20240401:billing:InvoiceSection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/BillingBenefits/Discount.cs b/sdk/dotnet/BillingBenefits/Discount.cs index 12fa89aa9736..08ae776a19f6 100644 --- a/sdk/dotnet/BillingBenefits/Discount.cs +++ b/sdk/dotnet/BillingBenefits/Discount.cs @@ -186,7 +186,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:billingbenefits/v20241101preview:Discount" }, + new global::Pulumi.Alias { Type = "azure-native_billingbenefits_v20241101preview:billingbenefits:Discount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Blueprint/Assignment.cs b/sdk/dotnet/Blueprint/Assignment.cs index ad7198adf646..41edb6762bdb 100644 --- a/sdk/dotnet/Blueprint/Assignment.cs +++ b/sdk/dotnet/Blueprint/Assignment.cs @@ -127,6 +127,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:blueprint/v20181101preview:Assignment" }, + new global::Pulumi.Alias { Type = "azure-native_blueprint_v20181101preview:blueprint:Assignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Blueprint/Blueprint.cs b/sdk/dotnet/Blueprint/Blueprint.cs index d8c4ca05b546..a929b069d8a8 100644 --- a/sdk/dotnet/Blueprint/Blueprint.cs +++ b/sdk/dotnet/Blueprint/Blueprint.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:blueprint/v20181101preview:Blueprint" }, + new global::Pulumi.Alias { Type = "azure-native_blueprint_v20181101preview:blueprint:Blueprint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Blueprint/PolicyAssignmentArtifact.cs b/sdk/dotnet/Blueprint/PolicyAssignmentArtifact.cs index 8ddfb846cb8c..01fc56f7bef7 100644 --- a/sdk/dotnet/Blueprint/PolicyAssignmentArtifact.cs +++ b/sdk/dotnet/Blueprint/PolicyAssignmentArtifact.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:blueprint/v20181101preview:TemplateArtifact" }, new global::Pulumi.Alias { Type = "azure-native:blueprint:RoleAssignmentArtifact" }, new global::Pulumi.Alias { Type = "azure-native:blueprint:TemplateArtifact" }, + new global::Pulumi.Alias { Type = "azure-native_blueprint_v20181101preview:blueprint:PolicyAssignmentArtifact" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Blueprint/PublishedBlueprint.cs b/sdk/dotnet/Blueprint/PublishedBlueprint.cs index 6fac697c4fba..7b71aa13202a 100644 --- a/sdk/dotnet/Blueprint/PublishedBlueprint.cs +++ b/sdk/dotnet/Blueprint/PublishedBlueprint.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:blueprint/v20181101preview:PublishedBlueprint" }, + new global::Pulumi.Alias { Type = "azure-native_blueprint_v20181101preview:blueprint:PublishedBlueprint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Blueprint/RoleAssignmentArtifact.cs b/sdk/dotnet/Blueprint/RoleAssignmentArtifact.cs index fd3499f4cdb1..e22e03e4244d 100644 --- a/sdk/dotnet/Blueprint/RoleAssignmentArtifact.cs +++ b/sdk/dotnet/Blueprint/RoleAssignmentArtifact.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:blueprint/v20181101preview:TemplateArtifact" }, new global::Pulumi.Alias { Type = "azure-native:blueprint:PolicyAssignmentArtifact" }, new global::Pulumi.Alias { Type = "azure-native:blueprint:TemplateArtifact" }, + new global::Pulumi.Alias { Type = "azure-native_blueprint_v20181101preview:blueprint:RoleAssignmentArtifact" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Blueprint/TemplateArtifact.cs b/sdk/dotnet/Blueprint/TemplateArtifact.cs index 86ff3f862928..adeac2371d65 100644 --- a/sdk/dotnet/Blueprint/TemplateArtifact.cs +++ b/sdk/dotnet/Blueprint/TemplateArtifact.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:blueprint/v20181101preview:TemplateArtifact" }, new global::Pulumi.Alias { Type = "azure-native:blueprint:PolicyAssignmentArtifact" }, new global::Pulumi.Alias { Type = "azure-native:blueprint:RoleAssignmentArtifact" }, + new global::Pulumi.Alias { Type = "azure-native_blueprint_v20181101preview:blueprint:TemplateArtifact" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/BotService/Bot.cs b/sdk/dotnet/BotService/Bot.cs index ff07aaecb1c6..bfabeeefc791 100644 --- a/sdk/dotnet/BotService/Bot.cs +++ b/sdk/dotnet/BotService/Bot.cs @@ -104,14 +104,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:botservice/v20171201:Bot" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20180712:Bot" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20200602:Bot" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20210301:Bot" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20210501preview:Bot" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20220615preview:Bot" }, new global::Pulumi.Alias { Type = "azure-native:botservice/v20220915:Bot" }, new global::Pulumi.Alias { Type = "azure-native:botservice/v20230915preview:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20171201:botservice:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20180712:botservice:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20200602:botservice:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20210301:botservice:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20210501preview:botservice:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20220615preview:botservice:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20220915:botservice:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20230915preview:botservice:Bot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/BotService/BotConnection.cs b/sdk/dotnet/BotService/BotConnection.cs index 85b61dfd8dfb..488b0df2887a 100644 --- a/sdk/dotnet/BotService/BotConnection.cs +++ b/sdk/dotnet/BotService/BotConnection.cs @@ -104,14 +104,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:botservice/v20171201:BotConnection" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20180712:BotConnection" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20200602:BotConnection" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20210301:BotConnection" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20210501preview:BotConnection" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20220615preview:BotConnection" }, new global::Pulumi.Alias { Type = "azure-native:botservice/v20220915:BotConnection" }, new global::Pulumi.Alias { Type = "azure-native:botservice/v20230915preview:BotConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20171201:botservice:BotConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20180712:botservice:BotConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20200602:botservice:BotConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20210301:botservice:BotConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20210501preview:botservice:BotConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20220615preview:botservice:BotConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20220915:botservice:BotConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20230915preview:botservice:BotConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/BotService/Channel.cs b/sdk/dotnet/BotService/Channel.cs index 4ca85aa17ea3..4c89b86924e7 100644 --- a/sdk/dotnet/BotService/Channel.cs +++ b/sdk/dotnet/BotService/Channel.cs @@ -104,14 +104,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:botservice/v20171201:Channel" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20180712:Channel" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20200602:Channel" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20210301:Channel" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20210501preview:Channel" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20220615preview:Channel" }, new global::Pulumi.Alias { Type = "azure-native:botservice/v20220915:Channel" }, new global::Pulumi.Alias { Type = "azure-native:botservice/v20230915preview:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20171201:botservice:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20180712:botservice:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20200602:botservice:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20210301:botservice:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20210501preview:botservice:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20220615preview:botservice:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20220915:botservice:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20230915preview:botservice:Channel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/BotService/PrivateEndpointConnection.cs b/sdk/dotnet/BotService/PrivateEndpointConnection.cs index af2f5368528b..1583d236f011 100644 --- a/sdk/dotnet/BotService/PrivateEndpointConnection.cs +++ b/sdk/dotnet/BotService/PrivateEndpointConnection.cs @@ -86,10 +86,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:botservice/v20210501preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:botservice/v20220615preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:botservice/v20220915:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:botservice/v20230915preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20210501preview:botservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20220615preview:botservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20220915:botservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_botservice_v20230915preview:botservice:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/AFDCustomDomain.cs b/sdk/dotnet/Cdn/AFDCustomDomain.cs index 7e78a64ec87f..229f6944c7b0 100644 --- a/sdk/dotnet/Cdn/AFDCustomDomain.cs +++ b/sdk/dotnet/Cdn/AFDCustomDomain.cs @@ -125,16 +125,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:AFDCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:AFDCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:AFDCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:AFDCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:AFDCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:AFDCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:AFDCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:AFDCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:AFDCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:AFDCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:AFDCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:AFDCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:AFDCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:AFDCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:AFDCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:AFDCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:AFDCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:AFDCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:AFDCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:AFDCustomDomain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/AFDEndpoint.cs b/sdk/dotnet/Cdn/AFDEndpoint.cs index 770812c9cf98..a481f9fa13ae 100644 --- a/sdk/dotnet/Cdn/AFDEndpoint.cs +++ b/sdk/dotnet/Cdn/AFDEndpoint.cs @@ -114,15 +114,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:AFDEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:AFDEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:AFDEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:AFDEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:AFDEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:AFDEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:AFDEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:AFDEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:AFDEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:AFDEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:AFDEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:AFDEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:AFDEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:AFDEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:AFDEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:AFDEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:AFDEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:AFDEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:AFDEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:AFDEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/AFDOrigin.cs b/sdk/dotnet/Cdn/AFDOrigin.cs index 0ec1b9bf8ca2..6c3ec361da19 100644 --- a/sdk/dotnet/Cdn/AFDOrigin.cs +++ b/sdk/dotnet/Cdn/AFDOrigin.cs @@ -143,16 +143,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:AFDOrigin" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:AFDOrigin" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:AFDOrigin" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:AFDOrigin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:AFDOrigin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:AFDOrigin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:AFDOrigin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:AFDOrigin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:AFDOrigin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:AFDOrigin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:AFDOrigin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:AFDOrigin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:AFDOrigin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:AFDOrigin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:AFDOrigin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:AFDOrigin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:AFDOrigin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:AFDOrigin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:AFDOrigin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:AFDOrigin" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/AFDOriginGroup.cs b/sdk/dotnet/Cdn/AFDOriginGroup.cs index d435e643ab07..9199935f9ec2 100644 --- a/sdk/dotnet/Cdn/AFDOriginGroup.cs +++ b/sdk/dotnet/Cdn/AFDOriginGroup.cs @@ -108,15 +108,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:AFDOriginGroup" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:AFDOriginGroup" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:AFDOriginGroup" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:AFDOriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:AFDOriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:AFDOriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:AFDOriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:AFDOriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:AFDOriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:AFDOriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:AFDOriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:AFDOriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:AFDOriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:AFDOriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:AFDOriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:AFDOriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:AFDOriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:AFDOriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:AFDOriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:AFDOriginGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/AFDTargetGroup.cs b/sdk/dotnet/Cdn/AFDTargetGroup.cs index 3ecf978a80a9..31e428885af3 100644 --- a/sdk/dotnet/Cdn/AFDTargetGroup.cs +++ b/sdk/dotnet/Cdn/AFDTargetGroup.cs @@ -82,6 +82,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:AFDTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:AFDTargetGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/CustomDomain.cs b/sdk/dotnet/Cdn/CustomDomain.cs index a5512ea01ca0..bed55bc9e66b 100644 --- a/sdk/dotnet/Cdn/CustomDomain.cs +++ b/sdk/dotnet/Cdn/CustomDomain.cs @@ -110,27 +110,33 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20150601:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20160402:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20161002:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20170402:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20171012:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20190415:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20190615:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20190615preview:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20191231:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200331:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200415:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:CustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:CustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:CustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:CustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:CustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:CustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:CustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20150601:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20160402:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20161002:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20170402:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20171012:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20190415:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20190615:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20190615preview:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20191231:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200331:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200415:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:CustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:CustomDomain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/Endpoint.cs b/sdk/dotnet/Cdn/Endpoint.cs index 37819caee26b..7da0b7db4a65 100644 --- a/sdk/dotnet/Cdn/Endpoint.cs +++ b/sdk/dotnet/Cdn/Endpoint.cs @@ -200,27 +200,33 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20150601:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20160402:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20161002:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20170402:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20171012:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20190415:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20190615:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20190615preview:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20191231:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200331:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200415:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20150601:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20160402:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20161002:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20170402:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20171012:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20190415:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20190615:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20190615preview:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20191231:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200331:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200415:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:Endpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/KeyGroup.cs b/sdk/dotnet/Cdn/KeyGroup.cs index 30de6fddff13..bfc8a48c3b19 100644 --- a/sdk/dotnet/Cdn/KeyGroup.cs +++ b/sdk/dotnet/Cdn/KeyGroup.cs @@ -86,6 +86,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:KeyGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:KeyGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:KeyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:KeyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:KeyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:KeyGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/Origin.cs b/sdk/dotnet/Cdn/Origin.cs index f67b5cca7ab2..e9d363232ef6 100644 --- a/sdk/dotnet/Cdn/Origin.cs +++ b/sdk/dotnet/Cdn/Origin.cs @@ -152,21 +152,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20150601:Origin" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20160402:Origin" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20191231:Origin" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200331:Origin" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200415:Origin" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:Origin" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:Origin" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:Origin" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:Origin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:Origin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:Origin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:Origin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:Origin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:Origin" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20150601:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20160402:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20191231:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200331:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200415:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:Origin" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:Origin" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/OriginGroup.cs b/sdk/dotnet/Cdn/OriginGroup.cs index f5d810193990..bf6616939bce 100644 --- a/sdk/dotnet/Cdn/OriginGroup.cs +++ b/sdk/dotnet/Cdn/OriginGroup.cs @@ -104,19 +104,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20191231:OriginGroup" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200331:OriginGroup" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200415:OriginGroup" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:OriginGroup" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:OriginGroup" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:OriginGroup" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:OriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:OriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:OriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:OriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:OriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:OriginGroup" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20191231:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200331:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200415:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:OriginGroup" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:OriginGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/Policy.cs b/sdk/dotnet/Cdn/Policy.cs index 95965a6addcc..3aa2d1d6ce8a 100644 --- a/sdk/dotnet/Cdn/Policy.cs +++ b/sdk/dotnet/Cdn/Policy.cs @@ -137,20 +137,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20190615:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20190615preview:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200331:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200415:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:Policy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:Policy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:Policy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:Policy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:Policy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:Policy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20190615:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20190615preview:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200331:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200415:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:Policy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/Profile.cs b/sdk/dotnet/Cdn/Profile.cs index 7d7f3225cab9..c051447ecefc 100644 --- a/sdk/dotnet/Cdn/Profile.cs +++ b/sdk/dotnet/Cdn/Profile.cs @@ -134,27 +134,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20150601:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20160402:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20161002:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20170402:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20171012:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20190415:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20190615:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20190615preview:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20191231:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200331:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200415:Profile" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:Profile" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:Profile" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:Profile" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:Profile" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:Profile" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:Profile" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20150601:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20160402:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20161002:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20170402:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20171012:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20190415:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20190615:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20190615preview:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20191231:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200331:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200415:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:Profile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/Route.cs b/sdk/dotnet/Cdn/Route.cs index 664698eae878..f6eaf6053a47 100644 --- a/sdk/dotnet/Cdn/Route.cs +++ b/sdk/dotnet/Cdn/Route.cs @@ -150,15 +150,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:Route" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:Route" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:Route" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:Route" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:Route" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:Route" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:Route" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:Route" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:Route" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:Route" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:Route" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:Route" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:Route" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:Route" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:Route" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:Route" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:Route" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:Route" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:Route" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:Route" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/Rule.cs b/sdk/dotnet/Cdn/Rule.cs index 33bb6a9e4701..9abd770295d1 100644 --- a/sdk/dotnet/Cdn/Rule.cs +++ b/sdk/dotnet/Cdn/Rule.cs @@ -107,16 +107,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:Rule" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:Rule" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:Rule" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:Rule" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:Rule" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:Rule" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:Rule" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:Rule" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:Rule" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:Rule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/RuleSet.cs b/sdk/dotnet/Cdn/RuleSet.cs index 3b4ff448df5c..49ca4f137fe9 100644 --- a/sdk/dotnet/Cdn/RuleSet.cs +++ b/sdk/dotnet/Cdn/RuleSet.cs @@ -83,16 +83,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:RuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:RuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:RuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:RuleSet" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:RuleSet" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:RuleSet" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:RuleSet" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:RuleSet" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:RuleSet" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:RuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:RuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:RuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:RuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:RuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:RuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:RuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:RuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:RuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:RuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:RuleSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/Secret.cs b/sdk/dotnet/Cdn/Secret.cs index 6277a165d829..f290ee8f6ef2 100644 --- a/sdk/dotnet/Cdn/Secret.cs +++ b/sdk/dotnet/Cdn/Secret.cs @@ -89,16 +89,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:Secret" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:Secret" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:Secret" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:Secret" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:Secret" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:Secret" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:Secret" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/SecurityPolicy.cs b/sdk/dotnet/Cdn/SecurityPolicy.cs index 76947a326ea6..9e967d016e35 100644 --- a/sdk/dotnet/Cdn/SecurityPolicy.cs +++ b/sdk/dotnet/Cdn/SecurityPolicy.cs @@ -89,16 +89,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cdn/v20200901:SecurityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20210601:SecurityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20220501preview:SecurityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:cdn/v20221101preview:SecurityPolicy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230501:SecurityPolicy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20230701preview:SecurityPolicy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240201:SecurityPolicy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240501preview:SecurityPolicy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:SecurityPolicy" }, new global::Pulumi.Alias { Type = "azure-native:cdn/v20240901:SecurityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20200901:cdn:SecurityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20210601:cdn:SecurityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20220501preview:cdn:SecurityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20221101preview:cdn:SecurityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230501:cdn:SecurityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20230701preview:cdn:SecurityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240201:cdn:SecurityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240501preview:cdn:SecurityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:SecurityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240901:cdn:SecurityPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cdn/TunnelPolicy.cs b/sdk/dotnet/Cdn/TunnelPolicy.cs index 28201c8f336a..8e2e0bb7e159 100644 --- a/sdk/dotnet/Cdn/TunnelPolicy.cs +++ b/sdk/dotnet/Cdn/TunnelPolicy.cs @@ -94,6 +94,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:cdn/v20240601preview:TunnelPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cdn_v20240601preview:cdn:TunnelPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CertificateRegistration/AppServiceCertificateOrder.cs b/sdk/dotnet/CertificateRegistration/AppServiceCertificateOrder.cs index ed358b5c7f1c..00b7734520d6 100644 --- a/sdk/dotnet/CertificateRegistration/AppServiceCertificateOrder.cs +++ b/sdk/dotnet/CertificateRegistration/AppServiceCertificateOrder.cs @@ -200,22 +200,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20150801:AppServiceCertificateOrder" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20180201:AppServiceCertificateOrder" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20190801:AppServiceCertificateOrder" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20200601:AppServiceCertificateOrder" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20200901:AppServiceCertificateOrder" }, new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20201001:AppServiceCertificateOrder" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20201201:AppServiceCertificateOrder" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20210101:AppServiceCertificateOrder" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20210115:AppServiceCertificateOrder" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20210201:AppServiceCertificateOrder" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20210301:AppServiceCertificateOrder" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20220301:AppServiceCertificateOrder" }, new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20220901:AppServiceCertificateOrder" }, new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20230101:AppServiceCertificateOrder" }, new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20231201:AppServiceCertificateOrder" }, new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20240401:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20150801:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20180201:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20190801:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20200601:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20200901:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20201001:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20201201:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20210101:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20210115:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20210201:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20210301:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20220301:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20220901:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20230101:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20231201:certificateregistration:AppServiceCertificateOrder" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20240401:certificateregistration:AppServiceCertificateOrder" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CertificateRegistration/AppServiceCertificateOrderCertificate.cs b/sdk/dotnet/CertificateRegistration/AppServiceCertificateOrderCertificate.cs index 8872c3bf723d..f5c2207dc309 100644 --- a/sdk/dotnet/CertificateRegistration/AppServiceCertificateOrderCertificate.cs +++ b/sdk/dotnet/CertificateRegistration/AppServiceCertificateOrderCertificate.cs @@ -98,22 +98,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20150801:AppServiceCertificateOrderCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20180201:AppServiceCertificateOrderCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20190801:AppServiceCertificateOrderCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20200601:AppServiceCertificateOrderCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20200901:AppServiceCertificateOrderCertificate" }, new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20201001:AppServiceCertificateOrderCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20201201:AppServiceCertificateOrderCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20210101:AppServiceCertificateOrderCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20210115:AppServiceCertificateOrderCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20210201:AppServiceCertificateOrderCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20210301:AppServiceCertificateOrderCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20220301:AppServiceCertificateOrderCertificate" }, new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20220901:AppServiceCertificateOrderCertificate" }, new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20230101:AppServiceCertificateOrderCertificate" }, new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20231201:AppServiceCertificateOrderCertificate" }, new global::Pulumi.Alias { Type = "azure-native:certificateregistration/v20240401:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20150801:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20180201:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20190801:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20200601:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20200901:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20201001:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20201201:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20210101:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20210115:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20210201:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20210301:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20220301:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20220901:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20230101:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20231201:certificateregistration:AppServiceCertificateOrderCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_certificateregistration_v20240401:certificateregistration:AppServiceCertificateOrderCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ChangeAnalysis/ConfigurationProfile.cs b/sdk/dotnet/ChangeAnalysis/ConfigurationProfile.cs index f70e897d252f..070a55acdd6c 100644 --- a/sdk/dotnet/ChangeAnalysis/ConfigurationProfile.cs +++ b/sdk/dotnet/ChangeAnalysis/ConfigurationProfile.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:changeanalysis/v20200401preview:ConfigurationProfile" }, + new global::Pulumi.Alias { Type = "azure-native_changeanalysis_v20200401preview:changeanalysis:ConfigurationProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Chaos/Capability.cs b/sdk/dotnet/Chaos/Capability.cs index 8ca21827820d..13ea48fbd9df 100644 --- a/sdk/dotnet/Chaos/Capability.cs +++ b/sdk/dotnet/Chaos/Capability.cs @@ -74,10 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:chaos/v20210915preview:Capability" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20220701preview:Capability" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20221001preview:Capability" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20230401preview:Capability" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20230415preview:Capability" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20230901preview:Capability" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20231027preview:Capability" }, @@ -85,7 +81,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:chaos/v20240101:Capability" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20240322preview:Capability" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20241101preview:Capability" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20250101:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20210915preview:chaos:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20220701preview:chaos:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20221001preview:chaos:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20230401preview:chaos:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20230415preview:chaos:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20230901preview:chaos:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20231027preview:chaos:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20231101:chaos:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20240101:chaos:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20240322preview:chaos:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20241101preview:chaos:Capability" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20250101:chaos:Capability" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Chaos/Experiment.cs b/sdk/dotnet/Chaos/Experiment.cs index 178050b5b3c8..9102e9b29526 100644 --- a/sdk/dotnet/Chaos/Experiment.cs +++ b/sdk/dotnet/Chaos/Experiment.cs @@ -92,10 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:chaos/v20210915preview:Experiment" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20220701preview:Experiment" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20221001preview:Experiment" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20230401preview:Experiment" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20230415preview:Experiment" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20230901preview:Experiment" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20231027preview:Experiment" }, @@ -103,7 +99,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:chaos/v20240101:Experiment" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20240322preview:Experiment" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20241101preview:Experiment" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20250101:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20210915preview:chaos:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20220701preview:chaos:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20221001preview:chaos:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20230401preview:chaos:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20230415preview:chaos:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20230901preview:chaos:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20231027preview:chaos:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20231101:chaos:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20240101:chaos:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20240322preview:chaos:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20241101preview:chaos:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20250101:chaos:Experiment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Chaos/PrivateAccess.cs b/sdk/dotnet/Chaos/PrivateAccess.cs index d345474c016e..54bbd6789a68 100644 --- a/sdk/dotnet/Chaos/PrivateAccess.cs +++ b/sdk/dotnet/Chaos/PrivateAccess.cs @@ -101,6 +101,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:chaos/v20231027preview:PrivateAccess" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20240322preview:PrivateAccess" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20241101preview:PrivateAccess" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20231027preview:chaos:PrivateAccess" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20240322preview:chaos:PrivateAccess" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20241101preview:chaos:PrivateAccess" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Chaos/Target.cs b/sdk/dotnet/Chaos/Target.cs index 1f7913cc04a7..b7395f8dd7a9 100644 --- a/sdk/dotnet/Chaos/Target.cs +++ b/sdk/dotnet/Chaos/Target.cs @@ -80,10 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:chaos/v20210915preview:Target" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20220701preview:Target" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20221001preview:Target" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20230401preview:Target" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20230415preview:Target" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20230901preview:Target" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20231027preview:Target" }, @@ -91,7 +87,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:chaos/v20240101:Target" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20240322preview:Target" }, new global::Pulumi.Alias { Type = "azure-native:chaos/v20241101preview:Target" }, - new global::Pulumi.Alias { Type = "azure-native:chaos/v20250101:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20210915preview:chaos:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20220701preview:chaos:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20221001preview:chaos:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20230401preview:chaos:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20230415preview:chaos:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20230901preview:chaos:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20231027preview:chaos:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20231101:chaos:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20240101:chaos:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20240322preview:chaos:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20241101preview:chaos:Target" }, + new global::Pulumi.Alias { Type = "azure-native_chaos_v20250101:chaos:Target" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/CertificateObjectGlobalRulestack.cs b/sdk/dotnet/Cloudngfw/CertificateObjectGlobalRulestack.cs index 70feb24c99f3..f81c04eed74b 100644 --- a/sdk/dotnet/Cloudngfw/CertificateObjectGlobalRulestack.cs +++ b/sdk/dotnet/Cloudngfw/CertificateObjectGlobalRulestack.cs @@ -111,7 +111,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:CertificateObjectGlobalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:CertificateObjectGlobalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:CertificateObjectGlobalRulestack" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:CertificateObjectGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:CertificateObjectGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:CertificateObjectGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:CertificateObjectGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:CertificateObjectGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:CertificateObjectGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:CertificateObjectGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:CertificateObjectGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:CertificateObjectGlobalRulestack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/CertificateObjectLocalRulestack.cs b/sdk/dotnet/Cloudngfw/CertificateObjectLocalRulestack.cs index bfe6f15f37c8..ea6b3fc163da 100644 --- a/sdk/dotnet/Cloudngfw/CertificateObjectLocalRulestack.cs +++ b/sdk/dotnet/Cloudngfw/CertificateObjectLocalRulestack.cs @@ -111,7 +111,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:CertificateObjectLocalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:CertificateObjectLocalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:CertificateObjectLocalRulestack" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:CertificateObjectLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:CertificateObjectLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:CertificateObjectLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:CertificateObjectLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:CertificateObjectLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:CertificateObjectLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:CertificateObjectLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:CertificateObjectLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:CertificateObjectLocalRulestack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/Firewall.cs b/sdk/dotnet/Cloudngfw/Firewall.cs index 8575cff8bf83..b479e60e8e74 100644 --- a/sdk/dotnet/Cloudngfw/Firewall.cs +++ b/sdk/dotnet/Cloudngfw/Firewall.cs @@ -165,7 +165,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:Firewall" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:Firewall" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:Firewall" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:Firewall" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:Firewall" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:Firewall" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:Firewall" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:Firewall" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:Firewall" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:Firewall" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:Firewall" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:Firewall" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/FqdnListGlobalRulestack.cs b/sdk/dotnet/Cloudngfw/FqdnListGlobalRulestack.cs index b8e98d5bffc1..cbd36354d4dc 100644 --- a/sdk/dotnet/Cloudngfw/FqdnListGlobalRulestack.cs +++ b/sdk/dotnet/Cloudngfw/FqdnListGlobalRulestack.cs @@ -105,7 +105,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:FqdnListGlobalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:FqdnListGlobalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:FqdnListGlobalRulestack" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:FqdnListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:FqdnListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:FqdnListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:FqdnListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:FqdnListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:FqdnListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:FqdnListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:FqdnListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:FqdnListGlobalRulestack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/FqdnListLocalRulestack.cs b/sdk/dotnet/Cloudngfw/FqdnListLocalRulestack.cs index 7da164cf4ce5..fbf21bcb01c8 100644 --- a/sdk/dotnet/Cloudngfw/FqdnListLocalRulestack.cs +++ b/sdk/dotnet/Cloudngfw/FqdnListLocalRulestack.cs @@ -105,7 +105,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:FqdnListLocalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:FqdnListLocalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:FqdnListLocalRulestack" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:FqdnListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:FqdnListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:FqdnListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:FqdnListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:FqdnListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:FqdnListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:FqdnListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:FqdnListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:FqdnListLocalRulestack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/GlobalRulestack.cs b/sdk/dotnet/Cloudngfw/GlobalRulestack.cs index 77a0e95df52a..5cb9b6574e05 100644 --- a/sdk/dotnet/Cloudngfw/GlobalRulestack.cs +++ b/sdk/dotnet/Cloudngfw/GlobalRulestack.cs @@ -141,7 +141,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:GlobalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:GlobalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:GlobalRulestack" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:GlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:GlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:GlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:GlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:GlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:GlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:GlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:GlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:GlobalRulestack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/LocalRule.cs b/sdk/dotnet/Cloudngfw/LocalRule.cs index ada870a53890..2f2254971ea8 100644 --- a/sdk/dotnet/Cloudngfw/LocalRule.cs +++ b/sdk/dotnet/Cloudngfw/LocalRule.cs @@ -192,7 +192,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:LocalRule" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:LocalRule" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:LocalRule" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:LocalRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:LocalRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:LocalRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:LocalRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:LocalRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:LocalRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:LocalRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:LocalRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:LocalRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/LocalRulestack.cs b/sdk/dotnet/Cloudngfw/LocalRulestack.cs index fa7a9079f4ec..67851ce62284 100644 --- a/sdk/dotnet/Cloudngfw/LocalRulestack.cs +++ b/sdk/dotnet/Cloudngfw/LocalRulestack.cs @@ -147,7 +147,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:LocalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:LocalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:LocalRulestack" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:LocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:LocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:LocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:LocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:LocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:LocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:LocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:LocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:LocalRulestack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/PostRule.cs b/sdk/dotnet/Cloudngfw/PostRule.cs index d1f352917b42..f5b88696b6be 100644 --- a/sdk/dotnet/Cloudngfw/PostRule.cs +++ b/sdk/dotnet/Cloudngfw/PostRule.cs @@ -192,7 +192,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:PostRule" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:PostRule" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:PostRule" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:PostRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:PostRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:PostRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:PostRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:PostRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:PostRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:PostRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:PostRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:PostRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/PreRule.cs b/sdk/dotnet/Cloudngfw/PreRule.cs index d38b15d4e396..450db71d9e3e 100644 --- a/sdk/dotnet/Cloudngfw/PreRule.cs +++ b/sdk/dotnet/Cloudngfw/PreRule.cs @@ -192,7 +192,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:PreRule" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:PreRule" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:PreRule" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:PreRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:PreRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:PreRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:PreRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:PreRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:PreRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:PreRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:PreRule" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:PreRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/PrefixListGlobalRulestack.cs b/sdk/dotnet/Cloudngfw/PrefixListGlobalRulestack.cs index 466122b5ebfa..e293e80bb84a 100644 --- a/sdk/dotnet/Cloudngfw/PrefixListGlobalRulestack.cs +++ b/sdk/dotnet/Cloudngfw/PrefixListGlobalRulestack.cs @@ -105,7 +105,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:PrefixListGlobalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:PrefixListGlobalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:PrefixListGlobalRulestack" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:PrefixListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:PrefixListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:PrefixListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:PrefixListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:PrefixListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:PrefixListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:PrefixListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:PrefixListGlobalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:PrefixListGlobalRulestack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Cloudngfw/PrefixListLocalRulestack.cs b/sdk/dotnet/Cloudngfw/PrefixListLocalRulestack.cs index b51283df08f1..b6cb5910af4b 100644 --- a/sdk/dotnet/Cloudngfw/PrefixListLocalRulestack.cs +++ b/sdk/dotnet/Cloudngfw/PrefixListLocalRulestack.cs @@ -105,7 +105,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20231010preview:PrefixListLocalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240119preview:PrefixListLocalRulestack" }, new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20240207preview:PrefixListLocalRulestack" }, - new global::Pulumi.Alias { Type = "azure-native:cloudngfw/v20250206preview:PrefixListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829:cloudngfw:PrefixListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20220829preview:cloudngfw:PrefixListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901:cloudngfw:PrefixListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20230901preview:cloudngfw:PrefixListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20231010preview:cloudngfw:PrefixListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240119preview:cloudngfw:PrefixListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20240207preview:cloudngfw:PrefixListLocalRulestack" }, + new global::Pulumi.Alias { Type = "azure-native_cloudngfw_v20250206preview:cloudngfw:PrefixListLocalRulestack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CodeSigning/CertificateProfile.cs b/sdk/dotnet/CodeSigning/CertificateProfile.cs index 4b925d63ec28..cc46ad05b2b9 100644 --- a/sdk/dotnet/CodeSigning/CertificateProfile.cs +++ b/sdk/dotnet/CodeSigning/CertificateProfile.cs @@ -124,6 +124,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:codesigning/v20240205preview:CertificateProfile" }, new global::Pulumi.Alias { Type = "azure-native:codesigning/v20240930preview:CertificateProfile" }, + new global::Pulumi.Alias { Type = "azure-native_codesigning_v20240205preview:codesigning:CertificateProfile" }, + new global::Pulumi.Alias { Type = "azure-native_codesigning_v20240930preview:codesigning:CertificateProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CodeSigning/CodeSigningAccount.cs b/sdk/dotnet/CodeSigning/CodeSigningAccount.cs index 27f146b2a482..fd1abf19c930 100644 --- a/sdk/dotnet/CodeSigning/CodeSigningAccount.cs +++ b/sdk/dotnet/CodeSigning/CodeSigningAccount.cs @@ -100,6 +100,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:codesigning/v20240205preview:CodeSigningAccount" }, new global::Pulumi.Alias { Type = "azure-native:codesigning/v20240930preview:CodeSigningAccount" }, + new global::Pulumi.Alias { Type = "azure-native_codesigning_v20240205preview:codesigning:CodeSigningAccount" }, + new global::Pulumi.Alias { Type = "azure-native_codesigning_v20240930preview:codesigning:CodeSigningAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CognitiveServices/Account.cs b/sdk/dotnet/CognitiveServices/Account.cs index 80adf7bda681..2f4e2f655cfb 100644 --- a/sdk/dotnet/CognitiveServices/Account.cs +++ b/sdk/dotnet/CognitiveServices/Account.cs @@ -110,19 +110,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20160201preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20170418:Account" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20210430:Account" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20211001:Account" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20220301:Account" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20221001:Account" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20221201:Account" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20230501:Account" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20231001preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240401preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240601preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20241001:Account" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20250401preview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20160201preview:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20170418:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20210430:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20211001:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20220301:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20221001:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20221201:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20230501:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20231001preview:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240401preview:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240601preview:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20241001:cognitiveservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20250401preview:cognitiveservices:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CognitiveServices/CommitmentPlan.cs b/sdk/dotnet/CognitiveServices/CommitmentPlan.cs index 2e1796a288b9..23972e0a2cae 100644 --- a/sdk/dotnet/CognitiveServices/CommitmentPlan.cs +++ b/sdk/dotnet/CognitiveServices/CommitmentPlan.cs @@ -104,16 +104,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20211001:CommitmentPlan" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20220301:CommitmentPlan" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20221001:CommitmentPlan" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20221201:CommitmentPlan" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20230501:CommitmentPlan" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20231001preview:CommitmentPlan" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240401preview:CommitmentPlan" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240601preview:CommitmentPlan" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20241001:CommitmentPlan" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20250401preview:CommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20211001:cognitiveservices:CommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20220301:cognitiveservices:CommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20221001:cognitiveservices:CommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20221201:cognitiveservices:CommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20230501:cognitiveservices:CommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20231001preview:cognitiveservices:CommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240401preview:cognitiveservices:CommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240601preview:cognitiveservices:CommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20241001:cognitiveservices:CommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20250401preview:cognitiveservices:CommitmentPlan" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CognitiveServices/CommitmentPlanAssociation.cs b/sdk/dotnet/CognitiveServices/CommitmentPlanAssociation.cs index dd0097400e89..eab5569342fc 100644 --- a/sdk/dotnet/CognitiveServices/CommitmentPlanAssociation.cs +++ b/sdk/dotnet/CognitiveServices/CommitmentPlanAssociation.cs @@ -86,13 +86,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20221201:CommitmentPlanAssociation" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20230501:CommitmentPlanAssociation" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20231001preview:CommitmentPlanAssociation" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240401preview:CommitmentPlanAssociation" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240601preview:CommitmentPlanAssociation" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20241001:CommitmentPlanAssociation" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20250401preview:CommitmentPlanAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20221201:cognitiveservices:CommitmentPlanAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20230501:cognitiveservices:CommitmentPlanAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20231001preview:cognitiveservices:CommitmentPlanAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240401preview:cognitiveservices:CommitmentPlanAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240601preview:cognitiveservices:CommitmentPlanAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20241001:cognitiveservices:CommitmentPlanAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20250401preview:cognitiveservices:CommitmentPlanAssociation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CognitiveServices/Deployment.cs b/sdk/dotnet/CognitiveServices/Deployment.cs index 0e27e6723c8e..7c5d345ce82d 100644 --- a/sdk/dotnet/CognitiveServices/Deployment.cs +++ b/sdk/dotnet/CognitiveServices/Deployment.cs @@ -92,16 +92,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20211001:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20220301:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20221001:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20221201:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20230501:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20231001preview:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240401preview:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240601preview:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20241001:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20250401preview:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20211001:cognitiveservices:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20220301:cognitiveservices:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20221001:cognitiveservices:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20221201:cognitiveservices:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20230501:cognitiveservices:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20231001preview:cognitiveservices:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240401preview:cognitiveservices:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240601preview:cognitiveservices:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20241001:cognitiveservices:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20250401preview:cognitiveservices:Deployment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CognitiveServices/EncryptionScope.cs b/sdk/dotnet/CognitiveServices/EncryptionScope.cs index aea48453c52f..afd45c8d505b 100644 --- a/sdk/dotnet/CognitiveServices/EncryptionScope.cs +++ b/sdk/dotnet/CognitiveServices/EncryptionScope.cs @@ -90,7 +90,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240401preview:EncryptionScope" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240601preview:EncryptionScope" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20241001:EncryptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20250401preview:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20231001preview:cognitiveservices:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240401preview:cognitiveservices:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240601preview:cognitiveservices:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20241001:cognitiveservices:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20250401preview:cognitiveservices:EncryptionScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CognitiveServices/PrivateEndpointConnection.cs b/sdk/dotnet/CognitiveServices/PrivateEndpointConnection.cs index c05921ff30f7..34f4a433d000 100644 --- a/sdk/dotnet/CognitiveServices/PrivateEndpointConnection.cs +++ b/sdk/dotnet/CognitiveServices/PrivateEndpointConnection.cs @@ -86,18 +86,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20170418:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20210430:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20211001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20220301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20221001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20221201:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20230501:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20231001preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240401preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240601preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20241001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20250401preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20170418:cognitiveservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20210430:cognitiveservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20211001:cognitiveservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20220301:cognitiveservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20221001:cognitiveservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20221201:cognitiveservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20230501:cognitiveservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20231001preview:cognitiveservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240401preview:cognitiveservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240601preview:cognitiveservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20241001:cognitiveservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20250401preview:cognitiveservices:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CognitiveServices/RaiBlocklist.cs b/sdk/dotnet/CognitiveServices/RaiBlocklist.cs index 633d0627a6ba..12e9518f713a 100644 --- a/sdk/dotnet/CognitiveServices/RaiBlocklist.cs +++ b/sdk/dotnet/CognitiveServices/RaiBlocklist.cs @@ -90,7 +90,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240401preview:RaiBlocklist" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240601preview:RaiBlocklist" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20241001:RaiBlocklist" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20250401preview:RaiBlocklist" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiBlocklist" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiBlocklist" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiBlocklist" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20241001:cognitiveservices:RaiBlocklist" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiBlocklist" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CognitiveServices/RaiBlocklistItem.cs b/sdk/dotnet/CognitiveServices/RaiBlocklistItem.cs index fde1a3c03780..1df8e2aeb9d6 100644 --- a/sdk/dotnet/CognitiveServices/RaiBlocklistItem.cs +++ b/sdk/dotnet/CognitiveServices/RaiBlocklistItem.cs @@ -90,7 +90,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240401preview:RaiBlocklistItem" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240601preview:RaiBlocklistItem" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20241001:RaiBlocklistItem" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20250401preview:RaiBlocklistItem" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiBlocklistItem" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiBlocklistItem" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiBlocklistItem" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20241001:cognitiveservices:RaiBlocklistItem" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiBlocklistItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CognitiveServices/RaiPolicy.cs b/sdk/dotnet/CognitiveServices/RaiPolicy.cs index 190e75ca2324..34543f0d63b8 100644 --- a/sdk/dotnet/CognitiveServices/RaiPolicy.cs +++ b/sdk/dotnet/CognitiveServices/RaiPolicy.cs @@ -90,7 +90,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240401preview:RaiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240601preview:RaiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20241001:RaiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20250401preview:RaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20241001:cognitiveservices:RaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CognitiveServices/SharedCommitmentPlan.cs b/sdk/dotnet/CognitiveServices/SharedCommitmentPlan.cs index a94da44aaf9f..b570aa3b53f9 100644 --- a/sdk/dotnet/CognitiveServices/SharedCommitmentPlan.cs +++ b/sdk/dotnet/CognitiveServices/SharedCommitmentPlan.cs @@ -104,13 +104,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20221201:SharedCommitmentPlan" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20230501:SharedCommitmentPlan" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20231001preview:SharedCommitmentPlan" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240401preview:SharedCommitmentPlan" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20240601preview:SharedCommitmentPlan" }, new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20241001:SharedCommitmentPlan" }, - new global::Pulumi.Alias { Type = "azure-native:cognitiveservices/v20250401preview:SharedCommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20221201:cognitiveservices:SharedCommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20230501:cognitiveservices:SharedCommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20231001preview:cognitiveservices:SharedCommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240401preview:cognitiveservices:SharedCommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20240601preview:cognitiveservices:SharedCommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20241001:cognitiveservices:SharedCommitmentPlan" }, + new global::Pulumi.Alias { Type = "azure-native_cognitiveservices_v20250401preview:cognitiveservices:SharedCommitmentPlan" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Communication/CommunicationService.cs b/sdk/dotnet/Communication/CommunicationService.cs index 7853b7dd6907..406407202c9d 100644 --- a/sdk/dotnet/Communication/CommunicationService.cs +++ b/sdk/dotnet/Communication/CommunicationService.cs @@ -128,16 +128,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:communication/v20200820:CommunicationService" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20200820preview:CommunicationService" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20211001preview:CommunicationService" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20220701preview:CommunicationService" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20230301preview:CommunicationService" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230331:CommunicationService" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230401:CommunicationService" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230401preview:CommunicationService" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230601preview:CommunicationService" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20240901preview:CommunicationService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20200820:communication:CommunicationService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20200820preview:communication:CommunicationService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20211001preview:communication:CommunicationService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20220701preview:communication:CommunicationService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230301preview:communication:CommunicationService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230331:communication:CommunicationService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230401:communication:CommunicationService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230401preview:communication:CommunicationService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230601preview:communication:CommunicationService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20240901preview:communication:CommunicationService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Communication/Domain.cs b/sdk/dotnet/Communication/Domain.cs index e3ae2bb3f41a..29ad0bfb1207 100644 --- a/sdk/dotnet/Communication/Domain.cs +++ b/sdk/dotnet/Communication/Domain.cs @@ -130,14 +130,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:communication/v20211001preview:Domain" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20220701preview:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20230301preview:Domain" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230331:Domain" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230401:Domain" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230401preview:Domain" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230601preview:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20240901preview:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20211001preview:communication:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20220701preview:communication:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230301preview:communication:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230331:communication:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230401:communication:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230401preview:communication:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230601preview:communication:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20240901preview:communication:Domain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Communication/EmailService.cs b/sdk/dotnet/Communication/EmailService.cs index 2bd426f569c6..9bab493e8c2a 100644 --- a/sdk/dotnet/Communication/EmailService.cs +++ b/sdk/dotnet/Communication/EmailService.cs @@ -92,14 +92,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:communication/v20211001preview:EmailService" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20220701preview:EmailService" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20230301preview:EmailService" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230331:EmailService" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230401:EmailService" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230401preview:EmailService" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230601preview:EmailService" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20240901preview:EmailService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20211001preview:communication:EmailService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20220701preview:communication:EmailService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230301preview:communication:EmailService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230331:communication:EmailService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230401:communication:EmailService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230401preview:communication:EmailService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230601preview:communication:EmailService" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20240901preview:communication:EmailService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Communication/SenderUsername.cs b/sdk/dotnet/Communication/SenderUsername.cs index 879a6a4e218e..9e005163bf85 100644 --- a/sdk/dotnet/Communication/SenderUsername.cs +++ b/sdk/dotnet/Communication/SenderUsername.cs @@ -92,12 +92,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:communication/v20230301preview:SenderUsername" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230331:SenderUsername" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230401:SenderUsername" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230401preview:SenderUsername" }, new global::Pulumi.Alias { Type = "azure-native:communication/v20230601preview:SenderUsername" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20240901preview:SenderUsername" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230301preview:communication:SenderUsername" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230331:communication:SenderUsername" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230401:communication:SenderUsername" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230401preview:communication:SenderUsername" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230601preview:communication:SenderUsername" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20240901preview:communication:SenderUsername" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Communication/SuppressionList.cs b/sdk/dotnet/Communication/SuppressionList.cs index 1ab056c8bd2e..d5617027c2ed 100644 --- a/sdk/dotnet/Communication/SuppressionList.cs +++ b/sdk/dotnet/Communication/SuppressionList.cs @@ -93,7 +93,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:communication/v20230601preview:SuppressionList" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20240901preview:SuppressionList" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230601preview:communication:SuppressionList" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20240901preview:communication:SuppressionList" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Communication/SuppressionListAddress.cs b/sdk/dotnet/Communication/SuppressionListAddress.cs index 58fc7c5f32b7..31fbe58fbc5d 100644 --- a/sdk/dotnet/Communication/SuppressionListAddress.cs +++ b/sdk/dotnet/Communication/SuppressionListAddress.cs @@ -105,7 +105,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:communication/v20230601preview:SuppressionListAddress" }, - new global::Pulumi.Alias { Type = "azure-native:communication/v20240901preview:SuppressionListAddress" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20230601preview:communication:SuppressionListAddress" }, + new global::Pulumi.Alias { Type = "azure-native_communication_v20240901preview:communication:SuppressionListAddress" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Community/CommunityTraining.cs b/sdk/dotnet/Community/CommunityTraining.cs index 0953adde7e1e..76cf6ce0932b 100644 --- a/sdk/dotnet/Community/CommunityTraining.cs +++ b/sdk/dotnet/Community/CommunityTraining.cs @@ -133,6 +133,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:community/v20231101:CommunityTraining" }, + new global::Pulumi.Alias { Type = "azure-native_community_v20231101:community:CommunityTraining" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/AvailabilitySet.cs b/sdk/dotnet/Compute/AvailabilitySet.cs index 1a3ecd22d237..64f7b5876e92 100644 --- a/sdk/dotnet/Compute/AvailabilitySet.cs +++ b/sdk/dotnet/Compute/AvailabilitySet.cs @@ -122,32 +122,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20150615:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20160330:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20160430preview:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20170330:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20171201:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180401:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20181001:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:AvailabilitySet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:AvailabilitySet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:AvailabilitySet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:AvailabilitySet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:AvailabilitySet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:AvailabilitySet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20150615:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20160330:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20160430preview:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20170330:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20171201:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180401:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20181001:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:AvailabilitySet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/CapacityReservation.cs b/sdk/dotnet/Compute/CapacityReservation.cs index f77bab99fc1b..47140aa7f307 100644 --- a/sdk/dotnet/Compute/CapacityReservation.cs +++ b/sdk/dotnet/Compute/CapacityReservation.cs @@ -128,18 +128,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:CapacityReservation" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:CapacityReservation" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:CapacityReservation" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:CapacityReservation" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:CapacityReservation" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:CapacityReservation" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:CapacityReservation" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:CapacityReservation" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:CapacityReservation" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:CapacityReservation" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:CapacityReservation" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:CapacityReservation" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:CapacityReservation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/CapacityReservationGroup.cs b/sdk/dotnet/Compute/CapacityReservationGroup.cs index 0a77301a747e..c477e704eb1f 100644 --- a/sdk/dotnet/Compute/CapacityReservationGroup.cs +++ b/sdk/dotnet/Compute/CapacityReservationGroup.cs @@ -104,18 +104,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:CapacityReservationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:CapacityReservationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:CapacityReservationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:CapacityReservationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:CapacityReservationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:CapacityReservationGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:CapacityReservationGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:CapacityReservationGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:CapacityReservationGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:CapacityReservationGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:CapacityReservationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:CapacityReservationGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/CloudService.cs b/sdk/dotnet/Compute/CloudService.cs index 83dad80dcd86..de5057477c30 100644 --- a/sdk/dotnet/Compute/CloudService.cs +++ b/sdk/dotnet/Compute/CloudService.cs @@ -92,11 +92,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20201001preview:CloudService" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:CloudService" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220404:CloudService" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220904:CloudService" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20241104:CloudService" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201001preview:compute:CloudService" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:CloudService" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220404:compute:CloudService" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220904:compute:CloudService" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241104:compute:CloudService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/DedicatedHost.cs b/sdk/dotnet/Compute/DedicatedHost.cs index 9d8a4fdaac8a..399f8b23685b 100644 --- a/sdk/dotnet/Compute/DedicatedHost.cs +++ b/sdk/dotnet/Compute/DedicatedHost.cs @@ -134,24 +134,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:DedicatedHost" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:DedicatedHost" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:DedicatedHost" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:DedicatedHost" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:DedicatedHost" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:DedicatedHost" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:DedicatedHost" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:DedicatedHost" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/DedicatedHostGroup.cs b/sdk/dotnet/Compute/DedicatedHostGroup.cs index 1d0dce79c841..a1970ddd5bee 100644 --- a/sdk/dotnet/Compute/DedicatedHostGroup.cs +++ b/sdk/dotnet/Compute/DedicatedHostGroup.cs @@ -110,24 +110,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:DedicatedHostGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:DedicatedHostGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:DedicatedHostGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:DedicatedHostGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:DedicatedHostGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:DedicatedHostGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:DedicatedHostGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:DedicatedHostGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/Disk.cs b/sdk/dotnet/Compute/Disk.cs index 17fc30c5bdf1..e0da6f8c5eda 100644 --- a/sdk/dotnet/Compute/Disk.cs +++ b/sdk/dotnet/Compute/Disk.cs @@ -296,27 +296,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20160430preview:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20170330:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180401:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180930:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191101:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200501:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200630:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200930:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210801:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211201:Disk" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220302:Disk" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220702:Disk" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230102:Disk" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230402:Disk" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20231002:Disk" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240302:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20160430preview:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20170330:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180401:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180930:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191101:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200501:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200630:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200930:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210801:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211201:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220302:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220702:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230102:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230402:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20231002:compute:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240302:compute:Disk" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/DiskAccess.cs b/sdk/dotnet/Compute/DiskAccess.cs index 479f88866110..7b898e2d06be 100644 --- a/sdk/dotnet/Compute/DiskAccess.cs +++ b/sdk/dotnet/Compute/DiskAccess.cs @@ -98,19 +98,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20200501:DiskAccess" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200630:DiskAccess" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200930:DiskAccess" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:DiskAccess" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:DiskAccess" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210801:DiskAccess" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211201:DiskAccess" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220302:DiskAccess" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220702:DiskAccess" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230102:DiskAccess" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230402:DiskAccess" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20231002:DiskAccess" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240302:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200501:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200630:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200930:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210801:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211201:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220302:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220702:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230102:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230402:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20231002:compute:DiskAccess" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240302:compute:DiskAccess" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/DiskAccessAPrivateEndpointConnection.cs b/sdk/dotnet/Compute/DiskAccessAPrivateEndpointConnection.cs index b74022d7dd78..ef241597b049 100644 --- a/sdk/dotnet/Compute/DiskAccessAPrivateEndpointConnection.cs +++ b/sdk/dotnet/Compute/DiskAccessAPrivateEndpointConnection.cs @@ -80,17 +80,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20200930:DiskAccessAPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:DiskAccessAPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:DiskAccessAPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210801:DiskAccessAPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211201:DiskAccessAPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220302:DiskAccessAPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220702:DiskAccessAPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230102:DiskAccessAPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230402:DiskAccessAPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20231002:DiskAccessAPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240302:DiskAccessAPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200930:compute:DiskAccessAPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:DiskAccessAPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:DiskAccessAPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210801:compute:DiskAccessAPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211201:compute:DiskAccessAPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220302:compute:DiskAccessAPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220702:compute:DiskAccessAPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230102:compute:DiskAccessAPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230402:compute:DiskAccessAPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20231002:compute:DiskAccessAPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240302:compute:DiskAccessAPrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/DiskEncryptionSet.cs b/sdk/dotnet/Compute/DiskEncryptionSet.cs index 5bb6a5970d72..fc1db1248b48 100644 --- a/sdk/dotnet/Compute/DiskEncryptionSet.cs +++ b/sdk/dotnet/Compute/DiskEncryptionSet.cs @@ -128,21 +128,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:DiskEncryptionSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191101:DiskEncryptionSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200501:DiskEncryptionSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200630:DiskEncryptionSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200930:DiskEncryptionSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:DiskEncryptionSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:DiskEncryptionSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210801:DiskEncryptionSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211201:DiskEncryptionSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220302:DiskEncryptionSet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220702:DiskEncryptionSet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230102:DiskEncryptionSet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230402:DiskEncryptionSet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20231002:DiskEncryptionSet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240302:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191101:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200501:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200630:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200930:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210801:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211201:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220302:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220702:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230102:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230402:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20231002:compute:DiskEncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240302:compute:DiskEncryptionSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/Gallery.cs b/sdk/dotnet/Compute/Gallery.cs index 97558c40dcc5..d1de5687c198 100644 --- a/sdk/dotnet/Compute/Gallery.cs +++ b/sdk/dotnet/Compute/Gallery.cs @@ -116,18 +116,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200930:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211001:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220103:Gallery" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220303:Gallery" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220803:Gallery" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230703:Gallery" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240303:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200930:compute:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211001:compute:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220103:compute:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220303:compute:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220803:compute:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230703:compute:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240303:compute:Gallery" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/GalleryApplication.cs b/sdk/dotnet/Compute/GalleryApplication.cs index faf1e240e31f..6c46b7b2fa3f 100644 --- a/sdk/dotnet/Compute/GalleryApplication.cs +++ b/sdk/dotnet/Compute/GalleryApplication.cs @@ -116,17 +116,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:GalleryApplication" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:GalleryApplication" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:GalleryApplication" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200930:GalleryApplication" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:GalleryApplication" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211001:GalleryApplication" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220103:GalleryApplication" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220303:GalleryApplication" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220803:GalleryApplication" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230703:GalleryApplication" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240303:GalleryApplication" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:GalleryApplication" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:GalleryApplication" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:GalleryApplication" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200930:compute:GalleryApplication" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:GalleryApplication" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211001:compute:GalleryApplication" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220103:compute:GalleryApplication" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220303:compute:GalleryApplication" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220803:compute:GalleryApplication" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230703:compute:GalleryApplication" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240303:compute:GalleryApplication" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/GalleryApplicationVersion.cs b/sdk/dotnet/Compute/GalleryApplicationVersion.cs index 8914e95281fb..497dc517464a 100644 --- a/sdk/dotnet/Compute/GalleryApplicationVersion.cs +++ b/sdk/dotnet/Compute/GalleryApplicationVersion.cs @@ -98,17 +98,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:GalleryApplicationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:GalleryApplicationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:GalleryApplicationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200930:GalleryApplicationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:GalleryApplicationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211001:GalleryApplicationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220103:GalleryApplicationVersion" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220303:GalleryApplicationVersion" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220803:GalleryApplicationVersion" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230703:GalleryApplicationVersion" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240303:GalleryApplicationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:GalleryApplicationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:GalleryApplicationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:GalleryApplicationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200930:compute:GalleryApplicationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:GalleryApplicationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211001:compute:GalleryApplicationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220103:compute:GalleryApplicationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220303:compute:GalleryApplicationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220803:compute:GalleryApplicationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230703:compute:GalleryApplicationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240303:compute:GalleryApplicationVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/GalleryImage.cs b/sdk/dotnet/Compute/GalleryImage.cs index dc25fac52a2c..06e0a6e922ef 100644 --- a/sdk/dotnet/Compute/GalleryImage.cs +++ b/sdk/dotnet/Compute/GalleryImage.cs @@ -170,18 +170,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:GalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:GalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:GalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:GalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200930:GalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:GalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211001:GalleryImage" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220103:GalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220303:GalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220803:GalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230703:GalleryImage" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240303:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200930:compute:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211001:compute:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220103:compute:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220303:compute:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220803:compute:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230703:compute:GalleryImage" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240303:compute:GalleryImage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/GalleryImageVersion.cs b/sdk/dotnet/Compute/GalleryImageVersion.cs index eeb43fe6e50c..dd93c02e1515 100644 --- a/sdk/dotnet/Compute/GalleryImageVersion.cs +++ b/sdk/dotnet/Compute/GalleryImageVersion.cs @@ -122,18 +122,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:GalleryImageVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:GalleryImageVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:GalleryImageVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:GalleryImageVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200930:GalleryImageVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:GalleryImageVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211001:GalleryImageVersion" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220103:GalleryImageVersion" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220303:GalleryImageVersion" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220803:GalleryImageVersion" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230703:GalleryImageVersion" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240303:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200930:compute:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211001:compute:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220103:compute:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220303:compute:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220803:compute:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230703:compute:GalleryImageVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240303:compute:GalleryImageVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/GalleryInVMAccessControlProfile.cs b/sdk/dotnet/Compute/GalleryInVMAccessControlProfile.cs index 5b4ddfc34925..794567a98121 100644 --- a/sdk/dotnet/Compute/GalleryInVMAccessControlProfile.cs +++ b/sdk/dotnet/Compute/GalleryInVMAccessControlProfile.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:compute/v20240303:GalleryInVMAccessControlProfile" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240303:compute:GalleryInVMAccessControlProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/GalleryInVMAccessControlProfileVersion.cs b/sdk/dotnet/Compute/GalleryInVMAccessControlProfileVersion.cs index edefada90f47..07235dea1be3 100644 --- a/sdk/dotnet/Compute/GalleryInVMAccessControlProfileVersion.cs +++ b/sdk/dotnet/Compute/GalleryInVMAccessControlProfileVersion.cs @@ -121,6 +121,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:compute/v20240303:GalleryInVMAccessControlProfileVersion" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240303:compute:GalleryInVMAccessControlProfileVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/Image.cs b/sdk/dotnet/Compute/Image.cs index 5e3741b84140..88844be85cd3 100644 --- a/sdk/dotnet/Compute/Image.cs +++ b/sdk/dotnet/Compute/Image.cs @@ -104,30 +104,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20160430preview:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20170330:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20171201:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180401:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20181001:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:Image" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:Image" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:Image" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:Image" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:Image" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:Image" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20160430preview:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20170330:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20171201:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180401:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20181001:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:Image" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:Image" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/ProximityPlacementGroup.cs b/sdk/dotnet/Compute/ProximityPlacementGroup.cs index 9ac9e073fbbd..f866456a1bb8 100644 --- a/sdk/dotnet/Compute/ProximityPlacementGroup.cs +++ b/sdk/dotnet/Compute/ProximityPlacementGroup.cs @@ -116,27 +116,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20180401:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20181001:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:ProximityPlacementGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:ProximityPlacementGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:ProximityPlacementGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:ProximityPlacementGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:ProximityPlacementGroup" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:ProximityPlacementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180401:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20181001:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:ProximityPlacementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:ProximityPlacementGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/RestorePoint.cs b/sdk/dotnet/Compute/RestorePoint.cs index dd8cd2816e61..f73e94db75ca 100644 --- a/sdk/dotnet/Compute/RestorePoint.cs +++ b/sdk/dotnet/Compute/RestorePoint.cs @@ -104,19 +104,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:RestorePoint" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:RestorePoint" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:RestorePoint" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:RestorePoint" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:RestorePoint" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:RestorePoint" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:RestorePoint" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:RestorePoint" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:RestorePoint" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:RestorePoint" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:RestorePoint" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:RestorePoint" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:RestorePoint" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:RestorePoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/RestorePointCollection.cs b/sdk/dotnet/Compute/RestorePointCollection.cs index e496d53c2bb3..a22d6dce1cf6 100644 --- a/sdk/dotnet/Compute/RestorePointCollection.cs +++ b/sdk/dotnet/Compute/RestorePointCollection.cs @@ -98,19 +98,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:RestorePointCollection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:RestorePointCollection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:RestorePointCollection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:RestorePointCollection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:RestorePointCollection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:RestorePointCollection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:RestorePointCollection" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:RestorePointCollection" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:RestorePointCollection" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:RestorePointCollection" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:RestorePointCollection" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:RestorePointCollection" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:RestorePointCollection" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:RestorePointCollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/Snapshot.cs b/sdk/dotnet/Compute/Snapshot.cs index 28bddfea0870..a55cf79207b1 100644 --- a/sdk/dotnet/Compute/Snapshot.cs +++ b/sdk/dotnet/Compute/Snapshot.cs @@ -230,27 +230,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20160430preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20170330:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180401:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180930:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191101:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200501:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200630:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200930:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210801:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211201:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220302:Snapshot" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20220702:Snapshot" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230102:Snapshot" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230402:Snapshot" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20231002:Snapshot" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240302:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20160430preview:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20170330:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180401:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180930:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191101:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200501:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200630:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200930:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210801:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211201:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220302:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220702:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230102:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230402:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20231002:compute:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240302:compute:Snapshot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/SshPublicKey.cs b/sdk/dotnet/Compute/SshPublicKey.cs index 3eb0bbffba13..dbf5ae684a5c 100644 --- a/sdk/dotnet/Compute/SshPublicKey.cs +++ b/sdk/dotnet/Compute/SshPublicKey.cs @@ -80,22 +80,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:SshPublicKey" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:SshPublicKey" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:SshPublicKey" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:SshPublicKey" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:SshPublicKey" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:SshPublicKey" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:SshPublicKey" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:SshPublicKey" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:SshPublicKey" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:SshPublicKey" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:SshPublicKey" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:SshPublicKey" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:SshPublicKey" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:SshPublicKey" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:SshPublicKey" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:SshPublicKey" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:SshPublicKey" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/VirtualMachine.cs b/sdk/dotnet/Compute/VirtualMachine.cs index 7949976ab877..7a024364b46c 100644 --- a/sdk/dotnet/Compute/VirtualMachine.cs +++ b/sdk/dotnet/Compute/VirtualMachine.cs @@ -284,32 +284,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20150615:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20160330:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20160430preview:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20170330:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20171201:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180401:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20181001:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20150615:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20160330:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20160430preview:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20170330:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20171201:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180401:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20181001:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:VirtualMachine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/VirtualMachineExtension.cs b/sdk/dotnet/Compute/VirtualMachineExtension.cs index db7a8ccc4d48..f5ebfe0a75c5 100644 --- a/sdk/dotnet/Compute/VirtualMachineExtension.cs +++ b/sdk/dotnet/Compute/VirtualMachineExtension.cs @@ -146,32 +146,38 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20150615:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20160330:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20160430preview:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20170330:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20171201:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180401:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20181001:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:VirtualMachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:VirtualMachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:VirtualMachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:VirtualMachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:VirtualMachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:VirtualMachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:VirtualMachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20150615:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20160330:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20160430preview:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20170330:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20171201:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180401:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20181001:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:VirtualMachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:VirtualMachineExtension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/VirtualMachineRunCommandByVirtualMachine.cs b/sdk/dotnet/Compute/VirtualMachineRunCommandByVirtualMachine.cs index 4df867bb19c0..c409fbb50636 100644 --- a/sdk/dotnet/Compute/VirtualMachineRunCommandByVirtualMachine.cs +++ b/sdk/dotnet/Compute/VirtualMachineRunCommandByVirtualMachine.cs @@ -158,21 +158,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:VirtualMachineRunCommandByVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:VirtualMachineRunCommandByVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:VirtualMachineRunCommandByVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:VirtualMachineRunCommandByVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:VirtualMachineRunCommandByVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:VirtualMachineRunCommandByVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:VirtualMachineRunCommandByVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:VirtualMachineRunCommandByVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:VirtualMachineRunCommandByVirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:VirtualMachineRunCommandByVirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:VirtualMachineRunCommandByVirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:VirtualMachineRunCommandByVirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:VirtualMachineRunCommandByVirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:VirtualMachineRunCommandByVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:VirtualMachineRunCommandByVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:VirtualMachineRunCommandByVirtualMachine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/VirtualMachineScaleSet.cs b/sdk/dotnet/Compute/VirtualMachineScaleSet.cs index 1c2e80f6b5d0..04c6e1e25267 100644 --- a/sdk/dotnet/Compute/VirtualMachineScaleSet.cs +++ b/sdk/dotnet/Compute/VirtualMachineScaleSet.cs @@ -248,32 +248,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20150615:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20160330:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20160430preview:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20170330:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20171201:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180401:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20181001:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:VirtualMachineScaleSet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:VirtualMachineScaleSet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:VirtualMachineScaleSet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:VirtualMachineScaleSet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:VirtualMachineScaleSet" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:VirtualMachineScaleSet" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20150615:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20160330:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20160430preview:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20170330:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20171201:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180401:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20181001:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:VirtualMachineScaleSet" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:VirtualMachineScaleSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/VirtualMachineScaleSetExtension.cs b/sdk/dotnet/Compute/VirtualMachineScaleSetExtension.cs index af5d35ebce49..a94535f67921 100644 --- a/sdk/dotnet/Compute/VirtualMachineScaleSetExtension.cs +++ b/sdk/dotnet/Compute/VirtualMachineScaleSetExtension.cs @@ -128,29 +128,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20170330:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20171201:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180401:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20181001:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:VirtualMachineScaleSetExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:VirtualMachineScaleSetExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:VirtualMachineScaleSetExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:VirtualMachineScaleSetExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:VirtualMachineScaleSetExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:VirtualMachineScaleSetExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:VirtualMachineScaleSetExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20170330:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20171201:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180401:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20181001:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:VirtualMachineScaleSetExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:VirtualMachineScaleSetExtension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/VirtualMachineScaleSetVM.cs b/sdk/dotnet/Compute/VirtualMachineScaleSetVM.cs index 226ba2603b55..c52962f2af7f 100644 --- a/sdk/dotnet/Compute/VirtualMachineScaleSetVM.cs +++ b/sdk/dotnet/Compute/VirtualMachineScaleSetVM.cs @@ -230,28 +230,33 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20171201:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180401:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20180601:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20181001:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190301:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:VirtualMachineScaleSetVM" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:VirtualMachineScaleSetVM" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:VirtualMachineScaleSetVM" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:VirtualMachineScaleSetVM" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:VirtualMachineScaleSetVM" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:VirtualMachineScaleSetVM" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20171201:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180401:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20180601:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20181001:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190301:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:VirtualMachineScaleSetVM" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:VirtualMachineScaleSetVM" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/VirtualMachineScaleSetVMExtension.cs b/sdk/dotnet/Compute/VirtualMachineScaleSetVMExtension.cs index e94383e4efdc..0a66918e4c24 100644 --- a/sdk/dotnet/Compute/VirtualMachineScaleSetVMExtension.cs +++ b/sdk/dotnet/Compute/VirtualMachineScaleSetVMExtension.cs @@ -140,23 +140,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20190701:VirtualMachineScaleSetVMExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20191201:VirtualMachineScaleSetVMExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:VirtualMachineScaleSetVMExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:VirtualMachineScaleSetVMExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:VirtualMachineScaleSetVMExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:VirtualMachineScaleSetVMExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:VirtualMachineScaleSetVMExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:VirtualMachineScaleSetVMExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:VirtualMachineScaleSetVMExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:VirtualMachineScaleSetVMExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:VirtualMachineScaleSetVMExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:VirtualMachineScaleSetVMExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:VirtualMachineScaleSetVMExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:VirtualMachineScaleSetVMExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:VirtualMachineScaleSetVMExtension" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:VirtualMachineScaleSetVMExtension" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20190701:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20191201:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:VirtualMachineScaleSetVMExtension" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:VirtualMachineScaleSetVMExtension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Compute/VirtualMachineScaleSetVMRunCommand.cs b/sdk/dotnet/Compute/VirtualMachineScaleSetVMRunCommand.cs index fc5d872b09c0..88ef22947fb0 100644 --- a/sdk/dotnet/Compute/VirtualMachineScaleSetVMRunCommand.cs +++ b/sdk/dotnet/Compute/VirtualMachineScaleSetVMRunCommand.cs @@ -158,21 +158,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:compute/v20200601:VirtualMachineScaleSetVMRunCommand" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20201201:VirtualMachineScaleSetVMRunCommand" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210301:VirtualMachineScaleSetVMRunCommand" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210401:VirtualMachineScaleSetVMRunCommand" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20210701:VirtualMachineScaleSetVMRunCommand" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20211101:VirtualMachineScaleSetVMRunCommand" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220301:VirtualMachineScaleSetVMRunCommand" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20220801:VirtualMachineScaleSetVMRunCommand" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20221101:VirtualMachineScaleSetVMRunCommand" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230301:VirtualMachineScaleSetVMRunCommand" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230701:VirtualMachineScaleSetVMRunCommand" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20230901:VirtualMachineScaleSetVMRunCommand" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240301:VirtualMachineScaleSetVMRunCommand" }, new global::Pulumi.Alias { Type = "azure-native:compute/v20240701:VirtualMachineScaleSetVMRunCommand" }, - new global::Pulumi.Alias { Type = "azure-native:compute/v20241101:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20200601:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20201201:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210301:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210401:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20210701:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20211101:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220301:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20220801:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20221101:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230301:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230701:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20230901:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240301:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20240701:compute:VirtualMachineScaleSetVMRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_compute_v20241101:compute:VirtualMachineScaleSetVMRunCommand" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConfidentialLedger/Ledger.cs b/sdk/dotnet/ConfidentialLedger/Ledger.cs index f58c06541fe0..a50d8277847a 100644 --- a/sdk/dotnet/ConfidentialLedger/Ledger.cs +++ b/sdk/dotnet/ConfidentialLedger/Ledger.cs @@ -86,14 +86,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20201201preview:Ledger" }, - new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20210513preview:Ledger" }, new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20220513:Ledger" }, - new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20220908preview:Ledger" }, new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20230126preview:Ledger" }, new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20230628preview:Ledger" }, new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20240709preview:Ledger" }, new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20240919preview:Ledger" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20201201preview:confidentialledger:Ledger" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20210513preview:confidentialledger:Ledger" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20220513:confidentialledger:Ledger" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20220908preview:confidentialledger:Ledger" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20230126preview:confidentialledger:Ledger" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20230628preview:confidentialledger:Ledger" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20240709preview:confidentialledger:Ledger" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20240919preview:confidentialledger:Ledger" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConfidentialLedger/ManagedCCF.cs b/sdk/dotnet/ConfidentialLedger/ManagedCCF.cs index 7020aab7de2a..db76cb6384a1 100644 --- a/sdk/dotnet/ConfidentialLedger/ManagedCCF.cs +++ b/sdk/dotnet/ConfidentialLedger/ManagedCCF.cs @@ -86,11 +86,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20220908preview:ManagedCCF" }, new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20230126preview:ManagedCCF" }, new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20230628preview:ManagedCCF" }, new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20240709preview:ManagedCCF" }, new global::Pulumi.Alias { Type = "azure-native:confidentialledger/v20240919preview:ManagedCCF" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20220908preview:confidentialledger:ManagedCCF" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20230126preview:confidentialledger:ManagedCCF" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20230628preview:confidentialledger:ManagedCCF" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20240709preview:confidentialledger:ManagedCCF" }, + new global::Pulumi.Alias { Type = "azure-native_confidentialledger_v20240919preview:confidentialledger:ManagedCCF" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Confluent/Connector.cs b/sdk/dotnet/Confluent/Connector.cs index 8bdfef8816e6..6edd80fd62e5 100644 --- a/sdk/dotnet/Confluent/Connector.cs +++ b/sdk/dotnet/Confluent/Connector.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:confluent/v20240701:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20240701:confluent:Connector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Confluent/Organization.cs b/sdk/dotnet/Confluent/Organization.cs index 4642984931d0..f85cdc6791f7 100644 --- a/sdk/dotnet/Confluent/Organization.cs +++ b/sdk/dotnet/Confluent/Organization.cs @@ -116,14 +116,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:confluent/v20200301:Organization" }, new global::Pulumi.Alias { Type = "azure-native:confluent/v20200301preview:Organization" }, - new global::Pulumi.Alias { Type = "azure-native:confluent/v20210301preview:Organization" }, - new global::Pulumi.Alias { Type = "azure-native:confluent/v20210901preview:Organization" }, new global::Pulumi.Alias { Type = "azure-native:confluent/v20211201:Organization" }, new global::Pulumi.Alias { Type = "azure-native:confluent/v20230822:Organization" }, new global::Pulumi.Alias { Type = "azure-native:confluent/v20240213:Organization" }, new global::Pulumi.Alias { Type = "azure-native:confluent/v20240701:Organization" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20200301:confluent:Organization" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20200301preview:confluent:Organization" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20210301preview:confluent:Organization" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20210901preview:confluent:Organization" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20211201:confluent:Organization" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20230822:confluent:Organization" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20240213:confluent:Organization" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20240701:confluent:Organization" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Confluent/OrganizationClusterById.cs b/sdk/dotnet/Confluent/OrganizationClusterById.cs index a4df768d7d1c..cf156745e5ab 100644 --- a/sdk/dotnet/Confluent/OrganizationClusterById.cs +++ b/sdk/dotnet/Confluent/OrganizationClusterById.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:confluent/v20240701:OrganizationClusterById" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20240701:confluent:OrganizationClusterById" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Confluent/OrganizationEnvironmentById.cs b/sdk/dotnet/Confluent/OrganizationEnvironmentById.cs index 1f19a665f6a6..1b8aa56823f5 100644 --- a/sdk/dotnet/Confluent/OrganizationEnvironmentById.cs +++ b/sdk/dotnet/Confluent/OrganizationEnvironmentById.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:confluent/v20240701:OrganizationEnvironmentById" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20240701:confluent:OrganizationEnvironmentById" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Confluent/Topic.cs b/sdk/dotnet/Confluent/Topic.cs index 0473e01e2bfd..90e3b1223586 100644 --- a/sdk/dotnet/Confluent/Topic.cs +++ b/sdk/dotnet/Confluent/Topic.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:confluent/v20240701:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_confluent_v20240701:confluent:Topic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedCache/CacheNodesOperation.cs b/sdk/dotnet/ConnectedCache/CacheNodesOperation.cs index bc013a832e12..35d92acb3fff 100644 --- a/sdk/dotnet/ConnectedCache/CacheNodesOperation.cs +++ b/sdk/dotnet/ConnectedCache/CacheNodesOperation.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:connectedcache/v20230501preview:CacheNodesOperation" }, + new global::Pulumi.Alias { Type = "azure-native_connectedcache_v20230501preview:connectedcache:CacheNodesOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedCache/EnterpriseCustomerOperation.cs b/sdk/dotnet/ConnectedCache/EnterpriseCustomerOperation.cs index 8d7ce590bcb1..d5514149ad16 100644 --- a/sdk/dotnet/ConnectedCache/EnterpriseCustomerOperation.cs +++ b/sdk/dotnet/ConnectedCache/EnterpriseCustomerOperation.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:connectedcache/v20230501preview:EnterpriseCustomerOperation" }, + new global::Pulumi.Alias { Type = "azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseCustomerOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedCache/EnterpriseMccCacheNodesOperation.cs b/sdk/dotnet/ConnectedCache/EnterpriseMccCacheNodesOperation.cs index 79bbd5ff0dc5..e3c00edb1e6d 100644 --- a/sdk/dotnet/ConnectedCache/EnterpriseMccCacheNodesOperation.cs +++ b/sdk/dotnet/ConnectedCache/EnterpriseMccCacheNodesOperation.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:connectedcache/v20230501preview:EnterpriseMccCacheNodesOperation" }, + new global::Pulumi.Alias { Type = "azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseMccCacheNodesOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedCache/EnterpriseMccCustomer.cs b/sdk/dotnet/ConnectedCache/EnterpriseMccCustomer.cs index 9811daf3e781..93f778c7dc61 100644 --- a/sdk/dotnet/ConnectedCache/EnterpriseMccCustomer.cs +++ b/sdk/dotnet/ConnectedCache/EnterpriseMccCustomer.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:connectedcache/v20230501preview:EnterpriseMccCustomer" }, + new global::Pulumi.Alias { Type = "azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseMccCustomer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedCache/IspCacheNodesOperation.cs b/sdk/dotnet/ConnectedCache/IspCacheNodesOperation.cs index 22dae080bd09..db6a97772c20 100644 --- a/sdk/dotnet/ConnectedCache/IspCacheNodesOperation.cs +++ b/sdk/dotnet/ConnectedCache/IspCacheNodesOperation.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:connectedcache/v20230501preview:IspCacheNodesOperation" }, + new global::Pulumi.Alias { Type = "azure-native_connectedcache_v20230501preview:connectedcache:IspCacheNodesOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedCache/IspCustomer.cs b/sdk/dotnet/ConnectedCache/IspCustomer.cs index 7e023200b0df..7e91502b961d 100644 --- a/sdk/dotnet/ConnectedCache/IspCustomer.cs +++ b/sdk/dotnet/ConnectedCache/IspCustomer.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:connectedcache/v20230501preview:IspCustomer" }, + new global::Pulumi.Alias { Type = "azure-native_connectedcache_v20230501preview:connectedcache:IspCustomer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/Cluster.cs b/sdk/dotnet/ConnectedVMwarevSphere/Cluster.cs index 12cf37a3aa2b..c568a06eec6a 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/Cluster.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/Cluster.cs @@ -176,12 +176,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231001:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231201:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Cluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/Datastore.cs b/sdk/dotnet/ConnectedVMwarevSphere/Datastore.cs index 5173be311a02..8e693eea9c14 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/Datastore.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/Datastore.cs @@ -152,12 +152,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231001:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231201:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Datastore" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/GuestAgent.cs b/sdk/dotnet/ConnectedVMwarevSphere/GuestAgent.cs index 7547b91be7be..e2f31be1e13e 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/GuestAgent.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/GuestAgent.cs @@ -122,10 +122,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:GuestAgent" }, - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:GuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:GuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:GuestAgent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/Host.cs b/sdk/dotnet/ConnectedVMwarevSphere/Host.cs index ad2543700303..8aced04e24d4 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/Host.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/Host.cs @@ -176,12 +176,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:Host" }, - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:Host" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:Host" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:Host" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231001:Host" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231201:Host" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:Host" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:Host" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Host" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Host" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Host" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Host" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/HybridIdentityMetadatum.cs b/sdk/dotnet/ConnectedVMwarevSphere/HybridIdentityMetadatum.cs index 95f48404e131..70984ce6844c 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/HybridIdentityMetadatum.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/HybridIdentityMetadatum.cs @@ -92,10 +92,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:HybridIdentityMetadatum" }, - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:HybridIdentityMetadatum" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:HybridIdentityMetadatum" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:HybridIdentityMetadatum" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:HybridIdentityMetadatum" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:HybridIdentityMetadatum" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:HybridIdentityMetadatum" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:HybridIdentityMetadatum" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/InventoryItem.cs b/sdk/dotnet/ConnectedVMwarevSphere/InventoryItem.cs index 5c247e9c0dc5..93f561d3c5ee 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/InventoryItem.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/InventoryItem.cs @@ -104,12 +104,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:InventoryItem" }, - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:InventoryItem" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:InventoryItem" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:InventoryItem" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231001:InventoryItem" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231201:InventoryItem" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:InventoryItem" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:InventoryItem" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:InventoryItem" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:InventoryItem" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:InventoryItem" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:InventoryItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/MachineExtension.cs b/sdk/dotnet/ConnectedVMwarevSphere/MachineExtension.cs index e376ad415155..cd82384aea63 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/MachineExtension.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/MachineExtension.cs @@ -134,10 +134,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:MachineExtension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/ResourcePool.cs b/sdk/dotnet/ConnectedVMwarevSphere/ResourcePool.cs index fe8e02e20356..aee6fb720db4 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/ResourcePool.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/ResourcePool.cs @@ -218,12 +218,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:ResourcePool" }, - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:ResourcePool" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:ResourcePool" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:ResourcePool" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231001:ResourcePool" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231201:ResourcePool" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:ResourcePool" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:ResourcePool" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:ResourcePool" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:ResourcePool" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:ResourcePool" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:ResourcePool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/VCenter.cs b/sdk/dotnet/ConnectedVMwarevSphere/VCenter.cs index 2a41329edefe..14a8b657067a 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/VCenter.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/VCenter.cs @@ -152,12 +152,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:VCenter" }, - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:VCenter" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:VCenter" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:VCenter" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231001:VCenter" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231201:VCenter" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VCenter" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VCenter" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VCenter" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VCenter" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VCenter" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VCenter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/VMInstanceGuestAgent.cs b/sdk/dotnet/ConnectedVMwarevSphere/VMInstanceGuestAgent.cs index 461e2b2fb395..a9e7c1006b63 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/VMInstanceGuestAgent.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/VMInstanceGuestAgent.cs @@ -125,6 +125,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:VMInstanceGuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231001:VMInstanceGuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231201:VMInstanceGuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VMInstanceGuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VMInstanceGuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VMInstanceGuestAgent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachine.cs b/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachine.cs index 92742f96f965..adc1c276c324 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachine.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachine.cs @@ -237,10 +237,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachineInstance.cs b/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachineInstance.cs index 572c84b5138c..4555e907fb20 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachineInstance.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachineInstance.cs @@ -143,6 +143,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineInstance" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231001:VirtualMachineInstance" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231201:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualMachineInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachineTemplate.cs b/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachineTemplate.cs index eacac105a33c..cb56bb7413b3 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachineTemplate.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/VirtualMachineTemplate.cs @@ -208,12 +208,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:VirtualMachineTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:VirtualMachineTemplate" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachineTemplate" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineTemplate" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231001:VirtualMachineTemplate" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231201:VirtualMachineTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VirtualMachineTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VirtualMachineTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualMachineTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachineTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualMachineTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualMachineTemplate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ConnectedVMwarevSphere/VirtualNetwork.cs b/sdk/dotnet/ConnectedVMwarevSphere/VirtualNetwork.cs index 478973a7f4c2..5563e689957c 100644 --- a/sdk/dotnet/ConnectedVMwarevSphere/VirtualNetwork.cs +++ b/sdk/dotnet/ConnectedVMwarevSphere/VirtualNetwork.cs @@ -140,12 +140,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20201001preview:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220110preview:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20220715preview:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20230301preview:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231001:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:connectedvmwarevsphere/v20231201:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Consumption/Budget.cs b/sdk/dotnet/Consumption/Budget.cs index 2920575e43ad..c899f825e1c5 100644 --- a/sdk/dotnet/Consumption/Budget.cs +++ b/sdk/dotnet/Consumption/Budget.cs @@ -116,20 +116,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:consumption/v20190101:Budget" }, - new global::Pulumi.Alias { Type = "azure-native:consumption/v20190401preview:Budget" }, - new global::Pulumi.Alias { Type = "azure-native:consumption/v20190501:Budget" }, - new global::Pulumi.Alias { Type = "azure-native:consumption/v20190501preview:Budget" }, - new global::Pulumi.Alias { Type = "azure-native:consumption/v20190601:Budget" }, - new global::Pulumi.Alias { Type = "azure-native:consumption/v20191001:Budget" }, - new global::Pulumi.Alias { Type = "azure-native:consumption/v20191101:Budget" }, - new global::Pulumi.Alias { Type = "azure-native:consumption/v20210501:Budget" }, - new global::Pulumi.Alias { Type = "azure-native:consumption/v20211001:Budget" }, - new global::Pulumi.Alias { Type = "azure-native:consumption/v20220901:Budget" }, - new global::Pulumi.Alias { Type = "azure-native:consumption/v20230301:Budget" }, new global::Pulumi.Alias { Type = "azure-native:consumption/v20230501:Budget" }, new global::Pulumi.Alias { Type = "azure-native:consumption/v20231101:Budget" }, new global::Pulumi.Alias { Type = "azure-native:consumption/v20240801:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20190101:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20190401preview:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20190501:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20190501preview:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20190601:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20191001:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20191101:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20210501:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20211001:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20220901:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20230301:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20230501:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20231101:consumption:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_consumption_v20240801:consumption:Budget" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerInstance/ContainerGroup.cs b/sdk/dotnet/ContainerInstance/ContainerGroup.cs index 56687102e872..b3aed656388a 100644 --- a/sdk/dotnet/ContainerInstance/ContainerGroup.cs +++ b/sdk/dotnet/ContainerInstance/ContainerGroup.cs @@ -209,28 +209,36 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20170801preview:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20171001preview:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20171201preview:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20180201preview:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20180401:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20180601:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20180901:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20181001:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20191201:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20201101:ContainerGroup" }, new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20210301:ContainerGroup" }, new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20210701:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20210901:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20211001:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20220901:ContainerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20221001preview:ContainerGroup" }, new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20230201preview:ContainerGroup" }, new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20230501:ContainerGroup" }, new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20240501preview:ContainerGroup" }, new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20240901preview:ContainerGroup" }, new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20241001preview:ContainerGroup" }, new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20241101preview:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20170801preview:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20171001preview:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20171201preview:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20180201preview:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20180401:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20180601:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20180901:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20181001:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20191201:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20201101:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20210301:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20210701:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20210901:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20211001:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20220901:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20221001preview:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20230201preview:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20230501:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20240501preview:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20240901preview:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20241001preview:containerinstance:ContainerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20241101preview:containerinstance:ContainerGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerInstance/ContainerGroupProfile.cs b/sdk/dotnet/ContainerInstance/ContainerGroupProfile.cs index 9506f8608792..57c316ca42ac 100644 --- a/sdk/dotnet/ContainerInstance/ContainerGroupProfile.cs +++ b/sdk/dotnet/ContainerInstance/ContainerGroupProfile.cs @@ -167,8 +167,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20240501preview:ContainerGroupProfile" }, new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20241101preview:CGProfile" }, - new global::Pulumi.Alias { Type = "azure-native:containerinstance/v20241101preview:ContainerGroupProfile" }, new global::Pulumi.Alias { Type = "azure-native:containerinstance:CGProfile" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20240501preview:containerinstance:ContainerGroupProfile" }, + new global::Pulumi.Alias { Type = "azure-native_containerinstance_v20241101preview:containerinstance:ContainerGroupProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/AgentPool.cs b/sdk/dotnet/ContainerRegistry/AgentPool.cs index 4e194485a94a..162623896b8b 100644 --- a/sdk/dotnet/ContainerRegistry/AgentPool.cs +++ b/sdk/dotnet/ContainerRegistry/AgentPool.cs @@ -110,6 +110,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20190601preview:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20190601preview:containerregistry:AgentPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/Archife.cs b/sdk/dotnet/ContainerRegistry/Archife.cs index e920dd916f8e..23e9a5e21305 100644 --- a/sdk/dotnet/ContainerRegistry/Archife.cs +++ b/sdk/dotnet/ContainerRegistry/Archife.cs @@ -96,6 +96,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:Archife" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:Archife" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:Archife" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:Archife" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:Archife" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:Archife" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:Archife" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/ArchiveVersion.cs b/sdk/dotnet/ContainerRegistry/ArchiveVersion.cs index 3a28b049e15b..8853fdfefe05 100644 --- a/sdk/dotnet/ContainerRegistry/ArchiveVersion.cs +++ b/sdk/dotnet/ContainerRegistry/ArchiveVersion.cs @@ -84,6 +84,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:ArchiveVersion" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:ArchiveVersion" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:ArchiveVersion" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:ArchiveVersion" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:ArchiveVersion" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:ArchiveVersion" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:ArchiveVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/CacheRule.cs b/sdk/dotnet/ContainerRegistry/CacheRule.cs index 58381289393c..a620b2bee7a7 100644 --- a/sdk/dotnet/ContainerRegistry/CacheRule.cs +++ b/sdk/dotnet/ContainerRegistry/CacheRule.cs @@ -105,6 +105,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:CacheRule" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:CacheRule" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:CacheRule" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:CacheRule" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:CacheRule" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230701:containerregistry:CacheRule" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:CacheRule" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:CacheRule" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:CacheRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/ConnectedRegistry.cs b/sdk/dotnet/ContainerRegistry/ConnectedRegistry.cs index c8aceee167e6..89fb89aadcd8 100644 --- a/sdk/dotnet/ContainerRegistry/ConnectedRegistry.cs +++ b/sdk/dotnet/ContainerRegistry/ConnectedRegistry.cs @@ -146,16 +146,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20201101preview:ConnectedRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210601preview:ConnectedRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210801preview:ConnectedRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20211201preview:ConnectedRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20220201preview:ConnectedRegistry" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230101preview:ConnectedRegistry" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230601preview:ConnectedRegistry" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:ConnectedRegistry" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:ConnectedRegistry" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:ConnectedRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20201101preview:containerregistry:ConnectedRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210601preview:containerregistry:ConnectedRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210801preview:containerregistry:ConnectedRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20211201preview:containerregistry:ConnectedRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20220201preview:containerregistry:ConnectedRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:ConnectedRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:ConnectedRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:ConnectedRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:ConnectedRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:ConnectedRegistry" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/CredentialSet.cs b/sdk/dotnet/ContainerRegistry/CredentialSet.cs index 1cd70f56a3c2..19927c01010f 100644 --- a/sdk/dotnet/ContainerRegistry/CredentialSet.cs +++ b/sdk/dotnet/ContainerRegistry/CredentialSet.cs @@ -105,6 +105,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:CredentialSet" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:CredentialSet" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:CredentialSet" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:CredentialSet" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:CredentialSet" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230701:containerregistry:CredentialSet" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:CredentialSet" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:CredentialSet" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:CredentialSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/ExportPipeline.cs b/sdk/dotnet/ContainerRegistry/ExportPipeline.cs index 44988586ea28..b195b3ed2ad9 100644 --- a/sdk/dotnet/ContainerRegistry/ExportPipeline.cs +++ b/sdk/dotnet/ContainerRegistry/ExportPipeline.cs @@ -98,17 +98,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20191201preview:ExportPipeline" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20201101preview:ExportPipeline" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210601preview:ExportPipeline" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210801preview:ExportPipeline" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20211201preview:ExportPipeline" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20220201preview:ExportPipeline" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230101preview:ExportPipeline" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230601preview:ExportPipeline" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:ExportPipeline" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:ExportPipeline" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:ExportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20191201preview:containerregistry:ExportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20201101preview:containerregistry:ExportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210601preview:containerregistry:ExportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210801preview:containerregistry:ExportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20211201preview:containerregistry:ExportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20220201preview:containerregistry:ExportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:ExportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:ExportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:ExportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:ExportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:ExportPipeline" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/ImportPipeline.cs b/sdk/dotnet/ContainerRegistry/ImportPipeline.cs index 9c52b40fd34b..09cca1c94743 100644 --- a/sdk/dotnet/ContainerRegistry/ImportPipeline.cs +++ b/sdk/dotnet/ContainerRegistry/ImportPipeline.cs @@ -104,17 +104,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20191201preview:ImportPipeline" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20201101preview:ImportPipeline" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210601preview:ImportPipeline" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210801preview:ImportPipeline" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20211201preview:ImportPipeline" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20220201preview:ImportPipeline" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230101preview:ImportPipeline" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230601preview:ImportPipeline" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:ImportPipeline" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:ImportPipeline" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:ImportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20191201preview:containerregistry:ImportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20201101preview:containerregistry:ImportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210601preview:containerregistry:ImportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210801preview:containerregistry:ImportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20211201preview:containerregistry:ImportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20220201preview:containerregistry:ImportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:ImportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:ImportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:ImportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:ImportPipeline" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:ImportPipeline" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/PipelineRun.cs b/sdk/dotnet/ContainerRegistry/PipelineRun.cs index 02a2bd70aefb..9f1bd790c5b1 100644 --- a/sdk/dotnet/ContainerRegistry/PipelineRun.cs +++ b/sdk/dotnet/ContainerRegistry/PipelineRun.cs @@ -92,17 +92,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20191201preview:PipelineRun" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20201101preview:PipelineRun" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210601preview:PipelineRun" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210801preview:PipelineRun" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20211201preview:PipelineRun" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20220201preview:PipelineRun" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230101preview:PipelineRun" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230601preview:PipelineRun" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:PipelineRun" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:PipelineRun" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:PipelineRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20191201preview:containerregistry:PipelineRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20201101preview:containerregistry:PipelineRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210601preview:containerregistry:PipelineRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210801preview:containerregistry:PipelineRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20211201preview:containerregistry:PipelineRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20220201preview:containerregistry:PipelineRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:PipelineRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:PipelineRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:PipelineRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:PipelineRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:PipelineRun" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/PrivateEndpointConnection.cs b/sdk/dotnet/ContainerRegistry/PrivateEndpointConnection.cs index cce6054ae6f7..7dd274a8fdad 100644 --- a/sdk/dotnet/ContainerRegistry/PrivateEndpointConnection.cs +++ b/sdk/dotnet/ContainerRegistry/PrivateEndpointConnection.cs @@ -86,13 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20191201preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20201101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210801preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210901:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20211201preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20220201preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20221201:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230101preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230601preview:PrivateEndpointConnection" }, @@ -100,6 +93,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20191201preview:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20201101preview:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210601preview:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210801preview:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210901:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20211201preview:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20220201preview:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20221201:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230701:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/Registry.cs b/sdk/dotnet/ContainerRegistry/Registry.cs index 58f93111254d..827fe6bb98b4 100644 --- a/sdk/dotnet/ContainerRegistry/Registry.cs +++ b/sdk/dotnet/ContainerRegistry/Registry.cs @@ -183,15 +183,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20170301:Registry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20171001:Registry" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20190501:Registry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20191201preview:Registry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20201101preview:Registry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210601preview:Registry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210801preview:Registry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210901:Registry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20211201preview:Registry" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20220201preview:Registry" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20221201:Registry" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230101preview:Registry" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230601preview:Registry" }, @@ -199,6 +191,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:Registry" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:Registry" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20170301:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20171001:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20190501:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20191201preview:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20201101preview:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210601preview:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210801preview:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210901:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20211201preview:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20220201preview:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20221201:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230701:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:Registry" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/Replication.cs b/sdk/dotnet/ContainerRegistry/Replication.cs index 08d835b1e16e..0a35d35b8df3 100644 --- a/sdk/dotnet/ContainerRegistry/Replication.cs +++ b/sdk/dotnet/ContainerRegistry/Replication.cs @@ -104,15 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20171001:Replication" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20190501:Replication" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20191201preview:Replication" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20201101preview:Replication" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210601preview:Replication" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210801preview:Replication" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210901:Replication" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20211201preview:Replication" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20220201preview:Replication" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20221201:Replication" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230101preview:Replication" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230601preview:Replication" }, @@ -120,6 +111,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:Replication" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:Replication" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20171001:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20190501:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20191201preview:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20201101preview:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210601preview:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210801preview:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210901:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20211201preview:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20220201preview:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20221201:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230701:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:Replication" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:Replication" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/ScopeMap.cs b/sdk/dotnet/ContainerRegistry/ScopeMap.cs index fc563b94b4b6..173b654ee9be 100644 --- a/sdk/dotnet/ContainerRegistry/ScopeMap.cs +++ b/sdk/dotnet/ContainerRegistry/ScopeMap.cs @@ -94,12 +94,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20190501preview:ScopeMap" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20201101preview:ScopeMap" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210601preview:ScopeMap" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210801preview:ScopeMap" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20211201preview:ScopeMap" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20220201preview:ScopeMap" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20221201:ScopeMap" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230101preview:ScopeMap" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230601preview:ScopeMap" }, @@ -107,6 +101,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:ScopeMap" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:ScopeMap" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20190501preview:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20201101preview:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210601preview:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210801preview:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20211201preview:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20220201preview:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20221201:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230701:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:ScopeMap" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:ScopeMap" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/Task.cs b/sdk/dotnet/ContainerRegistry/Task.cs index 9fbadf235e74..879d6c2f11fc 100644 --- a/sdk/dotnet/ContainerRegistry/Task.cs +++ b/sdk/dotnet/ContainerRegistry/Task.cs @@ -160,6 +160,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20180901:Task" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20190401:Task" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20190601preview:Task" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20180901:containerregistry:Task" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20190401:containerregistry:Task" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20190601preview:containerregistry:Task" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/TaskRun.cs b/sdk/dotnet/ContainerRegistry/TaskRun.cs index 748362d1ac0e..c0681cbfef87 100644 --- a/sdk/dotnet/ContainerRegistry/TaskRun.cs +++ b/sdk/dotnet/ContainerRegistry/TaskRun.cs @@ -104,6 +104,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20190601preview:TaskRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20190601preview:containerregistry:TaskRun" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/Token.cs b/sdk/dotnet/ContainerRegistry/Token.cs index 1bd6287297be..655b241d75c6 100644 --- a/sdk/dotnet/ContainerRegistry/Token.cs +++ b/sdk/dotnet/ContainerRegistry/Token.cs @@ -98,12 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20190501preview:Token" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20201101preview:Token" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210601preview:Token" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210801preview:Token" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20211201preview:Token" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20220201preview:Token" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20221201:Token" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230101preview:Token" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230601preview:Token" }, @@ -111,6 +105,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:Token" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:Token" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20190501preview:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20201101preview:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210601preview:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210801preview:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20211201preview:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20220201preview:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20221201:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230701:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:Token" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:Token" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerRegistry/Webhook.cs b/sdk/dotnet/ContainerRegistry/Webhook.cs index 5eaba0b9f34d..b34a66d12a95 100644 --- a/sdk/dotnet/ContainerRegistry/Webhook.cs +++ b/sdk/dotnet/ContainerRegistry/Webhook.cs @@ -104,15 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20171001:Webhook" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20190501:Webhook" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20191201preview:Webhook" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20201101preview:Webhook" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210601preview:Webhook" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210801preview:Webhook" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20210901:Webhook" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20211201preview:Webhook" }, - new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20220201preview:Webhook" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20221201:Webhook" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230101preview:Webhook" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230601preview:Webhook" }, @@ -120,6 +111,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20230801preview:Webhook" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20231101preview:Webhook" }, new global::Pulumi.Alias { Type = "azure-native:containerregistry/v20241101preview:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20171001:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20190501:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20191201preview:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20201101preview:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210601preview:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210801preview:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20210901:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20211201preview:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20220201preview:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20221201:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230101preview:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230601preview:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230701:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20230801preview:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20231101preview:containerregistry:Webhook" }, + new global::Pulumi.Alias { Type = "azure-native_containerregistry_v20241101preview:containerregistry:Webhook" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/AgentPool.cs b/sdk/dotnet/ContainerService/AgentPool.cs index bc42a1bb9cd4..5a99dd3dac9f 100644 --- a/sdk/dotnet/ContainerService/AgentPool.cs +++ b/sdk/dotnet/ContainerService/AgentPool.cs @@ -338,58 +338,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20190201:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20190401:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20190601:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20190801:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20191001:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20191101:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200101:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200201:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200301:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200401:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200601:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200701:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200901:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20201101:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20201201:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210201:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210301:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210501:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210701:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210801:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210901:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20211001:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20211101preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220101:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220102preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220201:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220202preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220301:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220302preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220401:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220402preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220502preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220601:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220602preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220701:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220702preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220802preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220803preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220901:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220902preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221002preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221101:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221102preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230101:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230102preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230201:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230202preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230301:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230302preview:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230401:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230402preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230501:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230502preview:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230601:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230602preview:AgentPool" }, @@ -417,9 +370,88 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240801:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240901:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240902preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241001:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241002preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20250101:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20190201:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20190401:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20190601:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20190801:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20191001:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20191101:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200101:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200201:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200301:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200401:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200601:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200701:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200901:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20201101:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20201201:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210201:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210301:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210501:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210701:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210801:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210901:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20211001:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20211101preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220101:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220102preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220201:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220202preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220301:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220302preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220401:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220402preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220502preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220601:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220602preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220701:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220702preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220802preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220803preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220901:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220902preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221002preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221101:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221102preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230101:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230102preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230201:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230202preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230301:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230302preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230401:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230402preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230501:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230502preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230601:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230602preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230701:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230702preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230801:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230802preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230901:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230902preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231001:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231002preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231101:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231102preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240101:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240102preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240201:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240202preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240302preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240402preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240501:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240602preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240701:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240702preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240801:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240901:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240902preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241001:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241002preview:containerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20250101:containerservice:AgentPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/AutoUpgradeProfile.cs b/sdk/dotnet/ContainerService/AutoUpgradeProfile.cs index d12fed0971ee..9d7a7b519c8f 100644 --- a/sdk/dotnet/ContainerService/AutoUpgradeProfile.cs +++ b/sdk/dotnet/ContainerService/AutoUpgradeProfile.cs @@ -106,6 +106,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240502preview:AutoUpgradeProfile" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:AutoUpgradeProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/Fleet.cs b/sdk/dotnet/ContainerService/Fleet.cs index ac1405371da9..161e5f942154 100644 --- a/sdk/dotnet/ContainerService/Fleet.cs +++ b/sdk/dotnet/ContainerService/Fleet.cs @@ -104,9 +104,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220602preview:Fleet" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220702preview:Fleet" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220902preview:Fleet" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230315preview:Fleet" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230615preview:Fleet" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230815preview:Fleet" }, @@ -114,6 +112,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240202preview:Fleet" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240401:Fleet" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240502preview:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220602preview:containerservice:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220702preview:containerservice:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220902preview:containerservice:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230315preview:containerservice:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230615preview:containerservice:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230815preview:containerservice:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231015:containerservice:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240202preview:containerservice:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240401:containerservice:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:Fleet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/FleetMember.cs b/sdk/dotnet/ContainerService/FleetMember.cs index 6fb5601465ad..c694d47edf45 100644 --- a/sdk/dotnet/ContainerService/FleetMember.cs +++ b/sdk/dotnet/ContainerService/FleetMember.cs @@ -92,9 +92,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220602preview:FleetMember" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220702preview:FleetMember" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220902preview:FleetMember" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230315preview:FleetMember" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230615preview:FleetMember" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230815preview:FleetMember" }, @@ -102,6 +100,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240202preview:FleetMember" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240401:FleetMember" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240502preview:FleetMember" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220602preview:containerservice:FleetMember" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220702preview:containerservice:FleetMember" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220902preview:containerservice:FleetMember" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230315preview:containerservice:FleetMember" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230615preview:containerservice:FleetMember" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230815preview:containerservice:FleetMember" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231015:containerservice:FleetMember" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240202preview:containerservice:FleetMember" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240401:containerservice:FleetMember" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:FleetMember" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/FleetUpdateStrategy.cs b/sdk/dotnet/ContainerService/FleetUpdateStrategy.cs index 47268de35030..37a91345ef99 100644 --- a/sdk/dotnet/ContainerService/FleetUpdateStrategy.cs +++ b/sdk/dotnet/ContainerService/FleetUpdateStrategy.cs @@ -91,6 +91,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240202preview:FleetUpdateStrategy" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240401:FleetUpdateStrategy" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240502preview:FleetUpdateStrategy" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230815preview:containerservice:FleetUpdateStrategy" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231015:containerservice:FleetUpdateStrategy" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240202preview:containerservice:FleetUpdateStrategy" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240401:containerservice:FleetUpdateStrategy" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:FleetUpdateStrategy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/LoadBalancer.cs b/sdk/dotnet/ContainerService/LoadBalancer.cs index e0e23702ee8c..7fda48d71560 100644 --- a/sdk/dotnet/ContainerService/LoadBalancer.cs +++ b/sdk/dotnet/ContainerService/LoadBalancer.cs @@ -110,7 +110,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240602preview:LoadBalancer" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240702preview:LoadBalancer" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240902preview:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241002preview:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240302preview:containerservice:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240402preview:containerservice:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240602preview:containerservice:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240702preview:containerservice:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240902preview:containerservice:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241002preview:containerservice:LoadBalancer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/MaintenanceConfiguration.cs b/sdk/dotnet/ContainerService/MaintenanceConfiguration.cs index ba6c92f4cf33..3d914b47c0d0 100644 --- a/sdk/dotnet/ContainerService/MaintenanceConfiguration.cs +++ b/sdk/dotnet/ContainerService/MaintenanceConfiguration.cs @@ -86,44 +86,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20201201:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210201:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210301:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210501:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210701:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210801:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210901:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20211001:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20211101preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220101:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220102preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220201:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220202preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220301:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220302preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220401:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220402preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220502preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220601:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220602preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220701:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220702preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220802preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220803preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220901:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220902preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221002preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221101:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221102preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230101:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230102preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230201:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230202preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230301:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230302preview:MaintenanceConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230401:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230402preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230501:MaintenanceConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230502preview:MaintenanceConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230601:MaintenanceConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230602preview:MaintenanceConfiguration" }, @@ -151,9 +114,74 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240801:MaintenanceConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240901:MaintenanceConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240902preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241001:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241002preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20250101:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20201201:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210201:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210301:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210501:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210701:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210801:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210901:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20211001:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20211101preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220101:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220102preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220201:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220202preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220301:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220302preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220401:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220402preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220502preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220601:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220602preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220701:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220702preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220802preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220803preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220901:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220902preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221002preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221101:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221102preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230101:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230102preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230201:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230202preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230301:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230302preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230401:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230402preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230501:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230502preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230601:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230602preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230701:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230702preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230801:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230802preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230901:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230902preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231001:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231002preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231101:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231102preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240101:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240102preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240201:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240202preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240302preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240402preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240501:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240602preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240701:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240702preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240801:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240901:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240902preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241001:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241002preview:containerservice:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20250101:containerservice:MaintenanceConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/ManagedCluster.cs b/sdk/dotnet/ContainerService/ManagedCluster.cs index 874e46830cc7..f8ccae30ad24 100644 --- a/sdk/dotnet/ContainerService/ManagedCluster.cs +++ b/sdk/dotnet/ContainerService/ManagedCluster.cs @@ -358,61 +358,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20170831:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20180331:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20180801preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20190201:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20190401:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20190601:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20190801:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20191001:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20191101:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200101:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200201:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200301:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200401:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200601:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200701:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200901:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20201101:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20201201:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210201:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210301:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210501:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210701:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210801:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210901:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20211001:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20211101preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220101:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220102preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220201:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220202preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220301:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220302preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220401:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220402preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220502preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220601:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220602preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220701:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220702preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220802preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220803preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220901:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220902preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221002preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221101:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221102preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230101:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230102preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230201:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230202preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230301:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230302preview:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230401:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230402preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230501:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230502preview:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230601:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230602preview:ManagedCluster" }, @@ -440,9 +388,91 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240801:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240901:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240902preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241001:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241002preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20250101:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20170831:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20180331:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20180801preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20190201:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20190401:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20190601:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20190801:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20191001:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20191101:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200101:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200201:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200301:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200401:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200601:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200701:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200901:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20201101:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20201201:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210201:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210301:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210501:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210701:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210801:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210901:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20211001:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20211101preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220101:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220102preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220201:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220202preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220301:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220302preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220401:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220402preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220502preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220601:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220602preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220701:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220702preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220802preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220803preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220901:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220902preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221002preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221101:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221102preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230101:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230102preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230201:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230202preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230301:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230302preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230401:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230402preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230501:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230502preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230601:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230602preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230701:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230702preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230801:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230802preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230901:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230902preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231001:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231002preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231101:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231102preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240101:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240102preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240201:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240202preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240302preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240402preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240501:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240602preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240701:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240702preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240801:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240901:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240902preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241001:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241002preview:containerservice:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20250101:containerservice:ManagedCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/ManagedClusterSnapshot.cs b/sdk/dotnet/ContainerService/ManagedClusterSnapshot.cs index 1e074a68d354..534b53a63140 100644 --- a/sdk/dotnet/ContainerService/ManagedClusterSnapshot.cs +++ b/sdk/dotnet/ContainerService/ManagedClusterSnapshot.cs @@ -98,21 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220202preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220302preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220402preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220502preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220602preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220702preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220802preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220803preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220902preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221002preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221102preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230102preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230202preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230302preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230402preview:ManagedClusterSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230502preview:ManagedClusterSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230602preview:ManagedClusterSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230702preview:ManagedClusterSnapshot" }, @@ -128,7 +113,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240602preview:ManagedClusterSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240702preview:ManagedClusterSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240902preview:ManagedClusterSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241002preview:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220202preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220302preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220402preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220502preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220602preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220702preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220802preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220803preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220902preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221002preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221102preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230102preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230202preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230302preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230402preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230502preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230602preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230702preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230802preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230902preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231002preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231102preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240102preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240202preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240302preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240402preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240602preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240702preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240902preview:containerservice:ManagedClusterSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241002preview:containerservice:ManagedClusterSnapshot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/PrivateEndpointConnection.cs b/sdk/dotnet/ContainerService/PrivateEndpointConnection.cs index 5e15edfdcc20..81ee04fa5920 100644 --- a/sdk/dotnet/ContainerService/PrivateEndpointConnection.cs +++ b/sdk/dotnet/ContainerService/PrivateEndpointConnection.cs @@ -80,48 +80,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200701:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20200901:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20201101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20201201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210501:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210701:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210801:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210901:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20211001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20211101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220102preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220202preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220302preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220401:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220402preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220502preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220602preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220701:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220702preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220802preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220803preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220901:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220902preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221002preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221102preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230102preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230202preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230302preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230401:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230402preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230501:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230502preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230601:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230602preview:PrivateEndpointConnection" }, @@ -149,9 +108,78 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240801:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240901:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240902preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241002preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20250101:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200601:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200701:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20200901:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20201101:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20201201:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210201:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210301:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210501:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210701:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210801:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210901:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20211001:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20211101preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220101:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220102preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220201:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220202preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220301:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220302preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220401:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220402preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220502preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220601:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220602preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220701:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220702preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220802preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220803preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220901:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220902preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221002preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221101:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221102preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230101:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230102preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230201:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230202preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230301:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230302preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230401:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230402preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230501:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230502preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230601:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230602preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230701:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230702preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230801:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230802preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230901:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230902preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231001:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231002preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231101:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231102preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240101:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240102preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240201:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240202preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240302preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240402preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240501:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240602preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240701:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240702preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240801:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240901:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240902preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241001:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241002preview:containerservice:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20250101:containerservice:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/Snapshot.cs b/sdk/dotnet/ContainerService/Snapshot.cs index 6cb1edb8f2ff..b1bb802873e4 100644 --- a/sdk/dotnet/ContainerService/Snapshot.cs +++ b/sdk/dotnet/ContainerService/Snapshot.cs @@ -128,39 +128,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210801:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20210901:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20211001:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20211101preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220101:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220102preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220201:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220202preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220301:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220302preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220401:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220402preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220502preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220601:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220602preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220701:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220702preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220802preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220803preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220901:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220902preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221002preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221101:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221102preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230101:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230102preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230201:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230202preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230301:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230302preview:Snapshot" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230401:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230402preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230501:Snapshot" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230502preview:Snapshot" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230601:Snapshot" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230602preview:Snapshot" }, @@ -188,9 +156,69 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240801:Snapshot" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240901:Snapshot" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240902preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241001:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241002preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20250101:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210801:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20210901:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20211001:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20211101preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220101:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220102preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220201:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220202preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220301:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220302preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220401:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220402preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220502preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220601:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220602preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220701:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220702preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220802preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220803preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220901:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220902preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221002preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221101:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221102preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230101:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230102preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230201:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230202preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230301:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230302preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230401:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230402preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230501:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230502preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230601:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230602preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230701:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230702preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230801:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230802preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230901:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230902preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231001:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231002preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231101:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231102preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240101:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240102preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240201:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240202preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240302preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240402preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240501:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240602preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240701:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240702preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240801:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240901:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240902preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241001:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241002preview:containerservice:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20250101:containerservice:Snapshot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/TrustedAccessRoleBinding.cs b/sdk/dotnet/ContainerService/TrustedAccessRoleBinding.cs index 9f1a7929c05d..688efb9c7622 100644 --- a/sdk/dotnet/ContainerService/TrustedAccessRoleBinding.cs +++ b/sdk/dotnet/ContainerService/TrustedAccessRoleBinding.cs @@ -86,19 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220402preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220502preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220602preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220702preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220802preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220803preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20220902preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221002preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20221102preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230102preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230202preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230302preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230402preview:TrustedAccessRoleBinding" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230502preview:TrustedAccessRoleBinding" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230602preview:TrustedAccessRoleBinding" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20230702preview:TrustedAccessRoleBinding" }, @@ -123,9 +110,46 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240801:TrustedAccessRoleBinding" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240901:TrustedAccessRoleBinding" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240902preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241001:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20241002preview:TrustedAccessRoleBinding" }, - new global::Pulumi.Alias { Type = "azure-native:containerservice/v20250101:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220402preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220502preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220602preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220702preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220802preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220803preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20220902preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221002preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20221102preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230102preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230202preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230302preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230402preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230502preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230602preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230702preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230802preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230901:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230902preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231001:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231002preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231101:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231102preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240101:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240102preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240201:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240202preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240302preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240402preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240501:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240602preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240701:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240702preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240801:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240901:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240902preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241001:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20241002preview:containerservice:TrustedAccessRoleBinding" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20250101:containerservice:TrustedAccessRoleBinding" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerService/UpdateRun.cs b/sdk/dotnet/ContainerService/UpdateRun.cs index 6bbb5ae1e686..7ed592773f35 100644 --- a/sdk/dotnet/ContainerService/UpdateRun.cs +++ b/sdk/dotnet/ContainerService/UpdateRun.cs @@ -124,6 +124,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240202preview:UpdateRun" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240401:UpdateRun" }, new global::Pulumi.Alias { Type = "azure-native:containerservice/v20240502preview:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230315preview:containerservice:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230615preview:containerservice:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20230815preview:containerservice:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20231015:containerservice:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240202preview:containerservice:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240401:containerservice:UpdateRun" }, + new global::Pulumi.Alias { Type = "azure-native_containerservice_v20240502preview:containerservice:UpdateRun" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerStorage/Pool.cs b/sdk/dotnet/ContainerStorage/Pool.cs index 520dba097880..d178f166f1e3 100644 --- a/sdk/dotnet/ContainerStorage/Pool.cs +++ b/sdk/dotnet/ContainerStorage/Pool.cs @@ -121,6 +121,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:containerstorage/v20230701preview:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_containerstorage_v20230701preview:containerstorage:Pool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerStorage/Snapshot.cs b/sdk/dotnet/ContainerStorage/Snapshot.cs index 2d5afa3926f7..8f738d669108 100644 --- a/sdk/dotnet/ContainerStorage/Snapshot.cs +++ b/sdk/dotnet/ContainerStorage/Snapshot.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:containerstorage/v20230701preview:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_containerstorage_v20230701preview:containerstorage:Snapshot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ContainerStorage/Volume.cs b/sdk/dotnet/ContainerStorage/Volume.cs index afc7e37b63ad..70efe246938e 100644 --- a/sdk/dotnet/ContainerStorage/Volume.cs +++ b/sdk/dotnet/ContainerStorage/Volume.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:containerstorage/v20230701preview:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_containerstorage_v20230701preview:containerstorage:Volume" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Contoso/Employee.cs b/sdk/dotnet/Contoso/Employee.cs index e9bf7543c6c6..48e16999d987 100644 --- a/sdk/dotnet/Contoso/Employee.cs +++ b/sdk/dotnet/Contoso/Employee.cs @@ -87,7 +87,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:contoso/v20211001preview:Employee" }, - new global::Pulumi.Alias { Type = "azure-native:contoso/v20211101:Employee" }, + new global::Pulumi.Alias { Type = "azure-native_contoso_v20211001preview:contoso:Employee" }, + new global::Pulumi.Alias { Type = "azure-native_contoso_v20211101:contoso:Employee" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/CassandraCluster.cs b/sdk/dotnet/CosmosDB/CassandraCluster.cs index a807cbbdf3d7..96f13e26d485 100644 --- a/sdk/dotnet/CosmosDB/CassandraCluster.cs +++ b/sdk/dotnet/CosmosDB/CassandraCluster.cs @@ -86,34 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:CassandraCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:CassandraCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20210701preview:CassandraCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:CassandraCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:CassandraCluster" }, @@ -128,6 +100,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:CassandraCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:CassandraCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:CassandraCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/CassandraDataCenter.cs b/sdk/dotnet/CosmosDB/CassandraDataCenter.cs index 2b41d85d446a..b2998688e4ee 100644 --- a/sdk/dotnet/CosmosDB/CassandraDataCenter.cs +++ b/sdk/dotnet/CosmosDB/CassandraDataCenter.cs @@ -68,34 +68,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:CassandraDataCenter" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:CassandraDataCenter" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:CassandraDataCenter" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:CassandraDataCenter" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915preview:CassandraDataCenter" }, @@ -109,6 +81,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:CassandraDataCenter" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:CassandraDataCenter" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:CassandraDataCenter" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraDataCenter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/CassandraResourceCassandraKeyspace.cs b/sdk/dotnet/CosmosDB/CassandraResourceCassandraKeyspace.cs index 903b437c898e..c3896fef77c1 100644 --- a/sdk/dotnet/CosmosDB/CassandraResourceCassandraKeyspace.cs +++ b/sdk/dotnet/CosmosDB/CassandraResourceCassandraKeyspace.cs @@ -80,50 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:CassandraResourceCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraKeyspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:CassandraResourceCassandraKeyspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:CassandraResourceCassandraKeyspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:CassandraResourceCassandraKeyspace" }, @@ -138,6 +94,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:CassandraResourceCassandraKeyspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:CassandraResourceCassandraKeyspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraKeyspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/CassandraResourceCassandraTable.cs b/sdk/dotnet/CosmosDB/CassandraResourceCassandraTable.cs index ff75461f6d98..747ae14518e2 100644 --- a/sdk/dotnet/CosmosDB/CassandraResourceCassandraTable.cs +++ b/sdk/dotnet/CosmosDB/CassandraResourceCassandraTable.cs @@ -80,50 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:CassandraResourceCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:CassandraResourceCassandraTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:CassandraResourceCassandraTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:CassandraResourceCassandraTable" }, @@ -138,6 +94,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:CassandraResourceCassandraTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:CassandraResourceCassandraTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraTable" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/CassandraResourceCassandraView.cs b/sdk/dotnet/CosmosDB/CassandraResourceCassandraView.cs index c8d8fad8db70..844e6f3afba0 100644 --- a/sdk/dotnet/CosmosDB/CassandraResourceCassandraView.cs +++ b/sdk/dotnet/CosmosDB/CassandraResourceCassandraView.cs @@ -86,21 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraView" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraView" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:CassandraResourceCassandraView" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915preview:CassandraResourceCassandraView" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20231115preview:CassandraResourceCassandraView" }, @@ -109,6 +94,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240901preview:CassandraResourceCassandraView" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:CassandraResourceCassandraView" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraView" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraView" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/DatabaseAccount.cs b/sdk/dotnet/CosmosDB/DatabaseAccount.cs index 25a40ed9a012..85fa5680f4cc 100644 --- a/sdk/dotnet/CosmosDB/DatabaseAccount.cs +++ b/sdk/dotnet/CosmosDB/DatabaseAccount.cs @@ -332,50 +332,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:DatabaseAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:DatabaseAccount" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20210401preview:DatabaseAccount" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:DatabaseAccount" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:DatabaseAccount" }, @@ -391,6 +347,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:DatabaseAccount" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:DatabaseAccount" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/DatabaseAccountCassandraKeyspace.cs b/sdk/dotnet/CosmosDB/DatabaseAccountCassandraKeyspace.cs index 4438960dfee5..93c3462bb312 100644 --- a/sdk/dotnet/CosmosDB/DatabaseAccountCassandraKeyspace.cs +++ b/sdk/dotnet/CosmosDB/DatabaseAccountCassandraKeyspace.cs @@ -74,50 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:DatabaseAccountCassandraKeyspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:DatabaseAccountCassandraKeyspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:CassandraResourceCassandraKeyspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:CassandraResourceCassandraKeyspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:CassandraResourceCassandraKeyspace" }, @@ -132,6 +88,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:CassandraResourceCassandraKeyspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:CassandraResourceCassandraKeyspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:CassandraResourceCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountCassandraKeyspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/DatabaseAccountCassandraTable.cs b/sdk/dotnet/CosmosDB/DatabaseAccountCassandraTable.cs index 006dda29c54e..0861971c56d3 100644 --- a/sdk/dotnet/CosmosDB/DatabaseAccountCassandraTable.cs +++ b/sdk/dotnet/CosmosDB/DatabaseAccountCassandraTable.cs @@ -86,50 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:DatabaseAccountCassandraTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:DatabaseAccountCassandraTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:CassandraResourceCassandraTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:CassandraResourceCassandraTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:CassandraResourceCassandraTable" }, @@ -144,6 +100,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:CassandraResourceCassandraTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:CassandraResourceCassandraTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:CassandraResourceCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountCassandraTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountCassandraTable" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/DatabaseAccountGremlinDatabase.cs b/sdk/dotnet/CosmosDB/DatabaseAccountGremlinDatabase.cs index d190bc7c5075..99c1931a42b2 100644 --- a/sdk/dotnet/CosmosDB/DatabaseAccountGremlinDatabase.cs +++ b/sdk/dotnet/CosmosDB/DatabaseAccountGremlinDatabase.cs @@ -92,50 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:DatabaseAccountGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:DatabaseAccountGremlinDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:GremlinResourceGremlinDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:GremlinResourceGremlinDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:GremlinResourceGremlinDatabase" }, @@ -150,6 +106,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:GremlinResourceGremlinDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:GremlinResourceGremlinDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountGremlinDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/DatabaseAccountGremlinGraph.cs b/sdk/dotnet/CosmosDB/DatabaseAccountGremlinGraph.cs index a40c2eae6d87..395081681702 100644 --- a/sdk/dotnet/CosmosDB/DatabaseAccountGremlinGraph.cs +++ b/sdk/dotnet/CosmosDB/DatabaseAccountGremlinGraph.cs @@ -122,50 +122,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:DatabaseAccountGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:DatabaseAccountGremlinGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:GremlinResourceGremlinGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:GremlinResourceGremlinGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:GremlinResourceGremlinGraph" }, @@ -180,6 +136,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:GremlinResourceGremlinGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:GremlinResourceGremlinGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountGremlinGraph" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/DatabaseAccountMongoDBCollection.cs b/sdk/dotnet/CosmosDB/DatabaseAccountMongoDBCollection.cs index f791674fb323..2801a0cefe37 100644 --- a/sdk/dotnet/CosmosDB/DatabaseAccountMongoDBCollection.cs +++ b/sdk/dotnet/CosmosDB/DatabaseAccountMongoDBCollection.cs @@ -86,50 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:DatabaseAccountMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:DatabaseAccountMongoDBCollection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBCollection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:MongoDBResourceMongoDBCollection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:MongoDBResourceMongoDBCollection" }, @@ -144,6 +100,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:MongoDBResourceMongoDBCollection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBCollection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountMongoDBCollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/DatabaseAccountMongoDBDatabase.cs b/sdk/dotnet/CosmosDB/DatabaseAccountMongoDBDatabase.cs index e37035cac88b..f3afcdc61ee1 100644 --- a/sdk/dotnet/CosmosDB/DatabaseAccountMongoDBDatabase.cs +++ b/sdk/dotnet/CosmosDB/DatabaseAccountMongoDBDatabase.cs @@ -74,50 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:DatabaseAccountMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:DatabaseAccountMongoDBDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:MongoDBResourceMongoDBDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:MongoDBResourceMongoDBDatabase" }, @@ -132,6 +88,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:MongoDBResourceMongoDBDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/DatabaseAccountSqlContainer.cs b/sdk/dotnet/CosmosDB/DatabaseAccountSqlContainer.cs index 7b2866dcfaef..b746b0d22f91 100644 --- a/sdk/dotnet/CosmosDB/DatabaseAccountSqlContainer.cs +++ b/sdk/dotnet/CosmosDB/DatabaseAccountSqlContainer.cs @@ -122,50 +122,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:DatabaseAccountSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:DatabaseAccountSqlContainer" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:SqlResourceSqlContainer" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:SqlResourceSqlContainer" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:SqlResourceSqlContainer" }, @@ -180,6 +136,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:SqlResourceSqlContainer" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:SqlResourceSqlContainer" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountSqlContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/DatabaseAccountSqlDatabase.cs b/sdk/dotnet/CosmosDB/DatabaseAccountSqlDatabase.cs index 440e306485fb..90c3a41d22c6 100644 --- a/sdk/dotnet/CosmosDB/DatabaseAccountSqlDatabase.cs +++ b/sdk/dotnet/CosmosDB/DatabaseAccountSqlDatabase.cs @@ -104,50 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:DatabaseAccountSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:DatabaseAccountSqlDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:SqlResourceSqlDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:SqlResourceSqlDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:SqlResourceSqlDatabase" }, @@ -162,6 +118,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:SqlResourceSqlDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:SqlResourceSqlDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountSqlDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/DatabaseAccountTable.cs b/sdk/dotnet/CosmosDB/DatabaseAccountTable.cs index 838cdd6e0b2a..07d6e6c61e0d 100644 --- a/sdk/dotnet/CosmosDB/DatabaseAccountTable.cs +++ b/sdk/dotnet/CosmosDB/DatabaseAccountTable.cs @@ -74,50 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:DatabaseAccountTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:DatabaseAccountTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:TableResourceTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:TableResourceTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:TableResourceTable" }, @@ -132,6 +88,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:TableResourceTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:TableResourceTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountTable" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/GraphResourceGraph.cs b/sdk/dotnet/CosmosDB/GraphResourceGraph.cs index bdf7f1e7ac37..49c6baec61fd 100644 --- a/sdk/dotnet/CosmosDB/GraphResourceGraph.cs +++ b/sdk/dotnet/CosmosDB/GraphResourceGraph.cs @@ -86,21 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:GraphResourceGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:GraphResourceGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:GraphResourceGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915preview:GraphResourceGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20231115preview:GraphResourceGraph" }, @@ -109,6 +94,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240901preview:GraphResourceGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:GraphResourceGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:GraphResourceGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:GraphResourceGraph" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/GremlinResourceGremlinDatabase.cs b/sdk/dotnet/CosmosDB/GremlinResourceGremlinDatabase.cs index eb0455688bef..da1f824eb414 100644 --- a/sdk/dotnet/CosmosDB/GremlinResourceGremlinDatabase.cs +++ b/sdk/dotnet/CosmosDB/GremlinResourceGremlinDatabase.cs @@ -80,50 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:GremlinResourceGremlinDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:GremlinResourceGremlinDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:GremlinResourceGremlinDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:GremlinResourceGremlinDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:GremlinResourceGremlinDatabase" }, @@ -138,6 +94,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:GremlinResourceGremlinDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:GremlinResourceGremlinDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:GremlinResourceGremlinDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:GremlinResourceGremlinDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/GremlinResourceGremlinGraph.cs b/sdk/dotnet/CosmosDB/GremlinResourceGremlinGraph.cs index 86d9c365d80b..502a1870c7a4 100644 --- a/sdk/dotnet/CosmosDB/GremlinResourceGremlinGraph.cs +++ b/sdk/dotnet/CosmosDB/GremlinResourceGremlinGraph.cs @@ -80,50 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:GremlinResourceGremlinGraph" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:GremlinResourceGremlinGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:GremlinResourceGremlinGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:GremlinResourceGremlinGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:GremlinResourceGremlinGraph" }, @@ -138,6 +94,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:GremlinResourceGremlinGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:GremlinResourceGremlinGraph" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:GremlinResourceGremlinGraph" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:GremlinResourceGremlinGraph" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/MongoCluster.cs b/sdk/dotnet/CosmosDB/MongoCluster.cs index fe4e2b3f02d2..210fb7dc18c7 100644 --- a/sdk/dotnet/CosmosDB/MongoCluster.cs +++ b/sdk/dotnet/CosmosDB/MongoCluster.cs @@ -122,11 +122,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:MongoCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:MongoCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:MongoCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:MongoCluster" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:MongoCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:MongoCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915preview:MongoCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20231115preview:MongoCluster" }, @@ -136,6 +131,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240701:MongoCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241001preview:MongoCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:MongoCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoCluster" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/MongoClusterFirewallRule.cs b/sdk/dotnet/CosmosDB/MongoClusterFirewallRule.cs index 0fbe5e5ff2a8..5733e1eaf120 100644 --- a/sdk/dotnet/CosmosDB/MongoClusterFirewallRule.cs +++ b/sdk/dotnet/CosmosDB/MongoClusterFirewallRule.cs @@ -86,11 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:MongoClusterFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:MongoClusterFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:MongoClusterFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:MongoClusterFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:MongoClusterFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:MongoClusterFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915preview:MongoClusterFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20231115preview:MongoClusterFirewallRule" }, @@ -101,6 +96,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241001preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:MongoClusterFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoClusterFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoClusterFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoClusterFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoClusterFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoClusterFirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/MongoDBResourceMongoDBCollection.cs b/sdk/dotnet/CosmosDB/MongoDBResourceMongoDBCollection.cs index 7503ac1487d3..29ba7a6c5f75 100644 --- a/sdk/dotnet/CosmosDB/MongoDBResourceMongoDBCollection.cs +++ b/sdk/dotnet/CosmosDB/MongoDBResourceMongoDBCollection.cs @@ -80,50 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:MongoDBResourceMongoDBCollection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoDBCollection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBCollection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:MongoDBResourceMongoDBCollection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:MongoDBResourceMongoDBCollection" }, @@ -138,6 +94,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:MongoDBResourceMongoDBCollection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBCollection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoDBCollection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoDBCollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/MongoDBResourceMongoDBDatabase.cs b/sdk/dotnet/CosmosDB/MongoDBResourceMongoDBDatabase.cs index 389a6253a71c..a9385fefd719 100644 --- a/sdk/dotnet/CosmosDB/MongoDBResourceMongoDBDatabase.cs +++ b/sdk/dotnet/CosmosDB/MongoDBResourceMongoDBDatabase.cs @@ -80,50 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:MongoDBResourceMongoDBDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoDBDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:MongoDBResourceMongoDBDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:MongoDBResourceMongoDBDatabase" }, @@ -138,6 +94,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:MongoDBResourceMongoDBDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoDBDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/MongoDBResourceMongoRoleDefinition.cs b/sdk/dotnet/CosmosDB/MongoDBResourceMongoRoleDefinition.cs index e0ee77916f9f..0ec4442af2d7 100644 --- a/sdk/dotnet/CosmosDB/MongoDBResourceMongoRoleDefinition.cs +++ b/sdk/dotnet/CosmosDB/MongoDBResourceMongoRoleDefinition.cs @@ -86,29 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:MongoDBResourceMongoRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230301preview:MongoDBResourceMongoRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:MongoDBResourceMongoRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:MongoDBResourceMongoRoleDefinition" }, @@ -123,6 +100,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:MongoDBResourceMongoRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:MongoDBResourceMongoRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/MongoDBResourceMongoUserDefinition.cs b/sdk/dotnet/CosmosDB/MongoDBResourceMongoUserDefinition.cs index c00d881b7940..80e5f0807e29 100644 --- a/sdk/dotnet/CosmosDB/MongoDBResourceMongoUserDefinition.cs +++ b/sdk/dotnet/CosmosDB/MongoDBResourceMongoUserDefinition.cs @@ -98,29 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:MongoDBResourceMongoUserDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoUserDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:MongoDBResourceMongoUserDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:MongoDBResourceMongoUserDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915preview:MongoDBResourceMongoUserDefinition" }, @@ -134,6 +111,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:MongoDBResourceMongoUserDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:MongoDBResourceMongoUserDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoUserDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/NotebookWorkspace.cs b/sdk/dotnet/CosmosDB/NotebookWorkspace.cs index 4cd274c2caad..4c81557452df 100644 --- a/sdk/dotnet/CosmosDB/NotebookWorkspace.cs +++ b/sdk/dotnet/CosmosDB/NotebookWorkspace.cs @@ -74,45 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:NotebookWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:NotebookWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:NotebookWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:NotebookWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915preview:NotebookWorkspace" }, @@ -126,6 +87,45 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:NotebookWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:NotebookWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:NotebookWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:NotebookWorkspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/PrivateEndpointConnection.cs b/sdk/dotnet/CosmosDB/PrivateEndpointConnection.cs index 7e0d2299536b..8aea7a1eccfb 100644 --- a/sdk/dotnet/CosmosDB/PrivateEndpointConnection.cs +++ b/sdk/dotnet/CosmosDB/PrivateEndpointConnection.cs @@ -86,40 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915preview:PrivateEndpointConnection" }, @@ -133,6 +99,40 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/Service.cs b/sdk/dotnet/CosmosDB/Service.cs index 19953bb1ff5b..dcfe3a465b03 100644 --- a/sdk/dotnet/CosmosDB/Service.cs +++ b/sdk/dotnet/CosmosDB/Service.cs @@ -68,32 +68,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:Service" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:Service" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:Service" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915preview:Service" }, @@ -107,6 +81,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:Service" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:Service" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:Service" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/SqlResourceSqlContainer.cs b/sdk/dotnet/CosmosDB/SqlResourceSqlContainer.cs index dd06f20b68d1..00fa0f82b571 100644 --- a/sdk/dotnet/CosmosDB/SqlResourceSqlContainer.cs +++ b/sdk/dotnet/CosmosDB/SqlResourceSqlContainer.cs @@ -80,50 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:SqlResourceSqlContainer" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:SqlResourceSqlContainer" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:SqlResourceSqlContainer" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:SqlResourceSqlContainer" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:SqlResourceSqlContainer" }, @@ -138,6 +94,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:SqlResourceSqlContainer" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:SqlResourceSqlContainer" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlContainer" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/SqlResourceSqlDatabase.cs b/sdk/dotnet/CosmosDB/SqlResourceSqlDatabase.cs index 76160d4fc057..b3c429bd544d 100644 --- a/sdk/dotnet/CosmosDB/SqlResourceSqlDatabase.cs +++ b/sdk/dotnet/CosmosDB/SqlResourceSqlDatabase.cs @@ -80,50 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:SqlResourceSqlDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:SqlResourceSqlDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:SqlResourceSqlDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:SqlResourceSqlDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:SqlResourceSqlDatabase" }, @@ -138,6 +94,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:SqlResourceSqlDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:SqlResourceSqlDatabase" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/SqlResourceSqlRoleAssignment.cs b/sdk/dotnet/CosmosDB/SqlResourceSqlRoleAssignment.cs index a19aa4784de4..10aace4cb2c0 100644 --- a/sdk/dotnet/CosmosDB/SqlResourceSqlRoleAssignment.cs +++ b/sdk/dotnet/CosmosDB/SqlResourceSqlRoleAssignment.cs @@ -80,38 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:SqlResourceSqlRoleAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:SqlResourceSqlRoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:SqlResourceSqlRoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:SqlResourceSqlRoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915preview:SqlResourceSqlRoleAssignment" }, @@ -125,6 +93,38 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:SqlResourceSqlRoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:SqlResourceSqlRoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlRoleAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/SqlResourceSqlRoleDefinition.cs b/sdk/dotnet/CosmosDB/SqlResourceSqlRoleDefinition.cs index e365fabc03a6..7fe1cdbfb6ba 100644 --- a/sdk/dotnet/CosmosDB/SqlResourceSqlRoleDefinition.cs +++ b/sdk/dotnet/CosmosDB/SqlResourceSqlRoleDefinition.cs @@ -80,38 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:SqlResourceSqlRoleDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:SqlResourceSqlRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:SqlResourceSqlRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:SqlResourceSqlRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915preview:SqlResourceSqlRoleDefinition" }, @@ -125,6 +93,38 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:SqlResourceSqlRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:SqlResourceSqlRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlRoleDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/SqlResourceSqlStoredProcedure.cs b/sdk/dotnet/CosmosDB/SqlResourceSqlStoredProcedure.cs index 1750cd15def9..3b2c996afd13 100644 --- a/sdk/dotnet/CosmosDB/SqlResourceSqlStoredProcedure.cs +++ b/sdk/dotnet/CosmosDB/SqlResourceSqlStoredProcedure.cs @@ -77,45 +77,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:SqlResourceSqlStoredProcedure" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:SqlResourceSqlStoredProcedure" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:SqlResourceSqlStoredProcedure" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:SqlResourceSqlStoredProcedure" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:SqlResourceSqlStoredProcedure" }, @@ -130,6 +91,45 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:SqlResourceSqlStoredProcedure" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:SqlResourceSqlStoredProcedure" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlStoredProcedure" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlStoredProcedure" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/SqlResourceSqlTrigger.cs b/sdk/dotnet/CosmosDB/SqlResourceSqlTrigger.cs index 411ec92ced25..423de6f3cea4 100644 --- a/sdk/dotnet/CosmosDB/SqlResourceSqlTrigger.cs +++ b/sdk/dotnet/CosmosDB/SqlResourceSqlTrigger.cs @@ -77,45 +77,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:SqlResourceSqlTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:SqlResourceSqlTrigger" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:SqlResourceSqlTrigger" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:SqlResourceSqlTrigger" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:SqlResourceSqlTrigger" }, @@ -130,6 +91,45 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:SqlResourceSqlTrigger" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:SqlResourceSqlTrigger" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlTrigger" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/SqlResourceSqlUserDefinedFunction.cs b/sdk/dotnet/CosmosDB/SqlResourceSqlUserDefinedFunction.cs index e47d3cf2df2a..384b5342f6ba 100644 --- a/sdk/dotnet/CosmosDB/SqlResourceSqlUserDefinedFunction.cs +++ b/sdk/dotnet/CosmosDB/SqlResourceSqlUserDefinedFunction.cs @@ -77,45 +77,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:SqlResourceSqlUserDefinedFunction" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:SqlResourceSqlUserDefinedFunction" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:SqlResourceSqlUserDefinedFunction" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:SqlResourceSqlUserDefinedFunction" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:SqlResourceSqlUserDefinedFunction" }, @@ -130,6 +91,45 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:SqlResourceSqlUserDefinedFunction" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:SqlResourceSqlUserDefinedFunction" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlUserDefinedFunction" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/TableResourceTable.cs b/sdk/dotnet/CosmosDB/TableResourceTable.cs index f4dadd381b28..2c47688f28ee 100644 --- a/sdk/dotnet/CosmosDB/TableResourceTable.cs +++ b/sdk/dotnet/CosmosDB/TableResourceTable.cs @@ -80,50 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150401:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20150408:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20151106:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160319:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20160331:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20190801:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20191212:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200301:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200401:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200601preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20200901:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210115:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210301preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210315:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210401preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210415:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210515:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210615:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20210701preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211015preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20211115preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220215preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220515preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20220815preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20221115preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230301preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230315preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230415:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20230915preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240815:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241115:TableResourceTable" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:TableResourceTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230315preview:TableResourceTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230415:TableResourceTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20230915:TableResourceTable" }, @@ -138,6 +94,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241115:TableResourceTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:TableResourceTable" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150401:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20150408:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20151106:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160319:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20160331:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20190801:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20191212:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200301:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200401:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200601preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20200901:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210115:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210301preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210315:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210401preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210415:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210515:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210615:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20210701preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211015preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20211115preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220215preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220515preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20220815preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20221115preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230301preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230315preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230415:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20230915preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240815:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241115:cosmosdb:TableResourceTable" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTable" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/TableResourceTableRoleAssignment.cs b/sdk/dotnet/CosmosDB/TableResourceTableRoleAssignment.cs index 142e623ef327..2cbcbdf06c57 100644 --- a/sdk/dotnet/CosmosDB/TableResourceTableRoleAssignment.cs +++ b/sdk/dotnet/CosmosDB/TableResourceTableRoleAssignment.cs @@ -90,9 +90,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:TableResourceTableRoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:TableResourceTableRoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:TableResourceTableRoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTableRoleAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/TableResourceTableRoleDefinition.cs b/sdk/dotnet/CosmosDB/TableResourceTableRoleDefinition.cs index 5da157baa86e..4ad7b60a91e9 100644 --- a/sdk/dotnet/CosmosDB/TableResourceTableRoleDefinition.cs +++ b/sdk/dotnet/CosmosDB/TableResourceTableRoleDefinition.cs @@ -84,9 +84,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:TableResourceTableRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:TableResourceTableRoleDefinition" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:TableResourceTableRoleDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTableRoleDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/ThroughputPool.cs b/sdk/dotnet/CosmosDB/ThroughputPool.cs index 921d7492d272..6af4d7132bf2 100644 --- a/sdk/dotnet/CosmosDB/ThroughputPool.cs +++ b/sdk/dotnet/CosmosDB/ThroughputPool.cs @@ -92,17 +92,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:ThroughputPool" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:ThroughputPool" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:ThroughputPool" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:ThroughputPool" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:ThroughputPool" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20231115preview:ThroughputPool" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240215preview:ThroughputPool" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240515preview:ThroughputPool" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240901preview:ThroughputPool" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:ThroughputPool" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:ThroughputPool" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:ThroughputPool" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:ThroughputPool" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:ThroughputPool" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:ThroughputPool" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:ThroughputPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CosmosDB/ThroughputPoolAccount.cs b/sdk/dotnet/CosmosDB/ThroughputPoolAccount.cs index 44d1eab03c2f..33e9c4a10f0e 100644 --- a/sdk/dotnet/CosmosDB/ThroughputPoolAccount.cs +++ b/sdk/dotnet/CosmosDB/ThroughputPoolAccount.cs @@ -92,17 +92,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20231115preview:ThroughputPoolAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240215preview:ThroughputPoolAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240515preview:ThroughputPoolAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20240901preview:ThroughputPoolAccount" }, - new global::Pulumi.Alias { Type = "azure-native:cosmosdb/v20241201preview:ThroughputPoolAccount" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20231115preview:ThroughputPoolAccount" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240215preview:ThroughputPoolAccount" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240515preview:ThroughputPoolAccount" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240901preview:ThroughputPoolAccount" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241201preview:ThroughputPoolAccount" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:ThroughputPoolAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20231115preview:cosmosdb:ThroughputPoolAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240215preview:cosmosdb:ThroughputPoolAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240515preview:cosmosdb:ThroughputPoolAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20240901preview:cosmosdb:ThroughputPoolAccount" }, + new global::Pulumi.Alias { Type = "azure-native_cosmosdb_v20241201preview:cosmosdb:ThroughputPoolAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/Budget.cs b/sdk/dotnet/CostManagement/Budget.cs index f316ff25d7da..b5666e08d72d 100644 --- a/sdk/dotnet/CostManagement/Budget.cs +++ b/sdk/dotnet/CostManagement/Budget.cs @@ -162,7 +162,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230901:Budget" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20231101:Budget" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20240801:Budget" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20241001preview:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20190401preview:costmanagement:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230401preview:costmanagement:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230801:costmanagement:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230901:costmanagement:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20231101:costmanagement:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20240801:costmanagement:Budget" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20241001preview:costmanagement:Budget" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/CloudConnector.cs b/sdk/dotnet/CostManagement/CloudConnector.cs index fe12e9102e74..a82786b0b642 100644 --- a/sdk/dotnet/CostManagement/CloudConnector.cs +++ b/sdk/dotnet/CostManagement/CloudConnector.cs @@ -150,10 +150,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20180801preview:CloudConnector" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20180801preview:Connector" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20190301preview:CloudConnector" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20180801preview:costmanagement:CloudConnector" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20190301preview:costmanagement:CloudConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/Connector.cs b/sdk/dotnet/CostManagement/Connector.cs index 582421d1ee63..49e5985304f7 100644 --- a/sdk/dotnet/CostManagement/Connector.cs +++ b/sdk/dotnet/CostManagement/Connector.cs @@ -128,8 +128,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20180801preview:Connector" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20190301preview:CloudConnector" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20190301preview:Connector" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement:CloudConnector" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20180801preview:costmanagement:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20190301preview:costmanagement:Connector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/CostAllocationRule.cs b/sdk/dotnet/CostManagement/CostAllocationRule.cs index fe2e51b100b8..5451883a44a0 100644 --- a/sdk/dotnet/CostManagement/CostAllocationRule.cs +++ b/sdk/dotnet/CostManagement/CostAllocationRule.cs @@ -73,7 +73,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230901:CostAllocationRule" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20231101:CostAllocationRule" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20240801:CostAllocationRule" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20241001preview:CostAllocationRule" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20200301preview:costmanagement:CostAllocationRule" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230801:costmanagement:CostAllocationRule" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230901:costmanagement:CostAllocationRule" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20231101:costmanagement:CostAllocationRule" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20240801:costmanagement:CostAllocationRule" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20241001preview:costmanagement:CostAllocationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/Export.cs b/sdk/dotnet/CostManagement/Export.cs index d6cc3ce5d608..0eb913b74095 100644 --- a/sdk/dotnet/CostManagement/Export.cs +++ b/sdk/dotnet/CostManagement/Export.cs @@ -122,15 +122,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20190101:Export" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20190901:Export" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20191001:Export" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20191101:Export" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20200601:Export" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20201201preview:Export" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20210101:Export" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20211001:Export" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221001:Export" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230301:Export" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230401preview:Export" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230701preview:Export" }, @@ -138,7 +130,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230901:Export" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20231101:Export" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20240801:Export" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20241001preview:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20190101:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20190901:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20191001:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20191101:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20200601:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20201201preview:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20210101:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20211001:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221001:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230301:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230401preview:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230701preview:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230801:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230901:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20231101:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20240801:costmanagement:Export" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20241001preview:costmanagement:Export" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/MarkupRule.cs b/sdk/dotnet/CostManagement/MarkupRule.cs index 14a601fc048d..87fee04513bf 100644 --- a/sdk/dotnet/CostManagement/MarkupRule.cs +++ b/sdk/dotnet/CostManagement/MarkupRule.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221005preview:MarkupRule" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221005preview:costmanagement:MarkupRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/Report.cs b/sdk/dotnet/CostManagement/Report.cs index ffe6fb9d4c86..63933163a1cb 100644 --- a/sdk/dotnet/CostManagement/Report.cs +++ b/sdk/dotnet/CostManagement/Report.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20180801preview:Report" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20180801preview:costmanagement:Report" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/ReportByBillingAccount.cs b/sdk/dotnet/CostManagement/ReportByBillingAccount.cs index 060a441451d4..c4ea003237ac 100644 --- a/sdk/dotnet/CostManagement/ReportByBillingAccount.cs +++ b/sdk/dotnet/CostManagement/ReportByBillingAccount.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20180801preview:ReportByBillingAccount" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20180801preview:costmanagement:ReportByBillingAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/ReportByDepartment.cs b/sdk/dotnet/CostManagement/ReportByDepartment.cs index 21ca5506eaee..70c67898edd1 100644 --- a/sdk/dotnet/CostManagement/ReportByDepartment.cs +++ b/sdk/dotnet/CostManagement/ReportByDepartment.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20180801preview:ReportByDepartment" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20180801preview:costmanagement:ReportByDepartment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/ReportByResourceGroupName.cs b/sdk/dotnet/CostManagement/ReportByResourceGroupName.cs index 88776b42aa98..50be3dba03dd 100644 --- a/sdk/dotnet/CostManagement/ReportByResourceGroupName.cs +++ b/sdk/dotnet/CostManagement/ReportByResourceGroupName.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20180801preview:ReportByResourceGroupName" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20180801preview:costmanagement:ReportByResourceGroupName" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/ScheduledAction.cs b/sdk/dotnet/CostManagement/ScheduledAction.cs index f81a2e20bfae..f1b6d3697c65 100644 --- a/sdk/dotnet/CostManagement/ScheduledAction.cs +++ b/sdk/dotnet/CostManagement/ScheduledAction.cs @@ -128,9 +128,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20220401preview:ScheduledAction" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20220601preview:ScheduledAction" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221001:ScheduledAction" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230301:ScheduledAction" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230401preview:ScheduledAction" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230701preview:ScheduledAction" }, @@ -138,7 +135,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230901:ScheduledAction" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20231101:ScheduledAction" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20240801:ScheduledAction" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20241001preview:ScheduledAction" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20220401preview:costmanagement:ScheduledAction" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20220601preview:costmanagement:ScheduledAction" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221001:costmanagement:ScheduledAction" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230301:costmanagement:ScheduledAction" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230401preview:costmanagement:ScheduledAction" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230701preview:costmanagement:ScheduledAction" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230801:costmanagement:ScheduledAction" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230901:costmanagement:ScheduledAction" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20231101:costmanagement:ScheduledAction" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20240801:costmanagement:ScheduledAction" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20241001preview:costmanagement:ScheduledAction" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/ScheduledActionByScope.cs b/sdk/dotnet/CostManagement/ScheduledActionByScope.cs index 4d3b1fc6bd35..e57335c76263 100644 --- a/sdk/dotnet/CostManagement/ScheduledActionByScope.cs +++ b/sdk/dotnet/CostManagement/ScheduledActionByScope.cs @@ -128,9 +128,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20220401preview:ScheduledActionByScope" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20220601preview:ScheduledActionByScope" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221001:ScheduledActionByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230301:ScheduledActionByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230401preview:ScheduledActionByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230701preview:ScheduledActionByScope" }, @@ -138,7 +135,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230901:ScheduledActionByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20231101:ScheduledActionByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20240801:ScheduledActionByScope" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20241001preview:ScheduledActionByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20220401preview:costmanagement:ScheduledActionByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20220601preview:costmanagement:ScheduledActionByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221001:costmanagement:ScheduledActionByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230301:costmanagement:ScheduledActionByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230401preview:costmanagement:ScheduledActionByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230701preview:costmanagement:ScheduledActionByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230801:costmanagement:ScheduledActionByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230901:costmanagement:ScheduledActionByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20231101:costmanagement:ScheduledActionByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20240801:costmanagement:ScheduledActionByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20241001preview:costmanagement:ScheduledActionByScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/Setting.cs b/sdk/dotnet/CostManagement/Setting.cs index 6d3efdaa99b0..a2cd71a05235 100644 --- a/sdk/dotnet/CostManagement/Setting.cs +++ b/sdk/dotnet/CostManagement/Setting.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20191101:Setting" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20191101:costmanagement:Setting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/TagInheritanceSetting.cs b/sdk/dotnet/CostManagement/TagInheritanceSetting.cs index 5e740632b25a..50ac8595de4c 100644 --- a/sdk/dotnet/CostManagement/TagInheritanceSetting.cs +++ b/sdk/dotnet/CostManagement/TagInheritanceSetting.cs @@ -80,13 +80,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221001preview:TagInheritanceSetting" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221005preview:TagInheritanceSetting" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230801:TagInheritanceSetting" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230901:TagInheritanceSetting" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20231101:TagInheritanceSetting" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20240801:TagInheritanceSetting" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20241001preview:TagInheritanceSetting" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221001preview:costmanagement:TagInheritanceSetting" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221005preview:costmanagement:TagInheritanceSetting" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230801:costmanagement:TagInheritanceSetting" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230901:costmanagement:TagInheritanceSetting" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20231101:costmanagement:TagInheritanceSetting" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20240801:costmanagement:TagInheritanceSetting" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20241001preview:costmanagement:TagInheritanceSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/View.cs b/sdk/dotnet/CostManagement/View.cs index 4050507444d8..748255b76493 100644 --- a/sdk/dotnet/CostManagement/View.cs +++ b/sdk/dotnet/CostManagement/View.cs @@ -158,13 +158,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20190401preview:View" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20191101:View" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20200601:View" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20211001:View" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20220801preview:View" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221001:View" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221001preview:View" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221005preview:View" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230301:View" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230401preview:View" }, @@ -173,7 +169,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230901:View" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20231101:View" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20240801:View" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20241001preview:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20190401preview:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20191101:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20200601:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20211001:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20220801preview:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221001:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221001preview:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221005preview:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230301:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230401preview:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230701preview:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230801:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230901:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20231101:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20240801:costmanagement:View" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20241001preview:costmanagement:View" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CostManagement/ViewByScope.cs b/sdk/dotnet/CostManagement/ViewByScope.cs index 948582fff0fd..67cb61e23d6d 100644 --- a/sdk/dotnet/CostManagement/ViewByScope.cs +++ b/sdk/dotnet/CostManagement/ViewByScope.cs @@ -158,13 +158,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20190401preview:ViewByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20191101:ViewByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20200601:ViewByScope" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20211001:ViewByScope" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20220801preview:ViewByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221001:ViewByScope" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221001preview:ViewByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20221005preview:ViewByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230301:ViewByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230401preview:ViewByScope" }, @@ -173,7 +169,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20230901:ViewByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20231101:ViewByScope" }, new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20240801:ViewByScope" }, - new global::Pulumi.Alias { Type = "azure-native:costmanagement/v20241001preview:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20190401preview:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20191101:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20200601:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20211001:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20220801preview:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221001:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221001preview:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20221005preview:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230301:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230401preview:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230701preview:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230801:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20230901:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20231101:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20240801:costmanagement:ViewByScope" }, + new global::Pulumi.Alias { Type = "azure-native_costmanagement_v20241001preview:costmanagement:ViewByScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomProviders/Association.cs b/sdk/dotnet/CustomProviders/Association.cs index 2eeef89ab643..e6ac47098c30 100644 --- a/sdk/dotnet/CustomProviders/Association.cs +++ b/sdk/dotnet/CustomProviders/Association.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:customproviders/v20180901preview:Association" }, + new global::Pulumi.Alias { Type = "azure-native_customproviders_v20180901preview:customproviders:Association" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomProviders/CustomResourceProvider.cs b/sdk/dotnet/CustomProviders/CustomResourceProvider.cs index 93544f18ed56..41f886cdbb99 100644 --- a/sdk/dotnet/CustomProviders/CustomResourceProvider.cs +++ b/sdk/dotnet/CustomProviders/CustomResourceProvider.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:customproviders/v20180901preview:CustomResourceProvider" }, + new global::Pulumi.Alias { Type = "azure-native_customproviders_v20180901preview:customproviders:CustomResourceProvider" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomerInsights/Connector.cs b/sdk/dotnet/CustomerInsights/Connector.cs index 0a82e18da842..e034aefedff2 100644 --- a/sdk/dotnet/CustomerInsights/Connector.cs +++ b/sdk/dotnet/CustomerInsights/Connector.cs @@ -126,8 +126,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170101:Connector" }, new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170426:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170101:customerinsights:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170426:customerinsights:Connector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomerInsights/ConnectorMapping.cs b/sdk/dotnet/CustomerInsights/ConnectorMapping.cs index 43ba2a984c27..81425f7b8a86 100644 --- a/sdk/dotnet/CustomerInsights/ConnectorMapping.cs +++ b/sdk/dotnet/CustomerInsights/ConnectorMapping.cs @@ -150,8 +150,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170101:ConnectorMapping" }, new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170426:ConnectorMapping" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170101:customerinsights:ConnectorMapping" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170426:customerinsights:ConnectorMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomerInsights/Hub.cs b/sdk/dotnet/CustomerInsights/Hub.cs index 0b6c8e36e234..7bad8aebb130 100644 --- a/sdk/dotnet/CustomerInsights/Hub.cs +++ b/sdk/dotnet/CustomerInsights/Hub.cs @@ -102,8 +102,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170101:Hub" }, new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170426:Hub" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170101:customerinsights:Hub" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170426:customerinsights:Hub" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomerInsights/Kpi.cs b/sdk/dotnet/CustomerInsights/Kpi.cs index c4e640a336a9..7860770c7738 100644 --- a/sdk/dotnet/CustomerInsights/Kpi.cs +++ b/sdk/dotnet/CustomerInsights/Kpi.cs @@ -174,8 +174,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170101:Kpi" }, new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170426:Kpi" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170101:customerinsights:Kpi" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170426:customerinsights:Kpi" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomerInsights/Link.cs b/sdk/dotnet/CustomerInsights/Link.cs index 55ebade8218a..11a8ee33af9b 100644 --- a/sdk/dotnet/CustomerInsights/Link.cs +++ b/sdk/dotnet/CustomerInsights/Link.cs @@ -138,8 +138,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170101:Link" }, new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170426:Link" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170101:customerinsights:Link" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170426:customerinsights:Link" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomerInsights/Prediction.cs b/sdk/dotnet/CustomerInsights/Prediction.cs index 3911ab094922..364b3491dd71 100644 --- a/sdk/dotnet/CustomerInsights/Prediction.cs +++ b/sdk/dotnet/CustomerInsights/Prediction.cs @@ -163,6 +163,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170426:Prediction" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170426:customerinsights:Prediction" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomerInsights/Profile.cs b/sdk/dotnet/CustomerInsights/Profile.cs index 19fc5147e913..c58646a5b1dc 100644 --- a/sdk/dotnet/CustomerInsights/Profile.cs +++ b/sdk/dotnet/CustomerInsights/Profile.cs @@ -168,8 +168,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170101:Profile" }, new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170426:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170101:customerinsights:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170426:customerinsights:Profile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomerInsights/Relationship.cs b/sdk/dotnet/CustomerInsights/Relationship.cs index ae9e0cc3bd2f..e7d996bcf509 100644 --- a/sdk/dotnet/CustomerInsights/Relationship.cs +++ b/sdk/dotnet/CustomerInsights/Relationship.cs @@ -132,8 +132,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170101:Relationship" }, new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170426:Relationship" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170101:customerinsights:Relationship" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170426:customerinsights:Relationship" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomerInsights/RelationshipLink.cs b/sdk/dotnet/CustomerInsights/RelationshipLink.cs index e41c155f756b..8b3e9fa8532d 100644 --- a/sdk/dotnet/CustomerInsights/RelationshipLink.cs +++ b/sdk/dotnet/CustomerInsights/RelationshipLink.cs @@ -126,8 +126,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170101:RelationshipLink" }, new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170426:RelationshipLink" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170101:customerinsights:RelationshipLink" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170426:customerinsights:RelationshipLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomerInsights/RoleAssignment.cs b/sdk/dotnet/CustomerInsights/RoleAssignment.cs index 7bd9442152fa..409d831bf0ff 100644 --- a/sdk/dotnet/CustomerInsights/RoleAssignment.cs +++ b/sdk/dotnet/CustomerInsights/RoleAssignment.cs @@ -180,8 +180,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170101:RoleAssignment" }, new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170426:RoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170101:customerinsights:RoleAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170426:customerinsights:RoleAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/CustomerInsights/View.cs b/sdk/dotnet/CustomerInsights/View.cs index 521cb84cefa9..93b6b5de7f83 100644 --- a/sdk/dotnet/CustomerInsights/View.cs +++ b/sdk/dotnet/CustomerInsights/View.cs @@ -102,8 +102,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170101:View" }, new global::Pulumi.Alias { Type = "azure-native:customerinsights/v20170426:View" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170101:customerinsights:View" }, + new global::Pulumi.Alias { Type = "azure-native_customerinsights_v20170426:customerinsights:View" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMariaDB/Configuration.cs b/sdk/dotnet/DBforMariaDB/Configuration.cs index 3dfc95f805a4..d652c981597d 100644 --- a/sdk/dotnet/DBforMariaDB/Configuration.cs +++ b/sdk/dotnet/DBforMariaDB/Configuration.cs @@ -98,6 +98,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601:Configuration" }, new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601preview:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601:dbformariadb:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601preview:dbformariadb:Configuration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMariaDB/Database.cs b/sdk/dotnet/DBforMariaDB/Database.cs index a0c5f71098a5..010897827d57 100644 --- a/sdk/dotnet/DBforMariaDB/Database.cs +++ b/sdk/dotnet/DBforMariaDB/Database.cs @@ -74,6 +74,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601:Database" }, new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601preview:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601:dbformariadb:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601preview:dbformariadb:Database" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMariaDB/FirewallRule.cs b/sdk/dotnet/DBforMariaDB/FirewallRule.cs index 96097e002433..a863bc4b0e76 100644 --- a/sdk/dotnet/DBforMariaDB/FirewallRule.cs +++ b/sdk/dotnet/DBforMariaDB/FirewallRule.cs @@ -74,6 +74,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601preview:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601:dbformariadb:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601preview:dbformariadb:FirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMariaDB/PrivateEndpointConnection.cs b/sdk/dotnet/DBforMariaDB/PrivateEndpointConnection.cs index 7f9ebc2dc5ca..69792adcdfae 100644 --- a/sdk/dotnet/DBforMariaDB/PrivateEndpointConnection.cs +++ b/sdk/dotnet/DBforMariaDB/PrivateEndpointConnection.cs @@ -80,6 +80,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601privatepreview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601:dbformariadb:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601privatepreview:dbformariadb:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMariaDB/Server.cs b/sdk/dotnet/DBforMariaDB/Server.cs index c414d984c99d..ef80b3931cd4 100644 --- a/sdk/dotnet/DBforMariaDB/Server.cs +++ b/sdk/dotnet/DBforMariaDB/Server.cs @@ -158,6 +158,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601preview:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601:dbformariadb:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601preview:dbformariadb:Server" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMariaDB/VirtualNetworkRule.cs b/sdk/dotnet/DBforMariaDB/VirtualNetworkRule.cs index 8a2b45de77e4..9dfab53479d7 100644 --- a/sdk/dotnet/DBforMariaDB/VirtualNetworkRule.cs +++ b/sdk/dotnet/DBforMariaDB/VirtualNetworkRule.cs @@ -80,6 +80,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601:VirtualNetworkRule" }, new global::Pulumi.Alias { Type = "azure-native:dbformariadb/v20180601preview:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601:dbformariadb:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformariadb_v20180601preview:dbformariadb:VirtualNetworkRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/AzureADAdministrator.cs b/sdk/dotnet/DBforMySQL/AzureADAdministrator.cs index 3e531c1cdfd9..785113b85a32 100644 --- a/sdk/dotnet/DBforMySQL/AzureADAdministrator.cs +++ b/sdk/dotnet/DBforMySQL/AzureADAdministrator.cs @@ -98,11 +98,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20211201preview:AzureADAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20220101:AzureADAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20230601preview:AzureADAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20230630:AzureADAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20231230:AzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20211201preview:dbformysql:AzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20220101:dbformysql:AzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20230601preview:dbformysql:AzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20230630:dbformysql:AzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20231230:dbformysql:AzureADAdministrator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/Configuration.cs b/sdk/dotnet/DBforMySQL/Configuration.cs index 6e64cce7a6a6..a003b09cba79 100644 --- a/sdk/dotnet/DBforMySQL/Configuration.cs +++ b/sdk/dotnet/DBforMySQL/Configuration.cs @@ -134,16 +134,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:Configuration" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20200701preview:Configuration" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20200701privatepreview:Configuration" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20210501:Configuration" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20210501preview:Configuration" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20211201preview:Configuration" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20220101:Configuration" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20230601preview:Configuration" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20230630:Configuration" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20231230:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20200701preview:dbformysql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20200701privatepreview:dbformysql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20210501:dbformysql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20210501preview:dbformysql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20211201preview:dbformysql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20220101:dbformysql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20230601preview:dbformysql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20230630:dbformysql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20231230:dbformysql:Configuration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/Database.cs b/sdk/dotnet/DBforMySQL/Database.cs index b2b1772068cf..54fd39312c2e 100644 --- a/sdk/dotnet/DBforMySQL/Database.cs +++ b/sdk/dotnet/DBforMySQL/Database.cs @@ -80,16 +80,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20200701preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20200701privatepreview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20210501:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20210501preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20211201preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20220101:Database" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20230601preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20230630:Database" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20231230:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20200701preview:dbformysql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20200701privatepreview:dbformysql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20210501:dbformysql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20210501preview:dbformysql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20211201preview:dbformysql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20220101:dbformysql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20230601preview:dbformysql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20230630:dbformysql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20231230:dbformysql:Database" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/FirewallRule.cs b/sdk/dotnet/DBforMySQL/FirewallRule.cs index ae64e1574516..cf6069e3a8de 100644 --- a/sdk/dotnet/DBforMySQL/FirewallRule.cs +++ b/sdk/dotnet/DBforMySQL/FirewallRule.cs @@ -80,16 +80,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20200701preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20200701privatepreview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20210501:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20210501preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20211201preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20220101:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20230601preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20230630:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20231230:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20200701preview:dbformysql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20200701privatepreview:dbformysql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20210501:dbformysql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20210501preview:dbformysql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20211201preview:dbformysql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20220101:dbformysql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20230601preview:dbformysql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20230630:dbformysql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20231230:dbformysql:FirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/PrivateEndpointConnection.cs b/sdk/dotnet/DBforMySQL/PrivateEndpointConnection.cs index ff5ee96b4605..b303893c16f7 100644 --- a/sdk/dotnet/DBforMySQL/PrivateEndpointConnection.cs +++ b/sdk/dotnet/DBforMySQL/PrivateEndpointConnection.cs @@ -92,9 +92,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20180601privatepreview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20220930preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20230630:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20220930preview:dbformysql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20230630:dbformysql:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/Server.cs b/sdk/dotnet/DBforMySQL/Server.cs index 644cd3b258e3..e172f4d7f7d9 100644 --- a/sdk/dotnet/DBforMySQL/Server.cs +++ b/sdk/dotnet/DBforMySQL/Server.cs @@ -188,13 +188,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20180601privatepreview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20200701preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20200701privatepreview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20210501:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20210501preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20211201preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20220101:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20220930preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20230601preview:Server" }, @@ -205,6 +200,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20240201preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20240601preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20241001preview:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20200701preview:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20200701privatepreview:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20210501:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20210501preview:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20211201preview:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20220101:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20220930preview:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20230601preview:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20230630:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20231001preview:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20231201preview:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20231230:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20240201preview:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20240601preview:dbformysql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20241001preview:dbformysql:Server" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/SingleServer.cs b/sdk/dotnet/DBforMySQL/SingleServer.cs index 31f8995fba07..1933d2112f11 100644 --- a/sdk/dotnet/DBforMySQL/SingleServer.cs +++ b/sdk/dotnet/DBforMySQL/SingleServer.cs @@ -175,10 +175,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:SingleServer" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201preview:SingleServer" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20180601privatepreview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20180601privatepreview:SingleServer" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201:dbformysql:SingleServer" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201preview:dbformysql:SingleServer" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/SingleServerConfiguration.cs b/sdk/dotnet/DBforMySQL/SingleServerConfiguration.cs index e77421a536d0..785a6455460f 100644 --- a/sdk/dotnet/DBforMySQL/SingleServerConfiguration.cs +++ b/sdk/dotnet/DBforMySQL/SingleServerConfiguration.cs @@ -97,9 +97,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:Configuration" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:SingleServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201preview:SingleServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20180601privatepreview:SingleServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201:dbformysql:SingleServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201preview:dbformysql:SingleServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/SingleServerDatabase.cs b/sdk/dotnet/DBforMySQL/SingleServerDatabase.cs index 522a56bba8f7..3ffdbab12c0f 100644 --- a/sdk/dotnet/DBforMySQL/SingleServerDatabase.cs +++ b/sdk/dotnet/DBforMySQL/SingleServerDatabase.cs @@ -73,9 +73,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:SingleServerDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201preview:SingleServerDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20180601privatepreview:SingleServerDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201:dbformysql:SingleServerDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201preview:dbformysql:SingleServerDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/SingleServerFirewallRule.cs b/sdk/dotnet/DBforMySQL/SingleServerFirewallRule.cs index 8f84fec920ec..9d1067e99171 100644 --- a/sdk/dotnet/DBforMySQL/SingleServerFirewallRule.cs +++ b/sdk/dotnet/DBforMySQL/SingleServerFirewallRule.cs @@ -73,9 +73,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:SingleServerFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201preview:SingleServerFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20180601privatepreview:SingleServerFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201:dbformysql:SingleServerFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201preview:dbformysql:SingleServerFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerFirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/SingleServerServerAdministrator.cs b/sdk/dotnet/DBforMySQL/SingleServerServerAdministrator.cs index eeed43ec5109..7bb22a8c3c36 100644 --- a/sdk/dotnet/DBforMySQL/SingleServerServerAdministrator.cs +++ b/sdk/dotnet/DBforMySQL/SingleServerServerAdministrator.cs @@ -85,10 +85,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:ServerAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:SingleServerServerAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201preview:SingleServerServerAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20180601privatepreview:ServerAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20180601privatepreview:SingleServerServerAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201:dbformysql:SingleServerServerAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201preview:dbformysql:SingleServerServerAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerServerAdministrator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforMySQL/SingleServerVirtualNetworkRule.cs b/sdk/dotnet/DBforMySQL/SingleServerVirtualNetworkRule.cs index 594d7f672a68..c3776568c5ca 100644 --- a/sdk/dotnet/DBforMySQL/SingleServerVirtualNetworkRule.cs +++ b/sdk/dotnet/DBforMySQL/SingleServerVirtualNetworkRule.cs @@ -78,11 +78,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:SingleServerVirtualNetworkRule" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20171201preview:SingleServerVirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20180601privatepreview:SingleServerVirtualNetworkRule" }, new global::Pulumi.Alias { Type = "azure-native:dbformysql/v20180601privatepreview:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201:dbformysql:SingleServerVirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20171201preview:dbformysql:SingleServerVirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerVirtualNetworkRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/Administrator.cs b/sdk/dotnet/DBforPostgreSQL/Administrator.cs index 2462cddb9e0b..8d22e63cc890 100644 --- a/sdk/dotnet/DBforPostgreSQL/Administrator.cs +++ b/sdk/dotnet/DBforPostgreSQL/Administrator.cs @@ -92,7 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20220308preview:Administrator" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221201:Administrator" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230301preview:Administrator" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230601preview:Administrator" }, @@ -100,6 +99,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240301preview:Administrator" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240801:Administrator" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20241101preview:Administrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Administrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Administrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Administrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Administrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Administrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Administrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Administrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Administrator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/Backup.cs b/sdk/dotnet/DBforPostgreSQL/Backup.cs index 69c18ede6fb9..5b20041770c8 100644 --- a/sdk/dotnet/DBforPostgreSQL/Backup.cs +++ b/sdk/dotnet/DBforPostgreSQL/Backup.cs @@ -89,6 +89,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240301preview:Backup" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240801:Backup" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20241101preview:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Backup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/Configuration.cs b/sdk/dotnet/DBforPostgreSQL/Configuration.cs index 0ec7e4eae0ef..c420c4d2dde2 100644 --- a/sdk/dotnet/DBforPostgreSQL/Configuration.cs +++ b/sdk/dotnet/DBforPostgreSQL/Configuration.cs @@ -134,12 +134,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:Configuration" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210601:Configuration" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210601preview:Configuration" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210615privatepreview:Configuration" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20220120preview:Configuration" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20220308preview:Configuration" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221201:Configuration" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230301preview:Configuration" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230601preview:Configuration" }, @@ -147,6 +141,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240301preview:Configuration" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240801:Configuration" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20241101preview:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210601:dbforpostgresql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Configuration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Configuration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/Database.cs b/sdk/dotnet/DBforPostgreSQL/Database.cs index 1a081e6f3da6..3b0065db2106 100644 --- a/sdk/dotnet/DBforPostgreSQL/Database.cs +++ b/sdk/dotnet/DBforPostgreSQL/Database.cs @@ -80,12 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20201105preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210601:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210601preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20220120preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20220308preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221201:Database" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230301preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230601preview:Database" }, @@ -93,6 +87,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240301preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240801:Database" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20241101preview:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20201105preview:dbforpostgresql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210601:dbforpostgresql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Database" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/FirewallRule.cs b/sdk/dotnet/DBforPostgreSQL/FirewallRule.cs index 65061afe47b9..6f09c93125e4 100644 --- a/sdk/dotnet/DBforPostgreSQL/FirewallRule.cs +++ b/sdk/dotnet/DBforPostgreSQL/FirewallRule.cs @@ -80,25 +80,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20200214preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20200214privatepreview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20201005privatepreview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210410privatepreview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210601:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210601preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210615privatepreview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20220120preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20220308preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221108:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221201:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230301preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230302preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230601preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20231201preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240301preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240801:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20241101preview:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20200214preview:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20200214privatepreview:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210410privatepreview:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210601:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20221201:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240801:dbforpostgresql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:FirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/Migration.cs b/sdk/dotnet/DBforPostgreSQL/Migration.cs index 2d3f6fc684fd..d845f705e0cd 100644 --- a/sdk/dotnet/DBforPostgreSQL/Migration.cs +++ b/sdk/dotnet/DBforPostgreSQL/Migration.cs @@ -232,6 +232,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240301preview:Migration" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240801:Migration" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20241101preview:Migration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:Migration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20220501preview:dbforpostgresql:Migration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Migration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Migration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Migration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Migration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Migration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Migration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/PrivateEndpointConnection.cs b/sdk/dotnet/DBforPostgreSQL/PrivateEndpointConnection.cs index ce57d5e59b43..a97059fcecdf 100644 --- a/sdk/dotnet/DBforPostgreSQL/PrivateEndpointConnection.cs +++ b/sdk/dotnet/DBforPostgreSQL/PrivateEndpointConnection.cs @@ -92,14 +92,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20180601privatepreview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221108:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230302preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230601preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20231201preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240301preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240801:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20241101preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240801:dbforpostgresql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/Server.cs b/sdk/dotnet/DBforPostgreSQL/Server.cs index c69ec854f32c..9c224b9d599c 100644 --- a/sdk/dotnet/DBforPostgreSQL/Server.cs +++ b/sdk/dotnet/DBforPostgreSQL/Server.cs @@ -200,15 +200,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20200214preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20200214privatepreview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210410privatepreview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210601:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210601preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20210615privatepreview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20220120preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20220308preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221201:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230301preview:Server" }, @@ -217,6 +211,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240301preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240801:Server" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20241101preview:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20200214preview:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20200214privatepreview:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210410privatepreview:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210601:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Server" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/ServerGroupCluster.cs b/sdk/dotnet/DBforPostgreSQL/ServerGroupCluster.cs index 24172e05ba47..ffab9473663a 100644 --- a/sdk/dotnet/DBforPostgreSQL/ServerGroupCluster.cs +++ b/sdk/dotnet/DBforPostgreSQL/ServerGroupCluster.cs @@ -273,12 +273,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20201005privatepreview:ServerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20201005privatepreview:ServerGroupCluster" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221108:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221108:ServerGroupCluster" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230302preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230302preview:ServerGroupCluster" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20201005privatepreview:dbforpostgresql:ServerGroupCluster" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupCluster" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/ServerGroupFirewallRule.cs b/sdk/dotnet/DBforPostgreSQL/ServerGroupFirewallRule.cs index 32a0ff7125f6..54fc346f5532 100644 --- a/sdk/dotnet/DBforPostgreSQL/ServerGroupFirewallRule.cs +++ b/sdk/dotnet/DBforPostgreSQL/ServerGroupFirewallRule.cs @@ -87,11 +87,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20201005privatepreview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20201005privatepreview:ServerGroupFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221108:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221108:ServerGroupFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230302preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230302preview:ServerGroupFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20201005privatepreview:dbforpostgresql:ServerGroupFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupFirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/ServerGroupPrivateEndpointConnection.cs b/sdk/dotnet/DBforPostgreSQL/ServerGroupPrivateEndpointConnection.cs index 0205ca723350..4033e44b1e3c 100644 --- a/sdk/dotnet/DBforPostgreSQL/ServerGroupPrivateEndpointConnection.cs +++ b/sdk/dotnet/DBforPostgreSQL/ServerGroupPrivateEndpointConnection.cs @@ -93,10 +93,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221108:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221108:ServerGroupPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230302preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230302preview:ServerGroupPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupPrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/ServerGroupRole.cs b/sdk/dotnet/DBforPostgreSQL/ServerGroupRole.cs index 6f241d5ecb6f..b103e4f93785 100644 --- a/sdk/dotnet/DBforPostgreSQL/ServerGroupRole.cs +++ b/sdk/dotnet/DBforPostgreSQL/ServerGroupRole.cs @@ -87,10 +87,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221108:Role" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20221108:ServerGroupRole" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230302preview:Role" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20230302preview:ServerGroupRole" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql:Role" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupRole" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupRole" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/SingleServer.cs b/sdk/dotnet/DBforPostgreSQL/SingleServer.cs index 949e9d53321c..710659d9a9cc 100644 --- a/sdk/dotnet/DBforPostgreSQL/SingleServer.cs +++ b/sdk/dotnet/DBforPostgreSQL/SingleServer.cs @@ -175,9 +175,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:SingleServer" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:SingleServer" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServer" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/SingleServerConfiguration.cs b/sdk/dotnet/DBforPostgreSQL/SingleServerConfiguration.cs index 7d23975c2506..9fdab48154c5 100644 --- a/sdk/dotnet/DBforPostgreSQL/SingleServerConfiguration.cs +++ b/sdk/dotnet/DBforPostgreSQL/SingleServerConfiguration.cs @@ -97,8 +97,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:Configuration" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:SingleServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:SingleServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/SingleServerDatabase.cs b/sdk/dotnet/DBforPostgreSQL/SingleServerDatabase.cs index 24ac0c92bff9..204747cf83e7 100644 --- a/sdk/dotnet/DBforPostgreSQL/SingleServerDatabase.cs +++ b/sdk/dotnet/DBforPostgreSQL/SingleServerDatabase.cs @@ -73,8 +73,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:Database" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:SingleServerDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:SingleServerDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/SingleServerFirewallRule.cs b/sdk/dotnet/DBforPostgreSQL/SingleServerFirewallRule.cs index af0bc5e18e79..509dd7eb541a 100644 --- a/sdk/dotnet/DBforPostgreSQL/SingleServerFirewallRule.cs +++ b/sdk/dotnet/DBforPostgreSQL/SingleServerFirewallRule.cs @@ -73,8 +73,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:SingleServerFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:SingleServerFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerFirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/SingleServerServerAdministrator.cs b/sdk/dotnet/DBforPostgreSQL/SingleServerServerAdministrator.cs index 458512e8ada1..6db6cc952319 100644 --- a/sdk/dotnet/DBforPostgreSQL/SingleServerServerAdministrator.cs +++ b/sdk/dotnet/DBforPostgreSQL/SingleServerServerAdministrator.cs @@ -85,9 +85,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:ServerAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:SingleServerServerAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:ServerAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:SingleServerServerAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerServerAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerServerAdministrator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/SingleServerServerSecurityAlertPolicy.cs b/sdk/dotnet/DBforPostgreSQL/SingleServerServerSecurityAlertPolicy.cs index f57b12465dbd..468d57a66dc9 100644 --- a/sdk/dotnet/DBforPostgreSQL/SingleServerServerSecurityAlertPolicy.cs +++ b/sdk/dotnet/DBforPostgreSQL/SingleServerServerSecurityAlertPolicy.cs @@ -103,9 +103,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:SingleServerServerSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:SingleServerServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerServerSecurityAlertPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/SingleServerVirtualNetworkRule.cs b/sdk/dotnet/DBforPostgreSQL/SingleServerVirtualNetworkRule.cs index 061c14aff0a1..de6be61e5433 100644 --- a/sdk/dotnet/DBforPostgreSQL/SingleServerVirtualNetworkRule.cs +++ b/sdk/dotnet/DBforPostgreSQL/SingleServerVirtualNetworkRule.cs @@ -78,10 +78,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:SingleServerVirtualNetworkRule" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:SingleServerVirtualNetworkRule" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20171201preview:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerVirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerVirtualNetworkRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DBforPostgreSQL/VirtualEndpoint.cs b/sdk/dotnet/DBforPostgreSQL/VirtualEndpoint.cs index f628038c0d0a..215399470425 100644 --- a/sdk/dotnet/DBforPostgreSQL/VirtualEndpoint.cs +++ b/sdk/dotnet/DBforPostgreSQL/VirtualEndpoint.cs @@ -91,6 +91,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240301preview:VirtualEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20240801:VirtualEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:dbforpostgresql/v20241101preview:VirtualEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:VirtualEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:VirtualEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:VirtualEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20240801:dbforpostgresql:VirtualEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:VirtualEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Dashboard/Grafana.cs b/sdk/dotnet/Dashboard/Grafana.cs index 46bc44ba20a1..53307c8dafde 100644 --- a/sdk/dotnet/Dashboard/Grafana.cs +++ b/sdk/dotnet/Dashboard/Grafana.cs @@ -99,12 +99,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dashboard/v20210901preview:Grafana" }, - new global::Pulumi.Alias { Type = "azure-native:dashboard/v20220501preview:Grafana" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20220801:Grafana" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20221001preview:Grafana" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20230901:Grafana" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20231001preview:Grafana" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20241001:Grafana" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20210901preview:dashboard:Grafana" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20220501preview:dashboard:Grafana" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20220801:dashboard:Grafana" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20221001preview:dashboard:Grafana" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20230901:dashboard:Grafana" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20231001preview:dashboard:Grafana" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20241001:dashboard:Grafana" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Dashboard/IntegrationFabric.cs b/sdk/dotnet/Dashboard/IntegrationFabric.cs index 0bed074b11bd..6ca0d5582c34 100644 --- a/sdk/dotnet/Dashboard/IntegrationFabric.cs +++ b/sdk/dotnet/Dashboard/IntegrationFabric.cs @@ -85,6 +85,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:dashboard/v20231001preview:IntegrationFabric" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20241001:IntegrationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20231001preview:dashboard:IntegrationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20241001:dashboard:IntegrationFabric" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Dashboard/ManagedPrivateEndpoint.cs b/sdk/dotnet/Dashboard/ManagedPrivateEndpoint.cs index 3e86e5d3b7cc..74d19dedaaca 100644 --- a/sdk/dotnet/Dashboard/ManagedPrivateEndpoint.cs +++ b/sdk/dotnet/Dashboard/ManagedPrivateEndpoint.cs @@ -132,6 +132,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dashboard/v20230901:ManagedPrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20231001preview:ManagedPrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20241001:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20221001preview:dashboard:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20230901:dashboard:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20231001preview:dashboard:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20241001:dashboard:ManagedPrivateEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Dashboard/PrivateEndpointConnection.cs b/sdk/dotnet/Dashboard/PrivateEndpointConnection.cs index e59fc0a65cee..20d809828fb3 100644 --- a/sdk/dotnet/Dashboard/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Dashboard/PrivateEndpointConnection.cs @@ -92,12 +92,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dashboard/v20220501preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20220801:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20221001preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20230901:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20231001preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:dashboard/v20241001:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20220501preview:dashboard:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20220801:dashboard:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20221001preview:dashboard:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20230901:dashboard:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20231001preview:dashboard:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_dashboard_v20241001:dashboard:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBox/Job.cs b/sdk/dotnet/DataBox/Job.cs index 28b4fc09ead3..3524938841cf 100644 --- a/sdk/dotnet/DataBox/Job.cs +++ b/sdk/dotnet/DataBox/Job.cs @@ -194,23 +194,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databox/v20180101:Job" }, - new global::Pulumi.Alias { Type = "azure-native:databox/v20190901:Job" }, - new global::Pulumi.Alias { Type = "azure-native:databox/v20200401:Job" }, - new global::Pulumi.Alias { Type = "azure-native:databox/v20201101:Job" }, - new global::Pulumi.Alias { Type = "azure-native:databox/v20210301:Job" }, - new global::Pulumi.Alias { Type = "azure-native:databox/v20210501:Job" }, - new global::Pulumi.Alias { Type = "azure-native:databox/v20210801preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:databox/v20211201:Job" }, - new global::Pulumi.Alias { Type = "azure-native:databox/v20220201:Job" }, - new global::Pulumi.Alias { Type = "azure-native:databox/v20220901:Job" }, - new global::Pulumi.Alias { Type = "azure-native:databox/v20221001:Job" }, new global::Pulumi.Alias { Type = "azure-native:databox/v20221201:Job" }, new global::Pulumi.Alias { Type = "azure-native:databox/v20230301:Job" }, new global::Pulumi.Alias { Type = "azure-native:databox/v20231201:Job" }, new global::Pulumi.Alias { Type = "azure-native:databox/v20240201preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:databox/v20240301preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:databox/v20250201:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20180101:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20190901:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20200401:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20201101:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20210301:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20210501:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20210801preview:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20211201:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20220201:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20220901:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20221001:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20221201:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20230301:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20231201:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20240201preview:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20240301preview:databox:Job" }, + new global::Pulumi.Alias { Type = "azure-native_databox_v20250201:databox:Job" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/ArcAddon.cs b/sdk/dotnet/DataBoxEdge/ArcAddon.cs index 084c46d52b22..4ab0a9ec023b 100644 --- a/sdk/dotnet/DataBoxEdge/ArcAddon.cs +++ b/sdk/dotnet/DataBoxEdge/ArcAddon.cs @@ -128,23 +128,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:ArcAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:ArcAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:ArcAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:ArcAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:ArcAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:ArcAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:ArcAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:ArcAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:IoTAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:ArcAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:ArcAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:ArcAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:ArcAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:IoTAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:ArcAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:IoTAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:ArcAddon" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/BandwidthSchedule.cs b/sdk/dotnet/DataBoxEdge/BandwidthSchedule.cs index 7465dd0ac417..c09d33ed1bdf 100644 --- a/sdk/dotnet/DataBoxEdge/BandwidthSchedule.cs +++ b/sdk/dotnet/DataBoxEdge/BandwidthSchedule.cs @@ -92,23 +92,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:BandwidthSchedule" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:BandwidthSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:BandwidthSchedule" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:BandwidthSchedule" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:BandwidthSchedule" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:BandwidthSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:BandwidthSchedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/CloudEdgeManagementRole.cs b/sdk/dotnet/DataBoxEdge/CloudEdgeManagementRole.cs index 7f306b2969d4..a1cbd446526a 100644 --- a/sdk/dotnet/DataBoxEdge/CloudEdgeManagementRole.cs +++ b/sdk/dotnet/DataBoxEdge/CloudEdgeManagementRole.cs @@ -100,20 +100,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:CloudEdgeManagementRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:CloudEdgeManagementRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:IoTRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:KubernetesRole" }, @@ -129,6 +115,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:databoxedge:IoTRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:KubernetesRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:CloudEdgeManagementRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:CloudEdgeManagementRole" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/Container.cs b/sdk/dotnet/DataBoxEdge/Container.cs index 287ad0b82256..5651056e469a 100644 --- a/sdk/dotnet/DataBoxEdge/Container.cs +++ b/sdk/dotnet/DataBoxEdge/Container.cs @@ -92,21 +92,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:Container" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:Container" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:Container" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:Container" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:Container" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:Container" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:Container" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:Container" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:Container" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:Container" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:Container" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:Container" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:Container" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:Container" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:Container" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:Container" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/Device.cs b/sdk/dotnet/DataBoxEdge/Device.cs index a2867d311777..9006300325be 100644 --- a/sdk/dotnet/DataBoxEdge/Device.cs +++ b/sdk/dotnet/DataBoxEdge/Device.cs @@ -212,23 +212,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:Device" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:Device" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:Device" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:Device" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:Device" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:Device" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:Device" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:Device" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:Device" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:Device" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:Device" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:Device" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:Device" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:Device" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:Device" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:Device" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:Device" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:Device" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/FileEventTrigger.cs b/sdk/dotnet/DataBoxEdge/FileEventTrigger.cs index e64d71fa8c64..d23beb904af9 100644 --- a/sdk/dotnet/DataBoxEdge/FileEventTrigger.cs +++ b/sdk/dotnet/DataBoxEdge/FileEventTrigger.cs @@ -98,20 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:FileEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:FileEventTrigger" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:FileEventTrigger" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:PeriodicTimerEventTrigger" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:FileEventTrigger" }, @@ -119,6 +105,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:FileEventTrigger" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:PeriodicTimerEventTrigger" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:FileEventTrigger" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/IoTAddon.cs b/sdk/dotnet/DataBoxEdge/IoTAddon.cs index 8a52d16e80eb..1d99d01ebbee 100644 --- a/sdk/dotnet/DataBoxEdge/IoTAddon.cs +++ b/sdk/dotnet/DataBoxEdge/IoTAddon.cs @@ -116,23 +116,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:IoTAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:IoTAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:IoTAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:IoTAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:IoTAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:IoTAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:IoTAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:IoTAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:IoTAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:IoTAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:ArcAddon" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:IoTAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:ArcAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:IoTAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:ArcAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:IoTAddon" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:ArcAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:IoTAddon" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:IoTAddon" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/IoTRole.cs b/sdk/dotnet/DataBoxEdge/IoTRole.cs index f732a6eb99ca..d580e87a9ca9 100644 --- a/sdk/dotnet/DataBoxEdge/IoTRole.cs +++ b/sdk/dotnet/DataBoxEdge/IoTRole.cs @@ -128,20 +128,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:IoTRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:IoTRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:IoTRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:KubernetesRole" }, @@ -157,6 +143,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:databoxedge:CloudEdgeManagementRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:KubernetesRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:IoTRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:IoTRole" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/KubernetesRole.cs b/sdk/dotnet/DataBoxEdge/KubernetesRole.cs index 6f248bf838de..1d13bd5987fd 100644 --- a/sdk/dotnet/DataBoxEdge/KubernetesRole.cs +++ b/sdk/dotnet/DataBoxEdge/KubernetesRole.cs @@ -123,20 +123,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:KubernetesRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:KubernetesRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:IoTRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:KubernetesRole" }, @@ -152,6 +138,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:databoxedge:CloudEdgeManagementRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:IoTRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:KubernetesRole" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/MECRole.cs b/sdk/dotnet/DataBoxEdge/MECRole.cs index b4b2d3258bbf..c7de4f10f7f6 100644 --- a/sdk/dotnet/DataBoxEdge/MECRole.cs +++ b/sdk/dotnet/DataBoxEdge/MECRole.cs @@ -104,20 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:MECRole" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:MECRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:IoTRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:KubernetesRole" }, @@ -133,6 +119,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:databoxedge:CloudEdgeManagementRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:IoTRole" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:KubernetesRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:MECRole" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:MECRole" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/MonitoringConfig.cs b/sdk/dotnet/DataBoxEdge/MonitoringConfig.cs index 7450fc9cd1c4..664cc025ca7e 100644 --- a/sdk/dotnet/DataBoxEdge/MonitoringConfig.cs +++ b/sdk/dotnet/DataBoxEdge/MonitoringConfig.cs @@ -74,19 +74,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:MonitoringConfig" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:MonitoringConfig" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:MonitoringConfig" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:MonitoringConfig" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:MonitoringConfig" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:MonitoringConfig" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:MonitoringConfig" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:MonitoringConfig" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:MonitoringConfig" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:MonitoringConfig" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:MonitoringConfig" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:MonitoringConfig" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:MonitoringConfig" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:MonitoringConfig" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/Order.cs b/sdk/dotnet/DataBoxEdge/Order.cs index cd275bfcad70..8bc3aa0c5672 100644 --- a/sdk/dotnet/DataBoxEdge/Order.cs +++ b/sdk/dotnet/DataBoxEdge/Order.cs @@ -128,23 +128,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:Order" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:Order" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:Order" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:Order" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:Order" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:Order" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:Order" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:Order" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:Order" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:Order" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:Order" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:Order" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:Order" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:Order" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:Order" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:Order" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:Order" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:Order" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/PeriodicTimerEventTrigger.cs b/sdk/dotnet/DataBoxEdge/PeriodicTimerEventTrigger.cs index 25d6e92d95a9..a6c92053c99d 100644 --- a/sdk/dotnet/DataBoxEdge/PeriodicTimerEventTrigger.cs +++ b/sdk/dotnet/DataBoxEdge/PeriodicTimerEventTrigger.cs @@ -98,20 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:PeriodicTimerEventTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:PeriodicTimerEventTrigger" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:FileEventTrigger" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:PeriodicTimerEventTrigger" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:FileEventTrigger" }, @@ -119,6 +105,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:FileEventTrigger" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:PeriodicTimerEventTrigger" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge:FileEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:PeriodicTimerEventTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:PeriodicTimerEventTrigger" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/Share.cs b/sdk/dotnet/DataBoxEdge/Share.cs index 73300ec820c0..5d4c3310dd0f 100644 --- a/sdk/dotnet/DataBoxEdge/Share.cs +++ b/sdk/dotnet/DataBoxEdge/Share.cs @@ -128,23 +128,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:Share" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:Share" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:Share" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:Share" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:Share" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:Share" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:Share" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/StorageAccount.cs b/sdk/dotnet/DataBoxEdge/StorageAccount.cs index f1fa5ac6ea45..e65db39a2c0b 100644 --- a/sdk/dotnet/DataBoxEdge/StorageAccount.cs +++ b/sdk/dotnet/DataBoxEdge/StorageAccount.cs @@ -104,21 +104,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:StorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:StorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:StorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:StorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:StorageAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/StorageAccountCredential.cs b/sdk/dotnet/DataBoxEdge/StorageAccountCredential.cs index 9ae5df553949..3460bae861f7 100644 --- a/sdk/dotnet/DataBoxEdge/StorageAccountCredential.cs +++ b/sdk/dotnet/DataBoxEdge/StorageAccountCredential.cs @@ -116,23 +116,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:StorageAccountCredential" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:StorageAccountCredential" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:StorageAccountCredential" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:StorageAccountCredential" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:StorageAccountCredential" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:StorageAccountCredential" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataBoxEdge/User.cs b/sdk/dotnet/DataBoxEdge/User.cs index 8063e8519238..fb9364e1fa3c 100644 --- a/sdk/dotnet/DataBoxEdge/User.cs +++ b/sdk/dotnet/DataBoxEdge/User.cs @@ -86,23 +86,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190301:User" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190701:User" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20190801:User" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200501preview:User" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901:User" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20200901preview:User" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20201201:User" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201:User" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210201preview:User" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601:User" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20210601preview:User" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220301:User" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20220401preview:User" }, - new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20221201preview:User" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230101preview:User" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20230701:User" }, new global::Pulumi.Alias { Type = "azure-native:databoxedge/v20231201:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190301:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190701:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20190801:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200501preview:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20200901preview:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20201201:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210201preview:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20210601preview:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220301:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20220401preview:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20221201preview:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230101preview:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20230701:databoxedge:User" }, + new global::Pulumi.Alias { Type = "azure-native_databoxedge_v20231201:databoxedge:User" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataCatalog/ADCCatalog.cs b/sdk/dotnet/DataCatalog/ADCCatalog.cs index daeb414d75e9..db67ddcb1f58 100644 --- a/sdk/dotnet/DataCatalog/ADCCatalog.cs +++ b/sdk/dotnet/DataCatalog/ADCCatalog.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datacatalog/v20160330:ADCCatalog" }, + new global::Pulumi.Alias { Type = "azure-native_datacatalog_v20160330:datacatalog:ADCCatalog" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/ChangeDataCapture.cs b/sdk/dotnet/DataFactory/ChangeDataCapture.cs index 52642f5510e0..cd100f327ada 100644 --- a/sdk/dotnet/DataFactory/ChangeDataCapture.cs +++ b/sdk/dotnet/DataFactory/ChangeDataCapture.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:ChangeDataCapture" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:ChangeDataCapture" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/CredentialOperation.cs b/sdk/dotnet/DataFactory/CredentialOperation.cs index 565190c2238c..0992a9bcbaf3 100644 --- a/sdk/dotnet/DataFactory/CredentialOperation.cs +++ b/sdk/dotnet/DataFactory/CredentialOperation.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:CredentialOperation" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:CredentialOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/DataFlow.cs b/sdk/dotnet/DataFactory/DataFlow.cs index 2b3a3359d787..6c927814033c 100644 --- a/sdk/dotnet/DataFactory/DataFlow.cs +++ b/sdk/dotnet/DataFactory/DataFlow.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:DataFlow" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:DataFlow" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/Dataset.cs b/sdk/dotnet/DataFactory/Dataset.cs index 40be445fcf76..4de44e43209b 100644 --- a/sdk/dotnet/DataFactory/Dataset.cs +++ b/sdk/dotnet/DataFactory/Dataset.cs @@ -72,8 +72,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datafactory/v20170901preview:Dataset" }, new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:Dataset" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20170901preview:datafactory:Dataset" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:Dataset" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/Factory.cs b/sdk/dotnet/DataFactory/Factory.cs index 86998e10b02e..53567aec107d 100644 --- a/sdk/dotnet/DataFactory/Factory.cs +++ b/sdk/dotnet/DataFactory/Factory.cs @@ -132,8 +132,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datafactory/v20170901preview:Factory" }, new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:Factory" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20170901preview:datafactory:Factory" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:Factory" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/GlobalParameter.cs b/sdk/dotnet/DataFactory/GlobalParameter.cs index e6cfe4b61843..65e26ed161d6 100644 --- a/sdk/dotnet/DataFactory/GlobalParameter.cs +++ b/sdk/dotnet/DataFactory/GlobalParameter.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:GlobalParameter" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:GlobalParameter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/IntegrationRuntime.cs b/sdk/dotnet/DataFactory/IntegrationRuntime.cs index 5c028d0a8f3d..6b131bc2b22b 100644 --- a/sdk/dotnet/DataFactory/IntegrationRuntime.cs +++ b/sdk/dotnet/DataFactory/IntegrationRuntime.cs @@ -72,8 +72,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datafactory/v20170901preview:IntegrationRuntime" }, new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:IntegrationRuntime" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20170901preview:datafactory:IntegrationRuntime" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:IntegrationRuntime" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/LinkedService.cs b/sdk/dotnet/DataFactory/LinkedService.cs index e8ee3ede8334..7c780c124374 100644 --- a/sdk/dotnet/DataFactory/LinkedService.cs +++ b/sdk/dotnet/DataFactory/LinkedService.cs @@ -72,8 +72,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datafactory/v20170901preview:LinkedService" }, new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:LinkedService" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20170901preview:datafactory:LinkedService" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:LinkedService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/ManagedPrivateEndpoint.cs b/sdk/dotnet/DataFactory/ManagedPrivateEndpoint.cs index 09fa8ba63c7f..f3d3afc17256 100644 --- a/sdk/dotnet/DataFactory/ManagedPrivateEndpoint.cs +++ b/sdk/dotnet/DataFactory/ManagedPrivateEndpoint.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:ManagedPrivateEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/Pipeline.cs b/sdk/dotnet/DataFactory/Pipeline.cs index a58aae4ee271..37a8bc781414 100644 --- a/sdk/dotnet/DataFactory/Pipeline.cs +++ b/sdk/dotnet/DataFactory/Pipeline.cs @@ -120,8 +120,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datafactory/v20170901preview:Pipeline" }, new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:Pipeline" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20170901preview:datafactory:Pipeline" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:Pipeline" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/PrivateEndpointConnection.cs b/sdk/dotnet/DataFactory/PrivateEndpointConnection.cs index bbf844cc29b0..579ff931ae7f 100644 --- a/sdk/dotnet/DataFactory/PrivateEndpointConnection.cs +++ b/sdk/dotnet/DataFactory/PrivateEndpointConnection.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataFactory/Trigger.cs b/sdk/dotnet/DataFactory/Trigger.cs index 4e2ad7f9b6f0..10fe2d755ba8 100644 --- a/sdk/dotnet/DataFactory/Trigger.cs +++ b/sdk/dotnet/DataFactory/Trigger.cs @@ -72,8 +72,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datafactory/v20170901preview:Trigger" }, new global::Pulumi.Alias { Type = "azure-native:datafactory/v20180601:Trigger" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20170901preview:datafactory:Trigger" }, + new global::Pulumi.Alias { Type = "azure-native_datafactory_v20180601:datafactory:Trigger" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataLakeAnalytics/Account.cs b/sdk/dotnet/DataLakeAnalytics/Account.cs index fa3dcbe069d2..af420d0eb2fb 100644 --- a/sdk/dotnet/DataLakeAnalytics/Account.cs +++ b/sdk/dotnet/DataLakeAnalytics/Account.cs @@ -252,9 +252,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datalakeanalytics/v20151001preview:Account" }, - new global::Pulumi.Alias { Type = "azure-native:datalakeanalytics/v20161101:Account" }, new global::Pulumi.Alias { Type = "azure-native:datalakeanalytics/v20191101preview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_datalakeanalytics_v20151001preview:datalakeanalytics:Account" }, + new global::Pulumi.Alias { Type = "azure-native_datalakeanalytics_v20161101:datalakeanalytics:Account" }, + new global::Pulumi.Alias { Type = "azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataLakeAnalytics/ComputePolicy.cs b/sdk/dotnet/DataLakeAnalytics/ComputePolicy.cs index 9b05ae693383..db805791980c 100644 --- a/sdk/dotnet/DataLakeAnalytics/ComputePolicy.cs +++ b/sdk/dotnet/DataLakeAnalytics/ComputePolicy.cs @@ -84,9 +84,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datalakeanalytics/v20151001preview:ComputePolicy" }, - new global::Pulumi.Alias { Type = "azure-native:datalakeanalytics/v20161101:ComputePolicy" }, new global::Pulumi.Alias { Type = "azure-native:datalakeanalytics/v20191101preview:ComputePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_datalakeanalytics_v20151001preview:datalakeanalytics:ComputePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_datalakeanalytics_v20161101:datalakeanalytics:ComputePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:ComputePolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataLakeAnalytics/FirewallRule.cs b/sdk/dotnet/DataLakeAnalytics/FirewallRule.cs index 70ac64dd35a4..35448bbc032c 100644 --- a/sdk/dotnet/DataLakeAnalytics/FirewallRule.cs +++ b/sdk/dotnet/DataLakeAnalytics/FirewallRule.cs @@ -72,9 +72,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datalakeanalytics/v20151001preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:datalakeanalytics/v20161101:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:datalakeanalytics/v20191101preview:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_datalakeanalytics_v20151001preview:datalakeanalytics:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_datalakeanalytics_v20161101:datalakeanalytics:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:FirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataLakeStore/Account.cs b/sdk/dotnet/DataLakeStore/Account.cs index 7f17e150406b..95029c99041e 100644 --- a/sdk/dotnet/DataLakeStore/Account.cs +++ b/sdk/dotnet/DataLakeStore/Account.cs @@ -187,6 +187,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datalakestore/v20161101:Account" }, + new global::Pulumi.Alias { Type = "azure-native_datalakestore_v20161101:datalakestore:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataLakeStore/FirewallRule.cs b/sdk/dotnet/DataLakeStore/FirewallRule.cs index 4d1f3bbb25ad..432db8acc6dd 100644 --- a/sdk/dotnet/DataLakeStore/FirewallRule.cs +++ b/sdk/dotnet/DataLakeStore/FirewallRule.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datalakestore/v20161101:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_datalakestore_v20161101:datalakestore:FirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataLakeStore/TrustedIdProvider.cs b/sdk/dotnet/DataLakeStore/TrustedIdProvider.cs index e79a660be4e4..4c2ef97a088f 100644 --- a/sdk/dotnet/DataLakeStore/TrustedIdProvider.cs +++ b/sdk/dotnet/DataLakeStore/TrustedIdProvider.cs @@ -67,6 +67,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datalakestore/v20161101:TrustedIdProvider" }, + new global::Pulumi.Alias { Type = "azure-native_datalakestore_v20161101:datalakestore:TrustedIdProvider" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataLakeStore/VirtualNetworkRule.cs b/sdk/dotnet/DataLakeStore/VirtualNetworkRule.cs index 030a7e1933ce..30f653bc87e0 100644 --- a/sdk/dotnet/DataLakeStore/VirtualNetworkRule.cs +++ b/sdk/dotnet/DataLakeStore/VirtualNetworkRule.cs @@ -67,6 +67,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datalakestore/v20161101:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_datalakestore_v20161101:datalakestore:VirtualNetworkRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataMigration/DatabaseMigrationsMongoToCosmosDbRUMongo.cs b/sdk/dotnet/DataMigration/DatabaseMigrationsMongoToCosmosDbRUMongo.cs index 14dde771ab84..080ff59533c8 100644 --- a/sdk/dotnet/DataMigration/DatabaseMigrationsMongoToCosmosDbRUMongo.cs +++ b/sdk/dotnet/DataMigration/DatabaseMigrationsMongoToCosmosDbRUMongo.cs @@ -153,6 +153,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbRUMongo" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsMongoToCosmosDbRUMongo" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataMigration/DatabaseMigrationsMongoToCosmosDbvCoreMongo.cs b/sdk/dotnet/DataMigration/DatabaseMigrationsMongoToCosmosDbvCoreMongo.cs index d67892b68c1e..15b52b5a47e2 100644 --- a/sdk/dotnet/DataMigration/DatabaseMigrationsMongoToCosmosDbvCoreMongo.cs +++ b/sdk/dotnet/DataMigration/DatabaseMigrationsMongoToCosmosDbvCoreMongo.cs @@ -153,6 +153,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbvCoreMongo" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsMongoToCosmosDbvCoreMongo" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataMigration/DatabaseMigrationsSqlDb.cs b/sdk/dotnet/DataMigration/DatabaseMigrationsSqlDb.cs index 8f1523e706bc..485b4f95deee 100644 --- a/sdk/dotnet/DataMigration/DatabaseMigrationsSqlDb.cs +++ b/sdk/dotnet/DataMigration/DatabaseMigrationsSqlDb.cs @@ -70,6 +70,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220330preview:DatabaseMigrationsSqlDb" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20230715preview:DatabaseMigrationsSqlDb" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220330preview:datamigration:DatabaseMigrationsSqlDb" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsSqlDb" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataMigration/File.cs b/sdk/dotnet/DataMigration/File.cs index 8b44aaa49ca9..181b54b35c65 100644 --- a/sdk/dotnet/DataMigration/File.cs +++ b/sdk/dotnet/DataMigration/File.cs @@ -80,12 +80,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180715preview:File" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20210630:File" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20211030preview:File" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220130preview:File" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220330preview:File" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20230715preview:File" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180715preview:datamigration:File" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20210630:datamigration:File" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20211030preview:datamigration:File" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220130preview:datamigration:File" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220330preview:datamigration:File" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20230715preview:datamigration:File" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataMigration/MigrationService.cs b/sdk/dotnet/DataMigration/MigrationService.cs index 9b7cfd78f125..692ddca19cdb 100644 --- a/sdk/dotnet/DataMigration/MigrationService.cs +++ b/sdk/dotnet/DataMigration/MigrationService.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datamigration/v20230715preview:MigrationService" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20230715preview:datamigration:MigrationService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataMigration/Project.cs b/sdk/dotnet/DataMigration/Project.cs index 42af7f41d27f..5b0014eb9d39 100644 --- a/sdk/dotnet/DataMigration/Project.cs +++ b/sdk/dotnet/DataMigration/Project.cs @@ -119,16 +119,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20171115preview:Project" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180315preview:Project" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180331preview:Project" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180419:Project" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180715preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20210630:Project" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20211030preview:Project" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220130preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220330preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20230715preview:Project" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20171115preview:datamigration:Project" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180315preview:datamigration:Project" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180331preview:datamigration:Project" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180419:datamigration:Project" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180715preview:datamigration:Project" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20210630:datamigration:Project" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20211030preview:datamigration:Project" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220130preview:datamigration:Project" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220330preview:datamigration:Project" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20230715preview:datamigration:Project" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataMigration/Service.cs b/sdk/dotnet/DataMigration/Service.cs index b8d4ddf71d7b..ac609f682bb0 100644 --- a/sdk/dotnet/DataMigration/Service.cs +++ b/sdk/dotnet/DataMigration/Service.cs @@ -119,16 +119,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20171115preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180315preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180331preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180419:Service" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180715preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20210630:Service" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20211030preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220130preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220330preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20230715preview:Service" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20171115preview:datamigration:Service" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180315preview:datamigration:Service" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180331preview:datamigration:Service" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180419:datamigration:Service" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180715preview:datamigration:Service" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20210630:datamigration:Service" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20211030preview:datamigration:Service" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220130preview:datamigration:Service" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220330preview:datamigration:Service" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20230715preview:datamigration:Service" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataMigration/ServiceTask.cs b/sdk/dotnet/DataMigration/ServiceTask.cs index 9aacd55af352..0dec5b858c2c 100644 --- a/sdk/dotnet/DataMigration/ServiceTask.cs +++ b/sdk/dotnet/DataMigration/ServiceTask.cs @@ -80,12 +80,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180715preview:ServiceTask" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20210630:ServiceTask" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20211030preview:ServiceTask" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220130preview:ServiceTask" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220330preview:ServiceTask" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20230715preview:ServiceTask" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180715preview:datamigration:ServiceTask" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20210630:datamigration:ServiceTask" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20211030preview:datamigration:ServiceTask" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220130preview:datamigration:ServiceTask" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220330preview:datamigration:ServiceTask" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20230715preview:datamigration:ServiceTask" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataMigration/SqlMigrationService.cs b/sdk/dotnet/DataMigration/SqlMigrationService.cs index 918d01cea181..28e00f449660 100644 --- a/sdk/dotnet/DataMigration/SqlMigrationService.cs +++ b/sdk/dotnet/DataMigration/SqlMigrationService.cs @@ -77,10 +77,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20211030preview:SqlMigrationService" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220130preview:SqlMigrationService" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220330preview:SqlMigrationService" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20230715preview:SqlMigrationService" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20211030preview:datamigration:SqlMigrationService" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220130preview:datamigration:SqlMigrationService" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220330preview:datamigration:SqlMigrationService" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20230715preview:datamigration:SqlMigrationService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataMigration/Task.cs b/sdk/dotnet/DataMigration/Task.cs index a9973444ab49..c04fb4a92c4b 100644 --- a/sdk/dotnet/DataMigration/Task.cs +++ b/sdk/dotnet/DataMigration/Task.cs @@ -80,16 +80,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20171115preview:Task" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180315preview:Task" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180331preview:Task" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180419:Task" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20180715preview:Task" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20210630:Task" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20211030preview:Task" }, - new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220130preview:Task" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20220330preview:Task" }, new global::Pulumi.Alias { Type = "azure-native:datamigration/v20230715preview:Task" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20171115preview:datamigration:Task" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180315preview:datamigration:Task" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180331preview:datamigration:Task" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180419:datamigration:Task" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20180715preview:datamigration:Task" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20210630:datamigration:Task" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20211030preview:datamigration:Task" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220130preview:datamigration:Task" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20220330preview:datamigration:Task" }, + new global::Pulumi.Alias { Type = "azure-native_datamigration_v20230715preview:datamigration:Task" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataProtection/BackupInstance.cs b/sdk/dotnet/DataProtection/BackupInstance.cs index c5ee08dcea2e..f7b9ca369132 100644 --- a/sdk/dotnet/DataProtection/BackupInstance.cs +++ b/sdk/dotnet/DataProtection/BackupInstance.cs @@ -80,22 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210101:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210201preview:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210601preview:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210701:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20211001preview:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20211201preview:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220101:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220201preview:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220301:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220331preview:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220401:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220501:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220901preview:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221001preview:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221101preview:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221201:BackupInstance" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230101:BackupInstance" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230401preview:BackupInstance" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230501:BackupInstance" }, @@ -106,8 +90,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240201preview:BackupInstance" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240301:BackupInstance" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240401:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20250101:BackupInstance" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20250201:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210101:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210201preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210601preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210701:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20211001preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20211201preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220101:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220201preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220301:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220331preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220401:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220501:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220901preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221001preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221101preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221201:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230101:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230401preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230501:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230601preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230801preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20231101:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20231201:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240201preview:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240301:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240401:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20250101:dataprotection:BackupInstance" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20250201:dataprotection:BackupInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataProtection/BackupPolicy.cs b/sdk/dotnet/DataProtection/BackupPolicy.cs index a98457334c64..1cf0215c987c 100644 --- a/sdk/dotnet/DataProtection/BackupPolicy.cs +++ b/sdk/dotnet/DataProtection/BackupPolicy.cs @@ -74,22 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210101:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210201preview:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210601preview:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210701:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20211001preview:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20211201preview:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220101:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220201preview:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220301:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220331preview:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220401:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220501:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220901preview:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221001preview:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221101preview:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221201:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230101:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230401preview:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230501:BackupPolicy" }, @@ -100,8 +84,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240201preview:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240301:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240401:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20250101:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20250201:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210101:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210201preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210601preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210701:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20211001preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20211201preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220101:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220201preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220301:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220331preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220401:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220501:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220901preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221001preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221101preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221201:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230101:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230401preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230501:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230601preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230801preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20231101:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20231201:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240201preview:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240301:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240401:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20250101:dataprotection:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20250201:dataprotection:BackupPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataProtection/BackupVault.cs b/sdk/dotnet/DataProtection/BackupVault.cs index d76df3a6d3c6..2979585baa96 100644 --- a/sdk/dotnet/DataProtection/BackupVault.cs +++ b/sdk/dotnet/DataProtection/BackupVault.cs @@ -98,22 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210101:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210201preview:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210601preview:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210701:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20211001preview:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20211201preview:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220101:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220201preview:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220301:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220331preview:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220401:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220501:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220901preview:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221001preview:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221101preview:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221201:BackupVault" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230101:BackupVault" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230401preview:BackupVault" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230501:BackupVault" }, @@ -124,8 +108,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240201preview:BackupVault" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240301:BackupVault" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240401:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20250101:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20250201:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210101:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210201preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210601preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210701:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20211001preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20211201preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220101:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220201preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220301:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220331preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220401:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220501:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220901preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221001preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221101preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221201:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230101:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230401preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230501:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230601preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230801preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20231101:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20231201:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240201preview:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240301:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240401:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20250101:dataprotection:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20250201:dataprotection:BackupVault" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataProtection/DppResourceGuardProxy.cs b/sdk/dotnet/DataProtection/DppResourceGuardProxy.cs index 8d68799fa54b..a59ea6a2b3d5 100644 --- a/sdk/dotnet/DataProtection/DppResourceGuardProxy.cs +++ b/sdk/dotnet/DataProtection/DppResourceGuardProxy.cs @@ -74,9 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220901preview:DppResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221001preview:DppResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221101preview:DppResourceGuardProxy" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230101:DppResourceGuardProxy" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230401preview:DppResourceGuardProxy" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230501:DppResourceGuardProxy" }, @@ -87,8 +84,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240201preview:DppResourceGuardProxy" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240301:DppResourceGuardProxy" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240401:DppResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20250101:DppResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20250201:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220901preview:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221001preview:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221101preview:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230101:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230401preview:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230501:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230601preview:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230801preview:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20231101:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20231201:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240201preview:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240301:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240401:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20250101:dataprotection:DppResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20250201:dataprotection:DppResourceGuardProxy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataProtection/ResourceGuard.cs b/sdk/dotnet/DataProtection/ResourceGuard.cs index c4304529576e..33e0f9c6b62a 100644 --- a/sdk/dotnet/DataProtection/ResourceGuard.cs +++ b/sdk/dotnet/DataProtection/ResourceGuard.cs @@ -90,19 +90,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20210701:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20211001preview:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20211201preview:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220101:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220201preview:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220301:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220331preview:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220401:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220501:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20220901preview:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221001preview:ResourceGuard" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221101preview:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20221201:ResourceGuard" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230101:ResourceGuard" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230401preview:ResourceGuard" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20230501:ResourceGuard" }, @@ -113,8 +101,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240201preview:ResourceGuard" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240301:ResourceGuard" }, new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20240401:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20250101:ResourceGuard" }, - new global::Pulumi.Alias { Type = "azure-native:dataprotection/v20250201:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20210701:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20211001preview:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20211201preview:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220101:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220201preview:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220301:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220331preview:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220401:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220501:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20220901preview:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221001preview:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221101preview:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20221201:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230101:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230401preview:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230501:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230601preview:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20230801preview:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20231101:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20231201:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240201preview:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240301:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20240401:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20250101:dataprotection:ResourceGuard" }, + new global::Pulumi.Alias { Type = "azure-native_dataprotection_v20250201:dataprotection:ResourceGuard" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataReplication/Dra.cs b/sdk/dotnet/DataReplication/Dra.cs index cff7be3b5301..f65fb657c6f0 100644 --- a/sdk/dotnet/DataReplication/Dra.cs +++ b/sdk/dotnet/DataReplication/Dra.cs @@ -70,7 +70,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datareplication/v20210216preview:Dra" }, - new global::Pulumi.Alias { Type = "azure-native:datareplication/v20240901:Dra" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20210216preview:datareplication:Dra" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20240901:datareplication:Dra" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataReplication/Fabric.cs b/sdk/dotnet/DataReplication/Fabric.cs index 80dba86408a0..4b8c3680f567 100644 --- a/sdk/dotnet/DataReplication/Fabric.cs +++ b/sdk/dotnet/DataReplication/Fabric.cs @@ -84,7 +84,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datareplication/v20210216preview:Fabric" }, - new global::Pulumi.Alias { Type = "azure-native:datareplication/v20240901:Fabric" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20210216preview:datareplication:Fabric" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20240901:datareplication:Fabric" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataReplication/Policy.cs b/sdk/dotnet/DataReplication/Policy.cs index a61acd2e6fa4..59015fcfb684 100644 --- a/sdk/dotnet/DataReplication/Policy.cs +++ b/sdk/dotnet/DataReplication/Policy.cs @@ -72,7 +72,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datareplication/v20210216preview:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:datareplication/v20240901:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20210216preview:datareplication:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20240901:datareplication:Policy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataReplication/ProtectedItem.cs b/sdk/dotnet/DataReplication/ProtectedItem.cs index f55d2d8124e6..3b8b20cc6fdb 100644 --- a/sdk/dotnet/DataReplication/ProtectedItem.cs +++ b/sdk/dotnet/DataReplication/ProtectedItem.cs @@ -72,7 +72,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datareplication/v20210216preview:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:datareplication/v20240901:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20210216preview:datareplication:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20240901:datareplication:ProtectedItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataReplication/ReplicationExtension.cs b/sdk/dotnet/DataReplication/ReplicationExtension.cs index 9aa0251d4a63..ee4e3d076f2d 100644 --- a/sdk/dotnet/DataReplication/ReplicationExtension.cs +++ b/sdk/dotnet/DataReplication/ReplicationExtension.cs @@ -72,7 +72,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datareplication/v20210216preview:ReplicationExtension" }, - new global::Pulumi.Alias { Type = "azure-native:datareplication/v20240901:ReplicationExtension" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20210216preview:datareplication:ReplicationExtension" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20240901:datareplication:ReplicationExtension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataReplication/Vault.cs b/sdk/dotnet/DataReplication/Vault.cs index 92c30eb2492d..71d6ad5b2805 100644 --- a/sdk/dotnet/DataReplication/Vault.cs +++ b/sdk/dotnet/DataReplication/Vault.cs @@ -84,7 +84,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:datareplication/v20210216preview:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:datareplication/v20240901:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20210216preview:datareplication:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_datareplication_v20240901:datareplication:Vault" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/ADLSGen1FileDataSet.cs b/sdk/dotnet/DataShare/ADLSGen1FileDataSet.cs index 6a90ec6b4806..f9d56c131dc7 100644 --- a/sdk/dotnet/DataShare/ADLSGen1FileDataSet.cs +++ b/sdk/dotnet/DataShare/ADLSGen1FileDataSet.cs @@ -116,10 +116,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:ADLSGen1FileDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:ADLSGen1FileDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:ADLSGen1FileDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen1FileDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, @@ -149,6 +145,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:ADLSGen1FileDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:ADLSGen1FileDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:ADLSGen1FileDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:ADLSGen1FileDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:ADLSGen1FileDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/ADLSGen1FolderDataSet.cs b/sdk/dotnet/DataShare/ADLSGen1FolderDataSet.cs index 0d6114e197d6..69d96dee3aef 100644 --- a/sdk/dotnet/DataShare/ADLSGen1FolderDataSet.cs +++ b/sdk/dotnet/DataShare/ADLSGen1FolderDataSet.cs @@ -110,10 +110,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:ADLSGen1FolderDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:ADLSGen1FolderDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:ADLSGen1FolderDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen1FolderDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, @@ -143,6 +139,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:ADLSGen1FolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:ADLSGen1FolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:ADLSGen1FolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:ADLSGen1FolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:ADLSGen1FolderDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/ADLSGen2FileDataSet.cs b/sdk/dotnet/DataShare/ADLSGen2FileDataSet.cs index 7f47579864f2..213d6591b587 100644 --- a/sdk/dotnet/DataShare/ADLSGen2FileDataSet.cs +++ b/sdk/dotnet/DataShare/ADLSGen2FileDataSet.cs @@ -116,10 +116,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:ADLSGen2FileDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:ADLSGen2FileDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:ADLSGen2FileDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2FileDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, @@ -149,6 +145,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:ADLSGen2FileDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:ADLSGen2FileDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:ADLSGen2FileDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:ADLSGen2FileDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:ADLSGen2FileDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/ADLSGen2FileDataSetMapping.cs b/sdk/dotnet/DataShare/ADLSGen2FileDataSetMapping.cs index fb727fc11426..03f203907ecc 100644 --- a/sdk/dotnet/DataShare/ADLSGen2FileDataSetMapping.cs +++ b/sdk/dotnet/DataShare/ADLSGen2FileDataSetMapping.cs @@ -134,10 +134,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:ADLSGen2FileDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:ADLSGen2FileDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:ADLSGen2FileDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2FileDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, @@ -163,6 +159,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:ADLSGen2FileDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:ADLSGen2FileDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:ADLSGen2FileDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:ADLSGen2FileDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:ADLSGen2FileDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/ADLSGen2FileSystemDataSet.cs b/sdk/dotnet/DataShare/ADLSGen2FileSystemDataSet.cs index 08ed8fca5060..891aaf31a0d1 100644 --- a/sdk/dotnet/DataShare/ADLSGen2FileSystemDataSet.cs +++ b/sdk/dotnet/DataShare/ADLSGen2FileSystemDataSet.cs @@ -110,10 +110,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:ADLSGen2FileSystemDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:ADLSGen2FileSystemDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:ADLSGen2FileSystemDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2FileSystemDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, @@ -143,6 +139,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:ADLSGen2FileSystemDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:ADLSGen2FileSystemDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:ADLSGen2FileSystemDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:ADLSGen2FileSystemDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:ADLSGen2FileSystemDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/ADLSGen2FileSystemDataSetMapping.cs b/sdk/dotnet/DataShare/ADLSGen2FileSystemDataSetMapping.cs index 16b0f42b04d5..d166d2d46c34 100644 --- a/sdk/dotnet/DataShare/ADLSGen2FileSystemDataSetMapping.cs +++ b/sdk/dotnet/DataShare/ADLSGen2FileSystemDataSetMapping.cs @@ -122,10 +122,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:ADLSGen2FileSystemDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:ADLSGen2FileSystemDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:ADLSGen2FileSystemDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2FileSystemDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, @@ -151,6 +147,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:ADLSGen2FileSystemDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:ADLSGen2FileSystemDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:ADLSGen2FileSystemDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:ADLSGen2FileSystemDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:ADLSGen2FileSystemDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/ADLSGen2FolderDataSet.cs b/sdk/dotnet/DataShare/ADLSGen2FolderDataSet.cs index 88f9490308f9..0788b5e59f7d 100644 --- a/sdk/dotnet/DataShare/ADLSGen2FolderDataSet.cs +++ b/sdk/dotnet/DataShare/ADLSGen2FolderDataSet.cs @@ -116,10 +116,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:ADLSGen2FolderDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:ADLSGen2FolderDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:ADLSGen2FolderDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2FolderDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, @@ -149,6 +145,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:ADLSGen2FolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:ADLSGen2FolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:ADLSGen2FolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:ADLSGen2FolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:ADLSGen2FolderDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/ADLSGen2FolderDataSetMapping.cs b/sdk/dotnet/DataShare/ADLSGen2FolderDataSetMapping.cs index 2c13994831a8..27ea30419c92 100644 --- a/sdk/dotnet/DataShare/ADLSGen2FolderDataSetMapping.cs +++ b/sdk/dotnet/DataShare/ADLSGen2FolderDataSetMapping.cs @@ -128,10 +128,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:ADLSGen2FolderDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:ADLSGen2FolderDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:ADLSGen2FolderDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2FolderDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, @@ -157,6 +153,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:ADLSGen2FolderDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:ADLSGen2FolderDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:ADLSGen2FolderDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:ADLSGen2FolderDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:ADLSGen2FolderDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/Account.cs b/sdk/dotnet/DataShare/Account.cs index 401d373f8669..70266592316a 100644 --- a/sdk/dotnet/DataShare/Account.cs +++ b/sdk/dotnet/DataShare/Account.cs @@ -108,11 +108,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:Account" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:Account" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:Account" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:Account" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:Account" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:Account" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:Account" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:Account" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/BlobContainerDataSet.cs b/sdk/dotnet/DataShare/BlobContainerDataSet.cs index 8cbc430adc3e..37b4c02516c1 100644 --- a/sdk/dotnet/DataShare/BlobContainerDataSet.cs +++ b/sdk/dotnet/DataShare/BlobContainerDataSet.cs @@ -110,11 +110,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:BlobContainerDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:BlobContainerDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:BlobContainerDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobContainerDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, @@ -143,6 +139,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:BlobContainerDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:BlobContainerDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:BlobContainerDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:BlobContainerDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:BlobContainerDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/BlobContainerDataSetMapping.cs b/sdk/dotnet/DataShare/BlobContainerDataSetMapping.cs index 5d5fab3d34a8..ef4d2327ce19 100644 --- a/sdk/dotnet/DataShare/BlobContainerDataSetMapping.cs +++ b/sdk/dotnet/DataShare/BlobContainerDataSetMapping.cs @@ -122,11 +122,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:BlobContainerDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:BlobContainerDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:BlobContainerDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobContainerDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, @@ -151,6 +147,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:BlobContainerDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:BlobContainerDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:BlobContainerDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:BlobContainerDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:BlobContainerDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/BlobDataSet.cs b/sdk/dotnet/DataShare/BlobDataSet.cs index 82181c609daf..86692bdc5da9 100644 --- a/sdk/dotnet/DataShare/BlobDataSet.cs +++ b/sdk/dotnet/DataShare/BlobDataSet.cs @@ -116,11 +116,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:BlobDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:BlobDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:BlobDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, @@ -149,6 +145,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:BlobDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:BlobDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:BlobDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:BlobDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:BlobDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/BlobDataSetMapping.cs b/sdk/dotnet/DataShare/BlobDataSetMapping.cs index e76d0313dae1..a2bea891fa9e 100644 --- a/sdk/dotnet/DataShare/BlobDataSetMapping.cs +++ b/sdk/dotnet/DataShare/BlobDataSetMapping.cs @@ -134,11 +134,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:BlobDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:BlobDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:BlobDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, @@ -163,6 +159,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:BlobDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:BlobDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:BlobDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:BlobDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:BlobDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/BlobFolderDataSet.cs b/sdk/dotnet/DataShare/BlobFolderDataSet.cs index 8a69b738472a..6c57c39fa9b3 100644 --- a/sdk/dotnet/DataShare/BlobFolderDataSet.cs +++ b/sdk/dotnet/DataShare/BlobFolderDataSet.cs @@ -116,11 +116,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:BlobFolderDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:BlobFolderDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:BlobFolderDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobFolderDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, @@ -149,6 +145,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:BlobFolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:BlobFolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:BlobFolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:BlobFolderDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:BlobFolderDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/BlobFolderDataSetMapping.cs b/sdk/dotnet/DataShare/BlobFolderDataSetMapping.cs index f98b2d333eab..56cfbcf47a3f 100644 --- a/sdk/dotnet/DataShare/BlobFolderDataSetMapping.cs +++ b/sdk/dotnet/DataShare/BlobFolderDataSetMapping.cs @@ -128,11 +128,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:BlobFolderDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:BlobFolderDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:BlobFolderDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobFolderDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, @@ -157,6 +153,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:BlobFolderDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:BlobFolderDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:BlobFolderDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:BlobFolderDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:BlobFolderDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/Invitation.cs b/sdk/dotnet/DataShare/Invitation.cs index 7fa01ec0193e..d6e5968f101a 100644 --- a/sdk/dotnet/DataShare/Invitation.cs +++ b/sdk/dotnet/DataShare/Invitation.cs @@ -128,11 +128,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:Invitation" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:Invitation" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:Invitation" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:Invitation" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:Invitation" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:Invitation" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:Invitation" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:Invitation" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:Invitation" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:Invitation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/KustoClusterDataSet.cs b/sdk/dotnet/DataShare/KustoClusterDataSet.cs index 5fc54d386a8a..784ef554f044 100644 --- a/sdk/dotnet/DataShare/KustoClusterDataSet.cs +++ b/sdk/dotnet/DataShare/KustoClusterDataSet.cs @@ -104,12 +104,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:KustoClusterDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:KustoClusterDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:KustoClusterDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:KustoClusterDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, @@ -137,6 +133,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:KustoClusterDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:KustoClusterDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:KustoClusterDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:KustoClusterDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:KustoClusterDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/KustoClusterDataSetMapping.cs b/sdk/dotnet/DataShare/KustoClusterDataSetMapping.cs index 3579d3e6650d..6ca880035f7e 100644 --- a/sdk/dotnet/DataShare/KustoClusterDataSetMapping.cs +++ b/sdk/dotnet/DataShare/KustoClusterDataSetMapping.cs @@ -110,12 +110,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:KustoClusterDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:KustoClusterDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:KustoClusterDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:KustoClusterDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, @@ -139,6 +135,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:KustoClusterDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:KustoClusterDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:KustoClusterDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:KustoClusterDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:KustoClusterDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/KustoDatabaseDataSet.cs b/sdk/dotnet/DataShare/KustoDatabaseDataSet.cs index 642d65d868d2..bec239534d66 100644 --- a/sdk/dotnet/DataShare/KustoDatabaseDataSet.cs +++ b/sdk/dotnet/DataShare/KustoDatabaseDataSet.cs @@ -104,12 +104,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:KustoDatabaseDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:KustoDatabaseDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:KustoDatabaseDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:KustoDatabaseDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, @@ -137,6 +133,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:KustoDatabaseDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:KustoDatabaseDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:KustoDatabaseDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:KustoDatabaseDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:KustoDatabaseDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/KustoDatabaseDataSetMapping.cs b/sdk/dotnet/DataShare/KustoDatabaseDataSetMapping.cs index d759126d09df..3e795ab2b4c7 100644 --- a/sdk/dotnet/DataShare/KustoDatabaseDataSetMapping.cs +++ b/sdk/dotnet/DataShare/KustoDatabaseDataSetMapping.cs @@ -110,12 +110,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:KustoDatabaseDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:KustoDatabaseDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:KustoDatabaseDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:KustoDatabaseDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, @@ -139,6 +135,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:KustoDatabaseDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:KustoDatabaseDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:KustoDatabaseDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:KustoDatabaseDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:KustoDatabaseDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/KustoTableDataSet.cs b/sdk/dotnet/DataShare/KustoTableDataSet.cs index d320f2617af5..530eeb05f627 100644 --- a/sdk/dotnet/DataShare/KustoTableDataSet.cs +++ b/sdk/dotnet/DataShare/KustoTableDataSet.cs @@ -110,12 +110,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:KustoTableDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:KustoTableDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:KustoTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:KustoTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, @@ -143,6 +139,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:KustoTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:KustoTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:KustoTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:KustoTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:KustoTableDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/KustoTableDataSetMapping.cs b/sdk/dotnet/DataShare/KustoTableDataSetMapping.cs index 08e84f1709ca..f58575c24053 100644 --- a/sdk/dotnet/DataShare/KustoTableDataSetMapping.cs +++ b/sdk/dotnet/DataShare/KustoTableDataSetMapping.cs @@ -110,12 +110,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:KustoTableDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:KustoTableDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:KustoTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:KustoTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, @@ -139,6 +135,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:KustoTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:KustoTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:KustoTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:KustoTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:KustoTableDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/ScheduledSynchronizationSetting.cs b/sdk/dotnet/DataShare/ScheduledSynchronizationSetting.cs index af18c2fa19c2..02daea69fa04 100644 --- a/sdk/dotnet/DataShare/ScheduledSynchronizationSetting.cs +++ b/sdk/dotnet/DataShare/ScheduledSynchronizationSetting.cs @@ -110,11 +110,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:ScheduledSynchronizationSetting" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:ScheduledSynchronizationSetting" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:ScheduledSynchronizationSetting" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ScheduledSynchronizationSetting" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ScheduledSynchronizationSetting" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:ScheduledSynchronizationSetting" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:ScheduledSynchronizationSetting" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:ScheduledSynchronizationSetting" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:ScheduledSynchronizationSetting" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:ScheduledSynchronizationSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/ScheduledTrigger.cs b/sdk/dotnet/DataShare/ScheduledTrigger.cs index 0f2eeedb9d86..6aa3cd17983a 100644 --- a/sdk/dotnet/DataShare/ScheduledTrigger.cs +++ b/sdk/dotnet/DataShare/ScheduledTrigger.cs @@ -122,11 +122,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:ScheduledTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:ScheduledTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:ScheduledTrigger" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ScheduledTrigger" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ScheduledTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:ScheduledTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:ScheduledTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:ScheduledTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:ScheduledTrigger" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:ScheduledTrigger" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/Share.cs b/sdk/dotnet/DataShare/Share.cs index 19b88a3ad857..68d79cb90e5d 100644 --- a/sdk/dotnet/DataShare/Share.cs +++ b/sdk/dotnet/DataShare/Share.cs @@ -108,11 +108,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:Share" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:Share" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:Share" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:Share" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:Share" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:Share" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:Share" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:Share" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:Share" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:Share" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/ShareSubscription.cs b/sdk/dotnet/DataShare/ShareSubscription.cs index 0d738b63d338..d0e49cc86831 100644 --- a/sdk/dotnet/DataShare/ShareSubscription.cs +++ b/sdk/dotnet/DataShare/ShareSubscription.cs @@ -156,11 +156,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:ShareSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:ShareSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:ShareSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ShareSubscription" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ShareSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:ShareSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:ShareSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:ShareSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:ShareSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:ShareSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/SqlDBTableDataSet.cs b/sdk/dotnet/DataShare/SqlDBTableDataSet.cs index 05dc7c40d360..da06c9342014 100644 --- a/sdk/dotnet/DataShare/SqlDBTableDataSet.cs +++ b/sdk/dotnet/DataShare/SqlDBTableDataSet.cs @@ -110,12 +110,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:SqlDBTableDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:SqlDBTableDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, @@ -143,6 +139,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:KustoTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:SqlDBTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:SqlDBTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:SqlDBTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:SqlDBTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:SqlDBTableDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/SqlDBTableDataSetMapping.cs b/sdk/dotnet/DataShare/SqlDBTableDataSetMapping.cs index d6d811aafaae..21b1b9ae77c4 100644 --- a/sdk/dotnet/DataShare/SqlDBTableDataSetMapping.cs +++ b/sdk/dotnet/DataShare/SqlDBTableDataSetMapping.cs @@ -122,12 +122,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:SqlDBTableDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:SqlDBTableDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, @@ -151,6 +147,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:KustoTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:SqlDBTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:SqlDBTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:SqlDBTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:SqlDBTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:SqlDBTableDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/SqlDWTableDataSet.cs b/sdk/dotnet/DataShare/SqlDWTableDataSet.cs index f659477f1bb8..00d054474197 100644 --- a/sdk/dotnet/DataShare/SqlDWTableDataSet.cs +++ b/sdk/dotnet/DataShare/SqlDWTableDataSet.cs @@ -110,12 +110,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:SqlDWTableDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:SqlDWTableDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:SqlDWTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, @@ -143,6 +139,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:KustoTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:SqlDWTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:SqlDWTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:SqlDWTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:SqlDWTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:SqlDWTableDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/SqlDWTableDataSetMapping.cs b/sdk/dotnet/DataShare/SqlDWTableDataSetMapping.cs index 9a1ab044dafa..02dbc6375433 100644 --- a/sdk/dotnet/DataShare/SqlDWTableDataSetMapping.cs +++ b/sdk/dotnet/DataShare/SqlDWTableDataSetMapping.cs @@ -122,12 +122,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:SqlDWTableDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:SqlDWTableDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:SqlDWTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, @@ -151,6 +147,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:KustoTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:SqlDWTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:SqlDWTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:SqlDWTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:SqlDWTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:SqlDWTableDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/SynapseWorkspaceSqlPoolTableDataSet.cs b/sdk/dotnet/DataShare/SynapseWorkspaceSqlPoolTableDataSet.cs index c8e3e064d8ca..9920ebcf94a0 100644 --- a/sdk/dotnet/DataShare/SynapseWorkspaceSqlPoolTableDataSet.cs +++ b/sdk/dotnet/DataShare/SynapseWorkspaceSqlPoolTableDataSet.cs @@ -92,12 +92,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:SynapseWorkspaceSqlPoolTableDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:SynapseWorkspaceSqlPoolTableDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:SynapseWorkspaceSqlPoolTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:SynapseWorkspaceSqlPoolTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, @@ -125,6 +121,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:KustoTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSet" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DataShare/SynapseWorkspaceSqlPoolTableDataSetMapping.cs b/sdk/dotnet/DataShare/SynapseWorkspaceSqlPoolTableDataSetMapping.cs index ea5e38b3fd59..8ffd8e8e22fe 100644 --- a/sdk/dotnet/DataShare/SynapseWorkspaceSqlPoolTableDataSetMapping.cs +++ b/sdk/dotnet/DataShare/SynapseWorkspaceSqlPoolTableDataSetMapping.cs @@ -104,12 +104,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datashare/v20181101preview:SynapseWorkspaceSqlPoolTableDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20191101:SynapseWorkspaceSqlPoolTableDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20200901:SynapseWorkspaceSqlPoolTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, - new global::Pulumi.Alias { Type = "azure-native:datashare/v20201001preview:SynapseWorkspaceSqlPoolTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, @@ -133,6 +129,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datashare:KustoTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDBTableDataSetMapping" }, new global::Pulumi.Alias { Type = "azure-native:datashare:SqlDWTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20181101preview:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20191101:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20200901:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20201001preview:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, + new global::Pulumi.Alias { Type = "azure-native_datashare_v20210801:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DatabaseFleetManager/FirewallRule.cs b/sdk/dotnet/DatabaseFleetManager/FirewallRule.cs index 25fb00d833fd..930451feb25a 100644 --- a/sdk/dotnet/DatabaseFleetManager/FirewallRule.cs +++ b/sdk/dotnet/DatabaseFleetManager/FirewallRule.cs @@ -72,7 +72,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databasefleetmanager/v20250201preview:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DatabaseFleetManager/Fleet.cs b/sdk/dotnet/DatabaseFleetManager/Fleet.cs index 25fe2948b38c..fc45100a9c04 100644 --- a/sdk/dotnet/DatabaseFleetManager/Fleet.cs +++ b/sdk/dotnet/DatabaseFleetManager/Fleet.cs @@ -84,7 +84,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databasefleetmanager/v20250201preview:Fleet" }, + new global::Pulumi.Alias { Type = "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:Fleet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DatabaseFleetManager/FleetDatabase.cs b/sdk/dotnet/DatabaseFleetManager/FleetDatabase.cs index 046bb5f89abb..126cce63e045 100644 --- a/sdk/dotnet/DatabaseFleetManager/FleetDatabase.cs +++ b/sdk/dotnet/DatabaseFleetManager/FleetDatabase.cs @@ -72,7 +72,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databasefleetmanager/v20250201preview:FleetDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FleetDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DatabaseFleetManager/FleetTier.cs b/sdk/dotnet/DatabaseFleetManager/FleetTier.cs index 5cd8b3c84ebf..5e5c2bfb753e 100644 --- a/sdk/dotnet/DatabaseFleetManager/FleetTier.cs +++ b/sdk/dotnet/DatabaseFleetManager/FleetTier.cs @@ -72,7 +72,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databasefleetmanager/v20250201preview:FleetTier" }, + new global::Pulumi.Alias { Type = "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FleetTier" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DatabaseFleetManager/Fleetspace.cs b/sdk/dotnet/DatabaseFleetManager/Fleetspace.cs index c61ebc7e5a7b..321d4db4365e 100644 --- a/sdk/dotnet/DatabaseFleetManager/Fleetspace.cs +++ b/sdk/dotnet/DatabaseFleetManager/Fleetspace.cs @@ -72,7 +72,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databasefleetmanager/v20250201preview:Fleetspace" }, + new global::Pulumi.Alias { Type = "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:Fleetspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DatabaseWatcher/AlertRuleResource.cs b/sdk/dotnet/DatabaseWatcher/AlertRuleResource.cs index ee72e68a4336..ccb54e3ee972 100644 --- a/sdk/dotnet/DatabaseWatcher/AlertRuleResource.cs +++ b/sdk/dotnet/DatabaseWatcher/AlertRuleResource.cs @@ -107,6 +107,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20240719preview:AlertRuleResource" }, new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20241001preview:AlertRuleResource" }, new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20250102:AlertRuleResource" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20240719preview:databasewatcher:AlertRuleResource" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20241001preview:databasewatcher:AlertRuleResource" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20250102:databasewatcher:AlertRuleResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DatabaseWatcher/SharedPrivateLinkResource.cs b/sdk/dotnet/DatabaseWatcher/SharedPrivateLinkResource.cs index 75fabbc06d32..a1c6befbe25c 100644 --- a/sdk/dotnet/DatabaseWatcher/SharedPrivateLinkResource.cs +++ b/sdk/dotnet/DatabaseWatcher/SharedPrivateLinkResource.cs @@ -108,6 +108,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20240719preview:SharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20241001preview:SharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20250102:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20230901preview:databasewatcher:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20240719preview:databasewatcher:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20241001preview:databasewatcher:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20250102:databasewatcher:SharedPrivateLinkResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DatabaseWatcher/Target.cs b/sdk/dotnet/DatabaseWatcher/Target.cs index 8f46d7697d8e..119730ce8899 100644 --- a/sdk/dotnet/DatabaseWatcher/Target.cs +++ b/sdk/dotnet/DatabaseWatcher/Target.cs @@ -102,6 +102,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20240719preview:Target" }, new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20241001preview:Target" }, new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20250102:Target" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20230901preview:databasewatcher:Target" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20240719preview:databasewatcher:Target" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20241001preview:databasewatcher:Target" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20250102:databasewatcher:Target" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DatabaseWatcher/Watcher.cs b/sdk/dotnet/DatabaseWatcher/Watcher.cs index 14181cb43da6..11cca884729a 100644 --- a/sdk/dotnet/DatabaseWatcher/Watcher.cs +++ b/sdk/dotnet/DatabaseWatcher/Watcher.cs @@ -114,6 +114,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20240719preview:Watcher" }, new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20241001preview:Watcher" }, new global::Pulumi.Alias { Type = "azure-native:databasewatcher/v20250102:Watcher" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20230901preview:databasewatcher:Watcher" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20240719preview:databasewatcher:Watcher" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20241001preview:databasewatcher:Watcher" }, + new global::Pulumi.Alias { Type = "azure-native_databasewatcher_v20250102:databasewatcher:Watcher" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Databricks/AccessConnector.cs b/sdk/dotnet/Databricks/AccessConnector.cs index 041f183d3378..b0dc7af20983 100644 --- a/sdk/dotnet/Databricks/AccessConnector.cs +++ b/sdk/dotnet/Databricks/AccessConnector.cs @@ -93,11 +93,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:databricks/v20220401preview:AccessConnector" }, - new global::Pulumi.Alias { Type = "azure-native:databricks/v20221001preview:AccessConnector" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20230501:AccessConnector" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20240501:AccessConnector" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20240901preview:AccessConnector" }, - new global::Pulumi.Alias { Type = "azure-native:databricks/v20250301preview:AccessConnector" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20220401preview:databricks:AccessConnector" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20221001preview:databricks:AccessConnector" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20230501:databricks:AccessConnector" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20240501:databricks:AccessConnector" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20240901preview:databricks:AccessConnector" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20250301preview:databricks:AccessConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Databricks/PrivateEndpointConnection.cs b/sdk/dotnet/Databricks/PrivateEndpointConnection.cs index 32adec06275c..91c1919da4c6 100644 --- a/sdk/dotnet/Databricks/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Databricks/PrivateEndpointConnection.cs @@ -68,13 +68,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databricks/v20210401preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:databricks/v20220401preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20230201:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20230915preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20240501:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20240901preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:databricks/v20250301preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20210401preview:databricks:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20220401preview:databricks:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20230201:databricks:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20230915preview:databricks:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20240501:databricks:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20240901preview:databricks:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20250301preview:databricks:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Databricks/VNetPeering.cs b/sdk/dotnet/Databricks/VNetPeering.cs index 6c75283dde5c..49bf9fcbe87c 100644 --- a/sdk/dotnet/Databricks/VNetPeering.cs +++ b/sdk/dotnet/Databricks/VNetPeering.cs @@ -122,14 +122,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databricks/v20180401:VNetPeering" }, - new global::Pulumi.Alias { Type = "azure-native:databricks/v20210401preview:VNetPeering" }, - new global::Pulumi.Alias { Type = "azure-native:databricks/v20220401preview:VNetPeering" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20230201:VNetPeering" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20230915preview:VNetPeering" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20240501:VNetPeering" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20240901preview:VNetPeering" }, - new global::Pulumi.Alias { Type = "azure-native:databricks/v20250301preview:VNetPeering" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20180401:databricks:VNetPeering" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20210401preview:databricks:VNetPeering" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20220401preview:databricks:VNetPeering" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20230201:databricks:VNetPeering" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20230915preview:databricks:VNetPeering" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20240501:databricks:VNetPeering" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20240901preview:databricks:VNetPeering" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20250301preview:databricks:VNetPeering" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Databricks/Workspace.cs b/sdk/dotnet/Databricks/Workspace.cs index 4933814fe22e..ad77268ed0f3 100644 --- a/sdk/dotnet/Databricks/Workspace.cs +++ b/sdk/dotnet/Databricks/Workspace.cs @@ -218,14 +218,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:databricks/v20180401:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:databricks/v20210401preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:databricks/v20220401preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20230201:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20230915preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20240501:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:databricks/v20240901preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:databricks/v20250301preview:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20180401:databricks:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20210401preview:databricks:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20220401preview:databricks:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20230201:databricks:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20230915preview:databricks:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20240501:databricks:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20240901preview:databricks:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_databricks_v20250301preview:databricks:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Datadog/Monitor.cs b/sdk/dotnet/Datadog/Monitor.cs index 907d8c025495..631970692628 100644 --- a/sdk/dotnet/Datadog/Monitor.cs +++ b/sdk/dotnet/Datadog/Monitor.cs @@ -84,13 +84,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:datadog/v20200201preview:Monitor" }, - new global::Pulumi.Alias { Type = "azure-native:datadog/v20210301:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:datadog/v20220601:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:datadog/v20220801:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:datadog/v20230101:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:datadog/v20230707:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:datadog/v20231020:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_datadog_v20200201preview:datadog:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_datadog_v20210301:datadog:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_datadog_v20220601:datadog:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_datadog_v20220801:datadog:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_datadog_v20230101:datadog:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_datadog_v20230707:datadog:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_datadog_v20231020:datadog:Monitor" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Datadog/MonitoredSubscription.cs b/sdk/dotnet/Datadog/MonitoredSubscription.cs index 5c02cf89ffbb..8e08b632bab5 100644 --- a/sdk/dotnet/Datadog/MonitoredSubscription.cs +++ b/sdk/dotnet/Datadog/MonitoredSubscription.cs @@ -71,6 +71,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:datadog/v20230101:MonitoredSubscription" }, new global::Pulumi.Alias { Type = "azure-native:datadog/v20230707:MonitoredSubscription" }, new global::Pulumi.Alias { Type = "azure-native:datadog/v20231020:MonitoredSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_datadog_v20230101:datadog:MonitoredSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_datadog_v20230707:datadog:MonitoredSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_datadog_v20231020:datadog:MonitoredSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DelegatedNetwork/ControllerDetails.cs b/sdk/dotnet/DelegatedNetwork/ControllerDetails.cs index 0b6d5fd8fe5b..1859684823b0 100644 --- a/sdk/dotnet/DelegatedNetwork/ControllerDetails.cs +++ b/sdk/dotnet/DelegatedNetwork/ControllerDetails.cs @@ -110,10 +110,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20200808preview:ControllerDetails" }, new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20210315:ControllerDetails" }, new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20230518preview:ControllerDetails" }, new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20230627preview:ControllerDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20200808preview:delegatednetwork:ControllerDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20210315:delegatednetwork:ControllerDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20230518preview:delegatednetwork:ControllerDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20230627preview:delegatednetwork:ControllerDetails" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DelegatedNetwork/DelegatedSubnetServiceDetails.cs b/sdk/dotnet/DelegatedNetwork/DelegatedSubnetServiceDetails.cs index 6b42f9b55711..9fe8b13c2092 100644 --- a/sdk/dotnet/DelegatedNetwork/DelegatedSubnetServiceDetails.cs +++ b/sdk/dotnet/DelegatedNetwork/DelegatedSubnetServiceDetails.cs @@ -105,10 +105,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20200808preview:DelegatedSubnetServiceDetails" }, new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20210315:DelegatedSubnetServiceDetails" }, new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20230518preview:DelegatedSubnetServiceDetails" }, new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20230627preview:DelegatedSubnetServiceDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20200808preview:delegatednetwork:DelegatedSubnetServiceDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20210315:delegatednetwork:DelegatedSubnetServiceDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20230518preview:delegatednetwork:DelegatedSubnetServiceDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20230627preview:delegatednetwork:DelegatedSubnetServiceDetails" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DelegatedNetwork/OrchestratorInstanceServiceDetails.cs b/sdk/dotnet/DelegatedNetwork/OrchestratorInstanceServiceDetails.cs index aebeb8ec4449..ffd8010222b1 100644 --- a/sdk/dotnet/DelegatedNetwork/OrchestratorInstanceServiceDetails.cs +++ b/sdk/dotnet/DelegatedNetwork/OrchestratorInstanceServiceDetails.cs @@ -134,10 +134,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20200808preview:OrchestratorInstanceServiceDetails" }, new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20210315:OrchestratorInstanceServiceDetails" }, new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20230518preview:OrchestratorInstanceServiceDetails" }, new global::Pulumi.Alias { Type = "azure-native:delegatednetwork/v20230627preview:OrchestratorInstanceServiceDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20200808preview:delegatednetwork:OrchestratorInstanceServiceDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20210315:delegatednetwork:OrchestratorInstanceServiceDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20230518preview:delegatednetwork:OrchestratorInstanceServiceDetails" }, + new global::Pulumi.Alias { Type = "azure-native_delegatednetwork_v20230627preview:delegatednetwork:OrchestratorInstanceServiceDetails" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DependencyMap/DiscoverySource.cs b/sdk/dotnet/DependencyMap/DiscoverySource.cs index 78d1b40387a6..6ad83ccd438b 100644 --- a/sdk/dotnet/DependencyMap/DiscoverySource.cs +++ b/sdk/dotnet/DependencyMap/DiscoverySource.cs @@ -96,7 +96,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dependencymap/v20250131preview:DiscoverySource" }, + new global::Pulumi.Alias { Type = "azure-native_dependencymap_v20250131preview:dependencymap:DiscoverySource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DependencyMap/Map.cs b/sdk/dotnet/DependencyMap/Map.cs index 66a626f728cc..9e32c89a857d 100644 --- a/sdk/dotnet/DependencyMap/Map.cs +++ b/sdk/dotnet/DependencyMap/Map.cs @@ -84,7 +84,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dependencymap/v20250131preview:Map" }, + new global::Pulumi.Alias { Type = "azure-native_dependencymap_v20250131preview:dependencymap:Map" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DesktopVirtualization/AppAttachPackage.cs b/sdk/dotnet/DesktopVirtualization/AppAttachPackage.cs index 75065d582d6f..320806560e94 100644 --- a/sdk/dotnet/DesktopVirtualization/AppAttachPackage.cs +++ b/sdk/dotnet/DesktopVirtualization/AppAttachPackage.cs @@ -93,7 +93,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240403:AppAttachPackage" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240408preview:AppAttachPackage" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240808preview:AppAttachPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20241101preview:AppAttachPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:AppAttachPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:AppAttachPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:AppAttachPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:AppAttachPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240403:desktopvirtualization:AppAttachPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:AppAttachPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:AppAttachPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:AppAttachPackage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DesktopVirtualization/Application.cs b/sdk/dotnet/DesktopVirtualization/Application.cs index 16a1b8c5b434..f2854fd1835f 100644 --- a/sdk/dotnet/DesktopVirtualization/Application.cs +++ b/sdk/dotnet/DesktopVirtualization/Application.cs @@ -152,21 +152,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20190123preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20190924preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20191210preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20200921preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201019preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201102preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201110preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210114preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210201preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210309preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210401preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210712:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210903preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220210preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220401preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220909:Application" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20221014preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20230707preview:Application" }, @@ -178,7 +163,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240403:Application" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240408preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240808preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20241101preview:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210712:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220909:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20230905:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240403:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:Application" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:Application" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DesktopVirtualization/ApplicationGroup.cs b/sdk/dotnet/DesktopVirtualization/ApplicationGroup.cs index 8906202fcc24..17891f507e8d 100644 --- a/sdk/dotnet/DesktopVirtualization/ApplicationGroup.cs +++ b/sdk/dotnet/DesktopVirtualization/ApplicationGroup.cs @@ -155,20 +155,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20190123preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20190924preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20191210preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20200921preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201019preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201102preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201110preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210114preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210201preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210309preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210401preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210712:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210903preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220210preview:ApplicationGroup" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220401preview:ApplicationGroup" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220909:ApplicationGroup" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20221014preview:ApplicationGroup" }, @@ -181,7 +167,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240403:ApplicationGroup" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240408preview:ApplicationGroup" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240808preview:ApplicationGroup" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20241101preview:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210712:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220909:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ApplicationGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DesktopVirtualization/HostPool.cs b/sdk/dotnet/DesktopVirtualization/HostPool.cs index 63591db48635..31d065f4f183 100644 --- a/sdk/dotnet/DesktopVirtualization/HostPool.cs +++ b/sdk/dotnet/DesktopVirtualization/HostPool.cs @@ -251,20 +251,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20190123preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20190924preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20191210preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20200921preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201019preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201102preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201110preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210114preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210201preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210309preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210401preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210712:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210903preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220210preview:HostPool" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220401preview:HostPool" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220909:HostPool" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20221014preview:HostPool" }, @@ -277,7 +263,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240403:HostPool" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240408preview:HostPool" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240808preview:HostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20241101preview:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210712:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220909:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20230905:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240403:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:HostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:HostPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DesktopVirtualization/MSIXPackage.cs b/sdk/dotnet/DesktopVirtualization/MSIXPackage.cs index 9a17f51371d6..1ec353aaec64 100644 --- a/sdk/dotnet/DesktopVirtualization/MSIXPackage.cs +++ b/sdk/dotnet/DesktopVirtualization/MSIXPackage.cs @@ -134,18 +134,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20200921preview:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201019preview:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201102preview:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201110preview:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210114preview:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210201preview:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210309preview:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210401preview:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210712:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210903preview:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220210preview:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220401preview:MSIXPackage" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220909:MSIXPackage" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20221014preview:MSIXPackage" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20230707preview:MSIXPackage" }, @@ -157,7 +145,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240403:MSIXPackage" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240408preview:MSIXPackage" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240808preview:MSIXPackage" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20241101preview:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210712:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220909:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20230905:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240403:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:MSIXPackage" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:MSIXPackage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DesktopVirtualization/PrivateEndpointConnectionByHostPool.cs b/sdk/dotnet/DesktopVirtualization/PrivateEndpointConnectionByHostPool.cs index 14afc4273de6..2e6547f93670 100644 --- a/sdk/dotnet/DesktopVirtualization/PrivateEndpointConnectionByHostPool.cs +++ b/sdk/dotnet/DesktopVirtualization/PrivateEndpointConnectionByHostPool.cs @@ -92,10 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210401preview:PrivateEndpointConnectionByHostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210903preview:PrivateEndpointConnectionByHostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220210preview:PrivateEndpointConnectionByHostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220401preview:PrivateEndpointConnectionByHostPool" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByHostPool" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20230707preview:PrivateEndpointConnectionByHostPool" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByHostPool" }, @@ -106,7 +102,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByHostPool" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByHostPool" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByHostPool" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20241101preview:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20230905:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240403:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DesktopVirtualization/PrivateEndpointConnectionByWorkspace.cs b/sdk/dotnet/DesktopVirtualization/PrivateEndpointConnectionByWorkspace.cs index fe64c4fbaa05..de0db14ea9e6 100644 --- a/sdk/dotnet/DesktopVirtualization/PrivateEndpointConnectionByWorkspace.cs +++ b/sdk/dotnet/DesktopVirtualization/PrivateEndpointConnectionByWorkspace.cs @@ -92,10 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210401preview:PrivateEndpointConnectionByWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210903preview:PrivateEndpointConnectionByWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220210preview:PrivateEndpointConnectionByWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220401preview:PrivateEndpointConnectionByWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20230707preview:PrivateEndpointConnectionByWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByWorkspace" }, @@ -106,7 +102,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByWorkspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20241101preview:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20230905:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240403:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DesktopVirtualization/ScalingPlan.cs b/sdk/dotnet/DesktopVirtualization/ScalingPlan.cs index f80e550c89a2..f4898e5b53a7 100644 --- a/sdk/dotnet/DesktopVirtualization/ScalingPlan.cs +++ b/sdk/dotnet/DesktopVirtualization/ScalingPlan.cs @@ -155,15 +155,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201110preview:ScalingPlan" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210114preview:ScalingPlan" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210201preview:ScalingPlan" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210309preview:ScalingPlan" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210401preview:ScalingPlan" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210712:ScalingPlan" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210903preview:ScalingPlan" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220210preview:ScalingPlan" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220401preview:ScalingPlan" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220909:ScalingPlan" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20221014preview:ScalingPlan" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20230707preview:ScalingPlan" }, @@ -175,7 +168,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240403:ScalingPlan" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240408preview:ScalingPlan" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240808preview:ScalingPlan" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20241101preview:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210712:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220909:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlan" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlan" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DesktopVirtualization/ScalingPlanPersonalSchedule.cs b/sdk/dotnet/DesktopVirtualization/ScalingPlanPersonalSchedule.cs index 0ec3202851d8..d38065146adb 100644 --- a/sdk/dotnet/DesktopVirtualization/ScalingPlanPersonalSchedule.cs +++ b/sdk/dotnet/DesktopVirtualization/ScalingPlanPersonalSchedule.cs @@ -232,7 +232,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240403:ScalingPlanPersonalSchedule" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240408preview:ScalingPlanPersonalSchedule" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240808preview:ScalingPlanPersonalSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20241101preview:ScalingPlanPersonalSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlanPersonalSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlanPersonalSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DesktopVirtualization/ScalingPlanPooledSchedule.cs b/sdk/dotnet/DesktopVirtualization/ScalingPlanPooledSchedule.cs index e6fc8e95fc35..7d9e3fa05cb3 100644 --- a/sdk/dotnet/DesktopVirtualization/ScalingPlanPooledSchedule.cs +++ b/sdk/dotnet/DesktopVirtualization/ScalingPlanPooledSchedule.cs @@ -170,7 +170,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220401preview:ScalingPlanPooledSchedule" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220909:ScalingPlanPooledSchedule" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20221014preview:ScalingPlanPooledSchedule" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20230707preview:ScalingPlanPooledSchedule" }, @@ -182,7 +181,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240403:ScalingPlanPooledSchedule" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240408preview:ScalingPlanPooledSchedule" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240808preview:ScalingPlanPooledSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20241101preview:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220909:desktopvirtualization:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlanPooledSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlanPooledSchedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DesktopVirtualization/Workspace.cs b/sdk/dotnet/DesktopVirtualization/Workspace.cs index e383187eb385..4551cee01122 100644 --- a/sdk/dotnet/DesktopVirtualization/Workspace.cs +++ b/sdk/dotnet/DesktopVirtualization/Workspace.cs @@ -149,21 +149,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20190123preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20190924preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20191210preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20200921preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201019preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201102preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20201110preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210114preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210201preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210309preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210401preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210712:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20210903preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220210preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220401preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20220909:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20221014preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20230707preview:Workspace" }, @@ -175,7 +160,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240403:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240408preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20240808preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:desktopvirtualization/v20241101preview:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210712:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20220909:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20230905:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240403:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/AttachedNetworkByDevCenter.cs b/sdk/dotnet/DevCenter/AttachedNetworkByDevCenter.cs index f982bf932654..0e52e14cb311 100644 --- a/sdk/dotnet/DevCenter/AttachedNetworkByDevCenter.cs +++ b/sdk/dotnet/DevCenter/AttachedNetworkByDevCenter.cs @@ -98,11 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220801preview:AttachedNetworkByDevCenter" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220901preview:AttachedNetworkByDevCenter" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221012preview:AttachedNetworkByDevCenter" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221111preview:AttachedNetworkByDevCenter" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230101preview:AttachedNetworkByDevCenter" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230401:AttachedNetworkByDevCenter" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230801preview:AttachedNetworkByDevCenter" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20231001preview:AttachedNetworkByDevCenter" }, @@ -112,7 +107,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:AttachedNetworkByDevCenter" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:AttachedNetworkByDevCenter" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:AttachedNetworkByDevCenter" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220801preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220901preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221012preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221111preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230101preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230401:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230801preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20231001preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:AttachedNetworkByDevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:AttachedNetworkByDevCenter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/Catalog.cs b/sdk/dotnet/DevCenter/Catalog.cs index e9b575bd1c7b..a1bedc3cd79d 100644 --- a/sdk/dotnet/DevCenter/Catalog.cs +++ b/sdk/dotnet/DevCenter/Catalog.cs @@ -128,11 +128,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220801preview:Catalog" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220901preview:Catalog" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221012preview:Catalog" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221111preview:Catalog" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230101preview:Catalog" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230401:Catalog" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230801preview:Catalog" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20231001preview:Catalog" }, @@ -142,7 +137,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:Catalog" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:Catalog" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:Catalog" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220801preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220901preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221012preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221111preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230101preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230401:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230801preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20231001preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:Catalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:Catalog" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/CurationProfile.cs b/sdk/dotnet/DevCenter/CurationProfile.cs index 6f4cc2659c36..e7ef8c1f6b88 100644 --- a/sdk/dotnet/DevCenter/CurationProfile.cs +++ b/sdk/dotnet/DevCenter/CurationProfile.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:CurationProfile" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:CurationProfile" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:CurationProfile" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:CurationProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/DevBoxDefinition.cs b/sdk/dotnet/DevCenter/DevBoxDefinition.cs index 76d5acd7072c..17c9b2f86cf0 100644 --- a/sdk/dotnet/DevCenter/DevBoxDefinition.cs +++ b/sdk/dotnet/DevCenter/DevBoxDefinition.cs @@ -134,11 +134,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220801preview:DevBoxDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220901preview:DevBoxDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221012preview:DevBoxDefinition" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221111preview:DevBoxDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230101preview:DevBoxDefinition" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230401:DevBoxDefinition" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230801preview:DevBoxDefinition" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20231001preview:DevBoxDefinition" }, @@ -148,7 +144,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:DevBoxDefinition" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:DevBoxDefinition" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:DevBoxDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220801preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220901preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221012preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221111preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230101preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230401:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230801preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20231001preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:DevBoxDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:DevBoxDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/DevCenter.cs b/sdk/dotnet/DevCenter/DevCenter.cs index e96b70a359a0..ecbc49ce0798 100644 --- a/sdk/dotnet/DevCenter/DevCenter.cs +++ b/sdk/dotnet/DevCenter/DevCenter.cs @@ -116,11 +116,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220801preview:DevCenter" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220901preview:DevCenter" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221012preview:DevCenter" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221111preview:DevCenter" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230101preview:DevCenter" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230401:DevCenter" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230801preview:DevCenter" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20231001preview:DevCenter" }, @@ -130,7 +125,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:DevCenter" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:DevCenter" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:DevCenter" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220801preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220901preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221012preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221111preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230101preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230401:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230801preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20231001preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:DevCenter" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:DevCenter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/EncryptionSet.cs b/sdk/dotnet/DevCenter/EncryptionSet.cs index d5a8a6368503..994b0d41f228 100644 --- a/sdk/dotnet/DevCenter/EncryptionSet.cs +++ b/sdk/dotnet/DevCenter/EncryptionSet.cs @@ -109,6 +109,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:EncryptionSet" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:EncryptionSet" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:EncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:EncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:EncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:EncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:EncryptionSet" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:EncryptionSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/EnvironmentType.cs b/sdk/dotnet/DevCenter/EnvironmentType.cs index 7907b3ebfe6f..eda45bf799c9 100644 --- a/sdk/dotnet/DevCenter/EnvironmentType.cs +++ b/sdk/dotnet/DevCenter/EnvironmentType.cs @@ -86,11 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220801preview:EnvironmentType" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220901preview:EnvironmentType" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221012preview:EnvironmentType" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221111preview:EnvironmentType" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230101preview:EnvironmentType" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230401:EnvironmentType" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230801preview:EnvironmentType" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20231001preview:EnvironmentType" }, @@ -100,7 +95,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:EnvironmentType" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:EnvironmentType" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:EnvironmentType" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220801preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220901preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221012preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221111preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230101preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230401:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230801preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20231001preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:EnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:EnvironmentType" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/Gallery.cs b/sdk/dotnet/DevCenter/Gallery.cs index e3c319138196..8ce632eace82 100644 --- a/sdk/dotnet/DevCenter/Gallery.cs +++ b/sdk/dotnet/DevCenter/Gallery.cs @@ -80,11 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220801preview:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220901preview:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221012preview:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221111preview:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230101preview:Gallery" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230401:Gallery" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230801preview:Gallery" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20231001preview:Gallery" }, @@ -94,7 +89,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:Gallery" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:Gallery" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:Gallery" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220801preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220901preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221012preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221111preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230101preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230401:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230801preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20231001preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:Gallery" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:Gallery" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/NetworkConnection.cs b/sdk/dotnet/DevCenter/NetworkConnection.cs index 2ffd9794a718..5ad8845cae0a 100644 --- a/sdk/dotnet/DevCenter/NetworkConnection.cs +++ b/sdk/dotnet/DevCenter/NetworkConnection.cs @@ -134,11 +134,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220801preview:NetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220901preview:NetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221012preview:NetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221111preview:NetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230101preview:NetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230401:NetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230801preview:NetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20231001preview:NetworkConnection" }, @@ -148,7 +143,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:NetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:NetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:NetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220801preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220901preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221012preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221111preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230101preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230401:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230801preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20231001preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:NetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:NetworkConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/Plan.cs b/sdk/dotnet/DevCenter/Plan.cs index cb666461e804..1291836684ec 100644 --- a/sdk/dotnet/DevCenter/Plan.cs +++ b/sdk/dotnet/DevCenter/Plan.cs @@ -97,6 +97,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:Plan" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:Plan" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:Plan" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:Plan" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:Plan" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:Plan" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:Plan" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:Plan" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/PlanMember.cs b/sdk/dotnet/DevCenter/PlanMember.cs index 5019bbcc23c0..ab8e320d73f3 100644 --- a/sdk/dotnet/DevCenter/PlanMember.cs +++ b/sdk/dotnet/DevCenter/PlanMember.cs @@ -109,6 +109,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:PlanMember" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:PlanMember" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:PlanMember" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:PlanMember" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:PlanMember" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:PlanMember" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:PlanMember" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:PlanMember" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/Pool.cs b/sdk/dotnet/DevCenter/Pool.cs index 61df4affce10..2bb17ba25fee 100644 --- a/sdk/dotnet/DevCenter/Pool.cs +++ b/sdk/dotnet/DevCenter/Pool.cs @@ -158,11 +158,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220801preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220901preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221012preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221111preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230101preview:Pool" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230401:Pool" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230801preview:Pool" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20231001preview:Pool" }, @@ -172,7 +167,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:Pool" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:Pool" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220801preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220901preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221012preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221111preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230101preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230401:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230801preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20231001preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:Pool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/Project.cs b/sdk/dotnet/DevCenter/Project.cs index 36e34332a52e..92cf91394d63 100644 --- a/sdk/dotnet/DevCenter/Project.cs +++ b/sdk/dotnet/DevCenter/Project.cs @@ -128,11 +128,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220801preview:Project" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220901preview:Project" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221012preview:Project" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221111preview:Project" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230101preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230401:Project" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230801preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20231001preview:Project" }, @@ -142,7 +137,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:Project" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220801preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220901preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221012preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221111preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230101preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230401:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230801preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20231001preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:Project" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:Project" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/ProjectCatalog.cs b/sdk/dotnet/DevCenter/ProjectCatalog.cs index e33b8f837ecf..38d46260576b 100644 --- a/sdk/dotnet/DevCenter/ProjectCatalog.cs +++ b/sdk/dotnet/DevCenter/ProjectCatalog.cs @@ -134,7 +134,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:ProjectCatalog" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:ProjectCatalog" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:ProjectCatalog" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:ProjectCatalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:ProjectCatalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:ProjectCatalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:ProjectCatalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:ProjectCatalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:ProjectCatalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:ProjectCatalog" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:ProjectCatalog" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/ProjectEnvironmentType.cs b/sdk/dotnet/DevCenter/ProjectEnvironmentType.cs index 9a5baac29f73..9fced518be22 100644 --- a/sdk/dotnet/DevCenter/ProjectEnvironmentType.cs +++ b/sdk/dotnet/DevCenter/ProjectEnvironmentType.cs @@ -128,11 +128,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220801preview:ProjectEnvironmentType" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220901preview:ProjectEnvironmentType" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221012preview:ProjectEnvironmentType" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221111preview:ProjectEnvironmentType" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230101preview:ProjectEnvironmentType" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230401:ProjectEnvironmentType" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230801preview:ProjectEnvironmentType" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20231001preview:ProjectEnvironmentType" }, @@ -142,7 +137,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:ProjectEnvironmentType" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:ProjectEnvironmentType" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:ProjectEnvironmentType" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220801preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220901preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221012preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221111preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230101preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230401:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230801preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20231001preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:ProjectEnvironmentType" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:ProjectEnvironmentType" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/ProjectPolicy.cs b/sdk/dotnet/DevCenter/ProjectPolicy.cs index 588d9c99aa77..7b63b99363d2 100644 --- a/sdk/dotnet/DevCenter/ProjectPolicy.cs +++ b/sdk/dotnet/DevCenter/ProjectPolicy.cs @@ -87,7 +87,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:ProjectPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:ProjectPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:ProjectPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:ProjectPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevCenter/Schedule.cs b/sdk/dotnet/DevCenter/Schedule.cs index 6c56795a0148..125e5dc554ec 100644 --- a/sdk/dotnet/DevCenter/Schedule.cs +++ b/sdk/dotnet/DevCenter/Schedule.cs @@ -110,11 +110,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220801preview:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20220901preview:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221012preview:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20221111preview:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230101preview:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230401:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20230801preview:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20231001preview:Schedule" }, @@ -124,7 +119,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240701preview:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20240801preview:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:devcenter/v20241001preview:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:devcenter/v20250201:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220801preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20220901preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221012preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20221111preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230101preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230401:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20230801preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20231001preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240201:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240501preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240601preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240701preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20240801preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20241001preview:devcenter:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devcenter_v20250201:devcenter:Schedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevHub/IacProfile.cs b/sdk/dotnet/DevHub/IacProfile.cs index c4443ce8be67..b8e70dfdd798 100644 --- a/sdk/dotnet/DevHub/IacProfile.cs +++ b/sdk/dotnet/DevHub/IacProfile.cs @@ -160,7 +160,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:devhub/v20240501preview:IacProfile" }, new global::Pulumi.Alias { Type = "azure-native:devhub/v20240801preview:IacProfile" }, - new global::Pulumi.Alias { Type = "azure-native:devhub/v20250301preview:IacProfile" }, + new global::Pulumi.Alias { Type = "azure-native_devhub_v20240501preview:devhub:IacProfile" }, + new global::Pulumi.Alias { Type = "azure-native_devhub_v20240801preview:devhub:IacProfile" }, + new global::Pulumi.Alias { Type = "azure-native_devhub_v20250301preview:devhub:IacProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevHub/Workflow.cs b/sdk/dotnet/DevHub/Workflow.cs index d9029dfafb34..fc48c0baf234 100644 --- a/sdk/dotnet/DevHub/Workflow.cs +++ b/sdk/dotnet/DevHub/Workflow.cs @@ -164,12 +164,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devhub/v20220401preview:Workflow" }, new global::Pulumi.Alias { Type = "azure-native:devhub/v20221011preview:Workflow" }, new global::Pulumi.Alias { Type = "azure-native:devhub/v20230801:Workflow" }, new global::Pulumi.Alias { Type = "azure-native:devhub/v20240501preview:Workflow" }, new global::Pulumi.Alias { Type = "azure-native:devhub/v20240801preview:Workflow" }, - new global::Pulumi.Alias { Type = "azure-native:devhub/v20250301preview:Workflow" }, + new global::Pulumi.Alias { Type = "azure-native_devhub_v20220401preview:devhub:Workflow" }, + new global::Pulumi.Alias { Type = "azure-native_devhub_v20221011preview:devhub:Workflow" }, + new global::Pulumi.Alias { Type = "azure-native_devhub_v20230801:devhub:Workflow" }, + new global::Pulumi.Alias { Type = "azure-native_devhub_v20240501preview:devhub:Workflow" }, + new global::Pulumi.Alias { Type = "azure-native_devhub_v20240801preview:devhub:Workflow" }, + new global::Pulumi.Alias { Type = "azure-native_devhub_v20250301preview:devhub:Workflow" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevOpsInfrastructure/Pool.cs b/sdk/dotnet/DevOpsInfrastructure/Pool.cs index 4d0864495a5a..e837e9f1b393 100644 --- a/sdk/dotnet/DevOpsInfrastructure/Pool.cs +++ b/sdk/dotnet/DevOpsInfrastructure/Pool.cs @@ -128,6 +128,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devopsinfrastructure/v20240404preview:Pool" }, new global::Pulumi.Alias { Type = "azure-native:devopsinfrastructure/v20241019:Pool" }, new global::Pulumi.Alias { Type = "azure-native:devopsinfrastructure/v20250121:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devopsinfrastructure_v20231030preview:devopsinfrastructure:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devopsinfrastructure_v20231213preview:devopsinfrastructure:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devopsinfrastructure_v20240326preview:devopsinfrastructure:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devopsinfrastructure_v20240404preview:devopsinfrastructure:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devopsinfrastructure_v20241019:devopsinfrastructure:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_devopsinfrastructure_v20250121:devopsinfrastructure:Pool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevSpaces/Controller.cs b/sdk/dotnet/DevSpaces/Controller.cs index 7f3656447b33..d7ed75e2a5c9 100644 --- a/sdk/dotnet/DevSpaces/Controller.cs +++ b/sdk/dotnet/DevSpaces/Controller.cs @@ -107,6 +107,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:devspaces/v20190401:Controller" }, + new global::Pulumi.Alias { Type = "azure-native_devspaces_v20190401:devspaces:Controller" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/ArtifactSource.cs b/sdk/dotnet/DevTestLab/ArtifactSource.cs index a18f9bc7490c..cae3ebd17ad9 100644 --- a/sdk/dotnet/DevTestLab/ArtifactSource.cs +++ b/sdk/dotnet/DevTestLab/ArtifactSource.cs @@ -138,9 +138,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20150521preview:ArtifactSource" }, - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:ArtifactSource" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:ArtifactSource" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20150521preview:devtestlab:ArtifactSource" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:ArtifactSource" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:ArtifactSource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/CustomImage.cs b/sdk/dotnet/DevTestLab/CustomImage.cs index b5f80971fd93..ffc4e40c44f0 100644 --- a/sdk/dotnet/DevTestLab/CustomImage.cs +++ b/sdk/dotnet/DevTestLab/CustomImage.cs @@ -144,9 +144,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20150521preview:CustomImage" }, - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:CustomImage" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:CustomImage" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20150521preview:devtestlab:CustomImage" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:CustomImage" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:CustomImage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/Disk.cs b/sdk/dotnet/DevTestLab/Disk.cs index 82b6c56fd0ef..d1cb08576cfe 100644 --- a/sdk/dotnet/DevTestLab/Disk.cs +++ b/sdk/dotnet/DevTestLab/Disk.cs @@ -138,8 +138,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:Disk" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:Disk" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:Disk" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/Environment.cs b/sdk/dotnet/DevTestLab/Environment.cs index 499c5aaf1887..7a35a84b0636 100644 --- a/sdk/dotnet/DevTestLab/Environment.cs +++ b/sdk/dotnet/DevTestLab/Environment.cs @@ -108,8 +108,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:Environment" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:Environment" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:Environment" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:Environment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/Formula.cs b/sdk/dotnet/DevTestLab/Formula.cs index 668982a3956b..d81e1ea2917a 100644 --- a/sdk/dotnet/DevTestLab/Formula.cs +++ b/sdk/dotnet/DevTestLab/Formula.cs @@ -120,9 +120,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20150521preview:Formula" }, - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:Formula" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:Formula" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20150521preview:devtestlab:Formula" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:Formula" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:Formula" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/GlobalSchedule.cs b/sdk/dotnet/DevTestLab/GlobalSchedule.cs index 46e22ea12e84..4bf676ab9e25 100644 --- a/sdk/dotnet/DevTestLab/GlobalSchedule.cs +++ b/sdk/dotnet/DevTestLab/GlobalSchedule.cs @@ -138,8 +138,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:GlobalSchedule" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:GlobalSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:GlobalSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:GlobalSchedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/Lab.cs b/sdk/dotnet/DevTestLab/Lab.cs index 3e0d9853d6cc..e9af4f182f91 100644 --- a/sdk/dotnet/DevTestLab/Lab.cs +++ b/sdk/dotnet/DevTestLab/Lab.cs @@ -194,9 +194,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20150521preview:Lab" }, - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:Lab" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:Lab" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20150521preview:devtestlab:Lab" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:Lab" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:Lab" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/NotificationChannel.cs b/sdk/dotnet/DevTestLab/NotificationChannel.cs index 1fd8e32cf64a..ed7fcd9d2683 100644 --- a/sdk/dotnet/DevTestLab/NotificationChannel.cs +++ b/sdk/dotnet/DevTestLab/NotificationChannel.cs @@ -120,8 +120,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:NotificationChannel" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:NotificationChannel" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:NotificationChannel" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:NotificationChannel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/Policy.cs b/sdk/dotnet/DevTestLab/Policy.cs index 144b6f8a2bb4..775985c53a3d 100644 --- a/sdk/dotnet/DevTestLab/Policy.cs +++ b/sdk/dotnet/DevTestLab/Policy.cs @@ -126,9 +126,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20150521preview:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:Policy" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20150521preview:devtestlab:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:Policy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/Schedule.cs b/sdk/dotnet/DevTestLab/Schedule.cs index 618b799621f7..bffee167fb09 100644 --- a/sdk/dotnet/DevTestLab/Schedule.cs +++ b/sdk/dotnet/DevTestLab/Schedule.cs @@ -138,9 +138,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20150521preview:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20150521preview:devtestlab:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:Schedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/Secret.cs b/sdk/dotnet/DevTestLab/Secret.cs index b86dd6f06194..6b764942402d 100644 --- a/sdk/dotnet/DevTestLab/Secret.cs +++ b/sdk/dotnet/DevTestLab/Secret.cs @@ -90,8 +90,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:Secret" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:Secret" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/ServiceFabric.cs b/sdk/dotnet/DevTestLab/ServiceFabric.cs index 15e5b1225716..79e619f14cc7 100644 --- a/sdk/dotnet/DevTestLab/ServiceFabric.cs +++ b/sdk/dotnet/DevTestLab/ServiceFabric.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:ServiceFabric" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:ServiceFabric" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/ServiceFabricSchedule.cs b/sdk/dotnet/DevTestLab/ServiceFabricSchedule.cs index 8aa9dbd1fa49..ed521d2c1e8c 100644 --- a/sdk/dotnet/DevTestLab/ServiceFabricSchedule.cs +++ b/sdk/dotnet/DevTestLab/ServiceFabricSchedule.cs @@ -139,6 +139,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:ServiceFabricSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:ServiceFabricSchedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/ServiceRunner.cs b/sdk/dotnet/DevTestLab/ServiceRunner.cs index b8f59ed9bebc..ee2d1dbce104 100644 --- a/sdk/dotnet/DevTestLab/ServiceRunner.cs +++ b/sdk/dotnet/DevTestLab/ServiceRunner.cs @@ -78,8 +78,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:ServiceRunner" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:ServiceRunner" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:ServiceRunner" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:ServiceRunner" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/User.cs b/sdk/dotnet/DevTestLab/User.cs index b488f533bcd8..5f0ffb2f193d 100644 --- a/sdk/dotnet/DevTestLab/User.cs +++ b/sdk/dotnet/DevTestLab/User.cs @@ -102,8 +102,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:User" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:User" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:User" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:User" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/VirtualMachine.cs b/sdk/dotnet/DevTestLab/VirtualMachine.cs index 9d090093844f..b3578c50d039 100644 --- a/sdk/dotnet/DevTestLab/VirtualMachine.cs +++ b/sdk/dotnet/DevTestLab/VirtualMachine.cs @@ -282,9 +282,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20150521preview:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20150521preview:devtestlab:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:VirtualMachine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/VirtualMachineSchedule.cs b/sdk/dotnet/DevTestLab/VirtualMachineSchedule.cs index 7fbdb0990c32..3ad05405cb6c 100644 --- a/sdk/dotnet/DevTestLab/VirtualMachineSchedule.cs +++ b/sdk/dotnet/DevTestLab/VirtualMachineSchedule.cs @@ -138,8 +138,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:VirtualMachineSchedule" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:VirtualMachineSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:VirtualMachineSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:VirtualMachineSchedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DevTestLab/VirtualNetwork.cs b/sdk/dotnet/DevTestLab/VirtualNetwork.cs index aeea5ba19fe4..508b4cc36cad 100644 --- a/sdk/dotnet/DevTestLab/VirtualNetwork.cs +++ b/sdk/dotnet/DevTestLab/VirtualNetwork.cs @@ -120,9 +120,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20150521preview:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20160515:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:devtestlab/v20180915:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20150521preview:devtestlab:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20160515:devtestlab:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_devtestlab_v20180915:devtestlab:VirtualNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceProvisioningServices/DpsCertificate.cs b/sdk/dotnet/DeviceProvisioningServices/DpsCertificate.cs index ae30a9c3fe3e..ef76fa331171 100644 --- a/sdk/dotnet/DeviceProvisioningServices/DpsCertificate.cs +++ b/sdk/dotnet/DeviceProvisioningServices/DpsCertificate.cs @@ -80,22 +80,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20170821preview:DpsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20171115:DpsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20180122:DpsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20200101:DpsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20200301:DpsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20200901preview:DpsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20211015:DpsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20220205:DpsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20221212:DpsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20230301preview:DpsCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20250201preview:DpsCertificate" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20211015:DpsCertificate" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20221212:DpsCertificate" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20230301preview:DpsCertificate" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20250201preview:DpsCertificate" }, new global::Pulumi.Alias { Type = "azure-native:devices:DpsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20170821preview:deviceprovisioningservices:DpsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20171115:deviceprovisioningservices:DpsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20180122:deviceprovisioningservices:DpsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20200101:deviceprovisioningservices:DpsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:DpsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:DpsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:DpsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:DpsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:DpsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:DpsCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:DpsCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceProvisioningServices/IotDpsResource.cs b/sdk/dotnet/DeviceProvisioningServices/IotDpsResource.cs index 33b621d2bfc4..1d8f6e07e25a 100644 --- a/sdk/dotnet/DeviceProvisioningServices/IotDpsResource.cs +++ b/sdk/dotnet/DeviceProvisioningServices/IotDpsResource.cs @@ -116,22 +116,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20170821preview:IotDpsResource" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20171115:IotDpsResource" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20180122:IotDpsResource" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20200101:IotDpsResource" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20200301:IotDpsResource" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20200901preview:IotDpsResource" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20211015:IotDpsResource" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20220205:IotDpsResource" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20221212:IotDpsResource" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20230301preview:IotDpsResource" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20250201preview:IotDpsResource" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20200901preview:IotDpsResource" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20221212:IotDpsResource" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20230301preview:IotDpsResource" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20250201preview:IotDpsResource" }, new global::Pulumi.Alias { Type = "azure-native:devices:IotDpsResource" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20170821preview:deviceprovisioningservices:IotDpsResource" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20171115:deviceprovisioningservices:IotDpsResource" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20180122:deviceprovisioningservices:IotDpsResource" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20200101:deviceprovisioningservices:IotDpsResource" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:IotDpsResource" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:IotDpsResource" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:IotDpsResource" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:IotDpsResource" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:IotDpsResource" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:IotDpsResource" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:IotDpsResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceProvisioningServices/IotDpsResourcePrivateEndpointConnection.cs b/sdk/dotnet/DeviceProvisioningServices/IotDpsResourcePrivateEndpointConnection.cs index 498b85a416e6..fd669b010d68 100644 --- a/sdk/dotnet/DeviceProvisioningServices/IotDpsResourcePrivateEndpointConnection.cs +++ b/sdk/dotnet/DeviceProvisioningServices/IotDpsResourcePrivateEndpointConnection.cs @@ -74,17 +74,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20200301:IotDpsResourcePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20200901preview:IotDpsResourcePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20211015:IotDpsResourcePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20220205:IotDpsResourcePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20221212:IotDpsResourcePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20230301preview:IotDpsResourcePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:deviceprovisioningservices/v20250201preview:IotDpsResourcePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20221212:IotDpsResourcePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20230301preview:IotDpsResourcePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20250201preview:IotDpsResourcePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:devices:IotDpsResourcePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceRegistry/Asset.cs b/sdk/dotnet/DeviceRegistry/Asset.cs index 008dd1f92f41..45df5b144f09 100644 --- a/sdk/dotnet/DeviceRegistry/Asset.cs +++ b/sdk/dotnet/DeviceRegistry/Asset.cs @@ -233,6 +233,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:deviceregistry/v20231101preview:Asset" }, new global::Pulumi.Alias { Type = "azure-native:deviceregistry/v20240901preview:Asset" }, new global::Pulumi.Alias { Type = "azure-native:deviceregistry/v20241101:Asset" }, + new global::Pulumi.Alias { Type = "azure-native_deviceregistry_v20231101preview:deviceregistry:Asset" }, + new global::Pulumi.Alias { Type = "azure-native_deviceregistry_v20240901preview:deviceregistry:Asset" }, + new global::Pulumi.Alias { Type = "azure-native_deviceregistry_v20241101:deviceregistry:Asset" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceRegistry/AssetEndpointProfile.cs b/sdk/dotnet/DeviceRegistry/AssetEndpointProfile.cs index a3d9fd62b1bc..45477a38d0de 100644 --- a/sdk/dotnet/DeviceRegistry/AssetEndpointProfile.cs +++ b/sdk/dotnet/DeviceRegistry/AssetEndpointProfile.cs @@ -137,6 +137,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:deviceregistry/v20231101preview:AssetEndpointProfile" }, new global::Pulumi.Alias { Type = "azure-native:deviceregistry/v20240901preview:AssetEndpointProfile" }, new global::Pulumi.Alias { Type = "azure-native:deviceregistry/v20241101:AssetEndpointProfile" }, + new global::Pulumi.Alias { Type = "azure-native_deviceregistry_v20231101preview:deviceregistry:AssetEndpointProfile" }, + new global::Pulumi.Alias { Type = "azure-native_deviceregistry_v20240901preview:deviceregistry:AssetEndpointProfile" }, + new global::Pulumi.Alias { Type = "azure-native_deviceregistry_v20241101:deviceregistry:AssetEndpointProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceRegistry/DiscoveredAsset.cs b/sdk/dotnet/DeviceRegistry/DiscoveredAsset.cs index 5750aba00052..6b7cbd278ce0 100644 --- a/sdk/dotnet/DeviceRegistry/DiscoveredAsset.cs +++ b/sdk/dotnet/DeviceRegistry/DiscoveredAsset.cs @@ -187,6 +187,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:deviceregistry/v20240901preview:DiscoveredAsset" }, + new global::Pulumi.Alias { Type = "azure-native_deviceregistry_v20240901preview:deviceregistry:DiscoveredAsset" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceRegistry/DiscoveredAssetEndpointProfile.cs b/sdk/dotnet/DeviceRegistry/DiscoveredAssetEndpointProfile.cs index 35fc7af7fc8d..a62568135e46 100644 --- a/sdk/dotnet/DeviceRegistry/DiscoveredAssetEndpointProfile.cs +++ b/sdk/dotnet/DeviceRegistry/DiscoveredAssetEndpointProfile.cs @@ -127,6 +127,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:deviceregistry/v20240901preview:DiscoveredAssetEndpointProfile" }, + new global::Pulumi.Alias { Type = "azure-native_deviceregistry_v20240901preview:deviceregistry:DiscoveredAssetEndpointProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceRegistry/Schema.cs b/sdk/dotnet/DeviceRegistry/Schema.cs index 83d6b81d6322..8a17cb656c12 100644 --- a/sdk/dotnet/DeviceRegistry/Schema.cs +++ b/sdk/dotnet/DeviceRegistry/Schema.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:deviceregistry/v20240901preview:Schema" }, + new global::Pulumi.Alias { Type = "azure-native_deviceregistry_v20240901preview:deviceregistry:Schema" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceRegistry/SchemaRegistry.cs b/sdk/dotnet/DeviceRegistry/SchemaRegistry.cs index 9d505d153e8b..dbb0d9fe4cad 100644 --- a/sdk/dotnet/DeviceRegistry/SchemaRegistry.cs +++ b/sdk/dotnet/DeviceRegistry/SchemaRegistry.cs @@ -121,6 +121,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:deviceregistry/v20240901preview:SchemaRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_deviceregistry_v20240901preview:deviceregistry:SchemaRegistry" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceRegistry/SchemaVersion.cs b/sdk/dotnet/DeviceRegistry/SchemaVersion.cs index 7108f76b24e6..900f6fad236c 100644 --- a/sdk/dotnet/DeviceRegistry/SchemaVersion.cs +++ b/sdk/dotnet/DeviceRegistry/SchemaVersion.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:deviceregistry/v20240901preview:SchemaVersion" }, + new global::Pulumi.Alias { Type = "azure-native_deviceregistry_v20240901preview:deviceregistry:SchemaVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceUpdate/Account.cs b/sdk/dotnet/DeviceUpdate/Account.cs index b40916908a06..21a374b0f133 100644 --- a/sdk/dotnet/DeviceUpdate/Account.cs +++ b/sdk/dotnet/DeviceUpdate/Account.cs @@ -126,11 +126,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20200301preview:Account" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20220401preview:Account" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20221001:Account" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20221201preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20230701:Account" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20200301preview:deviceupdate:Account" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20220401preview:deviceupdate:Account" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20221001:deviceupdate:Account" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20221201preview:deviceupdate:Account" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20230701:deviceupdate:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceUpdate/Instance.cs b/sdk/dotnet/DeviceUpdate/Instance.cs index 798a2b62c652..c95e7be849e7 100644 --- a/sdk/dotnet/DeviceUpdate/Instance.cs +++ b/sdk/dotnet/DeviceUpdate/Instance.cs @@ -108,11 +108,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20200301preview:Instance" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20220401preview:Instance" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20221001:Instance" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20221201preview:Instance" }, new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20230701:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20200301preview:deviceupdate:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20220401preview:deviceupdate:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20221001:deviceupdate:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20221201preview:deviceupdate:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20230701:deviceupdate:Instance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceUpdate/PrivateEndpointConnection.cs b/sdk/dotnet/DeviceUpdate/PrivateEndpointConnection.cs index f92eade8cff1..ca178fd20de3 100644 --- a/sdk/dotnet/DeviceUpdate/PrivateEndpointConnection.cs +++ b/sdk/dotnet/DeviceUpdate/PrivateEndpointConnection.cs @@ -90,11 +90,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20200301preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20220401preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20221001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20221201preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20230701:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20200301preview:deviceupdate:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20220401preview:deviceupdate:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20221001:deviceupdate:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20221201preview:deviceupdate:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20230701:deviceupdate:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DeviceUpdate/PrivateEndpointConnectionProxy.cs b/sdk/dotnet/DeviceUpdate/PrivateEndpointConnectionProxy.cs index 72b79a3ff5e2..dc3a09acdd85 100644 --- a/sdk/dotnet/DeviceUpdate/PrivateEndpointConnectionProxy.cs +++ b/sdk/dotnet/DeviceUpdate/PrivateEndpointConnectionProxy.cs @@ -90,11 +90,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20200301preview:PrivateEndpointConnectionProxy" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20220401preview:PrivateEndpointConnectionProxy" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20221001:PrivateEndpointConnectionProxy" }, - new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20221201preview:PrivateEndpointConnectionProxy" }, new global::Pulumi.Alias { Type = "azure-native:deviceupdate/v20230701:PrivateEndpointConnectionProxy" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20200301preview:deviceupdate:PrivateEndpointConnectionProxy" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20220401preview:deviceupdate:PrivateEndpointConnectionProxy" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20221001:deviceupdate:PrivateEndpointConnectionProxy" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20221201preview:deviceupdate:PrivateEndpointConnectionProxy" }, + new global::Pulumi.Alias { Type = "azure-native_deviceupdate_v20230701:deviceupdate:PrivateEndpointConnectionProxy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DigitalTwins/DigitalTwin.cs b/sdk/dotnet/DigitalTwins/DigitalTwin.cs index 1385b06951f5..23e6cc1db3c1 100644 --- a/sdk/dotnet/DigitalTwins/DigitalTwin.cs +++ b/sdk/dotnet/DigitalTwins/DigitalTwin.cs @@ -120,13 +120,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20200301preview:DigitalTwin" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20201031:DigitalTwin" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20201201:DigitalTwin" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20210630preview:DigitalTwin" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20220531:DigitalTwin" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20221031:DigitalTwin" }, new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20230131:DigitalTwin" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20200301preview:digitaltwins:DigitalTwin" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20201031:digitaltwins:DigitalTwin" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20201201:digitaltwins:DigitalTwin" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20210630preview:digitaltwins:DigitalTwin" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20220531:digitaltwins:DigitalTwin" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20221031:digitaltwins:DigitalTwin" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20230131:digitaltwins:DigitalTwin" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DigitalTwins/DigitalTwinsEndpoint.cs b/sdk/dotnet/DigitalTwins/DigitalTwinsEndpoint.cs index c4fb86c66f3d..ee03462dc535 100644 --- a/sdk/dotnet/DigitalTwins/DigitalTwinsEndpoint.cs +++ b/sdk/dotnet/DigitalTwins/DigitalTwinsEndpoint.cs @@ -72,13 +72,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20200301preview:DigitalTwinsEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20201031:DigitalTwinsEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20201201:DigitalTwinsEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20210630preview:DigitalTwinsEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20220531:DigitalTwinsEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20221031:DigitalTwinsEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20230131:DigitalTwinsEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20200301preview:digitaltwins:DigitalTwinsEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20201031:digitaltwins:DigitalTwinsEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20201201:digitaltwins:DigitalTwinsEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20210630preview:digitaltwins:DigitalTwinsEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20220531:digitaltwins:DigitalTwinsEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20221031:digitaltwins:DigitalTwinsEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20230131:digitaltwins:DigitalTwinsEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DigitalTwins/PrivateEndpointConnection.cs b/sdk/dotnet/DigitalTwins/PrivateEndpointConnection.cs index e127cddcd456..f70b5a244083 100644 --- a/sdk/dotnet/DigitalTwins/PrivateEndpointConnection.cs +++ b/sdk/dotnet/DigitalTwins/PrivateEndpointConnection.cs @@ -73,10 +73,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20201201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20210630preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20220531:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20221031:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20230131:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20201201:digitaltwins:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20210630preview:digitaltwins:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20220531:digitaltwins:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20221031:digitaltwins:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20230131:digitaltwins:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DigitalTwins/TimeSeriesDatabaseConnection.cs b/sdk/dotnet/DigitalTwins/TimeSeriesDatabaseConnection.cs index cbf745eee541..bb03f4d386ba 100644 --- a/sdk/dotnet/DigitalTwins/TimeSeriesDatabaseConnection.cs +++ b/sdk/dotnet/DigitalTwins/TimeSeriesDatabaseConnection.cs @@ -72,10 +72,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20210630preview:TimeSeriesDatabaseConnection" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20220531:TimeSeriesDatabaseConnection" }, - new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20221031:TimeSeriesDatabaseConnection" }, new global::Pulumi.Alias { Type = "azure-native:digitaltwins/v20230131:TimeSeriesDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20210630preview:digitaltwins:TimeSeriesDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20220531:digitaltwins:TimeSeriesDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20221031:digitaltwins:TimeSeriesDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_digitaltwins_v20230131:digitaltwins:TimeSeriesDatabaseConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Dns/DnssecConfig.cs b/sdk/dotnet/Dns/DnssecConfig.cs index 40f3483babea..0b9bbd0b89d6 100644 --- a/sdk/dotnet/Dns/DnssecConfig.cs +++ b/sdk/dotnet/Dns/DnssecConfig.cs @@ -84,9 +84,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dns/v20230701preview:DnssecConfig" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:DnssecConfig" }, new global::Pulumi.Alias { Type = "azure-native:network:DnssecConfig" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20230701preview:dns:DnssecConfig" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Dns/RecordSet.cs b/sdk/dotnet/Dns/RecordSet.cs index 463ffe9c4e48..3f8cbea36b64 100644 --- a/sdk/dotnet/Dns/RecordSet.cs +++ b/sdk/dotnet/Dns/RecordSet.cs @@ -182,16 +182,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dns/v20150504preview:RecordSet" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20160401:RecordSet" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20170901:RecordSet" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20171001:RecordSet" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20180301preview:RecordSet" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20180501:RecordSet" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20230701preview:RecordSet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20180501:RecordSet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:RecordSet" }, new global::Pulumi.Alias { Type = "azure-native:network:RecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20150504preview:dns:RecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20160401:dns:RecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20170901:dns:RecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20171001:dns:RecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20180301preview:dns:RecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20180501:dns:RecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20230701preview:dns:RecordSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Dns/Zone.cs b/sdk/dotnet/Dns/Zone.cs index 8c1baeb3df82..d59415a10a7a 100644 --- a/sdk/dotnet/Dns/Zone.cs +++ b/sdk/dotnet/Dns/Zone.cs @@ -134,16 +134,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dns/v20150504preview:Zone" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20160401:Zone" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20170901:Zone" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20171001:Zone" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20180301preview:Zone" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20180501:Zone" }, - new global::Pulumi.Alias { Type = "azure-native:dns/v20230701preview:Zone" }, new global::Pulumi.Alias { Type = "azure-native:network/v20180501:Zone" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:Zone" }, new global::Pulumi.Alias { Type = "azure-native:network:Zone" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20150504preview:dns:Zone" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20160401:dns:Zone" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20170901:dns:Zone" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20171001:dns:Zone" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20180301preview:dns:Zone" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20180501:dns:Zone" }, + new global::Pulumi.Alias { Type = "azure-native_dns_v20230701preview:dns:Zone" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DnsResolver/DnsForwardingRuleset.cs b/sdk/dotnet/DnsResolver/DnsForwardingRuleset.cs index 8dbfddf53076..b06115f0c36b 100644 --- a/sdk/dotnet/DnsResolver/DnsForwardingRuleset.cs +++ b/sdk/dotnet/DnsResolver/DnsForwardingRuleset.cs @@ -104,13 +104,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20200401preview:DnsForwardingRuleset" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20220701:DnsForwardingRuleset" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20230701preview:DnsForwardingRuleset" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200401preview:DnsForwardingRuleset" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220701:DnsForwardingRuleset" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:DnsForwardingRuleset" }, new global::Pulumi.Alias { Type = "azure-native:network:DnsForwardingRuleset" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20200401preview:dnsresolver:DnsForwardingRuleset" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20220701:dnsresolver:DnsForwardingRuleset" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsForwardingRuleset" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DnsResolver/DnsResolver.cs b/sdk/dotnet/DnsResolver/DnsResolver.cs index b72389364e52..569d33333813 100644 --- a/sdk/dotnet/DnsResolver/DnsResolver.cs +++ b/sdk/dotnet/DnsResolver/DnsResolver.cs @@ -110,12 +110,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20200401preview:DnsResolver" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20220701:DnsResolver" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20230701preview:DnsResolver" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220701:DnsResolver" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:DnsResolver" }, new global::Pulumi.Alias { Type = "azure-native:network:DnsResolver" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20200401preview:dnsresolver:DnsResolver" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20220701:dnsresolver:DnsResolver" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolver" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DnsResolver/DnsResolverDomainList.cs b/sdk/dotnet/DnsResolver/DnsResolverDomainList.cs index d0cb524e7edb..be6e1940f8e6 100644 --- a/sdk/dotnet/DnsResolver/DnsResolverDomainList.cs +++ b/sdk/dotnet/DnsResolver/DnsResolverDomainList.cs @@ -102,9 +102,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20230701preview:DnsResolverDomainList" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:DnsResolverDomainList" }, new global::Pulumi.Alias { Type = "azure-native:network:DnsResolverDomainList" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverDomainList" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DnsResolver/DnsResolverPolicy.cs b/sdk/dotnet/DnsResolver/DnsResolverPolicy.cs index 3d8b90e15298..7d491c5d881b 100644 --- a/sdk/dotnet/DnsResolver/DnsResolverPolicy.cs +++ b/sdk/dotnet/DnsResolver/DnsResolverPolicy.cs @@ -96,9 +96,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20230701preview:DnsResolverPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:DnsResolverPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network:DnsResolverPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DnsResolver/DnsResolverPolicyVirtualNetworkLink.cs b/sdk/dotnet/DnsResolver/DnsResolverPolicyVirtualNetworkLink.cs index b0091045f9b6..acae8eec81f3 100644 --- a/sdk/dotnet/DnsResolver/DnsResolverPolicyVirtualNetworkLink.cs +++ b/sdk/dotnet/DnsResolver/DnsResolverPolicyVirtualNetworkLink.cs @@ -96,9 +96,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20230701preview:DnsResolverPolicyVirtualNetworkLink" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:DnsResolverPolicyVirtualNetworkLink" }, new global::Pulumi.Alias { Type = "azure-native:network:DnsResolverPolicyVirtualNetworkLink" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverPolicyVirtualNetworkLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DnsResolver/DnsSecurityRule.cs b/sdk/dotnet/DnsResolver/DnsSecurityRule.cs index 3694c67dde0e..b9bf5b011b7d 100644 --- a/sdk/dotnet/DnsResolver/DnsSecurityRule.cs +++ b/sdk/dotnet/DnsResolver/DnsSecurityRule.cs @@ -114,9 +114,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20230701preview:DnsSecurityRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:DnsSecurityRule" }, new global::Pulumi.Alias { Type = "azure-native:network:DnsSecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsSecurityRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DnsResolver/ForwardingRule.cs b/sdk/dotnet/DnsResolver/ForwardingRule.cs index 342a028b2891..9c52576b45de 100644 --- a/sdk/dotnet/DnsResolver/ForwardingRule.cs +++ b/sdk/dotnet/DnsResolver/ForwardingRule.cs @@ -104,12 +104,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20200401preview:ForwardingRule" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20220701:ForwardingRule" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20230701preview:ForwardingRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ForwardingRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:ForwardingRule" }, new global::Pulumi.Alias { Type = "azure-native:network:ForwardingRule" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20200401preview:dnsresolver:ForwardingRule" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20220701:dnsresolver:ForwardingRule" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20230701preview:dnsresolver:ForwardingRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DnsResolver/InboundEndpoint.cs b/sdk/dotnet/DnsResolver/InboundEndpoint.cs index 5871d3bd1258..80debc7eb905 100644 --- a/sdk/dotnet/DnsResolver/InboundEndpoint.cs +++ b/sdk/dotnet/DnsResolver/InboundEndpoint.cs @@ -104,13 +104,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20200401preview:InboundEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20220701:InboundEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20230701preview:InboundEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200401preview:InboundEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220701:InboundEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:InboundEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network:InboundEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20200401preview:dnsresolver:InboundEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20220701:dnsresolver:InboundEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20230701preview:dnsresolver:InboundEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DnsResolver/OutboundEndpoint.cs b/sdk/dotnet/DnsResolver/OutboundEndpoint.cs index 980c9a9c79b2..a919d3bc6666 100644 --- a/sdk/dotnet/DnsResolver/OutboundEndpoint.cs +++ b/sdk/dotnet/DnsResolver/OutboundEndpoint.cs @@ -104,13 +104,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20200401preview:OutboundEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20220701:OutboundEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20230701preview:OutboundEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200401preview:OutboundEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220701:OutboundEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:OutboundEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network:OutboundEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20200401preview:dnsresolver:OutboundEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20220701:dnsresolver:OutboundEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20230701preview:dnsresolver:OutboundEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DnsResolver/PrivateResolverVirtualNetworkLink.cs b/sdk/dotnet/DnsResolver/PrivateResolverVirtualNetworkLink.cs index 96279974e35a..ed4c988eb896 100644 --- a/sdk/dotnet/DnsResolver/PrivateResolverVirtualNetworkLink.cs +++ b/sdk/dotnet/DnsResolver/PrivateResolverVirtualNetworkLink.cs @@ -92,13 +92,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20200401preview:PrivateResolverVirtualNetworkLink" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20220701:PrivateResolverVirtualNetworkLink" }, - new global::Pulumi.Alias { Type = "azure-native:dnsresolver/v20230701preview:PrivateResolverVirtualNetworkLink" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200401preview:PrivateResolverVirtualNetworkLink" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220701:PrivateResolverVirtualNetworkLink" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:PrivateResolverVirtualNetworkLink" }, new global::Pulumi.Alias { Type = "azure-native:network:PrivateResolverVirtualNetworkLink" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20200401preview:dnsresolver:PrivateResolverVirtualNetworkLink" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20220701:dnsresolver:PrivateResolverVirtualNetworkLink" }, + new global::Pulumi.Alias { Type = "azure-native_dnsresolver_v20230701preview:dnsresolver:PrivateResolverVirtualNetworkLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DomainRegistration/Domain.cs b/sdk/dotnet/DomainRegistration/Domain.cs index 11b27206f604..b3dbe722e49a 100644 --- a/sdk/dotnet/DomainRegistration/Domain.cs +++ b/sdk/dotnet/DomainRegistration/Domain.cs @@ -168,22 +168,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20150401:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20180201:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20190801:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20200601:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20200901:Domain" }, new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20201001:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20201201:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20210101:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20210115:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20210201:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20210301:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20220301:Domain" }, new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20220901:Domain" }, new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20230101:Domain" }, new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20231201:Domain" }, new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20240401:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20150401:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20180201:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20190801:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20200601:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20200901:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20201001:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20201201:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20210101:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20210115:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20210201:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20210301:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20220301:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20220901:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20230101:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20231201:domainregistration:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20240401:domainregistration:Domain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DomainRegistration/DomainOwnershipIdentifier.cs b/sdk/dotnet/DomainRegistration/DomainOwnershipIdentifier.cs index dbd7e5285e15..7b27c5a3dd74 100644 --- a/sdk/dotnet/DomainRegistration/DomainOwnershipIdentifier.cs +++ b/sdk/dotnet/DomainRegistration/DomainOwnershipIdentifier.cs @@ -74,22 +74,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20150401:DomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20180201:DomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20190801:DomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20200601:DomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20200901:DomainOwnershipIdentifier" }, new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20201001:DomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20201201:DomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20210101:DomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20210115:DomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20210201:DomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20210301:DomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20220301:DomainOwnershipIdentifier" }, new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20220901:DomainOwnershipIdentifier" }, new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20230101:DomainOwnershipIdentifier" }, new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20231201:DomainOwnershipIdentifier" }, new global::Pulumi.Alias { Type = "azure-native:domainregistration/v20240401:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20150401:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20180201:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20190801:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20200601:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20200901:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20201001:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20201201:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20210101:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20210115:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20210201:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20210301:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20220301:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20220901:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20230101:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20231201:domainregistration:DomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_domainregistration_v20240401:domainregistration:DomainOwnershipIdentifier" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DurableTask/Scheduler.cs b/sdk/dotnet/DurableTask/Scheduler.cs index 02d90e6e7874..9f31220b4fa3 100644 --- a/sdk/dotnet/DurableTask/Scheduler.cs +++ b/sdk/dotnet/DurableTask/Scheduler.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:durabletask/v20241001preview:Scheduler" }, + new global::Pulumi.Alias { Type = "azure-native_durabletask_v20241001preview:durabletask:Scheduler" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/DurableTask/TaskHub.cs b/sdk/dotnet/DurableTask/TaskHub.cs index 798fff27d9b7..7c0d21d77da3 100644 --- a/sdk/dotnet/DurableTask/TaskHub.cs +++ b/sdk/dotnet/DurableTask/TaskHub.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:durabletask/v20241001preview:TaskHub" }, + new global::Pulumi.Alias { Type = "azure-native_durabletask_v20241001preview:durabletask:TaskHub" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Dynamics365Fraudprotection/InstanceDetails.cs b/sdk/dotnet/Dynamics365Fraudprotection/InstanceDetails.cs index a15cde798920..1771d338097b 100644 --- a/sdk/dotnet/Dynamics365Fraudprotection/InstanceDetails.cs +++ b/sdk/dotnet/Dynamics365Fraudprotection/InstanceDetails.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:dynamics365fraudprotection/v20210201preview:InstanceDetails" }, + new global::Pulumi.Alias { Type = "azure-native_dynamics365fraudprotection_v20210201preview:dynamics365fraudprotection:InstanceDetails" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Easm/LabelByWorkspace.cs b/sdk/dotnet/Easm/LabelByWorkspace.cs index 202d9a24377b..a09b3a44780e 100644 --- a/sdk/dotnet/Easm/LabelByWorkspace.cs +++ b/sdk/dotnet/Easm/LabelByWorkspace.cs @@ -84,8 +84,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:easm/v20220401preview:LabelByWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:easm/v20230401preview:LabelByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_easm_v20220401preview:easm:LabelByWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_easm_v20230401preview:easm:LabelByWorkspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Easm/Workspace.cs b/sdk/dotnet/Easm/Workspace.cs index b0fbc097656a..3e1678d5a3b3 100644 --- a/sdk/dotnet/Easm/Workspace.cs +++ b/sdk/dotnet/Easm/Workspace.cs @@ -90,8 +90,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:easm/v20220401preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:easm/v20230401preview:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_easm_v20220401preview:easm:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_easm_v20230401preview:easm:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Edge/Site.cs b/sdk/dotnet/Edge/Site.cs index a0edc86c5bbe..f368a2ca1247 100644 --- a/sdk/dotnet/Edge/Site.cs +++ b/sdk/dotnet/Edge/Site.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:edge/v20240201preview:Site" }, + new global::Pulumi.Alias { Type = "azure-native_edge_v20240201preview:edge:Site" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Edge/SitesBySubscription.cs b/sdk/dotnet/Edge/SitesBySubscription.cs index 6d670c0adfea..62682daf48db 100644 --- a/sdk/dotnet/Edge/SitesBySubscription.cs +++ b/sdk/dotnet/Edge/SitesBySubscription.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:edge/v20240201preview:SitesBySubscription" }, + new global::Pulumi.Alias { Type = "azure-native_edge_v20240201preview:edge:SitesBySubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EdgeOrder/Address.cs b/sdk/dotnet/EdgeOrder/Address.cs index bcfffa7a1fd6..3248192958cd 100644 --- a/sdk/dotnet/EdgeOrder/Address.cs +++ b/sdk/dotnet/EdgeOrder/Address.cs @@ -110,12 +110,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:edgeorder/v20201201preview:Address" }, - new global::Pulumi.Alias { Type = "azure-native:edgeorder/v20211201:Address" }, new global::Pulumi.Alias { Type = "azure-native:edgeorder/v20211201:AddressByName" }, new global::Pulumi.Alias { Type = "azure-native:edgeorder/v20220501preview:Address" }, new global::Pulumi.Alias { Type = "azure-native:edgeorder/v20240201:Address" }, new global::Pulumi.Alias { Type = "azure-native:edgeorder:AddressByName" }, + new global::Pulumi.Alias { Type = "azure-native_edgeorder_v20201201preview:edgeorder:Address" }, + new global::Pulumi.Alias { Type = "azure-native_edgeorder_v20211201:edgeorder:Address" }, + new global::Pulumi.Alias { Type = "azure-native_edgeorder_v20220501preview:edgeorder:Address" }, + new global::Pulumi.Alias { Type = "azure-native_edgeorder_v20240201:edgeorder:Address" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EdgeOrder/OrderItem.cs b/sdk/dotnet/EdgeOrder/OrderItem.cs index 65111c854272..7be02e9a279d 100644 --- a/sdk/dotnet/EdgeOrder/OrderItem.cs +++ b/sdk/dotnet/EdgeOrder/OrderItem.cs @@ -116,12 +116,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:edgeorder/v20201201preview:OrderItem" }, - new global::Pulumi.Alias { Type = "azure-native:edgeorder/v20211201:OrderItem" }, new global::Pulumi.Alias { Type = "azure-native:edgeorder/v20211201:OrderItemByName" }, new global::Pulumi.Alias { Type = "azure-native:edgeorder/v20220501preview:OrderItem" }, new global::Pulumi.Alias { Type = "azure-native:edgeorder/v20240201:OrderItem" }, new global::Pulumi.Alias { Type = "azure-native:edgeorder:OrderItemByName" }, + new global::Pulumi.Alias { Type = "azure-native_edgeorder_v20201201preview:edgeorder:OrderItem" }, + new global::Pulumi.Alias { Type = "azure-native_edgeorder_v20211201:edgeorder:OrderItem" }, + new global::Pulumi.Alias { Type = "azure-native_edgeorder_v20220501preview:edgeorder:OrderItem" }, + new global::Pulumi.Alias { Type = "azure-native_edgeorder_v20240201:edgeorder:OrderItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Education/Lab.cs b/sdk/dotnet/Education/Lab.cs index 131a3887c382..67b891000b2d 100644 --- a/sdk/dotnet/Education/Lab.cs +++ b/sdk/dotnet/Education/Lab.cs @@ -133,6 +133,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:education/v20211201preview:Lab" }, + new global::Pulumi.Alias { Type = "azure-native_education_v20211201preview:education:Lab" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Education/Student.cs b/sdk/dotnet/Education/Student.cs index b3153a7debbb..18eaa44a3ee7 100644 --- a/sdk/dotnet/Education/Student.cs +++ b/sdk/dotnet/Education/Student.cs @@ -133,6 +133,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:education/v20211201preview:Student" }, + new global::Pulumi.Alias { Type = "azure-native_education_v20211201preview:education:Student" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Elastic/Monitor.cs b/sdk/dotnet/Elastic/Monitor.cs index ad169a72af26..93b36c5f65ab 100644 --- a/sdk/dotnet/Elastic/Monitor.cs +++ b/sdk/dotnet/Elastic/Monitor.cs @@ -98,15 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:elastic/v20200701:Monitor" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20200701preview:Monitor" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20210901preview:Monitor" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20211001preview:Monitor" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20220505preview:Monitor" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20220701preview:Monitor" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20220901preview:Monitor" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20230201preview:Monitor" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20230501preview:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20230601:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20230615preview:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20230701preview:Monitor" }, @@ -117,7 +108,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:elastic/v20240501preview:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20240615preview:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20241001preview:Monitor" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20250115preview:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20200701:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20200701preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20210901preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20211001preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20220505preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20220701preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20220901preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20230201preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20230501preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20230601:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20230615preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20230701preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20231001preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20231101preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240101preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240301:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240501preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240615preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20241001preview:elastic:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20250115preview:elastic:Monitor" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Elastic/MonitoredSubscription.cs b/sdk/dotnet/Elastic/MonitoredSubscription.cs index d622884f56c5..2808058307ef 100644 --- a/sdk/dotnet/Elastic/MonitoredSubscription.cs +++ b/sdk/dotnet/Elastic/MonitoredSubscription.cs @@ -71,7 +71,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:elastic/v20240501preview:MonitoredSubscription" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20240615preview:MonitoredSubscription" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20241001preview:MonitoredSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20250115preview:MonitoredSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240501preview:elastic:MonitoredSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240615preview:elastic:MonitoredSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20241001preview:elastic:MonitoredSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20250115preview:elastic:MonitoredSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Elastic/OpenAI.cs b/sdk/dotnet/Elastic/OpenAI.cs index 3179af0665d0..4b4e5c4588cd 100644 --- a/sdk/dotnet/Elastic/OpenAI.cs +++ b/sdk/dotnet/Elastic/OpenAI.cs @@ -73,7 +73,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:elastic/v20240501preview:OpenAI" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20240615preview:OpenAI" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20241001preview:OpenAI" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20250115preview:OpenAI" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240101preview:elastic:OpenAI" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240301:elastic:OpenAI" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240501preview:elastic:OpenAI" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240615preview:elastic:OpenAI" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20241001preview:elastic:OpenAI" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20250115preview:elastic:OpenAI" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Elastic/TagRule.cs b/sdk/dotnet/Elastic/TagRule.cs index c55a4e6eec11..d11fcc41cdf2 100644 --- a/sdk/dotnet/Elastic/TagRule.cs +++ b/sdk/dotnet/Elastic/TagRule.cs @@ -74,15 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:elastic/v20200701:TagRule" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20200701preview:TagRule" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20210901preview:TagRule" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20211001preview:TagRule" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20220505preview:TagRule" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20220701preview:TagRule" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20220901preview:TagRule" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20230201preview:TagRule" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20230501preview:TagRule" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20230601:TagRule" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20230615preview:TagRule" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20230701preview:TagRule" }, @@ -93,7 +84,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:elastic/v20240501preview:TagRule" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20240615preview:TagRule" }, new global::Pulumi.Alias { Type = "azure-native:elastic/v20241001preview:TagRule" }, - new global::Pulumi.Alias { Type = "azure-native:elastic/v20250115preview:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20200701:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20200701preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20210901preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20211001preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20220505preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20220701preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20220901preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20230201preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20230501preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20230601:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20230615preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20230701preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20231001preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20231101preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240101preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240301:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240501preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20240615preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20241001preview:elastic:TagRule" }, + new global::Pulumi.Alias { Type = "azure-native_elastic_v20250115preview:elastic:TagRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ElasticSan/ElasticSan.cs b/sdk/dotnet/ElasticSan/ElasticSan.cs index 45195343da8a..92a64ce928dd 100644 --- a/sdk/dotnet/ElasticSan/ElasticSan.cs +++ b/sdk/dotnet/ElasticSan/ElasticSan.cs @@ -157,6 +157,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20230101:ElasticSan" }, new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20240501:ElasticSan" }, new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20240601preview:ElasticSan" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20211120preview:elasticsan:ElasticSan" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20221201preview:elasticsan:ElasticSan" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20230101:elasticsan:ElasticSan" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20240501:elasticsan:ElasticSan" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20240601preview:elasticsan:ElasticSan" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ElasticSan/PrivateEndpointConnection.cs b/sdk/dotnet/ElasticSan/PrivateEndpointConnection.cs index 636048a76cec..d92e9b3d8755 100644 --- a/sdk/dotnet/ElasticSan/PrivateEndpointConnection.cs +++ b/sdk/dotnet/ElasticSan/PrivateEndpointConnection.cs @@ -96,6 +96,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20230101:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20240501:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20240601preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20221201preview:elasticsan:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20230101:elasticsan:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20240501:elasticsan:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20240601preview:elasticsan:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ElasticSan/Volume.cs b/sdk/dotnet/ElasticSan/Volume.cs index 6edc42cdcd7a..5825ea21f0d8 100644 --- a/sdk/dotnet/ElasticSan/Volume.cs +++ b/sdk/dotnet/ElasticSan/Volume.cs @@ -109,6 +109,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20230101:Volume" }, new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20240501:Volume" }, new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20240601preview:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20211120preview:elasticsan:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20221201preview:elasticsan:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20230101:elasticsan:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20240501:elasticsan:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20240601preview:elasticsan:Volume" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ElasticSan/VolumeGroup.cs b/sdk/dotnet/ElasticSan/VolumeGroup.cs index fc5ae9e47d23..3f821611ebbe 100644 --- a/sdk/dotnet/ElasticSan/VolumeGroup.cs +++ b/sdk/dotnet/ElasticSan/VolumeGroup.cs @@ -121,6 +121,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20230101:VolumeGroup" }, new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20240501:VolumeGroup" }, new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20240601preview:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20211120preview:elasticsan:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20221201preview:elasticsan:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20230101:elasticsan:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20240501:elasticsan:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20240601preview:elasticsan:VolumeGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ElasticSan/VolumeSnapshot.cs b/sdk/dotnet/ElasticSan/VolumeSnapshot.cs index ac99649a0765..abf4eae56ad4 100644 --- a/sdk/dotnet/ElasticSan/VolumeSnapshot.cs +++ b/sdk/dotnet/ElasticSan/VolumeSnapshot.cs @@ -95,6 +95,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20230101:VolumeSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20240501:VolumeSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:elasticsan/v20240601preview:VolumeSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20230101:elasticsan:VolumeSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20240501:elasticsan:VolumeSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_elasticsan_v20240601preview:elasticsan:VolumeSnapshot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EngagementFabric/Account.cs b/sdk/dotnet/EngagementFabric/Account.cs index 12d6e93e8d93..30d3e243b643 100644 --- a/sdk/dotnet/EngagementFabric/Account.cs +++ b/sdk/dotnet/EngagementFabric/Account.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:engagementfabric/v20180901preview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_engagementfabric_v20180901preview:engagementfabric:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EngagementFabric/Channel.cs b/sdk/dotnet/EngagementFabric/Channel.cs index 2e8ad215dbe2..cd1df9418326 100644 --- a/sdk/dotnet/EngagementFabric/Channel.cs +++ b/sdk/dotnet/EngagementFabric/Channel.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:engagementfabric/v20180901preview:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_engagementfabric_v20180901preview:engagementfabric:Channel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EnterpriseKnowledgeGraph/EnterpriseKnowledgeGraph.cs b/sdk/dotnet/EnterpriseKnowledgeGraph/EnterpriseKnowledgeGraph.cs index 57699d111134..e5d04625653c 100644 --- a/sdk/dotnet/EnterpriseKnowledgeGraph/EnterpriseKnowledgeGraph.cs +++ b/sdk/dotnet/EnterpriseKnowledgeGraph/EnterpriseKnowledgeGraph.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:enterpriseknowledgegraph/v20181203:EnterpriseKnowledgeGraph" }, + new global::Pulumi.Alias { Type = "azure-native_enterpriseknowledgegraph_v20181203:enterpriseknowledgegraph:EnterpriseKnowledgeGraph" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/CaCertificate.cs b/sdk/dotnet/EventGrid/CaCertificate.cs index 59d06f1900e3..704c93a8c738 100644 --- a/sdk/dotnet/EventGrid/CaCertificate.cs +++ b/sdk/dotnet/EventGrid/CaCertificate.cs @@ -102,7 +102,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:CaCertificate" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:CaCertificate" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:CaCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:CaCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:CaCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:CaCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:CaCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:CaCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:CaCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/Channel.cs b/sdk/dotnet/EventGrid/Channel.cs index 7a0fa7eea3a3..4fbe30b2d19b 100644 --- a/sdk/dotnet/EventGrid/Channel.cs +++ b/sdk/dotnet/EventGrid/Channel.cs @@ -105,13 +105,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:Channel" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:Channel" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:Channel" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:Channel" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:Channel" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:Channel" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:Channel" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:Channel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/Client.cs b/sdk/dotnet/EventGrid/Client.cs index d410f8ebc62f..77505fcc6c94 100644 --- a/sdk/dotnet/EventGrid/Client.cs +++ b/sdk/dotnet/EventGrid/Client.cs @@ -110,7 +110,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:Client" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:Client" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:Client" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:Client" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:Client" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:Client" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:Client" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:Client" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:Client" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/ClientGroup.cs b/sdk/dotnet/EventGrid/ClientGroup.cs index 9891e9e4e944..5db82ba71115 100644 --- a/sdk/dotnet/EventGrid/ClientGroup.cs +++ b/sdk/dotnet/EventGrid/ClientGroup.cs @@ -91,7 +91,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:ClientGroup" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:ClientGroup" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:ClientGroup" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:ClientGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:ClientGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:ClientGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:ClientGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:ClientGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:ClientGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/Domain.cs b/sdk/dotnet/EventGrid/Domain.cs index 4d50d20275e2..86f830f49109 100644 --- a/sdk/dotnet/EventGrid/Domain.cs +++ b/sdk/dotnet/EventGrid/Domain.cs @@ -184,22 +184,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20180915preview:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20190201preview:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20190601:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200101preview:Domain" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200401preview:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200601:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20201015preview:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20210601preview:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211201:Domain" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:Domain" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:Domain" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:Domain" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:Domain" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:Domain" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20180915preview:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20190201preview:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20190601:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200101preview:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200401preview:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200601:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20201015preview:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20210601preview:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211201:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:Domain" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:Domain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/DomainEventSubscription.cs b/sdk/dotnet/EventGrid/DomainEventSubscription.cs index e4ee4cdba5d0..a6dc461a95ca 100644 --- a/sdk/dotnet/EventGrid/DomainEventSubscription.cs +++ b/sdk/dotnet/EventGrid/DomainEventSubscription.cs @@ -138,13 +138,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:DomainEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:DomainEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:DomainEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:DomainEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:DomainEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:DomainEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:DomainEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:DomainEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:DomainEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:DomainEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:DomainEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:DomainEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:DomainEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:DomainEventSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/DomainTopic.cs b/sdk/dotnet/EventGrid/DomainTopic.cs index 6cb557c221f6..498fadca1328 100644 --- a/sdk/dotnet/EventGrid/DomainTopic.cs +++ b/sdk/dotnet/EventGrid/DomainTopic.cs @@ -74,21 +74,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20190201preview:DomainTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20190601:DomainTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200101preview:DomainTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200401preview:DomainTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200601:DomainTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20201015preview:DomainTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20210601preview:DomainTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:DomainTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211201:DomainTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:DomainTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:DomainTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:DomainTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:DomainTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:DomainTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20190201preview:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20190601:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200101preview:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200401preview:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200601:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20201015preview:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20210601preview:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211201:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:DomainTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:DomainTopic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/DomainTopicEventSubscription.cs b/sdk/dotnet/EventGrid/DomainTopicEventSubscription.cs index bb581cb5477a..88e2c1b2e946 100644 --- a/sdk/dotnet/EventGrid/DomainTopicEventSubscription.cs +++ b/sdk/dotnet/EventGrid/DomainTopicEventSubscription.cs @@ -138,13 +138,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:DomainTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:DomainTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:DomainTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:DomainTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:DomainTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:DomainTopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:DomainTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:DomainTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:DomainTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:DomainTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:DomainTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:DomainTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:DomainTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:DomainTopicEventSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/EventSubscription.cs b/sdk/dotnet/EventGrid/EventSubscription.cs index d61264d1c734..47a1a270c517 100644 --- a/sdk/dotnet/EventGrid/EventSubscription.cs +++ b/sdk/dotnet/EventGrid/EventSubscription.cs @@ -138,27 +138,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20170615preview:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20170915preview:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20180101:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20180501preview:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20180915preview:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20190101:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20190201preview:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20190601:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200101preview:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200401preview:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200601:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20201015preview:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20210601preview:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211201:EventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:EventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:EventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:EventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:EventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:EventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20170615preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20170915preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20180101:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20180501preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20180915preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20190101:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20190201preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20190601:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200101preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200401preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200601:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20201015preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20210601preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211201:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:EventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:EventSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/Namespace.cs b/sdk/dotnet/EventGrid/Namespace.cs index 1dddf514471f..2f2a3378adf9 100644 --- a/sdk/dotnet/EventGrid/Namespace.cs +++ b/sdk/dotnet/EventGrid/Namespace.cs @@ -149,7 +149,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:Namespace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/NamespaceTopic.cs b/sdk/dotnet/EventGrid/NamespaceTopic.cs index cf4a166938f2..a4f63e28a130 100644 --- a/sdk/dotnet/EventGrid/NamespaceTopic.cs +++ b/sdk/dotnet/EventGrid/NamespaceTopic.cs @@ -97,7 +97,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:NamespaceTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:NamespaceTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:NamespaceTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:NamespaceTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:NamespaceTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:NamespaceTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:NamespaceTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:NamespaceTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:NamespaceTopic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/NamespaceTopicEventSubscription.cs b/sdk/dotnet/EventGrid/NamespaceTopicEventSubscription.cs index 3c6ed9747c03..326b0d1680c0 100644 --- a/sdk/dotnet/EventGrid/NamespaceTopicEventSubscription.cs +++ b/sdk/dotnet/EventGrid/NamespaceTopicEventSubscription.cs @@ -102,7 +102,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:NamespaceTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:NamespaceTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:NamespaceTopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:NamespaceTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:NamespaceTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:NamespaceTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:NamespaceTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:NamespaceTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:NamespaceTopicEventSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/PartnerConfiguration.cs b/sdk/dotnet/EventGrid/PartnerConfiguration.cs index 220e2565db15..9d9665339cbd 100644 --- a/sdk/dotnet/EventGrid/PartnerConfiguration.cs +++ b/sdk/dotnet/EventGrid/PartnerConfiguration.cs @@ -92,13 +92,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:PartnerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:PartnerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:PartnerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:PartnerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:PartnerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:PartnerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:PartnerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:PartnerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:PartnerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:PartnerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:PartnerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:PartnerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:PartnerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:PartnerConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/PartnerDestination.cs b/sdk/dotnet/EventGrid/PartnerDestination.cs index a922f82b51d7..2ab7c70c8bf7 100644 --- a/sdk/dotnet/EventGrid/PartnerDestination.cs +++ b/sdk/dotnet/EventGrid/PartnerDestination.cs @@ -128,6 +128,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:PartnerDestination" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:PartnerDestination" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:PartnerDestination" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:PartnerDestination" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:PartnerDestination" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:PartnerDestination" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:PartnerDestination" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:PartnerDestination" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/PartnerNamespace.cs b/sdk/dotnet/EventGrid/PartnerNamespace.cs index b57ea4ccf9c3..c104ee43fe75 100644 --- a/sdk/dotnet/EventGrid/PartnerNamespace.cs +++ b/sdk/dotnet/EventGrid/PartnerNamespace.cs @@ -137,16 +137,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200401preview:PartnerNamespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20201015preview:PartnerNamespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20210601preview:PartnerNamespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:PartnerNamespace" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:PartnerNamespace" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:PartnerNamespace" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:PartnerNamespace" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:PartnerNamespace" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:PartnerNamespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:PartnerNamespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200401preview:eventgrid:PartnerNamespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20201015preview:eventgrid:PartnerNamespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20210601preview:eventgrid:PartnerNamespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:PartnerNamespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:PartnerNamespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:PartnerNamespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:PartnerNamespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:PartnerNamespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:PartnerNamespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:PartnerNamespace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/PartnerRegistration.cs b/sdk/dotnet/EventGrid/PartnerRegistration.cs index 55f2c845851b..7c04287541eb 100644 --- a/sdk/dotnet/EventGrid/PartnerRegistration.cs +++ b/sdk/dotnet/EventGrid/PartnerRegistration.cs @@ -93,16 +93,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200401preview:PartnerRegistration" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20201015preview:PartnerRegistration" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20210601preview:PartnerRegistration" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:PartnerRegistration" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:PartnerRegistration" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:PartnerRegistration" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:PartnerRegistration" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:PartnerRegistration" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:PartnerRegistration" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:PartnerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200401preview:eventgrid:PartnerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20201015preview:eventgrid:PartnerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20210601preview:eventgrid:PartnerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:PartnerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:PartnerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:PartnerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:PartnerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:PartnerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:PartnerRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:PartnerRegistration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/PartnerTopic.cs b/sdk/dotnet/EventGrid/PartnerTopic.cs index 94a85dd5e6f5..fceaae17bcd7 100644 --- a/sdk/dotnet/EventGrid/PartnerTopic.cs +++ b/sdk/dotnet/EventGrid/PartnerTopic.cs @@ -136,13 +136,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:PartnerTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:PartnerTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:PartnerTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:PartnerTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:PartnerTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:PartnerTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:PartnerTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:PartnerTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:PartnerTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:PartnerTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:PartnerTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:PartnerTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:PartnerTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:PartnerTopic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/PartnerTopicEventSubscription.cs b/sdk/dotnet/EventGrid/PartnerTopicEventSubscription.cs index b48b3169c0d2..c5bd70daf020 100644 --- a/sdk/dotnet/EventGrid/PartnerTopicEventSubscription.cs +++ b/sdk/dotnet/EventGrid/PartnerTopicEventSubscription.cs @@ -138,16 +138,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200401preview:PartnerTopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20201015preview:PartnerTopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20210601preview:PartnerTopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:PartnerTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:PartnerTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:PartnerTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:PartnerTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:PartnerTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:PartnerTopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:PartnerTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200401preview:eventgrid:PartnerTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20201015preview:eventgrid:PartnerTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20210601preview:eventgrid:PartnerTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:PartnerTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:PartnerTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:PartnerTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:PartnerTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:PartnerTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:PartnerTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:PartnerTopicEventSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/PermissionBinding.cs b/sdk/dotnet/EventGrid/PermissionBinding.cs index b7f3c0ef640a..eba6000f5a28 100644 --- a/sdk/dotnet/EventGrid/PermissionBinding.cs +++ b/sdk/dotnet/EventGrid/PermissionBinding.cs @@ -104,7 +104,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:PermissionBinding" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:PermissionBinding" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:PermissionBinding" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:PermissionBinding" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:PermissionBinding" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:PermissionBinding" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:PermissionBinding" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:PermissionBinding" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:PermissionBinding" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/PrivateEndpointConnection.cs b/sdk/dotnet/EventGrid/PrivateEndpointConnection.cs index 48343324f7d3..b84aedad172a 100644 --- a/sdk/dotnet/EventGrid/PrivateEndpointConnection.cs +++ b/sdk/dotnet/EventGrid/PrivateEndpointConnection.cs @@ -84,18 +84,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200401preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20201015preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20210601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211201:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200401preview:eventgrid:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200601:eventgrid:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20201015preview:eventgrid:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20210601preview:eventgrid:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211201:eventgrid:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/SystemTopic.cs b/sdk/dotnet/EventGrid/SystemTopic.cs index 5e3b9d486d74..967b2e2d52e4 100644 --- a/sdk/dotnet/EventGrid/SystemTopic.cs +++ b/sdk/dotnet/EventGrid/SystemTopic.cs @@ -110,17 +110,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200401preview:SystemTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20201015preview:SystemTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20210601preview:SystemTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:SystemTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211201:SystemTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:SystemTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:SystemTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:SystemTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:SystemTopic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:SystemTopic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:SystemTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200401preview:eventgrid:SystemTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20201015preview:eventgrid:SystemTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20210601preview:eventgrid:SystemTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:SystemTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211201:eventgrid:SystemTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:SystemTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:SystemTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:SystemTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:SystemTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:SystemTopic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:SystemTopic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/SystemTopicEventSubscription.cs b/sdk/dotnet/EventGrid/SystemTopicEventSubscription.cs index ce3fcbc75243..3b25c1f7f827 100644 --- a/sdk/dotnet/EventGrid/SystemTopicEventSubscription.cs +++ b/sdk/dotnet/EventGrid/SystemTopicEventSubscription.cs @@ -138,17 +138,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200401preview:SystemTopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20201015preview:SystemTopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20210601preview:SystemTopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:SystemTopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211201:SystemTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:SystemTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:SystemTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:SystemTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:SystemTopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:SystemTopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:SystemTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200401preview:eventgrid:SystemTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20201015preview:eventgrid:SystemTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20210601preview:eventgrid:SystemTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:SystemTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211201:eventgrid:SystemTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:SystemTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:SystemTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:SystemTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:SystemTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:SystemTopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:SystemTopicEventSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/Topic.cs b/sdk/dotnet/EventGrid/Topic.cs index c7f3bd635c6c..4ec55a684e06 100644 --- a/sdk/dotnet/EventGrid/Topic.cs +++ b/sdk/dotnet/EventGrid/Topic.cs @@ -160,27 +160,33 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20170615preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20170915preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20180101:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20180501preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20180915preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20190101:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20190201preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20190601:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200101preview:Topic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200401preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20200601:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20201015preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20210601preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211201:Topic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:Topic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:Topic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:Topic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:Topic" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20170615preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20170915preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20180101:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20180501preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20180915preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20190101:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20190201preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20190601:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200101preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200401preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20200601:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20201015preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20210601preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211201:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:Topic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/TopicEventSubscription.cs b/sdk/dotnet/EventGrid/TopicEventSubscription.cs index ff0ba939e5c3..a6559912e8ed 100644 --- a/sdk/dotnet/EventGrid/TopicEventSubscription.cs +++ b/sdk/dotnet/EventGrid/TopicEventSubscription.cs @@ -138,13 +138,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20211015preview:TopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20220615:TopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20230601preview:TopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:TopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:TopicEventSubscription" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:TopicEventSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:TopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20211015preview:eventgrid:TopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20220615:eventgrid:TopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:TopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:TopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:TopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:TopicEventSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:TopicEventSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventGrid/TopicSpace.cs b/sdk/dotnet/EventGrid/TopicSpace.cs index 629b2b7fe6f6..fe79fb595e59 100644 --- a/sdk/dotnet/EventGrid/TopicSpace.cs +++ b/sdk/dotnet/EventGrid/TopicSpace.cs @@ -94,7 +94,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20231215preview:TopicSpace" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20240601preview:TopicSpace" }, new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20241215preview:TopicSpace" }, - new global::Pulumi.Alias { Type = "azure-native:eventgrid/v20250215:TopicSpace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20230601preview:eventgrid:TopicSpace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20231215preview:eventgrid:TopicSpace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20240601preview:eventgrid:TopicSpace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20241215preview:eventgrid:TopicSpace" }, + new global::Pulumi.Alias { Type = "azure-native_eventgrid_v20250215:eventgrid:TopicSpace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/ApplicationGroup.cs b/sdk/dotnet/EventHub/ApplicationGroup.cs index 97a6639a786b..5ca8a3aa896c 100644 --- a/sdk/dotnet/EventHub/ApplicationGroup.cs +++ b/sdk/dotnet/EventHub/ApplicationGroup.cs @@ -92,11 +92,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20220101preview:ApplicationGroup" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20221001preview:ApplicationGroup" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20230101preview:ApplicationGroup" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240101:ApplicationGroup" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240501preview:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20220101preview:eventhub:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20221001preview:eventhub:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20230101preview:eventhub:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240101:eventhub:ApplicationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240501preview:eventhub:ApplicationGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/Cluster.cs b/sdk/dotnet/EventHub/Cluster.cs index a351eeb3a8c3..605a185c4064 100644 --- a/sdk/dotnet/EventHub/Cluster.cs +++ b/sdk/dotnet/EventHub/Cluster.cs @@ -122,14 +122,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20180101preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210601preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20211101:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20220101preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20221001preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20230101preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240101:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240501preview:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20180101preview:eventhub:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210601preview:eventhub:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20211101:eventhub:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20220101preview:eventhub:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20221001preview:eventhub:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20230101preview:eventhub:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240101:eventhub:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240501preview:eventhub:Cluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/ConsumerGroup.cs b/sdk/dotnet/EventHub/ConsumerGroup.cs index 799ece63b4e9..4bd54d697f0d 100644 --- a/sdk/dotnet/EventHub/ConsumerGroup.cs +++ b/sdk/dotnet/EventHub/ConsumerGroup.cs @@ -92,18 +92,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20140901:ConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20150801:ConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20170401:ConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20180101preview:ConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210101preview:ConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210601preview:ConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20211101:ConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20220101preview:ConsumerGroup" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20221001preview:ConsumerGroup" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20230101preview:ConsumerGroup" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240101:ConsumerGroup" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240501preview:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20140901:eventhub:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20150801:eventhub:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20170401:eventhub:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20180101preview:eventhub:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210101preview:eventhub:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210601preview:eventhub:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20211101:eventhub:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20220101preview:eventhub:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20221001preview:eventhub:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20230101preview:eventhub:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240101:eventhub:ConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240501preview:eventhub:ConsumerGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/DisasterRecoveryConfig.cs b/sdk/dotnet/EventHub/DisasterRecoveryConfig.cs index c4a0178aaa77..061bbef992dd 100644 --- a/sdk/dotnet/EventHub/DisasterRecoveryConfig.cs +++ b/sdk/dotnet/EventHub/DisasterRecoveryConfig.cs @@ -104,16 +104,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20170401:DisasterRecoveryConfig" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20180101preview:DisasterRecoveryConfig" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210101preview:DisasterRecoveryConfig" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210601preview:DisasterRecoveryConfig" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20211101:DisasterRecoveryConfig" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20220101preview:DisasterRecoveryConfig" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20221001preview:DisasterRecoveryConfig" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20230101preview:DisasterRecoveryConfig" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240101:DisasterRecoveryConfig" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240501preview:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20170401:eventhub:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20180101preview:eventhub:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210101preview:eventhub:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210601preview:eventhub:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20211101:eventhub:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20220101preview:eventhub:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20221001preview:eventhub:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20230101preview:eventhub:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240101:eventhub:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240501preview:eventhub:DisasterRecoveryConfig" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/EventHub.cs b/sdk/dotnet/EventHub/EventHub.cs index d23f2f8d099d..e398f2ad2258 100644 --- a/sdk/dotnet/EventHub/EventHub.cs +++ b/sdk/dotnet/EventHub/EventHub.cs @@ -128,18 +128,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20140901:EventHub" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20150801:EventHub" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20170401:EventHub" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20180101preview:EventHub" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210101preview:EventHub" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210601preview:EventHub" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20211101:EventHub" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20220101preview:EventHub" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20221001preview:EventHub" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20230101preview:EventHub" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240101:EventHub" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240501preview:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20140901:eventhub:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20150801:eventhub:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20170401:eventhub:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20180101preview:eventhub:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210101preview:eventhub:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210601preview:eventhub:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20211101:eventhub:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20220101preview:eventhub:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20221001preview:eventhub:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20230101preview:eventhub:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240101:eventhub:EventHub" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240501preview:eventhub:EventHub" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/EventHubAuthorizationRule.cs b/sdk/dotnet/EventHub/EventHubAuthorizationRule.cs index 388c16beed34..522c2678cb36 100644 --- a/sdk/dotnet/EventHub/EventHubAuthorizationRule.cs +++ b/sdk/dotnet/EventHub/EventHubAuthorizationRule.cs @@ -80,18 +80,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20140901:EventHubAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20150801:EventHubAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20170401:EventHubAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20180101preview:EventHubAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210101preview:EventHubAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210601preview:EventHubAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20211101:EventHubAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20220101preview:EventHubAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20221001preview:EventHubAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20230101preview:EventHubAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240101:EventHubAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240501preview:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20140901:eventhub:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20150801:eventhub:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20170401:eventhub:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20180101preview:eventhub:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210101preview:eventhub:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210601preview:eventhub:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20211101:eventhub:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20220101preview:eventhub:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20221001preview:eventhub:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20230101preview:eventhub:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240101:eventhub:EventHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240501preview:eventhub:EventHubAuthorizationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/Namespace.cs b/sdk/dotnet/EventHub/Namespace.cs index f6ff1e5d2864..92a342fc9a46 100644 --- a/sdk/dotnet/EventHub/Namespace.cs +++ b/sdk/dotnet/EventHub/Namespace.cs @@ -194,18 +194,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20140901:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20150801:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20170401:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20180101preview:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210101preview:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210601preview:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20211101:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20220101preview:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20221001preview:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20230101preview:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240101:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240501preview:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20140901:eventhub:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20150801:eventhub:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20170401:eventhub:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20180101preview:eventhub:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210101preview:eventhub:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210601preview:eventhub:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20211101:eventhub:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20220101preview:eventhub:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20221001preview:eventhub:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20230101preview:eventhub:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240101:eventhub:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240501preview:eventhub:Namespace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/NamespaceAuthorizationRule.cs b/sdk/dotnet/EventHub/NamespaceAuthorizationRule.cs index 1cb118beb7d9..335c85c2eadd 100644 --- a/sdk/dotnet/EventHub/NamespaceAuthorizationRule.cs +++ b/sdk/dotnet/EventHub/NamespaceAuthorizationRule.cs @@ -80,18 +80,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20140901:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20150801:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20170401:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20180101preview:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210101preview:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210601preview:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20211101:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20220101preview:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20221001preview:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20230101preview:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240101:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240501preview:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20140901:eventhub:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20150801:eventhub:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20170401:eventhub:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20180101preview:eventhub:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210101preview:eventhub:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210601preview:eventhub:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20211101:eventhub:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20220101preview:eventhub:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20221001preview:eventhub:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20230101preview:eventhub:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240101:eventhub:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240501preview:eventhub:NamespaceAuthorizationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/NamespaceIpFilterRule.cs b/sdk/dotnet/EventHub/NamespaceIpFilterRule.cs index d7e3d46018cc..58bccfb185db 100644 --- a/sdk/dotnet/EventHub/NamespaceIpFilterRule.cs +++ b/sdk/dotnet/EventHub/NamespaceIpFilterRule.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:eventhub/v20180101preview:NamespaceIpFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20180101preview:eventhub:NamespaceIpFilterRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/NamespaceNetworkRuleSet.cs b/sdk/dotnet/EventHub/NamespaceNetworkRuleSet.cs index f007ca1c5e8a..ee38e5d75af4 100644 --- a/sdk/dotnet/EventHub/NamespaceNetworkRuleSet.cs +++ b/sdk/dotnet/EventHub/NamespaceNetworkRuleSet.cs @@ -104,16 +104,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20170401:NamespaceNetworkRuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20180101preview:NamespaceNetworkRuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210101preview:NamespaceNetworkRuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210601preview:NamespaceNetworkRuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20211101:NamespaceNetworkRuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20220101preview:NamespaceNetworkRuleSet" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20221001preview:NamespaceNetworkRuleSet" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20230101preview:NamespaceNetworkRuleSet" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240101:NamespaceNetworkRuleSet" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240501preview:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20170401:eventhub:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20180101preview:eventhub:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210101preview:eventhub:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210601preview:eventhub:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20211101:eventhub:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20220101preview:eventhub:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20221001preview:eventhub:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20230101preview:eventhub:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240101:eventhub:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240501preview:eventhub:NamespaceNetworkRuleSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/NamespaceVirtualNetworkRule.cs b/sdk/dotnet/EventHub/NamespaceVirtualNetworkRule.cs index 112c00a74a24..3d674dc58ce2 100644 --- a/sdk/dotnet/EventHub/NamespaceVirtualNetworkRule.cs +++ b/sdk/dotnet/EventHub/NamespaceVirtualNetworkRule.cs @@ -67,6 +67,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:eventhub/v20180101preview:NamespaceVirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20180101preview:eventhub:NamespaceVirtualNetworkRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/PrivateEndpointConnection.cs b/sdk/dotnet/EventHub/PrivateEndpointConnection.cs index dcadde1fbfc0..e11ef0df86aa 100644 --- a/sdk/dotnet/EventHub/PrivateEndpointConnection.cs +++ b/sdk/dotnet/EventHub/PrivateEndpointConnection.cs @@ -92,15 +92,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20180101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20210601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20211101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20220101preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20221001preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20230101preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240101:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240501preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20180101preview:eventhub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210101preview:eventhub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20210601preview:eventhub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20211101:eventhub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20220101preview:eventhub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20221001preview:eventhub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20230101preview:eventhub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240101:eventhub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240501preview:eventhub:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/EventHub/SchemaRegistry.cs b/sdk/dotnet/EventHub/SchemaRegistry.cs index 45b1720a2536..0aa2d2986b6a 100644 --- a/sdk/dotnet/EventHub/SchemaRegistry.cs +++ b/sdk/dotnet/EventHub/SchemaRegistry.cs @@ -104,12 +104,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20211101:SchemaRegistry" }, - new global::Pulumi.Alias { Type = "azure-native:eventhub/v20220101preview:SchemaRegistry" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20221001preview:SchemaRegistry" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20230101preview:SchemaRegistry" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240101:SchemaRegistry" }, new global::Pulumi.Alias { Type = "azure-native:eventhub/v20240501preview:SchemaRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20211101:eventhub:SchemaRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20220101preview:eventhub:SchemaRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20221001preview:eventhub:SchemaRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20230101preview:eventhub:SchemaRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240101:eventhub:SchemaRegistry" }, + new global::Pulumi.Alias { Type = "azure-native_eventhub_v20240501preview:eventhub:SchemaRegistry" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ExtendedLocation/CustomLocation.cs b/sdk/dotnet/ExtendedLocation/CustomLocation.cs index 5fbbbcf7a497..1129629faf40 100644 --- a/sdk/dotnet/ExtendedLocation/CustomLocation.cs +++ b/sdk/dotnet/ExtendedLocation/CustomLocation.cs @@ -128,9 +128,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:extendedlocation/v20210315preview:CustomLocation" }, new global::Pulumi.Alias { Type = "azure-native:extendedlocation/v20210815:CustomLocation" }, new global::Pulumi.Alias { Type = "azure-native:extendedlocation/v20210831preview:CustomLocation" }, + new global::Pulumi.Alias { Type = "azure-native_extendedlocation_v20210315preview:extendedlocation:CustomLocation" }, + new global::Pulumi.Alias { Type = "azure-native_extendedlocation_v20210815:extendedlocation:CustomLocation" }, + new global::Pulumi.Alias { Type = "azure-native_extendedlocation_v20210831preview:extendedlocation:CustomLocation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ExtendedLocation/ResourceSyncRule.cs b/sdk/dotnet/ExtendedLocation/ResourceSyncRule.cs index 49379872a88e..0366d02dac8e 100644 --- a/sdk/dotnet/ExtendedLocation/ResourceSyncRule.cs +++ b/sdk/dotnet/ExtendedLocation/ResourceSyncRule.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:extendedlocation/v20210831preview:ResourceSyncRule" }, + new global::Pulumi.Alias { Type = "azure-native_extendedlocation_v20210831preview:extendedlocation:ResourceSyncRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Fabric/FabricCapacity.cs b/sdk/dotnet/Fabric/FabricCapacity.cs index 3894643889e5..fc84b673a40a 100644 --- a/sdk/dotnet/Fabric/FabricCapacity.cs +++ b/sdk/dotnet/Fabric/FabricCapacity.cs @@ -106,6 +106,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:fabric/v20231101:FabricCapacity" }, new global::Pulumi.Alias { Type = "azure-native:fabric/v20250115preview:FabricCapacity" }, + new global::Pulumi.Alias { Type = "azure-native_fabric_v20231101:fabric:FabricCapacity" }, + new global::Pulumi.Alias { Type = "azure-native_fabric_v20250115preview:fabric:FabricCapacity" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Features/SubscriptionFeatureRegistration.cs b/sdk/dotnet/Features/SubscriptionFeatureRegistration.cs index 253073dbe562..608efd3c6c90 100644 --- a/sdk/dotnet/Features/SubscriptionFeatureRegistration.cs +++ b/sdk/dotnet/Features/SubscriptionFeatureRegistration.cs @@ -64,6 +64,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:features/v20210701:SubscriptionFeatureRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_features_v20210701:features:SubscriptionFeatureRegistration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/FluidRelay/FluidRelayServer.cs b/sdk/dotnet/FluidRelay/FluidRelayServer.cs index b9d5b31c31fb..65514179ce9b 100644 --- a/sdk/dotnet/FluidRelay/FluidRelayServer.cs +++ b/sdk/dotnet/FluidRelay/FluidRelayServer.cs @@ -114,15 +114,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:fluidrelay/v20210312preview:FluidRelayServer" }, new global::Pulumi.Alias { Type = "azure-native:fluidrelay/v20210615preview:FluidRelayServer" }, - new global::Pulumi.Alias { Type = "azure-native:fluidrelay/v20210830preview:FluidRelayServer" }, - new global::Pulumi.Alias { Type = "azure-native:fluidrelay/v20210910preview:FluidRelayServer" }, - new global::Pulumi.Alias { Type = "azure-native:fluidrelay/v20220215:FluidRelayServer" }, - new global::Pulumi.Alias { Type = "azure-native:fluidrelay/v20220421:FluidRelayServer" }, - new global::Pulumi.Alias { Type = "azure-native:fluidrelay/v20220511:FluidRelayServer" }, - new global::Pulumi.Alias { Type = "azure-native:fluidrelay/v20220526:FluidRelayServer" }, new global::Pulumi.Alias { Type = "azure-native:fluidrelay/v20220601:FluidRelayServer" }, + new global::Pulumi.Alias { Type = "azure-native_fluidrelay_v20210312preview:fluidrelay:FluidRelayServer" }, + new global::Pulumi.Alias { Type = "azure-native_fluidrelay_v20210615preview:fluidrelay:FluidRelayServer" }, + new global::Pulumi.Alias { Type = "azure-native_fluidrelay_v20210830preview:fluidrelay:FluidRelayServer" }, + new global::Pulumi.Alias { Type = "azure-native_fluidrelay_v20210910preview:fluidrelay:FluidRelayServer" }, + new global::Pulumi.Alias { Type = "azure-native_fluidrelay_v20220215:fluidrelay:FluidRelayServer" }, + new global::Pulumi.Alias { Type = "azure-native_fluidrelay_v20220421:fluidrelay:FluidRelayServer" }, + new global::Pulumi.Alias { Type = "azure-native_fluidrelay_v20220511:fluidrelay:FluidRelayServer" }, + new global::Pulumi.Alias { Type = "azure-native_fluidrelay_v20220526:fluidrelay:FluidRelayServer" }, + new global::Pulumi.Alias { Type = "azure-native_fluidrelay_v20220601:fluidrelay:FluidRelayServer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/FrontDoor/Experiment.cs b/sdk/dotnet/FrontDoor/Experiment.cs index dc3f39969ae8..9ed4f134b0b2 100644 --- a/sdk/dotnet/FrontDoor/Experiment.cs +++ b/sdk/dotnet/FrontDoor/Experiment.cs @@ -114,9 +114,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20191101:Experiment" }, new global::Pulumi.Alias { Type = "azure-native:network/v20191101:Experiment" }, new global::Pulumi.Alias { Type = "azure-native:network:Experiment" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20191101:frontdoor:Experiment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/FrontDoor/FrontDoor.cs b/sdk/dotnet/FrontDoor/FrontDoor.cs index e74affc14b34..d788ed1c8bea 100644 --- a/sdk/dotnet/FrontDoor/FrontDoor.cs +++ b/sdk/dotnet/FrontDoor/FrontDoor.cs @@ -158,14 +158,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20190401:FrontDoor" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20190501:FrontDoor" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20200101:FrontDoor" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20200401:FrontDoor" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20200501:FrontDoor" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20210601:FrontDoor" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210601:FrontDoor" }, new global::Pulumi.Alias { Type = "azure-native:network:FrontDoor" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20190401:frontdoor:FrontDoor" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20190501:frontdoor:FrontDoor" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20200101:frontdoor:FrontDoor" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20200401:frontdoor:FrontDoor" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20200501:frontdoor:FrontDoor" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20210601:frontdoor:FrontDoor" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/FrontDoor/NetworkExperimentProfile.cs b/sdk/dotnet/FrontDoor/NetworkExperimentProfile.cs index 74252a54a6ed..f66c75f8ba4a 100644 --- a/sdk/dotnet/FrontDoor/NetworkExperimentProfile.cs +++ b/sdk/dotnet/FrontDoor/NetworkExperimentProfile.cs @@ -90,9 +90,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20191101:NetworkExperimentProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20191101:NetworkExperimentProfile" }, new global::Pulumi.Alias { Type = "azure-native:network:NetworkExperimentProfile" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20191101:frontdoor:NetworkExperimentProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/FrontDoor/Policy.cs b/sdk/dotnet/FrontDoor/Policy.cs index 24fc7193af12..611f25560da5 100644 --- a/sdk/dotnet/FrontDoor/Policy.cs +++ b/sdk/dotnet/FrontDoor/Policy.cs @@ -131,17 +131,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20190301:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20191001:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20200401:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20201101:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20210601:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20220501:Policy" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20240201:Policy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210601:Policy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220501:Policy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240201:Policy" }, new global::Pulumi.Alias { Type = "azure-native:network:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20190301:frontdoor:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20191001:frontdoor:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20200401:frontdoor:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20201101:frontdoor:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20210601:frontdoor:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20220501:frontdoor:Policy" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20240201:frontdoor:Policy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/FrontDoor/RulesEngine.cs b/sdk/dotnet/FrontDoor/RulesEngine.cs index d19602646952..fa2be783e85b 100644 --- a/sdk/dotnet/FrontDoor/RulesEngine.cs +++ b/sdk/dotnet/FrontDoor/RulesEngine.cs @@ -74,12 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20200101:RulesEngine" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20200401:RulesEngine" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20200501:RulesEngine" }, - new global::Pulumi.Alias { Type = "azure-native:frontdoor/v20210601:RulesEngine" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210601:RulesEngine" }, new global::Pulumi.Alias { Type = "azure-native:network:RulesEngine" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20200101:frontdoor:RulesEngine" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20200401:frontdoor:RulesEngine" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20200501:frontdoor:RulesEngine" }, + new global::Pulumi.Alias { Type = "azure-native_frontdoor_v20210601:frontdoor:RulesEngine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/GraphServices/Account.cs b/sdk/dotnet/GraphServices/Account.cs index f5a29dd0d703..36258e57ddbc 100644 --- a/sdk/dotnet/GraphServices/Account.cs +++ b/sdk/dotnet/GraphServices/Account.cs @@ -84,8 +84,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:graphservices/v20220922preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:graphservices/v20230413:Account" }, + new global::Pulumi.Alias { Type = "azure-native_graphservices_v20220922preview:graphservices:Account" }, + new global::Pulumi.Alias { Type = "azure-native_graphservices_v20230413:graphservices:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/GuestConfiguration/GuestConfigurationAssignment.cs b/sdk/dotnet/GuestConfiguration/GuestConfigurationAssignment.cs index 010f9689ea3b..f3c40769e9a7 100644 --- a/sdk/dotnet/GuestConfiguration/GuestConfigurationAssignment.cs +++ b/sdk/dotnet/GuestConfiguration/GuestConfigurationAssignment.cs @@ -80,12 +80,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20180630preview:GuestConfigurationAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20181120:GuestConfigurationAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20200625:GuestConfigurationAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20210125:GuestConfigurationAssignment" }, new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20220125:GuestConfigurationAssignment" }, new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20240405:GuestConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20180630preview:guestconfiguration:GuestConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20181120:guestconfiguration:GuestConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20200625:guestconfiguration:GuestConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20210125:guestconfiguration:GuestConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/GuestConfiguration/GuestConfigurationAssignmentsVMSS.cs b/sdk/dotnet/GuestConfiguration/GuestConfigurationAssignmentsVMSS.cs index fad19a16f39b..3a912ce325b3 100644 --- a/sdk/dotnet/GuestConfiguration/GuestConfigurationAssignmentsVMSS.cs +++ b/sdk/dotnet/GuestConfiguration/GuestConfigurationAssignmentsVMSS.cs @@ -82,6 +82,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20220125:GuestConfigurationAssignmentsVMSS" }, new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20240405:GuestConfigurationAssignmentsVMSS" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationAssignmentsVMSS" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationAssignmentsVMSS" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/GuestConfiguration/GuestConfigurationConnectedVMwarevSphereAssignment.cs b/sdk/dotnet/GuestConfiguration/GuestConfigurationConnectedVMwarevSphereAssignment.cs index 1146fa4fae2b..d8a8b24bc5f8 100644 --- a/sdk/dotnet/GuestConfiguration/GuestConfigurationConnectedVMwarevSphereAssignment.cs +++ b/sdk/dotnet/GuestConfiguration/GuestConfigurationConnectedVMwarevSphereAssignment.cs @@ -80,9 +80,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20200625:GuestConfigurationConnectedVMwarevSphereAssignment" }, new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20220125:GuestConfigurationConnectedVMwarevSphereAssignment" }, new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20240405:GuestConfigurationConnectedVMwarevSphereAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20200625:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/GuestConfiguration/GuestConfigurationHCRPAssignment.cs b/sdk/dotnet/GuestConfiguration/GuestConfigurationHCRPAssignment.cs index 5562bc10e0b3..f4e3abb4daf7 100644 --- a/sdk/dotnet/GuestConfiguration/GuestConfigurationHCRPAssignment.cs +++ b/sdk/dotnet/GuestConfiguration/GuestConfigurationHCRPAssignment.cs @@ -80,11 +80,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20181120:GuestConfigurationHCRPAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20200625:GuestConfigurationHCRPAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20210125:GuestConfigurationHCRPAssignment" }, new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20220125:GuestConfigurationHCRPAssignment" }, new global::Pulumi.Alias { Type = "azure-native:guestconfiguration/v20240405:GuestConfigurationHCRPAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20181120:guestconfiguration:GuestConfigurationHCRPAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20200625:guestconfiguration:GuestConfigurationHCRPAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20210125:guestconfiguration:GuestConfigurationHCRPAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationHCRPAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationHCRPAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HDInsight/Application.cs b/sdk/dotnet/HDInsight/Application.cs index d9f2d1de8d98..25abeda9eae2 100644 --- a/sdk/dotnet/HDInsight/Application.cs +++ b/sdk/dotnet/HDInsight/Application.cs @@ -86,13 +86,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20150301preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20180601preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20210601:Application" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20230415preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20230815preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20240801preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20250115preview:Application" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20150301preview:hdinsight:Application" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20180601preview:hdinsight:Application" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20210601:hdinsight:Application" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20230415preview:hdinsight:Application" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20230815preview:hdinsight:Application" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20240801preview:hdinsight:Application" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20250115preview:hdinsight:Application" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HDInsight/Cluster.cs b/sdk/dotnet/HDInsight/Cluster.cs index 738c7e93be04..85b7b6b4bb53 100644 --- a/sdk/dotnet/HDInsight/Cluster.cs +++ b/sdk/dotnet/HDInsight/Cluster.cs @@ -104,16 +104,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20150301preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20180601preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20210601:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20230415preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20230601preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20230815preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20231101preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20240501preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20240801preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20250115preview:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20150301preview:hdinsight:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20180601preview:hdinsight:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20210601:hdinsight:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20230415preview:hdinsight:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20230815preview:hdinsight:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20240801preview:hdinsight:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20250115preview:hdinsight:Cluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HDInsight/ClusterPool.cs b/sdk/dotnet/HDInsight/ClusterPool.cs index 44773bd601e5..6b5caeaf9604 100644 --- a/sdk/dotnet/HDInsight/ClusterPool.cs +++ b/sdk/dotnet/HDInsight/ClusterPool.cs @@ -143,6 +143,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20230601preview:ClusterPool" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20231101preview:ClusterPool" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20240501preview:ClusterPool" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20230601preview:hdinsight:ClusterPool" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20231101preview:hdinsight:ClusterPool" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20240501preview:hdinsight:ClusterPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HDInsight/ClusterPoolCluster.cs b/sdk/dotnet/HDInsight/ClusterPoolCluster.cs index f27d01232db7..4dcf21631ff0 100644 --- a/sdk/dotnet/HDInsight/ClusterPoolCluster.cs +++ b/sdk/dotnet/HDInsight/ClusterPoolCluster.cs @@ -117,11 +117,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20230601preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20230601preview:ClusterPoolCluster" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20231101preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20231101preview:ClusterPoolCluster" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20240501preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20240501preview:ClusterPoolCluster" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20230601preview:hdinsight:ClusterPoolCluster" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20231101preview:hdinsight:ClusterPoolCluster" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20240501preview:hdinsight:ClusterPoolCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HDInsight/PrivateEndpointConnection.cs b/sdk/dotnet/HDInsight/PrivateEndpointConnection.cs index a91f1d964866..4cb6afe31aad 100644 --- a/sdk/dotnet/HDInsight/PrivateEndpointConnection.cs +++ b/sdk/dotnet/HDInsight/PrivateEndpointConnection.cs @@ -96,7 +96,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20230415preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20230815preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20240801preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hdinsight/v20250115preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20210601:hdinsight:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20230415preview:hdinsight:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20230815preview:hdinsight:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20240801preview:hdinsight:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hdinsight_v20250115preview:hdinsight:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HardwareSecurityModules/CloudHsmCluster.cs b/sdk/dotnet/HardwareSecurityModules/CloudHsmCluster.cs index 83536e491863..fd9ab4ef7a48 100644 --- a/sdk/dotnet/HardwareSecurityModules/CloudHsmCluster.cs +++ b/sdk/dotnet/HardwareSecurityModules/CloudHsmCluster.cs @@ -137,6 +137,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmCluster" }, new global::Pulumi.Alias { Type = "azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmCluster" }, new global::Pulumi.Alias { Type = "azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmCluster" }, + new global::Pulumi.Alias { Type = "azure-native_hardwaresecuritymodules_v20220831preview:hardwaresecuritymodules:CloudHsmCluster" }, + new global::Pulumi.Alias { Type = "azure-native_hardwaresecuritymodules_v20231210preview:hardwaresecuritymodules:CloudHsmCluster" }, + new global::Pulumi.Alias { Type = "azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:CloudHsmCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HardwareSecurityModules/CloudHsmClusterPrivateEndpointConnection.cs b/sdk/dotnet/HardwareSecurityModules/CloudHsmClusterPrivateEndpointConnection.cs index 1f73460d5132..969d3b2ddfda 100644 --- a/sdk/dotnet/HardwareSecurityModules/CloudHsmClusterPrivateEndpointConnection.cs +++ b/sdk/dotnet/HardwareSecurityModules/CloudHsmClusterPrivateEndpointConnection.cs @@ -101,6 +101,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmClusterPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmClusterPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmClusterPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hardwaresecuritymodules_v20220831preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hardwaresecuritymodules_v20231210preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HardwareSecurityModules/DedicatedHsm.cs b/sdk/dotnet/HardwareSecurityModules/DedicatedHsm.cs index 33a60c4634b2..067e13832c69 100644 --- a/sdk/dotnet/HardwareSecurityModules/DedicatedHsm.cs +++ b/sdk/dotnet/HardwareSecurityModules/DedicatedHsm.cs @@ -122,9 +122,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hardwaresecuritymodules/v20181031preview:DedicatedHsm" }, new global::Pulumi.Alias { Type = "azure-native:hardwaresecuritymodules/v20211130:DedicatedHsm" }, new global::Pulumi.Alias { Type = "azure-native:hardwaresecuritymodules/v20240630preview:DedicatedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_hardwaresecuritymodules_v20181031preview:hardwaresecuritymodules:DedicatedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_hardwaresecuritymodules_v20211130:hardwaresecuritymodules:DedicatedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:DedicatedHsm" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthBot/Bot.cs b/sdk/dotnet/HealthBot/Bot.cs index 355a39903120..f4a397bb04c1 100644 --- a/sdk/dotnet/HealthBot/Bot.cs +++ b/sdk/dotnet/HealthBot/Bot.cs @@ -98,15 +98,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:healthbot/v20201020:Bot" }, - new global::Pulumi.Alias { Type = "azure-native:healthbot/v20201020preview:Bot" }, - new global::Pulumi.Alias { Type = "azure-native:healthbot/v20201208:Bot" }, new global::Pulumi.Alias { Type = "azure-native:healthbot/v20201208preview:Bot" }, - new global::Pulumi.Alias { Type = "azure-native:healthbot/v20210610:Bot" }, - new global::Pulumi.Alias { Type = "azure-native:healthbot/v20210824:Bot" }, - new global::Pulumi.Alias { Type = "azure-native:healthbot/v20220808:Bot" }, new global::Pulumi.Alias { Type = "azure-native:healthbot/v20230501:Bot" }, new global::Pulumi.Alias { Type = "azure-native:healthbot/v20240201:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_healthbot_v20201020:healthbot:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_healthbot_v20201020preview:healthbot:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_healthbot_v20201208:healthbot:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_healthbot_v20201208preview:healthbot:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_healthbot_v20210610:healthbot:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_healthbot_v20210824:healthbot:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_healthbot_v20220808:healthbot:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_healthbot_v20230501:healthbot:Bot" }, + new global::Pulumi.Alias { Type = "azure-native_healthbot_v20240201:healthbot:Bot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthDataAIServices/DeidService.cs b/sdk/dotnet/HealthDataAIServices/DeidService.cs index 04e89326ef3e..4eb3764d8cad 100644 --- a/sdk/dotnet/HealthDataAIServices/DeidService.cs +++ b/sdk/dotnet/HealthDataAIServices/DeidService.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:healthdataaiservices/v20240228preview:DeidService" }, new global::Pulumi.Alias { Type = "azure-native:healthdataaiservices/v20240920:DeidService" }, + new global::Pulumi.Alias { Type = "azure-native_healthdataaiservices_v20240228preview:healthdataaiservices:DeidService" }, + new global::Pulumi.Alias { Type = "azure-native_healthdataaiservices_v20240920:healthdataaiservices:DeidService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthDataAIServices/PrivateEndpointConnection.cs b/sdk/dotnet/HealthDataAIServices/PrivateEndpointConnection.cs index 22edaa311f1b..30ecba4f3e75 100644 --- a/sdk/dotnet/HealthDataAIServices/PrivateEndpointConnection.cs +++ b/sdk/dotnet/HealthDataAIServices/PrivateEndpointConnection.cs @@ -76,6 +76,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:healthdataaiservices/v20240228preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthdataaiservices/v20240920:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthdataaiservices_v20240228preview:healthdataaiservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthdataaiservices_v20240920:healthdataaiservices:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthcareApis/AnalyticsConnector.cs b/sdk/dotnet/HealthcareApis/AnalyticsConnector.cs index fe444dbf35de..98dfdb5c962a 100644 --- a/sdk/dotnet/HealthcareApis/AnalyticsConnector.cs +++ b/sdk/dotnet/HealthcareApis/AnalyticsConnector.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221001preview:AnalyticsConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221001preview:healthcareapis:AnalyticsConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthcareApis/DicomService.cs b/sdk/dotnet/HealthcareApis/DicomService.cs index 1c947a44b1c5..9d79e6c3f2cf 100644 --- a/sdk/dotnet/HealthcareApis/DicomService.cs +++ b/sdk/dotnet/HealthcareApis/DicomService.cs @@ -152,20 +152,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20210601preview:DicomService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20211101:DicomService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220131preview:DicomService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220515:DicomService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220601:DicomService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221001preview:DicomService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221201:DicomService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230228:DicomService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230906:DicomService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231101:DicomService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231201:DicomService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240301:DicomService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240331:DicomService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20250301preview:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20210601preview:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20211101:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220131preview:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220515:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220601:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221001preview:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221201:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230228:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230906:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231101:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231201:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240301:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240331:healthcareapis:DicomService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20250301preview:healthcareapis:DicomService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthcareApis/FhirService.cs b/sdk/dotnet/HealthcareApis/FhirService.cs index ff3fbb99d49f..5ce747bcf474 100644 --- a/sdk/dotnet/HealthcareApis/FhirService.cs +++ b/sdk/dotnet/HealthcareApis/FhirService.cs @@ -170,20 +170,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20210601preview:FhirService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20211101:FhirService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220131preview:FhirService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220515:FhirService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220601:FhirService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221001preview:FhirService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221201:FhirService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230228:FhirService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230906:FhirService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231101:FhirService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231201:FhirService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240301:FhirService" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240331:FhirService" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20250301preview:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20210601preview:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20211101:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220131preview:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220515:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220601:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221001preview:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221201:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230228:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230906:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231101:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231201:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240301:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240331:healthcareapis:FhirService" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20250301preview:healthcareapis:FhirService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthcareApis/IotConnector.cs b/sdk/dotnet/HealthcareApis/IotConnector.cs index 21cbce82bc31..fbe30f80a704 100644 --- a/sdk/dotnet/HealthcareApis/IotConnector.cs +++ b/sdk/dotnet/HealthcareApis/IotConnector.cs @@ -110,20 +110,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20210601preview:IotConnector" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20211101:IotConnector" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220131preview:IotConnector" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220515:IotConnector" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220601:IotConnector" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221001preview:IotConnector" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221201:IotConnector" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230228:IotConnector" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230906:IotConnector" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231101:IotConnector" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231201:IotConnector" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240301:IotConnector" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240331:IotConnector" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20250301preview:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20210601preview:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20211101:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220131preview:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220515:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220601:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221001preview:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221201:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230228:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230906:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231101:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231201:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240301:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240331:healthcareapis:IotConnector" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20250301preview:healthcareapis:IotConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthcareApis/IotConnectorFhirDestination.cs b/sdk/dotnet/HealthcareApis/IotConnectorFhirDestination.cs index 3273fef8aa3c..5fed23ed5535 100644 --- a/sdk/dotnet/HealthcareApis/IotConnectorFhirDestination.cs +++ b/sdk/dotnet/HealthcareApis/IotConnectorFhirDestination.cs @@ -98,20 +98,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20210601preview:IotConnectorFhirDestination" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20211101:IotConnectorFhirDestination" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220131preview:IotConnectorFhirDestination" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220515:IotConnectorFhirDestination" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220601:IotConnectorFhirDestination" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221001preview:IotConnectorFhirDestination" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221201:IotConnectorFhirDestination" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230228:IotConnectorFhirDestination" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230906:IotConnectorFhirDestination" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231101:IotConnectorFhirDestination" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231201:IotConnectorFhirDestination" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240301:IotConnectorFhirDestination" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240331:IotConnectorFhirDestination" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20250301preview:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20210601preview:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20211101:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220131preview:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220515:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220601:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221001preview:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221201:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230228:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230906:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231101:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231201:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240301:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240331:healthcareapis:IotConnectorFhirDestination" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20250301preview:healthcareapis:IotConnectorFhirDestination" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthcareApis/PrivateEndpointConnection.cs b/sdk/dotnet/HealthcareApis/PrivateEndpointConnection.cs index 9d4cab73ad95..03db699e0e8f 100644 --- a/sdk/dotnet/HealthcareApis/PrivateEndpointConnection.cs +++ b/sdk/dotnet/HealthcareApis/PrivateEndpointConnection.cs @@ -86,22 +86,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20200330:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20210111:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20210601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20211101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220131preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220515:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221001preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221201:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230228:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230906:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231101:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231201:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240301:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240331:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20250301preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20200330:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20210111:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20210601preview:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20211101:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220131preview:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220515:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220601:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221001preview:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221201:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230228:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230906:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231101:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231201:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240301:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240331:healthcareapis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20250301preview:healthcareapis:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthcareApis/Service.cs b/sdk/dotnet/HealthcareApis/Service.cs index aac7fa44bebf..c1e31bb8c365 100644 --- a/sdk/dotnet/HealthcareApis/Service.cs +++ b/sdk/dotnet/HealthcareApis/Service.cs @@ -104,25 +104,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20180820preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20190916:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20200315:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20200330:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20210111:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20210601preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20211101:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220131preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220515:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220601:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221001preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221201:Service" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230228:Service" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230906:Service" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231101:Service" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231201:Service" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240301:Service" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240331:Service" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20250301preview:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20180820preview:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20190916:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20200315:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20200330:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20210111:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20210601preview:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20211101:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220131preview:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220515:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220601:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221001preview:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221201:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230228:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230906:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231101:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231201:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240301:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240331:healthcareapis:Service" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20250301preview:healthcareapis:Service" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthcareApis/Workspace.cs b/sdk/dotnet/HealthcareApis/Workspace.cs index 3b8de77e2fa4..7edf1a43e8ac 100644 --- a/sdk/dotnet/HealthcareApis/Workspace.cs +++ b/sdk/dotnet/HealthcareApis/Workspace.cs @@ -92,20 +92,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20210601preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20211101:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220131preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220515:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220601:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221001preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221201:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230228:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230906:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231101:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231201:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240301:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240331:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20250301preview:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20210601preview:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20211101:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220131preview:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220515:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220601:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221001preview:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221201:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230228:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230906:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231101:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231201:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240301:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240331:healthcareapis:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20250301preview:healthcareapis:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HealthcareApis/WorkspacePrivateEndpointConnection.cs b/sdk/dotnet/HealthcareApis/WorkspacePrivateEndpointConnection.cs index 13b41451ae02..ecdafa72f717 100644 --- a/sdk/dotnet/HealthcareApis/WorkspacePrivateEndpointConnection.cs +++ b/sdk/dotnet/HealthcareApis/WorkspacePrivateEndpointConnection.cs @@ -86,19 +86,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20211101:WorkspacePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220131preview:WorkspacePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220515:WorkspacePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20220601:WorkspacePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221001preview:WorkspacePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20221201:WorkspacePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230228:WorkspacePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20230906:WorkspacePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231101:WorkspacePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20231201:WorkspacePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240301:WorkspacePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20240331:WorkspacePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:healthcareapis/v20250301preview:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20211101:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220131preview:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220515:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20220601:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221001preview:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20221201:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230228:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20230906:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231101:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20231201:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240301:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20240331:healthcareapis:WorkspacePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_healthcareapis_v20250301preview:healthcareapis:WorkspacePrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridCloud/CloudConnection.cs b/sdk/dotnet/HybridCloud/CloudConnection.cs index e3ccfde57cc7..7c7dfa3bac35 100644 --- a/sdk/dotnet/HybridCloud/CloudConnection.cs +++ b/sdk/dotnet/HybridCloud/CloudConnection.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:hybridcloud/v20230101preview:CloudConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcloud_v20230101preview:hybridcloud:CloudConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridCloud/CloudConnector.cs b/sdk/dotnet/HybridCloud/CloudConnector.cs index 48da2f36249e..2241228ca8e6 100644 --- a/sdk/dotnet/HybridCloud/CloudConnector.cs +++ b/sdk/dotnet/HybridCloud/CloudConnector.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:hybridcloud/v20230101preview:CloudConnector" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcloud_v20230101preview:hybridcloud:CloudConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridCompute/Gateway.cs b/sdk/dotnet/HybridCompute/Gateway.cs index 8c79580f5d18..d49fa2816ed9 100644 --- a/sdk/dotnet/HybridCompute/Gateway.cs +++ b/sdk/dotnet/HybridCompute/Gateway.cs @@ -115,7 +115,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240731preview:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240910preview:Gateway" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20241110preview:Gateway" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20250113:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240331preview:hybridcompute:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240520preview:hybridcompute:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240731preview:hybridcompute:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240910preview:hybridcompute:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20241110preview:hybridcompute:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20250113:hybridcompute:Gateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridCompute/License.cs b/sdk/dotnet/HybridCompute/License.cs index 9862b5ebccbe..b0238e4bdcca 100644 --- a/sdk/dotnet/HybridCompute/License.cs +++ b/sdk/dotnet/HybridCompute/License.cs @@ -112,7 +112,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240731preview:License" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240910preview:License" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20241110preview:License" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20250113:License" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20230620preview:hybridcompute:License" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20231003preview:hybridcompute:License" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240331preview:hybridcompute:License" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240520preview:hybridcompute:License" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240710:hybridcompute:License" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240731preview:hybridcompute:License" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240910preview:hybridcompute:License" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20241110preview:hybridcompute:License" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20250113:hybridcompute:License" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridCompute/LicenseProfile.cs b/sdk/dotnet/HybridCompute/LicenseProfile.cs index bb3ddc21531e..9a12458e29b1 100644 --- a/sdk/dotnet/HybridCompute/LicenseProfile.cs +++ b/sdk/dotnet/HybridCompute/LicenseProfile.cs @@ -184,7 +184,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240731preview:LicenseProfile" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240910preview:LicenseProfile" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20241110preview:LicenseProfile" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20250113:LicenseProfile" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20230620preview:hybridcompute:LicenseProfile" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20231003preview:hybridcompute:LicenseProfile" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240331preview:hybridcompute:LicenseProfile" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240520preview:hybridcompute:LicenseProfile" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240710:hybridcompute:LicenseProfile" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240731preview:hybridcompute:LicenseProfile" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240910preview:hybridcompute:LicenseProfile" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20241110preview:hybridcompute:LicenseProfile" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20250113:hybridcompute:LicenseProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridCompute/Machine.cs b/sdk/dotnet/HybridCompute/Machine.cs index a19b04429b35..b48a2e6f4103 100644 --- a/sdk/dotnet/HybridCompute/Machine.cs +++ b/sdk/dotnet/HybridCompute/Machine.cs @@ -284,26 +284,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20190318preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20190802preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20191212:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20200730preview:Machine" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20200802:Machine" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20200815preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210128preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210325preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210422preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210517preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210520:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210610preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20211210preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220310:Machine" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220510preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220811preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221110:Machine" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221227:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221227preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20230315preview:Machine" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20230620preview:Machine" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20231003preview:Machine" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240331preview:Machine" }, @@ -312,7 +296,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240731preview:Machine" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240910preview:Machine" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20241110preview:Machine" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20250113:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20190318preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20190802preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20191212:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20200730preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20200802:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20200815preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210128preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210325preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210422preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210517preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210520:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210610preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20211210preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220310:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220510preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220811preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221110:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221227:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221227preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20230315preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20230620preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20231003preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240331preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240520preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240710:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240731preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240910preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20241110preview:hybridcompute:Machine" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20250113:hybridcompute:Machine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridCompute/MachineExtension.cs b/sdk/dotnet/HybridCompute/MachineExtension.cs index 6b0bb85def12..0ba8d2a50f54 100644 --- a/sdk/dotnet/HybridCompute/MachineExtension.cs +++ b/sdk/dotnet/HybridCompute/MachineExtension.cs @@ -86,25 +86,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20190802preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20191212:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20200730preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20200802:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20200815preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210128preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210325preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210422preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210517preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210520:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210610preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20211210preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220310:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220510preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220811preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221110:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221227:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221227preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20230315preview:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20230620preview:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20231003preview:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240331preview:MachineExtension" }, @@ -113,7 +97,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240731preview:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240910preview:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20241110preview:MachineExtension" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20250113:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20190802preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20191212:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20200730preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20200802:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20200815preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210128preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210325preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210422preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210517preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210520:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210610preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20211210preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220310:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220510preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220811preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221110:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221227:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221227preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20230315preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20230620preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20231003preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240331preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240520preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240710:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240731preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240910preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20241110preview:hybridcompute:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20250113:hybridcompute:MachineExtension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridCompute/MachineRunCommand.cs b/sdk/dotnet/HybridCompute/MachineRunCommand.cs index 81e60fe76bc4..2d7e0cce4e3d 100644 --- a/sdk/dotnet/HybridCompute/MachineRunCommand.cs +++ b/sdk/dotnet/HybridCompute/MachineRunCommand.cs @@ -164,7 +164,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240731preview:MachineRunCommand" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240910preview:MachineRunCommand" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20241110preview:MachineRunCommand" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20250113:MachineRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20231003preview:hybridcompute:MachineRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240331preview:hybridcompute:MachineRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240520preview:hybridcompute:MachineRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240731preview:hybridcompute:MachineRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240910preview:hybridcompute:MachineRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20241110preview:hybridcompute:MachineRunCommand" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20250113:hybridcompute:MachineRunCommand" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridCompute/PrivateEndpointConnection.cs b/sdk/dotnet/HybridCompute/PrivateEndpointConnection.cs index b8b36af6a472..72f26e2f5bd6 100644 --- a/sdk/dotnet/HybridCompute/PrivateEndpointConnection.cs +++ b/sdk/dotnet/HybridCompute/PrivateEndpointConnection.cs @@ -75,20 +75,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20200815preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210128preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210325preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210422preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210517preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210520:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210610preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20211210preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220310:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220510preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220811preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221110:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221227:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221227preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20230315preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20230620preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20231003preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240331preview:PrivateEndpointConnection" }, @@ -97,7 +84,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240731preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240910preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20241110preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20250113:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210128preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210325preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210422preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210517preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210520:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210610preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20211210preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220310:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220510preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220811preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221110:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221227:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221227preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20230315preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20230620preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20231003preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240331preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240520preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240710:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240731preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240910preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20241110preview:hybridcompute:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20250113:hybridcompute:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridCompute/PrivateLinkScope.cs b/sdk/dotnet/HybridCompute/PrivateLinkScope.cs index 803b52e1d54b..bb6ed9c1ab84 100644 --- a/sdk/dotnet/HybridCompute/PrivateLinkScope.cs +++ b/sdk/dotnet/HybridCompute/PrivateLinkScope.cs @@ -87,20 +87,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20200815preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210128preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210325preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210422preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210517preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210520:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20210610preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20211210preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220310:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220510preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20220811preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221110:PrivateLinkScope" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221227:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20221227preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20230315preview:PrivateLinkScope" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20230620preview:PrivateLinkScope" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20231003preview:PrivateLinkScope" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240331preview:PrivateLinkScope" }, @@ -109,7 +96,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240731preview:PrivateLinkScope" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20240910preview:PrivateLinkScope" }, new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20241110preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20250113:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210128preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210325preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210422preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210517preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210520:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20210610preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20211210preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220310:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220510preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20220811preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221110:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221227:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20221227preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20230315preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20230620preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20231003preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240331preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240520preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240710:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240731preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20240910preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20241110preview:hybridcompute:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20250113:hybridcompute:PrivateLinkScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridCompute/PrivateLinkScopedResource.cs b/sdk/dotnet/HybridCompute/PrivateLinkScopedResource.cs index 787b7d8f4e09..c206207cc327 100644 --- a/sdk/dotnet/HybridCompute/PrivateLinkScopedResource.cs +++ b/sdk/dotnet/HybridCompute/PrivateLinkScopedResource.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:hybridcompute/v20200815preview:PrivateLinkScopedResource" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateLinkScopedResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridConnectivity/Endpoint.cs b/sdk/dotnet/HybridConnectivity/Endpoint.cs index 58e8675c3e79..6b5726dd7d97 100644 --- a/sdk/dotnet/HybridConnectivity/Endpoint.cs +++ b/sdk/dotnet/HybridConnectivity/Endpoint.cs @@ -80,10 +80,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybridconnectivity/v20211006preview:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:hybridconnectivity/v20220501preview:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:hybridconnectivity/v20230315:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:hybridconnectivity/v20241201:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_hybridconnectivity_v20211006preview:hybridconnectivity:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_hybridconnectivity_v20220501preview:hybridconnectivity:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_hybridconnectivity_v20230315:hybridconnectivity:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_hybridconnectivity_v20241201:hybridconnectivity:Endpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridConnectivity/PublicCloudConnector.cs b/sdk/dotnet/HybridConnectivity/PublicCloudConnector.cs index f42d64a78aea..2ea60f9b6c35 100644 --- a/sdk/dotnet/HybridConnectivity/PublicCloudConnector.cs +++ b/sdk/dotnet/HybridConnectivity/PublicCloudConnector.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:hybridconnectivity/v20241201:PublicCloudConnector" }, + new global::Pulumi.Alias { Type = "azure-native_hybridconnectivity_v20241201:hybridconnectivity:PublicCloudConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridConnectivity/ServiceConfiguration.cs b/sdk/dotnet/HybridConnectivity/ServiceConfiguration.cs index 5915ee3b1b5e..dbf535a96d93 100644 --- a/sdk/dotnet/HybridConnectivity/ServiceConfiguration.cs +++ b/sdk/dotnet/HybridConnectivity/ServiceConfiguration.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridconnectivity/v20230315:ServiceConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:hybridconnectivity/v20241201:ServiceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_hybridconnectivity_v20230315:hybridconnectivity:ServiceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_hybridconnectivity_v20241201:hybridconnectivity:ServiceConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridConnectivity/SolutionConfiguration.cs b/sdk/dotnet/HybridConnectivity/SolutionConfiguration.cs index 8dfa1fb5929f..4e74bf0f489d 100644 --- a/sdk/dotnet/HybridConnectivity/SolutionConfiguration.cs +++ b/sdk/dotnet/HybridConnectivity/SolutionConfiguration.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:hybridconnectivity/v20241201:SolutionConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_hybridconnectivity_v20241201:hybridconnectivity:SolutionConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridContainerService/AgentPool.cs b/sdk/dotnet/HybridContainerService/AgentPool.cs index 585c26ea05ba..47f3a3246684 100644 --- a/sdk/dotnet/HybridContainerService/AgentPool.cs +++ b/sdk/dotnet/HybridContainerService/AgentPool.cs @@ -164,8 +164,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20220501preview:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20220901preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20231115preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20240101:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:AgentPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridContainerService/ClusterInstanceHybridIdentityMetadatum.cs b/sdk/dotnet/HybridContainerService/ClusterInstanceHybridIdentityMetadatum.cs index 60ac4224aa96..60f8a9f8bae7 100644 --- a/sdk/dotnet/HybridContainerService/ClusterInstanceHybridIdentityMetadatum.cs +++ b/sdk/dotnet/HybridContainerService/ClusterInstanceHybridIdentityMetadatum.cs @@ -86,10 +86,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20231115preview:ClusterInstanceHybridIdentityMetadatum" }, new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20231115preview:HybridIdentityMetadatum" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20240101:ClusterInstanceHybridIdentityMetadatum" }, new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20240101:HybridIdentityMetadatum" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:ClusterInstanceHybridIdentityMetadatum" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:ClusterInstanceHybridIdentityMetadatum" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridContainerService/HybridIdentityMetadatum.cs b/sdk/dotnet/HybridContainerService/HybridIdentityMetadatum.cs index 475c679dbc81..dc1dcb4e84bd 100644 --- a/sdk/dotnet/HybridContainerService/HybridIdentityMetadatum.cs +++ b/sdk/dotnet/HybridContainerService/HybridIdentityMetadatum.cs @@ -92,8 +92,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20220501preview:HybridIdentityMetadatum" }, new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20220901preview:HybridIdentityMetadatum" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20231115preview:HybridIdentityMetadatum" }, - new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20240101:HybridIdentityMetadatum" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:HybridIdentityMetadatum" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:HybridIdentityMetadatum" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridContainerService/ProvisionedCluster.cs b/sdk/dotnet/HybridContainerService/ProvisionedCluster.cs index 72de0fdd2913..9085931dd3c2 100644 --- a/sdk/dotnet/HybridContainerService/ProvisionedCluster.cs +++ b/sdk/dotnet/HybridContainerService/ProvisionedCluster.cs @@ -92,6 +92,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20220501preview:ProvisionedCluster" }, new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20220901preview:ProvisionedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:ProvisionedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:ProvisionedCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridContainerService/StorageSpaceRetrieve.cs b/sdk/dotnet/HybridContainerService/StorageSpaceRetrieve.cs index c64bf30befb4..066d05737d82 100644 --- a/sdk/dotnet/HybridContainerService/StorageSpaceRetrieve.cs +++ b/sdk/dotnet/HybridContainerService/StorageSpaceRetrieve.cs @@ -87,8 +87,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20220501preview:StorageSpaceRetrieve" }, new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20220901preview:StorageSpaceRetrieve" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:StorageSpaceRetrieve" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:StorageSpaceRetrieve" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridContainerService/VirtualNetworkRetrieve.cs b/sdk/dotnet/HybridContainerService/VirtualNetworkRetrieve.cs index 32121f7d8c8a..ff19b9a83d89 100644 --- a/sdk/dotnet/HybridContainerService/VirtualNetworkRetrieve.cs +++ b/sdk/dotnet/HybridContainerService/VirtualNetworkRetrieve.cs @@ -89,10 +89,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20220501preview:VirtualNetworkRetrieve" }, new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20220901preview:VirtualNetworkRetrieve" }, new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20231115preview:VirtualNetworkRetrieve" }, new global::Pulumi.Alias { Type = "azure-native:hybridcontainerservice/v20240101:VirtualNetworkRetrieve" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:VirtualNetworkRetrieve" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:VirtualNetworkRetrieve" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:VirtualNetworkRetrieve" }, + new global::Pulumi.Alias { Type = "azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:VirtualNetworkRetrieve" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridData/DataManager.cs b/sdk/dotnet/HybridData/DataManager.cs index 77bddb4b9df4..33e50b82ddc5 100644 --- a/sdk/dotnet/HybridData/DataManager.cs +++ b/sdk/dotnet/HybridData/DataManager.cs @@ -87,8 +87,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybriddata/v20160601:DataManager" }, new global::Pulumi.Alias { Type = "azure-native:hybriddata/v20190601:DataManager" }, + new global::Pulumi.Alias { Type = "azure-native_hybriddata_v20160601:hybriddata:DataManager" }, + new global::Pulumi.Alias { Type = "azure-native_hybriddata_v20190601:hybriddata:DataManager" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridData/DataStore.cs b/sdk/dotnet/HybridData/DataStore.cs index 66e523a0bf46..600e924d7acd 100644 --- a/sdk/dotnet/HybridData/DataStore.cs +++ b/sdk/dotnet/HybridData/DataStore.cs @@ -90,8 +90,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybriddata/v20160601:DataStore" }, new global::Pulumi.Alias { Type = "azure-native:hybriddata/v20190601:DataStore" }, + new global::Pulumi.Alias { Type = "azure-native_hybriddata_v20160601:hybriddata:DataStore" }, + new global::Pulumi.Alias { Type = "azure-native_hybriddata_v20190601:hybriddata:DataStore" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridData/JobDefinition.cs b/sdk/dotnet/HybridData/JobDefinition.cs index 5785b981f86c..f3c808b39521 100644 --- a/sdk/dotnet/HybridData/JobDefinition.cs +++ b/sdk/dotnet/HybridData/JobDefinition.cs @@ -114,8 +114,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybriddata/v20160601:JobDefinition" }, new global::Pulumi.Alias { Type = "azure-native:hybriddata/v20190601:JobDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_hybriddata_v20160601:hybriddata:JobDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_hybriddata_v20190601:hybriddata:JobDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/ArtifactManifest.cs b/sdk/dotnet/HybridNetwork/ArtifactManifest.cs index 9fea1a1ba3bd..b1cb838dc685 100644 --- a/sdk/dotnet/HybridNetwork/ArtifactManifest.cs +++ b/sdk/dotnet/HybridNetwork/ArtifactManifest.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:ArtifactManifest" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:ArtifactManifest" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:ArtifactManifest" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:ArtifactManifest" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/ArtifactStore.cs b/sdk/dotnet/HybridNetwork/ArtifactStore.cs index 8160220df67d..447872846115 100644 --- a/sdk/dotnet/HybridNetwork/ArtifactStore.cs +++ b/sdk/dotnet/HybridNetwork/ArtifactStore.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:ArtifactStore" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:ArtifactStore" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:ArtifactStore" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:ArtifactStore" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/ConfigurationGroupSchema.cs b/sdk/dotnet/HybridNetwork/ConfigurationGroupSchema.cs index cdb158cdb8c9..aaa284b6400b 100644 --- a/sdk/dotnet/HybridNetwork/ConfigurationGroupSchema.cs +++ b/sdk/dotnet/HybridNetwork/ConfigurationGroupSchema.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:ConfigurationGroupSchema" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:ConfigurationGroupSchema" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:ConfigurationGroupSchema" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:ConfigurationGroupSchema" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/ConfigurationGroupValue.cs b/sdk/dotnet/HybridNetwork/ConfigurationGroupValue.cs index 4c3eb6a35197..e02ebfd2f500 100644 --- a/sdk/dotnet/HybridNetwork/ConfigurationGroupValue.cs +++ b/sdk/dotnet/HybridNetwork/ConfigurationGroupValue.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:ConfigurationGroupValue" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:ConfigurationGroupValue" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:ConfigurationGroupValue" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:ConfigurationGroupValue" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/Device.cs b/sdk/dotnet/HybridNetwork/Device.cs index f7b0dfcfd993..e61fb4e87a57 100644 --- a/sdk/dotnet/HybridNetwork/Device.cs +++ b/sdk/dotnet/HybridNetwork/Device.cs @@ -102,9 +102,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20200101preview:Device" }, - new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20210501:Device" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20220101preview:Device" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20200101preview:hybridnetwork:Device" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20210501:hybridnetwork:Device" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20220101preview:hybridnetwork:Device" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/NetworkFunction.cs b/sdk/dotnet/HybridNetwork/NetworkFunction.cs index a0869750737b..d5ef01f54dc2 100644 --- a/sdk/dotnet/HybridNetwork/NetworkFunction.cs +++ b/sdk/dotnet/HybridNetwork/NetworkFunction.cs @@ -98,11 +98,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20200101preview:NetworkFunction" }, - new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20210501:NetworkFunction" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20220101preview:NetworkFunction" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:NetworkFunction" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:NetworkFunction" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20200101preview:hybridnetwork:NetworkFunction" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20210501:hybridnetwork:NetworkFunction" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20220101preview:hybridnetwork:NetworkFunction" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunction" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunction" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/NetworkFunctionDefinitionGroup.cs b/sdk/dotnet/HybridNetwork/NetworkFunctionDefinitionGroup.cs index 9d2906803cbf..74562f41dfaf 100644 --- a/sdk/dotnet/HybridNetwork/NetworkFunctionDefinitionGroup.cs +++ b/sdk/dotnet/HybridNetwork/NetworkFunctionDefinitionGroup.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionGroup" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunctionDefinitionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunctionDefinitionGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/NetworkFunctionDefinitionVersion.cs b/sdk/dotnet/HybridNetwork/NetworkFunctionDefinitionVersion.cs index a7ab522867ce..28ec8972ad0e 100644 --- a/sdk/dotnet/HybridNetwork/NetworkFunctionDefinitionVersion.cs +++ b/sdk/dotnet/HybridNetwork/NetworkFunctionDefinitionVersion.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionVersion" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionVersion" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunctionDefinitionVersion" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunctionDefinitionVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/NetworkServiceDesignGroup.cs b/sdk/dotnet/HybridNetwork/NetworkServiceDesignGroup.cs index bf2af434d5e4..d5f922433d39 100644 --- a/sdk/dotnet/HybridNetwork/NetworkServiceDesignGroup.cs +++ b/sdk/dotnet/HybridNetwork/NetworkServiceDesignGroup.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:NetworkServiceDesignGroup" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:NetworkServiceDesignGroup" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkServiceDesignGroup" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkServiceDesignGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/NetworkServiceDesignVersion.cs b/sdk/dotnet/HybridNetwork/NetworkServiceDesignVersion.cs index 56fe411fb52d..327094352b6d 100644 --- a/sdk/dotnet/HybridNetwork/NetworkServiceDesignVersion.cs +++ b/sdk/dotnet/HybridNetwork/NetworkServiceDesignVersion.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:NetworkServiceDesignVersion" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:NetworkServiceDesignVersion" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkServiceDesignVersion" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkServiceDesignVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/Publisher.cs b/sdk/dotnet/HybridNetwork/Publisher.cs index 2212ec49e51e..63fdab5fda0e 100644 --- a/sdk/dotnet/HybridNetwork/Publisher.cs +++ b/sdk/dotnet/HybridNetwork/Publisher.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:Publisher" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:Publisher" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:Publisher" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:Publisher" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/Site.cs b/sdk/dotnet/HybridNetwork/Site.cs index 5f806e371e1c..4227478e8991 100644 --- a/sdk/dotnet/HybridNetwork/Site.cs +++ b/sdk/dotnet/HybridNetwork/Site.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:Site" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:Site" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:Site" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:Site" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/SiteNetworkService.cs b/sdk/dotnet/HybridNetwork/SiteNetworkService.cs index 6fdff0ea9352..93262314a962 100644 --- a/sdk/dotnet/HybridNetwork/SiteNetworkService.cs +++ b/sdk/dotnet/HybridNetwork/SiteNetworkService.cs @@ -100,6 +100,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20230901:SiteNetworkService" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20240415:SiteNetworkService" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20230901:hybridnetwork:SiteNetworkService" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20240415:hybridnetwork:SiteNetworkService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/Vendor.cs b/sdk/dotnet/HybridNetwork/Vendor.cs index 15a7eff6f006..945f4bea6578 100644 --- a/sdk/dotnet/HybridNetwork/Vendor.cs +++ b/sdk/dotnet/HybridNetwork/Vendor.cs @@ -78,9 +78,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20200101preview:Vendor" }, - new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20210501:Vendor" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20220101preview:Vendor" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20200101preview:hybridnetwork:Vendor" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20210501:hybridnetwork:Vendor" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20220101preview:hybridnetwork:Vendor" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/VendorSkuPreview.cs b/sdk/dotnet/HybridNetwork/VendorSkuPreview.cs index b2b1abfc174d..4dd2425d8eb7 100644 --- a/sdk/dotnet/HybridNetwork/VendorSkuPreview.cs +++ b/sdk/dotnet/HybridNetwork/VendorSkuPreview.cs @@ -72,9 +72,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20200101preview:VendorSkuPreview" }, - new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20210501:VendorSkuPreview" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20220101preview:VendorSkuPreview" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20200101preview:hybridnetwork:VendorSkuPreview" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20210501:hybridnetwork:VendorSkuPreview" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20220101preview:hybridnetwork:VendorSkuPreview" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/HybridNetwork/VendorSkus.cs b/sdk/dotnet/HybridNetwork/VendorSkus.cs index 7b66d815b2d1..80e52c3651eb 100644 --- a/sdk/dotnet/HybridNetwork/VendorSkus.cs +++ b/sdk/dotnet/HybridNetwork/VendorSkus.cs @@ -114,9 +114,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20200101preview:VendorSkus" }, - new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20210501:VendorSkus" }, new global::Pulumi.Alias { Type = "azure-native:hybridnetwork/v20220101preview:VendorSkus" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20200101preview:hybridnetwork:VendorSkus" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20210501:hybridnetwork:VendorSkus" }, + new global::Pulumi.Alias { Type = "azure-native_hybridnetwork_v20220101preview:hybridnetwork:VendorSkus" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Impact/Connector.cs b/sdk/dotnet/Impact/Connector.cs index cf7ae87e70b4..d72aebf68974 100644 --- a/sdk/dotnet/Impact/Connector.cs +++ b/sdk/dotnet/Impact/Connector.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:impact/v20240501preview:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_impact_v20240501preview:impact:Connector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Impact/Insight.cs b/sdk/dotnet/Impact/Insight.cs index f3c83bc01cfe..16e32c166e00 100644 --- a/sdk/dotnet/Impact/Insight.cs +++ b/sdk/dotnet/Impact/Insight.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:impact/v20240501preview:Insight" }, + new global::Pulumi.Alias { Type = "azure-native_impact_v20240501preview:impact:Insight" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Impact/WorkloadImpact.cs b/sdk/dotnet/Impact/WorkloadImpact.cs index 59f75e3e092a..5297f7ebdb24 100644 --- a/sdk/dotnet/Impact/WorkloadImpact.cs +++ b/sdk/dotnet/Impact/WorkloadImpact.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:impact/v20240501preview:WorkloadImpact" }, + new global::Pulumi.Alias { Type = "azure-native_impact_v20240501preview:impact:WorkloadImpact" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ImportExport/Job.cs b/sdk/dotnet/ImportExport/Job.cs index a017a39000d7..9a6529fb4711 100644 --- a/sdk/dotnet/ImportExport/Job.cs +++ b/sdk/dotnet/ImportExport/Job.cs @@ -90,9 +90,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:importexport/v20161101:Job" }, - new global::Pulumi.Alias { Type = "azure-native:importexport/v20200801:Job" }, new global::Pulumi.Alias { Type = "azure-native:importexport/v20210101:Job" }, + new global::Pulumi.Alias { Type = "azure-native_importexport_v20161101:importexport:Job" }, + new global::Pulumi.Alias { Type = "azure-native_importexport_v20200801:importexport:Job" }, + new global::Pulumi.Alias { Type = "azure-native_importexport_v20210101:importexport:Job" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IntegrationSpaces/Application.cs b/sdk/dotnet/IntegrationSpaces/Application.cs index 03b8c5df79cf..b01a76913a9c 100644 --- a/sdk/dotnet/IntegrationSpaces/Application.cs +++ b/sdk/dotnet/IntegrationSpaces/Application.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:integrationspaces/v20231114preview:Application" }, + new global::Pulumi.Alias { Type = "azure-native_integrationspaces_v20231114preview:integrationspaces:Application" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IntegrationSpaces/ApplicationResource.cs b/sdk/dotnet/IntegrationSpaces/ApplicationResource.cs index 7fb6e8f6a3af..e19dd494aa53 100644 --- a/sdk/dotnet/IntegrationSpaces/ApplicationResource.cs +++ b/sdk/dotnet/IntegrationSpaces/ApplicationResource.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:integrationspaces/v20231114preview:ApplicationResource" }, + new global::Pulumi.Alias { Type = "azure-native_integrationspaces_v20231114preview:integrationspaces:ApplicationResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IntegrationSpaces/BusinessProcess.cs b/sdk/dotnet/IntegrationSpaces/BusinessProcess.cs index c3359945b687..213501125c52 100644 --- a/sdk/dotnet/IntegrationSpaces/BusinessProcess.cs +++ b/sdk/dotnet/IntegrationSpaces/BusinessProcess.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:integrationspaces/v20231114preview:BusinessProcess" }, + new global::Pulumi.Alias { Type = "azure-native_integrationspaces_v20231114preview:integrationspaces:BusinessProcess" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IntegrationSpaces/InfrastructureResource.cs b/sdk/dotnet/IntegrationSpaces/InfrastructureResource.cs index eb6adf6f8719..9fa7aea1c281 100644 --- a/sdk/dotnet/IntegrationSpaces/InfrastructureResource.cs +++ b/sdk/dotnet/IntegrationSpaces/InfrastructureResource.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:integrationspaces/v20231114preview:InfrastructureResource" }, + new global::Pulumi.Alias { Type = "azure-native_integrationspaces_v20231114preview:integrationspaces:InfrastructureResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IntegrationSpaces/Space.cs b/sdk/dotnet/IntegrationSpaces/Space.cs index 217b1b041272..ff1b756d8711 100644 --- a/sdk/dotnet/IntegrationSpaces/Space.cs +++ b/sdk/dotnet/IntegrationSpaces/Space.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:integrationspaces/v20231114preview:Space" }, + new global::Pulumi.Alias { Type = "azure-native_integrationspaces_v20231114preview:integrationspaces:Space" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Intune/AndroidMAMPolicyByName.cs b/sdk/dotnet/Intune/AndroidMAMPolicyByName.cs index 8ae47ba8a1e5..88d459a4dc6c 100644 --- a/sdk/dotnet/Intune/AndroidMAMPolicyByName.cs +++ b/sdk/dotnet/Intune/AndroidMAMPolicyByName.cs @@ -134,6 +134,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:intune/v20150114preview:AndroidMAMPolicyByName" }, new global::Pulumi.Alias { Type = "azure-native:intune/v20150114privatepreview:AndroidMAMPolicyByName" }, + new global::Pulumi.Alias { Type = "azure-native_intune_v20150114preview:intune:AndroidMAMPolicyByName" }, + new global::Pulumi.Alias { Type = "azure-native_intune_v20150114privatepreview:intune:AndroidMAMPolicyByName" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Intune/IoMAMPolicyByName.cs b/sdk/dotnet/Intune/IoMAMPolicyByName.cs index acc78b54e07d..d06793528a08 100644 --- a/sdk/dotnet/Intune/IoMAMPolicyByName.cs +++ b/sdk/dotnet/Intune/IoMAMPolicyByName.cs @@ -134,6 +134,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:intune/v20150114preview:IoMAMPolicyByName" }, new global::Pulumi.Alias { Type = "azure-native:intune/v20150114privatepreview:IoMAMPolicyByName" }, + new global::Pulumi.Alias { Type = "azure-native_intune_v20150114preview:intune:IoMAMPolicyByName" }, + new global::Pulumi.Alias { Type = "azure-native_intune_v20150114privatepreview:intune:IoMAMPolicyByName" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTCentral/App.cs b/sdk/dotnet/IoTCentral/App.cs index 8abadddbdfbc..313cc6c8de72 100644 --- a/sdk/dotnet/IoTCentral/App.cs +++ b/sdk/dotnet/IoTCentral/App.cs @@ -146,9 +146,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:iotcentral/v20180901:App" }, new global::Pulumi.Alias { Type = "azure-native:iotcentral/v20210601:App" }, new global::Pulumi.Alias { Type = "azure-native:iotcentral/v20211101preview:App" }, + new global::Pulumi.Alias { Type = "azure-native_iotcentral_v20180901:iotcentral:App" }, + new global::Pulumi.Alias { Type = "azure-native_iotcentral_v20210601:iotcentral:App" }, + new global::Pulumi.Alias { Type = "azure-native_iotcentral_v20211101preview:iotcentral:App" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTCentral/PrivateEndpointConnection.cs b/sdk/dotnet/IoTCentral/PrivateEndpointConnection.cs index 00fd10bbc2a7..7bb8ee7b2e31 100644 --- a/sdk/dotnet/IoTCentral/PrivateEndpointConnection.cs +++ b/sdk/dotnet/IoTCentral/PrivateEndpointConnection.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotcentral/v20211101preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iotcentral_v20211101preview:iotcentral:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTFirmwareDefense/Firmware.cs b/sdk/dotnet/IoTFirmwareDefense/Firmware.cs index f190a1f8d1c9..4a8a16e89e5f 100644 --- a/sdk/dotnet/IoTFirmwareDefense/Firmware.cs +++ b/sdk/dotnet/IoTFirmwareDefense/Firmware.cs @@ -124,7 +124,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:iotfirmwaredefense/v20230208preview:Firmware" }, new global::Pulumi.Alias { Type = "azure-native:iotfirmwaredefense/v20240110:Firmware" }, - new global::Pulumi.Alias { Type = "azure-native:iotfirmwaredefense/v20250401preview:Firmware" }, + new global::Pulumi.Alias { Type = "azure-native_iotfirmwaredefense_v20230208preview:iotfirmwaredefense:Firmware" }, + new global::Pulumi.Alias { Type = "azure-native_iotfirmwaredefense_v20240110:iotfirmwaredefense:Firmware" }, + new global::Pulumi.Alias { Type = "azure-native_iotfirmwaredefense_v20250401preview:iotfirmwaredefense:Firmware" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTFirmwareDefense/Workspace.cs b/sdk/dotnet/IoTFirmwareDefense/Workspace.cs index 03a8b39ccd6d..3a0452a0c64a 100644 --- a/sdk/dotnet/IoTFirmwareDefense/Workspace.cs +++ b/sdk/dotnet/IoTFirmwareDefense/Workspace.cs @@ -88,7 +88,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:iotfirmwaredefense/v20230208preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:iotfirmwaredefense/v20240110:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:iotfirmwaredefense/v20250401preview:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_iotfirmwaredefense_v20230208preview:iotfirmwaredefense:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_iotfirmwaredefense_v20240110:iotfirmwaredefense:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_iotfirmwaredefense_v20250401preview:iotfirmwaredefense:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTHub/Certificate.cs b/sdk/dotnet/IoTHub/Certificate.cs index 60d15597f86a..fd8571660b3e 100644 --- a/sdk/dotnet/IoTHub/Certificate.cs +++ b/sdk/dotnet/IoTHub/Certificate.cs @@ -80,32 +80,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devices/v20230630:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20230630preview:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:devices:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20170701:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20180122:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20180401:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20181201preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20190322:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20190322preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20190701preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20191104:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200301:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200401:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200615:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200710preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200801:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200831:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200831preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210201preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210303preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210331:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210701:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210701preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210702:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210702preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20220430preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20221115preview:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20230630:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20230630preview:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20170701:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20180122:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20180401:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20181201preview:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20190322:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20190322preview:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20190701preview:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20191104:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200301:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200401:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200615:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200710preview:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200801:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200831:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200831preview:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210201preview:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210303preview:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210331:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210701:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210701preview:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210702:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210702preview:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20220430preview:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20221115preview:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20230630:iothub:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20230630preview:iothub:Certificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTHub/IotHubResource.cs b/sdk/dotnet/IoTHub/IotHubResource.cs index a534163a790a..f648423f369c 100644 --- a/sdk/dotnet/IoTHub/IotHubResource.cs +++ b/sdk/dotnet/IoTHub/IotHubResource.cs @@ -109,34 +109,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devices/v20230630:IotHubResource" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20230630preview:IotHubResource" }, new global::Pulumi.Alias { Type = "azure-native:devices:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20160203:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20170119:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20170701:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20180122:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20180401:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20181201preview:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20190322:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20190322preview:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20190701preview:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20191104:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200301:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200401:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200615:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200710preview:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200801:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200831:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200831preview:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210201preview:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210303preview:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210331:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210701:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210701preview:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210702:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210702preview:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20220430preview:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20221115preview:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20230630:IotHubResource" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20230630preview:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20160203:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20170119:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20170701:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20180122:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20180401:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20181201preview:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20190322:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20190322preview:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20190701preview:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20191104:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200301:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200401:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200615:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200710preview:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200801:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200831:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200831preview:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210201preview:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210303preview:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210331:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210701:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210701preview:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210702:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210702preview:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20220430preview:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20221115preview:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20230630:iothub:IotHubResource" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20230630preview:iothub:IotHubResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTHub/IotHubResourceEventHubConsumerGroup.cs b/sdk/dotnet/IoTHub/IotHubResourceEventHubConsumerGroup.cs index 71c3c8f261cb..58571a3466e7 100644 --- a/sdk/dotnet/IoTHub/IotHubResourceEventHubConsumerGroup.cs +++ b/sdk/dotnet/IoTHub/IotHubResourceEventHubConsumerGroup.cs @@ -80,34 +80,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devices/v20230630:IotHubResourceEventHubConsumerGroup" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20230630preview:IotHubResourceEventHubConsumerGroup" }, new global::Pulumi.Alias { Type = "azure-native:devices:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20160203:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20170119:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20170701:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20180122:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20180401:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20181201preview:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20190322:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20190322preview:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20190701preview:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20191104:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200301:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200401:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200615:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200710preview:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200801:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200831:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200831preview:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210201preview:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210303preview:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210331:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210701:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210701preview:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210702:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210702preview:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20220430preview:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20221115preview:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20230630:IotHubResourceEventHubConsumerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20230630preview:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20160203:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20170119:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20170701:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20180122:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20180401:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20181201preview:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20190322:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20190322preview:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20190701preview:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20191104:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200301:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200401:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200615:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200710preview:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200801:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200831:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200831preview:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210201preview:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210303preview:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210331:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210701:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210701preview:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210702:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210702preview:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20220430preview:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20221115preview:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20230630:iothub:IotHubResourceEventHubConsumerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20230630preview:iothub:IotHubResourceEventHubConsumerGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTHub/PrivateEndpointConnection.cs b/sdk/dotnet/IoTHub/PrivateEndpointConnection.cs index 522e596f11be..0c412871bf8f 100644 --- a/sdk/dotnet/IoTHub/PrivateEndpointConnection.cs +++ b/sdk/dotnet/IoTHub/PrivateEndpointConnection.cs @@ -73,24 +73,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:devices/v20230630:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:devices/v20230630preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:devices:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200401:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200615:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200710preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200801:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200831:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20200831preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210201preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210303preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210331:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210701:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210701preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210702:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20210702preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20220430preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20221115preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20230630:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:iothub/v20230630preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200301:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200401:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200615:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200710preview:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200801:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200831:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20200831preview:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210201preview:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210303preview:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210331:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210701:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210701preview:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210702:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20210702preview:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20220430preview:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20221115preview:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20230630:iothub:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_iothub_v20230630preview:iothub:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperations/Broker.cs b/sdk/dotnet/IoTOperations/Broker.cs index 28d12169da6a..ebaca4c48c3a 100644 --- a/sdk/dotnet/IoTOperations/Broker.cs +++ b/sdk/dotnet/IoTOperations/Broker.cs @@ -84,7 +84,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240815preview:Broker" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240915preview:Broker" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20241101:Broker" }, - new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20250401:Broker" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240701preview:iotoperations:Broker" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240815preview:iotoperations:Broker" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240915preview:iotoperations:Broker" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20241101:iotoperations:Broker" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20250401:iotoperations:Broker" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperations/BrokerAuthentication.cs b/sdk/dotnet/IoTOperations/BrokerAuthentication.cs index e314a4cf7510..41f8742246d9 100644 --- a/sdk/dotnet/IoTOperations/BrokerAuthentication.cs +++ b/sdk/dotnet/IoTOperations/BrokerAuthentication.cs @@ -84,7 +84,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240815preview:BrokerAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240915preview:BrokerAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20241101:BrokerAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20250401:BrokerAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240701preview:iotoperations:BrokerAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240815preview:iotoperations:BrokerAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240915preview:iotoperations:BrokerAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20241101:iotoperations:BrokerAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20250401:iotoperations:BrokerAuthentication" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperations/BrokerAuthorization.cs b/sdk/dotnet/IoTOperations/BrokerAuthorization.cs index 120b49159492..574cef2d3212 100644 --- a/sdk/dotnet/IoTOperations/BrokerAuthorization.cs +++ b/sdk/dotnet/IoTOperations/BrokerAuthorization.cs @@ -84,7 +84,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240815preview:BrokerAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240915preview:BrokerAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20241101:BrokerAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20250401:BrokerAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240701preview:iotoperations:BrokerAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240815preview:iotoperations:BrokerAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240915preview:iotoperations:BrokerAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20241101:iotoperations:BrokerAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20250401:iotoperations:BrokerAuthorization" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperations/BrokerListener.cs b/sdk/dotnet/IoTOperations/BrokerListener.cs index 6c25e0fce571..62e5ba1e5640 100644 --- a/sdk/dotnet/IoTOperations/BrokerListener.cs +++ b/sdk/dotnet/IoTOperations/BrokerListener.cs @@ -84,7 +84,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240815preview:BrokerListener" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240915preview:BrokerListener" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20241101:BrokerListener" }, - new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20250401:BrokerListener" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240701preview:iotoperations:BrokerListener" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240815preview:iotoperations:BrokerListener" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240915preview:iotoperations:BrokerListener" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20241101:iotoperations:BrokerListener" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20250401:iotoperations:BrokerListener" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperations/Dataflow.cs b/sdk/dotnet/IoTOperations/Dataflow.cs index 011df46a2517..f632ff712bf7 100644 --- a/sdk/dotnet/IoTOperations/Dataflow.cs +++ b/sdk/dotnet/IoTOperations/Dataflow.cs @@ -81,12 +81,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240701preview:DataFlow" }, - new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240701preview:Dataflow" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240815preview:Dataflow" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240915preview:Dataflow" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20241101:Dataflow" }, - new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20250401:Dataflow" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations:DataFlow" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240701preview:iotoperations:Dataflow" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240815preview:iotoperations:Dataflow" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240915preview:iotoperations:Dataflow" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20241101:iotoperations:Dataflow" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20250401:iotoperations:Dataflow" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperations/DataflowEndpoint.cs b/sdk/dotnet/IoTOperations/DataflowEndpoint.cs index 502ef9c76800..839a8437ddcb 100644 --- a/sdk/dotnet/IoTOperations/DataflowEndpoint.cs +++ b/sdk/dotnet/IoTOperations/DataflowEndpoint.cs @@ -81,12 +81,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240701preview:DataFlowEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240701preview:DataflowEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240815preview:DataflowEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240915preview:DataflowEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20241101:DataflowEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20250401:DataflowEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations:DataFlowEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240701preview:iotoperations:DataflowEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240815preview:iotoperations:DataflowEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240915preview:iotoperations:DataflowEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20241101:iotoperations:DataflowEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20250401:iotoperations:DataflowEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperations/DataflowProfile.cs b/sdk/dotnet/IoTOperations/DataflowProfile.cs index d13888eabd52..54d179a090d7 100644 --- a/sdk/dotnet/IoTOperations/DataflowProfile.cs +++ b/sdk/dotnet/IoTOperations/DataflowProfile.cs @@ -81,12 +81,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240701preview:DataFlowProfile" }, - new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240701preview:DataflowProfile" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240815preview:DataflowProfile" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240915preview:DataflowProfile" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20241101:DataflowProfile" }, - new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20250401:DataflowProfile" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations:DataFlowProfile" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240701preview:iotoperations:DataflowProfile" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240815preview:iotoperations:DataflowProfile" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240915preview:iotoperations:DataflowProfile" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20241101:iotoperations:DataflowProfile" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20250401:iotoperations:DataflowProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperations/Instance.cs b/sdk/dotnet/IoTOperations/Instance.cs index 0418abae8ea7..4cb314f48095 100644 --- a/sdk/dotnet/IoTOperations/Instance.cs +++ b/sdk/dotnet/IoTOperations/Instance.cs @@ -102,7 +102,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240815preview:Instance" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20240915preview:Instance" }, new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20241101:Instance" }, - new global::Pulumi.Alias { Type = "azure-native:iotoperations/v20250401:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240701preview:iotoperations:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240815preview:iotoperations:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20240915preview:iotoperations:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20241101:iotoperations:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperations_v20250401:iotoperations:Instance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsDataProcessor/Dataset.cs b/sdk/dotnet/IoTOperationsDataProcessor/Dataset.cs index a8f9d4a33b45..66bf2d5a0796 100644 --- a/sdk/dotnet/IoTOperationsDataProcessor/Dataset.cs +++ b/sdk/dotnet/IoTOperationsDataProcessor/Dataset.cs @@ -121,6 +121,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsdataprocessor/v20231004preview:Dataset" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Dataset" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsDataProcessor/Instance.cs b/sdk/dotnet/IoTOperationsDataProcessor/Instance.cs index b71acac89e41..8296a4eda10a 100644 --- a/sdk/dotnet/IoTOperationsDataProcessor/Instance.cs +++ b/sdk/dotnet/IoTOperationsDataProcessor/Instance.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsdataprocessor/v20231004preview:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Instance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsDataProcessor/Pipeline.cs b/sdk/dotnet/IoTOperationsDataProcessor/Pipeline.cs index e0a2219444dd..d98437e0ea78 100644 --- a/sdk/dotnet/IoTOperationsDataProcessor/Pipeline.cs +++ b/sdk/dotnet/IoTOperationsDataProcessor/Pipeline.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsdataprocessor/v20231004preview:Pipeline" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Pipeline" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/Broker.cs b/sdk/dotnet/IoTOperationsMQ/Broker.cs index 673babfaca2f..1b093844b748 100644 --- a/sdk/dotnet/IoTOperationsMQ/Broker.cs +++ b/sdk/dotnet/IoTOperationsMQ/Broker.cs @@ -163,6 +163,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:Broker" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:Broker" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/BrokerAuthentication.cs b/sdk/dotnet/IoTOperationsMQ/BrokerAuthentication.cs index 3370c60250e2..8ffb66a8bf73 100644 --- a/sdk/dotnet/IoTOperationsMQ/BrokerAuthentication.cs +++ b/sdk/dotnet/IoTOperationsMQ/BrokerAuthentication.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:BrokerAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerAuthentication" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/BrokerAuthorization.cs b/sdk/dotnet/IoTOperationsMQ/BrokerAuthorization.cs index b11f2a480498..2b301cb679dc 100644 --- a/sdk/dotnet/IoTOperationsMQ/BrokerAuthorization.cs +++ b/sdk/dotnet/IoTOperationsMQ/BrokerAuthorization.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:BrokerAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerAuthorization" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/BrokerListener.cs b/sdk/dotnet/IoTOperationsMQ/BrokerListener.cs index 1ed31fdedcc0..37aea76de9a0 100644 --- a/sdk/dotnet/IoTOperationsMQ/BrokerListener.cs +++ b/sdk/dotnet/IoTOperationsMQ/BrokerListener.cs @@ -139,6 +139,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:BrokerListener" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerListener" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/DataLakeConnector.cs b/sdk/dotnet/IoTOperationsMQ/DataLakeConnector.cs index bae05272c58a..fd4940584567 100644 --- a/sdk/dotnet/IoTOperationsMQ/DataLakeConnector.cs +++ b/sdk/dotnet/IoTOperationsMQ/DataLakeConnector.cs @@ -139,6 +139,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:DataLakeConnector" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DataLakeConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/DataLakeConnectorTopicMap.cs b/sdk/dotnet/IoTOperationsMQ/DataLakeConnectorTopicMap.cs index e0bf098b2729..f781c9af9f38 100644 --- a/sdk/dotnet/IoTOperationsMQ/DataLakeConnectorTopicMap.cs +++ b/sdk/dotnet/IoTOperationsMQ/DataLakeConnectorTopicMap.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:DataLakeConnectorTopicMap" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DataLakeConnectorTopicMap" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/DiagnosticService.cs b/sdk/dotnet/IoTOperationsMQ/DiagnosticService.cs index cdbcf18d8042..880df12c0866 100644 --- a/sdk/dotnet/IoTOperationsMQ/DiagnosticService.cs +++ b/sdk/dotnet/IoTOperationsMQ/DiagnosticService.cs @@ -139,6 +139,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:DiagnosticService" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DiagnosticService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/KafkaConnector.cs b/sdk/dotnet/IoTOperationsMQ/KafkaConnector.cs index 978cf2c889ca..b968aae38504 100644 --- a/sdk/dotnet/IoTOperationsMQ/KafkaConnector.cs +++ b/sdk/dotnet/IoTOperationsMQ/KafkaConnector.cs @@ -133,6 +133,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:KafkaConnector" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:KafkaConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/KafkaConnectorTopicMap.cs b/sdk/dotnet/IoTOperationsMQ/KafkaConnectorTopicMap.cs index 7cc3c4d5e8c0..1680d1c1a8a1 100644 --- a/sdk/dotnet/IoTOperationsMQ/KafkaConnectorTopicMap.cs +++ b/sdk/dotnet/IoTOperationsMQ/KafkaConnectorTopicMap.cs @@ -133,6 +133,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:KafkaConnectorTopicMap" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:KafkaConnectorTopicMap" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/Mq.cs b/sdk/dotnet/IoTOperationsMQ/Mq.cs index ee2f10338a49..128a5d1f9336 100644 --- a/sdk/dotnet/IoTOperationsMQ/Mq.cs +++ b/sdk/dotnet/IoTOperationsMQ/Mq.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:Mq" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:Mq" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/MqttBridgeConnector.cs b/sdk/dotnet/IoTOperationsMQ/MqttBridgeConnector.cs index 17df52d65073..b9d832f7a96f 100644 --- a/sdk/dotnet/IoTOperationsMQ/MqttBridgeConnector.cs +++ b/sdk/dotnet/IoTOperationsMQ/MqttBridgeConnector.cs @@ -139,6 +139,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:MqttBridgeConnector" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:MqttBridgeConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsMQ/MqttBridgeTopicMap.cs b/sdk/dotnet/IoTOperationsMQ/MqttBridgeTopicMap.cs index e0e8f98d5261..d9bbdf3fed71 100644 --- a/sdk/dotnet/IoTOperationsMQ/MqttBridgeTopicMap.cs +++ b/sdk/dotnet/IoTOperationsMQ/MqttBridgeTopicMap.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsmq/v20231004preview:MqttBridgeTopicMap" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:MqttBridgeTopicMap" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsOrchestrator/Instance.cs b/sdk/dotnet/IoTOperationsOrchestrator/Instance.cs index fb2c9034895e..ce6fe23154b5 100644 --- a/sdk/dotnet/IoTOperationsOrchestrator/Instance.cs +++ b/sdk/dotnet/IoTOperationsOrchestrator/Instance.cs @@ -121,6 +121,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsorchestrator/v20231004preview:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Instance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsOrchestrator/Solution.cs b/sdk/dotnet/IoTOperationsOrchestrator/Solution.cs index 6c5826c0bbb9..1fd69ddd1008 100644 --- a/sdk/dotnet/IoTOperationsOrchestrator/Solution.cs +++ b/sdk/dotnet/IoTOperationsOrchestrator/Solution.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsorchestrator/v20231004preview:Solution" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Solution" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/IoTOperationsOrchestrator/Target.cs b/sdk/dotnet/IoTOperationsOrchestrator/Target.cs index 420e67c3222e..dc2c989e9fa3 100644 --- a/sdk/dotnet/IoTOperationsOrchestrator/Target.cs +++ b/sdk/dotnet/IoTOperationsOrchestrator/Target.cs @@ -121,6 +121,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:iotoperationsorchestrator/v20231004preview:Target" }, + new global::Pulumi.Alias { Type = "azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Target" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KeyVault/Key.cs b/sdk/dotnet/KeyVault/Key.cs index cf7e2d663cad..4476917326a0 100644 --- a/sdk/dotnet/KeyVault/Key.cs +++ b/sdk/dotnet/KeyVault/Key.cs @@ -125,20 +125,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20190901:Key" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20200401preview:Key" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210401preview:Key" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210601preview:Key" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211001:Key" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211101preview:Key" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220201preview:Key" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220701:Key" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20221101:Key" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230201:Key" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230701:Key" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20240401preview:Key" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241101:Key" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241201preview:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20190901:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20200401preview:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210401preview:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210601preview:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211001:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211101preview:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220201preview:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220701:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20221101:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230201:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230701:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20240401preview:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241101:keyvault:Key" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241201preview:keyvault:Key" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KeyVault/MHSMPrivateEndpointConnection.cs b/sdk/dotnet/KeyVault/MHSMPrivateEndpointConnection.cs index f7df9c2ba72e..3c0fdc3d8bd9 100644 --- a/sdk/dotnet/KeyVault/MHSMPrivateEndpointConnection.cs +++ b/sdk/dotnet/KeyVault/MHSMPrivateEndpointConnection.cs @@ -116,18 +116,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210401preview:MHSMPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210601preview:MHSMPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211001:MHSMPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211101preview:MHSMPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220201preview:MHSMPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220701:MHSMPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20221101:MHSMPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230201:MHSMPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230701:MHSMPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20240401preview:MHSMPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241101:MHSMPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241201preview:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210401preview:keyvault:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210601preview:keyvault:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211001:keyvault:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211101preview:keyvault:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220201preview:keyvault:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220701:keyvault:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20221101:keyvault:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230201:keyvault:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230701:keyvault:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20240401preview:keyvault:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241101:keyvault:MHSMPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241201preview:keyvault:MHSMPrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KeyVault/ManagedHsm.cs b/sdk/dotnet/KeyVault/ManagedHsm.cs index 0bf82a912cac..9d63c261681d 100644 --- a/sdk/dotnet/KeyVault/ManagedHsm.cs +++ b/sdk/dotnet/KeyVault/ManagedHsm.cs @@ -98,19 +98,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20200401preview:ManagedHsm" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210401preview:ManagedHsm" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210601preview:ManagedHsm" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211001:ManagedHsm" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211101preview:ManagedHsm" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220201preview:ManagedHsm" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220701:ManagedHsm" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20221101:ManagedHsm" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230201:ManagedHsm" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230701:ManagedHsm" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20240401preview:ManagedHsm" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241101:ManagedHsm" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241201preview:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20200401preview:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210401preview:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210601preview:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211001:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211101preview:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220201preview:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220701:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20221101:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230201:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230701:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20240401preview:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241101:keyvault:ManagedHsm" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241201preview:keyvault:ManagedHsm" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KeyVault/PrivateEndpointConnection.cs b/sdk/dotnet/KeyVault/PrivateEndpointConnection.cs index e642f48463ce..4b0c999bee5f 100644 --- a/sdk/dotnet/KeyVault/PrivateEndpointConnection.cs +++ b/sdk/dotnet/KeyVault/PrivateEndpointConnection.cs @@ -98,21 +98,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20180214:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20190901:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20200401preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210401preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220201preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220701:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20221101:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230201:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230701:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20240401preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241101:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241201preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20180214:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20190901:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20200401preview:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210401preview:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210601preview:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211001:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211101preview:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220201preview:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220701:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20221101:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230201:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230701:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20240401preview:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241101:keyvault:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241201preview:keyvault:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KeyVault/Secret.cs b/sdk/dotnet/KeyVault/Secret.cs index 4e79c500edd6..657883a67951 100644 --- a/sdk/dotnet/KeyVault/Secret.cs +++ b/sdk/dotnet/KeyVault/Secret.cs @@ -80,23 +80,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20161001:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20180214:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20180214preview:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20190901:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20200401preview:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210401preview:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210601preview:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211001:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211101preview:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220201preview:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220701:Secret" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20221101:Secret" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230201:Secret" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230701:Secret" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20240401preview:Secret" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241101:Secret" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241201preview:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20161001:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20180214:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20180214preview:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20190901:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20200401preview:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210401preview:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210601preview:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211001:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211101preview:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220201preview:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220701:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20221101:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230201:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230701:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20240401preview:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241101:keyvault:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241201preview:keyvault:Secret" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KeyVault/Vault.cs b/sdk/dotnet/KeyVault/Vault.cs index 22a551e38a90..89bb000c79f3 100644 --- a/sdk/dotnet/KeyVault/Vault.cs +++ b/sdk/dotnet/KeyVault/Vault.cs @@ -86,24 +86,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20150601:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20161001:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20180214:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20180214preview:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20190901:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20200401preview:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210401preview:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20210601preview:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211001:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20211101preview:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220201preview:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20220701:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:keyvault/v20221101:Vault" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230201:Vault" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20230701:Vault" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20240401preview:Vault" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241101:Vault" }, new global::Pulumi.Alias { Type = "azure-native:keyvault/v20241201preview:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20150601:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20161001:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20180214:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20180214preview:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20190901:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20200401preview:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210401preview:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20210601preview:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211001:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20211101preview:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220201preview:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20220701:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20221101:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230201:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20230701:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20240401preview:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241101:keyvault:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_keyvault_v20241201preview:keyvault:Vault" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kubernetes/ConnectedCluster.cs b/sdk/dotnet/Kubernetes/ConnectedCluster.cs index b15c35bda8a4..30de21eec558 100644 --- a/sdk/dotnet/Kubernetes/ConnectedCluster.cs +++ b/sdk/dotnet/Kubernetes/ConnectedCluster.cs @@ -206,10 +206,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kubernetes/v20200101preview:ConnectedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetes/v20210301:ConnectedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetes/v20210401preview:ConnectedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetes/v20211001:ConnectedCluster" }, new global::Pulumi.Alias { Type = "azure-native:kubernetes/v20220501preview:ConnectedCluster" }, new global::Pulumi.Alias { Type = "azure-native:kubernetes/v20221001preview:ConnectedCluster" }, new global::Pulumi.Alias { Type = "azure-native:kubernetes/v20231101preview:ConnectedCluster" }, @@ -219,6 +215,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:kubernetes/v20240701preview:ConnectedCluster" }, new global::Pulumi.Alias { Type = "azure-native:kubernetes/v20240715preview:ConnectedCluster" }, new global::Pulumi.Alias { Type = "azure-native:kubernetes/v20241201preview:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20200101preview:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20210301:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20210401preview:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20211001:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20220501preview:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20221001preview:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20231101preview:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20240101:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20240201preview:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20240601preview:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20240701preview:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20240715preview:kubernetes:ConnectedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetes_v20241201preview:kubernetes:ConnectedCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KubernetesConfiguration/Extension.cs b/sdk/dotnet/KubernetesConfiguration/Extension.cs index 3895e71657e8..3656144a69dd 100644 --- a/sdk/dotnet/KubernetesConfiguration/Extension.cs +++ b/sdk/dotnet/KubernetesConfiguration/Extension.cs @@ -171,16 +171,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20200701preview:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20210501preview:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20210901:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20211101preview:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220101preview:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220301:Extension" }, new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220402preview:Extension" }, new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220701:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20221101:Extension" }, new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20230501:Extension" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20241101:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20200701preview:kubernetesconfiguration:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20210501preview:kubernetesconfiguration:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20210901:kubernetesconfiguration:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20211101preview:kubernetesconfiguration:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220101preview:kubernetesconfiguration:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220301:kubernetesconfiguration:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:Extension" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20241101:kubernetesconfiguration:Extension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KubernetesConfiguration/FluxConfiguration.cs b/sdk/dotnet/KubernetesConfiguration/FluxConfiguration.cs index 21d6be30fa2a..893390b6e443 100644 --- a/sdk/dotnet/KubernetesConfiguration/FluxConfiguration.cs +++ b/sdk/dotnet/KubernetesConfiguration/FluxConfiguration.cs @@ -184,12 +184,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20211101preview:FluxConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220101preview:FluxConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220301:FluxConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220701:FluxConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20221101:FluxConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20230501:FluxConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20240401preview:FluxConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20241101:FluxConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20211101preview:kubernetesconfiguration:FluxConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220101preview:kubernetesconfiguration:FluxConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220301:kubernetesconfiguration:FluxConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:FluxConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:FluxConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:FluxConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20240401preview:kubernetesconfiguration:FluxConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20241101:kubernetesconfiguration:FluxConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KubernetesConfiguration/PrivateEndpointConnection.cs b/sdk/dotnet/KubernetesConfiguration/PrivateEndpointConnection.cs index d98407874f00..36ab98ffb0ec 100644 --- a/sdk/dotnet/KubernetesConfiguration/PrivateEndpointConnection.cs +++ b/sdk/dotnet/KubernetesConfiguration/PrivateEndpointConnection.cs @@ -87,7 +87,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220402preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20241101preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20241101preview:kubernetesconfiguration:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KubernetesConfiguration/PrivateLinkScope.cs b/sdk/dotnet/KubernetesConfiguration/PrivateLinkScope.cs index 4284b166cf75..4a08b0b8cce0 100644 --- a/sdk/dotnet/KubernetesConfiguration/PrivateLinkScope.cs +++ b/sdk/dotnet/KubernetesConfiguration/PrivateLinkScope.cs @@ -87,7 +87,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220402preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20241101preview:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20241101preview:kubernetesconfiguration:PrivateLinkScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KubernetesConfiguration/SourceControlConfiguration.cs b/sdk/dotnet/KubernetesConfiguration/SourceControlConfiguration.cs index 4d053ca4c296..621f3a55778f 100644 --- a/sdk/dotnet/KubernetesConfiguration/SourceControlConfiguration.cs +++ b/sdk/dotnet/KubernetesConfiguration/SourceControlConfiguration.cs @@ -146,17 +146,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20191101preview:SourceControlConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20200701preview:SourceControlConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20201001preview:SourceControlConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20210301:SourceControlConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20210501preview:SourceControlConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20211101preview:SourceControlConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220101preview:SourceControlConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220301:SourceControlConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20220701:SourceControlConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20221101:SourceControlConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:kubernetesconfiguration/v20230501:SourceControlConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20191101preview:kubernetesconfiguration:SourceControlConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20200701preview:kubernetesconfiguration:SourceControlConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20201001preview:kubernetesconfiguration:SourceControlConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20210301:kubernetesconfiguration:SourceControlConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20210501preview:kubernetesconfiguration:SourceControlConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20211101preview:kubernetesconfiguration:SourceControlConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220101preview:kubernetesconfiguration:SourceControlConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220301:kubernetesconfiguration:SourceControlConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:SourceControlConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:SourceControlConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:SourceControlConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KubernetesRuntime/BgpPeer.cs b/sdk/dotnet/KubernetesRuntime/BgpPeer.cs index 4f873ba293c2..a32cce8b752a 100644 --- a/sdk/dotnet/KubernetesRuntime/BgpPeer.cs +++ b/sdk/dotnet/KubernetesRuntime/BgpPeer.cs @@ -92,6 +92,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:kubernetesruntime/v20231001preview:BgpPeer" }, new global::Pulumi.Alias { Type = "azure-native:kubernetesruntime/v20240301:BgpPeer" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:BgpPeer" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesruntime_v20240301:kubernetesruntime:BgpPeer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KubernetesRuntime/LoadBalancer.cs b/sdk/dotnet/KubernetesRuntime/LoadBalancer.cs index dc14bcb64017..2549f0b4c080 100644 --- a/sdk/dotnet/KubernetesRuntime/LoadBalancer.cs +++ b/sdk/dotnet/KubernetesRuntime/LoadBalancer.cs @@ -98,6 +98,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:kubernetesruntime/v20231001preview:LoadBalancer" }, new global::Pulumi.Alias { Type = "azure-native:kubernetesruntime/v20240301:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesruntime_v20240301:kubernetesruntime:LoadBalancer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KubernetesRuntime/Service.cs b/sdk/dotnet/KubernetesRuntime/Service.cs index ba7a630816d6..f4e90f2347bd 100644 --- a/sdk/dotnet/KubernetesRuntime/Service.cs +++ b/sdk/dotnet/KubernetesRuntime/Service.cs @@ -80,6 +80,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:kubernetesruntime/v20231001preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:kubernetesruntime/v20240301:Service" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:Service" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesruntime_v20240301:kubernetesruntime:Service" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/KubernetesRuntime/StorageClass.cs b/sdk/dotnet/KubernetesRuntime/StorageClass.cs index 095b4a9458ed..217663ac5539 100644 --- a/sdk/dotnet/KubernetesRuntime/StorageClass.cs +++ b/sdk/dotnet/KubernetesRuntime/StorageClass.cs @@ -140,6 +140,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:kubernetesruntime/v20231001preview:StorageClass" }, new global::Pulumi.Alias { Type = "azure-native:kubernetesruntime/v20240301:StorageClass" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:StorageClass" }, + new global::Pulumi.Alias { Type = "azure-native_kubernetesruntime_v20240301:kubernetesruntime:StorageClass" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/AttachedDatabaseConfiguration.cs b/sdk/dotnet/Kusto/AttachedDatabaseConfiguration.cs index 1b5df5189006..fbafe1fe6c0b 100644 --- a/sdk/dotnet/Kusto/AttachedDatabaseConfiguration.cs +++ b/sdk/dotnet/Kusto/AttachedDatabaseConfiguration.cs @@ -116,20 +116,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190907:AttachedDatabaseConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20191109:AttachedDatabaseConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:AttachedDatabaseConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200614:AttachedDatabaseConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200918:AttachedDatabaseConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210101:AttachedDatabaseConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:AttachedDatabaseConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:AttachedDatabaseConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:AttachedDatabaseConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:AttachedDatabaseConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:AttachedDatabaseConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230502:AttachedDatabaseConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230815:AttachedDatabaseConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190907:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20191109:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200215:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200614:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200918:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210101:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:AttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:AttachedDatabaseConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/Cluster.cs b/sdk/dotnet/Kusto/Cluster.cs index ce83085f7b32..4b5982a069a9 100644 --- a/sdk/dotnet/Kusto/Cluster.cs +++ b/sdk/dotnet/Kusto/Cluster.cs @@ -260,24 +260,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20170907privatepreview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20180907preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190121:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190515:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190907:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20191109:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200614:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200918:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210101:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230502:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230815:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20170907privatepreview:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20180907preview:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190121:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190515:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190907:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20191109:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200215:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200614:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200918:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210101:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:Cluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/ClusterPrincipalAssignment.cs b/sdk/dotnet/Kusto/ClusterPrincipalAssignment.cs index e7fd2beaf65a..db97828afd8d 100644 --- a/sdk/dotnet/Kusto/ClusterPrincipalAssignment.cs +++ b/sdk/dotnet/Kusto/ClusterPrincipalAssignment.cs @@ -110,19 +110,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20191109:ClusterPrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:ClusterPrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200614:ClusterPrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200918:ClusterPrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210101:ClusterPrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:ClusterPrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:ClusterPrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:ClusterPrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:ClusterPrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:ClusterPrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230502:ClusterPrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230815:ClusterPrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20191109:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200215:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200614:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200918:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210101:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:ClusterPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:ClusterPrincipalAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/CosmosDbDataConnection.cs b/sdk/dotnet/Kusto/CosmosDbDataConnection.cs index a1128a2c9460..fedc1f9d8802 100644 --- a/sdk/dotnet/Kusto/CosmosDbDataConnection.cs +++ b/sdk/dotnet/Kusto/CosmosDbDataConnection.cs @@ -134,19 +134,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190121:CosmosDbDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190515:CosmosDbDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190907:CosmosDbDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20191109:CosmosDbDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:CosmosDbDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200614:CosmosDbDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200918:CosmosDbDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210101:CosmosDbDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:CosmosDbDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:CosmosDbDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:CosmosDbDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:CosmosDbDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:CosmosDbDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:EventHubDataConnection" }, @@ -166,6 +154,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:kusto:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto:EventHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190121:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190515:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190907:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20191109:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200215:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200614:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200918:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210101:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:CosmosDbDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:CosmosDbDataConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/DatabasePrincipalAssignment.cs b/sdk/dotnet/Kusto/DatabasePrincipalAssignment.cs index 542a06db9acc..d7661af45796 100644 --- a/sdk/dotnet/Kusto/DatabasePrincipalAssignment.cs +++ b/sdk/dotnet/Kusto/DatabasePrincipalAssignment.cs @@ -110,19 +110,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20191109:DatabasePrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:DatabasePrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200614:DatabasePrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200918:DatabasePrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210101:DatabasePrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:DatabasePrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:DatabasePrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:DatabasePrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:DatabasePrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:DatabasePrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230502:DatabasePrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230815:DatabasePrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20191109:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200215:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200614:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200918:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210101:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:DatabasePrincipalAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/EventGridDataConnection.cs b/sdk/dotnet/Kusto/EventGridDataConnection.cs index 923040ae0c4d..089de7d10de9 100644 --- a/sdk/dotnet/Kusto/EventGridDataConnection.cs +++ b/sdk/dotnet/Kusto/EventGridDataConnection.cs @@ -158,18 +158,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190121:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190515:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190907:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20191109:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200614:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200918:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210101:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:CosmosDbDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:EventHubDataConnection" }, @@ -189,6 +178,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:kusto:CosmosDbDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto:EventHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190121:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190515:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190907:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20191109:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200215:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200614:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200918:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210101:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:EventGridDataConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/EventHubConnection.cs b/sdk/dotnet/Kusto/EventHubConnection.cs index 7faa755f6426..9e497115b649 100644 --- a/sdk/dotnet/Kusto/EventHubConnection.cs +++ b/sdk/dotnet/Kusto/EventHubConnection.cs @@ -96,8 +96,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20170907privatepreview:EventHubConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20180907preview:EventHubConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20170907privatepreview:kusto:EventHubConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20180907preview:kusto:EventHubConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/EventHubDataConnection.cs b/sdk/dotnet/Kusto/EventHubDataConnection.cs index cbf082e7fdf4..aa66bff41e7c 100644 --- a/sdk/dotnet/Kusto/EventHubDataConnection.cs +++ b/sdk/dotnet/Kusto/EventHubDataConnection.cs @@ -152,19 +152,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190121:EventHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190515:EventHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190907:EventHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20191109:EventHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:EventHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200614:EventHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200918:EventHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210101:EventHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:EventHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:EventHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:EventHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:EventHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:CosmosDbDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:EventHubDataConnection" }, @@ -184,6 +172,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:kusto:CosmosDbDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190121:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190515:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190907:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20191109:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200215:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200614:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200918:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210101:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:EventHubDataConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/IotHubDataConnection.cs b/sdk/dotnet/Kusto/IotHubDataConnection.cs index dd857a84ee1d..f63194be63c5 100644 --- a/sdk/dotnet/Kusto/IotHubDataConnection.cs +++ b/sdk/dotnet/Kusto/IotHubDataConnection.cs @@ -140,19 +140,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190121:IotHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190515:IotHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190907:IotHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20191109:IotHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:EventGridDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:IotHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200614:IotHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200918:IotHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210101:IotHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:IotHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:IotHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:IotHubDataConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:IotHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:CosmosDbDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:EventHubDataConnection" }, @@ -172,6 +160,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:kusto:CosmosDbDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190121:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190515:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190907:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20191109:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200215:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200614:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200918:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210101:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:IotHubDataConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/ManagedPrivateEndpoint.cs b/sdk/dotnet/Kusto/ManagedPrivateEndpoint.cs index 642337ed1b6a..efa0fa0eebb1 100644 --- a/sdk/dotnet/Kusto/ManagedPrivateEndpoint.cs +++ b/sdk/dotnet/Kusto/ManagedPrivateEndpoint.cs @@ -98,14 +98,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:ManagedPrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:ManagedPrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:ManagedPrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:ManagedPrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:ManagedPrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230502:ManagedPrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230815:ManagedPrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:ManagedPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:ManagedPrivateEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/PrivateEndpointConnection.cs b/sdk/dotnet/Kusto/PrivateEndpointConnection.cs index 07df2818b60c..a7021379895e 100644 --- a/sdk/dotnet/Kusto/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Kusto/PrivateEndpointConnection.cs @@ -92,14 +92,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230502:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230815:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/ReadOnlyFollowingDatabase.cs b/sdk/dotnet/Kusto/ReadOnlyFollowingDatabase.cs index a81b174e0649..2ae7500e5e74 100644 --- a/sdk/dotnet/Kusto/ReadOnlyFollowingDatabase.cs +++ b/sdk/dotnet/Kusto/ReadOnlyFollowingDatabase.cs @@ -146,24 +146,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20170907privatepreview:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20180907preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20180907preview:ReadOnlyFollowingDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190121:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20190515:Database" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190515:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20190907:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20190907:ReadWriteDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20191109:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20191109:ReadWriteDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:ReadOnlyFollowingDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200614:ReadOnlyFollowingDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200918:ReadOnlyFollowingDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210101:ReadOnlyFollowingDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:ReadOnlyFollowingDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:ReadOnlyFollowingDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:ReadOnlyFollowingDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230502:ReadOnlyFollowingDatabase" }, @@ -173,6 +160,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20170907privatepreview:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20180907preview:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190121:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190515:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190907:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20191109:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200215:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200614:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200918:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210101:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:ReadOnlyFollowingDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/ReadWriteDatabase.cs b/sdk/dotnet/Kusto/ReadWriteDatabase.cs index 969399ea6810..c3cfc8067df0 100644 --- a/sdk/dotnet/Kusto/ReadWriteDatabase.cs +++ b/sdk/dotnet/Kusto/ReadWriteDatabase.cs @@ -122,23 +122,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20170907privatepreview:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20180907preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20180907preview:ReadWriteDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190121:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20190515:Database" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20190515:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20190907:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20190907:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20191109:ReadWriteDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200215:ReadWriteDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200614:ReadWriteDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20200918:ReadWriteDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210101:ReadWriteDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:ReadWriteDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:ReadWriteDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:ReadWriteDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230502:ReadOnlyFollowingDatabase" }, @@ -148,6 +136,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:kusto:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20170907privatepreview:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20180907preview:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190121:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190515:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20190907:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20191109:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200215:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200614:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20200918:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210101:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:ReadWriteDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/SandboxCustomImage.cs b/sdk/dotnet/Kusto/SandboxCustomImage.cs index 38da1ba62d14..cbf8beeeb236 100644 --- a/sdk/dotnet/Kusto/SandboxCustomImage.cs +++ b/sdk/dotnet/Kusto/SandboxCustomImage.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:kusto/v20230815:SandboxCustomImage" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:SandboxCustomImage" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:SandboxCustomImage" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:SandboxCustomImage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Kusto/Script.cs b/sdk/dotnet/Kusto/Script.cs index a082a26fea66..8502b39ff3e4 100644 --- a/sdk/dotnet/Kusto/Script.cs +++ b/sdk/dotnet/Kusto/Script.cs @@ -104,15 +104,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:kusto/v20210101:Script" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20210827:Script" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220201:Script" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20220707:Script" }, - new global::Pulumi.Alias { Type = "azure-native:kusto/v20221111:Script" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20221229:Script" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230502:Script" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20230815:Script" }, new global::Pulumi.Alias { Type = "azure-native:kusto/v20240413:Script" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210101:kusto:Script" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20210827:kusto:Script" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220201:kusto:Script" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20220707:kusto:Script" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221111:kusto:Script" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20221229:kusto:Script" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230502:kusto:Script" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20230815:kusto:Script" }, + new global::Pulumi.Alias { Type = "azure-native_kusto_v20240413:kusto:Script" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/LabServices/Lab.cs b/sdk/dotnet/LabServices/Lab.cs index 81af03bcda94..262765307fae 100644 --- a/sdk/dotnet/LabServices/Lab.cs +++ b/sdk/dotnet/LabServices/Lab.cs @@ -152,11 +152,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:labservices/v20181015:Lab" }, - new global::Pulumi.Alias { Type = "azure-native:labservices/v20211001preview:Lab" }, - new global::Pulumi.Alias { Type = "azure-native:labservices/v20211115preview:Lab" }, new global::Pulumi.Alias { Type = "azure-native:labservices/v20220801:Lab" }, new global::Pulumi.Alias { Type = "azure-native:labservices/v20230607:Lab" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20211001preview:labservices:Lab" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20211115preview:labservices:Lab" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20220801:labservices:Lab" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20230607:labservices:Lab" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/LabServices/LabPlan.cs b/sdk/dotnet/LabServices/LabPlan.cs index 591e5475ebb4..7af2442238c0 100644 --- a/sdk/dotnet/LabServices/LabPlan.cs +++ b/sdk/dotnet/LabServices/LabPlan.cs @@ -140,10 +140,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:labservices/v20211001preview:LabPlan" }, - new global::Pulumi.Alias { Type = "azure-native:labservices/v20211115preview:LabPlan" }, new global::Pulumi.Alias { Type = "azure-native:labservices/v20220801:LabPlan" }, new global::Pulumi.Alias { Type = "azure-native:labservices/v20230607:LabPlan" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20211001preview:labservices:LabPlan" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20211115preview:labservices:LabPlan" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20220801:labservices:LabPlan" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20230607:labservices:LabPlan" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/LabServices/Schedule.cs b/sdk/dotnet/LabServices/Schedule.cs index eeaadae5e425..602acd72e1ff 100644 --- a/sdk/dotnet/LabServices/Schedule.cs +++ b/sdk/dotnet/LabServices/Schedule.cs @@ -110,10 +110,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:labservices/v20211001preview:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:labservices/v20211115preview:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:labservices/v20220801:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:labservices/v20230607:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20211001preview:labservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20211115preview:labservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20220801:labservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20230607:labservices:Schedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/LabServices/User.cs b/sdk/dotnet/LabServices/User.cs index 34f5f7ad301d..dd714197a0df 100644 --- a/sdk/dotnet/LabServices/User.cs +++ b/sdk/dotnet/LabServices/User.cs @@ -122,11 +122,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:labservices/v20181015:User" }, - new global::Pulumi.Alias { Type = "azure-native:labservices/v20211001preview:User" }, - new global::Pulumi.Alias { Type = "azure-native:labservices/v20211115preview:User" }, new global::Pulumi.Alias { Type = "azure-native:labservices/v20220801:User" }, new global::Pulumi.Alias { Type = "azure-native:labservices/v20230607:User" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20211001preview:labservices:User" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20211115preview:labservices:User" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20220801:labservices:User" }, + new global::Pulumi.Alias { Type = "azure-native_labservices_v20230607:labservices:User" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/LoadTestService/LoadTest.cs b/sdk/dotnet/LoadTestService/LoadTest.cs index 441c9dd38208..5e2e66438b6b 100644 --- a/sdk/dotnet/LoadTestService/LoadTest.cs +++ b/sdk/dotnet/LoadTestService/LoadTest.cs @@ -111,10 +111,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:loadtestservice/v20211201preview:LoadTest" }, - new global::Pulumi.Alias { Type = "azure-native:loadtestservice/v20220415preview:LoadTest" }, new global::Pulumi.Alias { Type = "azure-native:loadtestservice/v20221201:LoadTest" }, new global::Pulumi.Alias { Type = "azure-native:loadtestservice/v20231201preview:LoadTest" }, - new global::Pulumi.Alias { Type = "azure-native:loadtestservice/v20241201preview:LoadTest" }, + new global::Pulumi.Alias { Type = "azure-native_loadtestservice_v20211201preview:loadtestservice:LoadTest" }, + new global::Pulumi.Alias { Type = "azure-native_loadtestservice_v20220415preview:loadtestservice:LoadTest" }, + new global::Pulumi.Alias { Type = "azure-native_loadtestservice_v20221201:loadtestservice:LoadTest" }, + new global::Pulumi.Alias { Type = "azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTest" }, + new global::Pulumi.Alias { Type = "azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTest" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/LoadTestService/LoadTestMapping.cs b/sdk/dotnet/LoadTestService/LoadTestMapping.cs index 341697ff75dc..4b2bea0033cf 100644 --- a/sdk/dotnet/LoadTestService/LoadTestMapping.cs +++ b/sdk/dotnet/LoadTestService/LoadTestMapping.cs @@ -87,7 +87,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:loadtestservice/v20231201preview:LoadTestMapping" }, - new global::Pulumi.Alias { Type = "azure-native:loadtestservice/v20241201preview:LoadTestMapping" }, + new global::Pulumi.Alias { Type = "azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTestMapping" }, + new global::Pulumi.Alias { Type = "azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTestMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/LoadTestService/LoadTestProfileMapping.cs b/sdk/dotnet/LoadTestService/LoadTestProfileMapping.cs index f95d8a403d5f..db52e8496d1a 100644 --- a/sdk/dotnet/LoadTestService/LoadTestProfileMapping.cs +++ b/sdk/dotnet/LoadTestService/LoadTestProfileMapping.cs @@ -87,7 +87,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:loadtestservice/v20231201preview:LoadTestProfileMapping" }, - new global::Pulumi.Alias { Type = "azure-native:loadtestservice/v20241201preview:LoadTestProfileMapping" }, + new global::Pulumi.Alias { Type = "azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTestProfileMapping" }, + new global::Pulumi.Alias { Type = "azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTestProfileMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/IntegrationAccount.cs b/sdk/dotnet/Logic/IntegrationAccount.cs index 3aac733c7b33..416ab9040e1f 100644 --- a/sdk/dotnet/Logic/IntegrationAccount.cs +++ b/sdk/dotnet/Logic/IntegrationAccount.cs @@ -93,9 +93,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:logic/v20150801preview:IntegrationAccount" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:IntegrationAccount" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20180701preview:IntegrationAccount" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:IntegrationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20150801preview:logic:IntegrationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20160601:logic:IntegrationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20180701preview:logic:IntegrationAccount" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:IntegrationAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/IntegrationAccountAgreement.cs b/sdk/dotnet/Logic/IntegrationAccountAgreement.cs index 59ff3477e9f4..743628b6506f 100644 --- a/sdk/dotnet/Logic/IntegrationAccountAgreement.cs +++ b/sdk/dotnet/Logic/IntegrationAccountAgreement.cs @@ -130,9 +130,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:logic/v20150801preview:IntegrationAccountAgreement" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:Agreement" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:IntegrationAccountAgreement" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20180701preview:IntegrationAccountAgreement" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:IntegrationAccountAgreement" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20150801preview:logic:IntegrationAccountAgreement" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20160601:logic:IntegrationAccountAgreement" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20180701preview:logic:IntegrationAccountAgreement" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:IntegrationAccountAgreement" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/IntegrationAccountAssembly.cs b/sdk/dotnet/Logic/IntegrationAccountAssembly.cs index 0b76491c1c90..db6546e5c4ea 100644 --- a/sdk/dotnet/Logic/IntegrationAccountAssembly.cs +++ b/sdk/dotnet/Logic/IntegrationAccountAssembly.cs @@ -80,9 +80,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:IntegrationAccountAssembly" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20180701preview:IntegrationAccountAssembly" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:IntegrationAccountAssembly" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20160601:logic:IntegrationAccountAssembly" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20180701preview:logic:IntegrationAccountAssembly" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:IntegrationAccountAssembly" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/IntegrationAccountBatchConfiguration.cs b/sdk/dotnet/Logic/IntegrationAccountBatchConfiguration.cs index 067f4364c05c..0e61b0058cac 100644 --- a/sdk/dotnet/Logic/IntegrationAccountBatchConfiguration.cs +++ b/sdk/dotnet/Logic/IntegrationAccountBatchConfiguration.cs @@ -80,9 +80,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:IntegrationAccountBatchConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20180701preview:IntegrationAccountBatchConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:IntegrationAccountBatchConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20160601:logic:IntegrationAccountBatchConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20180701preview:logic:IntegrationAccountBatchConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:IntegrationAccountBatchConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/IntegrationAccountCertificate.cs b/sdk/dotnet/Logic/IntegrationAccountCertificate.cs index ec5f6745b80f..f46a01e7a2c2 100644 --- a/sdk/dotnet/Logic/IntegrationAccountCertificate.cs +++ b/sdk/dotnet/Logic/IntegrationAccountCertificate.cs @@ -106,9 +106,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:logic/v20150801preview:IntegrationAccountCertificate" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:IntegrationAccountCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20180701preview:IntegrationAccountCertificate" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:IntegrationAccountCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20150801preview:logic:IntegrationAccountCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20160601:logic:IntegrationAccountCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20180701preview:logic:IntegrationAccountCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:IntegrationAccountCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/IntegrationAccountMap.cs b/sdk/dotnet/Logic/IntegrationAccountMap.cs index a5562b52bc88..c4e415aa2474 100644 --- a/sdk/dotnet/Logic/IntegrationAccountMap.cs +++ b/sdk/dotnet/Logic/IntegrationAccountMap.cs @@ -123,10 +123,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:logic/v20150801preview:IntegrationAccountMap" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:IntegrationAccountMap" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:Map" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20180701preview:IntegrationAccountMap" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:IntegrationAccountMap" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20150801preview:logic:IntegrationAccountMap" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20160601:logic:IntegrationAccountMap" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20180701preview:logic:IntegrationAccountMap" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:IntegrationAccountMap" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/IntegrationAccountPartner.cs b/sdk/dotnet/Logic/IntegrationAccountPartner.cs index d9dd96aa65b0..16de6a49495d 100644 --- a/sdk/dotnet/Logic/IntegrationAccountPartner.cs +++ b/sdk/dotnet/Logic/IntegrationAccountPartner.cs @@ -105,10 +105,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:logic/v20150801preview:IntegrationAccountPartner" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:IntegrationAccountPartner" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:Partner" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20180701preview:IntegrationAccountPartner" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:IntegrationAccountPartner" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20150801preview:logic:IntegrationAccountPartner" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20160601:logic:IntegrationAccountPartner" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20180701preview:logic:IntegrationAccountPartner" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:IntegrationAccountPartner" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/IntegrationAccountSchema.cs b/sdk/dotnet/Logic/IntegrationAccountSchema.cs index 74121c27b6f9..0dee487e9ac4 100644 --- a/sdk/dotnet/Logic/IntegrationAccountSchema.cs +++ b/sdk/dotnet/Logic/IntegrationAccountSchema.cs @@ -135,10 +135,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:logic/v20150801preview:IntegrationAccountSchema" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:IntegrationAccountSchema" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:Schema" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20180701preview:IntegrationAccountSchema" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:IntegrationAccountSchema" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20150801preview:logic:IntegrationAccountSchema" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20160601:logic:IntegrationAccountSchema" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20180701preview:logic:IntegrationAccountSchema" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:IntegrationAccountSchema" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/IntegrationAccountSession.cs b/sdk/dotnet/Logic/IntegrationAccountSession.cs index 2eee8ac537bc..26b50adf8f63 100644 --- a/sdk/dotnet/Logic/IntegrationAccountSession.cs +++ b/sdk/dotnet/Logic/IntegrationAccountSession.cs @@ -92,10 +92,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:IntegrationAccountSession" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:Session" }, - new global::Pulumi.Alias { Type = "azure-native:logic/v20180701preview:IntegrationAccountSession" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:IntegrationAccountSession" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20160601:logic:IntegrationAccountSession" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20180701preview:logic:IntegrationAccountSession" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:IntegrationAccountSession" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/IntegrationServiceEnvironment.cs b/sdk/dotnet/Logic/IntegrationServiceEnvironment.cs index ba8629b9d0f0..c95df13a04ad 100644 --- a/sdk/dotnet/Logic/IntegrationServiceEnvironment.cs +++ b/sdk/dotnet/Logic/IntegrationServiceEnvironment.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:IntegrationServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:IntegrationServiceEnvironment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/IntegrationServiceEnvironmentManagedApi.cs b/sdk/dotnet/Logic/IntegrationServiceEnvironmentManagedApi.cs index f2b9528fd4e5..c99bfe0cc8e3 100644 --- a/sdk/dotnet/Logic/IntegrationServiceEnvironmentManagedApi.cs +++ b/sdk/dotnet/Logic/IntegrationServiceEnvironmentManagedApi.cs @@ -151,6 +151,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:IntegrationServiceEnvironmentManagedApi" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:IntegrationServiceEnvironmentManagedApi" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/RosettaNetProcessConfiguration.cs b/sdk/dotnet/Logic/RosettaNetProcessConfiguration.cs index e1022099d663..758bebca2f88 100644 --- a/sdk/dotnet/Logic/RosettaNetProcessConfiguration.cs +++ b/sdk/dotnet/Logic/RosettaNetProcessConfiguration.cs @@ -133,6 +133,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:RosettaNetProcessConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20160601:logic:RosettaNetProcessConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/Workflow.cs b/sdk/dotnet/Logic/Workflow.cs index bd6f353c6244..037d6c8a093f 100644 --- a/sdk/dotnet/Logic/Workflow.cs +++ b/sdk/dotnet/Logic/Workflow.cs @@ -162,6 +162,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:logic/v20160601:Workflow" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20180701preview:Workflow" }, new global::Pulumi.Alias { Type = "azure-native:logic/v20190501:Workflow" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20150201preview:logic:Workflow" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20160601:logic:Workflow" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20180701preview:logic:Workflow" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20190501:logic:Workflow" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Logic/WorkflowAccessKey.cs b/sdk/dotnet/Logic/WorkflowAccessKey.cs index 566bb23ccace..e83c8f780cf0 100644 --- a/sdk/dotnet/Logic/WorkflowAccessKey.cs +++ b/sdk/dotnet/Logic/WorkflowAccessKey.cs @@ -71,6 +71,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:logic/v20150201preview:WorkflowAccessKey" }, + new global::Pulumi.Alias { Type = "azure-native_logic_v20150201preview:logic:WorkflowAccessKey" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsAdtAPI.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsAdtAPI.cs index 7eb1fc84cd28..096f69c28bcc 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsAdtAPI.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsAdtAPI.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsAdtAPI" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsAdtAPI" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsComp.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsComp.cs index 42cc62de70ed..45ef2e9affca 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsComp.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsComp.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsComp" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsComp" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForEDM.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForEDM.cs index 35fe6658294b..3d3d7cc454d0 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForEDM.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForEDM.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForEDM" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForEDM" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForMIPPolicySync.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForMIPPolicySync.cs index 9e8bdc4e25a9..65df1046fc80 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForMIPPolicySync.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForMIPPolicySync.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForMIPPolicySync" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForMIPPolicySync" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForSCCPowershell.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForSCCPowershell.cs index b485bb7d4dee..7c528f1bff41 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForSCCPowershell.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsForSCCPowershell.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForSCCPowershell" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForSCCPowershell" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsSec.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsSec.cs index 6e19f0ce7b9a..7e4e19890825 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsSec.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateEndpointConnectionsSec.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsSec" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsSec" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForEDMUpload.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForEDMUpload.cs index f4d2af6395e7..5106ecf49468 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForEDMUpload.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForEDMUpload.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForEDMUpload" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForEDMUpload" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForM365ComplianceCenter.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForM365ComplianceCenter.cs index a8f1b9225b0a..1ada6b759ea7 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForM365ComplianceCenter.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForM365ComplianceCenter.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365ComplianceCenter" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForM365ComplianceCenter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForM365SecurityCenter.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForM365SecurityCenter.cs index 90909ec317c4..461760acaab5 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForM365SecurityCenter.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForM365SecurityCenter.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365SecurityCenter" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForM365SecurityCenter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForMIPPolicySync.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForMIPPolicySync.cs index 2c6ca2c25570..d5c54b3f774d 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForMIPPolicySync.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForMIPPolicySync.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForMIPPolicySync" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForMIPPolicySync" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForO365ManagementActivityAPI.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForO365ManagementActivityAPI.cs index 455cebb3974e..53e3757103df 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForO365ManagementActivityAPI.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForO365ManagementActivityAPI.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForO365ManagementActivityAPI" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForSCCPowershell.cs b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForSCCPowershell.cs index 46e22b25418d..c5b1a1fdd45c 100644 --- a/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForSCCPowershell.cs +++ b/sdk/dotnet/M365SecurityAndCompliance/PrivateLinkServicesForSCCPowershell.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForSCCPowershell" }, + new global::Pulumi.Alias { Type = "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForSCCPowershell" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearning/Workspace.cs b/sdk/dotnet/MachineLearning/Workspace.cs index 0a5ed7a438ec..8bf3e33a907d 100644 --- a/sdk/dotnet/MachineLearning/Workspace.cs +++ b/sdk/dotnet/MachineLearning/Workspace.cs @@ -126,8 +126,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearning/v20160401:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:machinelearning/v20191001:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearning_v20160401:machinelearning:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearning_v20191001:machinelearning:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/BatchDeployment.cs b/sdk/dotnet/MachineLearningServices/BatchDeployment.cs index 0c2aa2c15123..67f33f9c28db 100644 --- a/sdk/dotnet/MachineLearningServices/BatchDeployment.cs +++ b/sdk/dotnet/MachineLearningServices/BatchDeployment.cs @@ -104,12 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:BatchDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:BatchDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:BatchDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:BatchDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:BatchDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:BatchDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:BatchDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:BatchDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:BatchDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:BatchDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:BatchDeployment" }, @@ -121,7 +115,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:BatchDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:BatchDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:BatchDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:BatchDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:BatchDeployment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/BatchEndpoint.cs b/sdk/dotnet/MachineLearningServices/BatchEndpoint.cs index 9a8915f60f34..22fcf466f630 100644 --- a/sdk/dotnet/MachineLearningServices/BatchEndpoint.cs +++ b/sdk/dotnet/MachineLearningServices/BatchEndpoint.cs @@ -104,12 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:BatchEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:BatchEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:BatchEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:BatchEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:BatchEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:BatchEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:BatchEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:BatchEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:BatchEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:BatchEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:BatchEndpoint" }, @@ -121,7 +115,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:BatchEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:BatchEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:BatchEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:BatchEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:BatchEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/CapabilityHost.cs b/sdk/dotnet/MachineLearningServices/CapabilityHost.cs index eb1dd29483f7..f67a5a9ebaba 100644 --- a/sdk/dotnet/MachineLearningServices/CapabilityHost.cs +++ b/sdk/dotnet/MachineLearningServices/CapabilityHost.cs @@ -75,7 +75,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:CapabilityHost" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:CapabilityHost" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:CapabilityHost" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:CapabilityHost" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/CapacityReservationGroup.cs b/sdk/dotnet/MachineLearningServices/CapacityReservationGroup.cs index c166aa3152ed..0eb1e7e1343f 100644 --- a/sdk/dotnet/MachineLearningServices/CapacityReservationGroup.cs +++ b/sdk/dotnet/MachineLearningServices/CapacityReservationGroup.cs @@ -105,6 +105,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230801preview:CapacityReservationGroup" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240101preview:CapacityReservationGroup" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:CapacityReservationGroup" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:CapacityReservationGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/CodeContainer.cs b/sdk/dotnet/MachineLearningServices/CodeContainer.cs index 33252759f2e6..2ba32d6c17a4 100644 --- a/sdk/dotnet/MachineLearningServices/CodeContainer.cs +++ b/sdk/dotnet/MachineLearningServices/CodeContainer.cs @@ -76,12 +76,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:CodeContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:CodeContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:CodeContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:CodeContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:CodeContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:CodeContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:CodeContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:CodeContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:CodeContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:CodeContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:CodeContainer" }, @@ -93,7 +87,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:CodeContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:CodeContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:CodeContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:CodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:CodeContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/CodeVersion.cs b/sdk/dotnet/MachineLearningServices/CodeVersion.cs index 2e11df3daa89..249d10c92cbd 100644 --- a/sdk/dotnet/MachineLearningServices/CodeVersion.cs +++ b/sdk/dotnet/MachineLearningServices/CodeVersion.cs @@ -76,12 +76,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:CodeVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:CodeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:CodeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:CodeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:CodeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:CodeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:CodeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:CodeVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:CodeVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:CodeVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:CodeVersion" }, @@ -93,7 +87,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:CodeVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:CodeVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:CodeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:CodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:CodeVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/ComponentContainer.cs b/sdk/dotnet/MachineLearningServices/ComponentContainer.cs index e81a980e041f..582c6cca34c5 100644 --- a/sdk/dotnet/MachineLearningServices/ComponentContainer.cs +++ b/sdk/dotnet/MachineLearningServices/ComponentContainer.cs @@ -75,12 +75,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:ComponentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:ComponentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:ComponentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:ComponentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:ComponentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:ComponentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:ComponentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:ComponentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:ComponentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:ComponentContainer" }, @@ -92,7 +86,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:ComponentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:ComponentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:ComponentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ComponentContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/ComponentVersion.cs b/sdk/dotnet/MachineLearningServices/ComponentVersion.cs index 2e0d36946e9d..5df637ccc642 100644 --- a/sdk/dotnet/MachineLearningServices/ComponentVersion.cs +++ b/sdk/dotnet/MachineLearningServices/ComponentVersion.cs @@ -75,12 +75,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:ComponentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:ComponentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:ComponentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:ComponentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:ComponentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:ComponentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:ComponentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:ComponentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:ComponentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:ComponentVersion" }, @@ -92,7 +86,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:ComponentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:ComponentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:ComponentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ComponentVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/Compute.cs b/sdk/dotnet/MachineLearningServices/Compute.cs index 4330f2ae519b..83f5d09a9f84 100644 --- a/sdk/dotnet/MachineLearningServices/Compute.cs +++ b/sdk/dotnet/MachineLearningServices/Compute.cs @@ -98,33 +98,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20180301preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20181119:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20190501:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20190601:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20191101:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200101:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200218preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200301:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200401:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200501preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200515preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200601:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200801:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200901preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210101:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210401:Compute" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210401:MachineLearningCompute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210701:Compute" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220101preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:Compute" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:Compute" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:Compute" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:Compute" }, @@ -136,7 +111,44 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:Compute" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:Compute" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:Compute" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20180301preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20181119:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20190501:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20190601:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20191101:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200101:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200218preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200301:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200401:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200501preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200515preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200601:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200801:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200901preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210101:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210401:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210701:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220101preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Compute" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Compute" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/ConnectionDeployment.cs b/sdk/dotnet/MachineLearningServices/ConnectionDeployment.cs index e188f4d5190d..3149adff149d 100644 --- a/sdk/dotnet/MachineLearningServices/ConnectionDeployment.cs +++ b/sdk/dotnet/MachineLearningServices/ConnectionDeployment.cs @@ -72,7 +72,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:ConnectionDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:ConnectionDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:ConnectionDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:ConnectionDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionDeployment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/ConnectionRaiBlocklist.cs b/sdk/dotnet/MachineLearningServices/ConnectionRaiBlocklist.cs index 18a07bc86606..9ade2dca330d 100644 --- a/sdk/dotnet/MachineLearningServices/ConnectionRaiBlocklist.cs +++ b/sdk/dotnet/MachineLearningServices/ConnectionRaiBlocklist.cs @@ -72,12 +72,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklist" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklistItem" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklist" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklist" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:ConnectionRaiBlocklist" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices:ConnectionRaiBlocklistItem" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionRaiBlocklist" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiBlocklist" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiBlocklist" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiBlocklist" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/ConnectionRaiBlocklistItem.cs b/sdk/dotnet/MachineLearningServices/ConnectionRaiBlocklistItem.cs index fd5d9056be24..bed06a14a739 100644 --- a/sdk/dotnet/MachineLearningServices/ConnectionRaiBlocklistItem.cs +++ b/sdk/dotnet/MachineLearningServices/ConnectionRaiBlocklistItem.cs @@ -73,11 +73,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklist" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklistItem" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklistItem" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklistItem" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:ConnectionRaiBlocklistItem" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices:ConnectionRaiBlocklist" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionRaiBlocklistItem" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiBlocklistItem" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiBlocklistItem" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiBlocklistItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/ConnectionRaiPolicy.cs b/sdk/dotnet/MachineLearningServices/ConnectionRaiPolicy.cs index 52942cb5debc..b12db865846b 100644 --- a/sdk/dotnet/MachineLearningServices/ConnectionRaiPolicy.cs +++ b/sdk/dotnet/MachineLearningServices/ConnectionRaiPolicy.cs @@ -77,7 +77,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:ConnectionRaiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:ConnectionRaiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:ConnectionRaiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:ConnectionRaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionRaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/DataContainer.cs b/sdk/dotnet/MachineLearningServices/DataContainer.cs index 307790bc79a8..ba1ea7ea6cc0 100644 --- a/sdk/dotnet/MachineLearningServices/DataContainer.cs +++ b/sdk/dotnet/MachineLearningServices/DataContainer.cs @@ -76,12 +76,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:DataContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:DataContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:DataContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:DataContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:DataContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:DataContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:DataContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:DataContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:DataContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:DataContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:DataContainer" }, @@ -93,7 +87,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:DataContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:DataContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:DataContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:DataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:DataContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/DataVersion.cs b/sdk/dotnet/MachineLearningServices/DataVersion.cs index 878839716375..ad165043c690 100644 --- a/sdk/dotnet/MachineLearningServices/DataVersion.cs +++ b/sdk/dotnet/MachineLearningServices/DataVersion.cs @@ -76,12 +76,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:DataVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:DataVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:DataVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:DataVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:DataVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:DataVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:DataVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:DataVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:DataVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:DataVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:DataVersion" }, @@ -93,7 +87,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:DataVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:DataVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:DataVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:DataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:DataVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/Datastore.cs b/sdk/dotnet/MachineLearningServices/Datastore.cs index 9f2143047cd9..2c6c7158f51a 100644 --- a/sdk/dotnet/MachineLearningServices/Datastore.cs +++ b/sdk/dotnet/MachineLearningServices/Datastore.cs @@ -74,16 +74,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200501preview:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200501preview:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:Datastore" }, @@ -95,8 +88,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:Datastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200501preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Datastore" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/EndpointDeployment.cs b/sdk/dotnet/MachineLearningServices/EndpointDeployment.cs index a53caa010d3b..a2a13856f3e9 100644 --- a/sdk/dotnet/MachineLearningServices/EndpointDeployment.cs +++ b/sdk/dotnet/MachineLearningServices/EndpointDeployment.cs @@ -73,7 +73,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:EndpointDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:EndpointDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:EndpointDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:EndpointDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:EndpointDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:EndpointDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:EndpointDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:EndpointDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:EndpointDeployment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/EnvironmentContainer.cs b/sdk/dotnet/MachineLearningServices/EnvironmentContainer.cs index d8b7edbd898e..a51c3e9a1bc8 100644 --- a/sdk/dotnet/MachineLearningServices/EnvironmentContainer.cs +++ b/sdk/dotnet/MachineLearningServices/EnvironmentContainer.cs @@ -76,12 +76,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:EnvironmentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:EnvironmentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:EnvironmentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:EnvironmentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:EnvironmentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:EnvironmentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:EnvironmentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:EnvironmentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:EnvironmentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:EnvironmentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:EnvironmentContainer" }, @@ -93,7 +87,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:EnvironmentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:EnvironmentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:EnvironmentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:EnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:EnvironmentContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/EnvironmentSpecificationVersion.cs b/sdk/dotnet/MachineLearningServices/EnvironmentSpecificationVersion.cs index 2d97bb0c56f2..754582a5efb8 100644 --- a/sdk/dotnet/MachineLearningServices/EnvironmentSpecificationVersion.cs +++ b/sdk/dotnet/MachineLearningServices/EnvironmentSpecificationVersion.cs @@ -73,38 +73,39 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:EnvironmentSpecificationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:EnvironmentSpecificationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:EnvironmentSpecificationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:EnvironmentSpecificationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:EnvironmentSpecificationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:EnvironmentSpecificationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:EnvironmentSpecificationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230801preview:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230801preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20231001:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20231001:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240101preview:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240101preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:EnvironmentSpecificationVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:EnvironmentSpecificationVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/EnvironmentVersion.cs b/sdk/dotnet/MachineLearningServices/EnvironmentVersion.cs index f1aba919ee4c..b32106871e74 100644 --- a/sdk/dotnet/MachineLearningServices/EnvironmentVersion.cs +++ b/sdk/dotnet/MachineLearningServices/EnvironmentVersion.cs @@ -75,14 +75,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:EnvironmentSpecificationVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:EnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:EnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:EnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:EnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:EnvironmentVersion" }, @@ -94,8 +87,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:EnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:EnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:EnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:EnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices:EnvironmentSpecificationVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:EnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:EnvironmentVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/FeaturesetContainerEntity.cs b/sdk/dotnet/MachineLearningServices/FeaturesetContainerEntity.cs index 0bdf948d7732..2e33637035db 100644 --- a/sdk/dotnet/MachineLearningServices/FeaturesetContainerEntity.cs +++ b/sdk/dotnet/MachineLearningServices/FeaturesetContainerEntity.cs @@ -74,7 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:FeaturesetContainerEntity" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:FeaturesetContainerEntity" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:FeaturesetContainerEntity" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230801preview:FeaturesetContainerEntity" }, @@ -85,7 +84,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:FeaturesetContainerEntity" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:FeaturesetContainerEntity" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:FeaturesetContainerEntity" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturesetContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturesetContainerEntity" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/FeaturesetVersion.cs b/sdk/dotnet/MachineLearningServices/FeaturesetVersion.cs index b73ccba83fac..9cb37308579a 100644 --- a/sdk/dotnet/MachineLearningServices/FeaturesetVersion.cs +++ b/sdk/dotnet/MachineLearningServices/FeaturesetVersion.cs @@ -74,7 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:FeaturesetVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:FeaturesetVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:FeaturesetVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230801preview:FeaturesetVersion" }, @@ -85,7 +84,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:FeaturesetVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:FeaturesetVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:FeaturesetVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturesetVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturesetVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/FeaturestoreEntityContainerEntity.cs b/sdk/dotnet/MachineLearningServices/FeaturestoreEntityContainerEntity.cs index 03644f98df63..d6bba464c6f6 100644 --- a/sdk/dotnet/MachineLearningServices/FeaturestoreEntityContainerEntity.cs +++ b/sdk/dotnet/MachineLearningServices/FeaturestoreEntityContainerEntity.cs @@ -74,7 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:FeaturestoreEntityContainerEntity" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityContainerEntity" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityContainerEntity" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityContainerEntity" }, @@ -85,7 +84,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityContainerEntity" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:FeaturestoreEntityContainerEntity" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityContainerEntity" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/FeaturestoreEntityVersion.cs b/sdk/dotnet/MachineLearningServices/FeaturestoreEntityVersion.cs index a5e0973609db..5e10b77b8b7d 100644 --- a/sdk/dotnet/MachineLearningServices/FeaturestoreEntityVersion.cs +++ b/sdk/dotnet/MachineLearningServices/FeaturestoreEntityVersion.cs @@ -74,7 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:FeaturestoreEntityVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityVersion" }, @@ -85,7 +84,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:FeaturestoreEntityVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturestoreEntityVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturestoreEntityVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/InferenceEndpoint.cs b/sdk/dotnet/MachineLearningServices/InferenceEndpoint.cs index 0ca4ad154ad9..fb29c72f7a74 100644 --- a/sdk/dotnet/MachineLearningServices/InferenceEndpoint.cs +++ b/sdk/dotnet/MachineLearningServices/InferenceEndpoint.cs @@ -106,7 +106,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240101preview:InferenceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:InferenceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:InferenceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:InferenceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferenceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferenceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:InferenceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferenceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferenceEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/InferenceGroup.cs b/sdk/dotnet/MachineLearningServices/InferenceGroup.cs index b1cd404e5f38..40998525f7aa 100644 --- a/sdk/dotnet/MachineLearningServices/InferenceGroup.cs +++ b/sdk/dotnet/MachineLearningServices/InferenceGroup.cs @@ -106,7 +106,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240101preview:InferenceGroup" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:InferenceGroup" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:InferenceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:InferenceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferenceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferenceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:InferenceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferenceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferenceGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/InferencePool.cs b/sdk/dotnet/MachineLearningServices/InferencePool.cs index 87870d4beea5..cb669e565858 100644 --- a/sdk/dotnet/MachineLearningServices/InferencePool.cs +++ b/sdk/dotnet/MachineLearningServices/InferencePool.cs @@ -106,7 +106,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240101preview:InferencePool" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:InferencePool" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:InferencePool" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:InferencePool" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferencePool" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferencePool" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:InferencePool" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferencePool" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferencePool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/Job.cs b/sdk/dotnet/MachineLearningServices/Job.cs index 6cdc4e111be9..247f4b373cf9 100644 --- a/sdk/dotnet/MachineLearningServices/Job.cs +++ b/sdk/dotnet/MachineLearningServices/Job.cs @@ -76,12 +76,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:Job" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:Job" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:Job" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:Job" }, @@ -93,7 +87,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:Job" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Job" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Job" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/LabelingJob.cs b/sdk/dotnet/MachineLearningServices/LabelingJob.cs index 9d5b310af501..1292d8fb94e8 100644 --- a/sdk/dotnet/MachineLearningServices/LabelingJob.cs +++ b/sdk/dotnet/MachineLearningServices/LabelingJob.cs @@ -76,15 +76,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200901preview:LabelingJob" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:LabelingJob" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:LabelingJob" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:LabelingJob" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:LabelingJob" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:LabelingJob" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:LabelingJob" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:LabelingJob" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230801preview:LabelingJob" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240101preview:LabelingJob" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:LabelingJob" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200901preview:machinelearningservices:LabelingJob" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:LabelingJob" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:LabelingJob" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:LabelingJob" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:LabelingJob" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:LabelingJob" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:LabelingJob" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:LabelingJob" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:LabelingJob" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:LabelingJob" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:LabelingJob" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/LinkedService.cs b/sdk/dotnet/MachineLearningServices/LinkedService.cs index f61db267c4a8..54d2b3392a11 100644 --- a/sdk/dotnet/MachineLearningServices/LinkedService.cs +++ b/sdk/dotnet/MachineLearningServices/LinkedService.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200901preview:LinkedService" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200901preview:machinelearningservices:LinkedService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/LinkedWorkspace.cs b/sdk/dotnet/MachineLearningServices/LinkedWorkspace.cs index 446bc2fb8066..828bdfa3ed4c 100644 --- a/sdk/dotnet/MachineLearningServices/LinkedWorkspace.cs +++ b/sdk/dotnet/MachineLearningServices/LinkedWorkspace.cs @@ -68,8 +68,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200501preview:LinkedWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200515preview:LinkedWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200501preview:machinelearningservices:LinkedWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200515preview:machinelearningservices:LinkedWorkspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/MachineLearningDataset.cs b/sdk/dotnet/MachineLearningServices/MachineLearningDataset.cs index b906c0e00b0c..eb50c33084a0 100644 --- a/sdk/dotnet/MachineLearningServices/MachineLearningDataset.cs +++ b/sdk/dotnet/MachineLearningServices/MachineLearningDataset.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200501preview:MachineLearningDataset" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200501preview:machinelearningservices:MachineLearningDataset" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/MachineLearningDatastore.cs b/sdk/dotnet/MachineLearningServices/MachineLearningDatastore.cs index a65e4638d261..258c3383342a 100644 --- a/sdk/dotnet/MachineLearningServices/MachineLearningDatastore.cs +++ b/sdk/dotnet/MachineLearningServices/MachineLearningDatastore.cs @@ -92,39 +92,40 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200501preview:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:MachineLearningDatastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:MachineLearningDatastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:MachineLearningDatastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:MachineLearningDatastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:MachineLearningDatastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:MachineLearningDatastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230801preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230801preview:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20231001:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20231001:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240101preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240101preview:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:Datastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:MachineLearningDatastore" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:MachineLearningDatastore" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices:Datastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200501preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:MachineLearningDatastore" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:MachineLearningDatastore" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/ManagedNetworkSettingsRule.cs b/sdk/dotnet/MachineLearningServices/ManagedNetworkSettingsRule.cs index dcb3851351c1..216d2f50bd2e 100644 --- a/sdk/dotnet/MachineLearningServices/ManagedNetworkSettingsRule.cs +++ b/sdk/dotnet/MachineLearningServices/ManagedNetworkSettingsRule.cs @@ -84,7 +84,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:ManagedNetworkSettingsRule" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:ManagedNetworkSettingsRule" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:ManagedNetworkSettingsRule" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:ManagedNetworkSettingsRule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ManagedNetworkSettingsRule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ManagedNetworkSettingsRule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ManagedNetworkSettingsRule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:ManagedNetworkSettingsRule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ManagedNetworkSettingsRule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:ManagedNetworkSettingsRule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ManagedNetworkSettingsRule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ManagedNetworkSettingsRule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:ManagedNetworkSettingsRule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ManagedNetworkSettingsRule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ManagedNetworkSettingsRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/MarketplaceSubscription.cs b/sdk/dotnet/MachineLearningServices/MarketplaceSubscription.cs index 23b4c2a63521..c01876e507e9 100644 --- a/sdk/dotnet/MachineLearningServices/MarketplaceSubscription.cs +++ b/sdk/dotnet/MachineLearningServices/MarketplaceSubscription.cs @@ -80,7 +80,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:MarketplaceSubscription" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:MarketplaceSubscription" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:MarketplaceSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:MarketplaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:MarketplaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:MarketplaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:MarketplaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:MarketplaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:MarketplaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:MarketplaceSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:MarketplaceSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/ModelContainer.cs b/sdk/dotnet/MachineLearningServices/ModelContainer.cs index 40db15f440fd..ece31c766284 100644 --- a/sdk/dotnet/MachineLearningServices/ModelContainer.cs +++ b/sdk/dotnet/MachineLearningServices/ModelContainer.cs @@ -76,12 +76,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:ModelContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:ModelContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:ModelContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:ModelContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:ModelContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:ModelContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:ModelContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:ModelContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:ModelContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:ModelContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:ModelContainer" }, @@ -93,7 +87,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:ModelContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:ModelContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:ModelContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ModelContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/ModelVersion.cs b/sdk/dotnet/MachineLearningServices/ModelVersion.cs index 3cb8cc343a2a..cdedd38cf56d 100644 --- a/sdk/dotnet/MachineLearningServices/ModelVersion.cs +++ b/sdk/dotnet/MachineLearningServices/ModelVersion.cs @@ -76,12 +76,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:ModelVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:ModelVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:ModelVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:ModelVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:ModelVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:ModelVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:ModelVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:ModelVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:ModelVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:ModelVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:ModelVersion" }, @@ -93,7 +87,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:ModelVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:ModelVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:ModelVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ModelVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/OnlineDeployment.cs b/sdk/dotnet/MachineLearningServices/OnlineDeployment.cs index 080191381efe..c6d9545ca0e9 100644 --- a/sdk/dotnet/MachineLearningServices/OnlineDeployment.cs +++ b/sdk/dotnet/MachineLearningServices/OnlineDeployment.cs @@ -104,12 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:OnlineDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:OnlineDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:OnlineDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:OnlineDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:OnlineDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:OnlineDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:OnlineDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:OnlineDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:OnlineDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:OnlineDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:OnlineDeployment" }, @@ -121,7 +115,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:OnlineDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:OnlineDeployment" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:OnlineDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:OnlineDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:OnlineDeployment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/OnlineEndpoint.cs b/sdk/dotnet/MachineLearningServices/OnlineEndpoint.cs index c4637af5bf28..3492aec5297c 100644 --- a/sdk/dotnet/MachineLearningServices/OnlineEndpoint.cs +++ b/sdk/dotnet/MachineLearningServices/OnlineEndpoint.cs @@ -104,12 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:OnlineEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:OnlineEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:OnlineEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:OnlineEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:OnlineEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:OnlineEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:OnlineEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:OnlineEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:OnlineEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:OnlineEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:OnlineEndpoint" }, @@ -121,7 +115,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:OnlineEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:OnlineEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:OnlineEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:OnlineEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:OnlineEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/PrivateEndpointConnection.cs b/sdk/dotnet/MachineLearningServices/PrivateEndpointConnection.cs index 3ce06283e781..b25b73c518ed 100644 --- a/sdk/dotnet/MachineLearningServices/PrivateEndpointConnection.cs +++ b/sdk/dotnet/MachineLearningServices/PrivateEndpointConnection.cs @@ -110,27 +110,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200218preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200401:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200501preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200515preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200801:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200901preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210401:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210701:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:PrivateEndpointConnection" }, @@ -142,7 +122,39 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200101:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200218preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200301:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200401:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200501preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200515preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200601:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200801:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200901preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210101:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210401:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210701:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220101preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/RaiPolicy.cs b/sdk/dotnet/MachineLearningServices/RaiPolicy.cs index d5e30d780132..d46d88542726 100644 --- a/sdk/dotnet/MachineLearningServices/RaiPolicy.cs +++ b/sdk/dotnet/MachineLearningServices/RaiPolicy.cs @@ -77,7 +77,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240401preview:RaiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:RaiPolicy" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:RaiPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:RaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RaiPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RaiPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/Registry.cs b/sdk/dotnet/MachineLearningServices/Registry.cs index 12888737274c..4ed9b30e2569 100644 --- a/sdk/dotnet/MachineLearningServices/Registry.cs +++ b/sdk/dotnet/MachineLearningServices/Registry.cs @@ -102,9 +102,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:Registry" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:Registry" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:Registry" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:Registry" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:Registry" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:Registry" }, @@ -116,7 +113,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:Registry" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:Registry" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:Registry" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Registry" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Registry" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/RegistryCodeContainer.cs b/sdk/dotnet/MachineLearningServices/RegistryCodeContainer.cs index 06409891bc90..a9d0fa416919 100644 --- a/sdk/dotnet/MachineLearningServices/RegistryCodeContainer.cs +++ b/sdk/dotnet/MachineLearningServices/RegistryCodeContainer.cs @@ -74,9 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:RegistryCodeContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:RegistryCodeContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:RegistryCodeContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:RegistryCodeContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:RegistryCodeContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:RegistryCodeContainer" }, @@ -88,7 +85,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:RegistryCodeContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:RegistryCodeContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:RegistryCodeContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryCodeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryCodeContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/RegistryCodeVersion.cs b/sdk/dotnet/MachineLearningServices/RegistryCodeVersion.cs index 52045cb71940..1deef9c878ad 100644 --- a/sdk/dotnet/MachineLearningServices/RegistryCodeVersion.cs +++ b/sdk/dotnet/MachineLearningServices/RegistryCodeVersion.cs @@ -74,9 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:RegistryCodeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:RegistryCodeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:RegistryCodeVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:RegistryCodeVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:RegistryCodeVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:RegistryCodeVersion" }, @@ -88,7 +85,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:RegistryCodeVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:RegistryCodeVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:RegistryCodeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryCodeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryCodeVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/RegistryComponentContainer.cs b/sdk/dotnet/MachineLearningServices/RegistryComponentContainer.cs index cd27f137449e..bb34134e0542 100644 --- a/sdk/dotnet/MachineLearningServices/RegistryComponentContainer.cs +++ b/sdk/dotnet/MachineLearningServices/RegistryComponentContainer.cs @@ -74,9 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:RegistryComponentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:RegistryComponentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:RegistryComponentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:RegistryComponentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:RegistryComponentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:RegistryComponentContainer" }, @@ -88,7 +85,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:RegistryComponentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:RegistryComponentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:RegistryComponentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryComponentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryComponentContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/RegistryComponentVersion.cs b/sdk/dotnet/MachineLearningServices/RegistryComponentVersion.cs index 1e5e5ed42ae2..6a1d310d327f 100644 --- a/sdk/dotnet/MachineLearningServices/RegistryComponentVersion.cs +++ b/sdk/dotnet/MachineLearningServices/RegistryComponentVersion.cs @@ -74,9 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:RegistryComponentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:RegistryComponentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:RegistryComponentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:RegistryComponentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:RegistryComponentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:RegistryComponentVersion" }, @@ -88,7 +85,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:RegistryComponentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:RegistryComponentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:RegistryComponentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryComponentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryComponentVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/RegistryDataContainer.cs b/sdk/dotnet/MachineLearningServices/RegistryDataContainer.cs index c94fa3eb3799..69698239c6a4 100644 --- a/sdk/dotnet/MachineLearningServices/RegistryDataContainer.cs +++ b/sdk/dotnet/MachineLearningServices/RegistryDataContainer.cs @@ -74,7 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:RegistryDataContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:RegistryDataContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:RegistryDataContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:RegistryDataContainer" }, @@ -86,7 +85,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:RegistryDataContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:RegistryDataContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:RegistryDataContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryDataContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryDataContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/RegistryDataVersion.cs b/sdk/dotnet/MachineLearningServices/RegistryDataVersion.cs index 2f2b261ca89e..a488aef90425 100644 --- a/sdk/dotnet/MachineLearningServices/RegistryDataVersion.cs +++ b/sdk/dotnet/MachineLearningServices/RegistryDataVersion.cs @@ -74,7 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:RegistryDataVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:RegistryDataVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:RegistryDataVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:RegistryDataVersion" }, @@ -86,7 +85,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:RegistryDataVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:RegistryDataVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:RegistryDataVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryDataVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryDataVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/RegistryEnvironmentContainer.cs b/sdk/dotnet/MachineLearningServices/RegistryEnvironmentContainer.cs index 8f5b7934f976..a7e2ee08f0e7 100644 --- a/sdk/dotnet/MachineLearningServices/RegistryEnvironmentContainer.cs +++ b/sdk/dotnet/MachineLearningServices/RegistryEnvironmentContainer.cs @@ -74,9 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:RegistryEnvironmentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:RegistryEnvironmentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:RegistryEnvironmentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:RegistryEnvironmentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentContainer" }, @@ -88,7 +85,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:RegistryEnvironmentContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryEnvironmentContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryEnvironmentContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/RegistryEnvironmentVersion.cs b/sdk/dotnet/MachineLearningServices/RegistryEnvironmentVersion.cs index f89eee70994e..fc4e5aac1061 100644 --- a/sdk/dotnet/MachineLearningServices/RegistryEnvironmentVersion.cs +++ b/sdk/dotnet/MachineLearningServices/RegistryEnvironmentVersion.cs @@ -74,9 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:RegistryEnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:RegistryEnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:RegistryEnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:RegistryEnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentVersion" }, @@ -88,7 +85,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:RegistryEnvironmentVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryEnvironmentVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryEnvironmentVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/RegistryModelContainer.cs b/sdk/dotnet/MachineLearningServices/RegistryModelContainer.cs index ac2b3bb3dc16..b8b119a329b0 100644 --- a/sdk/dotnet/MachineLearningServices/RegistryModelContainer.cs +++ b/sdk/dotnet/MachineLearningServices/RegistryModelContainer.cs @@ -74,9 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:RegistryModelContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:RegistryModelContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:RegistryModelContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:RegistryModelContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:RegistryModelContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:RegistryModelContainer" }, @@ -88,7 +85,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:RegistryModelContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:RegistryModelContainer" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:RegistryModelContainer" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryModelContainer" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryModelContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/RegistryModelVersion.cs b/sdk/dotnet/MachineLearningServices/RegistryModelVersion.cs index e6f747d674af..9cd35e83b247 100644 --- a/sdk/dotnet/MachineLearningServices/RegistryModelVersion.cs +++ b/sdk/dotnet/MachineLearningServices/RegistryModelVersion.cs @@ -74,9 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:RegistryModelVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:RegistryModelVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:RegistryModelVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:RegistryModelVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:RegistryModelVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:RegistryModelVersion" }, @@ -88,7 +85,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:RegistryModelVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:RegistryModelVersion" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:RegistryModelVersion" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryModelVersion" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryModelVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/Schedule.cs b/sdk/dotnet/MachineLearningServices/Schedule.cs index a8dd32b0ad67..39286908f227 100644 --- a/sdk/dotnet/MachineLearningServices/Schedule.cs +++ b/sdk/dotnet/MachineLearningServices/Schedule.cs @@ -74,11 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:Schedule" }, @@ -90,7 +85,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:Schedule" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:Schedule" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Schedule" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Schedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/ServerlessEndpoint.cs b/sdk/dotnet/MachineLearningServices/ServerlessEndpoint.cs index 1f4af40c759b..7281d684d66d 100644 --- a/sdk/dotnet/MachineLearningServices/ServerlessEndpoint.cs +++ b/sdk/dotnet/MachineLearningServices/ServerlessEndpoint.cs @@ -111,7 +111,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:ServerlessEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:ServerlessEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:ServerlessEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:ServerlessEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ServerlessEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ServerlessEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:ServerlessEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ServerlessEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ServerlessEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:ServerlessEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ServerlessEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ServerlessEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/Workspace.cs b/sdk/dotnet/MachineLearningServices/Workspace.cs index b0369e3584db..122e927bd25f 100644 --- a/sdk/dotnet/MachineLearningServices/Workspace.cs +++ b/sdk/dotnet/MachineLearningServices/Workspace.cs @@ -278,32 +278,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20180301preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20181119:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20190501:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20190601:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20191101:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200101:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200218preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200301:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200401:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200501preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200515preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200601:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200801:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200901preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210101:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210401:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210701:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220101preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:Workspace" }, @@ -315,7 +292,44 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20180301preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20181119:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20190501:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20190601:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20191101:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200101:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200218preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200301:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200401:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200501preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200515preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200601:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200801:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200901preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210101:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210401:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210701:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220101preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MachineLearningServices/WorkspaceConnection.cs b/sdk/dotnet/MachineLearningServices/WorkspaceConnection.cs index 32056702cdf9..37a5b56a0246 100644 --- a/sdk/dotnet/MachineLearningServices/WorkspaceConnection.cs +++ b/sdk/dotnet/MachineLearningServices/WorkspaceConnection.cs @@ -69,21 +69,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200601:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200801:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20200901preview:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210101:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210301preview:WorkspaceConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210401:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20210701:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220101preview:WorkspaceConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220201preview:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220501:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20220601preview:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221001preview:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20221201preview:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230201preview:WorkspaceConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401:WorkspaceConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230401preview:WorkspaceConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20230601preview:WorkspaceConnection" }, @@ -95,7 +82,33 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20240701preview:WorkspaceConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001:WorkspaceConnection" }, new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20241001preview:WorkspaceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:machinelearningservices/v20250101preview:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200601:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200801:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20200901preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210101:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210301preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210401:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20210701:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220101preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220201preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220501:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20220601preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221001preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20221201preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230201preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230401preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230601preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20230801preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20231001:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240101preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240401preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20240701preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20241001preview:machinelearningservices:WorkspaceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_machinelearningservices_v20250101preview:machinelearningservices:WorkspaceConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Maintenance/ConfigurationAssignment.cs b/sdk/dotnet/Maintenance/ConfigurationAssignment.cs index 8dab1134c75a..ce6b5de7114d 100644 --- a/sdk/dotnet/Maintenance/ConfigurationAssignment.cs +++ b/sdk/dotnet/Maintenance/ConfigurationAssignment.cs @@ -92,13 +92,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20210401preview:ConfigurationAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20210901preview:ConfigurationAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20220701preview:ConfigurationAssignment" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20221101preview:ConfigurationAssignment" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20230401:ConfigurationAssignment" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20230901preview:ConfigurationAssignment" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20231001preview:ConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20210401preview:maintenance:ConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20210901preview:maintenance:ConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20220701preview:maintenance:ConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20221101preview:maintenance:ConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Maintenance/ConfigurationAssignmentParent.cs b/sdk/dotnet/Maintenance/ConfigurationAssignmentParent.cs index 662d4662ac21..90355378b640 100644 --- a/sdk/dotnet/Maintenance/ConfigurationAssignmentParent.cs +++ b/sdk/dotnet/Maintenance/ConfigurationAssignmentParent.cs @@ -92,13 +92,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20210401preview:ConfigurationAssignmentParent" }, - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20210901preview:ConfigurationAssignmentParent" }, - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20220701preview:ConfigurationAssignmentParent" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20221101preview:ConfigurationAssignmentParent" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20230401:ConfigurationAssignmentParent" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20230901preview:ConfigurationAssignmentParent" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20231001preview:ConfigurationAssignmentParent" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20210401preview:maintenance:ConfigurationAssignmentParent" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20210901preview:maintenance:ConfigurationAssignmentParent" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20220701preview:maintenance:ConfigurationAssignmentParent" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20221101preview:maintenance:ConfigurationAssignmentParent" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentParent" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentParent" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentParent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Maintenance/ConfigurationAssignmentsForResourceGroup.cs b/sdk/dotnet/Maintenance/ConfigurationAssignmentsForResourceGroup.cs index 6ba27e47acc7..738b82b33e44 100644 --- a/sdk/dotnet/Maintenance/ConfigurationAssignmentsForResourceGroup.cs +++ b/sdk/dotnet/Maintenance/ConfigurationAssignmentsForResourceGroup.cs @@ -95,6 +95,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:maintenance/v20230401:ConfigurationAssignmentsForResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentsForResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentsForResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentsForResourceGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Maintenance/ConfigurationAssignmentsForSubscription.cs b/sdk/dotnet/Maintenance/ConfigurationAssignmentsForSubscription.cs index f53a11eb0899..0fc3a6340c5e 100644 --- a/sdk/dotnet/Maintenance/ConfigurationAssignmentsForSubscription.cs +++ b/sdk/dotnet/Maintenance/ConfigurationAssignmentsForSubscription.cs @@ -95,6 +95,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:maintenance/v20230401:ConfigurationAssignmentsForSubscription" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForSubscription" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentsForSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentsForSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentsForSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Maintenance/MaintenanceConfiguration.cs b/sdk/dotnet/Maintenance/MaintenanceConfiguration.cs index c1d33d3c14e4..d7baa37bd9f2 100644 --- a/sdk/dotnet/Maintenance/MaintenanceConfiguration.cs +++ b/sdk/dotnet/Maintenance/MaintenanceConfiguration.cs @@ -140,17 +140,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20180601preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20200401:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20200701preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20210401preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20210501:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20210901preview:MaintenanceConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:maintenance/v20220701preview:MaintenanceConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20221101preview:MaintenanceConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20230401:MaintenanceConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20230901preview:MaintenanceConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:maintenance/v20231001preview:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20180601preview:maintenance:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20200401:maintenance:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20200701preview:maintenance:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20210401preview:maintenance:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20210501:maintenance:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20210901preview:maintenance:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20220701preview:maintenance:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20221101preview:maintenance:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20230401:maintenance:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20230901preview:maintenance:MaintenanceConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_maintenance_v20231001preview:maintenance:MaintenanceConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedIdentity/FederatedIdentityCredential.cs b/sdk/dotnet/ManagedIdentity/FederatedIdentityCredential.cs index 648f119ffdbd..add81203abb9 100644 --- a/sdk/dotnet/ManagedIdentity/FederatedIdentityCredential.cs +++ b/sdk/dotnet/ManagedIdentity/FederatedIdentityCredential.cs @@ -86,11 +86,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20220131preview:FederatedIdentityCredential" }, new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20230131:FederatedIdentityCredential" }, new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20230731preview:FederatedIdentityCredential" }, new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20241130:FederatedIdentityCredential" }, - new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20250131preview:FederatedIdentityCredential" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20220131preview:managedidentity:FederatedIdentityCredential" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20230131:managedidentity:FederatedIdentityCredential" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20230731preview:managedidentity:FederatedIdentityCredential" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20241130:managedidentity:FederatedIdentityCredential" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20250131preview:managedidentity:FederatedIdentityCredential" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedIdentity/UserAssignedIdentity.cs b/sdk/dotnet/ManagedIdentity/UserAssignedIdentity.cs index 3b9d7b575635..1f8e646759fa 100644 --- a/sdk/dotnet/ManagedIdentity/UserAssignedIdentity.cs +++ b/sdk/dotnet/ManagedIdentity/UserAssignedIdentity.cs @@ -98,14 +98,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20150831preview:UserAssignedIdentity" }, - new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20181130:UserAssignedIdentity" }, - new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20210930preview:UserAssignedIdentity" }, - new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20220131preview:UserAssignedIdentity" }, new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20230131:UserAssignedIdentity" }, new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20230731preview:UserAssignedIdentity" }, new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20241130:UserAssignedIdentity" }, - new global::Pulumi.Alias { Type = "azure-native:managedidentity/v20250131preview:UserAssignedIdentity" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20150831preview:managedidentity:UserAssignedIdentity" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20181130:managedidentity:UserAssignedIdentity" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20210930preview:managedidentity:UserAssignedIdentity" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20220131preview:managedidentity:UserAssignedIdentity" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20230131:managedidentity:UserAssignedIdentity" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20230731preview:managedidentity:UserAssignedIdentity" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20241130:managedidentity:UserAssignedIdentity" }, + new global::Pulumi.Alias { Type = "azure-native_managedidentity_v20250131preview:managedidentity:UserAssignedIdentity" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetwork/ManagedNetwork.cs b/sdk/dotnet/ManagedNetwork/ManagedNetwork.cs index db042e974f37..9706b27f2770 100644 --- a/sdk/dotnet/ManagedNetwork/ManagedNetwork.cs +++ b/sdk/dotnet/ManagedNetwork/ManagedNetwork.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:managednetwork/v20190601preview:ManagedNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetwork/ManagedNetworkGroup.cs b/sdk/dotnet/ManagedNetwork/ManagedNetworkGroup.cs index 65a3f423e534..29c8c883e9bd 100644 --- a/sdk/dotnet/ManagedNetwork/ManagedNetworkGroup.cs +++ b/sdk/dotnet/ManagedNetwork/ManagedNetworkGroup.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:managednetwork/v20190601preview:ManagedNetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetworkGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetwork/ManagedNetworkPeeringPolicy.cs b/sdk/dotnet/ManagedNetwork/ManagedNetworkPeeringPolicy.cs index 57d390106c7c..440c431baaa2 100644 --- a/sdk/dotnet/ManagedNetwork/ManagedNetworkPeeringPolicy.cs +++ b/sdk/dotnet/ManagedNetwork/ManagedNetworkPeeringPolicy.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:managednetwork/v20190601preview:ManagedNetworkPeeringPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetworkPeeringPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetwork/ScopeAssignment.cs b/sdk/dotnet/ManagedNetwork/ScopeAssignment.cs index 3197e5630615..bab82d14b97e 100644 --- a/sdk/dotnet/ManagedNetwork/ScopeAssignment.cs +++ b/sdk/dotnet/ManagedNetwork/ScopeAssignment.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:managednetwork/v20190601preview:ScopeAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_managednetwork_v20190601preview:managednetwork:ScopeAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/AccessControlList.cs b/sdk/dotnet/ManagedNetworkFabric/AccessControlList.cs index ce178d03643e..91cb58e4a869 100644 --- a/sdk/dotnet/ManagedNetworkFabric/AccessControlList.cs +++ b/sdk/dotnet/ManagedNetworkFabric/AccessControlList.cs @@ -142,6 +142,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:AccessControlList" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:AccessControlList" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:AccessControlList" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:AccessControlList" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/ExternalNetwork.cs b/sdk/dotnet/ManagedNetworkFabric/ExternalNetwork.cs index 685093a4006e..6b22bb62f38a 100644 --- a/sdk/dotnet/ManagedNetworkFabric/ExternalNetwork.cs +++ b/sdk/dotnet/ManagedNetworkFabric/ExternalNetwork.cs @@ -142,6 +142,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:ExternalNetwork" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:ExternalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:ExternalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:ExternalNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/InternalNetwork.cs b/sdk/dotnet/ManagedNetworkFabric/InternalNetwork.cs index 783f5c47e1c0..bcda06f4e29a 100644 --- a/sdk/dotnet/ManagedNetworkFabric/InternalNetwork.cs +++ b/sdk/dotnet/ManagedNetworkFabric/InternalNetwork.cs @@ -178,6 +178,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:InternalNetwork" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:InternalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:InternalNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternalNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/InternetGateway.cs b/sdk/dotnet/ManagedNetworkFabric/InternetGateway.cs index 3086c9b16e03..131d9d01738d 100644 --- a/sdk/dotnet/ManagedNetworkFabric/InternetGateway.cs +++ b/sdk/dotnet/ManagedNetworkFabric/InternetGateway.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:InternetGateway" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternetGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/InternetGatewayRule.cs b/sdk/dotnet/ManagedNetworkFabric/InternetGatewayRule.cs index adfd85c75603..f72b8f156521 100644 --- a/sdk/dotnet/ManagedNetworkFabric/InternetGatewayRule.cs +++ b/sdk/dotnet/ManagedNetworkFabric/InternetGatewayRule.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:InternetGatewayRule" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternetGatewayRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/IpCommunity.cs b/sdk/dotnet/ManagedNetworkFabric/IpCommunity.cs index e9f50673fe72..1376a1afaeab 100644 --- a/sdk/dotnet/ManagedNetworkFabric/IpCommunity.cs +++ b/sdk/dotnet/ManagedNetworkFabric/IpCommunity.cs @@ -112,6 +112,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:IpCommunity" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:IpCommunity" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpCommunity" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpCommunity" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/IpExtendedCommunity.cs b/sdk/dotnet/ManagedNetworkFabric/IpExtendedCommunity.cs index e442622878a2..422c60c200b0 100644 --- a/sdk/dotnet/ManagedNetworkFabric/IpExtendedCommunity.cs +++ b/sdk/dotnet/ManagedNetworkFabric/IpExtendedCommunity.cs @@ -112,6 +112,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:IpExtendedCommunity" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:IpExtendedCommunity" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpExtendedCommunity" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpExtendedCommunity" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/IpPrefix.cs b/sdk/dotnet/ManagedNetworkFabric/IpPrefix.cs index 29a8bca5b850..d085bf77b961 100644 --- a/sdk/dotnet/ManagedNetworkFabric/IpPrefix.cs +++ b/sdk/dotnet/ManagedNetworkFabric/IpPrefix.cs @@ -112,6 +112,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:IpPrefix" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:IpPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpPrefix" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/L2IsolationDomain.cs b/sdk/dotnet/ManagedNetworkFabric/L2IsolationDomain.cs index b9dd03066c80..fb782d80f90d 100644 --- a/sdk/dotnet/ManagedNetworkFabric/L2IsolationDomain.cs +++ b/sdk/dotnet/ManagedNetworkFabric/L2IsolationDomain.cs @@ -124,6 +124,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:L2IsolationDomain" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:L2IsolationDomain" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:L2IsolationDomain" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:L2IsolationDomain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/L3IsolationDomain.cs b/sdk/dotnet/ManagedNetworkFabric/L3IsolationDomain.cs index 65b164dce192..8ce6db0e57db 100644 --- a/sdk/dotnet/ManagedNetworkFabric/L3IsolationDomain.cs +++ b/sdk/dotnet/ManagedNetworkFabric/L3IsolationDomain.cs @@ -136,6 +136,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:L3IsolationDomain" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:L3IsolationDomain" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:L3IsolationDomain" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:L3IsolationDomain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/NeighborGroup.cs b/sdk/dotnet/ManagedNetworkFabric/NeighborGroup.cs index bafb1f664adf..bd2f46712643 100644 --- a/sdk/dotnet/ManagedNetworkFabric/NeighborGroup.cs +++ b/sdk/dotnet/ManagedNetworkFabric/NeighborGroup.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:NeighborGroup" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NeighborGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/NetworkDevice.cs b/sdk/dotnet/ManagedNetworkFabric/NetworkDevice.cs index 88d26e8bc65c..505c42fa4e0b 100644 --- a/sdk/dotnet/ManagedNetworkFabric/NetworkDevice.cs +++ b/sdk/dotnet/ManagedNetworkFabric/NetworkDevice.cs @@ -154,6 +154,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:NetworkDevice" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:NetworkDevice" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkDevice" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkDevice" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/NetworkFabric.cs b/sdk/dotnet/ManagedNetworkFabric/NetworkFabric.cs index f40e94bdeb3b..a81dfa651bea 100644 --- a/sdk/dotnet/ManagedNetworkFabric/NetworkFabric.cs +++ b/sdk/dotnet/ManagedNetworkFabric/NetworkFabric.cs @@ -190,6 +190,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:NetworkFabric" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:NetworkFabric" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkFabric" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkFabric" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/NetworkFabricController.cs b/sdk/dotnet/ManagedNetworkFabric/NetworkFabricController.cs index 79f0c82f86a4..bae8e57cd833 100644 --- a/sdk/dotnet/ManagedNetworkFabric/NetworkFabricController.cs +++ b/sdk/dotnet/ManagedNetworkFabric/NetworkFabricController.cs @@ -166,6 +166,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:NetworkFabricController" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:NetworkFabricController" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkFabricController" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkFabricController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/NetworkInterface.cs b/sdk/dotnet/ManagedNetworkFabric/NetworkInterface.cs index dfc32261c9b1..5db8588e049f 100644 --- a/sdk/dotnet/ManagedNetworkFabric/NetworkInterface.cs +++ b/sdk/dotnet/ManagedNetworkFabric/NetworkInterface.cs @@ -118,6 +118,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkInterface" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/NetworkPacketBroker.cs b/sdk/dotnet/ManagedNetworkFabric/NetworkPacketBroker.cs index 2a568fc87ea9..ad207be35a44 100644 --- a/sdk/dotnet/ManagedNetworkFabric/NetworkPacketBroker.cs +++ b/sdk/dotnet/ManagedNetworkFabric/NetworkPacketBroker.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:NetworkPacketBroker" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkPacketBroker" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/NetworkRack.cs b/sdk/dotnet/ManagedNetworkFabric/NetworkRack.cs index 2ce626c67461..b096bf4d47b0 100644 --- a/sdk/dotnet/ManagedNetworkFabric/NetworkRack.cs +++ b/sdk/dotnet/ManagedNetworkFabric/NetworkRack.cs @@ -112,6 +112,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:NetworkRack" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:NetworkRack" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkRack" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkRack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/NetworkTap.cs b/sdk/dotnet/ManagedNetworkFabric/NetworkTap.cs index 4ae8c0b262e9..a1a8ecfa04e8 100644 --- a/sdk/dotnet/ManagedNetworkFabric/NetworkTap.cs +++ b/sdk/dotnet/ManagedNetworkFabric/NetworkTap.cs @@ -127,6 +127,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:NetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkTap" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/NetworkTapRule.cs b/sdk/dotnet/ManagedNetworkFabric/NetworkTapRule.cs index af03c13cd9cf..4bdd38093f0a 100644 --- a/sdk/dotnet/ManagedNetworkFabric/NetworkTapRule.cs +++ b/sdk/dotnet/ManagedNetworkFabric/NetworkTapRule.cs @@ -145,6 +145,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:NetworkTapRule" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkTapRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/NetworkToNetworkInterconnect.cs b/sdk/dotnet/ManagedNetworkFabric/NetworkToNetworkInterconnect.cs index 132420a5963a..5c3c0322f916 100644 --- a/sdk/dotnet/ManagedNetworkFabric/NetworkToNetworkInterconnect.cs +++ b/sdk/dotnet/ManagedNetworkFabric/NetworkToNetworkInterconnect.cs @@ -148,6 +148,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:NetworkToNetworkInterconnect" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:NetworkToNetworkInterconnect" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkToNetworkInterconnect" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkToNetworkInterconnect" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedNetworkFabric/RoutePolicy.cs b/sdk/dotnet/ManagedNetworkFabric/RoutePolicy.cs index e80d3a71af8e..c0eb665d4e6d 100644 --- a/sdk/dotnet/ManagedNetworkFabric/RoutePolicy.cs +++ b/sdk/dotnet/ManagedNetworkFabric/RoutePolicy.cs @@ -130,6 +130,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230201preview:RoutePolicy" }, new global::Pulumi.Alias { Type = "azure-native:managednetworkfabric/v20230615:RoutePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:RoutePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_managednetworkfabric_v20230615:managednetworkfabric:RoutePolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedServices/RegistrationAssignment.cs b/sdk/dotnet/ManagedServices/RegistrationAssignment.cs index 09efadf9792d..1679b2fc61d9 100644 --- a/sdk/dotnet/ManagedServices/RegistrationAssignment.cs +++ b/sdk/dotnet/ManagedServices/RegistrationAssignment.cs @@ -72,13 +72,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20180601preview:RegistrationAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20190401preview:RegistrationAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20190601:RegistrationAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20190901:RegistrationAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20200201preview:RegistrationAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20220101preview:RegistrationAssignment" }, new global::Pulumi.Alias { Type = "azure-native:managedservices/v20221001:RegistrationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20180601preview:managedservices:RegistrationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20190401preview:managedservices:RegistrationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20190601:managedservices:RegistrationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20190901:managedservices:RegistrationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20200201preview:managedservices:RegistrationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20220101preview:managedservices:RegistrationAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20221001:managedservices:RegistrationAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagedServices/RegistrationDefinition.cs b/sdk/dotnet/ManagedServices/RegistrationDefinition.cs index 6d72d82cafda..c05ad3a75c0b 100644 --- a/sdk/dotnet/ManagedServices/RegistrationDefinition.cs +++ b/sdk/dotnet/ManagedServices/RegistrationDefinition.cs @@ -78,13 +78,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20180601preview:RegistrationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20190401preview:RegistrationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20190601:RegistrationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20190901:RegistrationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20200201preview:RegistrationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:managedservices/v20220101preview:RegistrationDefinition" }, new global::Pulumi.Alias { Type = "azure-native:managedservices/v20221001:RegistrationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20180601preview:managedservices:RegistrationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20190401preview:managedservices:RegistrationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20190601:managedservices:RegistrationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20190901:managedservices:RegistrationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20200201preview:managedservices:RegistrationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20220101preview:managedservices:RegistrationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_managedservices_v20221001:managedservices:RegistrationDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Management/HierarchySetting.cs b/sdk/dotnet/Management/HierarchySetting.cs index e976776cb717..6d256fb0e1fd 100644 --- a/sdk/dotnet/Management/HierarchySetting.cs +++ b/sdk/dotnet/Management/HierarchySetting.cs @@ -80,11 +80,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:management/v20200201:HierarchySetting" }, - new global::Pulumi.Alias { Type = "azure-native:management/v20200501:HierarchySetting" }, - new global::Pulumi.Alias { Type = "azure-native:management/v20201001:HierarchySetting" }, new global::Pulumi.Alias { Type = "azure-native:management/v20210401:HierarchySetting" }, new global::Pulumi.Alias { Type = "azure-native:management/v20230401:HierarchySetting" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20200201:management:HierarchySetting" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20200501:management:HierarchySetting" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20201001:management:HierarchySetting" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20210401:management:HierarchySetting" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20230401:management:HierarchySetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Management/ManagementGroup.cs b/sdk/dotnet/Management/ManagementGroup.cs index 7bc01b1c593e..3425f55582ea 100644 --- a/sdk/dotnet/Management/ManagementGroup.cs +++ b/sdk/dotnet/Management/ManagementGroup.cs @@ -86,15 +86,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:management/v20171101preview:ManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:management/v20180101preview:ManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:management/v20180301preview:ManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:management/v20191101:ManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:management/v20200201:ManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:management/v20200501:ManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:management/v20201001:ManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:management/v20210401:ManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:management/v20230401:ManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20171101preview:management:ManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20180101preview:management:ManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20180301preview:management:ManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20191101:management:ManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20200201:management:ManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20200501:management:ManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20201001:management:ManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20210401:management:ManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20230401:management:ManagementGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Management/ManagementGroupSubscription.cs b/sdk/dotnet/Management/ManagementGroupSubscription.cs index 2d561bdd6ef6..1b90defa33c1 100644 --- a/sdk/dotnet/Management/ManagementGroupSubscription.cs +++ b/sdk/dotnet/Management/ManagementGroupSubscription.cs @@ -86,10 +86,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:management/v20200501:ManagementGroupSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:management/v20201001:ManagementGroupSubscription" }, new global::Pulumi.Alias { Type = "azure-native:management/v20210401:ManagementGroupSubscription" }, new global::Pulumi.Alias { Type = "azure-native:management/v20230401:ManagementGroupSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20200501:management:ManagementGroupSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20201001:management:ManagementGroupSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20210401:management:ManagementGroupSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_management_v20230401:management:ManagementGroupSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManagementPartner/Partner.cs b/sdk/dotnet/ManagementPartner/Partner.cs index ba716b0d7128..c7abbac69fd1 100644 --- a/sdk/dotnet/ManagementPartner/Partner.cs +++ b/sdk/dotnet/ManagementPartner/Partner.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:managementpartner/v20180201:Partner" }, + new global::Pulumi.Alias { Type = "azure-native_managementpartner_v20180201:managementpartner:Partner" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ManufacturingPlatform/ManufacturingDataService.cs b/sdk/dotnet/ManufacturingPlatform/ManufacturingDataService.cs index de6628a4cf80..b4fd225a055e 100644 --- a/sdk/dotnet/ManufacturingPlatform/ManufacturingDataService.cs +++ b/sdk/dotnet/ManufacturingPlatform/ManufacturingDataService.cs @@ -96,7 +96,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:manufacturingplatform/v20250301:ManufacturingDataService" }, + new global::Pulumi.Alias { Type = "azure-native_manufacturingplatform_v20250301:manufacturingplatform:ManufacturingDataService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Maps/Account.cs b/sdk/dotnet/Maps/Account.cs index 9790c71a7f73..b301281b164d 100644 --- a/sdk/dotnet/Maps/Account.cs +++ b/sdk/dotnet/Maps/Account.cs @@ -104,17 +104,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:maps/v20170101preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20180501:Account" }, - new global::Pulumi.Alias { Type = "azure-native:maps/v20200201preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20210201:Account" }, - new global::Pulumi.Alias { Type = "azure-native:maps/v20210701preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20211201preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20230601:Account" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20230801preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20231201preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20240101preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20240701preview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20170101preview:maps:Account" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20180501:maps:Account" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20200201preview:maps:Account" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20210201:maps:Account" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20210701preview:maps:Account" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20211201preview:maps:Account" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20230601:maps:Account" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20230801preview:maps:Account" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20231201preview:maps:Account" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20240101preview:maps:Account" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20240701preview:maps:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Maps/Creator.cs b/sdk/dotnet/Maps/Creator.cs index 64498d8bf8f1..5c99e58fb1b8 100644 --- a/sdk/dotnet/Maps/Creator.cs +++ b/sdk/dotnet/Maps/Creator.cs @@ -88,13 +88,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:maps/v20200201preview:Creator" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20210201:Creator" }, - new global::Pulumi.Alias { Type = "azure-native:maps/v20210701preview:Creator" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20211201preview:Creator" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20230601:Creator" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20230801preview:Creator" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20231201preview:Creator" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20240101preview:Creator" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20240701preview:Creator" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20200201preview:maps:Creator" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20210201:maps:Creator" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20210701preview:maps:Creator" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20211201preview:maps:Creator" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20230601:maps:Creator" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20230801preview:maps:Creator" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20231201preview:maps:Creator" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20240101preview:maps:Creator" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20240701preview:maps:Creator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Maps/PrivateAtlase.cs b/sdk/dotnet/Maps/PrivateAtlase.cs index ed7259c19240..eebdfcfbe128 100644 --- a/sdk/dotnet/Maps/PrivateAtlase.cs +++ b/sdk/dotnet/Maps/PrivateAtlase.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:maps/v20200201preview:PrivateAtlase" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20200201preview:maps:PrivateAtlase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Maps/PrivateEndpointConnection.cs b/sdk/dotnet/Maps/PrivateEndpointConnection.cs index ecdb1df35e70..e4d636b58e9a 100644 --- a/sdk/dotnet/Maps/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Maps/PrivateEndpointConnection.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:maps/v20231201preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:maps/v20240101preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20231201preview:maps:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_maps_v20240101preview:maps:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Marketplace/PrivateStoreCollection.cs b/sdk/dotnet/Marketplace/PrivateStoreCollection.cs index c13e01a07c00..42c199567aea 100644 --- a/sdk/dotnet/Marketplace/PrivateStoreCollection.cs +++ b/sdk/dotnet/Marketplace/PrivateStoreCollection.cs @@ -126,11 +126,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:marketplace/v20210601:PrivateStoreCollection" }, - new global::Pulumi.Alias { Type = "azure-native:marketplace/v20211201:PrivateStoreCollection" }, - new global::Pulumi.Alias { Type = "azure-native:marketplace/v20220301:PrivateStoreCollection" }, - new global::Pulumi.Alias { Type = "azure-native:marketplace/v20220901:PrivateStoreCollection" }, new global::Pulumi.Alias { Type = "azure-native:marketplace/v20230101:PrivateStoreCollection" }, + new global::Pulumi.Alias { Type = "azure-native_marketplace_v20210601:marketplace:PrivateStoreCollection" }, + new global::Pulumi.Alias { Type = "azure-native_marketplace_v20211201:marketplace:PrivateStoreCollection" }, + new global::Pulumi.Alias { Type = "azure-native_marketplace_v20220301:marketplace:PrivateStoreCollection" }, + new global::Pulumi.Alias { Type = "azure-native_marketplace_v20220901:marketplace:PrivateStoreCollection" }, + new global::Pulumi.Alias { Type = "azure-native_marketplace_v20230101:marketplace:PrivateStoreCollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Marketplace/PrivateStoreCollectionOffer.cs b/sdk/dotnet/Marketplace/PrivateStoreCollectionOffer.cs index 755128be48fc..e03fddd9eeb5 100644 --- a/sdk/dotnet/Marketplace/PrivateStoreCollectionOffer.cs +++ b/sdk/dotnet/Marketplace/PrivateStoreCollectionOffer.cs @@ -132,11 +132,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:marketplace/v20210601:PrivateStoreCollectionOffer" }, - new global::Pulumi.Alias { Type = "azure-native:marketplace/v20211201:PrivateStoreCollectionOffer" }, - new global::Pulumi.Alias { Type = "azure-native:marketplace/v20220301:PrivateStoreCollectionOffer" }, - new global::Pulumi.Alias { Type = "azure-native:marketplace/v20220901:PrivateStoreCollectionOffer" }, new global::Pulumi.Alias { Type = "azure-native:marketplace/v20230101:PrivateStoreCollectionOffer" }, + new global::Pulumi.Alias { Type = "azure-native_marketplace_v20210601:marketplace:PrivateStoreCollectionOffer" }, + new global::Pulumi.Alias { Type = "azure-native_marketplace_v20211201:marketplace:PrivateStoreCollectionOffer" }, + new global::Pulumi.Alias { Type = "azure-native_marketplace_v20220301:marketplace:PrivateStoreCollectionOffer" }, + new global::Pulumi.Alias { Type = "azure-native_marketplace_v20220901:marketplace:PrivateStoreCollectionOffer" }, + new global::Pulumi.Alias { Type = "azure-native_marketplace_v20230101:marketplace:PrivateStoreCollectionOffer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/AccountFilter.cs b/sdk/dotnet/Media/AccountFilter.cs index 9ecef0238971..1e34fd7e94a1 100644 --- a/sdk/dotnet/Media/AccountFilter.cs +++ b/sdk/dotnet/Media/AccountFilter.cs @@ -86,12 +86,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:AccountFilter" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:AccountFilter" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:AccountFilter" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:AccountFilter" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220801:AccountFilter" }, new global::Pulumi.Alias { Type = "azure-native:media/v20230101:AccountFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:AccountFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:AccountFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:AccountFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:AccountFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220801:media:AccountFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20230101:media:AccountFilter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/Asset.cs b/sdk/dotnet/Media/Asset.cs index b945bb84969f..d69cf7455710 100644 --- a/sdk/dotnet/Media/Asset.cs +++ b/sdk/dotnet/Media/Asset.cs @@ -122,14 +122,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20180330preview:Asset" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180601preview:Asset" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:Asset" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:Asset" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:Asset" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:Asset" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220801:Asset" }, new global::Pulumi.Alias { Type = "azure-native:media/v20230101:Asset" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180330preview:media:Asset" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180601preview:media:Asset" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:Asset" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:Asset" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:Asset" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:Asset" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220801:media:Asset" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20230101:media:Asset" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/AssetFilter.cs b/sdk/dotnet/Media/AssetFilter.cs index 516df52b5597..38c75c3c6c14 100644 --- a/sdk/dotnet/Media/AssetFilter.cs +++ b/sdk/dotnet/Media/AssetFilter.cs @@ -86,12 +86,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:AssetFilter" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:AssetFilter" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:AssetFilter" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:AssetFilter" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220801:AssetFilter" }, new global::Pulumi.Alias { Type = "azure-native:media/v20230101:AssetFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:AssetFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:AssetFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:AssetFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:AssetFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220801:media:AssetFilter" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20230101:media:AssetFilter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/ContentKeyPolicy.cs b/sdk/dotnet/Media/ContentKeyPolicy.cs index cb49bdcbf46d..42b29489b9d7 100644 --- a/sdk/dotnet/Media/ContentKeyPolicy.cs +++ b/sdk/dotnet/Media/ContentKeyPolicy.cs @@ -98,14 +98,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20180330preview:ContentKeyPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180601preview:ContentKeyPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:ContentKeyPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:ContentKeyPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:ContentKeyPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:ContentKeyPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220801:ContentKeyPolicy" }, new global::Pulumi.Alias { Type = "azure-native:media/v20230101:ContentKeyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180330preview:media:ContentKeyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180601preview:media:ContentKeyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:ContentKeyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:ContentKeyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:ContentKeyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:ContentKeyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220801:media:ContentKeyPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20230101:media:ContentKeyPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/Job.cs b/sdk/dotnet/Media/Job.cs index bf35c5544436..c21ed79e9f25 100644 --- a/sdk/dotnet/Media/Job.cs +++ b/sdk/dotnet/Media/Job.cs @@ -128,14 +128,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20180330preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180601preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:Job" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:Job" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:Job" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:Job" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220501preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:media/v20220701:Job" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180330preview:media:Job" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180601preview:media:Job" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:Job" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:Job" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:Job" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:Job" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220501preview:media:Job" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220701:media:Job" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/LiveEvent.cs b/sdk/dotnet/Media/LiveEvent.cs index 9a8aa8b221d2..8012bd873761 100644 --- a/sdk/dotnet/Media/LiveEvent.cs +++ b/sdk/dotnet/Media/LiveEvent.cs @@ -158,15 +158,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20180330preview:LiveEvent" }, new global::Pulumi.Alias { Type = "azure-native:media/v20180601preview:LiveEvent" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:LiveEvent" }, new global::Pulumi.Alias { Type = "azure-native:media/v20190501preview:LiveEvent" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:LiveEvent" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:LiveEvent" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:LiveEvent" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220801:LiveEvent" }, new global::Pulumi.Alias { Type = "azure-native:media/v20221101:LiveEvent" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180330preview:media:LiveEvent" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180601preview:media:LiveEvent" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:LiveEvent" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20190501preview:media:LiveEvent" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:LiveEvent" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:LiveEvent" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:LiveEvent" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220801:media:LiveEvent" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20221101:media:LiveEvent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/LiveOutput.cs b/sdk/dotnet/Media/LiveOutput.cs index 171047c9cb9f..214666218e0d 100644 --- a/sdk/dotnet/Media/LiveOutput.cs +++ b/sdk/dotnet/Media/LiveOutput.cs @@ -134,15 +134,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20180330preview:LiveOutput" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180601preview:LiveOutput" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:LiveOutput" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20190501preview:LiveOutput" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:LiveOutput" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:LiveOutput" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:LiveOutput" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220801:LiveOutput" }, new global::Pulumi.Alias { Type = "azure-native:media/v20221101:LiveOutput" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180330preview:media:LiveOutput" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180601preview:media:LiveOutput" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:LiveOutput" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20190501preview:media:LiveOutput" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:LiveOutput" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:LiveOutput" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:LiveOutput" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220801:media:LiveOutput" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20221101:media:LiveOutput" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/MediaService.cs b/sdk/dotnet/Media/MediaService.cs index 75dde8915fbc..3e334540a988 100644 --- a/sdk/dotnet/Media/MediaService.cs +++ b/sdk/dotnet/Media/MediaService.cs @@ -138,14 +138,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:media/v20151001:MediaService" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180330preview:MediaService" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180601preview:MediaService" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:MediaService" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:MediaService" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210501:MediaService" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:MediaService" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:MediaService" }, new global::Pulumi.Alias { Type = "azure-native:media/v20230101:MediaService" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20151001:media:MediaService" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180330preview:media:MediaService" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180601preview:media:MediaService" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:MediaService" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:MediaService" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210501:media:MediaService" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:MediaService" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:MediaService" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20230101:media:MediaService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/PrivateEndpointConnection.cs b/sdk/dotnet/Media/PrivateEndpointConnection.cs index f0736dc17ea5..4d08ced5a599 100644 --- a/sdk/dotnet/Media/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Media/PrivateEndpointConnection.cs @@ -80,11 +80,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210501:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:media/v20230101:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210501:media:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20230101:media:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/StreamingEndpoint.cs b/sdk/dotnet/Media/StreamingEndpoint.cs index 3dad70e43e21..9a26e886f2e0 100644 --- a/sdk/dotnet/Media/StreamingEndpoint.cs +++ b/sdk/dotnet/Media/StreamingEndpoint.cs @@ -182,15 +182,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20180330preview:StreamingEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:media/v20180601preview:StreamingEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:StreamingEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20190501preview:StreamingEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:StreamingEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:StreamingEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:StreamingEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220801:StreamingEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:media/v20221101:StreamingEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180330preview:media:StreamingEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180601preview:media:StreamingEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:StreamingEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20190501preview:media:StreamingEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:StreamingEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:StreamingEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:StreamingEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220801:media:StreamingEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20221101:media:StreamingEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/StreamingLocator.cs b/sdk/dotnet/Media/StreamingLocator.cs index 9f1b25273271..3d7b7c0ee6ad 100644 --- a/sdk/dotnet/Media/StreamingLocator.cs +++ b/sdk/dotnet/Media/StreamingLocator.cs @@ -129,13 +129,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:media/v20180330preview:StreamingLocator" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180601preview:StreamingLocator" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:StreamingLocator" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:StreamingLocator" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:StreamingLocator" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:StreamingLocator" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220801:StreamingLocator" }, new global::Pulumi.Alias { Type = "azure-native:media/v20230101:StreamingLocator" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180330preview:media:StreamingLocator" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180601preview:media:StreamingLocator" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:StreamingLocator" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:StreamingLocator" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:StreamingLocator" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:StreamingLocator" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220801:media:StreamingLocator" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20230101:media:StreamingLocator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/StreamingPolicy.cs b/sdk/dotnet/Media/StreamingPolicy.cs index cc96681e15c2..12c685877b9b 100644 --- a/sdk/dotnet/Media/StreamingPolicy.cs +++ b/sdk/dotnet/Media/StreamingPolicy.cs @@ -104,14 +104,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20180330preview:StreamingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180601preview:StreamingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:StreamingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:StreamingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:StreamingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:StreamingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220801:StreamingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:media/v20230101:StreamingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180330preview:media:StreamingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180601preview:media:StreamingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:StreamingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:StreamingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:StreamingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:StreamingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220801:media:StreamingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20230101:media:StreamingPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/Track.cs b/sdk/dotnet/Media/Track.cs index 9812c8bd0c14..0f06104c8c3c 100644 --- a/sdk/dotnet/Media/Track.cs +++ b/sdk/dotnet/Media/Track.cs @@ -74,9 +74,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:Track" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220801:Track" }, new global::Pulumi.Alias { Type = "azure-native:media/v20230101:Track" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:Track" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220801:media:Track" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20230101:media:Track" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Media/Transform.cs b/sdk/dotnet/Media/Transform.cs index 42e20e987297..04642884d719 100644 --- a/sdk/dotnet/Media/Transform.cs +++ b/sdk/dotnet/Media/Transform.cs @@ -92,14 +92,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:media/v20180330preview:Transform" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180601preview:Transform" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20180701:Transform" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20200501:Transform" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20210601:Transform" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20211101:Transform" }, - new global::Pulumi.Alias { Type = "azure-native:media/v20220501preview:Transform" }, new global::Pulumi.Alias { Type = "azure-native:media/v20220701:Transform" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180330preview:media:Transform" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180601preview:media:Transform" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20180701:media:Transform" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20200501:media:Transform" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20210601:media:Transform" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20211101:media:Transform" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220501preview:media:Transform" }, + new global::Pulumi.Alias { Type = "azure-native_media_v20220701:media:Transform" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/AksAssessmentOperation.cs b/sdk/dotnet/Migrate/AksAssessmentOperation.cs index 3074f15a5281..a22220fcc338 100644 --- a/sdk/dotnet/Migrate/AksAssessmentOperation.cs +++ b/sdk/dotnet/Migrate/AksAssessmentOperation.cs @@ -102,6 +102,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:AksAssessmentOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:AksAssessmentOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:AksAssessmentOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:AksAssessmentOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:AksAssessmentOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:AksAssessmentOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:AksAssessmentOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/Assessment.cs b/sdk/dotnet/Migrate/Assessment.cs index dd2eeafac26f..69977470cac6 100644 --- a/sdk/dotnet/Migrate/Assessment.cs +++ b/sdk/dotnet/Migrate/Assessment.cs @@ -72,19 +72,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:migrate/v20180202:Assessment" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:Assessment" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:Assessment" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:AssessmentsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:Assessment" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:AssessmentsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:Assessment" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:AssessmentsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:Assessment" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:AssessmentsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:Assessment" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:AssessmentsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:AssessmentsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:Assessment" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:Assessment" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:Assessment" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:Assessment" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:Assessment" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:Assessment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/AssessmentProjectsOperation.cs b/sdk/dotnet/Migrate/AssessmentProjectsOperation.cs index 6e34364b3393..baa86d1e3f7a 100644 --- a/sdk/dotnet/Migrate/AssessmentProjectsOperation.cs +++ b/sdk/dotnet/Migrate/AssessmentProjectsOperation.cs @@ -151,7 +151,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:AssessmentProjectsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:Project" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:AssessmentProjectsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:AssessmentProjectsOperation" }, @@ -159,6 +158,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:AssessmentProjectsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:AssessmentProjectsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:Project" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:AssessmentProjectsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:AssessmentProjectsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:AssessmentProjectsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:AssessmentProjectsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:AssessmentProjectsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:AssessmentProjectsOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/AssessmentsOperation.cs b/sdk/dotnet/Migrate/AssessmentsOperation.cs index c788b437c339..d3019b5b6fea 100644 --- a/sdk/dotnet/Migrate/AssessmentsOperation.cs +++ b/sdk/dotnet/Migrate/AssessmentsOperation.cs @@ -333,13 +333,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:Assessment" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:AssessmentsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:AssessmentsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:AssessmentsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:AssessmentsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:AssessmentsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:AssessmentsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:Assessment" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:AssessmentsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:AssessmentsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:AssessmentsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:AssessmentsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:AssessmentsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:AssessmentsOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/AvsAssessmentsOperation.cs b/sdk/dotnet/Migrate/AvsAssessmentsOperation.cs index 1c42031e5243..a340d79f9ac1 100644 --- a/sdk/dotnet/Migrate/AvsAssessmentsOperation.cs +++ b/sdk/dotnet/Migrate/AvsAssessmentsOperation.cs @@ -385,6 +385,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:AvsAssessmentsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:AvsAssessmentsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:AvsAssessmentsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:AvsAssessmentsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:AvsAssessmentsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:AvsAssessmentsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:AvsAssessmentsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:AvsAssessmentsOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/BusinessCaseOperation.cs b/sdk/dotnet/Migrate/BusinessCaseOperation.cs index 8f423db9bce6..46a911249b7b 100644 --- a/sdk/dotnet/Migrate/BusinessCaseOperation.cs +++ b/sdk/dotnet/Migrate/BusinessCaseOperation.cs @@ -96,6 +96,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:BusinessCaseOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:BusinessCaseOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:BusinessCaseOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:BusinessCaseOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:BusinessCaseOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:BusinessCaseOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:BusinessCaseOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/Group.cs b/sdk/dotnet/Migrate/Group.cs index 448221d5a91e..63f03dcfa7ac 100644 --- a/sdk/dotnet/Migrate/Group.cs +++ b/sdk/dotnet/Migrate/Group.cs @@ -72,19 +72,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:migrate/v20180202:Group" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:Group" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:Group" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:GroupsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:Group" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:GroupsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:Group" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:GroupsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:Group" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:GroupsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:Group" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:GroupsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:GroupsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:Group" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:Group" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:Group" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:Group" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:Group" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:Group" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/GroupsOperation.cs b/sdk/dotnet/Migrate/GroupsOperation.cs index a62b89791e9d..263a543bb4d0 100644 --- a/sdk/dotnet/Migrate/GroupsOperation.cs +++ b/sdk/dotnet/Migrate/GroupsOperation.cs @@ -123,13 +123,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:Group" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:GroupsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:GroupsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:GroupsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:GroupsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:GroupsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:GroupsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:Group" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:GroupsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:GroupsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:GroupsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:GroupsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:GroupsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:GroupsOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/HyperVCollector.cs b/sdk/dotnet/Migrate/HyperVCollector.cs index 38333cd39807..11edf2b0f9bf 100644 --- a/sdk/dotnet/Migrate/HyperVCollector.cs +++ b/sdk/dotnet/Migrate/HyperVCollector.cs @@ -59,17 +59,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:HyperVCollector" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:HyperVCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:HypervCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:HyperVCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:HypervCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:HyperVCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:HypervCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:HyperVCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:HypervCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:HyperVCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:HypervCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:HypervCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:HyperVCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:HyperVCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:HyperVCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:HyperVCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:HyperVCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:HyperVCollector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/HypervCollectorsOperation.cs b/sdk/dotnet/Migrate/HypervCollectorsOperation.cs index bbb8e26756e9..30a10e25bb47 100644 --- a/sdk/dotnet/Migrate/HypervCollectorsOperation.cs +++ b/sdk/dotnet/Migrate/HypervCollectorsOperation.cs @@ -99,13 +99,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:HyperVCollector" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:HypervCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:HypervCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:HypervCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:HypervCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:HypervCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:HypervCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:HyperVCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:HypervCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:HypervCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:HypervCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:HypervCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:HypervCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:HypervCollectorsOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/ImportCollector.cs b/sdk/dotnet/Migrate/ImportCollector.cs index c87262d965d4..2d960b4dbf61 100644 --- a/sdk/dotnet/Migrate/ImportCollector.cs +++ b/sdk/dotnet/Migrate/ImportCollector.cs @@ -59,17 +59,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:ImportCollector" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:ImportCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:ImportCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:ImportCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:ImportCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:ImportCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:ImportCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:ImportCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:ImportCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:ImportCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:ImportCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:ImportCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:ImportCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:ImportCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:ImportCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:ImportCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:ImportCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:ImportCollector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/ImportCollectorsOperation.cs b/sdk/dotnet/Migrate/ImportCollectorsOperation.cs index 9aab2b37dca1..284696bb5f77 100644 --- a/sdk/dotnet/Migrate/ImportCollectorsOperation.cs +++ b/sdk/dotnet/Migrate/ImportCollectorsOperation.cs @@ -93,13 +93,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:ImportCollector" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:ImportCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:ImportCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:ImportCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:ImportCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:ImportCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:ImportCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:ImportCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:ImportCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:ImportCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:ImportCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:ImportCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:ImportCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:ImportCollectorsOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/MigrateAgent.cs b/sdk/dotnet/Migrate/MigrateAgent.cs index be07d74160fd..0c12ffcf5d39 100644 --- a/sdk/dotnet/Migrate/MigrateAgent.cs +++ b/sdk/dotnet/Migrate/MigrateAgent.cs @@ -76,6 +76,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20220501preview:MigrateAgent" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20220501preview:migrate:MigrateAgent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/MigrateProject.cs b/sdk/dotnet/Migrate/MigrateProject.cs index 5cfbcd8a85a7..5b6e3dda6141 100644 --- a/sdk/dotnet/Migrate/MigrateProject.cs +++ b/sdk/dotnet/Migrate/MigrateProject.cs @@ -85,11 +85,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20180901preview:MigrateProject" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20200501:MigrateProject" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20200501:MigrateProjectsControllerMigrateProject" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230101:MigrateProject" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230101:MigrateProjectsControllerMigrateProject" }, new global::Pulumi.Alias { Type = "azure-native:migrate:MigrateProjectsControllerMigrateProject" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20180901preview:migrate:MigrateProject" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20200501:migrate:MigrateProject" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230101:migrate:MigrateProject" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/MigrateProjectsControllerMigrateProject.cs b/sdk/dotnet/Migrate/MigrateProjectsControllerMigrateProject.cs index 432f52960177..820eb0cd768f 100644 --- a/sdk/dotnet/Migrate/MigrateProjectsControllerMigrateProject.cs +++ b/sdk/dotnet/Migrate/MigrateProjectsControllerMigrateProject.cs @@ -87,10 +87,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20180901preview:MigrateProject" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20180901preview:MigrateProjectsControllerMigrateProject" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20200501:MigrateProjectsControllerMigrateProject" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230101:MigrateProjectsControllerMigrateProject" }, new global::Pulumi.Alias { Type = "azure-native:migrate:MigrateProject" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20180901preview:migrate:MigrateProjectsControllerMigrateProject" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20200501:migrate:MigrateProjectsControllerMigrateProject" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230101:migrate:MigrateProjectsControllerMigrateProject" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/ModernizeProject.cs b/sdk/dotnet/Migrate/ModernizeProject.cs index c0666a11b6a9..da6f11720295 100644 --- a/sdk/dotnet/Migrate/ModernizeProject.cs +++ b/sdk/dotnet/Migrate/ModernizeProject.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20220501preview:ModernizeProject" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20220501preview:migrate:ModernizeProject" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/MoveCollection.cs b/sdk/dotnet/Migrate/MoveCollection.cs index 63a349407de6..4348efffb8e1 100644 --- a/sdk/dotnet/Migrate/MoveCollection.cs +++ b/sdk/dotnet/Migrate/MoveCollection.cs @@ -98,11 +98,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001preview:MoveCollection" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20210101:MoveCollection" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20210801:MoveCollection" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20220801:MoveCollection" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230801:MoveCollection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001preview:migrate:MoveCollection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20210101:migrate:MoveCollection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20210801:migrate:MoveCollection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20220801:migrate:MoveCollection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230801:migrate:MoveCollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/MoveResource.cs b/sdk/dotnet/Migrate/MoveResource.cs index cb3c1b58d70f..3cffaa01600b 100644 --- a/sdk/dotnet/Migrate/MoveResource.cs +++ b/sdk/dotnet/Migrate/MoveResource.cs @@ -74,11 +74,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001preview:MoveResource" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20210101:MoveResource" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20210801:MoveResource" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20220801:MoveResource" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230801:MoveResource" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001preview:migrate:MoveResource" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20210101:migrate:MoveResource" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20210801:migrate:MoveResource" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20220801:migrate:MoveResource" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230801:migrate:MoveResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/PrivateEndpointConnection.cs b/sdk/dotnet/Migrate/PrivateEndpointConnection.cs index fe034b61d3ef..e595ffde3393 100644 --- a/sdk/dotnet/Migrate/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Migrate/PrivateEndpointConnection.cs @@ -73,17 +73,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:PrivateEndpointConnectionOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:PrivateEndpointConnectionOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:PrivateEndpointConnectionOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:PrivateEndpointConnectionOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:PrivateEndpointConnectionOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:PrivateEndpointConnectionOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/PrivateEndpointConnectionControllerPrivateEndpointConnection.cs b/sdk/dotnet/Migrate/PrivateEndpointConnectionControllerPrivateEndpointConnection.cs index 98d5bc2dee7f..cbb433aa2b99 100644 --- a/sdk/dotnet/Migrate/PrivateEndpointConnectionControllerPrivateEndpointConnection.cs +++ b/sdk/dotnet/Migrate/PrivateEndpointConnectionControllerPrivateEndpointConnection.cs @@ -82,6 +82,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:migrate/v20200501:PrivateEndpointConnectionControllerPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230101:PrivateEndpointConnectionControllerPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20200501:migrate:PrivateEndpointConnectionControllerPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230101:migrate:PrivateEndpointConnectionControllerPrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/PrivateEndpointConnectionOperation.cs b/sdk/dotnet/Migrate/PrivateEndpointConnectionOperation.cs index 382a8f86e80f..ba0c9bd2f7e5 100644 --- a/sdk/dotnet/Migrate/PrivateEndpointConnectionOperation.cs +++ b/sdk/dotnet/Migrate/PrivateEndpointConnectionOperation.cs @@ -93,13 +93,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:PrivateEndpointConnectionOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:PrivateEndpointConnectionOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:PrivateEndpointConnectionOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:PrivateEndpointConnectionOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:PrivateEndpointConnectionOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:PrivateEndpointConnectionOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:PrivateEndpointConnectionOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:PrivateEndpointConnectionOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:PrivateEndpointConnectionOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:PrivateEndpointConnectionOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:PrivateEndpointConnectionOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:PrivateEndpointConnectionOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/Project.cs b/sdk/dotnet/Migrate/Project.cs index a9c4d052c8ea..5a073ed179df 100644 --- a/sdk/dotnet/Migrate/Project.cs +++ b/sdk/dotnet/Migrate/Project.cs @@ -84,19 +84,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:migrate/v20180202:Project" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:Project" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:AssessmentProjectsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:Project" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:AssessmentProjectsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:AssessmentProjectsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:AssessmentProjectsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:AssessmentProjectsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:migrate:AssessmentProjectsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:Project" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:Project" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:Project" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:Project" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:Project" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:Project" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/ServerCollector.cs b/sdk/dotnet/Migrate/ServerCollector.cs index 0e5e2428c1e9..9c4a3c140655 100644 --- a/sdk/dotnet/Migrate/ServerCollector.cs +++ b/sdk/dotnet/Migrate/ServerCollector.cs @@ -59,17 +59,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:ServerCollector" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:ServerCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:ServerCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:ServerCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:ServerCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:ServerCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:ServerCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:ServerCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:ServerCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:ServerCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:ServerCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:ServerCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:ServerCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:ServerCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:ServerCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:ServerCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:ServerCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:ServerCollector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/ServerCollectorsOperation.cs b/sdk/dotnet/Migrate/ServerCollectorsOperation.cs index 0241138a3d54..3d07aeb5845f 100644 --- a/sdk/dotnet/Migrate/ServerCollectorsOperation.cs +++ b/sdk/dotnet/Migrate/ServerCollectorsOperation.cs @@ -99,13 +99,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:ServerCollector" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:ServerCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:ServerCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:ServerCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:ServerCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:ServerCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:ServerCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:ServerCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:ServerCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:ServerCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:ServerCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:ServerCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:ServerCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:ServerCollectorsOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/Solution.cs b/sdk/dotnet/Migrate/Solution.cs index 767126428c08..0788b7bc8f9f 100644 --- a/sdk/dotnet/Migrate/Solution.cs +++ b/sdk/dotnet/Migrate/Solution.cs @@ -73,9 +73,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20180901preview:Solution" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230101:Solution" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230101:SolutionsControllerSolution" }, new global::Pulumi.Alias { Type = "azure-native:migrate:SolutionsControllerSolution" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20180901preview:migrate:Solution" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230101:migrate:Solution" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/SqlAssessmentV2Operation.cs b/sdk/dotnet/Migrate/SqlAssessmentV2Operation.cs index cb400829c459..165ee6836af6 100644 --- a/sdk/dotnet/Migrate/SqlAssessmentV2Operation.cs +++ b/sdk/dotnet/Migrate/SqlAssessmentV2Operation.cs @@ -306,6 +306,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:SqlAssessmentV2Operation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:SqlAssessmentV2Operation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:SqlAssessmentV2Operation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:SqlAssessmentV2Operation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:SqlAssessmentV2Operation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:SqlAssessmentV2Operation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:SqlAssessmentV2Operation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:SqlAssessmentV2Operation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/SqlCollectorOperation.cs b/sdk/dotnet/Migrate/SqlCollectorOperation.cs index 8717cb9a80ba..0a71f116a6e3 100644 --- a/sdk/dotnet/Migrate/SqlCollectorOperation.cs +++ b/sdk/dotnet/Migrate/SqlCollectorOperation.cs @@ -103,6 +103,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:SqlCollectorOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:SqlCollectorOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:SqlCollectorOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:SqlCollectorOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:SqlCollectorOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:SqlCollectorOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:SqlCollectorOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:SqlCollectorOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/VMwareCollector.cs b/sdk/dotnet/Migrate/VMwareCollector.cs index 2883c9da5860..10d0839c64b0 100644 --- a/sdk/dotnet/Migrate/VMwareCollector.cs +++ b/sdk/dotnet/Migrate/VMwareCollector.cs @@ -59,17 +59,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:VMwareCollector" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:VMwareCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:VmwareCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:VMwareCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:VmwareCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:VMwareCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:VmwareCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:VMwareCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:VmwareCollectorsOperation" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:VMwareCollector" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:VmwareCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:VmwareCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:VMwareCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:VMwareCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:VMwareCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:VMwareCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:VMwareCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:VMwareCollector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/VmwareCollectorsOperation.cs b/sdk/dotnet/Migrate/VmwareCollectorsOperation.cs index b44f95496075..005997de715b 100644 --- a/sdk/dotnet/Migrate/VmwareCollectorsOperation.cs +++ b/sdk/dotnet/Migrate/VmwareCollectorsOperation.cs @@ -99,13 +99,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:VMwareCollector" }, - new global::Pulumi.Alias { Type = "azure-native:migrate/v20191001:VmwareCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230315:VmwareCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230401preview:VmwareCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:VmwareCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:VmwareCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:VmwareCollectorsOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate:VMwareCollector" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20191001:migrate:VmwareCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230315:migrate:VmwareCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:VmwareCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:VmwareCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:VmwareCollectorsOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:VmwareCollectorsOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/WebAppAssessmentV2Operation.cs b/sdk/dotnet/Migrate/WebAppAssessmentV2Operation.cs index becfbda86fa7..459ebe2645d2 100644 --- a/sdk/dotnet/Migrate/WebAppAssessmentV2Operation.cs +++ b/sdk/dotnet/Migrate/WebAppAssessmentV2Operation.cs @@ -244,6 +244,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:WebAppAssessmentV2Operation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:WebAppAssessmentV2Operation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:WebAppAssessmentV2Operation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:WebAppAssessmentV2Operation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:WebAppAssessmentV2Operation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:WebAppAssessmentV2Operation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:WebAppAssessmentV2Operation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/WebAppCollectorOperation.cs b/sdk/dotnet/Migrate/WebAppCollectorOperation.cs index 366aec1288a4..506de87b341a 100644 --- a/sdk/dotnet/Migrate/WebAppCollectorOperation.cs +++ b/sdk/dotnet/Migrate/WebAppCollectorOperation.cs @@ -102,6 +102,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:migrate/v20230501preview:WebAppCollectorOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20230909preview:WebAppCollectorOperation" }, new global::Pulumi.Alias { Type = "azure-native:migrate/v20240101preview:WebAppCollectorOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230401preview:migrate:WebAppCollectorOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230501preview:migrate:WebAppCollectorOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20230909preview:migrate:WebAppCollectorOperation" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20240101preview:migrate:WebAppCollectorOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/WorkloadDeployment.cs b/sdk/dotnet/Migrate/WorkloadDeployment.cs index f5fa50ef117f..fb71a314bd26 100644 --- a/sdk/dotnet/Migrate/WorkloadDeployment.cs +++ b/sdk/dotnet/Migrate/WorkloadDeployment.cs @@ -76,6 +76,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20220501preview:WorkloadDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20220501preview:migrate:WorkloadDeployment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Migrate/WorkloadInstance.cs b/sdk/dotnet/Migrate/WorkloadInstance.cs index 3aa3b1d3c4b4..d82afdba62a5 100644 --- a/sdk/dotnet/Migrate/WorkloadInstance.cs +++ b/sdk/dotnet/Migrate/WorkloadInstance.cs @@ -76,6 +76,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:migrate/v20220501preview:WorkloadInstance" }, + new global::Pulumi.Alias { Type = "azure-native_migrate_v20220501preview:migrate:WorkloadInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MixedReality/ObjectAnchorsAccount.cs b/sdk/dotnet/MixedReality/ObjectAnchorsAccount.cs index 8687a66c93ed..e7af4b2a7cc9 100644 --- a/sdk/dotnet/MixedReality/ObjectAnchorsAccount.cs +++ b/sdk/dotnet/MixedReality/ObjectAnchorsAccount.cs @@ -118,6 +118,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:mixedreality/v20210301preview:ObjectAnchorsAccount" }, + new global::Pulumi.Alias { Type = "azure-native_mixedreality_v20210301preview:mixedreality:ObjectAnchorsAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MixedReality/RemoteRenderingAccount.cs b/sdk/dotnet/MixedReality/RemoteRenderingAccount.cs index 0087154a5bae..ad470142b08f 100644 --- a/sdk/dotnet/MixedReality/RemoteRenderingAccount.cs +++ b/sdk/dotnet/MixedReality/RemoteRenderingAccount.cs @@ -122,11 +122,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mixedreality/v20191202preview:RemoteRenderingAccount" }, - new global::Pulumi.Alias { Type = "azure-native:mixedreality/v20200406preview:RemoteRenderingAccount" }, new global::Pulumi.Alias { Type = "azure-native:mixedreality/v20210101:RemoteRenderingAccount" }, new global::Pulumi.Alias { Type = "azure-native:mixedreality/v20210301preview:RemoteRenderingAccount" }, - new global::Pulumi.Alias { Type = "azure-native:mixedreality/v20250101:RemoteRenderingAccount" }, + new global::Pulumi.Alias { Type = "azure-native_mixedreality_v20191202preview:mixedreality:RemoteRenderingAccount" }, + new global::Pulumi.Alias { Type = "azure-native_mixedreality_v20200406preview:mixedreality:RemoteRenderingAccount" }, + new global::Pulumi.Alias { Type = "azure-native_mixedreality_v20210101:mixedreality:RemoteRenderingAccount" }, + new global::Pulumi.Alias { Type = "azure-native_mixedreality_v20210301preview:mixedreality:RemoteRenderingAccount" }, + new global::Pulumi.Alias { Type = "azure-native_mixedreality_v20250101:mixedreality:RemoteRenderingAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MixedReality/SpatialAnchorsAccount.cs b/sdk/dotnet/MixedReality/SpatialAnchorsAccount.cs index 32ab61a0c253..26d5f6f2d263 100644 --- a/sdk/dotnet/MixedReality/SpatialAnchorsAccount.cs +++ b/sdk/dotnet/MixedReality/SpatialAnchorsAccount.cs @@ -122,11 +122,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mixedreality/v20190228preview:SpatialAnchorsAccount" }, - new global::Pulumi.Alias { Type = "azure-native:mixedreality/v20191202preview:SpatialAnchorsAccount" }, - new global::Pulumi.Alias { Type = "azure-native:mixedreality/v20200501:SpatialAnchorsAccount" }, new global::Pulumi.Alias { Type = "azure-native:mixedreality/v20210101:SpatialAnchorsAccount" }, new global::Pulumi.Alias { Type = "azure-native:mixedreality/v20210301preview:SpatialAnchorsAccount" }, + new global::Pulumi.Alias { Type = "azure-native_mixedreality_v20190228preview:mixedreality:SpatialAnchorsAccount" }, + new global::Pulumi.Alias { Type = "azure-native_mixedreality_v20191202preview:mixedreality:SpatialAnchorsAccount" }, + new global::Pulumi.Alias { Type = "azure-native_mixedreality_v20200501:mixedreality:SpatialAnchorsAccount" }, + new global::Pulumi.Alias { Type = "azure-native_mixedreality_v20210101:mixedreality:SpatialAnchorsAccount" }, + new global::Pulumi.Alias { Type = "azure-native_mixedreality_v20210301preview:mixedreality:SpatialAnchorsAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/AttachedDataNetwork.cs b/sdk/dotnet/MobileNetwork/AttachedDataNetwork.cs index 14d4fe938644..397fcf389250 100644 --- a/sdk/dotnet/MobileNetwork/AttachedDataNetwork.cs +++ b/sdk/dotnet/MobileNetwork/AttachedDataNetwork.cs @@ -121,13 +121,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220301preview:AttachedDataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220401preview:AttachedDataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20221101:AttachedDataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230601:AttachedDataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:AttachedDataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:AttachedDataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:AttachedDataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220301preview:mobilenetwork:AttachedDataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220401preview:mobilenetwork:AttachedDataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20221101:mobilenetwork:AttachedDataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:AttachedDataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:AttachedDataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:AttachedDataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:AttachedDataNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/DataNetwork.cs b/sdk/dotnet/MobileNetwork/DataNetwork.cs index f26a5a0b4446..d5965a24826a 100644 --- a/sdk/dotnet/MobileNetwork/DataNetwork.cs +++ b/sdk/dotnet/MobileNetwork/DataNetwork.cs @@ -92,13 +92,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220301preview:DataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220401preview:DataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20221101:DataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230601:DataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:DataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:DataNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:DataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220301preview:mobilenetwork:DataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220401preview:mobilenetwork:DataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20221101:mobilenetwork:DataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:DataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:DataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:DataNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:DataNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/DiagnosticsPackage.cs b/sdk/dotnet/MobileNetwork/DiagnosticsPackage.cs index b859d45b415e..747299403fec 100644 --- a/sdk/dotnet/MobileNetwork/DiagnosticsPackage.cs +++ b/sdk/dotnet/MobileNetwork/DiagnosticsPackage.cs @@ -90,6 +90,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:DiagnosticsPackage" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:DiagnosticsPackage" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:DiagnosticsPackage" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:DiagnosticsPackage" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:DiagnosticsPackage" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:DiagnosticsPackage" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:DiagnosticsPackage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/MobileNetwork.cs b/sdk/dotnet/MobileNetwork/MobileNetwork.cs index 7b734cade9c6..aed828c26890 100644 --- a/sdk/dotnet/MobileNetwork/MobileNetwork.cs +++ b/sdk/dotnet/MobileNetwork/MobileNetwork.cs @@ -110,13 +110,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220301preview:MobileNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220401preview:MobileNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20221101:MobileNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230601:MobileNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:MobileNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:MobileNetwork" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:MobileNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220301preview:mobilenetwork:MobileNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220401preview:mobilenetwork:MobileNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20221101:mobilenetwork:MobileNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:MobileNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:MobileNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:MobileNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:MobileNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/PacketCapture.cs b/sdk/dotnet/MobileNetwork/PacketCapture.cs index 10526f413daf..58e023f967d5 100644 --- a/sdk/dotnet/MobileNetwork/PacketCapture.cs +++ b/sdk/dotnet/MobileNetwork/PacketCapture.cs @@ -126,6 +126,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:PacketCapture" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:PacketCapture" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCapture" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/PacketCoreControlPlane.cs b/sdk/dotnet/MobileNetwork/PacketCoreControlPlane.cs index 3dba6f6d468f..4a96cba0dfee 100644 --- a/sdk/dotnet/MobileNetwork/PacketCoreControlPlane.cs +++ b/sdk/dotnet/MobileNetwork/PacketCoreControlPlane.cs @@ -207,6 +207,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:PacketCoreControlPlane" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:PacketCoreControlPlane" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:PacketCoreControlPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220301preview:mobilenetwork:PacketCoreControlPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220401preview:mobilenetwork:PacketCoreControlPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20221101:mobilenetwork:PacketCoreControlPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCoreControlPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCoreControlPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCoreControlPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCoreControlPlane" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/PacketCoreDataPlane.cs b/sdk/dotnet/MobileNetwork/PacketCoreDataPlane.cs index 791b53d0efb8..9050102b5328 100644 --- a/sdk/dotnet/MobileNetwork/PacketCoreDataPlane.cs +++ b/sdk/dotnet/MobileNetwork/PacketCoreDataPlane.cs @@ -98,13 +98,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220301preview:PacketCoreDataPlane" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220401preview:PacketCoreDataPlane" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20221101:PacketCoreDataPlane" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230601:PacketCoreDataPlane" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:PacketCoreDataPlane" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:PacketCoreDataPlane" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:PacketCoreDataPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220301preview:mobilenetwork:PacketCoreDataPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220401preview:mobilenetwork:PacketCoreDataPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20221101:mobilenetwork:PacketCoreDataPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCoreDataPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCoreDataPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCoreDataPlane" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCoreDataPlane" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/Service.cs b/sdk/dotnet/MobileNetwork/Service.cs index 72fd5e8da71b..ba26c09d445c 100644 --- a/sdk/dotnet/MobileNetwork/Service.cs +++ b/sdk/dotnet/MobileNetwork/Service.cs @@ -104,13 +104,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220301preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220401preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20221101:Service" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230601:Service" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:Service" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:Service" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:Service" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220301preview:mobilenetwork:Service" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Service" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20221101:mobilenetwork:Service" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:Service" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:Service" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:Service" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:Service" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/Sim.cs b/sdk/dotnet/MobileNetwork/Sim.cs index 0d55e8cebd27..01d215d81e8c 100644 --- a/sdk/dotnet/MobileNetwork/Sim.cs +++ b/sdk/dotnet/MobileNetwork/Sim.cs @@ -128,13 +128,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220301preview:Sim" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220401preview:Sim" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20221101:Sim" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230601:Sim" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:Sim" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:Sim" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:Sim" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Sim" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20221101:mobilenetwork:Sim" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:Sim" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:Sim" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:Sim" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:Sim" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/SimGroup.cs b/sdk/dotnet/MobileNetwork/SimGroup.cs index 3f31257143e4..a6095799f15b 100644 --- a/sdk/dotnet/MobileNetwork/SimGroup.cs +++ b/sdk/dotnet/MobileNetwork/SimGroup.cs @@ -110,6 +110,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:SimGroup" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:SimGroup" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:SimGroup" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220401preview:mobilenetwork:SimGroup" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20221101:mobilenetwork:SimGroup" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:SimGroup" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:SimGroup" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:SimGroup" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:SimGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/SimPolicy.cs b/sdk/dotnet/MobileNetwork/SimPolicy.cs index ae315821ff11..e003c3041ec0 100644 --- a/sdk/dotnet/MobileNetwork/SimPolicy.cs +++ b/sdk/dotnet/MobileNetwork/SimPolicy.cs @@ -122,13 +122,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220301preview:SimPolicy" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220401preview:SimPolicy" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20221101:SimPolicy" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230601:SimPolicy" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:SimPolicy" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:SimPolicy" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:SimPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220301preview:mobilenetwork:SimPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220401preview:mobilenetwork:SimPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20221101:mobilenetwork:SimPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:SimPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:SimPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:SimPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:SimPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/Site.cs b/sdk/dotnet/MobileNetwork/Site.cs index ce3a55ab20c2..0117cd7fffbd 100644 --- a/sdk/dotnet/MobileNetwork/Site.cs +++ b/sdk/dotnet/MobileNetwork/Site.cs @@ -92,13 +92,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220301preview:Site" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220401preview:Site" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20221101:Site" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230601:Site" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:Site" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:Site" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:Site" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220301preview:mobilenetwork:Site" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Site" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20221101:mobilenetwork:Site" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:Site" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:Site" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:Site" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:Site" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MobileNetwork/Slice.cs b/sdk/dotnet/MobileNetwork/Slice.cs index 9d1055183c28..64aed1b89bd5 100644 --- a/sdk/dotnet/MobileNetwork/Slice.cs +++ b/sdk/dotnet/MobileNetwork/Slice.cs @@ -98,13 +98,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220301preview:Slice" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20220401preview:Slice" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20221101:Slice" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230601:Slice" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20230901:Slice" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240201:Slice" }, new global::Pulumi.Alias { Type = "azure-native:mobilenetwork/v20240401:Slice" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220301preview:mobilenetwork:Slice" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Slice" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20221101:mobilenetwork:Slice" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230601:mobilenetwork:Slice" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20230901:mobilenetwork:Slice" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240201:mobilenetwork:Slice" }, + new global::Pulumi.Alias { Type = "azure-native_mobilenetwork_v20240401:mobilenetwork:Slice" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MongoCluster/FirewallRule.cs b/sdk/dotnet/MongoCluster/FirewallRule.cs index 9607b372540e..4c48a73f5b9b 100644 --- a/sdk/dotnet/MongoCluster/FirewallRule.cs +++ b/sdk/dotnet/MongoCluster/FirewallRule.cs @@ -84,10 +84,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241001preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:MongoClusterFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20240301preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20240601preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20240701:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20241001preview:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20240301preview:mongocluster:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20240601preview:mongocluster:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20240701:mongocluster:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20241001preview:mongocluster:FirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MongoCluster/MongoCluster.cs b/sdk/dotnet/MongoCluster/MongoCluster.cs index cc4fdf5cd306..30317034968f 100644 --- a/sdk/dotnet/MongoCluster/MongoCluster.cs +++ b/sdk/dotnet/MongoCluster/MongoCluster.cs @@ -95,10 +95,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240701:MongoCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241001preview:MongoCluster" }, new global::Pulumi.Alias { Type = "azure-native:documentdb:MongoCluster" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20240301preview:MongoCluster" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20240601preview:MongoCluster" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20240701:MongoCluster" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20241001preview:MongoCluster" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20240301preview:mongocluster:MongoCluster" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20240601preview:mongocluster:MongoCluster" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20240701:mongocluster:MongoCluster" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20241001preview:mongocluster:MongoCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MongoCluster/PrivateEndpointConnection.cs b/sdk/dotnet/MongoCluster/PrivateEndpointConnection.cs index ff86dd62d1be..96cf0ff5cfdd 100644 --- a/sdk/dotnet/MongoCluster/PrivateEndpointConnection.cs +++ b/sdk/dotnet/MongoCluster/PrivateEndpointConnection.cs @@ -78,10 +78,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240601preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20240701:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:documentdb/v20241001preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20240301preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20240601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20240701:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:mongocluster/v20241001preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20240301preview:mongocluster:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20240601preview:mongocluster:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20240701:mongocluster:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_mongocluster_v20241001preview:mongocluster:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/ActionGroup.cs b/sdk/dotnet/Monitor/ActionGroup.cs index 9eab1e0823f6..32ab5a940ff0 100644 --- a/sdk/dotnet/Monitor/ActionGroup.cs +++ b/sdk/dotnet/Monitor/ActionGroup.cs @@ -168,17 +168,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:insights/v20230901preview:ActionGroup" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20241001preview:ActionGroup" }, new global::Pulumi.Alias { Type = "azure-native:insights:ActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20170401:ActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20180301:ActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20180901:ActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20190301:ActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20190601:ActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210901:ActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20220401:ActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20220601:ActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20230101:ActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20230901preview:ActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20241001preview:ActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20170401:monitor:ActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20180301:monitor:ActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20180901:monitor:ActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20190301:monitor:ActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20190601:monitor:ActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210901:monitor:ActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20220401:monitor:ActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20220601:monitor:ActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20230101:monitor:ActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20230901preview:monitor:ActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20241001preview:monitor:ActionGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/AutoscaleSetting.cs b/sdk/dotnet/Monitor/AutoscaleSetting.cs index 8cd16f62b303..dde014b99994 100644 --- a/sdk/dotnet/Monitor/AutoscaleSetting.cs +++ b/sdk/dotnet/Monitor/AutoscaleSetting.cs @@ -86,10 +86,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:insights/v20221001:AutoscaleSetting" }, new global::Pulumi.Alias { Type = "azure-native:insights:AutoscaleSetting" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20140401:AutoscaleSetting" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20150401:AutoscaleSetting" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210501preview:AutoscaleSetting" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20221001:AutoscaleSetting" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20140401:monitor:AutoscaleSetting" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20150401:monitor:AutoscaleSetting" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210501preview:monitor:AutoscaleSetting" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20221001:monitor:AutoscaleSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/AzureMonitorWorkspace.cs b/sdk/dotnet/Monitor/AzureMonitorWorkspace.cs index 664076baa9a4..9bf3fc051c45 100644 --- a/sdk/dotnet/Monitor/AzureMonitorWorkspace.cs +++ b/sdk/dotnet/Monitor/AzureMonitorWorkspace.cs @@ -122,9 +122,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210603preview:AzureMonitorWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:monitor/v20230403:AzureMonitorWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:monitor/v20231001preview:AzureMonitorWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210603preview:monitor:AzureMonitorWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20230403:monitor:AzureMonitorWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20231001preview:monitor:AzureMonitorWorkspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/DiagnosticSetting.cs b/sdk/dotnet/Monitor/DiagnosticSetting.cs index 190d51bb35bb..0d5e63a1cabb 100644 --- a/sdk/dotnet/Monitor/DiagnosticSetting.cs +++ b/sdk/dotnet/Monitor/DiagnosticSetting.cs @@ -122,8 +122,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:insights/v20210501preview:DiagnosticSetting" }, new global::Pulumi.Alias { Type = "azure-native:insights:DiagnosticSetting" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20170501preview:DiagnosticSetting" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210501preview:DiagnosticSetting" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20170501preview:monitor:DiagnosticSetting" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210501preview:monitor:DiagnosticSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/ManagementGroupDiagnosticSetting.cs b/sdk/dotnet/Monitor/ManagementGroupDiagnosticSetting.cs index bc11db75f289..f806c4791308 100644 --- a/sdk/dotnet/Monitor/ManagementGroupDiagnosticSetting.cs +++ b/sdk/dotnet/Monitor/ManagementGroupDiagnosticSetting.cs @@ -111,8 +111,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:insights/v20200101preview:ManagementGroupDiagnosticSetting" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20210501preview:ManagementGroupDiagnosticSetting" }, new global::Pulumi.Alias { Type = "azure-native:insights:ManagementGroupDiagnosticSetting" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20200101preview:ManagementGroupDiagnosticSetting" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210501preview:ManagementGroupDiagnosticSetting" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20200101preview:monitor:ManagementGroupDiagnosticSetting" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210501preview:monitor:ManagementGroupDiagnosticSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/PipelineGroup.cs b/sdk/dotnet/Monitor/PipelineGroup.cs index e43e449bb1cd..c03b406f697e 100644 --- a/sdk/dotnet/Monitor/PipelineGroup.cs +++ b/sdk/dotnet/Monitor/PipelineGroup.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:monitor/v20231001preview:PipelineGroup" }, new global::Pulumi.Alias { Type = "azure-native:monitor/v20241001preview:PipelineGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20231001preview:monitor:PipelineGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20241001preview:monitor:PipelineGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/PrivateEndpointConnection.cs b/sdk/dotnet/Monitor/PrivateEndpointConnection.cs index 93d4633149c6..4e45018a481b 100644 --- a/sdk/dotnet/Monitor/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Monitor/PrivateEndpointConnection.cs @@ -85,10 +85,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:insights/v20210901:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20230601preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:insights:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20191017preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210701preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210901:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20230601preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20191017preview:monitor:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210701preview:monitor:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210901:monitor:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20230601preview:monitor:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/PrivateLinkScope.cs b/sdk/dotnet/Monitor/PrivateLinkScope.cs index f9b80e06166b..499529d6911d 100644 --- a/sdk/dotnet/Monitor/PrivateLinkScope.cs +++ b/sdk/dotnet/Monitor/PrivateLinkScope.cs @@ -103,10 +103,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:insights/v20210901:PrivateLinkScope" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20230601preview:PrivateLinkScope" }, new global::Pulumi.Alias { Type = "azure-native:insights:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20191017preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210701preview:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210901:PrivateLinkScope" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20230601preview:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20191017preview:monitor:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210701preview:monitor:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210901:monitor:PrivateLinkScope" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20230601preview:monitor:PrivateLinkScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/PrivateLinkScopedResource.cs b/sdk/dotnet/Monitor/PrivateLinkScopedResource.cs index 700a1f2bddab..b362586e54a8 100644 --- a/sdk/dotnet/Monitor/PrivateLinkScopedResource.cs +++ b/sdk/dotnet/Monitor/PrivateLinkScopedResource.cs @@ -96,10 +96,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:insights/v20210901:PrivateLinkScopedResource" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20230601preview:PrivateLinkScopedResource" }, new global::Pulumi.Alias { Type = "azure-native:insights:PrivateLinkScopedResource" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20191017preview:PrivateLinkScopedResource" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210701preview:PrivateLinkScopedResource" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210901:PrivateLinkScopedResource" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20230601preview:PrivateLinkScopedResource" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20191017preview:monitor:PrivateLinkScopedResource" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210701preview:monitor:PrivateLinkScopedResource" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210901:monitor:PrivateLinkScopedResource" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20230601preview:monitor:PrivateLinkScopedResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/ScheduledQueryRule.cs b/sdk/dotnet/Monitor/ScheduledQueryRule.cs index 89c9787df1a4..b63a3c13f310 100644 --- a/sdk/dotnet/Monitor/ScheduledQueryRule.cs +++ b/sdk/dotnet/Monitor/ScheduledQueryRule.cs @@ -219,16 +219,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:insights/v20231201:ScheduledQueryRule" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20240101preview:ScheduledQueryRule" }, new global::Pulumi.Alias { Type = "azure-native:insights:ScheduledQueryRule" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20180416:ScheduledQueryRule" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20200501preview:ScheduledQueryRule" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210201preview:ScheduledQueryRule" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210801:ScheduledQueryRule" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20220615:ScheduledQueryRule" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20220801preview:ScheduledQueryRule" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20230315preview:ScheduledQueryRule" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20231201:ScheduledQueryRule" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20240101preview:ScheduledQueryRule" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20250101preview:ScheduledQueryRule" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20180416:monitor:ScheduledQueryRule" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20200501preview:monitor:ScheduledQueryRule" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210201preview:monitor:ScheduledQueryRule" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210801:monitor:ScheduledQueryRule" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20220615:monitor:ScheduledQueryRule" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20220801preview:monitor:ScheduledQueryRule" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20230315preview:monitor:ScheduledQueryRule" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20231201:monitor:ScheduledQueryRule" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20240101preview:monitor:ScheduledQueryRule" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20250101preview:monitor:ScheduledQueryRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/SubscriptionDiagnosticSetting.cs b/sdk/dotnet/Monitor/SubscriptionDiagnosticSetting.cs index af21c496e4c7..b379da364402 100644 --- a/sdk/dotnet/Monitor/SubscriptionDiagnosticSetting.cs +++ b/sdk/dotnet/Monitor/SubscriptionDiagnosticSetting.cs @@ -111,8 +111,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:insights/v20170501preview:SubscriptionDiagnosticSetting" }, new global::Pulumi.Alias { Type = "azure-native:insights/v20210501preview:SubscriptionDiagnosticSetting" }, new global::Pulumi.Alias { Type = "azure-native:insights:SubscriptionDiagnosticSetting" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20170501preview:SubscriptionDiagnosticSetting" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20210501preview:SubscriptionDiagnosticSetting" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20170501preview:monitor:SubscriptionDiagnosticSetting" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20210501preview:monitor:SubscriptionDiagnosticSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Monitor/TenantActionGroup.cs b/sdk/dotnet/Monitor/TenantActionGroup.cs index 628162b09969..3bf021b551ab 100644 --- a/sdk/dotnet/Monitor/TenantActionGroup.cs +++ b/sdk/dotnet/Monitor/TenantActionGroup.cs @@ -116,8 +116,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:insights/v20230501preview:TenantActionGroup" }, new global::Pulumi.Alias { Type = "azure-native:insights:TenantActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20230301preview:TenantActionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:monitor/v20230501preview:TenantActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20230301preview:monitor:TenantActionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_monitor_v20230501preview:monitor:TenantActionGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MySQLDiscovery/MySQLServer.cs b/sdk/dotnet/MySQLDiscovery/MySQLServer.cs index 4b2bdad72df4..9b53addad9cf 100644 --- a/sdk/dotnet/MySQLDiscovery/MySQLServer.cs +++ b/sdk/dotnet/MySQLDiscovery/MySQLServer.cs @@ -144,7 +144,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mysqldiscovery/v20240930preview:MySQLServer" }, + new global::Pulumi.Alias { Type = "azure-native_mysqldiscovery_v20240930preview:mysqldiscovery:MySQLServer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/MySQLDiscovery/MySQLSite.cs b/sdk/dotnet/MySQLDiscovery/MySQLSite.cs index ada8bc57eec8..f2cacce13d7f 100644 --- a/sdk/dotnet/MySQLDiscovery/MySQLSite.cs +++ b/sdk/dotnet/MySQLDiscovery/MySQLSite.cs @@ -102,7 +102,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:mysqldiscovery/v20240930preview:MySQLSite" }, + new global::Pulumi.Alias { Type = "azure-native_mysqldiscovery_v20240930preview:mysqldiscovery:MySQLSite" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/Account.cs b/sdk/dotnet/NetApp/Account.cs index 9d93fce28274..b7cbef28b1aa 100644 --- a/sdk/dotnet/NetApp/Account.cs +++ b/sdk/dotnet/NetApp/Account.cs @@ -116,32 +116,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:netapp/v20170815:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190501:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190601:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190701:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190801:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20191001:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20191101:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200201:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200301:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200501:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200601:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200701:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200801:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200901:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201101:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201201:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210201:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401preview:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210601:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210801:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20211001:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220101:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220301:Account" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20220501:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220901:Account" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:Account" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:Account" }, @@ -158,7 +133,49 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:Account" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:Account" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901preview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20170815:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190501:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190601:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190701:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190801:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20191001:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20191101:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200201:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200301:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200501:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200601:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200701:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200801:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200901:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201101:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201201:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210201:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401preview:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210601:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210801:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20211001:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220101:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220301:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220501:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220901:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101preview:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501preview:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701preview:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101preview:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240101:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301preview:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501preview:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701preview:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901:netapp:Account" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901preview:netapp:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/Backup.cs b/sdk/dotnet/NetApp/Backup.cs index 3c06e11bf24e..fcd30d8f8282 100644 --- a/sdk/dotnet/NetApp/Backup.cs +++ b/sdk/dotnet/NetApp/Backup.cs @@ -134,7 +134,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:Backup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:Backup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501preview:Backup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701preview:Backup" }, @@ -148,7 +147,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:Backup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:Backup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:Backup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901preview:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101preview:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501preview:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701preview:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101preview:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240101:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301preview:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501preview:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701preview:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901preview:netapp:Backup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/BackupPolicy.cs b/sdk/dotnet/NetApp/BackupPolicy.cs index 1ab5fe9a1158..f4b8743d40d2 100644 --- a/sdk/dotnet/NetApp/BackupPolicy.cs +++ b/sdk/dotnet/NetApp/BackupPolicy.cs @@ -134,23 +134,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200501:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200601:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200701:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200801:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200901:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201101:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201201:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210201:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401preview:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210601:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210801:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20211001:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220101:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220301:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220501:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220901:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:BackupPolicy" }, @@ -167,7 +152,40 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:BackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:BackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901preview:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200501:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200601:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200701:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200801:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200901:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201101:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201201:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210201:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401preview:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210601:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210801:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20211001:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220101:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220301:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220501:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220901:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101preview:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501preview:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701preview:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101preview:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240101:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301preview:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501preview:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701preview:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901:netapp:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901preview:netapp:BackupPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/BackupVault.cs b/sdk/dotnet/NetApp/BackupVault.cs index b78ee7905069..b08db1bd3bcb 100644 --- a/sdk/dotnet/NetApp/BackupVault.cs +++ b/sdk/dotnet/NetApp/BackupVault.cs @@ -99,7 +99,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:BackupVault" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:BackupVault" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:BackupVault" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901preview:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101preview:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501preview:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701preview:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101preview:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240101:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301preview:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501preview:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701preview:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901:netapp:BackupVault" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901preview:netapp:BackupVault" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/CapacityPool.cs b/sdk/dotnet/NetApp/CapacityPool.cs index b0333ecbc54b..e105919303db 100644 --- a/sdk/dotnet/NetApp/CapacityPool.cs +++ b/sdk/dotnet/NetApp/CapacityPool.cs @@ -140,66 +140,66 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:netapp/v20170815:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190501:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190601:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190701:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190801:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20191001:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20191101:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200201:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200301:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200501:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200601:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200701:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200801:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200901:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201101:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201201:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210201:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401preview:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210601:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210801:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20211001:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220101:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220301:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220501:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220901:CapacityPool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501preview:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701preview:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101preview:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240101:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240101:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301preview:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501preview:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:Pool" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901preview:CapacityPool" }, new global::Pulumi.Alias { Type = "azure-native:netapp:Pool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20170815:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190501:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190601:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190701:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190801:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20191001:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20191101:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200201:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200301:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200501:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200601:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200701:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200801:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200901:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201101:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201201:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210201:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401preview:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210601:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210801:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20211001:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220101:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220301:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220501:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220901:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101preview:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501preview:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701preview:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101preview:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240101:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301preview:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501preview:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701preview:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901:netapp:CapacityPool" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901preview:netapp:CapacityPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/CapacityPoolBackup.cs b/sdk/dotnet/NetApp/CapacityPoolBackup.cs index 0cb93481e33d..a1a2b8c8024b 100644 --- a/sdk/dotnet/NetApp/CapacityPoolBackup.cs +++ b/sdk/dotnet/NetApp/CapacityPoolBackup.cs @@ -126,26 +126,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200501:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200601:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200701:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200801:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200901:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201101:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201201:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210201:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401preview:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210601:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210801:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20211001:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220101:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220301:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220501:CapacityPoolBackup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220901:CapacityPoolBackup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:Backup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:CapacityPoolBackup" }, new global::Pulumi.Alias { Type = "azure-native:netapp:Backup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200501:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200601:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200701:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200801:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200901:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201101:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201201:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210201:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401preview:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210601:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210801:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20211001:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220101:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220301:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220501:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220901:netapp:CapacityPoolBackup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101:netapp:CapacityPoolBackup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/CapacityPoolSnapshot.cs b/sdk/dotnet/NetApp/CapacityPoolSnapshot.cs index b09eb13281cf..d9494a95a6a1 100644 --- a/sdk/dotnet/NetApp/CapacityPoolSnapshot.cs +++ b/sdk/dotnet/NetApp/CapacityPoolSnapshot.cs @@ -92,66 +92,66 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:netapp/v20170815:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190501:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190601:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190701:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190801:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20191001:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20191101:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200201:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200301:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200501:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200601:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200701:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200801:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200901:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201101:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201201:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210201:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401preview:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210601:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210801:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20211001:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220101:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220301:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220501:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220901:CapacityPoolSnapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501preview:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701preview:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101preview:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240101:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240101:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301preview:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501preview:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:Snapshot" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901preview:CapacityPoolSnapshot" }, new global::Pulumi.Alias { Type = "azure-native:netapp:Snapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20170815:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190501:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190601:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190701:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190801:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20191001:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20191101:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200201:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200301:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200501:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200601:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200701:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200801:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200901:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201101:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201201:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210201:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401preview:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210601:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210801:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20211001:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220101:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220301:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220501:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220901:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101preview:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501preview:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701preview:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101preview:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240101:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301preview:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501preview:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701preview:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901:netapp:CapacityPoolSnapshot" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901preview:netapp:CapacityPoolSnapshot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/CapacityPoolSubvolume.cs b/sdk/dotnet/NetApp/CapacityPoolSubvolume.cs index f483ab3889e3..38273715351a 100644 --- a/sdk/dotnet/NetApp/CapacityPoolSubvolume.cs +++ b/sdk/dotnet/NetApp/CapacityPoolSubvolume.cs @@ -92,45 +92,45 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:netapp/v20211001:CapacityPoolSubvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220101:CapacityPoolSubvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220301:CapacityPoolSubvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220501:CapacityPoolSubvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220901:CapacityPoolSubvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501preview:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501preview:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701preview:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701preview:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101preview:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101preview:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240101:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240101:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301preview:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301preview:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501preview:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501preview:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:Subvolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901preview:CapacityPoolSubvolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp:Subvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20211001:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220101:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220301:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220501:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220901:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101preview:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501preview:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701preview:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101preview:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240101:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301preview:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501preview:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701preview:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901:netapp:CapacityPoolSubvolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901preview:netapp:CapacityPoolSubvolume" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/CapacityPoolVolume.cs b/sdk/dotnet/NetApp/CapacityPoolVolume.cs index fe93cf9dca8b..096472266114 100644 --- a/sdk/dotnet/NetApp/CapacityPoolVolume.cs +++ b/sdk/dotnet/NetApp/CapacityPoolVolume.cs @@ -428,67 +428,67 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:netapp/v20170815:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190501:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190601:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190701:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20190801:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20191001:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20191101:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200201:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200301:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200501:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200601:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200701:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200801:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200901:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201101:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201201:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210201:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401preview:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210601:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210801:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20211001:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20211001:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220101:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220301:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220501:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220901:CapacityPoolVolume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501preview:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501preview:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701preview:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701preview:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101preview:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101preview:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240101:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240101:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301preview:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301preview:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501preview:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501preview:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901preview:CapacityPoolVolume" }, new global::Pulumi.Alias { Type = "azure-native:netapp:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20170815:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190501:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190601:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190701:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20190801:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20191001:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20191101:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200201:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200301:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200501:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200601:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200701:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200801:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200901:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201101:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201201:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210201:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401preview:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210601:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210801:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20211001:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220101:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220301:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220501:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220901:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101preview:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501preview:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701preview:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101preview:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240101:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301preview:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501preview:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701preview:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901:netapp:CapacityPoolVolume" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901preview:netapp:CapacityPoolVolume" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/CapacityPoolVolumeQuotaRule.cs b/sdk/dotnet/NetApp/CapacityPoolVolumeQuotaRule.cs index 8c8bcefa7515..b5b4fee49b22 100644 --- a/sdk/dotnet/NetApp/CapacityPoolVolumeQuotaRule.cs +++ b/sdk/dotnet/NetApp/CapacityPoolVolumeQuotaRule.cs @@ -104,44 +104,44 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220101:CapacityPoolVolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220301:CapacityPoolVolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220501:CapacityPoolVolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220901:CapacityPoolVolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501preview:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501preview:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701preview:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230701preview:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101preview:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20231101preview:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240101:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240101:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301preview:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240301preview:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501preview:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240501preview:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:VolumeQuotaRule" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901preview:CapacityPoolVolumeQuotaRule" }, new global::Pulumi.Alias { Type = "azure-native:netapp:VolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220101:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220301:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220501:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220901:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101preview:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501preview:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701preview:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101preview:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240101:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301preview:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501preview:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701preview:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901:netapp:CapacityPoolVolumeQuotaRule" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901preview:netapp:CapacityPoolVolumeQuotaRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/SnapshotPolicy.cs b/sdk/dotnet/NetApp/SnapshotPolicy.cs index d8edf67260cf..6619b436dc5d 100644 --- a/sdk/dotnet/NetApp/SnapshotPolicy.cs +++ b/sdk/dotnet/NetApp/SnapshotPolicy.cs @@ -122,23 +122,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200501:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200601:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200701:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200801:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20200901:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201101:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20201201:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210201:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210401preview:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210601:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210801:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20211001:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220101:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220301:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220501:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220901:SnapshotPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:SnapshotPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:SnapshotPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:SnapshotPolicy" }, @@ -155,7 +138,40 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:SnapshotPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:SnapshotPolicy" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:SnapshotPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901preview:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200501:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200601:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200701:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200801:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20200901:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201101:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20201201:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210201:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210401preview:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210601:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210801:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20211001:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220101:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220301:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220501:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220901:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101preview:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501preview:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701preview:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101preview:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240101:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301preview:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501preview:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701preview:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901:netapp:SnapshotPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901preview:netapp:SnapshotPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetApp/VolumeGroup.cs b/sdk/dotnet/NetApp/VolumeGroup.cs index 5cb8613c5a0f..ed89245cf6ad 100644 --- a/sdk/dotnet/NetApp/VolumeGroup.cs +++ b/sdk/dotnet/NetApp/VolumeGroup.cs @@ -86,12 +86,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:netapp/v20210801:VolumeGroup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20211001:VolumeGroup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220101:VolumeGroup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220301:VolumeGroup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220501:VolumeGroup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20220901:VolumeGroup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101:VolumeGroup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20221101preview:VolumeGroup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20230501:VolumeGroup" }, @@ -108,7 +103,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701:VolumeGroup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240701preview:VolumeGroup" }, new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901:VolumeGroup" }, - new global::Pulumi.Alias { Type = "azure-native:netapp/v20240901preview:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20210801:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20211001:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220101:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220301:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220501:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20220901:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20221101preview:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230501preview:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20230701preview:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20231101preview:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240101:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240301preview:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240501preview:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240701preview:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901:netapp:VolumeGroup" }, + new global::Pulumi.Alias { Type = "azure-native_netapp_v20240901preview:netapp:VolumeGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/AdminRule.cs b/sdk/dotnet/Network/AdminRule.cs index ea432e137236..2c7e487c200f 100644 --- a/sdk/dotnet/Network/AdminRule.cs +++ b/sdk/dotnet/Network/AdminRule.cs @@ -157,13 +157,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:AdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:AdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:DefaultAdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:AdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:AdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:AdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:AdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:AdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:AdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:AdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:AdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:DefaultAdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:AdminRule" }, @@ -185,6 +178,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240501:AdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:DefaultAdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101preview:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:AdminRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/AdminRuleCollection.cs b/sdk/dotnet/Network/AdminRuleCollection.cs index 739cb5cd1c91..cad44bc04df5 100644 --- a/sdk/dotnet/Network/AdminRuleCollection.cs +++ b/sdk/dotnet/Network/AdminRuleCollection.cs @@ -100,13 +100,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:AdminRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:AdminRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:AdminRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:AdminRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:AdminRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:AdminRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:AdminRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:AdminRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:AdminRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:AdminRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:AdminRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:AdminRuleCollection" }, @@ -117,6 +110,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101preview:AdminRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:AdminRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101preview:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:AdminRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:AdminRuleCollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ApplicationGateway.cs b/sdk/dotnet/Network/ApplicationGateway.cs index 801d7a7f11ef..91af86e68ed8 100644 --- a/sdk/dotnet/Network/ApplicationGateway.cs +++ b/sdk/dotnet/Network/ApplicationGateway.cs @@ -308,51 +308,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ApplicationGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ApplicationGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ApplicationGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ApplicationGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ApplicationGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ApplicationGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ApplicationGateway" }, @@ -362,6 +319,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ApplicationGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ApplicationGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ApplicationGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ApplicationGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ApplicationGatewayPrivateEndpointConnection.cs b/sdk/dotnet/Network/ApplicationGatewayPrivateEndpointConnection.cs index b49233c94310..8030f5f5e29c 100644 --- a/sdk/dotnet/Network/ApplicationGatewayPrivateEndpointConnection.cs +++ b/sdk/dotnet/Network/ApplicationGatewayPrivateEndpointConnection.cs @@ -92,20 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ApplicationGatewayPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ApplicationGatewayPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ApplicationGatewayPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ApplicationGatewayPrivateEndpointConnection" }, @@ -115,6 +101,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ApplicationGatewayPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ApplicationGatewayPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ApplicationGatewayPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ApplicationGatewayPrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ApplicationSecurityGroup.cs b/sdk/dotnet/Network/ApplicationSecurityGroup.cs index 44fb323c27a5..a8a0eb16887d 100644 --- a/sdk/dotnet/Network/ApplicationSecurityGroup.cs +++ b/sdk/dotnet/Network/ApplicationSecurityGroup.cs @@ -92,42 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ApplicationSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ApplicationSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ApplicationSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ApplicationSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ApplicationSecurityGroup" }, @@ -137,6 +101,51 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ApplicationSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ApplicationSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ApplicationSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ApplicationSecurityGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/AzureFirewall.cs b/sdk/dotnet/Network/AzureFirewall.cs index 546e7ea5292d..1144c587047c 100644 --- a/sdk/dotnet/Network/AzureFirewall.cs +++ b/sdk/dotnet/Network/AzureFirewall.cs @@ -170,37 +170,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:AzureFirewall" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200401:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:AzureFirewall" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:AzureFirewall" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:AzureFirewall" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:AzureFirewall" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:AzureFirewall" }, @@ -210,6 +180,46 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:AzureFirewall" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:AzureFirewall" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:AzureFirewall" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:AzureFirewall" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/BastionHost.cs b/sdk/dotnet/Network/BastionHost.cs index 073c19a5743f..ee770783bd2a 100644 --- a/sdk/dotnet/Network/BastionHost.cs +++ b/sdk/dotnet/Network/BastionHost.cs @@ -173,29 +173,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:BastionHost" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:BastionHost" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:BastionHost" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:BastionHost" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:BastionHost" }, @@ -205,6 +182,38 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:BastionHost" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:BastionHost" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:BastionHost" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:BastionHost" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ConfigurationPolicyGroup.cs b/sdk/dotnet/Network/ConfigurationPolicyGroup.cs index 04eb3117d5ac..2afdff2e03cc 100644 --- a/sdk/dotnet/Network/ConfigurationPolicyGroup.cs +++ b/sdk/dotnet/Network/ConfigurationPolicyGroup.cs @@ -98,12 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ConfigurationPolicyGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ConfigurationPolicyGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ConfigurationPolicyGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ConfigurationPolicyGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ConfigurationPolicyGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ConfigurationPolicyGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ConfigurationPolicyGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ConfigurationPolicyGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ConfigurationPolicyGroup" }, @@ -113,6 +107,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ConfigurationPolicyGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ConfigurationPolicyGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ConfigurationPolicyGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ConfigurationPolicyGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ConnectionMonitor.cs b/sdk/dotnet/Network/ConnectionMonitor.cs index a05a576570e9..015e8716601b 100644 --- a/sdk/dotnet/Network/ConnectionMonitor.cs +++ b/sdk/dotnet/Network/ConnectionMonitor.cs @@ -158,41 +158,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ConnectionMonitor" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ConnectionMonitor" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ConnectionMonitor" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ConnectionMonitor" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ConnectionMonitor" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ConnectionMonitor" }, @@ -202,6 +168,50 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ConnectionMonitor" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ConnectionMonitor" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ConnectionMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ConnectionMonitor" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ConnectivityConfiguration.cs b/sdk/dotnet/Network/ConnectivityConfiguration.cs index 21d69adaa5e1..df9be755aa70 100644 --- a/sdk/dotnet/Network/ConnectivityConfiguration.cs +++ b/sdk/dotnet/Network/ConnectivityConfiguration.cs @@ -124,13 +124,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:ConnectivityConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:ConnectivityConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ConnectivityConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:ConnectivityConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:ConnectivityConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ConnectivityConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ConnectivityConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ConnectivityConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ConnectivityConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ConnectivityConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ConnectivityConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ConnectivityConfiguration" }, @@ -140,6 +133,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ConnectivityConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ConnectivityConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ConnectivityConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ConnectivityConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/CustomIPPrefix.cs b/sdk/dotnet/Network/CustomIPPrefix.cs index a3688b03c47d..4f456fc14874 100644 --- a/sdk/dotnet/Network/CustomIPPrefix.cs +++ b/sdk/dotnet/Network/CustomIPPrefix.cs @@ -182,19 +182,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:CustomIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:CustomIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:CustomIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:CustomIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:CustomIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210301:CustomIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:CustomIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:CustomIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:CustomIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:CustomIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:CustomIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:CustomIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:CustomIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:CustomIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:CustomIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:CustomIPPrefix" }, @@ -204,6 +192,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:CustomIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:CustomIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:CustomIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:CustomIPPrefix" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/DdosCustomPolicy.cs b/sdk/dotnet/Network/DdosCustomPolicy.cs index 379817cbb547..1b16e9dafa5b 100644 --- a/sdk/dotnet/Network/DdosCustomPolicy.cs +++ b/sdk/dotnet/Network/DdosCustomPolicy.cs @@ -92,32 +92,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:DdosCustomPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220101:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:DdosCustomPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:DdosCustomPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:DdosCustomPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:DdosCustomPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:DdosCustomPolicy" }, @@ -127,6 +102,41 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:DdosCustomPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:DdosCustomPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:DdosCustomPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:DdosCustomPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/DdosProtectionPlan.cs b/sdk/dotnet/Network/DdosProtectionPlan.cs index a8f5ec454a99..59589c163405 100644 --- a/sdk/dotnet/Network/DdosProtectionPlan.cs +++ b/sdk/dotnet/Network/DdosProtectionPlan.cs @@ -104,38 +104,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:DdosProtectionPlan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220501:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:DdosProtectionPlan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:DdosProtectionPlan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:DdosProtectionPlan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:DdosProtectionPlan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:DdosProtectionPlan" }, @@ -145,6 +114,47 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:DdosProtectionPlan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:DdosProtectionPlan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:DdosProtectionPlan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:DdosProtectionPlan" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/DefaultAdminRule.cs b/sdk/dotnet/Network/DefaultAdminRule.cs index 27d67acf3dc6..cd5c51c6a3c1 100644 --- a/sdk/dotnet/Network/DefaultAdminRule.cs +++ b/sdk/dotnet/Network/DefaultAdminRule.cs @@ -159,16 +159,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:AdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:DefaultAdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:AdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:DefaultAdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:DefaultAdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:DefaultAdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:DefaultAdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:DefaultAdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:DefaultAdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:DefaultAdminRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:DefaultAdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:AdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:DefaultAdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:AdminRule" }, @@ -190,6 +182,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240501:AdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:DefaultAdminRule" }, new global::Pulumi.Alias { Type = "azure-native:network:AdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101preview:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:DefaultAdminRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:DefaultAdminRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/DefaultUserRule.cs b/sdk/dotnet/Network/DefaultUserRule.cs index edff15231a83..956a85caefa7 100644 --- a/sdk/dotnet/Network/DefaultUserRule.cs +++ b/sdk/dotnet/Network/DefaultUserRule.cs @@ -140,18 +140,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:DefaultUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:DefaultUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:UserRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:DefaultUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:DefaultUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:UserRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240301:DefaultUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:SecurityUserRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240501:DefaultUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:SecurityUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network:SecurityUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network:UserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:DefaultUserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:DefaultUserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:DefaultUserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:DefaultUserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:DefaultUserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:DefaultUserRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/DscpConfiguration.cs b/sdk/dotnet/Network/DscpConfiguration.cs index 80d513596a8b..6966bb1c6f07 100644 --- a/sdk/dotnet/Network/DscpConfiguration.cs +++ b/sdk/dotnet/Network/DscpConfiguration.cs @@ -146,19 +146,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:DscpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:DscpConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:DscpConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:DscpConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:DscpConfiguration" }, @@ -168,6 +155,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:DscpConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:DscpConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:DscpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:DscpConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ExpressRouteCircuit.cs b/sdk/dotnet/Network/ExpressRouteCircuit.cs index b9e97e910016..ca2d1791bb79 100644 --- a/sdk/dotnet/Network/ExpressRouteCircuit.cs +++ b/sdk/dotnet/Network/ExpressRouteCircuit.cs @@ -188,51 +188,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ExpressRouteCircuit" }, new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ExpressRouteCircuit" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ExpressRouteCircuit" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ExpressRouteCircuit" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ExpressRouteCircuit" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ExpressRouteCircuit" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ExpressRouteCircuit" }, @@ -242,6 +199,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ExpressRouteCircuit" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ExpressRouteCircuit" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ExpressRouteCircuit" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ExpressRouteCircuit" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ExpressRouteCircuitAuthorization.cs b/sdk/dotnet/Network/ExpressRouteCircuitAuthorization.cs index 98b9222ec5a4..8e798f21584b 100644 --- a/sdk/dotnet/Network/ExpressRouteCircuitAuthorization.cs +++ b/sdk/dotnet/Network/ExpressRouteCircuitAuthorization.cs @@ -92,51 +92,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ExpressRouteCircuitAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ExpressRouteCircuitAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ExpressRouteCircuitAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ExpressRouteCircuitAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ExpressRouteCircuitAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ExpressRouteCircuitAuthorization" }, @@ -146,6 +102,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ExpressRouteCircuitAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ExpressRouteCircuitAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ExpressRouteCircuitAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ExpressRouteCircuitAuthorization" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ExpressRouteCircuitConnection.cs b/sdk/dotnet/Network/ExpressRouteCircuitConnection.cs index c2e7b26bc2dd..d6d11fb7f65a 100644 --- a/sdk/dotnet/Network/ExpressRouteCircuitConnection.cs +++ b/sdk/dotnet/Network/ExpressRouteCircuitConnection.cs @@ -110,38 +110,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ExpressRouteCircuitConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ExpressRouteCircuitConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ExpressRouteCircuitConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ExpressRouteCircuitConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ExpressRouteCircuitConnection" }, @@ -151,6 +119,47 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ExpressRouteCircuitConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ExpressRouteCircuitConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ExpressRouteCircuitConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ExpressRouteCircuitConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ExpressRouteCircuitPeering.cs b/sdk/dotnet/Network/ExpressRouteCircuitPeering.cs index d4367168c8cc..34a7ac1fcf77 100644 --- a/sdk/dotnet/Network/ExpressRouteCircuitPeering.cs +++ b/sdk/dotnet/Network/ExpressRouteCircuitPeering.cs @@ -188,51 +188,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ExpressRouteCircuitPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ExpressRouteCircuitPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ExpressRouteCircuitPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ExpressRouteCircuitPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ExpressRouteCircuitPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ExpressRouteCircuitPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ExpressRouteCircuitPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ExpressRouteCircuitPeering" }, @@ -242,6 +200,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ExpressRouteCircuitPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ExpressRouteCircuitPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ExpressRouteCircuitPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ExpressRouteCircuitPeering" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ExpressRouteConnection.cs b/sdk/dotnet/Network/ExpressRouteConnection.cs index bf654a002c33..d1a85ce77186 100644 --- a/sdk/dotnet/Network/ExpressRouteConnection.cs +++ b/sdk/dotnet/Network/ExpressRouteConnection.cs @@ -104,34 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ExpressRouteConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ExpressRouteConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ExpressRouteConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ExpressRouteConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ExpressRouteConnection" }, @@ -141,6 +113,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ExpressRouteConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ExpressRouteConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ExpressRouteConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ExpressRouteConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ExpressRouteCrossConnectionPeering.cs b/sdk/dotnet/Network/ExpressRouteCrossConnectionPeering.cs index e9fa7e6dd169..46757cd66c80 100644 --- a/sdk/dotnet/Network/ExpressRouteCrossConnectionPeering.cs +++ b/sdk/dotnet/Network/ExpressRouteCrossConnectionPeering.cs @@ -152,38 +152,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ExpressRouteCrossConnectionPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ExpressRouteCrossConnectionPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ExpressRouteCrossConnectionPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ExpressRouteCrossConnectionPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ExpressRouteCrossConnectionPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ExpressRouteCrossConnectionPeering" }, @@ -193,6 +162,47 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ExpressRouteCrossConnectionPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ExpressRouteCrossConnectionPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ExpressRouteCrossConnectionPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ExpressRouteCrossConnectionPeering" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ExpressRouteGateway.cs b/sdk/dotnet/Network/ExpressRouteGateway.cs index e2928bf75275..bb238796d5a8 100644 --- a/sdk/dotnet/Network/ExpressRouteGateway.cs +++ b/sdk/dotnet/Network/ExpressRouteGateway.cs @@ -110,34 +110,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ExpressRouteGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ExpressRouteGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ExpressRouteGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ExpressRouteGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ExpressRouteGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ExpressRouteGateway" }, @@ -147,6 +120,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ExpressRouteGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ExpressRouteGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ExpressRouteGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ExpressRouteGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ExpressRoutePort.cs b/sdk/dotnet/Network/ExpressRoutePort.cs index 98542a64d2ab..56b88485aecd 100644 --- a/sdk/dotnet/Network/ExpressRoutePort.cs +++ b/sdk/dotnet/Network/ExpressRoutePort.cs @@ -158,34 +158,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ExpressRoutePort" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ExpressRoutePort" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ExpressRoutePort" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ExpressRoutePort" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ExpressRoutePort" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ExpressRoutePort" }, @@ -195,6 +168,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ExpressRoutePort" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ExpressRoutePort" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ExpressRoutePort" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ExpressRoutePort" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ExpressRoutePortAuthorization.cs b/sdk/dotnet/Network/ExpressRoutePortAuthorization.cs index fab92a3b137f..3f57747e8535 100644 --- a/sdk/dotnet/Network/ExpressRoutePortAuthorization.cs +++ b/sdk/dotnet/Network/ExpressRoutePortAuthorization.cs @@ -92,12 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ExpressRoutePortAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ExpressRoutePortAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ExpressRoutePortAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ExpressRoutePortAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ExpressRoutePortAuthorization" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ExpressRoutePortAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ExpressRoutePortAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ExpressRoutePortAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ExpressRoutePortAuthorization" }, @@ -107,6 +101,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ExpressRoutePortAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ExpressRoutePortAuthorization" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ExpressRoutePortAuthorization" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ExpressRoutePortAuthorization" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/FirewallPolicy.cs b/sdk/dotnet/Network/FirewallPolicy.cs index 2dc510a06d4f..561efccecb42 100644 --- a/sdk/dotnet/Network/FirewallPolicy.cs +++ b/sdk/dotnet/Network/FirewallPolicy.cs @@ -182,28 +182,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:FirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200401:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:FirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210801:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:FirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:FirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:FirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:FirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:FirewallPolicy" }, @@ -213,6 +193,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:FirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:FirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:FirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:FirewallPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/FirewallPolicyDraft.cs b/sdk/dotnet/Network/FirewallPolicyDraft.cs index 5e8db0d559f1..21f5eed8b261 100644 --- a/sdk/dotnet/Network/FirewallPolicyDraft.cs +++ b/sdk/dotnet/Network/FirewallPolicyDraft.cs @@ -132,6 +132,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:FirewallPolicyDraft" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:FirewallPolicyDraft" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:FirewallPolicyDraft" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:FirewallPolicyDraft" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:FirewallPolicyDraft" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:FirewallPolicyDraft" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:FirewallPolicyDraft" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/FirewallPolicyRuleCollectionGroup.cs b/sdk/dotnet/Network/FirewallPolicyRuleCollectionGroup.cs index c1e8daa814ac..970cf1e13755 100644 --- a/sdk/dotnet/Network/FirewallPolicyRuleCollectionGroup.cs +++ b/sdk/dotnet/Network/FirewallPolicyRuleCollectionGroup.cs @@ -92,20 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:FirewallPolicyRuleCollectionGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:FirewallPolicyRuleCollectionGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:FirewallPolicyRuleCollectionGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:FirewallPolicyRuleCollectionGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:FirewallPolicyRuleCollectionGroup" }, @@ -115,6 +101,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:FirewallPolicyRuleCollectionGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:FirewallPolicyRuleCollectionGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:FirewallPolicyRuleCollectionGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:FirewallPolicyRuleCollectionGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/FirewallPolicyRuleCollectionGroupDraft.cs b/sdk/dotnet/Network/FirewallPolicyRuleCollectionGroupDraft.cs index 21afc9eafa94..12bad59ee838 100644 --- a/sdk/dotnet/Network/FirewallPolicyRuleCollectionGroupDraft.cs +++ b/sdk/dotnet/Network/FirewallPolicyRuleCollectionGroupDraft.cs @@ -84,6 +84,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:FirewallPolicyRuleCollectionGroupDraft" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:FirewallPolicyRuleCollectionGroupDraft" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:FirewallPolicyRuleCollectionGroupDraft" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:FirewallPolicyRuleCollectionGroupDraft" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:FirewallPolicyRuleCollectionGroupDraft" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:FirewallPolicyRuleCollectionGroupDraft" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:FirewallPolicyRuleCollectionGroupDraft" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/FirewallPolicyRuleGroup.cs b/sdk/dotnet/Network/FirewallPolicyRuleGroup.cs index fd2279496d39..bfc61ba934b5 100644 --- a/sdk/dotnet/Network/FirewallPolicyRuleGroup.cs +++ b/sdk/dotnet/Network/FirewallPolicyRuleGroup.cs @@ -86,14 +86,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:FirewallPolicyRuleGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:FirewallPolicyRuleGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:FirewallPolicyRuleGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:FirewallPolicyRuleGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:FirewallPolicyRuleGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:FirewallPolicyRuleGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:FirewallPolicyRuleGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200401:FirewallPolicyRuleGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:FirewallPolicyRuleGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:FirewallPolicyRuleGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:FirewallPolicyRuleGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:FirewallPolicyRuleGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:FirewallPolicyRuleGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:FirewallPolicyRuleGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:FirewallPolicyRuleGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:FirewallPolicyRuleGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/FlowLog.cs b/sdk/dotnet/Network/FlowLog.cs index a98b78c3d626..f46ee620daf7 100644 --- a/sdk/dotnet/Network/FlowLog.cs +++ b/sdk/dotnet/Network/FlowLog.cs @@ -140,24 +140,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:FlowLog" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:FlowLog" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:FlowLog" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:FlowLog" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:FlowLog" }, @@ -167,6 +149,33 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:FlowLog" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:FlowLog" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:FlowLog" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:FlowLog" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/HubRouteTable.cs b/sdk/dotnet/Network/HubRouteTable.cs index 0102603ce316..b14312eacc9d 100644 --- a/sdk/dotnet/Network/HubRouteTable.cs +++ b/sdk/dotnet/Network/HubRouteTable.cs @@ -98,21 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:HubRouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:HubRouteTable" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:HubRouteTable" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:HubRouteTable" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:HubRouteTable" }, @@ -122,6 +107,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:HubRouteTable" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:HubRouteTable" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:HubRouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:HubRouteTable" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/HubVirtualNetworkConnection.cs b/sdk/dotnet/Network/HubVirtualNetworkConnection.cs index 8378e5796ce0..90e1de69a08c 100644 --- a/sdk/dotnet/Network/HubVirtualNetworkConnection.cs +++ b/sdk/dotnet/Network/HubVirtualNetworkConnection.cs @@ -98,20 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:HubVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:HubVirtualNetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:HubVirtualNetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:HubVirtualNetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:HubVirtualNetworkConnection" }, @@ -121,6 +107,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:HubVirtualNetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:HubVirtualNetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:HubVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:HubVirtualNetworkConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/InboundNatRule.cs b/sdk/dotnet/Network/InboundNatRule.cs index 31a546b52855..db62bd0ca787 100644 --- a/sdk/dotnet/Network/InboundNatRule.cs +++ b/sdk/dotnet/Network/InboundNatRule.cs @@ -140,44 +140,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:InboundNatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:InboundNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:InboundNatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:InboundNatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:InboundNatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:InboundNatRule" }, @@ -187,6 +150,53 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:InboundNatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:InboundNatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:InboundNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:InboundNatRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/InterfaceEndpoint.cs b/sdk/dotnet/Network/InterfaceEndpoint.cs index f2419f9377a2..b5677dcd3281 100644 --- a/sdk/dotnet/Network/InterfaceEndpoint.cs +++ b/sdk/dotnet/Network/InterfaceEndpoint.cs @@ -116,54 +116,55 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:InterfaceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190201:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:InterfaceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210201:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230201:InterfaceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230401:InterfaceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230501:InterfaceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230601:InterfaceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230601:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230901:InterfaceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230901:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20231101:InterfaceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20231101:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240101:InterfaceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240101:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240301:InterfaceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240501:InterfaceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:PrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:InterfaceEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/IpAllocation.cs b/sdk/dotnet/Network/IpAllocation.cs index 3d7005c9b9d4..616303c5d718 100644 --- a/sdk/dotnet/Network/IpAllocation.cs +++ b/sdk/dotnet/Network/IpAllocation.cs @@ -122,22 +122,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:IpAllocation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:IpAllocation" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:IpAllocation" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:IpAllocation" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:IpAllocation" }, @@ -147,6 +131,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:IpAllocation" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:IpAllocation" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:IpAllocation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:IpAllocation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/IpGroup.cs b/sdk/dotnet/Network/IpGroup.cs index 293cde87a3f4..a7ecbf6dba55 100644 --- a/sdk/dotnet/Network/IpGroup.cs +++ b/sdk/dotnet/Network/IpGroup.cs @@ -104,25 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:IpGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:IpGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:IpGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:IpGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:IpGroup" }, @@ -132,6 +113,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:IpGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:IpGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:IpGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:IpGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/IpamPool.cs b/sdk/dotnet/Network/IpamPool.cs index cde360c32177..4bc9981fbbe3 100644 --- a/sdk/dotnet/Network/IpamPool.cs +++ b/sdk/dotnet/Network/IpamPool.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20240101preview:IpamPool" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:IpamPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101preview:network:IpamPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:IpamPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/LoadBalancer.cs b/sdk/dotnet/Network/LoadBalancer.cs index 75651de9de12..3af52e8c3e24 100644 --- a/sdk/dotnet/Network/LoadBalancer.cs +++ b/sdk/dotnet/Network/LoadBalancer.cs @@ -146,51 +146,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:LoadBalancer" }, new global::Pulumi.Alias { Type = "azure-native:network/v20180601:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:LoadBalancer" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:LoadBalancer" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:LoadBalancer" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:LoadBalancer" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:LoadBalancer" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:LoadBalancer" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:LoadBalancer" }, @@ -200,6 +158,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:LoadBalancer" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:LoadBalancer" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:LoadBalancer" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:LoadBalancer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/LoadBalancerBackendAddressPool.cs b/sdk/dotnet/Network/LoadBalancerBackendAddressPool.cs index 257bd75f72de..1b9c7caed80a 100644 --- a/sdk/dotnet/Network/LoadBalancerBackendAddressPool.cs +++ b/sdk/dotnet/Network/LoadBalancerBackendAddressPool.cs @@ -140,21 +140,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:LoadBalancerBackendAddressPool" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:LoadBalancerBackendAddressPool" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:LoadBalancerBackendAddressPool" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:LoadBalancerBackendAddressPool" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:LoadBalancerBackendAddressPool" }, @@ -164,6 +149,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:LoadBalancerBackendAddressPool" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:LoadBalancerBackendAddressPool" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:LoadBalancerBackendAddressPool" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:LoadBalancerBackendAddressPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/LocalNetworkGateway.cs b/sdk/dotnet/Network/LocalNetworkGateway.cs index 24e7e188ca5c..78b0eeaaa601 100644 --- a/sdk/dotnet/Network/LocalNetworkGateway.cs +++ b/sdk/dotnet/Network/LocalNetworkGateway.cs @@ -116,50 +116,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:LocalNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:LocalNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:LocalNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:LocalNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:LocalNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:LocalNetworkGateway" }, @@ -169,6 +126,59 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:LocalNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:LocalNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:LocalNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:LocalNetworkGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ManagementGroupNetworkManagerConnection.cs b/sdk/dotnet/Network/ManagementGroupNetworkManagerConnection.cs index 19a157b9e168..5be12623f624 100644 --- a/sdk/dotnet/Network/ManagementGroupNetworkManagerConnection.cs +++ b/sdk/dotnet/Network/ManagementGroupNetworkManagerConnection.cs @@ -86,13 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ManagementGroupNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:ManagementGroupNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:ManagementGroupNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ManagementGroupNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ManagementGroupNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ManagementGroupNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ManagementGroupNetworkManagerConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ManagementGroupNetworkManagerConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ManagementGroupNetworkManagerConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ManagementGroupNetworkManagerConnection" }, @@ -102,6 +95,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ManagementGroupNetworkManagerConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ManagementGroupNetworkManagerConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ManagementGroupNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ManagementGroupNetworkManagerConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NatGateway.cs b/sdk/dotnet/Network/NatGateway.cs index 38a4b9633d42..615d8121b76b 100644 --- a/sdk/dotnet/Network/NatGateway.cs +++ b/sdk/dotnet/Network/NatGateway.cs @@ -128,30 +128,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:NatGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:NatGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:NatGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:NatGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:NatGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:NatGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:NatGateway" }, @@ -161,6 +139,39 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:NatGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NatGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NatGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NatGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NatRule.cs b/sdk/dotnet/Network/NatRule.cs index 86350cc93886..487cd17fc383 100644 --- a/sdk/dotnet/Network/NatRule.cs +++ b/sdk/dotnet/Network/NatRule.cs @@ -110,17 +110,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:NatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:NatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:NatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:NatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:NatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:NatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:NatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:NatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:NatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:NatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:NatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:NatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:NatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:NatRule" }, @@ -130,6 +119,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:NatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NatRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkGroup.cs b/sdk/dotnet/Network/NetworkGroup.cs index 155bd4e16729..49f7dbc28dd9 100644 --- a/sdk/dotnet/Network/NetworkGroup.cs +++ b/sdk/dotnet/Network/NetworkGroup.cs @@ -100,13 +100,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NetworkGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:NetworkGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:NetworkGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:NetworkGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:NetworkGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:NetworkGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:NetworkGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:NetworkGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:NetworkGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:NetworkGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:NetworkGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:NetworkGroup" }, @@ -116,6 +110,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:NetworkGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NetworkGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NetworkGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NetworkGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkInterface.cs b/sdk/dotnet/Network/NetworkInterface.cs index 37f9fa94258e..0dd8c9dee6f6 100644 --- a/sdk/dotnet/Network/NetworkInterface.cs +++ b/sdk/dotnet/Network/NetworkInterface.cs @@ -224,51 +224,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:network/v20180701:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190201:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:NetworkInterface" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:NetworkInterface" }, @@ -278,6 +237,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NetworkInterface" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NetworkInterface" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NetworkInterface" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkInterfaceTapConfiguration.cs b/sdk/dotnet/Network/NetworkInterfaceTapConfiguration.cs index 850b25048842..dd865a62199c 100644 --- a/sdk/dotnet/Network/NetworkInterfaceTapConfiguration.cs +++ b/sdk/dotnet/Network/NetworkInterfaceTapConfiguration.cs @@ -80,34 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:NetworkInterfaceTapConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:NetworkInterfaceTapConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:NetworkInterfaceTapConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:NetworkInterfaceTapConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:NetworkInterfaceTapConfiguration" }, @@ -117,6 +89,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:NetworkInterfaceTapConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NetworkInterfaceTapConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NetworkInterfaceTapConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NetworkInterfaceTapConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkManager.cs b/sdk/dotnet/Network/NetworkManager.cs index 72a1ffa08144..10134d48aa64 100644 --- a/sdk/dotnet/Network/NetworkManager.cs +++ b/sdk/dotnet/Network/NetworkManager.cs @@ -118,13 +118,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NetworkManager" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:NetworkManager" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:NetworkManager" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:NetworkManager" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:NetworkManager" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:NetworkManager" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:NetworkManager" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:NetworkManager" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:NetworkManager" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:NetworkManager" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:NetworkManager" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:NetworkManager" }, @@ -135,6 +128,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101preview:NetworkManager" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NetworkManager" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101preview:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NetworkManager" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NetworkManager" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkManagerRoutingConfiguration.cs b/sdk/dotnet/Network/NetworkManagerRoutingConfiguration.cs index cd6fcba8ff4a..26fd00b1dd3e 100644 --- a/sdk/dotnet/Network/NetworkManagerRoutingConfiguration.cs +++ b/sdk/dotnet/Network/NetworkManagerRoutingConfiguration.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NetworkManagerRoutingConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NetworkManagerRoutingConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NetworkManagerRoutingConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NetworkManagerRoutingConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkProfile.cs b/sdk/dotnet/Network/NetworkProfile.cs index 8bb54f056c9d..b4038aadce94 100644 --- a/sdk/dotnet/Network/NetworkProfile.cs +++ b/sdk/dotnet/Network/NetworkProfile.cs @@ -104,34 +104,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:NetworkProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:NetworkProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:NetworkProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:NetworkProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:NetworkProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:NetworkProfile" }, @@ -141,6 +114,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:NetworkProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NetworkProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NetworkProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NetworkProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkSecurityGroup.cs b/sdk/dotnet/Network/NetworkSecurityGroup.cs index f980271d8325..11c2fde9653d 100644 --- a/sdk/dotnet/Network/NetworkSecurityGroup.cs +++ b/sdk/dotnet/Network/NetworkSecurityGroup.cs @@ -128,51 +128,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:NetworkSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:NetworkSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:NetworkSecurityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:NetworkSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:NetworkSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:NetworkSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:NetworkSecurityGroup" }, @@ -182,6 +139,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:NetworkSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NetworkSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NetworkSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NetworkSecurityGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkSecurityPerimeter.cs b/sdk/dotnet/Network/NetworkSecurityPerimeter.cs index 46d27da1c947..0e3ca6d22bfb 100644 --- a/sdk/dotnet/Network/NetworkSecurityPerimeter.cs +++ b/sdk/dotnet/Network/NetworkSecurityPerimeter.cs @@ -90,7 +90,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20210301preview:NetworkSecurityPerimeter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NetworkSecurityPerimeter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NetworkSecurityPerimeter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240601preview:NetworkSecurityPerimeter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:NetworkSecurityPerimeter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301preview:network:NetworkSecurityPerimeter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230701preview:network:NetworkSecurityPerimeter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230801preview:network:NetworkSecurityPerimeter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240601preview:network:NetworkSecurityPerimeter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkSecurityPerimeterAccessRule.cs b/sdk/dotnet/Network/NetworkSecurityPerimeterAccessRule.cs index 54b952a289e2..2f7b75b90499 100644 --- a/sdk/dotnet/Network/NetworkSecurityPerimeterAccessRule.cs +++ b/sdk/dotnet/Network/NetworkSecurityPerimeterAccessRule.cs @@ -126,14 +126,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NetworkSecurityPerimeterAccessRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NspAccessRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NetworkSecurityPerimeterAccessRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NspAccessRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NetworkSecurityPerimeterAccessRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NspAccessRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240601preview:NetworkSecurityPerimeterAccessRule" }, new global::Pulumi.Alias { Type = "azure-native:network:NspAccessRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:NetworkSecurityPerimeterAccessRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230701preview:network:NetworkSecurityPerimeterAccessRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230801preview:network:NetworkSecurityPerimeterAccessRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterAccessRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkSecurityPerimeterAssociation.cs b/sdk/dotnet/Network/NetworkSecurityPerimeterAssociation.cs index af9ab4ece5a3..d905e7a25be9 100644 --- a/sdk/dotnet/Network/NetworkSecurityPerimeterAssociation.cs +++ b/sdk/dotnet/Network/NetworkSecurityPerimeterAssociation.cs @@ -102,14 +102,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NetworkSecurityPerimeterAssociation" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NspAssociation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NetworkSecurityPerimeterAssociation" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NspAssociation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NetworkSecurityPerimeterAssociation" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NspAssociation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240601preview:NetworkSecurityPerimeterAssociation" }, new global::Pulumi.Alias { Type = "azure-native:network:NspAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:NetworkSecurityPerimeterAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230701preview:network:NetworkSecurityPerimeterAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230801preview:network:NetworkSecurityPerimeterAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterAssociation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkSecurityPerimeterLink.cs b/sdk/dotnet/Network/NetworkSecurityPerimeterLink.cs index e865c6f11a59..9d84ea332968 100644 --- a/sdk/dotnet/Network/NetworkSecurityPerimeterLink.cs +++ b/sdk/dotnet/Network/NetworkSecurityPerimeterLink.cs @@ -126,14 +126,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NetworkSecurityPerimeterLink" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NspLink" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NetworkSecurityPerimeterLink" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NspLink" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NetworkSecurityPerimeterLink" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NspLink" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240601preview:NetworkSecurityPerimeterLink" }, new global::Pulumi.Alias { Type = "azure-native:network:NspLink" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:NetworkSecurityPerimeterLink" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230701preview:network:NetworkSecurityPerimeterLink" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230801preview:network:NetworkSecurityPerimeterLink" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkSecurityPerimeterLoggingConfiguration.cs b/sdk/dotnet/Network/NetworkSecurityPerimeterLoggingConfiguration.cs index b0857b30b9b5..9e4ad6e96735 100644 --- a/sdk/dotnet/Network/NetworkSecurityPerimeterLoggingConfiguration.cs +++ b/sdk/dotnet/Network/NetworkSecurityPerimeterLoggingConfiguration.cs @@ -72,7 +72,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20240601preview:NetworkSecurityPerimeterLoggingConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterLoggingConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkSecurityPerimeterProfile.cs b/sdk/dotnet/Network/NetworkSecurityPerimeterProfile.cs index b20d4b1db9c4..924bd4ea1962 100644 --- a/sdk/dotnet/Network/NetworkSecurityPerimeterProfile.cs +++ b/sdk/dotnet/Network/NetworkSecurityPerimeterProfile.cs @@ -84,14 +84,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NetworkSecurityPerimeterProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NspProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NetworkSecurityPerimeterProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NspProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NetworkSecurityPerimeterProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NspProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240601preview:NetworkSecurityPerimeterProfile" }, new global::Pulumi.Alias { Type = "azure-native:network:NspProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:NetworkSecurityPerimeterProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230701preview:network:NetworkSecurityPerimeterProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230801preview:network:NetworkSecurityPerimeterProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkVirtualAppliance.cs b/sdk/dotnet/Network/NetworkVirtualAppliance.cs index 5b423c8e9cc2..fcec83cd674e 100644 --- a/sdk/dotnet/Network/NetworkVirtualAppliance.cs +++ b/sdk/dotnet/Network/NetworkVirtualAppliance.cs @@ -200,23 +200,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:NetworkVirtualAppliance" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200401:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:NetworkVirtualAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:NetworkVirtualAppliance" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:NetworkVirtualAppliance" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:NetworkVirtualAppliance" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:NetworkVirtualAppliance" }, @@ -226,6 +210,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:NetworkVirtualAppliance" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NetworkVirtualAppliance" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NetworkVirtualAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NetworkVirtualAppliance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkVirtualApplianceConnection.cs b/sdk/dotnet/Network/NetworkVirtualApplianceConnection.cs index 53f71bcabda6..f1350dc4bfd4 100644 --- a/sdk/dotnet/Network/NetworkVirtualApplianceConnection.cs +++ b/sdk/dotnet/Network/NetworkVirtualApplianceConnection.cs @@ -68,6 +68,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:NetworkVirtualApplianceConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NetworkVirtualApplianceConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NetworkVirtualApplianceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:NetworkVirtualApplianceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:NetworkVirtualApplianceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:NetworkVirtualApplianceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:NetworkVirtualApplianceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NetworkVirtualApplianceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NetworkVirtualApplianceConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NetworkWatcher.cs b/sdk/dotnet/Network/NetworkWatcher.cs index 5c7af82aeec8..e42cd195ba74 100644 --- a/sdk/dotnet/Network/NetworkWatcher.cs +++ b/sdk/dotnet/Network/NetworkWatcher.cs @@ -86,47 +86,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:NetworkWatcher" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220501:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:NetworkWatcher" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:NetworkWatcher" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:NetworkWatcher" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:NetworkWatcher" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:NetworkWatcher" }, @@ -136,6 +96,56 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:NetworkWatcher" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:NetworkWatcher" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:NetworkWatcher" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:NetworkWatcher" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NspAccessRule.cs b/sdk/dotnet/Network/NspAccessRule.cs index 52eb3b4691fe..ca77c10bfa58 100644 --- a/sdk/dotnet/Network/NspAccessRule.cs +++ b/sdk/dotnet/Network/NspAccessRule.cs @@ -131,7 +131,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NspAccessRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NspAccessRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NspAccessRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240601preview:NspAccessRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:NspAccessRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230701preview:network:NspAccessRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230801preview:network:NspAccessRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240601preview:network:NspAccessRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NspAssociation.cs b/sdk/dotnet/Network/NspAssociation.cs index a34e9bfd2bc4..e51efc55412d 100644 --- a/sdk/dotnet/Network/NspAssociation.cs +++ b/sdk/dotnet/Network/NspAssociation.cs @@ -107,7 +107,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NspAssociation" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NspAssociation" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NspAssociation" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240601preview:NspAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:NspAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230701preview:network:NspAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230801preview:network:NspAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240601preview:network:NspAssociation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NspLink.cs b/sdk/dotnet/Network/NspLink.cs index 2cbcb8e92bda..9d80f0e2951f 100644 --- a/sdk/dotnet/Network/NspLink.cs +++ b/sdk/dotnet/Network/NspLink.cs @@ -131,7 +131,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NspLink" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NspLink" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NspLink" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240601preview:NspLink" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:NspLink" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230701preview:network:NspLink" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230801preview:network:NspLink" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240601preview:network:NspLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/NspProfile.cs b/sdk/dotnet/Network/NspProfile.cs index df92039f42f3..ae8969754612 100644 --- a/sdk/dotnet/Network/NspProfile.cs +++ b/sdk/dotnet/Network/NspProfile.cs @@ -89,7 +89,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:NspProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230701preview:NspProfile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230801preview:NspProfile" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240601preview:NspProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:NspProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230701preview:network:NspProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230801preview:network:NspProfile" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240601preview:network:NspProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/P2sVpnGateway.cs b/sdk/dotnet/Network/P2sVpnGateway.cs index 3ea084adc00b..6943690b27ae 100644 --- a/sdk/dotnet/Network/P2sVpnGateway.cs +++ b/sdk/dotnet/Network/P2sVpnGateway.cs @@ -128,34 +128,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:P2sVpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190701:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:P2sVpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:P2sVpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:P2sVpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:P2sVpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:P2sVpnGateway" }, @@ -165,6 +138,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:P2sVpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:P2sVpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:P2sVpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:P2sVpnGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/P2sVpnServerConfiguration.cs b/sdk/dotnet/Network/P2sVpnServerConfiguration.cs index 64f48eb65cd9..7eebfb4bcaad 100644 --- a/sdk/dotnet/Network/P2sVpnServerConfiguration.cs +++ b/sdk/dotnet/Network/P2sVpnServerConfiguration.cs @@ -68,14 +68,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:P2sVpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:P2sVpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:P2sVpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:P2sVpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:P2sVpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:P2sVpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:P2sVpnServerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190701:P2sVpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:P2sVpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:P2sVpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:P2sVpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:P2sVpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:P2sVpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:P2sVpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:P2sVpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:P2sVpnServerConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/PacketCapture.cs b/sdk/dotnet/Network/PacketCapture.cs index 26649ea45108..a5af34728377 100644 --- a/sdk/dotnet/Network/PacketCapture.cs +++ b/sdk/dotnet/Network/PacketCapture.cs @@ -128,47 +128,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:PacketCapture" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200601:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:PacketCapture" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:PacketCapture" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:PacketCapture" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:PacketCapture" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:PacketCapture" }, @@ -178,6 +138,56 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:PacketCapture" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:PacketCapture" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:PacketCapture" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:PacketCapture" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/PrivateDnsZoneGroup.cs b/sdk/dotnet/Network/PrivateDnsZoneGroup.cs index 7a1d1e8d04a7..e4a4ad669e9a 100644 --- a/sdk/dotnet/Network/PrivateDnsZoneGroup.cs +++ b/sdk/dotnet/Network/PrivateDnsZoneGroup.cs @@ -74,22 +74,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:PrivateDnsZoneGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210201:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:PrivateDnsZoneGroup" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:PrivateDnsZoneGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:PrivateDnsZoneGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:PrivateDnsZoneGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:PrivateDnsZoneGroup" }, @@ -99,6 +84,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:PrivateDnsZoneGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:PrivateDnsZoneGroup" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:PrivateDnsZoneGroup" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:PrivateDnsZoneGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/PrivateEndpoint.cs b/sdk/dotnet/Network/PrivateEndpoint.cs index acbdb4359357..034a8c1eb4f9 100644 --- a/sdk/dotnet/Network/PrivateEndpoint.cs +++ b/sdk/dotnet/Network/PrivateEndpoint.cs @@ -140,35 +140,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:PrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190201:InterfaceEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:PrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210201:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:PrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:PrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:PrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:PrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:PrivateEndpoint" }, @@ -179,6 +152,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240301:PrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:PrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:network:InterfaceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:PrivateEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/PrivateLinkService.cs b/sdk/dotnet/Network/PrivateLinkService.cs index aa14d202e740..cc8811e4fcca 100644 --- a/sdk/dotnet/Network/PrivateLinkService.cs +++ b/sdk/dotnet/Network/PrivateLinkService.cs @@ -152,29 +152,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:PrivateLinkService" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:PrivateLinkService" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210201:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:PrivateLinkService" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:PrivateLinkService" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:PrivateLinkService" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:PrivateLinkService" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:PrivateLinkService" }, @@ -184,6 +163,38 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:PrivateLinkService" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:PrivateLinkService" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:PrivateLinkService" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:PrivateLinkService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/PrivateLinkServicePrivateEndpointConnection.cs b/sdk/dotnet/Network/PrivateLinkServicePrivateEndpointConnection.cs index 4d34e6b6e8f6..5c3b2d231999 100644 --- a/sdk/dotnet/Network/PrivateLinkServicePrivateEndpointConnection.cs +++ b/sdk/dotnet/Network/PrivateLinkServicePrivateEndpointConnection.cs @@ -98,25 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:PrivateLinkServicePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:PrivateLinkServicePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:PrivateLinkServicePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:PrivateLinkServicePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:PrivateLinkServicePrivateEndpointConnection" }, @@ -126,6 +107,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:PrivateLinkServicePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:PrivateLinkServicePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:PrivateLinkServicePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:PrivateLinkServicePrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/PublicIPAddress.cs b/sdk/dotnet/Network/PublicIPAddress.cs index 736890e1bc5b..3a73d7291cd9 100644 --- a/sdk/dotnet/Network/PublicIPAddress.cs +++ b/sdk/dotnet/Network/PublicIPAddress.cs @@ -194,51 +194,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:PublicIPAddress" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:PublicIPAddress" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:PublicIPAddress" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:PublicIPAddress" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:PublicIPAddress" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:PublicIPAddress" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:PublicIPAddress" }, @@ -248,6 +205,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:PublicIPAddress" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:PublicIPAddress" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:PublicIPAddress" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:PublicIPAddress" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/PublicIPPrefix.cs b/sdk/dotnet/Network/PublicIPPrefix.cs index 622a1bedd905..501f44f2d346 100644 --- a/sdk/dotnet/Network/PublicIPPrefix.cs +++ b/sdk/dotnet/Network/PublicIPPrefix.cs @@ -158,35 +158,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:PublicIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:PublicIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:PublicIPPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:PublicIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:PublicIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:PublicIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:PublicIPPrefix" }, @@ -196,6 +169,44 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:PublicIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:PublicIPPrefix" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:PublicIPPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:PublicIPPrefix" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ReachabilityAnalysisIntent.cs b/sdk/dotnet/Network/ReachabilityAnalysisIntent.cs index ba646fb8f0e3..5ce9822f20b0 100644 --- a/sdk/dotnet/Network/ReachabilityAnalysisIntent.cs +++ b/sdk/dotnet/Network/ReachabilityAnalysisIntent.cs @@ -76,6 +76,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20240101preview:ReachabilityAnalysisIntent" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ReachabilityAnalysisIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101preview:network:ReachabilityAnalysisIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ReachabilityAnalysisIntent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ReachabilityAnalysisRun.cs b/sdk/dotnet/Network/ReachabilityAnalysisRun.cs index 0f67edd93989..8e20bad7ad08 100644 --- a/sdk/dotnet/Network/ReachabilityAnalysisRun.cs +++ b/sdk/dotnet/Network/ReachabilityAnalysisRun.cs @@ -76,6 +76,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20240101preview:ReachabilityAnalysisRun" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ReachabilityAnalysisRun" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101preview:network:ReachabilityAnalysisRun" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ReachabilityAnalysisRun" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/Route.cs b/sdk/dotnet/Network/Route.cs index 71147aa20dac..bac554b7ea95 100644 --- a/sdk/dotnet/Network/Route.cs +++ b/sdk/dotnet/Network/Route.cs @@ -98,51 +98,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:Route" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:Route" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:Route" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:Route" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:Route" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:Route" }, @@ -152,6 +108,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:Route" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:Route" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:Route" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:Route" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/RouteFilter.cs b/sdk/dotnet/Network/RouteFilter.cs index e66aa91e9beb..378049388cda 100644 --- a/sdk/dotnet/Network/RouteFilter.cs +++ b/sdk/dotnet/Network/RouteFilter.cs @@ -104,46 +104,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:RouteFilter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:RouteFilter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:RouteFilter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:RouteFilter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:RouteFilter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:RouteFilter" }, @@ -153,6 +114,55 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:RouteFilter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:RouteFilter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:RouteFilter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:RouteFilter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/RouteFilterRule.cs b/sdk/dotnet/Network/RouteFilterRule.cs index 573a3835a814..16d8f250e966 100644 --- a/sdk/dotnet/Network/RouteFilterRule.cs +++ b/sdk/dotnet/Network/RouteFilterRule.cs @@ -92,46 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:RouteFilterRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:RouteFilterRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:RouteFilterRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:RouteFilterRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:RouteFilterRule" }, @@ -141,6 +101,55 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:RouteFilterRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:RouteFilterRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:RouteFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:RouteFilterRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/RouteMap.cs b/sdk/dotnet/Network/RouteMap.cs index 70bad9d63570..c0348f11add2 100644 --- a/sdk/dotnet/Network/RouteMap.cs +++ b/sdk/dotnet/Network/RouteMap.cs @@ -92,10 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:RouteMap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:RouteMap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:RouteMap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:RouteMap" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:RouteMap" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:RouteMap" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:RouteMap" }, @@ -105,6 +101,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:RouteMap" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:RouteMap" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:RouteMap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:RouteMap" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/RouteTable.cs b/sdk/dotnet/Network/RouteTable.cs index 1842b40cbec1..58a79140a7ea 100644 --- a/sdk/dotnet/Network/RouteTable.cs +++ b/sdk/dotnet/Network/RouteTable.cs @@ -110,51 +110,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:RouteTable" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:RouteTable" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:RouteTable" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:RouteTable" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:RouteTable" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:RouteTable" }, @@ -164,6 +120,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:RouteTable" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:RouteTable" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:RouteTable" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:RouteTable" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/RoutingIntent.cs b/sdk/dotnet/Network/RoutingIntent.cs index 9d1cfbf86e06..976a48e8ce55 100644 --- a/sdk/dotnet/Network/RoutingIntent.cs +++ b/sdk/dotnet/Network/RoutingIntent.cs @@ -80,13 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:RoutingIntent" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:RoutingIntent" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:RoutingIntent" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:RoutingIntent" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:RoutingIntent" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:RoutingIntent" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:RoutingIntent" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:RoutingIntent" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:RoutingIntent" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:RoutingIntent" }, @@ -96,6 +89,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:RoutingIntent" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:RoutingIntent" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:RoutingIntent" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:RoutingIntent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/RoutingRule.cs b/sdk/dotnet/Network/RoutingRule.cs index 79523ef8c9dd..d850ee8d1a70 100644 --- a/sdk/dotnet/Network/RoutingRule.cs +++ b/sdk/dotnet/Network/RoutingRule.cs @@ -106,6 +106,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20240301:RoutingRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:RoutingRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:RoutingRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:RoutingRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/RoutingRuleCollection.cs b/sdk/dotnet/Network/RoutingRuleCollection.cs index 00e518de140b..800d52cc0c2a 100644 --- a/sdk/dotnet/Network/RoutingRuleCollection.cs +++ b/sdk/dotnet/Network/RoutingRuleCollection.cs @@ -106,6 +106,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20240301:RoutingRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:RoutingRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:RoutingRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:RoutingRuleCollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ScopeConnection.cs b/sdk/dotnet/Network/ScopeConnection.cs index aa8f67c40a2a..91cd09adb431 100644 --- a/sdk/dotnet/Network/ScopeConnection.cs +++ b/sdk/dotnet/Network/ScopeConnection.cs @@ -92,14 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:ScopeConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ScopeConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:ScopeConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:ScopeConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ScopeConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ScopeConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ScopeConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ScopeConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ScopeConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ScopeConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ScopeConnection" }, @@ -109,6 +101,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ScopeConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ScopeConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ScopeConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ScopeConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/SecurityAdminConfiguration.cs b/sdk/dotnet/Network/SecurityAdminConfiguration.cs index ab521ab9b1e1..e5a33237b276 100644 --- a/sdk/dotnet/Network/SecurityAdminConfiguration.cs +++ b/sdk/dotnet/Network/SecurityAdminConfiguration.cs @@ -104,15 +104,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:SecurityAdminConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:SecurityAdminConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:SecurityAdminConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:SecurityAdminConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:SecurityAdminConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:SecurityAdminConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:SecurityAdminConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:SecurityAdminConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:SecurityAdminConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:SecurityAdminConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:SecurityAdminConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:SecurityAdminConfiguration" }, @@ -123,6 +115,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101preview:SecurityAdminConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:SecurityAdminConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101preview:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:SecurityAdminConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:SecurityAdminConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/SecurityPartnerProvider.cs b/sdk/dotnet/Network/SecurityPartnerProvider.cs index 8f5907b4d59c..2e595545eb7f 100644 --- a/sdk/dotnet/Network/SecurityPartnerProvider.cs +++ b/sdk/dotnet/Network/SecurityPartnerProvider.cs @@ -104,22 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:SecurityPartnerProvider" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:SecurityPartnerProvider" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:SecurityPartnerProvider" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:SecurityPartnerProvider" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:SecurityPartnerProvider" }, @@ -129,6 +113,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:SecurityPartnerProvider" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:SecurityPartnerProvider" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:SecurityPartnerProvider" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:SecurityPartnerProvider" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/SecurityRule.cs b/sdk/dotnet/Network/SecurityRule.cs index 2b318b0632bb..ff0bc90076b5 100644 --- a/sdk/dotnet/Network/SecurityRule.cs +++ b/sdk/dotnet/Network/SecurityRule.cs @@ -164,51 +164,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:SecurityRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:SecurityRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220701:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:SecurityRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:SecurityRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:SecurityRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:SecurityRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:SecurityRule" }, @@ -218,6 +175,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:SecurityRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:SecurityRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:SecurityRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:SecurityRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/SecurityUserConfiguration.cs b/sdk/dotnet/Network/SecurityUserConfiguration.cs index cc457d729ea4..835172fd4397 100644 --- a/sdk/dotnet/Network/SecurityUserConfiguration.cs +++ b/sdk/dotnet/Network/SecurityUserConfiguration.cs @@ -92,12 +92,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:SecurityUserConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:SecurityUserConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:SecurityUserConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:SecurityUserConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:SecurityUserConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:SecurityUserConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:SecurityUserConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:SecurityUserConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:SecurityUserConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:SecurityUserConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:SecurityUserConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:SecurityUserConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/SecurityUserRule.cs b/sdk/dotnet/Network/SecurityUserRule.cs index 07359d78c411..fa3ac92d29f4 100644 --- a/sdk/dotnet/Network/SecurityUserRule.cs +++ b/sdk/dotnet/Network/SecurityUserRule.cs @@ -128,18 +128,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:SecurityUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:DefaultUserRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:SecurityUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:UserRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:SecurityUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:DefaultUserRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:SecurityUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:UserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:SecurityUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:SecurityUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network:DefaultUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network:UserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:SecurityUserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:SecurityUserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:SecurityUserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:SecurityUserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:SecurityUserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:SecurityUserRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/SecurityUserRuleCollection.cs b/sdk/dotnet/Network/SecurityUserRuleCollection.cs index 15987c1eec98..316f29685d46 100644 --- a/sdk/dotnet/Network/SecurityUserRuleCollection.cs +++ b/sdk/dotnet/Network/SecurityUserRuleCollection.cs @@ -98,16 +98,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:SecurityUserRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:UserRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:SecurityUserRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:UserRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:SecurityUserRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:SecurityUserRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:UserRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:SecurityUserRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:SecurityUserRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network:UserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:SecurityUserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:SecurityUserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:SecurityUserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:SecurityUserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:SecurityUserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:SecurityUserRuleCollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ServiceEndpointPolicy.cs b/sdk/dotnet/Network/ServiceEndpointPolicy.cs index dba283717ba3..891c0aa40b9a 100644 --- a/sdk/dotnet/Network/ServiceEndpointPolicy.cs +++ b/sdk/dotnet/Network/ServiceEndpointPolicy.cs @@ -123,34 +123,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:network/v20180701:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ServiceEndpointPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ServiceEndpointPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ServiceEndpointPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ServiceEndpointPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ServiceEndpointPolicy" }, @@ -160,6 +132,44 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ServiceEndpointPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ServiceEndpointPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ServiceEndpointPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ServiceEndpointPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/ServiceEndpointPolicyDefinition.cs b/sdk/dotnet/Network/ServiceEndpointPolicyDefinition.cs index a1af9d50aad3..561a98d56c0c 100644 --- a/sdk/dotnet/Network/ServiceEndpointPolicyDefinition.cs +++ b/sdk/dotnet/Network/ServiceEndpointPolicyDefinition.cs @@ -93,34 +93,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:network/v20180701:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:ServiceEndpointPolicyDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:ServiceEndpointPolicyDefinition" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:ServiceEndpointPolicyDefinition" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:ServiceEndpointPolicyDefinition" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:ServiceEndpointPolicyDefinition" }, @@ -130,6 +102,44 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:ServiceEndpointPolicyDefinition" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:ServiceEndpointPolicyDefinition" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:ServiceEndpointPolicyDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:ServiceEndpointPolicyDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/StaticCidr.cs b/sdk/dotnet/Network/StaticCidr.cs index a46fa6771cd7..8a3e5b36abf0 100644 --- a/sdk/dotnet/Network/StaticCidr.cs +++ b/sdk/dotnet/Network/StaticCidr.cs @@ -76,6 +76,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20240101preview:StaticCidr" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:StaticCidr" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101preview:network:StaticCidr" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:StaticCidr" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/StaticMember.cs b/sdk/dotnet/Network/StaticMember.cs index 99efe2a925d4..bb92bf7d3821 100644 --- a/sdk/dotnet/Network/StaticMember.cs +++ b/sdk/dotnet/Network/StaticMember.cs @@ -92,14 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:StaticMember" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:StaticMember" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:StaticMember" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:StaticMember" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:StaticMember" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:StaticMember" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:StaticMember" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:StaticMember" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:StaticMember" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:StaticMember" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:StaticMember" }, @@ -109,6 +101,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:StaticMember" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:StaticMember" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:StaticMember" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:StaticMember" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/Subnet.cs b/sdk/dotnet/Network/Subnet.cs index fff3a17439cd..8a4a13b81249 100644 --- a/sdk/dotnet/Network/Subnet.cs +++ b/sdk/dotnet/Network/Subnet.cs @@ -200,51 +200,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:Subnet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190201:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:Subnet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:Subnet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:Subnet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200601:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:Subnet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220701:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:Subnet" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:Subnet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:Subnet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:Subnet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:Subnet" }, @@ -254,6 +214,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:Subnet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:Subnet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:Subnet" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:Subnet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/SubscriptionNetworkManagerConnection.cs b/sdk/dotnet/Network/SubscriptionNetworkManagerConnection.cs index 31a4041671f4..25221e061449 100644 --- a/sdk/dotnet/Network/SubscriptionNetworkManagerConnection.cs +++ b/sdk/dotnet/Network/SubscriptionNetworkManagerConnection.cs @@ -86,14 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:SubscriptionNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:SubscriptionNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:SubscriptionNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:SubscriptionNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:SubscriptionNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:SubscriptionNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:SubscriptionNetworkManagerConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:SubscriptionNetworkManagerConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:SubscriptionNetworkManagerConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:SubscriptionNetworkManagerConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:SubscriptionNetworkManagerConnection" }, @@ -103,6 +95,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:SubscriptionNetworkManagerConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:SubscriptionNetworkManagerConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:SubscriptionNetworkManagerConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:SubscriptionNetworkManagerConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/UserRule.cs b/sdk/dotnet/Network/UserRule.cs index c2cf6a2750c8..acd477a5e3b0 100644 --- a/sdk/dotnet/Network/UserRule.cs +++ b/sdk/dotnet/Network/UserRule.cs @@ -136,18 +136,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:UserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:DefaultUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:UserRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:UserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:DefaultUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:UserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:SecurityUserRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240301:UserRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:SecurityUserRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240501:UserRule" }, new global::Pulumi.Alias { Type = "azure-native:network:DefaultUserRule" }, new global::Pulumi.Alias { Type = "azure-native:network:SecurityUserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:UserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:UserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:UserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:UserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:UserRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:UserRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/UserRuleCollection.cs b/sdk/dotnet/Network/UserRuleCollection.cs index 8ccd2f94618f..15e222e0162a 100644 --- a/sdk/dotnet/Network/UserRuleCollection.cs +++ b/sdk/dotnet/Network/UserRuleCollection.cs @@ -94,13 +94,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20210201preview:UserRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20210501preview:UserRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220201preview:UserRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:UserRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:SecurityUserRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240301:UserRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:SecurityUserRuleCollection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20240501:UserRuleCollection" }, new global::Pulumi.Alias { Type = "azure-native:network:SecurityUserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201preview:network:UserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501preview:network:UserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220201preview:network:UserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220401preview:network:UserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:UserRuleCollection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:UserRuleCollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VerifierWorkspace.cs b/sdk/dotnet/Network/VerifierWorkspace.cs index 47f687a71508..4066bdf01430 100644 --- a/sdk/dotnet/Network/VerifierWorkspace.cs +++ b/sdk/dotnet/Network/VerifierWorkspace.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:network/v20240101preview:VerifierWorkspace" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VerifierWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101preview:network:VerifierWorkspace" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VerifierWorkspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualApplianceSite.cs b/sdk/dotnet/Network/VirtualApplianceSite.cs index 4939c3aa7600..bcb3770239a1 100644 --- a/sdk/dotnet/Network/VirtualApplianceSite.cs +++ b/sdk/dotnet/Network/VirtualApplianceSite.cs @@ -86,20 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualApplianceSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualApplianceSite" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualApplianceSite" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualApplianceSite" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualApplianceSite" }, @@ -109,6 +95,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualApplianceSite" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualApplianceSite" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualApplianceSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualApplianceSite" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualHub.cs b/sdk/dotnet/Network/VirtualHub.cs index 03af4e07ccfa..27b63a81ccd2 100644 --- a/sdk/dotnet/Network/VirtualHub.cs +++ b/sdk/dotnet/Network/VirtualHub.cs @@ -218,37 +218,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:VirtualHub" }, new global::Pulumi.Alias { Type = "azure-native:network/v20180701:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VirtualHub" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualHub" }, new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualHub" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualHub" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualHub" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualHub" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualHub" }, @@ -258,6 +230,46 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualHub" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualHub" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualHub" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualHub" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualHubBgpConnection.cs b/sdk/dotnet/Network/VirtualHubBgpConnection.cs index 13f2125ea723..dd729c640333 100644 --- a/sdk/dotnet/Network/VirtualHubBgpConnection.cs +++ b/sdk/dotnet/Network/VirtualHubBgpConnection.cs @@ -98,20 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualHubBgpConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualHubBgpConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualHubBgpConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualHubBgpConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualHubBgpConnection" }, @@ -121,6 +107,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualHubBgpConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualHubBgpConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualHubBgpConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualHubBgpConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualHubIpConfiguration.cs b/sdk/dotnet/Network/VirtualHubIpConfiguration.cs index 45ab2a34a7a4..01f0d6ee2b03 100644 --- a/sdk/dotnet/Network/VirtualHubIpConfiguration.cs +++ b/sdk/dotnet/Network/VirtualHubIpConfiguration.cs @@ -98,20 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualHubIpConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualHubIpConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualHubIpConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualHubIpConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualHubIpConfiguration" }, @@ -121,6 +107,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualHubIpConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualHubIpConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualHubIpConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualHubIpConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualHubRouteTableV2.cs b/sdk/dotnet/Network/VirtualHubRouteTableV2.cs index b749043dcf3f..b177eec5e83e 100644 --- a/sdk/dotnet/Network/VirtualHubRouteTableV2.cs +++ b/sdk/dotnet/Network/VirtualHubRouteTableV2.cs @@ -80,25 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualHubRouteTableV2" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualHubRouteTableV2" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualHubRouteTableV2" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualHubRouteTableV2" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualHubRouteTableV2" }, @@ -108,6 +89,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualHubRouteTableV2" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualHubRouteTableV2" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualHubRouteTableV2" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualHubRouteTableV2" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualNetwork.cs b/sdk/dotnet/Network/VirtualNetwork.cs index 3fd117c62993..431548810cfa 100644 --- a/sdk/dotnet/Network/VirtualNetwork.cs +++ b/sdk/dotnet/Network/VirtualNetwork.cs @@ -176,51 +176,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150501preview:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualNetwork" }, @@ -230,6 +187,60 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150501preview:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualNetworkGateway.cs b/sdk/dotnet/Network/VirtualNetworkGateway.cs index 8e9f4068fc90..916443b56a7b 100644 --- a/sdk/dotnet/Network/VirtualNetworkGateway.cs +++ b/sdk/dotnet/Network/VirtualNetworkGateway.cs @@ -248,50 +248,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VirtualNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualNetworkGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualNetworkGateway" }, @@ -301,6 +258,59 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualNetworkGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualNetworkGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualNetworkGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualNetworkGatewayConnection.cs b/sdk/dotnet/Network/VirtualNetworkGatewayConnection.cs index 6addb8611637..9d3724db9919 100644 --- a/sdk/dotnet/Network/VirtualNetworkGatewayConnection.cs +++ b/sdk/dotnet/Network/VirtualNetworkGatewayConnection.cs @@ -242,50 +242,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20150615:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160330:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VirtualNetworkGatewayConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualNetworkGatewayConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualNetworkGatewayConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualNetworkGatewayConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualNetworkGatewayConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualNetworkGatewayConnection" }, @@ -295,6 +252,59 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualNetworkGatewayConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualNetworkGatewayConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20150615:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160330:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualNetworkGatewayConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualNetworkGatewayConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualNetworkGatewayNatRule.cs b/sdk/dotnet/Network/VirtualNetworkGatewayNatRule.cs index bd20bca1f7da..17bd213efccf 100644 --- a/sdk/dotnet/Network/VirtualNetworkGatewayNatRule.cs +++ b/sdk/dotnet/Network/VirtualNetworkGatewayNatRule.cs @@ -98,15 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualNetworkGatewayNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualNetworkGatewayNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualNetworkGatewayNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualNetworkGatewayNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualNetworkGatewayNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualNetworkGatewayNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualNetworkGatewayNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualNetworkGatewayNatRule" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualNetworkGatewayNatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualNetworkGatewayNatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualNetworkGatewayNatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualNetworkGatewayNatRule" }, @@ -116,6 +107,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualNetworkGatewayNatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualNetworkGatewayNatRule" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualNetworkGatewayNatRule" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualNetworkGatewayNatRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualNetworkPeering.cs b/sdk/dotnet/Network/VirtualNetworkPeering.cs index 06a86466452c..d8874dab4823 100644 --- a/sdk/dotnet/Network/VirtualNetworkPeering.cs +++ b/sdk/dotnet/Network/VirtualNetworkPeering.cs @@ -188,48 +188,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20160601:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20160901:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20161201:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170301:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170601:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170801:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20170901:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171001:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20171101:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180101:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180201:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:VirtualNetworkPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190601:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualNetworkPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualNetworkPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualNetworkPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualNetworkPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualNetworkPeering" }, @@ -239,6 +198,57 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualNetworkPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualNetworkPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160601:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20160901:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20161201:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170301:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170601:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170801:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20170901:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171001:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20171101:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180101:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180201:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualNetworkPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualNetworkPeering" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualNetworkTap.cs b/sdk/dotnet/Network/VirtualNetworkTap.cs index 95d4a64d181b..70ad632ae274 100644 --- a/sdk/dotnet/Network/VirtualNetworkTap.cs +++ b/sdk/dotnet/Network/VirtualNetworkTap.cs @@ -116,34 +116,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualNetworkTap" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualNetworkTap" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualNetworkTap" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualNetworkTap" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualNetworkTap" }, @@ -153,6 +125,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualNetworkTap" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualNetworkTap" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualNetworkTap" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualNetworkTap" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualRouter.cs b/sdk/dotnet/Network/VirtualRouter.cs index d13820d4caa9..ef1e5d2e4bee 100644 --- a/sdk/dotnet/Network/VirtualRouter.cs +++ b/sdk/dotnet/Network/VirtualRouter.cs @@ -116,27 +116,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualRouter" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualRouter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualRouter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualRouter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualRouter" }, @@ -146,6 +125,36 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualRouter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualRouter" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualRouter" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualRouter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualRouterPeering.cs b/sdk/dotnet/Network/VirtualRouterPeering.cs index 92c074022b2d..096817ac03e2 100644 --- a/sdk/dotnet/Network/VirtualRouterPeering.cs +++ b/sdk/dotnet/Network/VirtualRouterPeering.cs @@ -86,27 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualRouterPeering" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualRouterPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualRouterPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualRouterPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualRouterPeering" }, @@ -116,6 +95,36 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualRouterPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualRouterPeering" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualRouterPeering" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualRouterPeering" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VirtualWan.cs b/sdk/dotnet/Network/VirtualWan.cs index 17e7c0b22fbc..5997596fe968 100644 --- a/sdk/dotnet/Network/VirtualWan.cs +++ b/sdk/dotnet/Network/VirtualWan.cs @@ -122,38 +122,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:VirtualWan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20180701:VirtualWAN" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180701:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:VirtualWan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VirtualWan" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VirtualWan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VirtualWan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VirtualWan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VirtualWan" }, @@ -163,6 +133,46 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VirtualWan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VirtualWan" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VirtualWan" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VirtualWan" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VpnConnection.cs b/sdk/dotnet/Network/VpnConnection.cs index 3c99d62ba01e..0aa18594ea75 100644 --- a/sdk/dotnet/Network/VpnConnection.cs +++ b/sdk/dotnet/Network/VpnConnection.cs @@ -176,37 +176,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:VpnConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20180701:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VpnConnection" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VpnConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VpnConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VpnConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VpnConnection" }, @@ -216,6 +186,46 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VpnConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VpnConnection" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VpnConnection" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VpnConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VpnGateway.cs b/sdk/dotnet/Network/VpnGateway.cs index 0c7a80f6e04b..a21e36a65d13 100644 --- a/sdk/dotnet/Network/VpnGateway.cs +++ b/sdk/dotnet/Network/VpnGateway.cs @@ -134,37 +134,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:VpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20180701:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VpnGateway" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VpnGateway" }, @@ -174,6 +144,46 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VpnGateway" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VpnGateway" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VpnGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VpnServerConfiguration.cs b/sdk/dotnet/Network/VpnServerConfiguration.cs index 7e69137f4365..07029cf7d4cd 100644 --- a/sdk/dotnet/Network/VpnServerConfiguration.cs +++ b/sdk/dotnet/Network/VpnServerConfiguration.cs @@ -86,26 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VpnServerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VpnServerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VpnServerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VpnServerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VpnServerConfiguration" }, @@ -115,6 +95,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VpnServerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VpnServerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VpnServerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VpnServerConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/VpnSite.cs b/sdk/dotnet/Network/VpnSite.cs index b8962584cb0b..58443e42d176 100644 --- a/sdk/dotnet/Network/VpnSite.cs +++ b/sdk/dotnet/Network/VpnSite.cs @@ -140,37 +140,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20180401:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180601:VpnSite" }, new global::Pulumi.Alias { Type = "azure-native:network/v20180701:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20180801:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181001:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181101:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190701:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:VpnSite" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:VpnSite" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:VpnSite" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:VpnSite" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:VpnSite" }, @@ -180,6 +150,46 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:VpnSite" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:VpnSite" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180401:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180601:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180701:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20180801:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181001:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181101:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:VpnSite" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:VpnSite" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Network/WebApplicationFirewallPolicy.cs b/sdk/dotnet/Network/WebApplicationFirewallPolicy.cs index 9c98c284b142..6d62d2f27048 100644 --- a/sdk/dotnet/Network/WebApplicationFirewallPolicy.cs +++ b/sdk/dotnet/Network/WebApplicationFirewallPolicy.cs @@ -134,31 +134,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:network/v20181201:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190201:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190401:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190601:WebApplicationFirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20190701:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190801:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20190901:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191101:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20191201:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200301:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200401:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200501:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200601:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200701:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20200801:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20201101:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210201:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210301:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210501:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20210801:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220101:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220501:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220701:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20220901:WebApplicationFirewallPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:network/v20221101:WebApplicationFirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230201:WebApplicationFirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230401:WebApplicationFirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20230501:WebApplicationFirewallPolicy" }, @@ -168,6 +144,40 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20240101:WebApplicationFirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240301:WebApplicationFirewallPolicy" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240501:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20181201:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190201:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190401:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190601:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190701:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190801:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20190901:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191101:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20191201:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200301:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200401:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200501:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200601:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200701:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20200801:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20201101:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210201:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210301:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210501:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20210801:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220101:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220501:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220701:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20220901:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20221101:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230201:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230401:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230501:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230601:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20230901:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20231101:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240101:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240301:network:WebApplicationFirewallPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_network_v20240501:network:WebApplicationFirewallPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/AgentPool.cs b/sdk/dotnet/NetworkCloud/AgentPool.cs index fb504fe69dbb..2ab7545e0456 100644 --- a/sdk/dotnet/NetworkCloud/AgentPool.cs +++ b/sdk/dotnet/NetworkCloud/AgentPool.cs @@ -179,7 +179,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:AgentPool" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:AgentPool" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:AgentPool" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:AgentPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/BareMetalMachine.cs b/sdk/dotnet/NetworkCloud/BareMetalMachine.cs index bee50b55b64f..1b24d122efb9 100644 --- a/sdk/dotnet/NetworkCloud/BareMetalMachine.cs +++ b/sdk/dotnet/NetworkCloud/BareMetalMachine.cs @@ -287,7 +287,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:BareMetalMachine" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:BareMetalMachine" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:BareMetalMachine" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:BareMetalMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:BareMetalMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:BareMetalMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:BareMetalMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:BareMetalMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:BareMetalMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:BareMetalMachine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/BareMetalMachineKeySet.cs b/sdk/dotnet/NetworkCloud/BareMetalMachineKeySet.cs index 4d7d0baa0208..8bc0bf9aa2bd 100644 --- a/sdk/dotnet/NetworkCloud/BareMetalMachineKeySet.cs +++ b/sdk/dotnet/NetworkCloud/BareMetalMachineKeySet.cs @@ -161,7 +161,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:BareMetalMachineKeySet" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:BareMetalMachineKeySet" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:BareMetalMachineKeySet" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:BareMetalMachineKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:BareMetalMachineKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:BareMetalMachineKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:BareMetalMachineKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:BareMetalMachineKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:BareMetalMachineKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:BareMetalMachineKeySet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/BmcKeySet.cs b/sdk/dotnet/NetworkCloud/BmcKeySet.cs index 1ea260fbb91f..4ad77f6ec134 100644 --- a/sdk/dotnet/NetworkCloud/BmcKeySet.cs +++ b/sdk/dotnet/NetworkCloud/BmcKeySet.cs @@ -149,7 +149,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:BmcKeySet" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:BmcKeySet" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:BmcKeySet" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:BmcKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:BmcKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:BmcKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:BmcKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:BmcKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:BmcKeySet" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:BmcKeySet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/CloudServicesNetwork.cs b/sdk/dotnet/NetworkCloud/CloudServicesNetwork.cs index e06e1b84b79f..df1ad6fee999 100644 --- a/sdk/dotnet/NetworkCloud/CloudServicesNetwork.cs +++ b/sdk/dotnet/NetworkCloud/CloudServicesNetwork.cs @@ -166,7 +166,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:CloudServicesNetwork" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:CloudServicesNetwork" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:CloudServicesNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:CloudServicesNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:CloudServicesNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:CloudServicesNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:CloudServicesNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:CloudServicesNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:CloudServicesNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:CloudServicesNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/Cluster.cs b/sdk/dotnet/NetworkCloud/Cluster.cs index 6845ad411070..8bcf0086d7d1 100644 --- a/sdk/dotnet/NetworkCloud/Cluster.cs +++ b/sdk/dotnet/NetworkCloud/Cluster.cs @@ -282,7 +282,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:Cluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/ClusterManager.cs b/sdk/dotnet/NetworkCloud/ClusterManager.cs index 076e8ece5b92..0af29edcda84 100644 --- a/sdk/dotnet/NetworkCloud/ClusterManager.cs +++ b/sdk/dotnet/NetworkCloud/ClusterManager.cs @@ -155,7 +155,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:ClusterManager" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:ClusterManager" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:ClusterManager" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:ClusterManager" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:ClusterManager" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:ClusterManager" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:ClusterManager" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:ClusterManager" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:ClusterManager" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:ClusterManager" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/Console.cs b/sdk/dotnet/NetworkCloud/Console.cs index e13d0745b322..7fd43572968d 100644 --- a/sdk/dotnet/NetworkCloud/Console.cs +++ b/sdk/dotnet/NetworkCloud/Console.cs @@ -143,7 +143,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:Console" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:Console" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:Console" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:Console" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:Console" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:Console" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:Console" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:Console" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:Console" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:Console" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/KubernetesCluster.cs b/sdk/dotnet/NetworkCloud/KubernetesCluster.cs index 58f8b1025fac..aac5686037dd 100644 --- a/sdk/dotnet/NetworkCloud/KubernetesCluster.cs +++ b/sdk/dotnet/NetworkCloud/KubernetesCluster.cs @@ -197,7 +197,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:KubernetesCluster" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:KubernetesCluster" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:KubernetesCluster" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:KubernetesCluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:KubernetesCluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:KubernetesCluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:KubernetesCluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:KubernetesCluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:KubernetesCluster" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:KubernetesCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/KubernetesClusterFeature.cs b/sdk/dotnet/NetworkCloud/KubernetesClusterFeature.cs index 3b84a82d1990..e96e2cc8f0fa 100644 --- a/sdk/dotnet/NetworkCloud/KubernetesClusterFeature.cs +++ b/sdk/dotnet/NetworkCloud/KubernetesClusterFeature.cs @@ -129,7 +129,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:KubernetesClusterFeature" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:KubernetesClusterFeature" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:KubernetesClusterFeature" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:KubernetesClusterFeature" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:KubernetesClusterFeature" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:KubernetesClusterFeature" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:KubernetesClusterFeature" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:KubernetesClusterFeature" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/L2Network.cs b/sdk/dotnet/NetworkCloud/L2Network.cs index bf2fac6ef304..9314bcb0e144 100644 --- a/sdk/dotnet/NetworkCloud/L2Network.cs +++ b/sdk/dotnet/NetworkCloud/L2Network.cs @@ -155,7 +155,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:L2Network" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:L2Network" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:L2Network" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:L2Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:L2Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:L2Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:L2Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:L2Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:L2Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:L2Network" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/L3Network.cs b/sdk/dotnet/NetworkCloud/L3Network.cs index c2c4c8a1e32d..46f9dbf06632 100644 --- a/sdk/dotnet/NetworkCloud/L3Network.cs +++ b/sdk/dotnet/NetworkCloud/L3Network.cs @@ -187,7 +187,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:L3Network" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:L3Network" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:L3Network" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:L3Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:L3Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:L3Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:L3Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:L3Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:L3Network" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:L3Network" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/MetricsConfiguration.cs b/sdk/dotnet/NetworkCloud/MetricsConfiguration.cs index ab04592036f7..04d0768ff941 100644 --- a/sdk/dotnet/NetworkCloud/MetricsConfiguration.cs +++ b/sdk/dotnet/NetworkCloud/MetricsConfiguration.cs @@ -131,7 +131,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:MetricsConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:MetricsConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:MetricsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:MetricsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:MetricsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:MetricsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:MetricsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:MetricsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:MetricsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:MetricsConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/Rack.cs b/sdk/dotnet/NetworkCloud/Rack.cs index 0a7388781ffa..61faa04cbf87 100644 --- a/sdk/dotnet/NetworkCloud/Rack.cs +++ b/sdk/dotnet/NetworkCloud/Rack.cs @@ -143,7 +143,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:Rack" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:Rack" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:Rack" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:Rack" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:Rack" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:Rack" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:Rack" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:Rack" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:Rack" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:Rack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/StorageAppliance.cs b/sdk/dotnet/NetworkCloud/StorageAppliance.cs index 8a23d82dd856..8ee7505b9b0c 100644 --- a/sdk/dotnet/NetworkCloud/StorageAppliance.cs +++ b/sdk/dotnet/NetworkCloud/StorageAppliance.cs @@ -203,7 +203,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:StorageAppliance" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:StorageAppliance" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:StorageAppliance" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:StorageAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:StorageAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:StorageAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:StorageAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:StorageAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:StorageAppliance" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:StorageAppliance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/TrunkedNetwork.cs b/sdk/dotnet/NetworkCloud/TrunkedNetwork.cs index 7b39a9ab3953..588def529777 100644 --- a/sdk/dotnet/NetworkCloud/TrunkedNetwork.cs +++ b/sdk/dotnet/NetworkCloud/TrunkedNetwork.cs @@ -161,7 +161,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:TrunkedNetwork" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:TrunkedNetwork" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:TrunkedNetwork" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:TrunkedNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:TrunkedNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:TrunkedNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:TrunkedNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:TrunkedNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:TrunkedNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:TrunkedNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/VirtualMachine.cs b/sdk/dotnet/NetworkCloud/VirtualMachine.cs index 864f0e6edb09..a8e63f1bee46 100644 --- a/sdk/dotnet/NetworkCloud/VirtualMachine.cs +++ b/sdk/dotnet/NetworkCloud/VirtualMachine.cs @@ -245,7 +245,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:VirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:VirtualMachine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkCloud/Volume.cs b/sdk/dotnet/NetworkCloud/Volume.cs index ab28966ab410..f35d188cff5a 100644 --- a/sdk/dotnet/NetworkCloud/Volume.cs +++ b/sdk/dotnet/NetworkCloud/Volume.cs @@ -131,7 +131,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240601preview:Volume" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20240701:Volume" }, new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20241001preview:Volume" }, - new global::Pulumi.Alias { Type = "azure-native:networkcloud/v20250201:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20230701:networkcloud:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20231001preview:networkcloud:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240601preview:networkcloud:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20240701:networkcloud:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20241001preview:networkcloud:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_networkcloud_v20250201:networkcloud:Volume" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkFunction/AzureTrafficCollector.cs b/sdk/dotnet/NetworkFunction/AzureTrafficCollector.cs index 371e32f4352c..be1b845253e7 100644 --- a/sdk/dotnet/NetworkFunction/AzureTrafficCollector.cs +++ b/sdk/dotnet/NetworkFunction/AzureTrafficCollector.cs @@ -102,10 +102,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:networkfunction/v20210901preview:AzureTrafficCollector" }, - new global::Pulumi.Alias { Type = "azure-native:networkfunction/v20220501:AzureTrafficCollector" }, new global::Pulumi.Alias { Type = "azure-native:networkfunction/v20220801:AzureTrafficCollector" }, new global::Pulumi.Alias { Type = "azure-native:networkfunction/v20221101:AzureTrafficCollector" }, + new global::Pulumi.Alias { Type = "azure-native_networkfunction_v20210901preview:networkfunction:AzureTrafficCollector" }, + new global::Pulumi.Alias { Type = "azure-native_networkfunction_v20220501:networkfunction:AzureTrafficCollector" }, + new global::Pulumi.Alias { Type = "azure-native_networkfunction_v20220801:networkfunction:AzureTrafficCollector" }, + new global::Pulumi.Alias { Type = "azure-native_networkfunction_v20221101:networkfunction:AzureTrafficCollector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NetworkFunction/CollectorPolicy.cs b/sdk/dotnet/NetworkFunction/CollectorPolicy.cs index 74b39b4cc238..0ce60c09644d 100644 --- a/sdk/dotnet/NetworkFunction/CollectorPolicy.cs +++ b/sdk/dotnet/NetworkFunction/CollectorPolicy.cs @@ -102,10 +102,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:networkfunction/v20210901preview:CollectorPolicy" }, new global::Pulumi.Alias { Type = "azure-native:networkfunction/v20220501:CollectorPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:networkfunction/v20220801:CollectorPolicy" }, new global::Pulumi.Alias { Type = "azure-native:networkfunction/v20221101:CollectorPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_networkfunction_v20210901preview:networkfunction:CollectorPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_networkfunction_v20220501:networkfunction:CollectorPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_networkfunction_v20220801:networkfunction:CollectorPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_networkfunction_v20221101:networkfunction:CollectorPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NotificationHubs/Namespace.cs b/sdk/dotnet/NotificationHubs/Namespace.cs index 76292f303015..1dc661a25979 100644 --- a/sdk/dotnet/NotificationHubs/Namespace.cs +++ b/sdk/dotnet/NotificationHubs/Namespace.cs @@ -202,12 +202,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20140901:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20160301:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20170401:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20230101preview:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20230901:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20231001preview:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20140901:notificationhubs:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20160301:notificationhubs:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20170401:notificationhubs:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20230101preview:notificationhubs:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20230901:notificationhubs:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20231001preview:notificationhubs:Namespace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NotificationHubs/NamespaceAuthorizationRule.cs b/sdk/dotnet/NotificationHubs/NamespaceAuthorizationRule.cs index e9a215417415..47415939bb33 100644 --- a/sdk/dotnet/NotificationHubs/NamespaceAuthorizationRule.cs +++ b/sdk/dotnet/NotificationHubs/NamespaceAuthorizationRule.cs @@ -136,11 +136,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20160301:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20170401:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20230101preview:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20230901:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20231001preview:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20160301:notificationhubs:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20170401:notificationhubs:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20230101preview:notificationhubs:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20230901:notificationhubs:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20231001preview:notificationhubs:NamespaceAuthorizationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NotificationHubs/NotificationHub.cs b/sdk/dotnet/NotificationHubs/NotificationHub.cs index ce2ab2f61f6d..c4b9c485a42c 100644 --- a/sdk/dotnet/NotificationHubs/NotificationHub.cs +++ b/sdk/dotnet/NotificationHubs/NotificationHub.cs @@ -155,12 +155,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20140901:NotificationHub" }, - new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20160301:NotificationHub" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20170401:NotificationHub" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20230101preview:NotificationHub" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20230901:NotificationHub" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20231001preview:NotificationHub" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20140901:notificationhubs:NotificationHub" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20160301:notificationhubs:NotificationHub" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20170401:notificationhubs:NotificationHub" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20230101preview:notificationhubs:NotificationHub" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20230901:notificationhubs:NotificationHub" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20231001preview:notificationhubs:NotificationHub" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NotificationHubs/NotificationHubAuthorizationRule.cs b/sdk/dotnet/NotificationHubs/NotificationHubAuthorizationRule.cs index b4ede8bebd82..ecd381ace31d 100644 --- a/sdk/dotnet/NotificationHubs/NotificationHubAuthorizationRule.cs +++ b/sdk/dotnet/NotificationHubs/NotificationHubAuthorizationRule.cs @@ -136,11 +136,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20160301:NotificationHubAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20170401:NotificationHubAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20230101preview:NotificationHubAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20230901:NotificationHubAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20231001preview:NotificationHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20160301:notificationhubs:NotificationHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20170401:notificationhubs:NotificationHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20230101preview:notificationhubs:NotificationHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20230901:notificationhubs:NotificationHubAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20231001preview:notificationhubs:NotificationHubAuthorizationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/NotificationHubs/PrivateEndpointConnection.cs b/sdk/dotnet/NotificationHubs/PrivateEndpointConnection.cs index 6543d9f1b06f..0ff61011030d 100644 --- a/sdk/dotnet/NotificationHubs/PrivateEndpointConnection.cs +++ b/sdk/dotnet/NotificationHubs/PrivateEndpointConnection.cs @@ -77,6 +77,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20230101preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20230901:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:notificationhubs/v20231001preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20230101preview:notificationhubs:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20230901:notificationhubs:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_notificationhubs_v20231001preview:notificationhubs:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/HyperVSite.cs b/sdk/dotnet/OffAzure/HyperVSite.cs index 788b59ec3123..47e3c943a333 100644 --- a/sdk/dotnet/OffAzure/HyperVSite.cs +++ b/sdk/dotnet/OffAzure/HyperVSite.cs @@ -87,15 +87,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:offazure/v20200101:HyperVSite" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20200707:HyperVSite" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:HyperVSite" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:HypervSitesController" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:HyperVSite" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:HypervSitesController" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:HyperVSite" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:HypervSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure:HypervSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200101:offazure:HyperVSite" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200707:offazure:HyperVSite" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:HyperVSite" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:HyperVSite" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:HyperVSite" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/HypervClusterControllerCluster.cs b/sdk/dotnet/OffAzure/HypervClusterControllerCluster.cs index 050f7045c515..030f7c855c42 100644 --- a/sdk/dotnet/OffAzure/HypervClusterControllerCluster.cs +++ b/sdk/dotnet/OffAzure/HypervClusterControllerCluster.cs @@ -125,6 +125,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:HypervClusterControllerCluster" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:HypervClusterControllerCluster" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:HypervClusterControllerCluster" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:HypervClusterControllerCluster" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:HypervClusterControllerCluster" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:HypervClusterControllerCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/HypervHostController.cs b/sdk/dotnet/OffAzure/HypervHostController.cs index 247001b1614b..5f8d5d4d643e 100644 --- a/sdk/dotnet/OffAzure/HypervHostController.cs +++ b/sdk/dotnet/OffAzure/HypervHostController.cs @@ -113,6 +113,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:HypervHostController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:HypervHostController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:HypervHostController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:HypervHostController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:HypervHostController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:HypervHostController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/HypervSitesController.cs b/sdk/dotnet/OffAzure/HypervSitesController.cs index 0c7dbf948a84..2a21e9f2adfd 100644 --- a/sdk/dotnet/OffAzure/HypervSitesController.cs +++ b/sdk/dotnet/OffAzure/HypervSitesController.cs @@ -124,13 +124,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:offazure/v20200101:HypervSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20200707:HyperVSite" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20200707:HypervSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:HypervSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:HypervSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:HypervSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure:HyperVSite" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200101:offazure:HypervSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200707:offazure:HypervSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:HypervSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:HypervSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:HypervSitesController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/ImportSitesController.cs b/sdk/dotnet/OffAzure/ImportSitesController.cs index c24d9853a141..0b19c6f584b1 100644 --- a/sdk/dotnet/OffAzure/ImportSitesController.cs +++ b/sdk/dotnet/OffAzure/ImportSitesController.cs @@ -107,6 +107,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:ImportSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:ImportSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:ImportSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:ImportSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:ImportSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:ImportSitesController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/MasterSitesController.cs b/sdk/dotnet/OffAzure/MasterSitesController.cs index 8203833a4755..bff561ad60b2 100644 --- a/sdk/dotnet/OffAzure/MasterSitesController.cs +++ b/sdk/dotnet/OffAzure/MasterSitesController.cs @@ -125,10 +125,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:offazure/v20200707:MasterSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:MasterSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:MasterSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:MasterSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200707:offazure:MasterSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:MasterSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:MasterSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:MasterSitesController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/PrivateEndpointConnection.cs b/sdk/dotnet/OffAzure/PrivateEndpointConnection.cs index 0f89f9664a8b..c721b5ed28a5 100644 --- a/sdk/dotnet/OffAzure/PrivateEndpointConnection.cs +++ b/sdk/dotnet/OffAzure/PrivateEndpointConnection.cs @@ -79,13 +79,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:offazure/v20200707:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:PrivateEndpointConnectionController" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:PrivateEndpointConnectionController" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:PrivateEndpointConnectionController" }, new global::Pulumi.Alias { Type = "azure-native:offazure:PrivateEndpointConnectionController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200707:offazure:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/PrivateEndpointConnectionController.cs b/sdk/dotnet/OffAzure/PrivateEndpointConnectionController.cs index 48345657bc14..c256206432d2 100644 --- a/sdk/dotnet/OffAzure/PrivateEndpointConnectionController.cs +++ b/sdk/dotnet/OffAzure/PrivateEndpointConnectionController.cs @@ -93,11 +93,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:offazure/v20200707:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20200707:PrivateEndpointConnectionController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:PrivateEndpointConnectionController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:PrivateEndpointConnectionController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:PrivateEndpointConnectionController" }, new global::Pulumi.Alias { Type = "azure-native:offazure:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200707:offazure:PrivateEndpointConnectionController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:PrivateEndpointConnectionController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:PrivateEndpointConnectionController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:PrivateEndpointConnectionController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/ServerSitesController.cs b/sdk/dotnet/OffAzure/ServerSitesController.cs index 4e5b3dac87b3..63a1a631799b 100644 --- a/sdk/dotnet/OffAzure/ServerSitesController.cs +++ b/sdk/dotnet/OffAzure/ServerSitesController.cs @@ -127,6 +127,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:ServerSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:ServerSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:ServerSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:ServerSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:ServerSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:ServerSitesController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/Site.cs b/sdk/dotnet/OffAzure/Site.cs index ce2a31da5432..36e447db64a1 100644 --- a/sdk/dotnet/OffAzure/Site.cs +++ b/sdk/dotnet/OffAzure/Site.cs @@ -87,15 +87,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:offazure/v20200101:Site" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20200707:Site" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:Site" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:SitesController" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:Site" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:SitesController" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:Site" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:SitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure:SitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200101:offazure:Site" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200707:offazure:Site" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:Site" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:Site" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:Site" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/SitesController.cs b/sdk/dotnet/OffAzure/SitesController.cs index ff52bb3c7d42..b666d03673af 100644 --- a/sdk/dotnet/OffAzure/SitesController.cs +++ b/sdk/dotnet/OffAzure/SitesController.cs @@ -130,13 +130,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:offazure/v20200101:SitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20200707:Site" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20200707:SitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:SitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:SitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:SitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure:Site" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200101:offazure:SitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200707:offazure:SitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:SitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:SitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:SitesController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/SqlDiscoverySiteDataSourceController.cs b/sdk/dotnet/OffAzure/SqlDiscoverySiteDataSourceController.cs index 0bb413e4d2a1..c5bd09130de7 100644 --- a/sdk/dotnet/OffAzure/SqlDiscoverySiteDataSourceController.cs +++ b/sdk/dotnet/OffAzure/SqlDiscoverySiteDataSourceController.cs @@ -83,6 +83,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:SqlDiscoverySiteDataSourceController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:SqlDiscoverySiteDataSourceController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:SqlDiscoverySiteDataSourceController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:SqlDiscoverySiteDataSourceController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:SqlDiscoverySiteDataSourceController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:SqlDiscoverySiteDataSourceController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/SqlSitesController.cs b/sdk/dotnet/OffAzure/SqlSitesController.cs index 08a8ccb06863..23ab3dbe77ae 100644 --- a/sdk/dotnet/OffAzure/SqlSitesController.cs +++ b/sdk/dotnet/OffAzure/SqlSitesController.cs @@ -97,6 +97,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:SqlSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:SqlSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:SqlSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:SqlSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:SqlSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:SqlSitesController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/VcenterController.cs b/sdk/dotnet/OffAzure/VcenterController.cs index d443925d6e27..52aa7e5957fd 100644 --- a/sdk/dotnet/OffAzure/VcenterController.cs +++ b/sdk/dotnet/OffAzure/VcenterController.cs @@ -134,11 +134,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:offazure/v20200101:VcenterController" }, - new global::Pulumi.Alias { Type = "azure-native:offazure/v20200707:VcenterController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:VcenterController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:VcenterController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:VcenterController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200101:offazure:VcenterController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20200707:offazure:VcenterController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:VcenterController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:VcenterController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:VcenterController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/WebAppDiscoverySiteDataSourcesController.cs b/sdk/dotnet/OffAzure/WebAppDiscoverySiteDataSourcesController.cs index 631147ea80d9..a2976f0c962d 100644 --- a/sdk/dotnet/OffAzure/WebAppDiscoverySiteDataSourcesController.cs +++ b/sdk/dotnet/OffAzure/WebAppDiscoverySiteDataSourcesController.cs @@ -83,6 +83,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:WebAppDiscoverySiteDataSourcesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:WebAppDiscoverySiteDataSourcesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:WebAppDiscoverySiteDataSourcesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:WebAppDiscoverySiteDataSourcesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:WebAppDiscoverySiteDataSourcesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:WebAppDiscoverySiteDataSourcesController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzure/WebAppSitesController.cs b/sdk/dotnet/OffAzure/WebAppSitesController.cs index aecd07539428..3739b4483c89 100644 --- a/sdk/dotnet/OffAzure/WebAppSitesController.cs +++ b/sdk/dotnet/OffAzure/WebAppSitesController.cs @@ -97,6 +97,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:offazure/v20230606:WebAppSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20231001preview:WebAppSitesController" }, new global::Pulumi.Alias { Type = "azure-native:offazure/v20240501preview:WebAppSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20230606:offazure:WebAppSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20231001preview:offazure:WebAppSitesController" }, + new global::Pulumi.Alias { Type = "azure-native_offazure_v20240501preview:offazure:WebAppSitesController" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzureSpringBoot/Springbootapp.cs b/sdk/dotnet/OffAzureSpringBoot/Springbootapp.cs index 68c67c79a025..b8078afc3d8b 100644 --- a/sdk/dotnet/OffAzureSpringBoot/Springbootapp.cs +++ b/sdk/dotnet/OffAzureSpringBoot/Springbootapp.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:offazurespringboot/v20240401preview:Springbootapp" }, + new global::Pulumi.Alias { Type = "azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootapp" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzureSpringBoot/Springbootserver.cs b/sdk/dotnet/OffAzureSpringBoot/Springbootserver.cs index 3f96278e125f..c9f6666851ee 100644 --- a/sdk/dotnet/OffAzureSpringBoot/Springbootserver.cs +++ b/sdk/dotnet/OffAzureSpringBoot/Springbootserver.cs @@ -76,6 +76,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:offazurespringboot/v20230101preview:Springbootserver" }, new global::Pulumi.Alias { Type = "azure-native:offazurespringboot/v20240401preview:Springbootserver" }, + new global::Pulumi.Alias { Type = "azure-native_offazurespringboot_v20230101preview:offazurespringboot:Springbootserver" }, + new global::Pulumi.Alias { Type = "azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootserver" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OffAzureSpringBoot/Springbootsite.cs b/sdk/dotnet/OffAzureSpringBoot/Springbootsite.cs index 646894f3e0fb..05dc22074451 100644 --- a/sdk/dotnet/OffAzureSpringBoot/Springbootsite.cs +++ b/sdk/dotnet/OffAzureSpringBoot/Springbootsite.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:offazurespringboot/v20230101preview:Springbootsite" }, new global::Pulumi.Alias { Type = "azure-native:offazurespringboot/v20240401preview:Springbootsite" }, + new global::Pulumi.Alias { Type = "azure-native_offazurespringboot_v20230101preview:offazurespringboot:Springbootsite" }, + new global::Pulumi.Alias { Type = "azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootsite" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OpenEnergyPlatform/EnergyService.cs b/sdk/dotnet/OpenEnergyPlatform/EnergyService.cs index 94e126671d27..67d34c4cad1a 100644 --- a/sdk/dotnet/OpenEnergyPlatform/EnergyService.cs +++ b/sdk/dotnet/OpenEnergyPlatform/EnergyService.cs @@ -79,8 +79,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:openenergyplatform/v20210601preview:EnergyService" }, new global::Pulumi.Alias { Type = "azure-native:openenergyplatform/v20220404preview:EnergyService" }, + new global::Pulumi.Alias { Type = "azure-native_openenergyplatform_v20210601preview:openenergyplatform:EnergyService" }, + new global::Pulumi.Alias { Type = "azure-native_openenergyplatform_v20220404preview:openenergyplatform:EnergyService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/Cluster.cs b/sdk/dotnet/OperationalInsights/Cluster.cs index acf2f53269f9..d2b79a35df93 100644 --- a/sdk/dotnet/OperationalInsights/Cluster.cs +++ b/sdk/dotnet/OperationalInsights/Cluster.cs @@ -146,14 +146,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20190801preview:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200301preview:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200801:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20201001:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20210601:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20221001:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20230901:Cluster" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20250201:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20190801preview:operationalinsights:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200301preview:operationalinsights:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200801:operationalinsights:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20201001:operationalinsights:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20210601:operationalinsights:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20221001:operationalinsights:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20230901:operationalinsights:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20250201:operationalinsights:Cluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/DataExport.cs b/sdk/dotnet/OperationalInsights/DataExport.cs index 2d5fd450c054..75627d87e670 100644 --- a/sdk/dotnet/OperationalInsights/DataExport.cs +++ b/sdk/dotnet/OperationalInsights/DataExport.cs @@ -104,11 +104,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20190801preview:DataExport" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200301preview:DataExport" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200801:DataExport" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20230901:DataExport" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20250201:DataExport" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20190801preview:operationalinsights:DataExport" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200301preview:operationalinsights:DataExport" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200801:operationalinsights:DataExport" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20230901:operationalinsights:DataExport" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20250201:operationalinsights:DataExport" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/DataSource.cs b/sdk/dotnet/OperationalInsights/DataSource.cs index 0395d9db8d9d..099c3bcc4e7a 100644 --- a/sdk/dotnet/OperationalInsights/DataSource.cs +++ b/sdk/dotnet/OperationalInsights/DataSource.cs @@ -87,10 +87,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20151101preview:DataSource" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200301preview:DataSource" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200801:DataSource" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20230901:DataSource" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20250201:DataSource" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20151101preview:operationalinsights:DataSource" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200301preview:operationalinsights:DataSource" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200801:operationalinsights:DataSource" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20230901:operationalinsights:DataSource" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20250201:operationalinsights:DataSource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/LinkedService.cs b/sdk/dotnet/OperationalInsights/LinkedService.cs index c04abe5570f8..50efd24ca847 100644 --- a/sdk/dotnet/OperationalInsights/LinkedService.cs +++ b/sdk/dotnet/OperationalInsights/LinkedService.cs @@ -87,11 +87,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20151101preview:LinkedService" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20190801preview:LinkedService" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200301preview:LinkedService" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200801:LinkedService" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20230901:LinkedService" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20250201:LinkedService" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20151101preview:operationalinsights:LinkedService" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20190801preview:operationalinsights:LinkedService" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200301preview:operationalinsights:LinkedService" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200801:operationalinsights:LinkedService" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20230901:operationalinsights:LinkedService" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20250201:operationalinsights:LinkedService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/LinkedStorageAccount.cs b/sdk/dotnet/OperationalInsights/LinkedStorageAccount.cs index 5908eca0174e..e60e39c54cde 100644 --- a/sdk/dotnet/OperationalInsights/LinkedStorageAccount.cs +++ b/sdk/dotnet/OperationalInsights/LinkedStorageAccount.cs @@ -74,11 +74,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20190801preview:LinkedStorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200301preview:LinkedStorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200801:LinkedStorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20230901:LinkedStorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20250201:LinkedStorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20190801preview:operationalinsights:LinkedStorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200301preview:operationalinsights:LinkedStorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200801:operationalinsights:LinkedStorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20230901:operationalinsights:LinkedStorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20250201:operationalinsights:LinkedStorageAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/MachineGroup.cs b/sdk/dotnet/OperationalInsights/MachineGroup.cs index 5356fa25e70a..fe8098938fe8 100644 --- a/sdk/dotnet/OperationalInsights/MachineGroup.cs +++ b/sdk/dotnet/OperationalInsights/MachineGroup.cs @@ -105,6 +105,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20151101preview:MachineGroup" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20151101preview:operationalinsights:MachineGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/Query.cs b/sdk/dotnet/OperationalInsights/Query.cs index eb9a074a4077..984e496ac608 100644 --- a/sdk/dotnet/OperationalInsights/Query.cs +++ b/sdk/dotnet/OperationalInsights/Query.cs @@ -125,7 +125,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20190901:Query" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20190901preview:Query" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20230901:Query" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20250201:Query" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20190901:operationalinsights:Query" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20190901preview:operationalinsights:Query" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20230901:operationalinsights:Query" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20250201:operationalinsights:Query" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/QueryPack.cs b/sdk/dotnet/OperationalInsights/QueryPack.cs index 64c6d5cdfab8..27ca32bd23a6 100644 --- a/sdk/dotnet/OperationalInsights/QueryPack.cs +++ b/sdk/dotnet/OperationalInsights/QueryPack.cs @@ -107,7 +107,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20190901:QueryPack" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20190901preview:QueryPack" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20230901:QueryPack" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20250201:QueryPack" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20190901:operationalinsights:QueryPack" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20190901preview:operationalinsights:QueryPack" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20230901:operationalinsights:QueryPack" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20250201:operationalinsights:QueryPack" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/SavedSearch.cs b/sdk/dotnet/OperationalInsights/SavedSearch.cs index 7410d416c4f0..ff4525ea11b6 100644 --- a/sdk/dotnet/OperationalInsights/SavedSearch.cs +++ b/sdk/dotnet/OperationalInsights/SavedSearch.cs @@ -110,11 +110,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20150320:SavedSearch" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200301preview:SavedSearch" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200801:SavedSearch" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20230901:SavedSearch" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20250201:SavedSearch" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20150320:operationalinsights:SavedSearch" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200301preview:operationalinsights:SavedSearch" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200801:operationalinsights:SavedSearch" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20230901:operationalinsights:SavedSearch" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20250201:operationalinsights:SavedSearch" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/StorageInsightConfig.cs b/sdk/dotnet/OperationalInsights/StorageInsightConfig.cs index 35455d7b7dec..c9725d44ab01 100644 --- a/sdk/dotnet/OperationalInsights/StorageInsightConfig.cs +++ b/sdk/dotnet/OperationalInsights/StorageInsightConfig.cs @@ -98,11 +98,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20150320:StorageInsightConfig" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200301preview:StorageInsightConfig" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200801:StorageInsightConfig" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20230901:StorageInsightConfig" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20250201:StorageInsightConfig" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20150320:operationalinsights:StorageInsightConfig" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200301preview:operationalinsights:StorageInsightConfig" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200801:operationalinsights:StorageInsightConfig" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20230901:operationalinsights:StorageInsightConfig" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20250201:operationalinsights:StorageInsightConfig" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/Table.cs b/sdk/dotnet/OperationalInsights/Table.cs index 6d3d5dec34a1..04dc346c34ee 100644 --- a/sdk/dotnet/OperationalInsights/Table.cs +++ b/sdk/dotnet/OperationalInsights/Table.cs @@ -140,10 +140,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20211201preview:Table" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20221001:Table" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20230901:Table" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20250201:Table" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20211201preview:operationalinsights:Table" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20221001:operationalinsights:Table" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20230901:operationalinsights:Table" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20250201:operationalinsights:Table" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationalInsights/Workspace.cs b/sdk/dotnet/OperationalInsights/Workspace.cs index 105d070ca845..12511aa11d9c 100644 --- a/sdk/dotnet/OperationalInsights/Workspace.cs +++ b/sdk/dotnet/OperationalInsights/Workspace.cs @@ -171,14 +171,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20151101preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200301preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20200801:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20201001:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20210601:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20211201preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20221001:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20230901:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:operationalinsights/v20250201:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20151101preview:operationalinsights:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200301preview:operationalinsights:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20200801:operationalinsights:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20201001:operationalinsights:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20210601:operationalinsights:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20211201preview:operationalinsights:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20221001:operationalinsights:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20230901:operationalinsights:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_operationalinsights_v20250201:operationalinsights:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationsManagement/ManagementAssociation.cs b/sdk/dotnet/OperationsManagement/ManagementAssociation.cs index 14822bf35e62..59ecfaffaf40 100644 --- a/sdk/dotnet/OperationsManagement/ManagementAssociation.cs +++ b/sdk/dotnet/OperationsManagement/ManagementAssociation.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:operationsmanagement/v20151101preview:ManagementAssociation" }, + new global::Pulumi.Alias { Type = "azure-native_operationsmanagement_v20151101preview:operationsmanagement:ManagementAssociation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationsManagement/ManagementConfiguration.cs b/sdk/dotnet/OperationsManagement/ManagementConfiguration.cs index 7e73dc9eacd3..463d555e2ae4 100644 --- a/sdk/dotnet/OperationsManagement/ManagementConfiguration.cs +++ b/sdk/dotnet/OperationsManagement/ManagementConfiguration.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:operationsmanagement/v20151101preview:ManagementConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_operationsmanagement_v20151101preview:operationsmanagement:ManagementConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/OperationsManagement/Solution.cs b/sdk/dotnet/OperationsManagement/Solution.cs index bd3c014e5c01..b98e7a903fcd 100644 --- a/sdk/dotnet/OperationsManagement/Solution.cs +++ b/sdk/dotnet/OperationsManagement/Solution.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:operationsmanagement/v20151101preview:Solution" }, + new global::Pulumi.Alias { Type = "azure-native_operationsmanagement_v20151101preview:operationsmanagement:Solution" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Orbital/Contact.cs b/sdk/dotnet/Orbital/Contact.cs index 2f8b6d04a888..50ad77c5030b 100644 --- a/sdk/dotnet/Orbital/Contact.cs +++ b/sdk/dotnet/Orbital/Contact.cs @@ -164,6 +164,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:orbital/v20220301:Contact" }, new global::Pulumi.Alias { Type = "azure-native:orbital/v20221101:Contact" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20220301:orbital:Contact" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20221101:orbital:Contact" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Orbital/ContactProfile.cs b/sdk/dotnet/Orbital/ContactProfile.cs index f4a9a3395b97..72fffaeda57f 100644 --- a/sdk/dotnet/Orbital/ContactProfile.cs +++ b/sdk/dotnet/Orbital/ContactProfile.cs @@ -122,6 +122,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:orbital/v20220301:ContactProfile" }, new global::Pulumi.Alias { Type = "azure-native:orbital/v20221101:ContactProfile" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20220301:orbital:ContactProfile" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20221101:orbital:ContactProfile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Orbital/EdgeSite.cs b/sdk/dotnet/Orbital/EdgeSite.cs index 0058386314be..15de0ae842ad 100644 --- a/sdk/dotnet/Orbital/EdgeSite.cs +++ b/sdk/dotnet/Orbital/EdgeSite.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:orbital/v20240301:EdgeSite" }, new global::Pulumi.Alias { Type = "azure-native:orbital/v20240301preview:EdgeSite" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20240301:orbital:EdgeSite" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20240301preview:orbital:EdgeSite" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Orbital/GroundStation.cs b/sdk/dotnet/Orbital/GroundStation.cs index 4af167cd98c6..b5f21605ace0 100644 --- a/sdk/dotnet/Orbital/GroundStation.cs +++ b/sdk/dotnet/Orbital/GroundStation.cs @@ -130,6 +130,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:orbital/v20240301:GroundStation" }, new global::Pulumi.Alias { Type = "azure-native:orbital/v20240301preview:GroundStation" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20240301:orbital:GroundStation" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20240301preview:orbital:GroundStation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Orbital/L2Connection.cs b/sdk/dotnet/Orbital/L2Connection.cs index 9183ed8c924b..24970e55d4c8 100644 --- a/sdk/dotnet/Orbital/L2Connection.cs +++ b/sdk/dotnet/Orbital/L2Connection.cs @@ -112,6 +112,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:orbital/v20240301:L2Connection" }, new global::Pulumi.Alias { Type = "azure-native:orbital/v20240301preview:L2Connection" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20240301:orbital:L2Connection" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20240301preview:orbital:L2Connection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Orbital/Spacecraft.cs b/sdk/dotnet/Orbital/Spacecraft.cs index 12af488f761c..cebe1fd13dd2 100644 --- a/sdk/dotnet/Orbital/Spacecraft.cs +++ b/sdk/dotnet/Orbital/Spacecraft.cs @@ -110,6 +110,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:orbital/v20220301:Spacecraft" }, new global::Pulumi.Alias { Type = "azure-native:orbital/v20221101:Spacecraft" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20220301:orbital:Spacecraft" }, + new global::Pulumi.Alias { Type = "azure-native_orbital_v20221101:orbital:Spacecraft" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Peering/ConnectionMonitorTest.cs b/sdk/dotnet/Peering/ConnectionMonitorTest.cs index 17d94d6e2f70..18bdcde9fcdb 100644 --- a/sdk/dotnet/Peering/ConnectionMonitorTest.cs +++ b/sdk/dotnet/Peering/ConnectionMonitorTest.cs @@ -102,10 +102,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:peering/v20210601:ConnectionMonitorTest" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220101:ConnectionMonitorTest" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220601:ConnectionMonitorTest" }, new global::Pulumi.Alias { Type = "azure-native:peering/v20221001:ConnectionMonitorTest" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210601:peering:ConnectionMonitorTest" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220101:peering:ConnectionMonitorTest" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220601:peering:ConnectionMonitorTest" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20221001:peering:ConnectionMonitorTest" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Peering/PeerAsn.cs b/sdk/dotnet/Peering/PeerAsn.cs index 31e2cfc9ab95..b321a9724d82 100644 --- a/sdk/dotnet/Peering/PeerAsn.cs +++ b/sdk/dotnet/Peering/PeerAsn.cs @@ -90,16 +90,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:peering/v20190801preview:PeerAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20190901preview:PeerAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20200101preview:PeerAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20200401:PeerAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20201001:PeerAsn" }, new global::Pulumi.Alias { Type = "azure-native:peering/v20210101:PeerAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20210601:PeerAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220101:PeerAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220601:PeerAsn" }, new global::Pulumi.Alias { Type = "azure-native:peering/v20221001:PeerAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20190801preview:peering:PeerAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20190901preview:peering:PeerAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200101preview:peering:PeerAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200401:peering:PeerAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20201001:peering:PeerAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210101:peering:PeerAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210601:peering:PeerAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220101:peering:PeerAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220601:peering:PeerAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20221001:peering:PeerAsn" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Peering/Peering.cs b/sdk/dotnet/Peering/Peering.cs index 1467413c66d8..5e86db949b48 100644 --- a/sdk/dotnet/Peering/Peering.cs +++ b/sdk/dotnet/Peering/Peering.cs @@ -108,16 +108,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:peering/v20190801preview:Peering" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20190901preview:Peering" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20200101preview:Peering" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20200401:Peering" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20201001:Peering" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20210101:Peering" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20210601:Peering" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220101:Peering" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220601:Peering" }, new global::Pulumi.Alias { Type = "azure-native:peering/v20221001:Peering" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20190801preview:peering:Peering" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20190901preview:peering:Peering" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200101preview:peering:Peering" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200401:peering:Peering" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20201001:peering:Peering" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210101:peering:Peering" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210601:peering:Peering" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220101:peering:Peering" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220601:peering:Peering" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20221001:peering:Peering" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Peering/PeeringService.cs b/sdk/dotnet/Peering/PeeringService.cs index 49fef28ffcd1..c0502b8f3411 100644 --- a/sdk/dotnet/Peering/PeeringService.cs +++ b/sdk/dotnet/Peering/PeeringService.cs @@ -114,16 +114,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:peering/v20190801preview:PeeringService" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20190901preview:PeeringService" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20200101preview:PeeringService" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20200401:PeeringService" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20201001:PeeringService" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20210101:PeeringService" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20210601:PeeringService" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220101:PeeringService" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220601:PeeringService" }, new global::Pulumi.Alias { Type = "azure-native:peering/v20221001:PeeringService" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20190801preview:peering:PeeringService" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20190901preview:peering:PeeringService" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200101preview:peering:PeeringService" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200401:peering:PeeringService" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20201001:peering:PeeringService" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210101:peering:PeeringService" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210601:peering:PeeringService" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220101:peering:PeeringService" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220601:peering:PeeringService" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20221001:peering:PeeringService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Peering/Prefix.cs b/sdk/dotnet/Peering/Prefix.cs index babe8d08639b..9823b38e279f 100644 --- a/sdk/dotnet/Peering/Prefix.cs +++ b/sdk/dotnet/Peering/Prefix.cs @@ -102,16 +102,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:peering/v20190801preview:Prefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20190901preview:Prefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20200101preview:Prefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20200401:Prefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20201001:Prefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20210101:Prefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20210601:Prefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220101:Prefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220601:Prefix" }, new global::Pulumi.Alias { Type = "azure-native:peering/v20221001:Prefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20190801preview:peering:Prefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20190901preview:peering:Prefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200101preview:peering:Prefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200401:peering:Prefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20201001:peering:Prefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210101:peering:Prefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210601:peering:Prefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220101:peering:Prefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220601:peering:Prefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20221001:peering:Prefix" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Peering/RegisteredAsn.cs b/sdk/dotnet/Peering/RegisteredAsn.cs index 92f4686d9ef5..3c4ca1730088 100644 --- a/sdk/dotnet/Peering/RegisteredAsn.cs +++ b/sdk/dotnet/Peering/RegisteredAsn.cs @@ -78,14 +78,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:peering/v20200101preview:RegisteredAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20200401:RegisteredAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20201001:RegisteredAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20210101:RegisteredAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20210601:RegisteredAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220101:RegisteredAsn" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220601:RegisteredAsn" }, new global::Pulumi.Alias { Type = "azure-native:peering/v20221001:RegisteredAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200101preview:peering:RegisteredAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200401:peering:RegisteredAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20201001:peering:RegisteredAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210101:peering:RegisteredAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210601:peering:RegisteredAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220101:peering:RegisteredAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220601:peering:RegisteredAsn" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20221001:peering:RegisteredAsn" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Peering/RegisteredPrefix.cs b/sdk/dotnet/Peering/RegisteredPrefix.cs index b076d4767ad8..908668afd393 100644 --- a/sdk/dotnet/Peering/RegisteredPrefix.cs +++ b/sdk/dotnet/Peering/RegisteredPrefix.cs @@ -90,14 +90,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:peering/v20200101preview:RegisteredPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20200401:RegisteredPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20201001:RegisteredPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20210101:RegisteredPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20210601:RegisteredPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220101:RegisteredPrefix" }, - new global::Pulumi.Alias { Type = "azure-native:peering/v20220601:RegisteredPrefix" }, new global::Pulumi.Alias { Type = "azure-native:peering/v20221001:RegisteredPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200101preview:peering:RegisteredPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20200401:peering:RegisteredPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20201001:peering:RegisteredPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210101:peering:RegisteredPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20210601:peering:RegisteredPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220101:peering:RegisteredPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20220601:peering:RegisteredPrefix" }, + new global::Pulumi.Alias { Type = "azure-native_peering_v20221001:peering:RegisteredPrefix" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PolicyInsights/AttestationAtResource.cs b/sdk/dotnet/PolicyInsights/AttestationAtResource.cs index b0b56aba94ba..bd4e22b53154 100644 --- a/sdk/dotnet/PolicyInsights/AttestationAtResource.cs +++ b/sdk/dotnet/PolicyInsights/AttestationAtResource.cs @@ -134,9 +134,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20210101:AttestationAtResource" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20220901:AttestationAtResource" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20241001:AttestationAtResource" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20210101:policyinsights:AttestationAtResource" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20220901:policyinsights:AttestationAtResource" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20241001:policyinsights:AttestationAtResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PolicyInsights/AttestationAtResourceGroup.cs b/sdk/dotnet/PolicyInsights/AttestationAtResourceGroup.cs index 10be164d94d0..a12edf277973 100644 --- a/sdk/dotnet/PolicyInsights/AttestationAtResourceGroup.cs +++ b/sdk/dotnet/PolicyInsights/AttestationAtResourceGroup.cs @@ -134,9 +134,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20210101:AttestationAtResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20220901:AttestationAtResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20241001:AttestationAtResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20210101:policyinsights:AttestationAtResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20220901:policyinsights:AttestationAtResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20241001:policyinsights:AttestationAtResourceGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PolicyInsights/AttestationAtSubscription.cs b/sdk/dotnet/PolicyInsights/AttestationAtSubscription.cs index b32989fd8bd6..f5247f0dd29a 100644 --- a/sdk/dotnet/PolicyInsights/AttestationAtSubscription.cs +++ b/sdk/dotnet/PolicyInsights/AttestationAtSubscription.cs @@ -134,9 +134,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20210101:AttestationAtSubscription" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20220901:AttestationAtSubscription" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20241001:AttestationAtSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20210101:policyinsights:AttestationAtSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20220901:policyinsights:AttestationAtSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20241001:policyinsights:AttestationAtSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PolicyInsights/RemediationAtManagementGroup.cs b/sdk/dotnet/PolicyInsights/RemediationAtManagementGroup.cs index d7e697ce42a1..7c19b8313363 100644 --- a/sdk/dotnet/PolicyInsights/RemediationAtManagementGroup.cs +++ b/sdk/dotnet/PolicyInsights/RemediationAtManagementGroup.cs @@ -146,10 +146,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20180701preview:RemediationAtManagementGroup" }, - new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20190701:RemediationAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20211001:RemediationAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20241001:RemediationAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20190701:policyinsights:RemediationAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20211001:policyinsights:RemediationAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20241001:policyinsights:RemediationAtManagementGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PolicyInsights/RemediationAtResource.cs b/sdk/dotnet/PolicyInsights/RemediationAtResource.cs index 3b014ceefb28..0f009503dd0e 100644 --- a/sdk/dotnet/PolicyInsights/RemediationAtResource.cs +++ b/sdk/dotnet/PolicyInsights/RemediationAtResource.cs @@ -146,10 +146,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20180701preview:RemediationAtResource" }, - new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20190701:RemediationAtResource" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20211001:RemediationAtResource" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20241001:RemediationAtResource" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtResource" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20190701:policyinsights:RemediationAtResource" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20211001:policyinsights:RemediationAtResource" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20241001:policyinsights:RemediationAtResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PolicyInsights/RemediationAtResourceGroup.cs b/sdk/dotnet/PolicyInsights/RemediationAtResourceGroup.cs index 2e832b4d27fa..eea46568a8e9 100644 --- a/sdk/dotnet/PolicyInsights/RemediationAtResourceGroup.cs +++ b/sdk/dotnet/PolicyInsights/RemediationAtResourceGroup.cs @@ -146,10 +146,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20180701preview:RemediationAtResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20190701:RemediationAtResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20211001:RemediationAtResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20241001:RemediationAtResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20190701:policyinsights:RemediationAtResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20211001:policyinsights:RemediationAtResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20241001:policyinsights:RemediationAtResourceGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PolicyInsights/RemediationAtSubscription.cs b/sdk/dotnet/PolicyInsights/RemediationAtSubscription.cs index 5f8d0ff2c099..386e4fc69d63 100644 --- a/sdk/dotnet/PolicyInsights/RemediationAtSubscription.cs +++ b/sdk/dotnet/PolicyInsights/RemediationAtSubscription.cs @@ -146,10 +146,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20180701preview:RemediationAtSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20190701:RemediationAtSubscription" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20211001:RemediationAtSubscription" }, new global::Pulumi.Alias { Type = "azure-native:policyinsights/v20241001:RemediationAtSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20190701:policyinsights:RemediationAtSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20211001:policyinsights:RemediationAtSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_policyinsights_v20241001:policyinsights:RemediationAtSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Portal/Console.cs b/sdk/dotnet/Portal/Console.cs index 84fe12c8ad1a..8dff482b8a06 100644 --- a/sdk/dotnet/Portal/Console.cs +++ b/sdk/dotnet/Portal/Console.cs @@ -55,6 +55,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:portal/v20181001:Console" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20181001:portal:Console" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Portal/ConsoleWithLocation.cs b/sdk/dotnet/Portal/ConsoleWithLocation.cs index 4fbf7d7be702..d36ed1c3477c 100644 --- a/sdk/dotnet/Portal/ConsoleWithLocation.cs +++ b/sdk/dotnet/Portal/ConsoleWithLocation.cs @@ -55,6 +55,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:portal/v20181001:ConsoleWithLocation" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20181001:portal:ConsoleWithLocation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Portal/Dashboard.cs b/sdk/dotnet/Portal/Dashboard.cs index d44021901b6f..e24c2a5b3fbe 100644 --- a/sdk/dotnet/Portal/Dashboard.cs +++ b/sdk/dotnet/Portal/Dashboard.cs @@ -86,12 +86,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:portal/v20150801preview:Dashboard" }, - new global::Pulumi.Alias { Type = "azure-native:portal/v20181001preview:Dashboard" }, new global::Pulumi.Alias { Type = "azure-native:portal/v20190101preview:Dashboard" }, new global::Pulumi.Alias { Type = "azure-native:portal/v20200901preview:Dashboard" }, new global::Pulumi.Alias { Type = "azure-native:portal/v20221201preview:Dashboard" }, - new global::Pulumi.Alias { Type = "azure-native:portal/v20250401preview:Dashboard" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20150801preview:portal:Dashboard" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20181001preview:portal:Dashboard" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20190101preview:portal:Dashboard" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20200901preview:portal:Dashboard" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20221201preview:portal:Dashboard" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20250401preview:portal:Dashboard" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Portal/TenantConfiguration.cs b/sdk/dotnet/Portal/TenantConfiguration.cs index a2edac9296f1..aa19baad4980 100644 --- a/sdk/dotnet/Portal/TenantConfiguration.cs +++ b/sdk/dotnet/Portal/TenantConfiguration.cs @@ -74,10 +74,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:portal/v20190101preview:TenantConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:portal/v20200901preview:TenantConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:portal/v20221201preview:TenantConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:portal/v20250401preview:TenantConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20190101preview:portal:TenantConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20200901preview:portal:TenantConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20221201preview:portal:TenantConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20250401preview:portal:TenantConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Portal/UserSettings.cs b/sdk/dotnet/Portal/UserSettings.cs index 8dbe2af25402..c7e753c6a22e 100644 --- a/sdk/dotnet/Portal/UserSettings.cs +++ b/sdk/dotnet/Portal/UserSettings.cs @@ -55,6 +55,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:portal/v20181001:UserSettings" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20181001:portal:UserSettings" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Portal/UserSettingsWithLocation.cs b/sdk/dotnet/Portal/UserSettingsWithLocation.cs index 46abf98d5f0e..01a2baf5e8cf 100644 --- a/sdk/dotnet/Portal/UserSettingsWithLocation.cs +++ b/sdk/dotnet/Portal/UserSettingsWithLocation.cs @@ -55,6 +55,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:portal/v20181001:UserSettingsWithLocation" }, + new global::Pulumi.Alias { Type = "azure-native_portal_v20181001:portal:UserSettingsWithLocation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PortalServices/CopilotSetting.cs b/sdk/dotnet/PortalServices/CopilotSetting.cs index 74793f1eb835..2c1f79b02667 100644 --- a/sdk/dotnet/PortalServices/CopilotSetting.cs +++ b/sdk/dotnet/PortalServices/CopilotSetting.cs @@ -80,8 +80,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:portalservices/v20240401:CopilotSetting" }, new global::Pulumi.Alias { Type = "azure-native:portalservices/v20240401preview:CopilotSetting" }, + new global::Pulumi.Alias { Type = "azure-native_portalservices_v20240401:portalservices:CopilotSetting" }, + new global::Pulumi.Alias { Type = "azure-native_portalservices_v20240401preview:portalservices:CopilotSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PowerBI/PowerBIResource.cs b/sdk/dotnet/PowerBI/PowerBIResource.cs index 862108aa7ffe..2d2cad12a61d 100644 --- a/sdk/dotnet/PowerBI/PowerBIResource.cs +++ b/sdk/dotnet/PowerBI/PowerBIResource.cs @@ -89,6 +89,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:powerbi/v20200601:PowerBIResource" }, + new global::Pulumi.Alias { Type = "azure-native_powerbi_v20200601:powerbi:PowerBIResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PowerBI/PrivateEndpointConnection.cs b/sdk/dotnet/PowerBI/PrivateEndpointConnection.cs index f8d9e3faa483..abd9edfcdc58 100644 --- a/sdk/dotnet/PowerBI/PrivateEndpointConnection.cs +++ b/sdk/dotnet/PowerBI/PrivateEndpointConnection.cs @@ -83,6 +83,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:powerbi/v20200601:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_powerbi_v20200601:powerbi:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PowerBI/WorkspaceCollection.cs b/sdk/dotnet/PowerBI/WorkspaceCollection.cs index c97a4c8c80fd..ac5e85186723 100644 --- a/sdk/dotnet/PowerBI/WorkspaceCollection.cs +++ b/sdk/dotnet/PowerBI/WorkspaceCollection.cs @@ -77,6 +77,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:powerbi/v20160129:WorkspaceCollection" }, + new global::Pulumi.Alias { Type = "azure-native_powerbi_v20160129:powerbi:WorkspaceCollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PowerBIDedicated/AutoScaleVCore.cs b/sdk/dotnet/PowerBIDedicated/AutoScaleVCore.cs index 4734c2efd984..9d66e2f3b516 100644 --- a/sdk/dotnet/PowerBIDedicated/AutoScaleVCore.cs +++ b/sdk/dotnet/PowerBIDedicated/AutoScaleVCore.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:powerbidedicated/v20210101:AutoScaleVCore" }, + new global::Pulumi.Alias { Type = "azure-native_powerbidedicated_v20210101:powerbidedicated:AutoScaleVCore" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PowerBIDedicated/CapacityDetails.cs b/sdk/dotnet/PowerBIDedicated/CapacityDetails.cs index 6b5246e1a990..fc3055bb4529 100644 --- a/sdk/dotnet/PowerBIDedicated/CapacityDetails.cs +++ b/sdk/dotnet/PowerBIDedicated/CapacityDetails.cs @@ -120,8 +120,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:powerbidedicated/v20171001:CapacityDetails" }, new global::Pulumi.Alias { Type = "azure-native:powerbidedicated/v20210101:CapacityDetails" }, + new global::Pulumi.Alias { Type = "azure-native_powerbidedicated_v20171001:powerbidedicated:CapacityDetails" }, + new global::Pulumi.Alias { Type = "azure-native_powerbidedicated_v20210101:powerbidedicated:CapacityDetails" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PowerPlatform/Account.cs b/sdk/dotnet/PowerPlatform/Account.cs index 3840d86f03be..217c39f51ec7 100644 --- a/sdk/dotnet/PowerPlatform/Account.cs +++ b/sdk/dotnet/PowerPlatform/Account.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:powerplatform/v20201030preview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_powerplatform_v20201030preview:powerplatform:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PowerPlatform/EnterprisePolicy.cs b/sdk/dotnet/PowerPlatform/EnterprisePolicy.cs index 0235797957a6..34d7bc8c56f6 100644 --- a/sdk/dotnet/PowerPlatform/EnterprisePolicy.cs +++ b/sdk/dotnet/PowerPlatform/EnterprisePolicy.cs @@ -121,6 +121,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:powerplatform/v20201030preview:EnterprisePolicy" }, + new global::Pulumi.Alias { Type = "azure-native_powerplatform_v20201030preview:powerplatform:EnterprisePolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PowerPlatform/PrivateEndpointConnection.cs b/sdk/dotnet/PowerPlatform/PrivateEndpointConnection.cs index 3e0fc2d841d8..ccc25c0b90f9 100644 --- a/sdk/dotnet/PowerPlatform/PrivateEndpointConnection.cs +++ b/sdk/dotnet/PowerPlatform/PrivateEndpointConnection.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:powerplatform/v20201030preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_powerplatform_v20201030preview:powerplatform:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PrivateDns/PrivateRecordSet.cs b/sdk/dotnet/PrivateDns/PrivateRecordSet.cs index 21637e6a8390..026f916ad366 100644 --- a/sdk/dotnet/PrivateDns/PrivateRecordSet.cs +++ b/sdk/dotnet/PrivateDns/PrivateRecordSet.cs @@ -143,10 +143,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20200601:PrivateRecordSet" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240601:PrivateRecordSet" }, new global::Pulumi.Alias { Type = "azure-native:network:PrivateRecordSet" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20180901:PrivateRecordSet" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20200101:PrivateRecordSet" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20200601:PrivateRecordSet" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20240601:PrivateRecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20180901:privatedns:PrivateRecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20200101:privatedns:PrivateRecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20200601:privatedns:PrivateRecordSet" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20240601:privatedns:PrivateRecordSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PrivateDns/PrivateZone.cs b/sdk/dotnet/PrivateDns/PrivateZone.cs index b839483e2c90..30a7242e56e9 100644 --- a/sdk/dotnet/PrivateDns/PrivateZone.cs +++ b/sdk/dotnet/PrivateDns/PrivateZone.cs @@ -131,10 +131,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20200601:PrivateZone" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240601:PrivateZone" }, new global::Pulumi.Alias { Type = "azure-native:network:PrivateZone" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20180901:PrivateZone" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20200101:PrivateZone" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20200601:PrivateZone" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20240601:PrivateZone" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20180901:privatedns:PrivateZone" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20200101:privatedns:PrivateZone" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20200601:privatedns:PrivateZone" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20240601:privatedns:PrivateZone" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/PrivateDns/VirtualNetworkLink.cs b/sdk/dotnet/PrivateDns/VirtualNetworkLink.cs index b943824cdd72..6632492a49f3 100644 --- a/sdk/dotnet/PrivateDns/VirtualNetworkLink.cs +++ b/sdk/dotnet/PrivateDns/VirtualNetworkLink.cs @@ -113,10 +113,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20200601:VirtualNetworkLink" }, new global::Pulumi.Alias { Type = "azure-native:network/v20240601:VirtualNetworkLink" }, new global::Pulumi.Alias { Type = "azure-native:network:VirtualNetworkLink" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20180901:VirtualNetworkLink" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20200101:VirtualNetworkLink" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20200601:VirtualNetworkLink" }, - new global::Pulumi.Alias { Type = "azure-native:privatedns/v20240601:VirtualNetworkLink" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20180901:privatedns:VirtualNetworkLink" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20200101:privatedns:VirtualNetworkLink" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20200601:privatedns:VirtualNetworkLink" }, + new global::Pulumi.Alias { Type = "azure-native_privatedns_v20240601:privatedns:VirtualNetworkLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProfessionalService/ProfessionalServiceSubscriptionLevel.cs b/sdk/dotnet/ProfessionalService/ProfessionalServiceSubscriptionLevel.cs index e81677fbcb77..850c201cd8b6 100644 --- a/sdk/dotnet/ProfessionalService/ProfessionalServiceSubscriptionLevel.cs +++ b/sdk/dotnet/ProfessionalService/ProfessionalServiceSubscriptionLevel.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:professionalservice/v20230701preview:ProfessionalServiceSubscriptionLevel" }, + new global::Pulumi.Alias { Type = "azure-native_professionalservice_v20230701preview:professionalservice:ProfessionalServiceSubscriptionLevel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProgrammableConnectivity/Gateway.cs b/sdk/dotnet/ProgrammableConnectivity/Gateway.cs index ccd236995476..3edd9be89110 100644 --- a/sdk/dotnet/ProgrammableConnectivity/Gateway.cs +++ b/sdk/dotnet/ProgrammableConnectivity/Gateway.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:programmableconnectivity/v20240115preview:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_programmableconnectivity_v20240115preview:programmableconnectivity:Gateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProgrammableConnectivity/OperatorApiConnection.cs b/sdk/dotnet/ProgrammableConnectivity/OperatorApiConnection.cs index a967124873f1..8231d7c0a77b 100644 --- a/sdk/dotnet/ProgrammableConnectivity/OperatorApiConnection.cs +++ b/sdk/dotnet/ProgrammableConnectivity/OperatorApiConnection.cs @@ -139,6 +139,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:programmableconnectivity/v20240115preview:OperatorApiConnection" }, + new global::Pulumi.Alias { Type = "azure-native_programmableconnectivity_v20240115preview:programmableconnectivity:OperatorApiConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProviderHub/DefaultRollout.cs b/sdk/dotnet/ProviderHub/DefaultRollout.cs index bf839a33d0a0..080a36ba36da 100644 --- a/sdk/dotnet/ProviderHub/DefaultRollout.cs +++ b/sdk/dotnet/ProviderHub/DefaultRollout.cs @@ -72,10 +72,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20201120:DefaultRollout" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210501preview:DefaultRollout" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210601preview:DefaultRollout" }, new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210901preview:DefaultRollout" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20201120:providerhub:DefaultRollout" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210501preview:providerhub:DefaultRollout" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210601preview:providerhub:DefaultRollout" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210901preview:providerhub:DefaultRollout" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProviderHub/NotificationRegistration.cs b/sdk/dotnet/ProviderHub/NotificationRegistration.cs index 79f3d8fe9bcd..f1489be2a3bf 100644 --- a/sdk/dotnet/ProviderHub/NotificationRegistration.cs +++ b/sdk/dotnet/ProviderHub/NotificationRegistration.cs @@ -69,10 +69,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20201120:NotificationRegistration" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210501preview:NotificationRegistration" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210601preview:NotificationRegistration" }, new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210901preview:NotificationRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20201120:providerhub:NotificationRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210501preview:providerhub:NotificationRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210601preview:providerhub:NotificationRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210901preview:providerhub:NotificationRegistration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProviderHub/OperationByProviderRegistration.cs b/sdk/dotnet/ProviderHub/OperationByProviderRegistration.cs index 7321bab0a2ef..8ded4154a057 100644 --- a/sdk/dotnet/ProviderHub/OperationByProviderRegistration.cs +++ b/sdk/dotnet/ProviderHub/OperationByProviderRegistration.cs @@ -58,10 +58,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20201120:OperationByProviderRegistration" }, new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210501preview:OperationByProviderRegistration" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210601preview:OperationByProviderRegistration" }, new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210901preview:OperationByProviderRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20201120:providerhub:OperationByProviderRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210501preview:providerhub:OperationByProviderRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210601preview:providerhub:OperationByProviderRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210901preview:providerhub:OperationByProviderRegistration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProviderHub/ProviderRegistration.cs b/sdk/dotnet/ProviderHub/ProviderRegistration.cs index 68ff0bb51cdd..8f546e54a330 100644 --- a/sdk/dotnet/ProviderHub/ProviderRegistration.cs +++ b/sdk/dotnet/ProviderHub/ProviderRegistration.cs @@ -67,10 +67,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20201120:ProviderRegistration" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210501preview:ProviderRegistration" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210601preview:ProviderRegistration" }, new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210901preview:ProviderRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20201120:providerhub:ProviderRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210501preview:providerhub:ProviderRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210601preview:providerhub:ProviderRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210901preview:providerhub:ProviderRegistration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProviderHub/ResourceTypeRegistration.cs b/sdk/dotnet/ProviderHub/ResourceTypeRegistration.cs index 7af184f26f5b..cec00aad18dc 100644 --- a/sdk/dotnet/ProviderHub/ResourceTypeRegistration.cs +++ b/sdk/dotnet/ProviderHub/ResourceTypeRegistration.cs @@ -67,10 +67,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20201120:ResourceTypeRegistration" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210501preview:ResourceTypeRegistration" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210601preview:ResourceTypeRegistration" }, new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210901preview:ResourceTypeRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20201120:providerhub:ResourceTypeRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210501preview:providerhub:ResourceTypeRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210601preview:providerhub:ResourceTypeRegistration" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210901preview:providerhub:ResourceTypeRegistration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProviderHub/Skus.cs b/sdk/dotnet/ProviderHub/Skus.cs index 5404cbc68a71..18c20e6a0b9e 100644 --- a/sdk/dotnet/ProviderHub/Skus.cs +++ b/sdk/dotnet/ProviderHub/Skus.cs @@ -67,10 +67,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20201120:Skus" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210501preview:Skus" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210601preview:Skus" }, new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210901preview:Skus" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20201120:providerhub:Skus" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210501preview:providerhub:Skus" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210601preview:providerhub:Skus" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210901preview:providerhub:Skus" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProviderHub/SkusNestedResourceTypeFirst.cs b/sdk/dotnet/ProviderHub/SkusNestedResourceTypeFirst.cs index 74e6c532b768..9b458fb06b4d 100644 --- a/sdk/dotnet/ProviderHub/SkusNestedResourceTypeFirst.cs +++ b/sdk/dotnet/ProviderHub/SkusNestedResourceTypeFirst.cs @@ -67,10 +67,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20201120:SkusNestedResourceTypeFirst" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210501preview:SkusNestedResourceTypeFirst" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210601preview:SkusNestedResourceTypeFirst" }, new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeFirst" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20201120:providerhub:SkusNestedResourceTypeFirst" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210501preview:providerhub:SkusNestedResourceTypeFirst" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210601preview:providerhub:SkusNestedResourceTypeFirst" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeFirst" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProviderHub/SkusNestedResourceTypeSecond.cs b/sdk/dotnet/ProviderHub/SkusNestedResourceTypeSecond.cs index 44782d3ac770..53e41438a7f4 100644 --- a/sdk/dotnet/ProviderHub/SkusNestedResourceTypeSecond.cs +++ b/sdk/dotnet/ProviderHub/SkusNestedResourceTypeSecond.cs @@ -67,10 +67,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20201120:SkusNestedResourceTypeSecond" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210501preview:SkusNestedResourceTypeSecond" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210601preview:SkusNestedResourceTypeSecond" }, new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeSecond" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20201120:providerhub:SkusNestedResourceTypeSecond" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210501preview:providerhub:SkusNestedResourceTypeSecond" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210601preview:providerhub:SkusNestedResourceTypeSecond" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeSecond" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ProviderHub/SkusNestedResourceTypeThird.cs b/sdk/dotnet/ProviderHub/SkusNestedResourceTypeThird.cs index 845cf2d126d8..5cc40e050235 100644 --- a/sdk/dotnet/ProviderHub/SkusNestedResourceTypeThird.cs +++ b/sdk/dotnet/ProviderHub/SkusNestedResourceTypeThird.cs @@ -67,10 +67,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20201120:SkusNestedResourceTypeThird" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210501preview:SkusNestedResourceTypeThird" }, - new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210601preview:SkusNestedResourceTypeThird" }, new global::Pulumi.Alias { Type = "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeThird" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20201120:providerhub:SkusNestedResourceTypeThird" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210501preview:providerhub:SkusNestedResourceTypeThird" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210601preview:providerhub:SkusNestedResourceTypeThird" }, + new global::Pulumi.Alias { Type = "azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeThird" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Purview/Account.cs b/sdk/dotnet/Purview/Account.cs index fa5ea42ccc82..01983dc9ce1d 100644 --- a/sdk/dotnet/Purview/Account.cs +++ b/sdk/dotnet/Purview/Account.cs @@ -205,6 +205,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:purview/v20211201:Account" }, new global::Pulumi.Alias { Type = "azure-native:purview/v20230501preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:purview/v20240401preview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20201201preview:purview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20210701:purview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20211201:purview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20230501preview:purview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20240401preview:purview:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Purview/KafkaConfiguration.cs b/sdk/dotnet/Purview/KafkaConfiguration.cs index dfaf51472129..c9e3886b5b99 100644 --- a/sdk/dotnet/Purview/KafkaConfiguration.cs +++ b/sdk/dotnet/Purview/KafkaConfiguration.cs @@ -110,6 +110,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:purview/v20211201:KafkaConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:purview/v20230501preview:KafkaConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:purview/v20240401preview:KafkaConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20211201:purview:KafkaConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20230501preview:purview:KafkaConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20240401preview:purview:KafkaConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Purview/PrivateEndpointConnection.cs b/sdk/dotnet/Purview/PrivateEndpointConnection.cs index 85b69d46d1c3..b5c5b08db79b 100644 --- a/sdk/dotnet/Purview/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Purview/PrivateEndpointConnection.cs @@ -86,11 +86,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:purview/v20201201preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:purview/v20210701:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:purview/v20211201:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:purview/v20230501preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:purview/v20240401preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20201201preview:purview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20210701:purview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20211201:purview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20230501preview:purview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_purview_v20240401preview:purview:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Quantum/Workspace.cs b/sdk/dotnet/Quantum/Workspace.cs index 80bc0bda9ba7..656f8097cc55 100644 --- a/sdk/dotnet/Quantum/Workspace.cs +++ b/sdk/dotnet/Quantum/Workspace.cs @@ -92,9 +92,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:quantum/v20191104preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:quantum/v20220110preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:quantum/v20231113preview:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_quantum_v20191104preview:quantum:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_quantum_v20220110preview:quantum:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_quantum_v20231113preview:quantum:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Quota/GroupQuota.cs b/sdk/dotnet/Quota/GroupQuota.cs index 6c3a63c168d7..92668800fd2d 100644 --- a/sdk/dotnet/Quota/GroupQuota.cs +++ b/sdk/dotnet/Quota/GroupQuota.cs @@ -75,7 +75,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:quota/v20241015preview:GroupQuota" }, new global::Pulumi.Alias { Type = "azure-native:quota/v20241218preview:GroupQuota" }, new global::Pulumi.Alias { Type = "azure-native:quota/v20250301:GroupQuota" }, - new global::Pulumi.Alias { Type = "azure-native:quota/v20250315preview:GroupQuota" }, + new global::Pulumi.Alias { Type = "azure-native_quota_v20230601preview:quota:GroupQuota" }, + new global::Pulumi.Alias { Type = "azure-native_quota_v20241015preview:quota:GroupQuota" }, + new global::Pulumi.Alias { Type = "azure-native_quota_v20241218preview:quota:GroupQuota" }, + new global::Pulumi.Alias { Type = "azure-native_quota_v20250301:quota:GroupQuota" }, + new global::Pulumi.Alias { Type = "azure-native_quota_v20250315preview:quota:GroupQuota" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Quota/GroupQuotaSubscription.cs b/sdk/dotnet/Quota/GroupQuotaSubscription.cs index 58d6b663e2a3..7f447755dcec 100644 --- a/sdk/dotnet/Quota/GroupQuotaSubscription.cs +++ b/sdk/dotnet/Quota/GroupQuotaSubscription.cs @@ -75,7 +75,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:quota/v20241015preview:GroupQuotaSubscription" }, new global::Pulumi.Alias { Type = "azure-native:quota/v20241218preview:GroupQuotaSubscription" }, new global::Pulumi.Alias { Type = "azure-native:quota/v20250301:GroupQuotaSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:quota/v20250315preview:GroupQuotaSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_quota_v20230601preview:quota:GroupQuotaSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_quota_v20241015preview:quota:GroupQuotaSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_quota_v20241218preview:quota:GroupQuotaSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_quota_v20250301:quota:GroupQuotaSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_quota_v20250315preview:quota:GroupQuotaSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecommendationsService/Account.cs b/sdk/dotnet/RecommendationsService/Account.cs index 284bebb322c0..6986423c84b7 100644 --- a/sdk/dotnet/RecommendationsService/Account.cs +++ b/sdk/dotnet/RecommendationsService/Account.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:recommendationsservice/v20220201:Account" }, new global::Pulumi.Alias { Type = "azure-native:recommendationsservice/v20220301preview:Account" }, + new global::Pulumi.Alias { Type = "azure-native_recommendationsservice_v20220201:recommendationsservice:Account" }, + new global::Pulumi.Alias { Type = "azure-native_recommendationsservice_v20220301preview:recommendationsservice:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecommendationsService/Modeling.cs b/sdk/dotnet/RecommendationsService/Modeling.cs index 8ba3ed816450..3232e7545c3d 100644 --- a/sdk/dotnet/RecommendationsService/Modeling.cs +++ b/sdk/dotnet/RecommendationsService/Modeling.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:recommendationsservice/v20220201:Modeling" }, new global::Pulumi.Alias { Type = "azure-native:recommendationsservice/v20220301preview:Modeling" }, + new global::Pulumi.Alias { Type = "azure-native_recommendationsservice_v20220201:recommendationsservice:Modeling" }, + new global::Pulumi.Alias { Type = "azure-native_recommendationsservice_v20220301preview:recommendationsservice:Modeling" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecommendationsService/ServiceEndpoint.cs b/sdk/dotnet/RecommendationsService/ServiceEndpoint.cs index 8328e68b63f7..4800cf8b6848 100644 --- a/sdk/dotnet/RecommendationsService/ServiceEndpoint.cs +++ b/sdk/dotnet/RecommendationsService/ServiceEndpoint.cs @@ -88,6 +88,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:recommendationsservice/v20220201:ServiceEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:recommendationsservice/v20220301preview:ServiceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_recommendationsservice_v20220201:recommendationsservice:ServiceEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_recommendationsservice_v20220301preview:recommendationsservice:ServiceEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/PrivateEndpointConnection.cs b/sdk/dotnet/RecoveryServices/PrivateEndpointConnection.cs index 3df681f44a1e..fa1017c820b2 100644 --- a/sdk/dotnet/RecoveryServices/PrivateEndpointConnection.cs +++ b/sdk/dotnet/RecoveryServices/PrivateEndpointConnection.cs @@ -86,30 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20200202:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20201001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20201201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210201preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220901preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220930preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:PrivateEndpointConnection" }, @@ -119,7 +95,40 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240430preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240730preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241101preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20200202:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20201001:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20201201:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210101:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210201:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210201preview:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220601preview:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220901preview:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220930preview:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240430preview:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240730preview:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241101preview:recoveryservices:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ProtectedItem.cs b/sdk/dotnet/RecoveryServices/ProtectedItem.cs index 570231ed507b..460189f41e9d 100644 --- a/sdk/dotnet/RecoveryServices/ProtectedItem.cs +++ b/sdk/dotnet/RecoveryServices/ProtectedItem.cs @@ -86,32 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20160601:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20190513:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20190615:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20201001:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20201201:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210101:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210201:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210201preview:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220601preview:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220901preview:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220930preview:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ProtectedItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ProtectedItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ProtectedItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ProtectedItem" }, @@ -121,7 +95,42 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240430preview:ProtectedItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240730preview:ProtectedItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241101preview:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20160601:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20190513:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20190615:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20201001:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20201201:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210101:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210201:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectedItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ProtectionContainer.cs b/sdk/dotnet/RecoveryServices/ProtectionContainer.cs index 0b286f5559d0..d816baa4574a 100644 --- a/sdk/dotnet/RecoveryServices/ProtectionContainer.cs +++ b/sdk/dotnet/RecoveryServices/ProtectionContainer.cs @@ -86,30 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20161201:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20201001:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20201201:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210101:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210201:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210201preview:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220601preview:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220901preview:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220930preview:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ProtectionContainer" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ProtectionContainer" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ProtectionContainer" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ProtectionContainer" }, @@ -119,7 +95,40 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240430preview:ProtectionContainer" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240730preview:ProtectionContainer" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ProtectionContainer" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241101preview:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20161201:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20201001:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20201201:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210101:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210201:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ProtectionContainer" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ProtectionIntent.cs b/sdk/dotnet/RecoveryServices/ProtectionIntent.cs index 4c500aaf275b..90473a464bc8 100644 --- a/sdk/dotnet/RecoveryServices/ProtectionIntent.cs +++ b/sdk/dotnet/RecoveryServices/ProtectionIntent.cs @@ -86,27 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20170701:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210201:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210201preview:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220601preview:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220901preview:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220930preview:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ProtectionIntent" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ProtectionIntent" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ProtectionIntent" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ProtectionIntent" }, @@ -116,7 +95,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240430preview:ProtectionIntent" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240730preview:ProtectionIntent" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ProtectionIntent" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241101preview:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20170701:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210201:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ProtectionIntent" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionIntent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ProtectionPolicy.cs b/sdk/dotnet/RecoveryServices/ProtectionPolicy.cs index 3ea29ff01682..8b1be082c392 100644 --- a/sdk/dotnet/RecoveryServices/ProtectionPolicy.cs +++ b/sdk/dotnet/RecoveryServices/ProtectionPolicy.cs @@ -86,30 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20160601:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20201001:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20201201:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210101:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210201:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210201preview:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220601preview:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220901preview:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220930preview:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ProtectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ProtectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ProtectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ProtectionPolicy" }, @@ -119,7 +95,40 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240430preview:ProtectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240730preview:ProtectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ProtectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241101preview:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20160601:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20201001:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20201201:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210101:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210201:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ProtectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ReplicationFabric.cs b/sdk/dotnet/RecoveryServices/ReplicationFabric.cs index 606401483d06..fbcd4ea7d6c2 100644 --- a/sdk/dotnet/RecoveryServices/ReplicationFabric.cs +++ b/sdk/dotnet/RecoveryServices/ReplicationFabric.cs @@ -74,28 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20160810:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180110:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180710:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211101:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220501:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220801:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220910:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ReplicationFabric" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ReplicationFabric" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ReplicationFabric" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ReplicationFabric" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ReplicationFabric" }, @@ -103,6 +81,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240201:ReplicationFabric" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240401:ReplicationFabric" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationFabric" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationFabric" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ReplicationMigrationItem.cs b/sdk/dotnet/RecoveryServices/ReplicationMigrationItem.cs index a65301b15277..31ad280b9980 100644 --- a/sdk/dotnet/RecoveryServices/ReplicationMigrationItem.cs +++ b/sdk/dotnet/RecoveryServices/ReplicationMigrationItem.cs @@ -74,27 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180110:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180710:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211101:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220501:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220801:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220910:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ReplicationMigrationItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ReplicationMigrationItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ReplicationMigrationItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ReplicationMigrationItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ReplicationMigrationItem" }, @@ -102,6 +81,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240201:ReplicationMigrationItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240401:ReplicationMigrationItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationMigrationItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationMigrationItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ReplicationNetworkMapping.cs b/sdk/dotnet/RecoveryServices/ReplicationNetworkMapping.cs index 95c2d5949728..223b070582c7 100644 --- a/sdk/dotnet/RecoveryServices/ReplicationNetworkMapping.cs +++ b/sdk/dotnet/RecoveryServices/ReplicationNetworkMapping.cs @@ -74,28 +74,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20160810:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180110:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180710:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ReplicationNetworkMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211101:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220501:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220801:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220910:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ReplicationNetworkMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ReplicationNetworkMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ReplicationNetworkMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ReplicationNetworkMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ReplicationNetworkMapping" }, @@ -103,6 +82,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240201:ReplicationNetworkMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240401:ReplicationNetworkMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationNetworkMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationNetworkMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ReplicationPolicy.cs b/sdk/dotnet/RecoveryServices/ReplicationPolicy.cs index b5dc190b2832..f39a6bab5eb7 100644 --- a/sdk/dotnet/RecoveryServices/ReplicationPolicy.cs +++ b/sdk/dotnet/RecoveryServices/ReplicationPolicy.cs @@ -74,28 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20160810:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180110:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180710:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211101:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220501:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220801:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220910:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ReplicationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ReplicationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ReplicationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ReplicationPolicy" }, @@ -103,6 +81,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240201:ReplicationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240401:ReplicationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ReplicationProtectedItem.cs b/sdk/dotnet/RecoveryServices/ReplicationProtectedItem.cs index dd39225d9716..7297ee15a05a 100644 --- a/sdk/dotnet/RecoveryServices/ReplicationProtectedItem.cs +++ b/sdk/dotnet/RecoveryServices/ReplicationProtectedItem.cs @@ -74,28 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20160810:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180110:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180710:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211101:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220501:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220801:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220910:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ReplicationProtectedItem" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ReplicationProtectedItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ReplicationProtectedItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ReplicationProtectedItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ReplicationProtectedItem" }, @@ -103,6 +81,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240201:ReplicationProtectedItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240401:ReplicationProtectedItem" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectedItem" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectedItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ReplicationProtectionCluster.cs b/sdk/dotnet/RecoveryServices/ReplicationProtectionCluster.cs index 0e26774ab8a8..e9ac57083f51 100644 --- a/sdk/dotnet/RecoveryServices/ReplicationProtectionCluster.cs +++ b/sdk/dotnet/RecoveryServices/ReplicationProtectionCluster.cs @@ -71,6 +71,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240201:ReplicationProtectionCluster" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240401:ReplicationProtectionCluster" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ReplicationProtectionCluster" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectionCluster" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectionCluster" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectionCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ReplicationProtectionContainerMapping.cs b/sdk/dotnet/RecoveryServices/ReplicationProtectionContainerMapping.cs index 208adc956051..81ce48466f4d 100644 --- a/sdk/dotnet/RecoveryServices/ReplicationProtectionContainerMapping.cs +++ b/sdk/dotnet/RecoveryServices/ReplicationProtectionContainerMapping.cs @@ -74,28 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20160810:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180110:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180710:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211101:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220501:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220801:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220910:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ReplicationProtectionContainerMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ReplicationProtectionContainerMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ReplicationProtectionContainerMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ReplicationProtectionContainerMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ReplicationProtectionContainerMapping" }, @@ -103,6 +81,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240201:ReplicationProtectionContainerMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240401:ReplicationProtectionContainerMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectionContainerMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectionContainerMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ReplicationRecoveryPlan.cs b/sdk/dotnet/RecoveryServices/ReplicationRecoveryPlan.cs index a252aef50804..cac59c475d1c 100644 --- a/sdk/dotnet/RecoveryServices/ReplicationRecoveryPlan.cs +++ b/sdk/dotnet/RecoveryServices/ReplicationRecoveryPlan.cs @@ -74,28 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20160810:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180110:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180710:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211101:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220501:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220801:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220910:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ReplicationRecoveryPlan" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ReplicationRecoveryPlan" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ReplicationRecoveryPlan" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ReplicationRecoveryPlan" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ReplicationRecoveryPlan" }, @@ -103,6 +81,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240201:ReplicationRecoveryPlan" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240401:ReplicationRecoveryPlan" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationRecoveryPlan" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationRecoveryPlan" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ReplicationRecoveryServicesProvider.cs b/sdk/dotnet/RecoveryServices/ReplicationRecoveryServicesProvider.cs index e79cd721c155..19de90a1f503 100644 --- a/sdk/dotnet/RecoveryServices/ReplicationRecoveryServicesProvider.cs +++ b/sdk/dotnet/RecoveryServices/ReplicationRecoveryServicesProvider.cs @@ -74,27 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180110:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180710:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211101:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220501:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220801:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220910:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ReplicationRecoveryServicesProvider" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ReplicationRecoveryServicesProvider" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ReplicationRecoveryServicesProvider" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ReplicationRecoveryServicesProvider" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ReplicationRecoveryServicesProvider" }, @@ -102,6 +81,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240201:ReplicationRecoveryServicesProvider" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240401:ReplicationRecoveryServicesProvider" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationRecoveryServicesProvider" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationRecoveryServicesProvider" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ReplicationStorageClassificationMapping.cs b/sdk/dotnet/RecoveryServices/ReplicationStorageClassificationMapping.cs index 4b46067b06cc..f046e6403d4b 100644 --- a/sdk/dotnet/RecoveryServices/ReplicationStorageClassificationMapping.cs +++ b/sdk/dotnet/RecoveryServices/ReplicationStorageClassificationMapping.cs @@ -74,28 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20160810:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180110:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180710:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211101:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220501:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220801:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220910:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ReplicationStorageClassificationMapping" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ReplicationStorageClassificationMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ReplicationStorageClassificationMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ReplicationStorageClassificationMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ReplicationStorageClassificationMapping" }, @@ -103,6 +81,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240201:ReplicationStorageClassificationMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240401:ReplicationStorageClassificationMapping" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationStorageClassificationMapping" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationStorageClassificationMapping" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ReplicationvCenter.cs b/sdk/dotnet/RecoveryServices/ReplicationvCenter.cs index 89393a3af63a..b8745f21fff9 100644 --- a/sdk/dotnet/RecoveryServices/ReplicationvCenter.cs +++ b/sdk/dotnet/RecoveryServices/ReplicationvCenter.cs @@ -74,28 +74,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20160810:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180110:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20180710:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:ReplicationvCenter" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211101:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220501:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220801:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220910:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ReplicationvCenter" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ReplicationvCenter" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ReplicationvCenter" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ReplicationvCenter" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ReplicationvCenter" }, @@ -103,6 +82,35 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240201:ReplicationvCenter" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240401:ReplicationvCenter" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationvCenter" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationvCenter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/ResourceGuardProxy.cs b/sdk/dotnet/RecoveryServices/ResourceGuardProxy.cs index 4a560d730b9a..e1d49378150a 100644 --- a/sdk/dotnet/RecoveryServices/ResourceGuardProxy.cs +++ b/sdk/dotnet/RecoveryServices/ResourceGuardProxy.cs @@ -84,21 +84,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210201preview:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211001:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220601preview:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220901preview:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220930preview:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:ResourceGuardProxy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:ResourceGuardProxy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:ResourceGuardProxy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:ResourceGuardProxy" }, @@ -108,7 +93,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240430preview:ResourceGuardProxy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240730preview:ResourceGuardProxy" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:ResourceGuardProxy" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241101preview:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210201preview:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211001:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220601preview:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220901preview:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220930preview:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240430preview:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240730preview:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:ResourceGuardProxy" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241101preview:recoveryservices:ResourceGuardProxy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RecoveryServices/Vault.cs b/sdk/dotnet/RecoveryServices/Vault.cs index 0b7830c1388d..229562dfd5bb 100644 --- a/sdk/dotnet/RecoveryServices/Vault.cs +++ b/sdk/dotnet/RecoveryServices/Vault.cs @@ -104,30 +104,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20160601:Vault" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20200202:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20201001:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210101:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210210:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210301:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210401:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210601:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210701:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20210801:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211101preview:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20211201:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220101:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220131preview:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220201:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220301:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220401:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220501:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220801:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220910:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20220930preview:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20221001:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230101:Vault" }, - new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230201:Vault" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230401:Vault" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230601:Vault" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20230801:Vault" }, @@ -137,6 +114,39 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240430preview:Vault" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20240930preview:Vault" }, new global::Pulumi.Alias { Type = "azure-native:recoveryservices/v20241001:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20160601:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20200202:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20201001:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210101:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210210:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210301:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210401:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210601:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210701:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20210801:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211101preview:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20211201:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220101:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220131preview:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220201:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220301:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220401:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220501:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220801:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220910:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20220930preview:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20221001:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230101:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230201:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230401:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230601:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20230801:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240101:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240201:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240401:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240430preview:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20240930preview:recoveryservices:Vault" }, + new global::Pulumi.Alias { Type = "azure-native_recoveryservices_v20241001:recoveryservices:Vault" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RedHatOpenShift/MachinePool.cs b/sdk/dotnet/RedHatOpenShift/MachinePool.cs index 2ccb557377fe..f0000f0d4a40 100644 --- a/sdk/dotnet/RedHatOpenShift/MachinePool.cs +++ b/sdk/dotnet/RedHatOpenShift/MachinePool.cs @@ -76,6 +76,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20230701preview:MachinePool" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20230904:MachinePool" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20231122:MachinePool" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20220904:redhatopenshift:MachinePool" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230401:redhatopenshift:MachinePool" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230701preview:redhatopenshift:MachinePool" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230904:redhatopenshift:MachinePool" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20231122:redhatopenshift:MachinePool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RedHatOpenShift/OpenShiftCluster.cs b/sdk/dotnet/RedHatOpenShift/OpenShiftCluster.cs index 06690fd6d9fa..488925ed985d 100644 --- a/sdk/dotnet/RedHatOpenShift/OpenShiftCluster.cs +++ b/sdk/dotnet/RedHatOpenShift/OpenShiftCluster.cs @@ -140,15 +140,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20200430:OpenShiftCluster" }, - new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20210901preview:OpenShiftCluster" }, - new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20220401:OpenShiftCluster" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20220904:OpenShiftCluster" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20230401:OpenShiftCluster" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20230701preview:OpenShiftCluster" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20230904:OpenShiftCluster" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20231122:OpenShiftCluster" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20240812preview:OpenShiftCluster" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20200430:redhatopenshift:OpenShiftCluster" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20210901preview:redhatopenshift:OpenShiftCluster" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20220401:redhatopenshift:OpenShiftCluster" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20220904:redhatopenshift:OpenShiftCluster" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230401:redhatopenshift:OpenShiftCluster" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230701preview:redhatopenshift:OpenShiftCluster" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230904:redhatopenshift:OpenShiftCluster" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20231122:redhatopenshift:OpenShiftCluster" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20240812preview:redhatopenshift:OpenShiftCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RedHatOpenShift/Secret.cs b/sdk/dotnet/RedHatOpenShift/Secret.cs index c96e2c9f0f5a..4c5011afa1ef 100644 --- a/sdk/dotnet/RedHatOpenShift/Secret.cs +++ b/sdk/dotnet/RedHatOpenShift/Secret.cs @@ -79,6 +79,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20230701preview:Secret" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20230904:Secret" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20231122:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20220904:redhatopenshift:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230401:redhatopenshift:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230701preview:redhatopenshift:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230904:redhatopenshift:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20231122:redhatopenshift:Secret" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RedHatOpenShift/SyncIdentityProvider.cs b/sdk/dotnet/RedHatOpenShift/SyncIdentityProvider.cs index 193e084c9e47..ed1971858d7f 100644 --- a/sdk/dotnet/RedHatOpenShift/SyncIdentityProvider.cs +++ b/sdk/dotnet/RedHatOpenShift/SyncIdentityProvider.cs @@ -76,6 +76,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20230701preview:SyncIdentityProvider" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20230904:SyncIdentityProvider" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20231122:SyncIdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20220904:redhatopenshift:SyncIdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230401:redhatopenshift:SyncIdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230701preview:redhatopenshift:SyncIdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230904:redhatopenshift:SyncIdentityProvider" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20231122:redhatopenshift:SyncIdentityProvider" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RedHatOpenShift/SyncSet.cs b/sdk/dotnet/RedHatOpenShift/SyncSet.cs index cb67bad7bafc..a0181de7ef8c 100644 --- a/sdk/dotnet/RedHatOpenShift/SyncSet.cs +++ b/sdk/dotnet/RedHatOpenShift/SyncSet.cs @@ -79,6 +79,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20230701preview:SyncSet" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20230904:SyncSet" }, new global::Pulumi.Alias { Type = "azure-native:redhatopenshift/v20231122:SyncSet" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20220904:redhatopenshift:SyncSet" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230401:redhatopenshift:SyncSet" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230701preview:redhatopenshift:SyncSet" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20230904:redhatopenshift:SyncSet" }, + new global::Pulumi.Alias { Type = "azure-native_redhatopenshift_v20231122:redhatopenshift:SyncSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Redis/AccessPolicy.cs b/sdk/dotnet/Redis/AccessPolicy.cs index ae4021f7cdd5..4303ba71b5ce 100644 --- a/sdk/dotnet/Redis/AccessPolicy.cs +++ b/sdk/dotnet/Redis/AccessPolicy.cs @@ -80,11 +80,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240401preview:AccessPolicy" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241101:AccessPolicy" }, new global::Pulumi.Alias { Type = "azure-native:cache:AccessPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230501preview:AccessPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230801:AccessPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240301:AccessPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240401preview:AccessPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20241101:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230501preview:redis:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230801:redis:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240301:redis:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240401preview:redis:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20241101:redis:AccessPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Redis/AccessPolicyAssignment.cs b/sdk/dotnet/Redis/AccessPolicyAssignment.cs index b1b76d169cc6..9cbb23cfbe3a 100644 --- a/sdk/dotnet/Redis/AccessPolicyAssignment.cs +++ b/sdk/dotnet/Redis/AccessPolicyAssignment.cs @@ -92,11 +92,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240401preview:AccessPolicyAssignment" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241101:AccessPolicyAssignment" }, new global::Pulumi.Alias { Type = "azure-native:cache:AccessPolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230501preview:AccessPolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230801:AccessPolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240301:AccessPolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240401preview:AccessPolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20241101:AccessPolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230501preview:redis:AccessPolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230801:redis:AccessPolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240301:redis:AccessPolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240401preview:redis:AccessPolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20241101:redis:AccessPolicyAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Redis/FirewallRule.cs b/sdk/dotnet/Redis/FirewallRule.cs index 2671182fc39f..36ad84c3ed15 100644 --- a/sdk/dotnet/Redis/FirewallRule.cs +++ b/sdk/dotnet/Redis/FirewallRule.cs @@ -81,22 +81,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240401preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241101:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:cache:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20160401:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20170201:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20171001:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20180301:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20190701:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20200601:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20201201:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20210601:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220501:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220601:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230401:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230501preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230801:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240301:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240401preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20241101:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20160401:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20170201:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20171001:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20180301:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20190701:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20200601:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20201201:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20210601:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220501:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220601:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230401:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230501preview:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230801:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240301:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240401preview:redis:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20241101:redis:FirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Redis/LinkedServer.cs b/sdk/dotnet/Redis/LinkedServer.cs index 0358043a4aa3..be2dc6194227 100644 --- a/sdk/dotnet/Redis/LinkedServer.cs +++ b/sdk/dotnet/Redis/LinkedServer.cs @@ -105,21 +105,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240401preview:LinkedServer" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241101:LinkedServer" }, new global::Pulumi.Alias { Type = "azure-native:cache:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20170201:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20171001:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20180301:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20190701:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20200601:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20201201:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20210601:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220501:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220601:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230401:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230501preview:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230801:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240301:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240401preview:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20241101:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20170201:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20171001:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20180301:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20190701:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20200601:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20201201:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20210601:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220501:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220601:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230401:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230501preview:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230801:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240301:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240401preview:redis:LinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20241101:redis:LinkedServer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Redis/PatchSchedule.cs b/sdk/dotnet/Redis/PatchSchedule.cs index ebabeed715bb..dd0e0ff8929e 100644 --- a/sdk/dotnet/Redis/PatchSchedule.cs +++ b/sdk/dotnet/Redis/PatchSchedule.cs @@ -81,20 +81,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240401preview:PatchSchedule" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241101:PatchSchedule" }, new global::Pulumi.Alias { Type = "azure-native:cache:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20171001:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20180301:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20190701:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20200601:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20201201:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20210601:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220501:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220601:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230401:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230501preview:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230801:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240301:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240401preview:PatchSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20241101:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20171001:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20180301:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20190701:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20200601:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20201201:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20210601:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220501:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220601:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230401:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230501preview:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230801:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240301:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240401preview:redis:PatchSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20241101:redis:PatchSchedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Redis/PrivateEndpointConnection.cs b/sdk/dotnet/Redis/PrivateEndpointConnection.cs index 742bfb2c8a05..81cae36407a5 100644 --- a/sdk/dotnet/Redis/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Redis/PrivateEndpointConnection.cs @@ -87,17 +87,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240401preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241101:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:cache:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20200601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20201201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20210601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220501:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230401:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230501preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230801:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240401preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20241101:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20200601:redis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20201201:redis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20210601:redis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220501:redis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220601:redis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230401:redis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230501preview:redis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230801:redis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240301:redis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240401preview:redis:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20241101:redis:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Redis/Redis.cs b/sdk/dotnet/Redis/Redis.cs index f5b12126a903..70088bee8e7c 100644 --- a/sdk/dotnet/Redis/Redis.cs +++ b/sdk/dotnet/Redis/Redis.cs @@ -232,23 +232,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240401preview:Redis" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241101:Redis" }, new global::Pulumi.Alias { Type = "azure-native:cache:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20150801:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20160401:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20170201:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20171001:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20180301:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20190701:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20200601:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20201201:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20210601:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220501:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220601:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230401:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230501preview:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230801:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240301:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240401preview:Redis" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20241101:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20150801:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20160401:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20170201:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20171001:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20180301:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20190701:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20200601:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20201201:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20210601:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220501:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220601:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230401:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230501preview:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230801:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240301:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240401preview:redis:Redis" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20241101:redis:Redis" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Redis/RedisFirewallRule.cs b/sdk/dotnet/Redis/RedisFirewallRule.cs index 17e2a7f23b9a..bcc1f3c56f37 100644 --- a/sdk/dotnet/Redis/RedisFirewallRule.cs +++ b/sdk/dotnet/Redis/RedisFirewallRule.cs @@ -79,22 +79,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240401preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241101:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:cache:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20160401:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20170201:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20171001:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20180301:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20190701:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20200601:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20201201:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20210601:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220501:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220601:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230401:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230501preview:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230801:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240301:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240401preview:RedisFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20241101:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20160401:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20170201:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20171001:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20180301:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20190701:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20200601:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20201201:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20210601:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220501:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220601:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230401:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230501preview:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230801:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240301:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240401preview:redis:RedisFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20241101:redis:RedisFirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Redis/RedisLinkedServer.cs b/sdk/dotnet/Redis/RedisLinkedServer.cs index 381bb262497f..7fb321a56d85 100644 --- a/sdk/dotnet/Redis/RedisLinkedServer.cs +++ b/sdk/dotnet/Redis/RedisLinkedServer.cs @@ -91,21 +91,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240401preview:LinkedServer" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241101:LinkedServer" }, new global::Pulumi.Alias { Type = "azure-native:cache:LinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20170201:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20171001:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20180301:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20190701:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20200601:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20201201:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20210601:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220501:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20220601:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230401:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230501preview:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20230801:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240301:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20240401preview:RedisLinkedServer" }, - new global::Pulumi.Alias { Type = "azure-native:redis/v20241101:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20170201:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20171001:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20180301:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20190701:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20200601:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20201201:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20210601:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220501:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20220601:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230401:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230501preview:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20230801:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240301:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20240401preview:redis:RedisLinkedServer" }, + new global::Pulumi.Alias { Type = "azure-native_redis_v20241101:redis:RedisLinkedServer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RedisEnterprise/AccessPolicyAssignment.cs b/sdk/dotnet/RedisEnterprise/AccessPolicyAssignment.cs index 07b7a8aa526e..e5a5c8facb97 100644 --- a/sdk/dotnet/RedisEnterprise/AccessPolicyAssignment.cs +++ b/sdk/dotnet/RedisEnterprise/AccessPolicyAssignment.cs @@ -81,8 +81,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:cache/v20240901preview:AccessPolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240901preview:AccessPolicyAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20250401:AccessPolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240901preview:redisenterprise:AccessPolicyAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20250401:redisenterprise:AccessPolicyAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RedisEnterprise/Database.cs b/sdk/dotnet/RedisEnterprise/Database.cs index 7f59364f49d0..d0a3233a4a44 100644 --- a/sdk/dotnet/RedisEnterprise/Database.cs +++ b/sdk/dotnet/RedisEnterprise/Database.cs @@ -139,23 +139,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240901preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241001:Database" }, new global::Pulumi.Alias { Type = "azure-native:cache:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20201001preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20210201preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20210301:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20210801:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20220101:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20221101preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20230301preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20230701:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20230801preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20231001preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20231101:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240201:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240301preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240601preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240901preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20241001:Database" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20250401:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20201001preview:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20210201preview:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20210301:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20210801:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20220101:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20221101preview:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20230301preview:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20230701:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20230801preview:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20231001preview:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20231101:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240201:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240301preview:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240601preview:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240901preview:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20241001:redisenterprise:Database" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20250401:redisenterprise:Database" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RedisEnterprise/PrivateEndpointConnection.cs b/sdk/dotnet/RedisEnterprise/PrivateEndpointConnection.cs index 58d26f82da94..065bfc21317e 100644 --- a/sdk/dotnet/RedisEnterprise/PrivateEndpointConnection.cs +++ b/sdk/dotnet/RedisEnterprise/PrivateEndpointConnection.cs @@ -91,23 +91,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240901preview:EnterprisePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241001:EnterprisePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:cache:EnterprisePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20201001preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20210201preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20210301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20210801:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20220101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20221101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20230301preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20230701:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20230801preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20231001preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20231101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240301preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240901preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20241001:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20250401:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20201001preview:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20210201preview:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20210301:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20210801:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20220101:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20221101preview:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20230301preview:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20230701:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20230801preview:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20231001preview:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20231101:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240201:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240301preview:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240601preview:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240901preview:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20241001:redisenterprise:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20250401:redisenterprise:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/RedisEnterprise/RedisEnterprise.cs b/sdk/dotnet/RedisEnterprise/RedisEnterprise.cs index 32ede3d95306..4eaf9360a01e 100644 --- a/sdk/dotnet/RedisEnterprise/RedisEnterprise.cs +++ b/sdk/dotnet/RedisEnterprise/RedisEnterprise.cs @@ -146,23 +146,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:cache/v20240901preview:RedisEnterprise" }, new global::Pulumi.Alias { Type = "azure-native:cache/v20241001:RedisEnterprise" }, new global::Pulumi.Alias { Type = "azure-native:cache:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20201001preview:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20210201preview:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20210301:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20210801:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20220101:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20221101preview:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20230301preview:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20230701:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20230801preview:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20231001preview:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20231101:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240201:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240301preview:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240601preview:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20240901preview:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20241001:RedisEnterprise" }, - new global::Pulumi.Alias { Type = "azure-native:redisenterprise/v20250401:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20201001preview:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20210201preview:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20210301:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20210801:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20220101:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20221101preview:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20230301preview:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20230701:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20230801preview:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20231001preview:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20231101:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240201:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240301preview:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240601preview:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20240901preview:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20241001:redisenterprise:RedisEnterprise" }, + new global::Pulumi.Alias { Type = "azure-native_redisenterprise_v20250401:redisenterprise:RedisEnterprise" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Relay/HybridConnection.cs b/sdk/dotnet/Relay/HybridConnection.cs index 793740e16447..2f868fc03e93 100644 --- a/sdk/dotnet/Relay/HybridConnection.cs +++ b/sdk/dotnet/Relay/HybridConnection.cs @@ -104,10 +104,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:relay/v20160701:HybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:relay/v20170401:HybridConnection" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20211101:HybridConnection" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20240101:HybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20160701:relay:HybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20170401:relay:HybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20211101:relay:HybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20240101:relay:HybridConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Relay/HybridConnectionAuthorizationRule.cs b/sdk/dotnet/Relay/HybridConnectionAuthorizationRule.cs index ed1123f67239..5161bde12bbd 100644 --- a/sdk/dotnet/Relay/HybridConnectionAuthorizationRule.cs +++ b/sdk/dotnet/Relay/HybridConnectionAuthorizationRule.cs @@ -80,10 +80,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:relay/v20160701:HybridConnectionAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20170401:HybridConnectionAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20211101:HybridConnectionAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20240101:HybridConnectionAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20160701:relay:HybridConnectionAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20170401:relay:HybridConnectionAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20211101:relay:HybridConnectionAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20240101:relay:HybridConnectionAuthorizationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Relay/Namespace.cs b/sdk/dotnet/Relay/Namespace.cs index eafec9b2d6c5..3ebcf5aa68f8 100644 --- a/sdk/dotnet/Relay/Namespace.cs +++ b/sdk/dotnet/Relay/Namespace.cs @@ -134,11 +134,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:relay/v20160701:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:relay/v20170401:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:relay/v20180101preview:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20211101:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20240101:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20160701:relay:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20170401:relay:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20180101preview:relay:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20211101:relay:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20240101:relay:Namespace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Relay/NamespaceAuthorizationRule.cs b/sdk/dotnet/Relay/NamespaceAuthorizationRule.cs index 6bec8766e757..b43a44b88b1c 100644 --- a/sdk/dotnet/Relay/NamespaceAuthorizationRule.cs +++ b/sdk/dotnet/Relay/NamespaceAuthorizationRule.cs @@ -80,10 +80,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:relay/v20160701:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20170401:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20211101:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20240101:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20160701:relay:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20170401:relay:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20211101:relay:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20240101:relay:NamespaceAuthorizationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Relay/PrivateEndpointConnection.cs b/sdk/dotnet/Relay/PrivateEndpointConnection.cs index d42b6a10b17c..fb470a605787 100644 --- a/sdk/dotnet/Relay/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Relay/PrivateEndpointConnection.cs @@ -95,6 +95,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:relay/v20180101preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20211101:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20240101:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20180101preview:relay:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20211101:relay:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20240101:relay:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Relay/WCFRelay.cs b/sdk/dotnet/Relay/WCFRelay.cs index 411e01ff24aa..1381441a69c2 100644 --- a/sdk/dotnet/Relay/WCFRelay.cs +++ b/sdk/dotnet/Relay/WCFRelay.cs @@ -122,10 +122,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:relay/v20160701:WCFRelay" }, - new global::Pulumi.Alias { Type = "azure-native:relay/v20170401:WCFRelay" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20211101:WCFRelay" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20240101:WCFRelay" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20160701:relay:WCFRelay" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20170401:relay:WCFRelay" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20211101:relay:WCFRelay" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20240101:relay:WCFRelay" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Relay/WCFRelayAuthorizationRule.cs b/sdk/dotnet/Relay/WCFRelayAuthorizationRule.cs index 7a58744e5be1..05eaaf4875e2 100644 --- a/sdk/dotnet/Relay/WCFRelayAuthorizationRule.cs +++ b/sdk/dotnet/Relay/WCFRelayAuthorizationRule.cs @@ -80,10 +80,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:relay/v20160701:WCFRelayAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20170401:WCFRelayAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20211101:WCFRelayAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:relay/v20240101:WCFRelayAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20160701:relay:WCFRelayAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20170401:relay:WCFRelayAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20211101:relay:WCFRelayAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_relay_v20240101:relay:WCFRelayAuthorizationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ResourceConnector/Appliance.cs b/sdk/dotnet/ResourceConnector/Appliance.cs index f0d96ad97c2a..a59295bd02e9 100644 --- a/sdk/dotnet/ResourceConnector/Appliance.cs +++ b/sdk/dotnet/ResourceConnector/Appliance.cs @@ -123,8 +123,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:resourceconnector/v20211031preview:Appliance" }, - new global::Pulumi.Alias { Type = "azure-native:resourceconnector/v20220415preview:Appliance" }, new global::Pulumi.Alias { Type = "azure-native:resourceconnector/v20221027:Appliance" }, + new global::Pulumi.Alias { Type = "azure-native_resourceconnector_v20211031preview:resourceconnector:Appliance" }, + new global::Pulumi.Alias { Type = "azure-native_resourceconnector_v20220415preview:resourceconnector:Appliance" }, + new global::Pulumi.Alias { Type = "azure-native_resourceconnector_v20221027:resourceconnector:Appliance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ResourceGraph/GraphQuery.cs b/sdk/dotnet/ResourceGraph/GraphQuery.cs index a7fca0eda8a6..616604d12eda 100644 --- a/sdk/dotnet/ResourceGraph/GraphQuery.cs +++ b/sdk/dotnet/ResourceGraph/GraphQuery.cs @@ -116,6 +116,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:resourcegraph/v20210301:GraphQuery" }, new global::Pulumi.Alias { Type = "azure-native:resourcegraph/v20221001:GraphQuery" }, new global::Pulumi.Alias { Type = "azure-native:resourcegraph/v20240401:GraphQuery" }, + new global::Pulumi.Alias { Type = "azure-native_resourcegraph_v20180901preview:resourcegraph:GraphQuery" }, + new global::Pulumi.Alias { Type = "azure-native_resourcegraph_v20190401:resourcegraph:GraphQuery" }, + new global::Pulumi.Alias { Type = "azure-native_resourcegraph_v20200401preview:resourcegraph:GraphQuery" }, + new global::Pulumi.Alias { Type = "azure-native_resourcegraph_v20210301:resourcegraph:GraphQuery" }, + new global::Pulumi.Alias { Type = "azure-native_resourcegraph_v20221001:resourcegraph:GraphQuery" }, + new global::Pulumi.Alias { Type = "azure-native_resourcegraph_v20240401:resourcegraph:GraphQuery" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/AzureCliScript.cs b/sdk/dotnet/Resources/AzureCliScript.cs index 73f6dd718100..4642debea238 100644 --- a/sdk/dotnet/Resources/AzureCliScript.cs +++ b/sdk/dotnet/Resources/AzureCliScript.cs @@ -195,6 +195,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:resources/v20230801:AzureCliScript" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20230801:AzurePowerShellScript" }, new global::Pulumi.Alias { Type = "azure-native:resources:AzurePowerShellScript" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20191001preview:resources:AzureCliScript" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20201001:resources:AzureCliScript" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20230801:resources:AzureCliScript" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/AzurePowerShellScript.cs b/sdk/dotnet/Resources/AzurePowerShellScript.cs index ef6cf81cb11e..eea94aa2659a 100644 --- a/sdk/dotnet/Resources/AzurePowerShellScript.cs +++ b/sdk/dotnet/Resources/AzurePowerShellScript.cs @@ -195,6 +195,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:resources/v20230801:AzureCliScript" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20230801:AzurePowerShellScript" }, new global::Pulumi.Alias { Type = "azure-native:resources:AzureCliScript" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20191001preview:resources:AzurePowerShellScript" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20201001:resources:AzurePowerShellScript" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20230801:resources:AzurePowerShellScript" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/Deployment.cs b/sdk/dotnet/Resources/Deployment.cs index 0024cdcfc589..38bf956116da 100644 --- a/sdk/dotnet/Resources/Deployment.cs +++ b/sdk/dotnet/Resources/Deployment.cs @@ -80,29 +80,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:resources/v20151101:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20160201:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20160701:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20160901:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20170510:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20180201:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20180501:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190301:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190501:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190510:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190701:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190801:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20191001:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200601:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200801:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20201001:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210101:Deployment" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210401:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20220901:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20230701:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240301:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240701:Deployment" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20241101:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20151101:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20160201:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20160701:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20160901:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20170510:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20180201:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20180501:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190301:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190501:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190510:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190701:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190801:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20191001:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200601:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200801:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20201001:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210101:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210401:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220901:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20230701:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240301:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240701:resources:Deployment" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20241101:resources:Deployment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/DeploymentAtManagementGroupScope.cs b/sdk/dotnet/Resources/DeploymentAtManagementGroupScope.cs index dd68b01205d2..84ba8cab245b 100644 --- a/sdk/dotnet/Resources/DeploymentAtManagementGroupScope.cs +++ b/sdk/dotnet/Resources/DeploymentAtManagementGroupScope.cs @@ -80,21 +80,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:resources/v20190501:DeploymentAtManagementGroupScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190510:DeploymentAtManagementGroupScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190701:DeploymentAtManagementGroupScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190801:DeploymentAtManagementGroupScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20191001:DeploymentAtManagementGroupScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200601:DeploymentAtManagementGroupScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200801:DeploymentAtManagementGroupScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20201001:DeploymentAtManagementGroupScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210101:DeploymentAtManagementGroupScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210401:DeploymentAtManagementGroupScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20220901:DeploymentAtManagementGroupScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20230701:DeploymentAtManagementGroupScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240301:DeploymentAtManagementGroupScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240701:DeploymentAtManagementGroupScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20241101:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190501:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190510:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190701:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190801:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20191001:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200601:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200801:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20201001:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210101:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210401:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220901:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20230701:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240301:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240701:resources:DeploymentAtManagementGroupScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20241101:resources:DeploymentAtManagementGroupScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/DeploymentAtScope.cs b/sdk/dotnet/Resources/DeploymentAtScope.cs index 5b09a287d748..25045332d8be 100644 --- a/sdk/dotnet/Resources/DeploymentAtScope.cs +++ b/sdk/dotnet/Resources/DeploymentAtScope.cs @@ -80,19 +80,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:resources/v20190701:DeploymentAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190801:DeploymentAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20191001:DeploymentAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200601:DeploymentAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200801:DeploymentAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20201001:DeploymentAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210101:DeploymentAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210401:DeploymentAtScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20220901:DeploymentAtScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20230701:DeploymentAtScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240301:DeploymentAtScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240701:DeploymentAtScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20241101:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190701:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190801:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20191001:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200601:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200801:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20201001:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210101:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210401:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220901:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20230701:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240301:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240701:resources:DeploymentAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20241101:resources:DeploymentAtScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/DeploymentAtSubscriptionScope.cs b/sdk/dotnet/Resources/DeploymentAtSubscriptionScope.cs index 39f3d606c63f..b30d0defbfe3 100644 --- a/sdk/dotnet/Resources/DeploymentAtSubscriptionScope.cs +++ b/sdk/dotnet/Resources/DeploymentAtSubscriptionScope.cs @@ -80,23 +80,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:resources/v20180501:DeploymentAtSubscriptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190301:DeploymentAtSubscriptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190501:DeploymentAtSubscriptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190510:DeploymentAtSubscriptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190701:DeploymentAtSubscriptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190801:DeploymentAtSubscriptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20191001:DeploymentAtSubscriptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200601:DeploymentAtSubscriptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200801:DeploymentAtSubscriptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20201001:DeploymentAtSubscriptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210101:DeploymentAtSubscriptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210401:DeploymentAtSubscriptionScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20220901:DeploymentAtSubscriptionScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20230701:DeploymentAtSubscriptionScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240301:DeploymentAtSubscriptionScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240701:DeploymentAtSubscriptionScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20241101:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20180501:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190301:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190501:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190510:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190701:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190801:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20191001:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200601:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200801:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20201001:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210101:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210401:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220901:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20230701:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240301:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240701:resources:DeploymentAtSubscriptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20241101:resources:DeploymentAtSubscriptionScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/DeploymentAtTenantScope.cs b/sdk/dotnet/Resources/DeploymentAtTenantScope.cs index fe78ec99f356..3f1e51106929 100644 --- a/sdk/dotnet/Resources/DeploymentAtTenantScope.cs +++ b/sdk/dotnet/Resources/DeploymentAtTenantScope.cs @@ -80,19 +80,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:resources/v20190701:DeploymentAtTenantScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190801:DeploymentAtTenantScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20191001:DeploymentAtTenantScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200601:DeploymentAtTenantScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200801:DeploymentAtTenantScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20201001:DeploymentAtTenantScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210101:DeploymentAtTenantScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210401:DeploymentAtTenantScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20220901:DeploymentAtTenantScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20230701:DeploymentAtTenantScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240301:DeploymentAtTenantScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240701:DeploymentAtTenantScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20241101:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190701:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190801:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20191001:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200601:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200801:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20201001:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210101:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210401:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220901:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20230701:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240301:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240701:resources:DeploymentAtTenantScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20241101:resources:DeploymentAtTenantScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/DeploymentStackAtManagementGroup.cs b/sdk/dotnet/Resources/DeploymentStackAtManagementGroup.cs index e16058305266..1b86d65f894a 100644 --- a/sdk/dotnet/Resources/DeploymentStackAtManagementGroup.cs +++ b/sdk/dotnet/Resources/DeploymentStackAtManagementGroup.cs @@ -184,6 +184,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:resources/v20220801preview:DeploymentStackAtManagementGroup" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240301:DeploymentStackAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220801preview:resources:DeploymentStackAtManagementGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240301:resources:DeploymentStackAtManagementGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/DeploymentStackAtResourceGroup.cs b/sdk/dotnet/Resources/DeploymentStackAtResourceGroup.cs index c1b8ce8a6c55..3296c717d231 100644 --- a/sdk/dotnet/Resources/DeploymentStackAtResourceGroup.cs +++ b/sdk/dotnet/Resources/DeploymentStackAtResourceGroup.cs @@ -184,6 +184,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:resources/v20220801preview:DeploymentStackAtResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240301:DeploymentStackAtResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220801preview:resources:DeploymentStackAtResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240301:resources:DeploymentStackAtResourceGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/DeploymentStackAtSubscription.cs b/sdk/dotnet/Resources/DeploymentStackAtSubscription.cs index b801dd0183ee..7632e556e4ca 100644 --- a/sdk/dotnet/Resources/DeploymentStackAtSubscription.cs +++ b/sdk/dotnet/Resources/DeploymentStackAtSubscription.cs @@ -184,6 +184,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:resources/v20220801preview:DeploymentStackAtSubscription" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240301:DeploymentStackAtSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220801preview:resources:DeploymentStackAtSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240301:resources:DeploymentStackAtSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/Resource.cs b/sdk/dotnet/Resources/Resource.cs index 7481ae10e48a..2d761e869509 100644 --- a/sdk/dotnet/Resources/Resource.cs +++ b/sdk/dotnet/Resources/Resource.cs @@ -116,29 +116,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:resources/v20151101:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20160201:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20160701:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20160901:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20170510:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20180201:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20180501:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190301:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190501:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190510:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190701:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190801:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20191001:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200601:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200801:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20201001:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210101:Resource" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210401:Resource" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20220901:Resource" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20230701:Resource" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240301:Resource" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240701:Resource" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20241101:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20151101:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20160201:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20160701:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20160901:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20170510:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20180201:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20180501:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190301:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190501:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190510:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190701:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190801:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20191001:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200601:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200801:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20201001:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210101:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210401:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220901:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20230701:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240301:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240701:resources:Resource" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20241101:resources:Resource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/ResourceGroup.cs b/sdk/dotnet/Resources/ResourceGroup.cs index 7529c3598789..55414e9c4770 100644 --- a/sdk/dotnet/Resources/ResourceGroup.cs +++ b/sdk/dotnet/Resources/ResourceGroup.cs @@ -86,29 +86,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:resources/v20151101:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20160201:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20160701:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20160901:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20170510:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20180201:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20180501:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190301:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190501:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190510:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190701:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20190801:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20191001:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200601:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200801:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20201001:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210101:ResourceGroup" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210401:ResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20220901:ResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20230701:ResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240301:ResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240701:ResourceGroup" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20241101:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20151101:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20160201:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20160701:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20160901:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20170510:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20180201:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20180501:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190301:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190501:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190510:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190701:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190801:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20191001:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200601:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200801:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20201001:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210101:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210401:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220901:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20230701:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240301:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240701:resources:ResourceGroup" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20241101:resources:ResourceGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/TagAtScope.cs b/sdk/dotnet/Resources/TagAtScope.cs index 99ddf8885844..44273311eebb 100644 --- a/sdk/dotnet/Resources/TagAtScope.cs +++ b/sdk/dotnet/Resources/TagAtScope.cs @@ -68,17 +68,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:resources/v20191001:TagAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200601:TagAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20200801:TagAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20201001:TagAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210101:TagAtScope" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210401:TagAtScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20220901:TagAtScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20230701:TagAtScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240301:TagAtScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20240701:TagAtScope" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20241101:TagAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20191001:resources:TagAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200601:resources:TagAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20200801:resources:TagAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20201001:resources:TagAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210101:resources:TagAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210401:resources:TagAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220901:resources:TagAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20230701:resources:TagAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240301:resources:TagAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20240701:resources:TagAtScope" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20241101:resources:TagAtScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/TemplateSpec.cs b/sdk/dotnet/Resources/TemplateSpec.cs index 9654d917971e..50b34dbf97f3 100644 --- a/sdk/dotnet/Resources/TemplateSpec.cs +++ b/sdk/dotnet/Resources/TemplateSpec.cs @@ -104,10 +104,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:resources/v20190601preview:TemplateSpec" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210301preview:TemplateSpec" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210501:TemplateSpec" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20220201:TemplateSpec" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190601preview:resources:TemplateSpec" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210301preview:resources:TemplateSpec" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210501:resources:TemplateSpec" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220201:resources:TemplateSpec" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Resources/TemplateSpecVersion.cs b/sdk/dotnet/Resources/TemplateSpecVersion.cs index 4fc6556cef84..a6cfce80bffd 100644 --- a/sdk/dotnet/Resources/TemplateSpecVersion.cs +++ b/sdk/dotnet/Resources/TemplateSpecVersion.cs @@ -111,9 +111,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:resources/v20190601preview:TemplateSpecVersion" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210301preview:TemplateSpecVersion" }, - new global::Pulumi.Alias { Type = "azure-native:resources/v20210501:TemplateSpecVersion" }, new global::Pulumi.Alias { Type = "azure-native:resources/v20220201:TemplateSpecVersion" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20190601preview:resources:TemplateSpecVersion" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210301preview:resources:TemplateSpecVersion" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20210501:resources:TemplateSpecVersion" }, + new global::Pulumi.Alias { Type = "azure-native_resources_v20220201:resources:TemplateSpecVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SaaS/SaasSubscriptionLevel.cs b/sdk/dotnet/SaaS/SaasSubscriptionLevel.cs index 4c18130748e8..294ae7849dc2 100644 --- a/sdk/dotnet/SaaS/SaasSubscriptionLevel.cs +++ b/sdk/dotnet/SaaS/SaasSubscriptionLevel.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:saas/v20180301beta:SaasSubscriptionLevel" }, + new global::Pulumi.Alias { Type = "azure-native_saas_v20180301beta:saas:SaasSubscriptionLevel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/AvailabilitySet.cs b/sdk/dotnet/ScVmm/AvailabilitySet.cs index a9aad0cbf3fe..9438c8b8937b 100644 --- a/sdk/dotnet/ScVmm/AvailabilitySet.cs +++ b/sdk/dotnet/ScVmm/AvailabilitySet.cs @@ -104,11 +104,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:scvmm/v20200605preview:AvailabilitySet" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20220521preview:AvailabilitySet" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:AvailabilitySet" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20231007:AvailabilitySet" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20240601:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20200605preview:scvmm:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20220521preview:scvmm:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20231007:scvmm:AvailabilitySet" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20240601:scvmm:AvailabilitySet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/Cloud.cs b/sdk/dotnet/ScVmm/Cloud.cs index 51fe8c494738..b2caae1d065c 100644 --- a/sdk/dotnet/ScVmm/Cloud.cs +++ b/sdk/dotnet/ScVmm/Cloud.cs @@ -128,11 +128,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:scvmm/v20200605preview:Cloud" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20220521preview:Cloud" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:Cloud" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20231007:Cloud" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20240601:Cloud" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20200605preview:scvmm:Cloud" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20220521preview:scvmm:Cloud" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:Cloud" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20231007:scvmm:Cloud" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20240601:scvmm:Cloud" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/GuestAgent.cs b/sdk/dotnet/ScVmm/GuestAgent.cs index d5d9111fa843..c416b758a2d8 100644 --- a/sdk/dotnet/ScVmm/GuestAgent.cs +++ b/sdk/dotnet/ScVmm/GuestAgent.cs @@ -112,8 +112,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:scvmm/v20220521preview:GuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:GuestAgent" }, - new global::Pulumi.Alias { Type = "azure-native:scvmm/v20231007:GuestAgent" }, - new global::Pulumi.Alias { Type = "azure-native:scvmm/v20240601:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20220521preview:scvmm:GuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:GuestAgent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/HybridIdentityMetadata.cs b/sdk/dotnet/ScVmm/HybridIdentityMetadata.cs index adf799ef1db3..ee0aa2b3318e 100644 --- a/sdk/dotnet/ScVmm/HybridIdentityMetadata.cs +++ b/sdk/dotnet/ScVmm/HybridIdentityMetadata.cs @@ -94,6 +94,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:scvmm/v20220521preview:HybridIdentityMetadata" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:HybridIdentityMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20220521preview:scvmm:HybridIdentityMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:HybridIdentityMetadata" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/InventoryItem.cs b/sdk/dotnet/ScVmm/InventoryItem.cs index 48f7182ebecd..85430e8aa427 100644 --- a/sdk/dotnet/ScVmm/InventoryItem.cs +++ b/sdk/dotnet/ScVmm/InventoryItem.cs @@ -104,11 +104,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:scvmm/v20200605preview:InventoryItem" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20220521preview:InventoryItem" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:InventoryItem" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20231007:InventoryItem" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20240601:InventoryItem" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20200605preview:scvmm:InventoryItem" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20220521preview:scvmm:InventoryItem" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:InventoryItem" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20231007:scvmm:InventoryItem" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20240601:scvmm:InventoryItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/MachineExtension.cs b/sdk/dotnet/ScVmm/MachineExtension.cs index 5f2a9b73cae6..8a51beb7475f 100644 --- a/sdk/dotnet/ScVmm/MachineExtension.cs +++ b/sdk/dotnet/ScVmm/MachineExtension.cs @@ -136,6 +136,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:scvmm/v20220521preview:MachineExtension" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20220521preview:scvmm:MachineExtension" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:MachineExtension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/VMInstanceGuestAgent.cs b/sdk/dotnet/ScVmm/VMInstanceGuestAgent.cs index 471bff1d560f..8f4eb86cbe1e 100644 --- a/sdk/dotnet/ScVmm/VMInstanceGuestAgent.cs +++ b/sdk/dotnet/ScVmm/VMInstanceGuestAgent.cs @@ -110,9 +110,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:VMInstanceGuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20231007:GuestAgent" }, - new global::Pulumi.Alias { Type = "azure-native:scvmm/v20231007:VMInstanceGuestAgent" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20240601:GuestAgent" }, - new global::Pulumi.Alias { Type = "azure-native:scvmm/v20240601:VMInstanceGuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:VMInstanceGuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20231007:scvmm:VMInstanceGuestAgent" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20240601:scvmm:VMInstanceGuestAgent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/VirtualMachine.cs b/sdk/dotnet/ScVmm/VirtualMachine.cs index d841be1667fa..a8210ec5620a 100644 --- a/sdk/dotnet/ScVmm/VirtualMachine.cs +++ b/sdk/dotnet/ScVmm/VirtualMachine.cs @@ -200,9 +200,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:scvmm/v20200605preview:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20220521preview:VirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20200605preview:scvmm:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20220521preview:scvmm:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:VirtualMachine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/VirtualMachineInstance.cs b/sdk/dotnet/ScVmm/VirtualMachineInstance.cs index 338ef326906f..c641237c9d67 100644 --- a/sdk/dotnet/ScVmm/VirtualMachineInstance.cs +++ b/sdk/dotnet/ScVmm/VirtualMachineInstance.cs @@ -125,6 +125,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:VirtualMachineInstance" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20231007:VirtualMachineInstance" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20240601:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20231007:scvmm:VirtualMachineInstance" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20240601:scvmm:VirtualMachineInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/VirtualMachineTemplate.cs b/sdk/dotnet/ScVmm/VirtualMachineTemplate.cs index c8fe891f0b3f..8ad286f193ef 100644 --- a/sdk/dotnet/ScVmm/VirtualMachineTemplate.cs +++ b/sdk/dotnet/ScVmm/VirtualMachineTemplate.cs @@ -194,11 +194,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:scvmm/v20200605preview:VirtualMachineTemplate" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20220521preview:VirtualMachineTemplate" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:VirtualMachineTemplate" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20231007:VirtualMachineTemplate" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20240601:VirtualMachineTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20200605preview:scvmm:VirtualMachineTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20220521preview:scvmm:VirtualMachineTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:VirtualMachineTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20231007:scvmm:VirtualMachineTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20240601:scvmm:VirtualMachineTemplate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/VirtualNetwork.cs b/sdk/dotnet/ScVmm/VirtualNetwork.cs index 51f6161dbaec..d1932e71b747 100644 --- a/sdk/dotnet/ScVmm/VirtualNetwork.cs +++ b/sdk/dotnet/ScVmm/VirtualNetwork.cs @@ -116,11 +116,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:scvmm/v20200605preview:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20220521preview:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20231007:VirtualNetwork" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20240601:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20200605preview:scvmm:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20220521preview:scvmm:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20231007:scvmm:VirtualNetwork" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20240601:scvmm:VirtualNetwork" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ScVmm/VmmServer.cs b/sdk/dotnet/ScVmm/VmmServer.cs index 8d9cfa6bf319..0e0604610ac0 100644 --- a/sdk/dotnet/ScVmm/VmmServer.cs +++ b/sdk/dotnet/ScVmm/VmmServer.cs @@ -134,11 +134,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:scvmm/v20200605preview:VmmServer" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20220521preview:VmmServer" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20230401preview:VmmServer" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20231007:VmmServer" }, new global::Pulumi.Alias { Type = "azure-native:scvmm/v20240601:VmmServer" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20200605preview:scvmm:VmmServer" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20220521preview:scvmm:VmmServer" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20230401preview:scvmm:VmmServer" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20231007:scvmm:VmmServer" }, + new global::Pulumi.Alias { Type = "azure-native_scvmm_v20240601:scvmm:VmmServer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Scheduler/Job.cs b/sdk/dotnet/Scheduler/Job.cs index b9990d3643ab..675acaa9234b 100644 --- a/sdk/dotnet/Scheduler/Job.cs +++ b/sdk/dotnet/Scheduler/Job.cs @@ -64,9 +64,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:scheduler/v20140801preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:scheduler/v20160101:Job" }, new global::Pulumi.Alias { Type = "azure-native:scheduler/v20160301:Job" }, + new global::Pulumi.Alias { Type = "azure-native_scheduler_v20140801preview:scheduler:Job" }, + new global::Pulumi.Alias { Type = "azure-native_scheduler_v20160101:scheduler:Job" }, + new global::Pulumi.Alias { Type = "azure-native_scheduler_v20160301:scheduler:Job" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Scheduler/JobCollection.cs b/sdk/dotnet/Scheduler/JobCollection.cs index 76ca907cbe3f..984b93bcec73 100644 --- a/sdk/dotnet/Scheduler/JobCollection.cs +++ b/sdk/dotnet/Scheduler/JobCollection.cs @@ -76,9 +76,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:scheduler/v20140801preview:JobCollection" }, - new global::Pulumi.Alias { Type = "azure-native:scheduler/v20160101:JobCollection" }, new global::Pulumi.Alias { Type = "azure-native:scheduler/v20160301:JobCollection" }, + new global::Pulumi.Alias { Type = "azure-native_scheduler_v20140801preview:scheduler:JobCollection" }, + new global::Pulumi.Alias { Type = "azure-native_scheduler_v20160101:scheduler:JobCollection" }, + new global::Pulumi.Alias { Type = "azure-native_scheduler_v20160301:scheduler:JobCollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Scom/Instance.cs b/sdk/dotnet/Scom/Instance.cs index 92dee97922a7..d87319eb5427 100644 --- a/sdk/dotnet/Scom/Instance.cs +++ b/sdk/dotnet/Scom/Instance.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:scom/v20230707preview:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_scom_v20230707preview:scom:Instance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Scom/ManagedGateway.cs b/sdk/dotnet/Scom/ManagedGateway.cs index c95c6bc15b4b..7878131a7a2d 100644 --- a/sdk/dotnet/Scom/ManagedGateway.cs +++ b/sdk/dotnet/Scom/ManagedGateway.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:scom/v20230707preview:ManagedGateway" }, + new global::Pulumi.Alias { Type = "azure-native_scom_v20230707preview:scom:ManagedGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Scom/MonitoredResource.cs b/sdk/dotnet/Scom/MonitoredResource.cs index c6e21a6f7377..0a4c3c312b4a 100644 --- a/sdk/dotnet/Scom/MonitoredResource.cs +++ b/sdk/dotnet/Scom/MonitoredResource.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:scom/v20230707preview:MonitoredResource" }, + new global::Pulumi.Alias { Type = "azure-native_scom_v20230707preview:scom:MonitoredResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Search/PrivateEndpointConnection.cs b/sdk/dotnet/Search/PrivateEndpointConnection.cs index 5ffa8e371490..d29ffcc9bc2b 100644 --- a/sdk/dotnet/Search/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Search/PrivateEndpointConnection.cs @@ -68,16 +68,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:search/v20191001preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:search/v20200313:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:search/v20200801:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:search/v20200801preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:search/v20210401preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:search/v20220901:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:search/v20231101:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:search/v20240301preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:search/v20240601preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:search/v20250201preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20191001preview:search:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20200313:search:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20200801:search:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20200801preview:search:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20210401preview:search:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20220901:search:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20231101:search:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20240301preview:search:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20240601preview:search:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20250201preview:search:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Search/Service.cs b/sdk/dotnet/Search/Service.cs index 84d77dbc2d8a..3059e7167c35 100644 --- a/sdk/dotnet/Search/Service.cs +++ b/sdk/dotnet/Search/Service.cs @@ -170,17 +170,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:search/v20150819:Service" }, - new global::Pulumi.Alias { Type = "azure-native:search/v20191001preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:search/v20200313:Service" }, - new global::Pulumi.Alias { Type = "azure-native:search/v20200801:Service" }, - new global::Pulumi.Alias { Type = "azure-native:search/v20200801preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:search/v20210401preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:search/v20220901:Service" }, new global::Pulumi.Alias { Type = "azure-native:search/v20231101:Service" }, new global::Pulumi.Alias { Type = "azure-native:search/v20240301preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:search/v20240601preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:search/v20250201preview:Service" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20150819:search:Service" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20191001preview:search:Service" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20200313:search:Service" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20200801:search:Service" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20200801preview:search:Service" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20210401preview:search:Service" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20220901:search:Service" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20231101:search:Service" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20240301preview:search:Service" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20240601preview:search:Service" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20250201preview:search:Service" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Search/SharedPrivateLinkResource.cs b/sdk/dotnet/Search/SharedPrivateLinkResource.cs index 075629cbe140..215eae28192f 100644 --- a/sdk/dotnet/Search/SharedPrivateLinkResource.cs +++ b/sdk/dotnet/Search/SharedPrivateLinkResource.cs @@ -68,14 +68,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:search/v20200801:SharedPrivateLinkResource" }, - new global::Pulumi.Alias { Type = "azure-native:search/v20200801preview:SharedPrivateLinkResource" }, - new global::Pulumi.Alias { Type = "azure-native:search/v20210401preview:SharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:search/v20220901:SharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:search/v20231101:SharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:search/v20240301preview:SharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:search/v20240601preview:SharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:search/v20250201preview:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20200801:search:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20200801preview:search:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20210401preview:search:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20220901:search:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20231101:search:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20240301preview:search:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20240601preview:search:SharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_search_v20250201preview:search:SharedPrivateLinkResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecretSyncController/AzureKeyVaultSecretProviderClass.cs b/sdk/dotnet/SecretSyncController/AzureKeyVaultSecretProviderClass.cs index fbd2057680e9..c49897febfe6 100644 --- a/sdk/dotnet/SecretSyncController/AzureKeyVaultSecretProviderClass.cs +++ b/sdk/dotnet/SecretSyncController/AzureKeyVaultSecretProviderClass.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:secretsynccontroller/v20240821preview:AzureKeyVaultSecretProviderClass" }, + new global::Pulumi.Alias { Type = "azure-native_secretsynccontroller_v20240821preview:secretsynccontroller:AzureKeyVaultSecretProviderClass" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecretSyncController/SecretSync.cs b/sdk/dotnet/SecretSyncController/SecretSync.cs index 15b4bb06f3b2..8332fc156272 100644 --- a/sdk/dotnet/SecretSyncController/SecretSync.cs +++ b/sdk/dotnet/SecretSyncController/SecretSync.cs @@ -127,6 +127,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:secretsynccontroller/v20240821preview:SecretSync" }, + new global::Pulumi.Alias { Type = "azure-native_secretsynccontroller_v20240821preview:secretsynccontroller:SecretSync" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/APICollection.cs b/sdk/dotnet/Security/APICollection.cs index 3e5e4d7298df..5cad99e75107 100644 --- a/sdk/dotnet/Security/APICollection.cs +++ b/sdk/dotnet/Security/APICollection.cs @@ -73,9 +73,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20221120preview:APICollection" }, - new global::Pulumi.Alias { Type = "azure-native:security/v20231115:APICollection" }, new global::Pulumi.Alias { Type = "azure-native:security/v20231115:APICollectionByAzureApiManagementService" }, new global::Pulumi.Alias { Type = "azure-native:security:APICollectionByAzureApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20221120preview:security:APICollection" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20231115:security:APICollection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/APICollectionByAzureApiManagementService.cs b/sdk/dotnet/Security/APICollectionByAzureApiManagementService.cs index c9d1d5f80f65..dde903e28654 100644 --- a/sdk/dotnet/Security/APICollectionByAzureApiManagementService.cs +++ b/sdk/dotnet/Security/APICollectionByAzureApiManagementService.cs @@ -121,9 +121,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20221120preview:APICollection" }, - new global::Pulumi.Alias { Type = "azure-native:security/v20221120preview:APICollectionByAzureApiManagementService" }, new global::Pulumi.Alias { Type = "azure-native:security/v20231115:APICollectionByAzureApiManagementService" }, new global::Pulumi.Alias { Type = "azure-native:security:APICollection" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20221120preview:security:APICollectionByAzureApiManagementService" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20231115:security:APICollectionByAzureApiManagementService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/AdvancedThreatProtection.cs b/sdk/dotnet/Security/AdvancedThreatProtection.cs index 7be9ea26dab8..1f907889f33e 100644 --- a/sdk/dotnet/Security/AdvancedThreatProtection.cs +++ b/sdk/dotnet/Security/AdvancedThreatProtection.cs @@ -68,8 +68,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:security/v20170801preview:AdvancedThreatProtection" }, new global::Pulumi.Alias { Type = "azure-native:security/v20190101:AdvancedThreatProtection" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20170801preview:security:AdvancedThreatProtection" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20190101:security:AdvancedThreatProtection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/AlertsSuppressionRule.cs b/sdk/dotnet/Security/AlertsSuppressionRule.cs index 2f38f016b14a..28e88e05c459 100644 --- a/sdk/dotnet/Security/AlertsSuppressionRule.cs +++ b/sdk/dotnet/Security/AlertsSuppressionRule.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20190101preview:AlertsSuppressionRule" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20190101preview:security:AlertsSuppressionRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/Application.cs b/sdk/dotnet/Security/Application.cs index 94cad41110a5..85eb5e8ba975 100644 --- a/sdk/dotnet/Security/Application.cs +++ b/sdk/dotnet/Security/Application.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20220701preview:Application" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20220701preview:security:Application" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/Assessment.cs b/sdk/dotnet/Security/Assessment.cs index df3eaf210894..9a653f70ed63 100644 --- a/sdk/dotnet/Security/Assessment.cs +++ b/sdk/dotnet/Security/Assessment.cs @@ -104,9 +104,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:security/v20190101preview:Assessment" }, new global::Pulumi.Alias { Type = "azure-native:security/v20200101:Assessment" }, new global::Pulumi.Alias { Type = "azure-native:security/v20210601:Assessment" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20190101preview:security:Assessment" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20200101:security:Assessment" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20210601:security:Assessment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/AssessmentMetadataInSubscription.cs b/sdk/dotnet/Security/AssessmentMetadataInSubscription.cs index 242642bc4b3a..0471e44caada 100644 --- a/sdk/dotnet/Security/AssessmentMetadataInSubscription.cs +++ b/sdk/dotnet/Security/AssessmentMetadataInSubscription.cs @@ -140,11 +140,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:security/v20190101preview:AssessmentMetadataInSubscription" }, new global::Pulumi.Alias { Type = "azure-native:security/v20190101preview:AssessmentsMetadataSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:security/v20200101:AssessmentMetadataInSubscription" }, new global::Pulumi.Alias { Type = "azure-native:security/v20210601:AssessmentMetadataInSubscription" }, new global::Pulumi.Alias { Type = "azure-native:security:AssessmentsMetadataSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20190101preview:security:AssessmentMetadataInSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20200101:security:AssessmentMetadataInSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20210601:security:AssessmentMetadataInSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/AssessmentsMetadataSubscription.cs b/sdk/dotnet/Security/AssessmentsMetadataSubscription.cs index c94f6138e5fd..879f8df97d36 100644 --- a/sdk/dotnet/Security/AssessmentsMetadataSubscription.cs +++ b/sdk/dotnet/Security/AssessmentsMetadataSubscription.cs @@ -121,10 +121,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20190101preview:AssessmentsMetadataSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:security/v20200101:AssessmentsMetadataSubscription" }, new global::Pulumi.Alias { Type = "azure-native:security/v20210601:AssessmentMetadataInSubscription" }, - new global::Pulumi.Alias { Type = "azure-native:security/v20210601:AssessmentsMetadataSubscription" }, new global::Pulumi.Alias { Type = "azure-native:security:AssessmentMetadataInSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20190101preview:security:AssessmentsMetadataSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20200101:security:AssessmentsMetadataSubscription" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20210601:security:AssessmentsMetadataSubscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/Assignment.cs b/sdk/dotnet/Security/Assignment.cs index da448f41f942..81c70667b237 100644 --- a/sdk/dotnet/Security/Assignment.cs +++ b/sdk/dotnet/Security/Assignment.cs @@ -145,6 +145,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20210801preview:Assignment" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20210801preview:security:Assignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/Automation.cs b/sdk/dotnet/Security/Automation.cs index 3de46ec8929b..dcc7918db75c 100644 --- a/sdk/dotnet/Security/Automation.cs +++ b/sdk/dotnet/Security/Automation.cs @@ -118,6 +118,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:security/v20190101preview:Automation" }, new global::Pulumi.Alias { Type = "azure-native:security/v20231201preview:Automation" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20190101preview:security:Automation" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20231201preview:security:Automation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/AzureServersSetting.cs b/sdk/dotnet/Security/AzureServersSetting.cs index e06fcbffbd0c..c691243fe0eb 100644 --- a/sdk/dotnet/Security/AzureServersSetting.cs +++ b/sdk/dotnet/Security/AzureServersSetting.cs @@ -87,6 +87,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20230501:AzureServersSetting" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20230501:security:AzureServersSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/Connector.cs b/sdk/dotnet/Security/Connector.cs index 5f2206f34129..fbc7552570ca 100644 --- a/sdk/dotnet/Security/Connector.cs +++ b/sdk/dotnet/Security/Connector.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20200101preview:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20200101preview:security:Connector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/CustomAssessmentAutomation.cs b/sdk/dotnet/Security/CustomAssessmentAutomation.cs index 7125aec2c694..52ad575f642a 100644 --- a/sdk/dotnet/Security/CustomAssessmentAutomation.cs +++ b/sdk/dotnet/Security/CustomAssessmentAutomation.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20210701preview:CustomAssessmentAutomation" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20210701preview:security:CustomAssessmentAutomation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/CustomEntityStoreAssignment.cs b/sdk/dotnet/Security/CustomEntityStoreAssignment.cs index 6116009e132e..b572e422a6b6 100644 --- a/sdk/dotnet/Security/CustomEntityStoreAssignment.cs +++ b/sdk/dotnet/Security/CustomEntityStoreAssignment.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20210701preview:CustomEntityStoreAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20210701preview:security:CustomEntityStoreAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/CustomRecommendation.cs b/sdk/dotnet/Security/CustomRecommendation.cs index 4591e70cf3f5..fad846216768 100644 --- a/sdk/dotnet/Security/CustomRecommendation.cs +++ b/sdk/dotnet/Security/CustomRecommendation.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20240801:CustomRecommendation" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20240801:security:CustomRecommendation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/DefenderForStorage.cs b/sdk/dotnet/Security/DefenderForStorage.cs index a1bc23a0b021..36e6ff9f6cd1 100644 --- a/sdk/dotnet/Security/DefenderForStorage.cs +++ b/sdk/dotnet/Security/DefenderForStorage.cs @@ -70,6 +70,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:security/v20221201preview:DefenderForStorage" }, new global::Pulumi.Alias { Type = "azure-native:security/v20241001preview:DefenderForStorage" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20221201preview:security:DefenderForStorage" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20241001preview:security:DefenderForStorage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/DevOpsConfiguration.cs b/sdk/dotnet/Security/DevOpsConfiguration.cs index d1e07441e909..df05bf47fc74 100644 --- a/sdk/dotnet/Security/DevOpsConfiguration.cs +++ b/sdk/dotnet/Security/DevOpsConfiguration.cs @@ -77,7 +77,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:security/v20230901preview:DevOpsConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:security/v20240401:DevOpsConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:security/v20240515preview:DevOpsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:security/v20250301:DevOpsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20230901preview:security:DevOpsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20240401:security:DevOpsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20240515preview:security:DevOpsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20250301:security:DevOpsConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/DeviceSecurityGroup.cs b/sdk/dotnet/Security/DeviceSecurityGroup.cs index 15acd432cdb6..bd892bb3ce47 100644 --- a/sdk/dotnet/Security/DeviceSecurityGroup.cs +++ b/sdk/dotnet/Security/DeviceSecurityGroup.cs @@ -86,8 +86,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:security/v20170801preview:DeviceSecurityGroup" }, new global::Pulumi.Alias { Type = "azure-native:security/v20190801:DeviceSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20170801preview:security:DeviceSecurityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20190801:security:DeviceSecurityGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/GovernanceAssignment.cs b/sdk/dotnet/Security/GovernanceAssignment.cs index 57e48ea7171f..9e263632131e 100644 --- a/sdk/dotnet/Security/GovernanceAssignment.cs +++ b/sdk/dotnet/Security/GovernanceAssignment.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20220101preview:GovernanceAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20220101preview:security:GovernanceAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/GovernanceRule.cs b/sdk/dotnet/Security/GovernanceRule.cs index afc2ad208842..8a2e413c01ec 100644 --- a/sdk/dotnet/Security/GovernanceRule.cs +++ b/sdk/dotnet/Security/GovernanceRule.cs @@ -145,6 +145,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20220101preview:GovernanceRule" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20220101preview:security:GovernanceRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/IotSecuritySolution.cs b/sdk/dotnet/Security/IotSecuritySolution.cs index e48bb037a596..16dffb2556ab 100644 --- a/sdk/dotnet/Security/IotSecuritySolution.cs +++ b/sdk/dotnet/Security/IotSecuritySolution.cs @@ -148,6 +148,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:security/v20170801preview:IotSecuritySolution" }, new global::Pulumi.Alias { Type = "azure-native:security/v20190801:IotSecuritySolution" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20170801preview:security:IotSecuritySolution" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20190801:security:IotSecuritySolution" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/JitNetworkAccessPolicy.cs b/sdk/dotnet/Security/JitNetworkAccessPolicy.cs index b7826d9262ae..2232e15af328 100644 --- a/sdk/dotnet/Security/JitNetworkAccessPolicy.cs +++ b/sdk/dotnet/Security/JitNetworkAccessPolicy.cs @@ -85,8 +85,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:security/v20150601preview:JitNetworkAccessPolicy" }, new global::Pulumi.Alias { Type = "azure-native:security/v20200101:JitNetworkAccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20150601preview:security:JitNetworkAccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20200101:security:JitNetworkAccessPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/Pricing.cs b/sdk/dotnet/Security/Pricing.cs index 72f1f8e182cc..2422cf5bc764 100644 --- a/sdk/dotnet/Security/Pricing.cs +++ b/sdk/dotnet/Security/Pricing.cs @@ -127,6 +127,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20240101:Pricing" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20240101:security:Pricing" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/SecurityConnector.cs b/sdk/dotnet/Security/SecurityConnector.cs index 2646063ae572..1ba78c3f13f0 100644 --- a/sdk/dotnet/Security/SecurityConnector.cs +++ b/sdk/dotnet/Security/SecurityConnector.cs @@ -123,14 +123,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20210701preview:SecurityConnector" }, - new global::Pulumi.Alias { Type = "azure-native:security/v20211201preview:SecurityConnector" }, - new global::Pulumi.Alias { Type = "azure-native:security/v20220501preview:SecurityConnector" }, - new global::Pulumi.Alias { Type = "azure-native:security/v20220801preview:SecurityConnector" }, new global::Pulumi.Alias { Type = "azure-native:security/v20230301preview:SecurityConnector" }, new global::Pulumi.Alias { Type = "azure-native:security/v20231001preview:SecurityConnector" }, new global::Pulumi.Alias { Type = "azure-native:security/v20240301preview:SecurityConnector" }, new global::Pulumi.Alias { Type = "azure-native:security/v20240701preview:SecurityConnector" }, new global::Pulumi.Alias { Type = "azure-native:security/v20240801preview:SecurityConnector" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20210701preview:security:SecurityConnector" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20211201preview:security:SecurityConnector" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20220501preview:security:SecurityConnector" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20220801preview:security:SecurityConnector" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20230301preview:security:SecurityConnector" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20231001preview:security:SecurityConnector" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20240301preview:security:SecurityConnector" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20240701preview:security:SecurityConnector" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20240801preview:security:SecurityConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/SecurityConnectorApplication.cs b/sdk/dotnet/Security/SecurityConnectorApplication.cs index 1dbf01d7d399..70844f63f88a 100644 --- a/sdk/dotnet/Security/SecurityConnectorApplication.cs +++ b/sdk/dotnet/Security/SecurityConnectorApplication.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20220701preview:SecurityConnectorApplication" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20220701preview:security:SecurityConnectorApplication" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/SecurityContact.cs b/sdk/dotnet/Security/SecurityContact.cs index d20ab2a9cf7c..a889de312820 100644 --- a/sdk/dotnet/Security/SecurityContact.cs +++ b/sdk/dotnet/Security/SecurityContact.cs @@ -95,6 +95,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:security/v20170801preview:SecurityContact" }, new global::Pulumi.Alias { Type = "azure-native:security/v20200101preview:SecurityContact" }, new global::Pulumi.Alias { Type = "azure-native:security/v20231201preview:SecurityContact" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20170801preview:security:SecurityContact" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20200101preview:security:SecurityContact" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20231201preview:security:SecurityContact" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/SecurityOperator.cs b/sdk/dotnet/Security/SecurityOperator.cs index d51757d58387..6a3454adf9c8 100644 --- a/sdk/dotnet/Security/SecurityOperator.cs +++ b/sdk/dotnet/Security/SecurityOperator.cs @@ -67,6 +67,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20230101preview:SecurityOperator" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20230101preview:security:SecurityOperator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/SecurityStandard.cs b/sdk/dotnet/Security/SecurityStandard.cs index 52630f46056d..06033e3d53fb 100644 --- a/sdk/dotnet/Security/SecurityStandard.cs +++ b/sdk/dotnet/Security/SecurityStandard.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20240801:SecurityStandard" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20240801:security:SecurityStandard" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/ServerVulnerabilityAssessment.cs b/sdk/dotnet/Security/ServerVulnerabilityAssessment.cs index 2c9479add4a0..e923079994bb 100644 --- a/sdk/dotnet/Security/ServerVulnerabilityAssessment.cs +++ b/sdk/dotnet/Security/ServerVulnerabilityAssessment.cs @@ -67,6 +67,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20200101:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20200101:security:ServerVulnerabilityAssessment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/SqlVulnerabilityAssessmentBaselineRule.cs b/sdk/dotnet/Security/SqlVulnerabilityAssessmentBaselineRule.cs index b9e7c8b75368..211863f4bfd6 100644 --- a/sdk/dotnet/Security/SqlVulnerabilityAssessmentBaselineRule.cs +++ b/sdk/dotnet/Security/SqlVulnerabilityAssessmentBaselineRule.cs @@ -68,8 +68,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:security/v20200701preview:SqlVulnerabilityAssessmentBaselineRule" }, new global::Pulumi.Alias { Type = "azure-native:security/v20230201preview:SqlVulnerabilityAssessmentBaselineRule" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20200701preview:security:SqlVulnerabilityAssessmentBaselineRule" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20230201preview:security:SqlVulnerabilityAssessmentBaselineRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/Standard.cs b/sdk/dotnet/Security/Standard.cs index 0a17da56e299..68a48eb0de8a 100644 --- a/sdk/dotnet/Security/Standard.cs +++ b/sdk/dotnet/Security/Standard.cs @@ -127,6 +127,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20210801preview:Standard" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20210801preview:security:Standard" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/StandardAssignment.cs b/sdk/dotnet/Security/StandardAssignment.cs index 36e2369f4d9e..013e9f3af795 100644 --- a/sdk/dotnet/Security/StandardAssignment.cs +++ b/sdk/dotnet/Security/StandardAssignment.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20240801:StandardAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20240801:security:StandardAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Security/WorkspaceSetting.cs b/sdk/dotnet/Security/WorkspaceSetting.cs index 7530cc73bf10..f58b5c663b28 100644 --- a/sdk/dotnet/Security/WorkspaceSetting.cs +++ b/sdk/dotnet/Security/WorkspaceSetting.cs @@ -73,6 +73,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:security/v20170801preview:WorkspaceSetting" }, + new global::Pulumi.Alias { Type = "azure-native_security_v20170801preview:security:WorkspaceSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsAdtAPI.cs b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsAdtAPI.cs index 46be0da2abbd..2360b4e5b184 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsAdtAPI.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsAdtAPI.cs @@ -84,8 +84,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsAdtAPI" }, new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsAdtAPI" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsAdtAPI" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsAdtAPI" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsComp.cs b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsComp.cs index 079e2342a0e6..a1843081236a 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsComp.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsComp.cs @@ -84,8 +84,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsComp" }, new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsComp" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsComp" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsComp" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForEDM.cs b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForEDM.cs index 1dd6083fd1fd..1b8273afbf4a 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForEDM.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForEDM.cs @@ -84,8 +84,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsForEDM" }, new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForEDM" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsForEDM" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForEDM" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForMIPPolicySync.cs b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForMIPPolicySync.cs index 3680d401e232..861158c9c419 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForMIPPolicySync.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForMIPPolicySync.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForMIPPolicySync" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForMIPPolicySync" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForSCCPowershell.cs b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForSCCPowershell.cs index f3cfbb94ca96..24dae3375e34 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForSCCPowershell.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsForSCCPowershell.cs @@ -84,8 +84,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsForSCCPowershell" }, new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForSCCPowershell" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsForSCCPowershell" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForSCCPowershell" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsSec.cs b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsSec.cs index dfc4b985b3ce..43a9f505aad6 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsSec.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateEndpointConnectionsSec.cs @@ -84,8 +84,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsSec" }, new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsSec" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsSec" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsSec" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForEDMUpload.cs b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForEDMUpload.cs index d1b3f1af8a79..18e1ef7eb044 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForEDMUpload.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForEDMUpload.cs @@ -102,8 +102,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210111:PrivateLinkServicesForEDMUpload" }, new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForEDMUpload" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForEDMUpload" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForEDMUpload" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForM365ComplianceCenter.cs b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForM365ComplianceCenter.cs index 323e083adab7..fd421065468c 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForM365ComplianceCenter.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForM365ComplianceCenter.cs @@ -102,8 +102,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210111:PrivateLinkServicesForM365ComplianceCenter" }, new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365ComplianceCenter" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForM365ComplianceCenter" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForM365ComplianceCenter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForM365SecurityCenter.cs b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForM365SecurityCenter.cs index 7d0b58e3e475..f38610e45164 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForM365SecurityCenter.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForM365SecurityCenter.cs @@ -102,8 +102,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210111:PrivateLinkServicesForM365SecurityCenter" }, new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365SecurityCenter" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForM365SecurityCenter" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForM365SecurityCenter" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForMIPPolicySync.cs b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForMIPPolicySync.cs index 05f5ca1e71f1..3ad43470fb88 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForMIPPolicySync.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForMIPPolicySync.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForMIPPolicySync" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForMIPPolicySync" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForO365ManagementActivityAPI.cs b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForO365ManagementActivityAPI.cs index e42622578942..20da90c9d53c 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForO365ManagementActivityAPI.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForO365ManagementActivityAPI.cs @@ -102,8 +102,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210111:PrivateLinkServicesForO365ManagementActivityAPI" }, new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForO365ManagementActivityAPI" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForSCCPowershell.cs b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForSCCPowershell.cs index 2c0f4176d786..e604bda89b8f 100644 --- a/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForSCCPowershell.cs +++ b/sdk/dotnet/SecurityAndCompliance/PrivateLinkServicesForSCCPowershell.cs @@ -102,8 +102,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210111:PrivateLinkServicesForSCCPowershell" }, new global::Pulumi.Alias { Type = "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForSCCPowershell" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForSCCPowershell" }, + new global::Pulumi.Alias { Type = "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForSCCPowershell" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/AADDataConnector.cs b/sdk/dotnet/SecurityInsights/AADDataConnector.cs index dc6cfa5cb0fc..ae9467ff637c 100644 --- a/sdk/dotnet/SecurityInsights/AADDataConnector.cs +++ b/sdk/dotnet/SecurityInsights/AADDataConnector.cs @@ -98,8 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, @@ -114,21 +112,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, @@ -136,10 +119,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, @@ -369,8 +348,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:AADDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ASCDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AwsCloudTrailDataConnector" }, @@ -378,6 +355,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:AADDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:AADDataConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/AATPDataConnector.cs b/sdk/dotnet/SecurityInsights/AATPDataConnector.cs index 2df9d9df1505..2ca81660429c 100644 --- a/sdk/dotnet/SecurityInsights/AATPDataConnector.cs +++ b/sdk/dotnet/SecurityInsights/AATPDataConnector.cs @@ -98,8 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, @@ -114,21 +112,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, @@ -136,10 +119,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, @@ -369,8 +348,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ASCDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AwsCloudTrailDataConnector" }, @@ -378,6 +355,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:AATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:AATPDataConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/ASCDataConnector.cs b/sdk/dotnet/SecurityInsights/ASCDataConnector.cs index 3c744c5e9c12..761434135b67 100644 --- a/sdk/dotnet/SecurityInsights/ASCDataConnector.cs +++ b/sdk/dotnet/SecurityInsights/ASCDataConnector.cs @@ -98,8 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:ASCDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, @@ -114,33 +112,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:ASCDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:ASCDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:ASCDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, @@ -370,8 +348,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:ASCDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:ASCDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AwsCloudTrailDataConnector" }, @@ -379,6 +355,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:ASCDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:ASCDataConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/Action.cs b/sdk/dotnet/SecurityInsights/Action.cs index 673f4637e46f..af2aaa05c0db 100644 --- a/sdk/dotnet/SecurityInsights/Action.cs +++ b/sdk/dotnet/SecurityInsights/Action.cs @@ -86,29 +86,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:Action" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:Action" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:Action" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:Action" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:Action" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:Action" }, @@ -121,8 +100,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:Action" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:Action" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:Action" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:Action" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:Action" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/ActivityCustomEntityQuery.cs b/sdk/dotnet/SecurityInsights/ActivityCustomEntityQuery.cs index bc242e5445be..8f3d9eb5c879 100644 --- a/sdk/dotnet/SecurityInsights/ActivityCustomEntityQuery.cs +++ b/sdk/dotnet/SecurityInsights/ActivityCustomEntityQuery.cs @@ -153,22 +153,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:ActivityCustomEntityQuery" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ActivityCustomEntityQuery" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:ActivityCustomEntityQuery" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:ActivityCustomEntityQuery" }, @@ -178,7 +162,33 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:ActivityCustomEntityQuery" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:ActivityCustomEntityQuery" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:ActivityCustomEntityQuery" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:ActivityCustomEntityQuery" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:ActivityCustomEntityQuery" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/Anomalies.cs b/sdk/dotnet/SecurityInsights/Anomalies.cs index 36e9f7209eec..081c88f7cf02 100644 --- a/sdk/dotnet/SecurityInsights/Anomalies.cs +++ b/sdk/dotnet/SecurityInsights/Anomalies.cs @@ -92,29 +92,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:IPSyncer" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:Anomalies" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:EyesOn" }, @@ -151,10 +134,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:Anomalies" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:Anomalies" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/AnomalySecurityMLAnalyticsSettings.cs b/sdk/dotnet/SecurityInsights/AnomalySecurityMLAnalyticsSettings.cs index 49bafe438fee..a09f0c2e65ba 100644 --- a/sdk/dotnet/SecurityInsights/AnomalySecurityMLAnalyticsSettings.cs +++ b/sdk/dotnet/SecurityInsights/AnomalySecurityMLAnalyticsSettings.cs @@ -170,20 +170,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:AnomalySecurityMLAnalyticsSettings" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AnomalySecurityMLAnalyticsSettings" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:AnomalySecurityMLAnalyticsSettings" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:AnomalySecurityMLAnalyticsSettings" }, @@ -196,8 +182,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:AnomalySecurityMLAnalyticsSettings" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:AnomalySecurityMLAnalyticsSettings" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:AnomalySecurityMLAnalyticsSettings" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:AnomalySecurityMLAnalyticsSettings" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/AutomationRule.cs b/sdk/dotnet/SecurityInsights/AutomationRule.cs index 6e6aa48da6f5..14c819a47fe6 100644 --- a/sdk/dotnet/SecurityInsights/AutomationRule.cs +++ b/sdk/dotnet/SecurityInsights/AutomationRule.cs @@ -121,26 +121,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:AutomationRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:AutomationRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AutomationRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:AutomationRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:AutomationRule" }, @@ -153,8 +134,41 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:AutomationRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:AutomationRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:AutomationRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:AutomationRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:AutomationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/AwsCloudTrailDataConnector.cs b/sdk/dotnet/SecurityInsights/AwsCloudTrailDataConnector.cs index 6f4177b97f74..6ff2ae12caf6 100644 --- a/sdk/dotnet/SecurityInsights/AwsCloudTrailDataConnector.cs +++ b/sdk/dotnet/SecurityInsights/AwsCloudTrailDataConnector.cs @@ -98,8 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:AwsCloudTrailDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, @@ -114,21 +112,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:AwsCloudTrailDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, @@ -136,10 +119,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:AwsCloudTrailDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, @@ -369,8 +348,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:AwsCloudTrailDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:AwsCloudTrailDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ASCDataConnector" }, @@ -378,6 +355,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:AwsCloudTrailDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:AwsCloudTrailDataConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/Bookmark.cs b/sdk/dotnet/SecurityInsights/Bookmark.cs index ff52fd864080..a6cbed3a78a4 100644 --- a/sdk/dotnet/SecurityInsights/Bookmark.cs +++ b/sdk/dotnet/SecurityInsights/Bookmark.cs @@ -153,27 +153,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:Bookmark" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:Bookmark" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:Bookmark" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:Bookmark" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:Bookmark" }, @@ -186,8 +166,42 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:Bookmark" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:Bookmark" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:Bookmark" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:Bookmark" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:Bookmark" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/BookmarkRelation.cs b/sdk/dotnet/SecurityInsights/BookmarkRelation.cs index 55181267333f..e335152fb6ec 100644 --- a/sdk/dotnet/SecurityInsights/BookmarkRelation.cs +++ b/sdk/dotnet/SecurityInsights/BookmarkRelation.cs @@ -99,22 +99,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:BookmarkRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:BookmarkRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:BookmarkRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:BookmarkRelation" }, @@ -124,7 +108,33 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:BookmarkRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:BookmarkRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:BookmarkRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:BookmarkRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:BookmarkRelation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/BusinessApplicationAgent.cs b/sdk/dotnet/SecurityInsights/BusinessApplicationAgent.cs index f0d3627c7811..22c449070b3a 100644 --- a/sdk/dotnet/SecurityInsights/BusinessApplicationAgent.cs +++ b/sdk/dotnet/SecurityInsights/BusinessApplicationAgent.cs @@ -91,7 +91,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:BusinessApplicationAgent" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:BusinessApplicationAgent" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:BusinessApplicationAgent" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:BusinessApplicationAgent" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:BusinessApplicationAgent" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:BusinessApplicationAgent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/ContentPackage.cs b/sdk/dotnet/SecurityInsights/ContentPackage.cs index fb464430bab6..f36101a54f2e 100644 --- a/sdk/dotnet/SecurityInsights/ContentPackage.cs +++ b/sdk/dotnet/SecurityInsights/ContentPackage.cs @@ -212,8 +212,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:ContentPackage" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:ContentPackage" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ContentPackage" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:ContentPackage" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:ContentPackage" }, @@ -226,8 +224,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:ContentPackage" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:ContentPackage" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:ContentPackage" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:ContentPackage" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:ContentPackage" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:ContentPackage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/ContentTemplate.cs b/sdk/dotnet/SecurityInsights/ContentTemplate.cs index c506b5ff1b19..0b5d5cdfc9a8 100644 --- a/sdk/dotnet/SecurityInsights/ContentTemplate.cs +++ b/sdk/dotnet/SecurityInsights/ContentTemplate.cs @@ -236,8 +236,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:ContentTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:ContentTemplate" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ContentTemplate" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:ContentTemplate" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:ContentTemplate" }, @@ -250,8 +248,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:ContentTemplate" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:ContentTemplate" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:ContentTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:ContentTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:ContentTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:ContentTemplate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/CustomizableConnectorDefinition.cs b/sdk/dotnet/SecurityInsights/CustomizableConnectorDefinition.cs index 7bdc0a6a2d91..69cbb7a1ba68 100644 --- a/sdk/dotnet/SecurityInsights/CustomizableConnectorDefinition.cs +++ b/sdk/dotnet/SecurityInsights/CustomizableConnectorDefinition.cs @@ -119,8 +119,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:CustomizableConnectorDefinition" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:CustomizableConnectorDefinition" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:CustomizableConnectorDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:CustomizableConnectorDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:CustomizableConnectorDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:CustomizableConnectorDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:CustomizableConnectorDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:CustomizableConnectorDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:CustomizableConnectorDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:CustomizableConnectorDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:CustomizableConnectorDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:CustomizableConnectorDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:CustomizableConnectorDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:CustomizableConnectorDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:CustomizableConnectorDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:CustomizableConnectorDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/EntityAnalytics.cs b/sdk/dotnet/SecurityInsights/EntityAnalytics.cs index af716a004709..cd18e64b50fc 100644 --- a/sdk/dotnet/SecurityInsights/EntityAnalytics.cs +++ b/sdk/dotnet/SecurityInsights/EntityAnalytics.cs @@ -92,28 +92,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:IPSyncer" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:EyesOn" }, @@ -150,10 +134,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:EntityAnalytics" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:EntityAnalytics" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/EyesOn.cs b/sdk/dotnet/SecurityInsights/EyesOn.cs index 1816aa55a691..771a769fa1d3 100644 --- a/sdk/dotnet/SecurityInsights/EyesOn.cs +++ b/sdk/dotnet/SecurityInsights/EyesOn.cs @@ -92,29 +92,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:IPSyncer" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:EyesOn" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:EyesOn" }, @@ -151,10 +134,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:EyesOn" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/FileImport.cs b/sdk/dotnet/SecurityInsights/FileImport.cs index bdbd8040d75d..7908c9eef909 100644 --- a/sdk/dotnet/SecurityInsights/FileImport.cs +++ b/sdk/dotnet/SecurityInsights/FileImport.cs @@ -146,15 +146,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:FileImport" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:FileImport" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:FileImport" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:FileImport" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:FileImport" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:FileImport" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:FileImport" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:FileImport" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:FileImport" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:FileImport" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:FileImport" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:FileImport" }, @@ -164,7 +155,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:FileImport" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:FileImport" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:FileImport" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:FileImport" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:FileImport" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/FusionAlertRule.cs b/sdk/dotnet/SecurityInsights/FusionAlertRule.cs index efeff6897491..8327816acc73 100644 --- a/sdk/dotnet/SecurityInsights/FusionAlertRule.cs +++ b/sdk/dotnet/SecurityInsights/FusionAlertRule.cs @@ -134,34 +134,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ScheduledAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:NrtAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule" }, @@ -225,10 +204,45 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:NrtAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:ScheduledAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:FusionAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:FusionAlertRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/Hunt.cs b/sdk/dotnet/SecurityInsights/Hunt.cs index c65b1d835bc4..a49e1d030d4c 100644 --- a/sdk/dotnet/SecurityInsights/Hunt.cs +++ b/sdk/dotnet/SecurityInsights/Hunt.cs @@ -122,8 +122,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:Hunt" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:Hunt" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:Hunt" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:Hunt" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:Hunt" }, @@ -133,7 +131,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:Hunt" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:Hunt" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:Hunt" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:Hunt" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:Hunt" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/HuntComment.cs b/sdk/dotnet/SecurityInsights/HuntComment.cs index f133aae59dbb..abd2db4d97b2 100644 --- a/sdk/dotnet/SecurityInsights/HuntComment.cs +++ b/sdk/dotnet/SecurityInsights/HuntComment.cs @@ -80,8 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:HuntComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:HuntComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:HuntComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:HuntComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:HuntComment" }, @@ -91,7 +89,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:HuntComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:HuntComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:HuntComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:HuntComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:HuntComment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/HuntRelation.cs b/sdk/dotnet/SecurityInsights/HuntRelation.cs index d4548f513b8e..208b302ae894 100644 --- a/sdk/dotnet/SecurityInsights/HuntRelation.cs +++ b/sdk/dotnet/SecurityInsights/HuntRelation.cs @@ -104,8 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:HuntRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:HuntRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:HuntRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:HuntRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:HuntRelation" }, @@ -115,7 +113,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:HuntRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:HuntRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:HuntRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:HuntRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:HuntRelation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/Incident.cs b/sdk/dotnet/SecurityInsights/Incident.cs index 3241a5723356..0c36b1b01a0b 100644 --- a/sdk/dotnet/SecurityInsights/Incident.cs +++ b/sdk/dotnet/SecurityInsights/Incident.cs @@ -188,30 +188,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:Incident" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210401:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:Incident" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:Incident" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:Incident" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:Incident" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:Incident" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:Incident" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:Incident" }, @@ -224,8 +204,44 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:Incident" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:Incident" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:Incident" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210401:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:Incident" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:Incident" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/IncidentComment.cs b/sdk/dotnet/SecurityInsights/IncidentComment.cs index 4db5ba6894b1..af80624c235c 100644 --- a/sdk/dotnet/SecurityInsights/IncidentComment.cs +++ b/sdk/dotnet/SecurityInsights/IncidentComment.cs @@ -98,29 +98,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:IncidentComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210401:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:IncidentComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:IncidentComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:IncidentComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:IncidentComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:IncidentComment" }, @@ -133,8 +112,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:IncidentComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:IncidentComment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:IncidentComment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210401:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:IncidentComment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:IncidentComment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/IncidentRelation.cs b/sdk/dotnet/SecurityInsights/IncidentRelation.cs index a2e544277d43..157574351a13 100644 --- a/sdk/dotnet/SecurityInsights/IncidentRelation.cs +++ b/sdk/dotnet/SecurityInsights/IncidentRelation.cs @@ -98,29 +98,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:IncidentRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210401:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:IncidentRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:IncidentRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:IncidentRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:IncidentRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:IncidentRelation" }, @@ -133,8 +112,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:IncidentRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:IncidentRelation" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:IncidentRelation" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210401:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:IncidentRelation" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:IncidentRelation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/IncidentTask.cs b/sdk/dotnet/SecurityInsights/IncidentTask.cs index 86a293d86142..a5294870a4d6 100644 --- a/sdk/dotnet/SecurityInsights/IncidentTask.cs +++ b/sdk/dotnet/SecurityInsights/IncidentTask.cs @@ -116,11 +116,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:IncidentTask" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:IncidentTask" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:IncidentTask" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:IncidentTask" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:IncidentTask" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:IncidentTask" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:IncidentTask" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:IncidentTask" }, @@ -132,8 +127,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:IncidentTask" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:IncidentTask" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:IncidentTask" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:IncidentTask" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:IncidentTask" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:IncidentTask" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/MCASDataConnector.cs b/sdk/dotnet/SecurityInsights/MCASDataConnector.cs index c1071f24f05a..ecd7d09f6314 100644 --- a/sdk/dotnet/SecurityInsights/MCASDataConnector.cs +++ b/sdk/dotnet/SecurityInsights/MCASDataConnector.cs @@ -98,8 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, @@ -114,21 +112,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, @@ -136,10 +119,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, @@ -369,8 +348,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:MCASDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ASCDataConnector" }, @@ -378,6 +355,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:MCASDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:MCASDataConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/MDATPDataConnector.cs b/sdk/dotnet/SecurityInsights/MDATPDataConnector.cs index 0c05427a1e92..57aea2041d82 100644 --- a/sdk/dotnet/SecurityInsights/MDATPDataConnector.cs +++ b/sdk/dotnet/SecurityInsights/MDATPDataConnector.cs @@ -98,8 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, @@ -114,21 +112,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, @@ -136,10 +119,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, @@ -369,8 +348,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ASCDataConnector" }, @@ -378,6 +355,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:MDATPDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:MDATPDataConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/MSTIDataConnector.cs b/sdk/dotnet/SecurityInsights/MSTIDataConnector.cs index 100e7b0f6e9d..da87b3d55935 100644 --- a/sdk/dotnet/SecurityInsights/MSTIDataConnector.cs +++ b/sdk/dotnet/SecurityInsights/MSTIDataConnector.cs @@ -98,8 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:MSTIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, @@ -114,33 +112,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:MSTIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MSTIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:MSTIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, @@ -257,7 +235,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:MSTIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:AADDataConnector" }, @@ -311,7 +288,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:MDATPDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:MSTIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:AADDataConnector" }, @@ -372,8 +348,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:MSTIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:MSTIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ASCDataConnector" }, @@ -382,6 +356,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:MSTIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:MSTIDataConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/Metadata.cs b/sdk/dotnet/SecurityInsights/Metadata.cs index 52be1369db5f..11723ecaaa9e 100644 --- a/sdk/dotnet/SecurityInsights/Metadata.cs +++ b/sdk/dotnet/SecurityInsights/Metadata.cs @@ -189,23 +189,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:Metadata" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:Metadata" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:Metadata" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:Metadata" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:Metadata" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:Metadata" }, @@ -218,8 +203,38 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:Metadata" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:Metadata" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:Metadata" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:Metadata" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:Metadata" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/MicrosoftSecurityIncidentCreationAlertRule.cs b/sdk/dotnet/SecurityInsights/MicrosoftSecurityIncidentCreationAlertRule.cs index 5848e53ef980..02800e39a8aa 100644 --- a/sdk/dotnet/SecurityInsights/MicrosoftSecurityIncidentCreationAlertRule.cs +++ b/sdk/dotnet/SecurityInsights/MicrosoftSecurityIncidentCreationAlertRule.cs @@ -140,35 +140,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:MicrosoftSecurityIncidentCreationAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ScheduledAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:MicrosoftSecurityIncidentCreationAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:FusionAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:MicrosoftSecurityIncidentCreationAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:NrtAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:MicrosoftSecurityIncidentCreationAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule" }, @@ -232,10 +210,45 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:NrtAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:ScheduledAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:MicrosoftSecurityIncidentCreationAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:MicrosoftSecurityIncidentCreationAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/OfficeDataConnector.cs b/sdk/dotnet/SecurityInsights/OfficeDataConnector.cs index 49cd8a7ee708..c09f21db67ac 100644 --- a/sdk/dotnet/SecurityInsights/OfficeDataConnector.cs +++ b/sdk/dotnet/SecurityInsights/OfficeDataConnector.cs @@ -98,8 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, @@ -114,21 +112,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, @@ -136,10 +119,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, @@ -369,8 +348,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ASCDataConnector" }, @@ -378,6 +355,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:OfficeDataConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/PremiumMicrosoftDefenderForThreatIntelligence.cs b/sdk/dotnet/SecurityInsights/PremiumMicrosoftDefenderForThreatIntelligence.cs index e2bf1e19c1e7..1ccaeef388de 100644 --- a/sdk/dotnet/SecurityInsights/PremiumMicrosoftDefenderForThreatIntelligence.cs +++ b/sdk/dotnet/SecurityInsights/PremiumMicrosoftDefenderForThreatIntelligence.cs @@ -110,8 +110,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, @@ -124,36 +122,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, @@ -174,7 +151,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:AADDataConnector" }, @@ -197,7 +173,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:AADDataConnector" }, @@ -220,7 +195,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:AADDataConnector" }, @@ -243,7 +217,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:AADDataConnector" }, @@ -266,7 +239,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:AADDataConnector" }, @@ -276,7 +248,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, @@ -298,7 +269,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:AADDataConnector" }, @@ -321,7 +291,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, @@ -332,7 +301,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, @@ -354,7 +322,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, @@ -389,13 +356,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:PremiumMicrosoftDefenderForThreatIntelligence" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:PremiumMicrosoftDefenderForThreatIntelligence" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ASCDataConnector" }, @@ -404,6 +368,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/RestApiPollerDataConnector.cs b/sdk/dotnet/SecurityInsights/RestApiPollerDataConnector.cs index 8377d5463811..99319fe45361 100644 --- a/sdk/dotnet/SecurityInsights/RestApiPollerDataConnector.cs +++ b/sdk/dotnet/SecurityInsights/RestApiPollerDataConnector.cs @@ -140,8 +140,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, @@ -154,36 +152,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, @@ -204,7 +181,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:AADDataConnector" }, @@ -227,7 +203,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:AADDataConnector" }, @@ -250,7 +225,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:AADDataConnector" }, @@ -273,7 +247,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:AADDataConnector" }, @@ -296,7 +269,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:AADDataConnector" }, @@ -306,7 +278,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231101:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, @@ -328,7 +299,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:AADDataConnector" }, @@ -361,7 +331,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:OfficeDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240301:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, @@ -421,8 +390,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:RestApiPollerDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ASCDataConnector" }, @@ -431,6 +398,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:RestApiPollerDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:RestApiPollerDataConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/ScheduledAlertRule.cs b/sdk/dotnet/SecurityInsights/ScheduledAlertRule.cs index 8fcc540a4e98..1948962b1260 100644 --- a/sdk/dotnet/SecurityInsights/ScheduledAlertRule.cs +++ b/sdk/dotnet/SecurityInsights/ScheduledAlertRule.cs @@ -212,35 +212,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:ScheduledAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ScheduledAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:ScheduledAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:NrtAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:ScheduledAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule" }, @@ -304,10 +282,45 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:NrtAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:ScheduledAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:ScheduledAlertRule" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:ScheduledAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:FusionAlertRule" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:ScheduledAlertRule" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:ScheduledAlertRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/SentinelOnboardingState.cs b/sdk/dotnet/SecurityInsights/SentinelOnboardingState.cs index 5d499cb95ac5..8233b9699cab 100644 --- a/sdk/dotnet/SecurityInsights/SentinelOnboardingState.cs +++ b/sdk/dotnet/SecurityInsights/SentinelOnboardingState.cs @@ -81,26 +81,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:SentinelOnboardingState" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:SentinelOnboardingState" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:SentinelOnboardingState" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:SentinelOnboardingState" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:SentinelOnboardingState" }, @@ -113,8 +94,41 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:SentinelOnboardingState" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:SentinelOnboardingState" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:SentinelOnboardingState" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:SentinelOnboardingState" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:SentinelOnboardingState" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/SourceControl.cs b/sdk/dotnet/SecurityInsights/SourceControl.cs index 63b480d02b52..159d176df1f0 100644 --- a/sdk/dotnet/SecurityInsights/SourceControl.cs +++ b/sdk/dotnet/SecurityInsights/SourceControl.cs @@ -123,22 +123,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:SourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:SourceControl" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:SourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:SourceControl" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/System.cs b/sdk/dotnet/SecurityInsights/System.cs index 96d41a97d125..be0f0c588c73 100644 --- a/sdk/dotnet/SecurityInsights/System.cs +++ b/sdk/dotnet/SecurityInsights/System.cs @@ -94,7 +94,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:System" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:System" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:System" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:System" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:System" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:System" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/TIDataConnector.cs b/sdk/dotnet/SecurityInsights/TIDataConnector.cs index 98fba7acf0fe..89985bcede07 100644 --- a/sdk/dotnet/SecurityInsights/TIDataConnector.cs +++ b/sdk/dotnet/SecurityInsights/TIDataConnector.cs @@ -104,8 +104,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20200101:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, @@ -120,21 +118,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, @@ -142,10 +125,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:OfficeDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, @@ -375,8 +354,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:TIDataConnector" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:TIDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AADDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:AATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:ASCDataConnector" }, @@ -384,6 +361,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights:MCASDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:MDATPDataConnector" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:OfficeDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20200101:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:TIDataConnector" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:TIDataConnector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/ThreatIntelligenceIndicator.cs b/sdk/dotnet/SecurityInsights/ThreatIntelligenceIndicator.cs index 00aa1b341964..5901bf2d59c9 100644 --- a/sdk/dotnet/SecurityInsights/ThreatIntelligenceIndicator.cs +++ b/sdk/dotnet/SecurityInsights/ThreatIntelligenceIndicator.cs @@ -87,28 +87,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:ThreatIntelligenceIndicator" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210401:ThreatIntelligenceIndicator" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:ThreatIntelligenceIndicator" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:ThreatIntelligenceIndicator" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:ThreatIntelligenceIndicator" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:ThreatIntelligenceIndicator" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:ThreatIntelligenceIndicator" }, @@ -121,8 +102,42 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:ThreatIntelligenceIndicator" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:ThreatIntelligenceIndicator" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:ThreatIntelligenceIndicator" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210401:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:ThreatIntelligenceIndicator" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:ThreatIntelligenceIndicator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/Ueba.cs b/sdk/dotnet/SecurityInsights/Ueba.cs index a879297d23e2..72395d474c85 100644 --- a/sdk/dotnet/SecurityInsights/Ueba.cs +++ b/sdk/dotnet/SecurityInsights/Ueba.cs @@ -93,28 +93,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:IPSyncer" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:Ueba" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:Ueba" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:Ueba" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:EyesOn" }, @@ -151,10 +134,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:EyesOn" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:Ueba" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:Ueba" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:Anomalies" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:EntityAnalytics" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights:EyesOn" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:Ueba" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:Ueba" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/Watchlist.cs b/sdk/dotnet/SecurityInsights/Watchlist.cs index 4b66a7a0f6ff..7b34163ad777 100644 --- a/sdk/dotnet/SecurityInsights/Watchlist.cs +++ b/sdk/dotnet/SecurityInsights/Watchlist.cs @@ -209,26 +209,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:Watchlist" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:Watchlist" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210401:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:Watchlist" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:Watchlist" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:Watchlist" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:Watchlist" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:Watchlist" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:Watchlist" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:Watchlist" }, @@ -241,8 +224,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:Watchlist" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:Watchlist" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:Watchlist" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210401:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:Watchlist" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:Watchlist" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/WatchlistItem.cs b/sdk/dotnet/SecurityInsights/WatchlistItem.cs index df0dca8fac2b..9470784fa029 100644 --- a/sdk/dotnet/SecurityInsights/WatchlistItem.cs +++ b/sdk/dotnet/SecurityInsights/WatchlistItem.cs @@ -134,29 +134,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20190101preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210301preview:WatchlistItem" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210401:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20210901preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20211001preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220101preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220401preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220501preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220601preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220701preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220801preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20220901preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221001preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221101preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20221201preview:WatchlistItem" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230201preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230301preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:WatchlistItem" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:WatchlistItem" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:WatchlistItem" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:WatchlistItem" }, @@ -169,8 +148,43 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:WatchlistItem" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240901:WatchlistItem" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:WatchlistItem" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250301:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20190101preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210301preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210401:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20210901preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20211001preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220101preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220401preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220501preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220601preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220701preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220801preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20220901preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221001preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221101preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20221201preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230201preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230301preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231101:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240301:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240901:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:WatchlistItem" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250301:securityinsights:WatchlistItem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/WorkspaceManagerAssignment.cs b/sdk/dotnet/SecurityInsights/WorkspaceManagerAssignment.cs index 6ca0a13b307b..4ad817cd6528 100644 --- a/sdk/dotnet/SecurityInsights/WorkspaceManagerAssignment.cs +++ b/sdk/dotnet/SecurityInsights/WorkspaceManagerAssignment.cs @@ -98,8 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:WorkspaceManagerAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:WorkspaceManagerAssignment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:WorkspaceManagerAssignment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:WorkspaceManagerAssignment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:WorkspaceManagerAssignment" }, @@ -109,7 +107,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:WorkspaceManagerAssignment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:WorkspaceManagerAssignment" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:WorkspaceManagerAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/WorkspaceManagerConfiguration.cs b/sdk/dotnet/SecurityInsights/WorkspaceManagerConfiguration.cs index 2b81a4dd5e84..14624fdff57d 100644 --- a/sdk/dotnet/SecurityInsights/WorkspaceManagerConfiguration.cs +++ b/sdk/dotnet/SecurityInsights/WorkspaceManagerConfiguration.cs @@ -80,8 +80,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:WorkspaceManagerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:WorkspaceManagerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:WorkspaceManagerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:WorkspaceManagerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:WorkspaceManagerConfiguration" }, @@ -91,7 +89,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:WorkspaceManagerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:WorkspaceManagerConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:WorkspaceManagerConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/WorkspaceManagerGroup.cs b/sdk/dotnet/SecurityInsights/WorkspaceManagerGroup.cs index 1a4526f0b2cc..84e7531f16d9 100644 --- a/sdk/dotnet/SecurityInsights/WorkspaceManagerGroup.cs +++ b/sdk/dotnet/SecurityInsights/WorkspaceManagerGroup.cs @@ -92,8 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:WorkspaceManagerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:WorkspaceManagerGroup" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:WorkspaceManagerGroup" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:WorkspaceManagerGroup" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:WorkspaceManagerGroup" }, @@ -103,7 +101,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:WorkspaceManagerGroup" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:WorkspaceManagerGroup" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:WorkspaceManagerGroup" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerGroup" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SecurityInsights/WorkspaceManagerMember.cs b/sdk/dotnet/SecurityInsights/WorkspaceManagerMember.cs index 3dc276335bdb..b714e9724583 100644 --- a/sdk/dotnet/SecurityInsights/WorkspaceManagerMember.cs +++ b/sdk/dotnet/SecurityInsights/WorkspaceManagerMember.cs @@ -86,8 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230401preview:WorkspaceManagerMember" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230501preview:WorkspaceManagerMember" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230601preview:WorkspaceManagerMember" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230701preview:WorkspaceManagerMember" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20230801preview:WorkspaceManagerMember" }, @@ -97,7 +95,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240101preview:WorkspaceManagerMember" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20240401preview:WorkspaceManagerMember" }, new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20241001preview:WorkspaceManagerMember" }, - new global::Pulumi.Alias { Type = "azure-native:securityinsights/v20250101preview:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerMember" }, + new global::Pulumi.Alias { Type = "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerMember" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SerialConsole/SerialPort.cs b/sdk/dotnet/SerialConsole/SerialPort.cs index ba9773d074c2..29974759a719 100644 --- a/sdk/dotnet/SerialConsole/SerialPort.cs +++ b/sdk/dotnet/SerialConsole/SerialPort.cs @@ -67,6 +67,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:serialconsole/v20180501:SerialPort" }, + new global::Pulumi.Alias { Type = "azure-native_serialconsole_v20180501:serialconsole:SerialPort" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/DisasterRecoveryConfig.cs b/sdk/dotnet/ServiceBus/DisasterRecoveryConfig.cs index ba728ca8e5f9..590e0ff2d7e0 100644 --- a/sdk/dotnet/ServiceBus/DisasterRecoveryConfig.cs +++ b/sdk/dotnet/ServiceBus/DisasterRecoveryConfig.cs @@ -104,15 +104,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20170401:DisasterRecoveryConfig" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:DisasterRecoveryConfig" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:DisasterRecoveryConfig" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:DisasterRecoveryConfig" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:DisasterRecoveryConfig" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:DisasterRecoveryConfig" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:DisasterRecoveryConfig" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:DisasterRecoveryConfig" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20170401:servicebus:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:DisasterRecoveryConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:DisasterRecoveryConfig" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/MigrationConfig.cs b/sdk/dotnet/ServiceBus/MigrationConfig.cs index 2a228ac759d6..fac267fb75c7 100644 --- a/sdk/dotnet/ServiceBus/MigrationConfig.cs +++ b/sdk/dotnet/ServiceBus/MigrationConfig.cs @@ -104,15 +104,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20170401:MigrationConfig" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:MigrationConfig" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:MigrationConfig" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:MigrationConfig" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:MigrationConfig" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:MigrationConfig" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:MigrationConfig" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:MigrationConfig" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:MigrationConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20170401:servicebus:MigrationConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:MigrationConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:MigrationConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:MigrationConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:MigrationConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:MigrationConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:MigrationConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:MigrationConfig" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:MigrationConfig" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/Namespace.cs b/sdk/dotnet/ServiceBus/Namespace.cs index 2d9714ef31d5..205c03813c84 100644 --- a/sdk/dotnet/ServiceBus/Namespace.cs +++ b/sdk/dotnet/ServiceBus/Namespace.cs @@ -176,17 +176,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20140901:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20150801:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20170401:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:Namespace" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:Namespace" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20140901:servicebus:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20150801:servicebus:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20170401:servicebus:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:Namespace" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:Namespace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/NamespaceAuthorizationRule.cs b/sdk/dotnet/ServiceBus/NamespaceAuthorizationRule.cs index 24b350e596fe..ca796b0d0dc1 100644 --- a/sdk/dotnet/ServiceBus/NamespaceAuthorizationRule.cs +++ b/sdk/dotnet/ServiceBus/NamespaceAuthorizationRule.cs @@ -80,17 +80,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20140901:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20150801:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20170401:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:NamespaceAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:NamespaceAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20140901:servicebus:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20150801:servicebus:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20170401:servicebus:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:NamespaceAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:NamespaceAuthorizationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/NamespaceIpFilterRule.cs b/sdk/dotnet/ServiceBus/NamespaceIpFilterRule.cs index fe7eb17daa66..ff9278a5ef15 100644 --- a/sdk/dotnet/ServiceBus/NamespaceIpFilterRule.cs +++ b/sdk/dotnet/ServiceBus/NamespaceIpFilterRule.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:NamespaceIpFilterRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:NamespaceIpFilterRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/NamespaceNetworkRuleSet.cs b/sdk/dotnet/ServiceBus/NamespaceNetworkRuleSet.cs index 5f9c35106052..653fd92da55f 100644 --- a/sdk/dotnet/ServiceBus/NamespaceNetworkRuleSet.cs +++ b/sdk/dotnet/ServiceBus/NamespaceNetworkRuleSet.cs @@ -104,15 +104,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20170401:NamespaceNetworkRuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:NamespaceNetworkRuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:NamespaceNetworkRuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:NamespaceNetworkRuleSet" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:NamespaceNetworkRuleSet" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:NamespaceNetworkRuleSet" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:NamespaceNetworkRuleSet" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:NamespaceNetworkRuleSet" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20170401:servicebus:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:NamespaceNetworkRuleSet" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:NamespaceNetworkRuleSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/NamespaceVirtualNetworkRule.cs b/sdk/dotnet/ServiceBus/NamespaceVirtualNetworkRule.cs index bbd82b7ae5f3..a5333fc2775d 100644 --- a/sdk/dotnet/ServiceBus/NamespaceVirtualNetworkRule.cs +++ b/sdk/dotnet/ServiceBus/NamespaceVirtualNetworkRule.cs @@ -67,6 +67,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:NamespaceVirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:NamespaceVirtualNetworkRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/PrivateEndpointConnection.cs b/sdk/dotnet/ServiceBus/PrivateEndpointConnection.cs index 8461cbb670fc..2238c19115ff 100644 --- a/sdk/dotnet/ServiceBus/PrivateEndpointConnection.cs +++ b/sdk/dotnet/ServiceBus/PrivateEndpointConnection.cs @@ -92,14 +92,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/Queue.cs b/sdk/dotnet/ServiceBus/Queue.cs index 0df955df541a..bb5030d8fe4c 100644 --- a/sdk/dotnet/ServiceBus/Queue.cs +++ b/sdk/dotnet/ServiceBus/Queue.cs @@ -206,17 +206,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20140901:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20150801:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20170401:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:Queue" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:Queue" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:Queue" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:Queue" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20140901:servicebus:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20150801:servicebus:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20170401:servicebus:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:Queue" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/QueueAuthorizationRule.cs b/sdk/dotnet/ServiceBus/QueueAuthorizationRule.cs index 21050fb2fc45..7a768c7e1c0b 100644 --- a/sdk/dotnet/ServiceBus/QueueAuthorizationRule.cs +++ b/sdk/dotnet/ServiceBus/QueueAuthorizationRule.cs @@ -80,17 +80,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20140901:QueueAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20150801:QueueAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20170401:QueueAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:QueueAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:QueueAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:QueueAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:QueueAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:QueueAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:QueueAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:QueueAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:QueueAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20140901:servicebus:QueueAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20150801:servicebus:QueueAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20170401:servicebus:QueueAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:QueueAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:QueueAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:QueueAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:QueueAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:QueueAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:QueueAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:QueueAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:QueueAuthorizationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/Rule.cs b/sdk/dotnet/ServiceBus/Rule.cs index f8dbce2b4557..1242b6e1b5a9 100644 --- a/sdk/dotnet/ServiceBus/Rule.cs +++ b/sdk/dotnet/ServiceBus/Rule.cs @@ -98,15 +98,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20170401:Rule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:Rule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:Rule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:Rule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:Rule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:Rule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:Rule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:Rule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20170401:servicebus:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:Rule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:Rule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/Subscription.cs b/sdk/dotnet/ServiceBus/Subscription.cs index acab16a908de..fb01d191cbbd 100644 --- a/sdk/dotnet/ServiceBus/Subscription.cs +++ b/sdk/dotnet/ServiceBus/Subscription.cs @@ -188,17 +188,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20140901:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20150801:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20170401:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:Subscription" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:Subscription" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:Subscription" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:Subscription" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:Subscription" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20140901:servicebus:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20150801:servicebus:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20170401:servicebus:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:Subscription" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:Subscription" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/Topic.cs b/sdk/dotnet/ServiceBus/Topic.cs index fb809ce14991..e0a7d2242c78 100644 --- a/sdk/dotnet/ServiceBus/Topic.cs +++ b/sdk/dotnet/ServiceBus/Topic.cs @@ -176,17 +176,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20140901:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20150801:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20170401:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:Topic" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:Topic" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:Topic" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:Topic" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:Topic" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20140901:servicebus:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20150801:servicebus:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20170401:servicebus:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:Topic" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:Topic" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceBus/TopicAuthorizationRule.cs b/sdk/dotnet/ServiceBus/TopicAuthorizationRule.cs index 43a4e7ba4550..1dcd613b931a 100644 --- a/sdk/dotnet/ServiceBus/TopicAuthorizationRule.cs +++ b/sdk/dotnet/ServiceBus/TopicAuthorizationRule.cs @@ -80,17 +80,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20140901:TopicAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20150801:TopicAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20170401:TopicAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20180101preview:TopicAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210101preview:TopicAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20210601preview:TopicAuthorizationRule" }, - new global::Pulumi.Alias { Type = "azure-native:servicebus/v20211101:TopicAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20220101preview:TopicAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20221001preview:TopicAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20230101preview:TopicAuthorizationRule" }, new global::Pulumi.Alias { Type = "azure-native:servicebus/v20240101:TopicAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20140901:servicebus:TopicAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20150801:servicebus:TopicAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20170401:servicebus:TopicAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20180101preview:servicebus:TopicAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210101preview:servicebus:TopicAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20210601preview:servicebus:TopicAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20211101:servicebus:TopicAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20220101preview:servicebus:TopicAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20221001preview:servicebus:TopicAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20230101preview:servicebus:TopicAuthorizationRule" }, + new global::Pulumi.Alias { Type = "azure-native_servicebus_v20240101:servicebus:TopicAuthorizationRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabric/Application.cs b/sdk/dotnet/ServiceFabric/Application.cs index 89e357aa0c41..726cb691d977 100644 --- a/sdk/dotnet/ServiceFabric/Application.cs +++ b/sdk/dotnet/ServiceFabric/Application.cs @@ -115,38 +115,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210101preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210501:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210601:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210701preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210901privatepreview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20211101preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220101:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220201preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220601preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220801preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20221001preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230201preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231101preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231101preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231201preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231201preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240201preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240201preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:Application" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20241101preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210101preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210501:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210701preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210901privatepreview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20211101preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220101:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220201preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220601preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220801preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20221001preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230201preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230301preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230701preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230901preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231101preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231201preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240201preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240401:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240601preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240901preview:servicefabric:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20241101preview:servicefabric:Application" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabric/ApplicationType.cs b/sdk/dotnet/ServiceFabric/ApplicationType.cs index bc2165548a9f..f519445d5d4e 100644 --- a/sdk/dotnet/ServiceFabric/ApplicationType.cs +++ b/sdk/dotnet/ServiceFabric/ApplicationType.cs @@ -84,38 +84,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210101preview:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210501:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210601:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210701preview:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210901privatepreview:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20211101preview:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220101:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220201preview:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220601preview:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220801preview:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20221001preview:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230201preview:ApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:ApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:ApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:ApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231101preview:ApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231201preview:ApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240201preview:ApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:ApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:ApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:ApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20241101preview:ApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210101preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210501:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210701preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210901privatepreview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20211101preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220101:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220201preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220601preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220801preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20221001preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230201preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230301preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230701preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230901preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231101preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231201preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240201preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240401:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240601preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240901preview:servicefabric:ApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20241101preview:servicefabric:ApplicationType" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabric/ApplicationTypeVersion.cs b/sdk/dotnet/ServiceFabric/ApplicationTypeVersion.cs index d4634dea76f0..dc6521b6b20f 100644 --- a/sdk/dotnet/ServiceFabric/ApplicationTypeVersion.cs +++ b/sdk/dotnet/ServiceFabric/ApplicationTypeVersion.cs @@ -90,38 +90,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210101preview:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210501:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210601:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210701preview:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210901privatepreview:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20211101preview:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220101:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220201preview:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220601preview:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220801preview:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20221001preview:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230201preview:ApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:ApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:ApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:ApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231101preview:ApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231201preview:ApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240201preview:ApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:ApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:ApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:ApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20241101preview:ApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210101preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210501:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210701preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210901privatepreview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20211101preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220101:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220201preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220601preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220801preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20221001preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230201preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230301preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230701preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230901preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231101preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231201preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240201preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240401:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240601preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240901preview:servicefabric:ApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20241101preview:servicefabric:ApplicationTypeVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabric/ManagedCluster.cs b/sdk/dotnet/ServiceFabric/ManagedCluster.cs index 98ce63e1ea9e..684c252548c7 100644 --- a/sdk/dotnet/ServiceFabric/ManagedCluster.cs +++ b/sdk/dotnet/ServiceFabric/ManagedCluster.cs @@ -327,17 +327,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20200101preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210101preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210501:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210701preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210901privatepreview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20211101preview:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220101:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220201preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220601preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220801preview:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20221001preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230201preview:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:ManagedCluster" }, @@ -347,7 +338,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:ManagedCluster" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:ManagedCluster" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20241101preview:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20200101preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210101preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210501:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210701preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20211101preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220101:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220201preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220601preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220801preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20221001preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230201preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230301preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230701preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230901preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231101preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231201preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240201preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240401:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240601preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240901preview:servicefabric:ManagedCluster" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20241101preview:servicefabric:ManagedCluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabric/ManagedClusterApplication.cs b/sdk/dotnet/ServiceFabric/ManagedClusterApplication.cs index 1f03b302bf01..7068f6af019e 100644 --- a/sdk/dotnet/ServiceFabric/ManagedClusterApplication.cs +++ b/sdk/dotnet/ServiceFabric/ManagedClusterApplication.cs @@ -117,17 +117,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210101preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210501:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210701preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210901privatepreview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20211101preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220101:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220201preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220601preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220801preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20221001preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230201preview:ManagedClusterApplication" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:ManagedClusterApplication" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:ManagedClusterApplication" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:ManagedClusterApplication" }, @@ -137,7 +126,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:ManagedClusterApplication" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:ManagedClusterApplication" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:ManagedClusterApplication" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20241101preview:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210501:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220101:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplication" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterApplication" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabric/ManagedClusterApplicationType.cs b/sdk/dotnet/ServiceFabric/ManagedClusterApplicationType.cs index c8a8c71d07e2..8ed79c374825 100644 --- a/sdk/dotnet/ServiceFabric/ManagedClusterApplicationType.cs +++ b/sdk/dotnet/ServiceFabric/ManagedClusterApplicationType.cs @@ -86,17 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210101preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210501:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210701preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210901privatepreview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20211101preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220101:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220201preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220601preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220801preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20221001preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230201preview:ManagedClusterApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationType" }, @@ -106,7 +95,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:ManagedClusterApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20241101preview:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210501:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220101:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplicationType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterApplicationType" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabric/ManagedClusterApplicationTypeVersion.cs b/sdk/dotnet/ServiceFabric/ManagedClusterApplicationTypeVersion.cs index 50b5cdbad781..30931957251e 100644 --- a/sdk/dotnet/ServiceFabric/ManagedClusterApplicationTypeVersion.cs +++ b/sdk/dotnet/ServiceFabric/ManagedClusterApplicationTypeVersion.cs @@ -92,17 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210101preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210501:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210701preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210901privatepreview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20211101preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220101:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220201preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220601preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220801preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20221001preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230201preview:ManagedClusterApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationTypeVersion" }, @@ -112,7 +101,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:ManagedClusterApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationTypeVersion" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationTypeVersion" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20241101preview:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210501:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220101:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplicationTypeVersion" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterApplicationTypeVersion" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabric/ManagedClusterService.cs b/sdk/dotnet/ServiceFabric/ManagedClusterService.cs index c4009ee3e1b2..379fa7bd9974 100644 --- a/sdk/dotnet/ServiceFabric/ManagedClusterService.cs +++ b/sdk/dotnet/ServiceFabric/ManagedClusterService.cs @@ -86,17 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210101preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210501:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210701preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210901privatepreview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20211101preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220101:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220201preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220601preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220801preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20221001preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230201preview:ManagedClusterService" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:ManagedClusterService" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:ManagedClusterService" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:ManagedClusterService" }, @@ -106,7 +95,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:ManagedClusterService" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:ManagedClusterService" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20241101preview:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210501:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220101:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabric/NodeType.cs b/sdk/dotnet/ServiceFabric/NodeType.cs index 2e06afd8e564..4ccf638eee50 100644 --- a/sdk/dotnet/ServiceFabric/NodeType.cs +++ b/sdk/dotnet/ServiceFabric/NodeType.cs @@ -374,18 +374,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20200101preview:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210101preview:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210501:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210701preview:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210901privatepreview:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20211101preview:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220101:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220201preview:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220601preview:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220801preview:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20221001preview:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230201preview:NodeType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:NodeType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:NodeType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:NodeType" }, @@ -395,7 +383,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:NodeType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:NodeType" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:NodeType" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20241101preview:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20200101preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210101preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210501:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210701preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210901privatepreview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20211101preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220101:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220201preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220601preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220801preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20221001preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230201preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230301preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230701preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230901preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231101preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231201preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240201preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240401:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240601preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240901preview:servicefabric:NodeType" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20241101preview:servicefabric:NodeType" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabric/Service.cs b/sdk/dotnet/ServiceFabric/Service.cs index 6e90513cce58..6abd9ad7be25 100644 --- a/sdk/dotnet/ServiceFabric/Service.cs +++ b/sdk/dotnet/ServiceFabric/Service.cs @@ -84,38 +84,37 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210101preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210501:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210601:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210701preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20210901privatepreview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20211101preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220101:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220201preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220601preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20220801preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20221001preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230201preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230301preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230701preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20230901preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231101preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231101preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231201preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20231201preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240201preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240201preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240401:Service" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240601preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:ManagedClusterService" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20240901preview:Service" }, - new global::Pulumi.Alias { Type = "azure-native:servicefabric/v20241101preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:servicefabric:ManagedClusterService" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210101preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210501:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210701preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20210901privatepreview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20211101preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220101:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220201preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220601preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20220801preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20221001preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230201preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230301preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230701preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20230901preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231101preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20231201preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240201preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240401:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240601preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20240901preview:servicefabric:Service" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabric_v20241101preview:servicefabric:Service" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabricMesh/Application.cs b/sdk/dotnet/ServiceFabricMesh/Application.cs index 4b11bbcedde9..9f919a3adf98 100644 --- a/sdk/dotnet/ServiceFabricMesh/Application.cs +++ b/sdk/dotnet/ServiceFabricMesh/Application.cs @@ -132,8 +132,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabricmesh/v20180701preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:servicefabricmesh/v20180901preview:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabricmesh_v20180701preview:servicefabricmesh:Application" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Application" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabricMesh/Gateway.cs b/sdk/dotnet/ServiceFabricMesh/Gateway.cs index c101092cf5e3..c818f0ca39f6 100644 --- a/sdk/dotnet/ServiceFabricMesh/Gateway.cs +++ b/sdk/dotnet/ServiceFabricMesh/Gateway.cs @@ -127,6 +127,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:servicefabricmesh/v20180901preview:Gateway" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Gateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabricMesh/Network.cs b/sdk/dotnet/ServiceFabricMesh/Network.cs index 2d2d4a601351..bec6a8145d34 100644 --- a/sdk/dotnet/ServiceFabricMesh/Network.cs +++ b/sdk/dotnet/ServiceFabricMesh/Network.cs @@ -78,8 +78,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabricmesh/v20180701preview:Network" }, new global::Pulumi.Alias { Type = "azure-native:servicefabricmesh/v20180901preview:Network" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabricmesh_v20180701preview:servicefabricmesh:Network" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Network" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabricMesh/Secret.cs b/sdk/dotnet/ServiceFabricMesh/Secret.cs index 3ffc8f194f50..c118f47a8efd 100644 --- a/sdk/dotnet/ServiceFabricMesh/Secret.cs +++ b/sdk/dotnet/ServiceFabricMesh/Secret.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:servicefabricmesh/v20180901preview:Secret" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Secret" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabricMesh/SecretValue.cs b/sdk/dotnet/ServiceFabricMesh/SecretValue.cs index de661ab4ce52..dbf99d12938d 100644 --- a/sdk/dotnet/ServiceFabricMesh/SecretValue.cs +++ b/sdk/dotnet/ServiceFabricMesh/SecretValue.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:servicefabricmesh/v20180901preview:SecretValue" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:SecretValue" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceFabricMesh/Volume.cs b/sdk/dotnet/ServiceFabricMesh/Volume.cs index 6693e70a058e..f75d55c99441 100644 --- a/sdk/dotnet/ServiceFabricMesh/Volume.cs +++ b/sdk/dotnet/ServiceFabricMesh/Volume.cs @@ -108,8 +108,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:servicefabricmesh/v20180701preview:Volume" }, new global::Pulumi.Alias { Type = "azure-native:servicefabricmesh/v20180901preview:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabricmesh_v20180701preview:servicefabricmesh:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Volume" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceLinker/Connector.cs b/sdk/dotnet/ServiceLinker/Connector.cs index cc939f5dd3fb..abe31862ee62 100644 --- a/sdk/dotnet/ServiceLinker/Connector.cs +++ b/sdk/dotnet/ServiceLinker/Connector.cs @@ -126,6 +126,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20230401preview:Connector" }, new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20240401:Connector" }, new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20240701preview:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20221101preview:servicelinker:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20230401preview:servicelinker:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20240401:servicelinker:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20240701preview:servicelinker:Connector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceLinker/ConnectorDryrun.cs b/sdk/dotnet/ServiceLinker/ConnectorDryrun.cs index 5cafb5bb509a..b66eaf10eee3 100644 --- a/sdk/dotnet/ServiceLinker/ConnectorDryrun.cs +++ b/sdk/dotnet/ServiceLinker/ConnectorDryrun.cs @@ -96,6 +96,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20230401preview:ConnectorDryrun" }, new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20240401:ConnectorDryrun" }, new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20240701preview:ConnectorDryrun" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20221101preview:servicelinker:ConnectorDryrun" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20230401preview:servicelinker:ConnectorDryrun" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20240401:servicelinker:ConnectorDryrun" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20240701preview:servicelinker:ConnectorDryrun" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceLinker/Linker.cs b/sdk/dotnet/ServiceLinker/Linker.cs index a83d8e32c4cd..6b37d7c6b146 100644 --- a/sdk/dotnet/ServiceLinker/Linker.cs +++ b/sdk/dotnet/ServiceLinker/Linker.cs @@ -123,12 +123,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20211101preview:Linker" }, - new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20220101preview:Linker" }, - new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20220501:Linker" }, new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20221101preview:Linker" }, new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20230401preview:Linker" }, new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20240401:Linker" }, new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20240701preview:Linker" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20211101preview:servicelinker:Linker" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20220101preview:servicelinker:Linker" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20220501:servicelinker:Linker" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20221101preview:servicelinker:Linker" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20230401preview:servicelinker:Linker" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20240401:servicelinker:Linker" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20240701preview:servicelinker:Linker" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceLinker/LinkerDryrun.cs b/sdk/dotnet/ServiceLinker/LinkerDryrun.cs index 80dffff3af8c..23ac564dd83b 100644 --- a/sdk/dotnet/ServiceLinker/LinkerDryrun.cs +++ b/sdk/dotnet/ServiceLinker/LinkerDryrun.cs @@ -96,6 +96,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20230401preview:LinkerDryrun" }, new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20240401:LinkerDryrun" }, new global::Pulumi.Alias { Type = "azure-native:servicelinker/v20240701preview:LinkerDryrun" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20221101preview:servicelinker:LinkerDryrun" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20230401preview:servicelinker:LinkerDryrun" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20240401:servicelinker:LinkerDryrun" }, + new global::Pulumi.Alias { Type = "azure-native_servicelinker_v20240701preview:servicelinker:LinkerDryrun" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceNetworking/AssociationsInterface.cs b/sdk/dotnet/ServiceNetworking/AssociationsInterface.cs index 566ef30bfbbb..97e9ac520468 100644 --- a/sdk/dotnet/ServiceNetworking/AssociationsInterface.cs +++ b/sdk/dotnet/ServiceNetworking/AssociationsInterface.cs @@ -103,7 +103,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20231101:AssociationsInterface" }, new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20240501preview:AssociationsInterface" }, new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20250101:AssociationsInterface" }, - new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20250301preview:AssociationsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20221001preview:servicenetworking:AssociationsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20230501preview:servicenetworking:AssociationsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20231101:servicenetworking:AssociationsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20240501preview:servicenetworking:AssociationsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20250101:servicenetworking:AssociationsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20250301preview:servicenetworking:AssociationsInterface" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceNetworking/FrontendsInterface.cs b/sdk/dotnet/ServiceNetworking/FrontendsInterface.cs index beacdd75a726..b40978799db9 100644 --- a/sdk/dotnet/ServiceNetworking/FrontendsInterface.cs +++ b/sdk/dotnet/ServiceNetworking/FrontendsInterface.cs @@ -97,7 +97,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20231101:FrontendsInterface" }, new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20240501preview:FrontendsInterface" }, new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20250101:FrontendsInterface" }, - new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20250301preview:FrontendsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20221001preview:servicenetworking:FrontendsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20230501preview:servicenetworking:FrontendsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20231101:servicenetworking:FrontendsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20240501preview:servicenetworking:FrontendsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20250101:servicenetworking:FrontendsInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20250301preview:servicenetworking:FrontendsInterface" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceNetworking/SecurityPoliciesInterface.cs b/sdk/dotnet/ServiceNetworking/SecurityPoliciesInterface.cs index 328383f0c63f..68e7108f3466 100644 --- a/sdk/dotnet/ServiceNetworking/SecurityPoliciesInterface.cs +++ b/sdk/dotnet/ServiceNetworking/SecurityPoliciesInterface.cs @@ -100,7 +100,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20240501preview:SecurityPoliciesInterface" }, new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20250101:SecurityPoliciesInterface" }, - new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20250301preview:SecurityPoliciesInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20240501preview:servicenetworking:SecurityPoliciesInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20250101:servicenetworking:SecurityPoliciesInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20250301preview:servicenetworking:SecurityPoliciesInterface" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/ServiceNetworking/TrafficControllerInterface.cs b/sdk/dotnet/ServiceNetworking/TrafficControllerInterface.cs index 6a0bc36928b2..deb5a31991db 100644 --- a/sdk/dotnet/ServiceNetworking/TrafficControllerInterface.cs +++ b/sdk/dotnet/ServiceNetworking/TrafficControllerInterface.cs @@ -121,7 +121,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20231101:TrafficControllerInterface" }, new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20240501preview:TrafficControllerInterface" }, new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20250101:TrafficControllerInterface" }, - new global::Pulumi.Alias { Type = "azure-native:servicenetworking/v20250301preview:TrafficControllerInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20221001preview:servicenetworking:TrafficControllerInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20230501preview:servicenetworking:TrafficControllerInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20231101:servicenetworking:TrafficControllerInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20240501preview:servicenetworking:TrafficControllerInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20250101:servicenetworking:TrafficControllerInterface" }, + new global::Pulumi.Alias { Type = "azure-native_servicenetworking_v20250301preview:servicenetworking:TrafficControllerInterface" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SignalRService/SignalR.cs b/sdk/dotnet/SignalRService/SignalR.cs index 927f1a4c31e2..36c9084e68f3 100644 --- a/sdk/dotnet/SignalRService/SignalR.cs +++ b/sdk/dotnet/SignalRService/SignalR.cs @@ -245,16 +245,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20180301preview:SignalR" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20181001:SignalR" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20200501:SignalR" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20200701preview:SignalR" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20210401preview:SignalR" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20210601preview:SignalR" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20210901preview:SignalR" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20211001:SignalR" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20220201:SignalR" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20220801preview:SignalR" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230201:SignalR" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230301preview:SignalR" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230601preview:SignalR" }, @@ -264,6 +254,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240401preview:SignalR" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240801preview:SignalR" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20241001preview:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20180301preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20181001:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20200501:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20200701preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20210401preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20210601preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20210901preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20211001:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20220201:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20220801preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230201:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230301preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230601preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230801preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240101preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240301:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240401preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240801preview:signalrservice:SignalR" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20241001preview:signalrservice:SignalR" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SignalRService/SignalRCustomCertificate.cs b/sdk/dotnet/SignalRService/SignalRCustomCertificate.cs index 0917c0120a0d..cdac312ad406 100644 --- a/sdk/dotnet/SignalRService/SignalRCustomCertificate.cs +++ b/sdk/dotnet/SignalRService/SignalRCustomCertificate.cs @@ -92,8 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20220201:SignalRCustomCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20220801preview:SignalRCustomCertificate" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230201:SignalRCustomCertificate" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230301preview:SignalRCustomCertificate" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230601preview:SignalRCustomCertificate" }, @@ -103,6 +101,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240401preview:SignalRCustomCertificate" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240801preview:SignalRCustomCertificate" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20241001preview:SignalRCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20220201:signalrservice:SignalRCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20220801preview:signalrservice:SignalRCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230201:signalrservice:SignalRCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230301preview:signalrservice:SignalRCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230601preview:signalrservice:SignalRCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230801preview:signalrservice:SignalRCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240101preview:signalrservice:SignalRCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240301:signalrservice:SignalRCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240401preview:signalrservice:SignalRCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240801preview:signalrservice:SignalRCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20241001preview:signalrservice:SignalRCustomCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SignalRService/SignalRCustomDomain.cs b/sdk/dotnet/SignalRService/SignalRCustomDomain.cs index f5bbcaa350a6..d89e161c40ec 100644 --- a/sdk/dotnet/SignalRService/SignalRCustomDomain.cs +++ b/sdk/dotnet/SignalRService/SignalRCustomDomain.cs @@ -86,8 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20220201:SignalRCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20220801preview:SignalRCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230201:SignalRCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230301preview:SignalRCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230601preview:SignalRCustomDomain" }, @@ -97,6 +95,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240401preview:SignalRCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240801preview:SignalRCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20241001preview:SignalRCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20220201:signalrservice:SignalRCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20220801preview:signalrservice:SignalRCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230201:signalrservice:SignalRCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230301preview:signalrservice:SignalRCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230601preview:signalrservice:SignalRCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230801preview:signalrservice:SignalRCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240101preview:signalrservice:SignalRCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240301:signalrservice:SignalRCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240401preview:signalrservice:SignalRCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240801preview:signalrservice:SignalRCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20241001preview:signalrservice:SignalRCustomDomain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SignalRService/SignalRPrivateEndpointConnection.cs b/sdk/dotnet/SignalRService/SignalRPrivateEndpointConnection.cs index 8b776a01f7e1..0b01b5f894d5 100644 --- a/sdk/dotnet/SignalRService/SignalRPrivateEndpointConnection.cs +++ b/sdk/dotnet/SignalRService/SignalRPrivateEndpointConnection.cs @@ -92,14 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20200501:SignalRPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20200701preview:SignalRPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20210401preview:SignalRPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20210601preview:SignalRPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20210901preview:SignalRPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20211001:SignalRPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20220201:SignalRPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20220801preview:SignalRPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230201:SignalRPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230301preview:SignalRPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230601preview:SignalRPrivateEndpointConnection" }, @@ -109,6 +101,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240401preview:SignalRPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240801preview:SignalRPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20241001preview:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20200501:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20200701preview:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20210401preview:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20210601preview:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20210901preview:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20211001:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20220201:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20220801preview:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230201:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230301preview:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230601preview:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230801preview:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240101preview:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240301:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240401preview:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240801preview:signalrservice:SignalRPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20241001preview:signalrservice:SignalRPrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SignalRService/SignalRReplica.cs b/sdk/dotnet/SignalRService/SignalRReplica.cs index 9a1375a43c0c..b18fd59423a0 100644 --- a/sdk/dotnet/SignalRService/SignalRReplica.cs +++ b/sdk/dotnet/SignalRService/SignalRReplica.cs @@ -115,6 +115,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240401preview:SignalRReplica" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240801preview:SignalRReplica" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20241001preview:SignalRReplica" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230301preview:signalrservice:SignalRReplica" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230601preview:signalrservice:SignalRReplica" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230801preview:signalrservice:SignalRReplica" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240101preview:signalrservice:SignalRReplica" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240301:signalrservice:SignalRReplica" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240401preview:signalrservice:SignalRReplica" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240801preview:signalrservice:SignalRReplica" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20241001preview:signalrservice:SignalRReplica" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SignalRService/SignalRSharedPrivateLinkResource.cs b/sdk/dotnet/SignalRService/SignalRSharedPrivateLinkResource.cs index 834153b929c1..5e76b4323758 100644 --- a/sdk/dotnet/SignalRService/SignalRSharedPrivateLinkResource.cs +++ b/sdk/dotnet/SignalRService/SignalRSharedPrivateLinkResource.cs @@ -98,12 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20210401preview:SignalRSharedPrivateLinkResource" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20210601preview:SignalRSharedPrivateLinkResource" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20210901preview:SignalRSharedPrivateLinkResource" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20211001:SignalRSharedPrivateLinkResource" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20220201:SignalRSharedPrivateLinkResource" }, - new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20220801preview:SignalRSharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230201:SignalRSharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230301preview:SignalRSharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20230601preview:SignalRSharedPrivateLinkResource" }, @@ -113,6 +107,21 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240401preview:SignalRSharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20240801preview:SignalRSharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:signalrservice/v20241001preview:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20210401preview:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20210601preview:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20210901preview:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20211001:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20220201:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20220801preview:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230201:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230301preview:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230601preview:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20230801preview:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240101preview:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240301:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240401preview:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20240801preview:signalrservice:SignalRSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_signalrservice_v20241001preview:signalrservice:SignalRSharedPrivateLinkResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SoftwarePlan/HybridUseBenefit.cs b/sdk/dotnet/SoftwarePlan/HybridUseBenefit.cs index da331c06a9e4..277b386502f0 100644 --- a/sdk/dotnet/SoftwarePlan/HybridUseBenefit.cs +++ b/sdk/dotnet/SoftwarePlan/HybridUseBenefit.cs @@ -90,8 +90,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:softwareplan/v20190601preview:HybridUseBenefit" }, new global::Pulumi.Alias { Type = "azure-native:softwareplan/v20191201:HybridUseBenefit" }, + new global::Pulumi.Alias { Type = "azure-native_softwareplan_v20190601preview:softwareplan:HybridUseBenefit" }, + new global::Pulumi.Alias { Type = "azure-native_softwareplan_v20191201:softwareplan:HybridUseBenefit" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Solutions/Application.cs b/sdk/dotnet/Solutions/Application.cs index 7e762231a23a..b837c0e9c9af 100644 --- a/sdk/dotnet/Solutions/Application.cs +++ b/sdk/dotnet/Solutions/Application.cs @@ -200,18 +200,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:solutions/v20160901preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20170901:Application" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20171201:Application" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20180201:Application" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20180301:Application" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20180601:Application" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20180901preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20190701:Application" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20200821preview:Application" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20210201preview:Application" }, new global::Pulumi.Alias { Type = "azure-native:solutions/v20210701:Application" }, new global::Pulumi.Alias { Type = "azure-native:solutions/v20231201preview:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20160901preview:solutions:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20170901:solutions:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20171201:solutions:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20180201:solutions:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20180301:solutions:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20180601:solutions:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20180901preview:solutions:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20190701:solutions:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20200821preview:solutions:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20210201preview:solutions:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20210701:solutions:Application" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20231201preview:solutions:Application" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Solutions/ApplicationDefinition.cs b/sdk/dotnet/Solutions/ApplicationDefinition.cs index a9b52cdc94ac..a89106f78f21 100644 --- a/sdk/dotnet/Solutions/ApplicationDefinition.cs +++ b/sdk/dotnet/Solutions/ApplicationDefinition.cs @@ -182,18 +182,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:solutions/v20160901preview:ApplicationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20170901:ApplicationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20171201:ApplicationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20180201:ApplicationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20180301:ApplicationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20180601:ApplicationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20180901preview:ApplicationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20190701:ApplicationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20200821preview:ApplicationDefinition" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20210201preview:ApplicationDefinition" }, new global::Pulumi.Alias { Type = "azure-native:solutions/v20210701:ApplicationDefinition" }, new global::Pulumi.Alias { Type = "azure-native:solutions/v20231201preview:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20160901preview:solutions:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20170901:solutions:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20171201:solutions:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20180201:solutions:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20180301:solutions:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20180601:solutions:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20180901preview:solutions:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20190701:solutions:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20200821preview:solutions:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20210201preview:solutions:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20210701:solutions:ApplicationDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20231201preview:solutions:ApplicationDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Solutions/JitRequest.cs b/sdk/dotnet/Solutions/JitRequest.cs index 16302c71d592..3b20641fd330 100644 --- a/sdk/dotnet/Solutions/JitRequest.cs +++ b/sdk/dotnet/Solutions/JitRequest.cs @@ -128,14 +128,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:solutions/v20180301:JitRequest" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20180601:JitRequest" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20180901preview:JitRequest" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20190701:JitRequest" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20200821preview:JitRequest" }, - new global::Pulumi.Alias { Type = "azure-native:solutions/v20210201preview:JitRequest" }, new global::Pulumi.Alias { Type = "azure-native:solutions/v20210701:JitRequest" }, new global::Pulumi.Alias { Type = "azure-native:solutions/v20231201preview:JitRequest" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20180301:solutions:JitRequest" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20180601:solutions:JitRequest" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20180901preview:solutions:JitRequest" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20190701:solutions:JitRequest" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20200821preview:solutions:JitRequest" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20210201preview:solutions:JitRequest" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20210701:solutions:JitRequest" }, + new global::Pulumi.Alias { Type = "azure-native_solutions_v20231201preview:solutions:JitRequest" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sovereign/LandingZoneAccountOperation.cs b/sdk/dotnet/Sovereign/LandingZoneAccountOperation.cs index 389e65ca8078..d771d13d5569 100644 --- a/sdk/dotnet/Sovereign/LandingZoneAccountOperation.cs +++ b/sdk/dotnet/Sovereign/LandingZoneAccountOperation.cs @@ -90,7 +90,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sovereign/v20250227preview:LandingZoneAccountOperation" }, + new global::Pulumi.Alias { Type = "azure-native_sovereign_v20250227preview:sovereign:LandingZoneAccountOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sovereign/LandingZoneConfigurationOperation.cs b/sdk/dotnet/Sovereign/LandingZoneConfigurationOperation.cs index 10ac8540f053..52d10c7dc0f7 100644 --- a/sdk/dotnet/Sovereign/LandingZoneConfigurationOperation.cs +++ b/sdk/dotnet/Sovereign/LandingZoneConfigurationOperation.cs @@ -72,7 +72,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sovereign/v20250227preview:LandingZoneConfigurationOperation" }, + new global::Pulumi.Alias { Type = "azure-native_sovereign_v20250227preview:sovereign:LandingZoneConfigurationOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sovereign/LandingZoneRegistrationOperation.cs b/sdk/dotnet/Sovereign/LandingZoneRegistrationOperation.cs index 2515981ff351..bc1892a9ae33 100644 --- a/sdk/dotnet/Sovereign/LandingZoneRegistrationOperation.cs +++ b/sdk/dotnet/Sovereign/LandingZoneRegistrationOperation.cs @@ -72,7 +72,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sovereign/v20250227preview:LandingZoneRegistrationOperation" }, + new global::Pulumi.Alias { Type = "azure-native_sovereign_v20250227preview:sovereign:LandingZoneRegistrationOperation" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/BackupLongTermRetentionPolicy.cs b/sdk/dotnet/Sql/BackupLongTermRetentionPolicy.cs index 2fded657d3db..5951a3b46de1 100644 --- a/sdk/dotnet/Sql/BackupLongTermRetentionPolicy.cs +++ b/sdk/dotnet/Sql/BackupLongTermRetentionPolicy.cs @@ -85,30 +85,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:BackupLongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:BackupLongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:BackupLongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:BackupLongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:BackupLongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:BackupLongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:LongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:BackupLongTermRetentionPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/BackupShortTermRetentionPolicy.cs b/sdk/dotnet/Sql/BackupShortTermRetentionPolicy.cs index 05c10027765d..73d3a1ee6520 100644 --- a/sdk/dotnet/Sql/BackupShortTermRetentionPolicy.cs +++ b/sdk/dotnet/Sql/BackupShortTermRetentionPolicy.cs @@ -74,24 +74,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20171001preview:BackupShortTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:BackupShortTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:BackupShortTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:BackupShortTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:BackupShortTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:BackupShortTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:BackupShortTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:BackupShortTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:BackupShortTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:BackupShortTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:BackupShortTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:BackupShortTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:BackupShortTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:BackupShortTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:BackupShortTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:BackupShortTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:BackupShortTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20171001preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:BackupShortTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:BackupShortTermRetentionPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/DataMaskingPolicy.cs b/sdk/dotnet/Sql/DataMaskingPolicy.cs index 0dc8ac5247e5..32582dbea844 100644 --- a/sdk/dotnet/Sql/DataMaskingPolicy.cs +++ b/sdk/dotnet/Sql/DataMaskingPolicy.cs @@ -98,17 +98,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:DataMaskingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:DataMaskingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:DataMaskingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:DataMaskingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:DataMaskingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:DataMaskingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:DataMaskingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:DataMaskingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:DataMaskingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:DataMaskingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:DataMaskingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:DataMaskingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:DataMaskingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:DataMaskingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:DataMaskingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:DataMaskingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:DataMaskingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:DataMaskingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:DataMaskingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:DataMaskingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:DataMaskingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:DataMaskingPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/Database.cs b/sdk/dotnet/Sql/Database.cs index 7885c9f5fabc..f1e5c7337f1c 100644 --- a/sdk/dotnet/Sql/Database.cs +++ b/sdk/dotnet/Sql/Database.cs @@ -353,26 +353,36 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:Database" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20171001preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20190601preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:Database" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:Database" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:Database" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:Database" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20171001preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20190601preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:Database" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:Database" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/DatabaseAdvisor.cs b/sdk/dotnet/Sql/DatabaseAdvisor.cs index d2d6131970d3..1afa04f2abcb 100644 --- a/sdk/dotnet/Sql/DatabaseAdvisor.cs +++ b/sdk/dotnet/Sql/DatabaseAdvisor.cs @@ -111,24 +111,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:DatabaseAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:DatabaseAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:DatabaseAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:DatabaseAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:DatabaseAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:DatabaseAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:DatabaseAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:DatabaseAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:DatabaseAdvisor" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/DatabaseBlobAuditingPolicy.cs b/sdk/dotnet/Sql/DatabaseBlobAuditingPolicy.cs index 3eaff8d4e919..57c71253012e 100644 --- a/sdk/dotnet/Sql/DatabaseBlobAuditingPolicy.cs +++ b/sdk/dotnet/Sql/DatabaseBlobAuditingPolicy.cs @@ -193,25 +193,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:DatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:DatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:DatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:DatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:DatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:DatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:DatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:DatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:DatabaseBlobAuditingPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/DatabaseSecurityAlertPolicy.cs b/sdk/dotnet/Sql/DatabaseSecurityAlertPolicy.cs index cf2c0b4bf66e..815a3ddfbed2 100644 --- a/sdk/dotnet/Sql/DatabaseSecurityAlertPolicy.cs +++ b/sdk/dotnet/Sql/DatabaseSecurityAlertPolicy.cs @@ -116,27 +116,34 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:DatabaseSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:DatabaseThreatDetectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20180601preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:DatabaseSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:DatabaseSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:DatabaseSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:DatabaseSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:DatabaseSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:DatabaseSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:DatabaseSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20180601preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:DatabaseSecurityAlertPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/DatabaseSqlVulnerabilityAssessmentRuleBaseline.cs b/sdk/dotnet/Sql/DatabaseSqlVulnerabilityAssessmentRuleBaseline.cs index 457a994f2b88..db617d541223 100644 --- a/sdk/dotnet/Sql/DatabaseSqlVulnerabilityAssessmentRuleBaseline.cs +++ b/sdk/dotnet/Sql/DatabaseSqlVulnerabilityAssessmentRuleBaseline.cs @@ -74,15 +74,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/DatabaseThreatDetectionPolicy.cs b/sdk/dotnet/Sql/DatabaseThreatDetectionPolicy.cs index 334584b263eb..87af12441d60 100644 --- a/sdk/dotnet/Sql/DatabaseThreatDetectionPolicy.cs +++ b/sdk/dotnet/Sql/DatabaseThreatDetectionPolicy.cs @@ -116,31 +116,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:DatabaseThreatDetectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20180601preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20180601preview:DatabaseThreatDetectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:DatabaseThreatDetectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:DatabaseThreatDetectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:DatabaseThreatDetectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:DatabaseThreatDetectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:DatabaseThreatDetectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:DatabaseThreatDetectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:DatabaseThreatDetectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:DatabaseThreatDetectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:DatabaseThreatDetectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:DatabaseThreatDetectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:DatabaseThreatDetectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:DatabaseThreatDetectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:DatabaseThreatDetectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:DatabaseThreatDetectionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:DatabaseThreatDetectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:DatabaseThreatDetectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:DatabaseSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:DatabaseThreatDetectionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql:DatabaseSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20180601preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:DatabaseThreatDetectionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:DatabaseThreatDetectionPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/DatabaseVulnerabilityAssessment.cs b/sdk/dotnet/Sql/DatabaseVulnerabilityAssessment.cs index 079c75105cf6..d10ff8b4f69e 100644 --- a/sdk/dotnet/Sql/DatabaseVulnerabilityAssessment.cs +++ b/sdk/dotnet/Sql/DatabaseVulnerabilityAssessment.cs @@ -68,24 +68,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:DatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:DatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:DatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:DatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:DatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:DatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:DatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:DatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:DatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:DatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:DatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:DatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:DatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:DatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:DatabaseVulnerabilityAssessment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/DatabaseVulnerabilityAssessmentRuleBaseline.cs b/sdk/dotnet/Sql/DatabaseVulnerabilityAssessmentRuleBaseline.cs index ebba31e4b925..0c6c8342b705 100644 --- a/sdk/dotnet/Sql/DatabaseVulnerabilityAssessmentRuleBaseline.cs +++ b/sdk/dotnet/Sql/DatabaseVulnerabilityAssessmentRuleBaseline.cs @@ -68,24 +68,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:DatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:DatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/DisasterRecoveryConfiguration.cs b/sdk/dotnet/Sql/DisasterRecoveryConfiguration.cs index a7bf6b2b6a6d..fa25a8711f5e 100644 --- a/sdk/dotnet/Sql/DisasterRecoveryConfiguration.cs +++ b/sdk/dotnet/Sql/DisasterRecoveryConfiguration.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:DisasterRecoveryConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:DisasterRecoveryConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/DistributedAvailabilityGroup.cs b/sdk/dotnet/Sql/DistributedAvailabilityGroup.cs index 6d17c897fad7..35a1cf5141ff 100644 --- a/sdk/dotnet/Sql/DistributedAvailabilityGroup.cs +++ b/sdk/dotnet/Sql/DistributedAvailabilityGroup.cs @@ -128,19 +128,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:DistributedAvailabilityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:DistributedAvailabilityGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:DistributedAvailabilityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:DistributedAvailabilityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:DistributedAvailabilityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:DistributedAvailabilityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:DistributedAvailabilityGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:DistributedAvailabilityGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:DistributedAvailabilityGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:DistributedAvailabilityGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:DistributedAvailabilityGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:DistributedAvailabilityGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:DistributedAvailabilityGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:DistributedAvailabilityGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ElasticPool.cs b/sdk/dotnet/Sql/ElasticPool.cs index 55d599879003..2972520d4465 100644 --- a/sdk/dotnet/Sql/ElasticPool.cs +++ b/sdk/dotnet/Sql/ElasticPool.cs @@ -165,24 +165,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20171001preview:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ElasticPool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ElasticPool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ElasticPool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ElasticPool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ElasticPool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ElasticPool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ElasticPool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20171001preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ElasticPool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ElasticPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/EncryptionProtector.cs b/sdk/dotnet/Sql/EncryptionProtector.cs index 0bc60f57a89d..66c1bfcb119e 100644 --- a/sdk/dotnet/Sql/EncryptionProtector.cs +++ b/sdk/dotnet/Sql/EncryptionProtector.cs @@ -110,24 +110,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:EncryptionProtector" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:EncryptionProtector" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:EncryptionProtector" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:EncryptionProtector" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:EncryptionProtector" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:EncryptionProtector" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:EncryptionProtector" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:EncryptionProtector" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:EncryptionProtector" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:EncryptionProtector" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:EncryptionProtector" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:EncryptionProtector" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:EncryptionProtector" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:EncryptionProtector" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:EncryptionProtector" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:EncryptionProtector" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:EncryptionProtector" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:EncryptionProtector" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:EncryptionProtector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ExtendedDatabaseBlobAuditingPolicy.cs b/sdk/dotnet/Sql/ExtendedDatabaseBlobAuditingPolicy.cs index a848a27b0578..0449a51ec854 100644 --- a/sdk/dotnet/Sql/ExtendedDatabaseBlobAuditingPolicy.cs +++ b/sdk/dotnet/Sql/ExtendedDatabaseBlobAuditingPolicy.cs @@ -193,24 +193,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:ExtendedDatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ExtendedDatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ExtendedDatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ExtendedDatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ExtendedDatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ExtendedDatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ExtendedDatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ExtendedDatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ExtendedDatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ExtendedDatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ExtendedDatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ExtendedDatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ExtendedDatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ExtendedDatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ExtendedDatabaseBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ExtendedDatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ExtendedDatabaseBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ExtendedServerBlobAuditingPolicy.cs b/sdk/dotnet/Sql/ExtendedServerBlobAuditingPolicy.cs index 3de87636288d..e8f40afcf5eb 100644 --- a/sdk/dotnet/Sql/ExtendedServerBlobAuditingPolicy.cs +++ b/sdk/dotnet/Sql/ExtendedServerBlobAuditingPolicy.cs @@ -208,24 +208,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:ExtendedServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ExtendedServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ExtendedServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ExtendedServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ExtendedServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ExtendedServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ExtendedServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ExtendedServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ExtendedServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ExtendedServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ExtendedServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ExtendedServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ExtendedServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ExtendedServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ExtendedServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ExtendedServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ExtendedServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ExtendedServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ExtendedServerBlobAuditingPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/FailoverGroup.cs b/sdk/dotnet/Sql/FailoverGroup.cs index 080862876ee4..e8d0716d7c9c 100644 --- a/sdk/dotnet/Sql/FailoverGroup.cs +++ b/sdk/dotnet/Sql/FailoverGroup.cs @@ -110,24 +110,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:FailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:FailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:FailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:FailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:FailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:FailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:FailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:FailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:FailoverGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/FirewallRule.cs b/sdk/dotnet/Sql/FirewallRule.cs index 90061957f691..afdfa0f9157d 100644 --- a/sdk/dotnet/Sql/FirewallRule.cs +++ b/sdk/dotnet/Sql/FirewallRule.cs @@ -75,24 +75,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:FirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/GeoBackupPolicy.cs b/sdk/dotnet/Sql/GeoBackupPolicy.cs index 477d8422cdde..5a731b625bb1 100644 --- a/sdk/dotnet/Sql/GeoBackupPolicy.cs +++ b/sdk/dotnet/Sql/GeoBackupPolicy.cs @@ -86,17 +86,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:GeoBackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:GeoBackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:GeoBackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:GeoBackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:GeoBackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:GeoBackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:GeoBackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:GeoBackupPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:GeoBackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:GeoBackupPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:GeoBackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:GeoBackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:GeoBackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:GeoBackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:GeoBackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:GeoBackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:GeoBackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:GeoBackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:GeoBackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:GeoBackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:GeoBackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:GeoBackupPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/IPv6FirewallRule.cs b/sdk/dotnet/Sql/IPv6FirewallRule.cs index 8046ddde29f7..fa9b5a9e0ce2 100644 --- a/sdk/dotnet/Sql/IPv6FirewallRule.cs +++ b/sdk/dotnet/Sql/IPv6FirewallRule.cs @@ -74,18 +74,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:IPv6FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:IPv6FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:IPv6FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:IPv6FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:IPv6FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:IPv6FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:IPv6FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:IPv6FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:IPv6FirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:IPv6FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:IPv6FirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:IPv6FirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:IPv6FirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/InstanceFailoverGroup.cs b/sdk/dotnet/Sql/InstanceFailoverGroup.cs index 00ce73119350..678ce169b7ee 100644 --- a/sdk/dotnet/Sql/InstanceFailoverGroup.cs +++ b/sdk/dotnet/Sql/InstanceFailoverGroup.cs @@ -104,24 +104,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20171001preview:InstanceFailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:InstanceFailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:InstanceFailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:InstanceFailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:InstanceFailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:InstanceFailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:InstanceFailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:InstanceFailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:InstanceFailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:InstanceFailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:InstanceFailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:InstanceFailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:InstanceFailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:InstanceFailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:InstanceFailoverGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:InstanceFailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:InstanceFailoverGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20171001preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:InstanceFailoverGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:InstanceFailoverGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/InstancePool.cs b/sdk/dotnet/Sql/InstancePool.cs index 77c4633f13d0..203caaeb5335 100644 --- a/sdk/dotnet/Sql/InstancePool.cs +++ b/sdk/dotnet/Sql/InstancePool.cs @@ -110,24 +110,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20180601preview:InstancePool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:InstancePool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:InstancePool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:InstancePool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:InstancePool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:InstancePool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:InstancePool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:InstancePool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:InstancePool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:InstancePool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:InstancePool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:InstancePool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:InstancePool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:InstancePool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:InstancePool" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:InstancePool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:InstancePool" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20180601preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:InstancePool" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:InstancePool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/Job.cs b/sdk/dotnet/Sql/Job.cs index 900983f96a74..7eec00bf2a92 100644 --- a/sdk/dotnet/Sql/Job.cs +++ b/sdk/dotnet/Sql/Job.cs @@ -80,24 +80,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:Job" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:Job" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:Job" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:Job" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:Job" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:Job" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/JobAgent.cs b/sdk/dotnet/Sql/JobAgent.cs index 33919178c091..3fd73c605272 100644 --- a/sdk/dotnet/Sql/JobAgent.cs +++ b/sdk/dotnet/Sql/JobAgent.cs @@ -98,24 +98,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:JobAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:JobAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:JobAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:JobAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:JobAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:JobAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:JobAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:JobAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:JobAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:JobAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:JobAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:JobAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:JobAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:JobAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:JobAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:JobAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:JobAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:JobAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:JobAgent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/JobCredential.cs b/sdk/dotnet/Sql/JobCredential.cs index 847a978cd86a..783064a035b7 100644 --- a/sdk/dotnet/Sql/JobCredential.cs +++ b/sdk/dotnet/Sql/JobCredential.cs @@ -68,24 +68,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:JobCredential" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:JobCredential" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:JobCredential" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:JobCredential" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:JobCredential" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:JobCredential" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:JobCredential" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:JobCredential" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:JobCredential" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:JobCredential" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:JobCredential" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:JobCredential" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:JobCredential" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:JobCredential" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:JobCredential" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:JobCredential" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:JobCredential" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:JobCredential" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:JobCredential" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/JobPrivateEndpoint.cs b/sdk/dotnet/Sql/JobPrivateEndpoint.cs index 731c46bad842..8f2c711b4d1b 100644 --- a/sdk/dotnet/Sql/JobPrivateEndpoint.cs +++ b/sdk/dotnet/Sql/JobPrivateEndpoint.cs @@ -75,9 +75,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:JobPrivateEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:JobPrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:JobPrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:JobPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:JobPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:JobPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:JobPrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:JobPrivateEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/JobStep.cs b/sdk/dotnet/Sql/JobStep.cs index 93912ea201f6..03ed91096991 100644 --- a/sdk/dotnet/Sql/JobStep.cs +++ b/sdk/dotnet/Sql/JobStep.cs @@ -98,24 +98,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:JobStep" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:JobStep" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:JobStep" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:JobStep" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:JobStep" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:JobStep" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:JobStep" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:JobStep" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:JobStep" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:JobStep" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:JobStep" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:JobStep" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:JobStep" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:JobStep" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:JobStep" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:JobStep" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:JobStep" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:JobStep" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:JobStep" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/JobTargetGroup.cs b/sdk/dotnet/Sql/JobTargetGroup.cs index e1c4bcc57895..7de481c082a0 100644 --- a/sdk/dotnet/Sql/JobTargetGroup.cs +++ b/sdk/dotnet/Sql/JobTargetGroup.cs @@ -68,24 +68,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:JobTargetGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:JobTargetGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:JobTargetGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:JobTargetGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:JobTargetGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:JobTargetGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:JobTargetGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:JobTargetGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:JobTargetGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:JobTargetGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:JobTargetGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:JobTargetGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:JobTargetGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:JobTargetGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:JobTargetGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:JobTargetGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:JobTargetGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:JobTargetGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:JobTargetGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/LongTermRetentionPolicy.cs b/sdk/dotnet/Sql/LongTermRetentionPolicy.cs index d03588badd1f..ebfd7a881023 100644 --- a/sdk/dotnet/Sql/LongTermRetentionPolicy.cs +++ b/sdk/dotnet/Sql/LongTermRetentionPolicy.cs @@ -87,25 +87,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:BackupLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:LongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:LongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:LongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:LongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:LongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:LongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:LongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:LongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql:BackupLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:LongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:LongTermRetentionPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedDatabase.cs b/sdk/dotnet/Sql/ManagedDatabase.cs index 0f38674a75da..c85ce1518fe1 100644 --- a/sdk/dotnet/Sql/ManagedDatabase.cs +++ b/sdk/dotnet/Sql/ManagedDatabase.cs @@ -122,26 +122,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20180601preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20190601preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ManagedDatabase" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedDatabase" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedDatabase" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedDatabase" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedDatabase" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedDatabase" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedDatabase" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20180601preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20190601preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedDatabaseSensitivityLabel.cs b/sdk/dotnet/Sql/ManagedDatabaseSensitivityLabel.cs index 9496439fe2ba..22dc43c9dd0b 100644 --- a/sdk/dotnet/Sql/ManagedDatabaseSensitivityLabel.cs +++ b/sdk/dotnet/Sql/ManagedDatabaseSensitivityLabel.cs @@ -122,24 +122,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20180601preview:ManagedDatabaseSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ManagedDatabaseSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ManagedDatabaseSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ManagedDatabaseSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ManagedDatabaseSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ManagedDatabaseSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ManagedDatabaseSensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ManagedDatabaseSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ManagedDatabaseSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ManagedDatabaseSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedDatabaseSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedDatabaseSensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedDatabaseSensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedDatabaseSensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedDatabaseSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedDatabaseSensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedDatabaseSensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20180601preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedDatabaseSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedDatabaseSensitivityLabel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedDatabaseVulnerabilityAssessment.cs b/sdk/dotnet/Sql/ManagedDatabaseVulnerabilityAssessment.cs index 4cd6982a7054..3d3b8b60e9c0 100644 --- a/sdk/dotnet/Sql/ManagedDatabaseVulnerabilityAssessment.cs +++ b/sdk/dotnet/Sql/ManagedDatabaseVulnerabilityAssessment.cs @@ -68,24 +68,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20171001preview:ManagedDatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ManagedDatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ManagedDatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ManagedDatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ManagedDatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ManagedDatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ManagedDatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ManagedDatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ManagedDatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedDatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedDatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedDatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20171001preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedDatabaseVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedDatabaseVulnerabilityAssessment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedDatabaseVulnerabilityAssessmentRuleBaseline.cs b/sdk/dotnet/Sql/ManagedDatabaseVulnerabilityAssessmentRuleBaseline.cs index 854b4cb097f0..64ffba61536a 100644 --- a/sdk/dotnet/Sql/ManagedDatabaseVulnerabilityAssessmentRuleBaseline.cs +++ b/sdk/dotnet/Sql/ManagedDatabaseVulnerabilityAssessmentRuleBaseline.cs @@ -68,24 +68,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20171001preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20171001preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedInstance.cs b/sdk/dotnet/Sql/ManagedInstance.cs index ab8ece0852ea..3d46d35e9cb0 100644 --- a/sdk/dotnet/Sql/ManagedInstance.cs +++ b/sdk/dotnet/Sql/ManagedInstance.cs @@ -301,25 +301,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:ManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20180601preview:ManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ManagedInstance" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ManagedInstance" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedInstance" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedInstance" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedInstance" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedInstance" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedInstance" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedInstance" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20180601preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedInstance" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedInstanceAdministrator.cs b/sdk/dotnet/Sql/ManagedInstanceAdministrator.cs index ae05eda56472..9658db630f23 100644 --- a/sdk/dotnet/Sql/ManagedInstanceAdministrator.cs +++ b/sdk/dotnet/Sql/ManagedInstanceAdministrator.cs @@ -86,24 +86,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:ManagedInstanceAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ManagedInstanceAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ManagedInstanceAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ManagedInstanceAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ManagedInstanceAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ManagedInstanceAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ManagedInstanceAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ManagedInstanceAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ManagedInstanceAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ManagedInstanceAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedInstanceAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedInstanceAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedInstanceAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedInstanceAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedInstanceAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedInstanceAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedInstanceAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedInstanceAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedInstanceAdministrator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedInstanceAzureADOnlyAuthentication.cs b/sdk/dotnet/Sql/ManagedInstanceAzureADOnlyAuthentication.cs index a1afa1e3fc27..1a7ca1b88cd7 100644 --- a/sdk/dotnet/Sql/ManagedInstanceAzureADOnlyAuthentication.cs +++ b/sdk/dotnet/Sql/ManagedInstanceAzureADOnlyAuthentication.cs @@ -68,23 +68,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ManagedInstanceAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ManagedInstanceAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ManagedInstanceAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ManagedInstanceAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ManagedInstanceAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ManagedInstanceAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ManagedInstanceAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ManagedInstanceAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ManagedInstanceAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedInstanceAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedInstanceAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedInstanceAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedInstanceAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedInstanceAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedInstanceAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedInstanceAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedInstanceKey.cs b/sdk/dotnet/Sql/ManagedInstanceKey.cs index 9f97e9a11474..0d459da0b20d 100644 --- a/sdk/dotnet/Sql/ManagedInstanceKey.cs +++ b/sdk/dotnet/Sql/ManagedInstanceKey.cs @@ -86,24 +86,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20171001preview:ManagedInstanceKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ManagedInstanceKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ManagedInstanceKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ManagedInstanceKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ManagedInstanceKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ManagedInstanceKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ManagedInstanceKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ManagedInstanceKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ManagedInstanceKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ManagedInstanceKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedInstanceKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedInstanceKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedInstanceKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedInstanceKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedInstanceKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedInstanceKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedInstanceKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20171001preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedInstanceKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedInstanceKey" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedInstanceLongTermRetentionPolicy.cs b/sdk/dotnet/Sql/ManagedInstanceLongTermRetentionPolicy.cs index bce1455642a5..49dd7e40b15a 100644 --- a/sdk/dotnet/Sql/ManagedInstanceLongTermRetentionPolicy.cs +++ b/sdk/dotnet/Sql/ManagedInstanceLongTermRetentionPolicy.cs @@ -92,14 +92,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedInstanceLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedInstanceLongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedInstanceLongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedInstanceLongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedInstanceLongTermRetentionPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedInstanceLongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedInstanceLongTermRetentionPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedInstanceLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedInstanceLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedInstanceLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedInstanceLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedInstanceLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedInstanceLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedInstanceLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedInstanceLongTermRetentionPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedInstanceLongTermRetentionPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedInstancePrivateEndpointConnection.cs b/sdk/dotnet/Sql/ManagedInstancePrivateEndpointConnection.cs index 8dbb8eaa9ba8..3f13386d165c 100644 --- a/sdk/dotnet/Sql/ManagedInstancePrivateEndpointConnection.cs +++ b/sdk/dotnet/Sql/ManagedInstancePrivateEndpointConnection.cs @@ -80,23 +80,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ManagedInstancePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ManagedInstancePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ManagedInstancePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ManagedInstancePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ManagedInstancePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ManagedInstancePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ManagedInstancePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ManagedInstancePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ManagedInstancePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedInstancePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedInstancePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedInstancePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedInstancePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedInstancePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedInstancePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedInstancePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedInstancePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedInstancePrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedInstanceVulnerabilityAssessment.cs b/sdk/dotnet/Sql/ManagedInstanceVulnerabilityAssessment.cs index a8ace258850d..c2b9f3228bf0 100644 --- a/sdk/dotnet/Sql/ManagedInstanceVulnerabilityAssessment.cs +++ b/sdk/dotnet/Sql/ManagedInstanceVulnerabilityAssessment.cs @@ -68,24 +68,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20180601preview:ManagedInstanceVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ManagedInstanceVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ManagedInstanceVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ManagedInstanceVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ManagedInstanceVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ManagedInstanceVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ManagedInstanceVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ManagedInstanceVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ManagedInstanceVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ManagedInstanceVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedInstanceVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedInstanceVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedInstanceVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedInstanceVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedInstanceVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedInstanceVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedInstanceVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20180601preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedInstanceVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedInstanceVulnerabilityAssessment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ManagedServerDnsAlias.cs b/sdk/dotnet/Sql/ManagedServerDnsAlias.cs index 8422de0f0383..21817779532f 100644 --- a/sdk/dotnet/Sql/ManagedServerDnsAlias.cs +++ b/sdk/dotnet/Sql/ManagedServerDnsAlias.cs @@ -75,16 +75,22 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ManagedServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ManagedServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ManagedServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ManagedServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ManagedServerDnsAlias" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ManagedServerDnsAlias" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ManagedServerDnsAlias" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ManagedServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ManagedServerDnsAlias" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ManagedServerDnsAlias" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ManagedServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ManagedServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ManagedServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ManagedServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ManagedServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ManagedServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ManagedServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ManagedServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ManagedServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ManagedServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ManagedServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ManagedServerDnsAlias" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/OutboundFirewallRule.cs b/sdk/dotnet/Sql/OutboundFirewallRule.cs index a0ee38d83928..d0a31e179b0e 100644 --- a/sdk/dotnet/Sql/OutboundFirewallRule.cs +++ b/sdk/dotnet/Sql/OutboundFirewallRule.cs @@ -68,20 +68,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:OutboundFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:OutboundFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:OutboundFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:OutboundFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:OutboundFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:OutboundFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:OutboundFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:OutboundFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:OutboundFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:OutboundFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:OutboundFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:OutboundFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:OutboundFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:OutboundFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:OutboundFirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/PrivateEndpointConnection.cs b/sdk/dotnet/Sql/PrivateEndpointConnection.cs index 9aec292d6677..0343f19deed6 100644 --- a/sdk/dotnet/Sql/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Sql/PrivateEndpointConnection.cs @@ -86,24 +86,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20180601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20180601preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ReplicationLink.cs b/sdk/dotnet/Sql/ReplicationLink.cs index 5262d9833e65..c70057ba3d44 100644 --- a/sdk/dotnet/Sql/ReplicationLink.cs +++ b/sdk/dotnet/Sql/ReplicationLink.cs @@ -135,9 +135,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ReplicationLink" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ReplicationLink" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ReplicationLink" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ReplicationLink" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ReplicationLink" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ReplicationLink" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ReplicationLink" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ReplicationLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/SensitivityLabel.cs b/sdk/dotnet/Sql/SensitivityLabel.cs index c6ec1c08a596..7cd9fcf7a5cb 100644 --- a/sdk/dotnet/Sql/SensitivityLabel.cs +++ b/sdk/dotnet/Sql/SensitivityLabel.cs @@ -122,24 +122,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:SensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:SensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:SensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:SensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:SensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:SensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:SensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:SensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:SensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:SensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:SensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:SensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:SensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:SensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:SensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:SensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:SensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:SensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:SensitivityLabel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/Server.cs b/sdk/dotnet/Sql/Server.cs index a612097878ff..5c3b5399e15a 100644 --- a/sdk/dotnet/Sql/Server.cs +++ b/sdk/dotnet/Sql/Server.cs @@ -187,25 +187,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20190601preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:Server" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:Server" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:Server" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20190601preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:Server" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:Server" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ServerAdvisor.cs b/sdk/dotnet/Sql/ServerAdvisor.cs index f3ceb51b291b..894a8e20ff08 100644 --- a/sdk/dotnet/Sql/ServerAdvisor.cs +++ b/sdk/dotnet/Sql/ServerAdvisor.cs @@ -111,24 +111,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ServerAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ServerAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ServerAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ServerAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ServerAdvisor" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ServerAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ServerAdvisor" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ServerAdvisor" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ServerAdvisor" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ServerAzureADAdministrator.cs b/sdk/dotnet/Sql/ServerAzureADAdministrator.cs index 168f8b9aea8f..0ebcce5d7497 100644 --- a/sdk/dotnet/Sql/ServerAzureADAdministrator.cs +++ b/sdk/dotnet/Sql/ServerAzureADAdministrator.cs @@ -93,25 +93,32 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20180601preview:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20190601preview:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ServerAzureADAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ServerAzureADAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ServerAzureADAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ServerAzureADAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ServerAzureADAdministrator" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ServerAzureADAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ServerAzureADAdministrator" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20180601preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20190601preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ServerAzureADAdministrator" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ServerAzureADAdministrator" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ServerAzureADOnlyAuthentication.cs b/sdk/dotnet/Sql/ServerAzureADOnlyAuthentication.cs index 450df46e15b6..e52a5d62a02f 100644 --- a/sdk/dotnet/Sql/ServerAzureADOnlyAuthentication.cs +++ b/sdk/dotnet/Sql/ServerAzureADOnlyAuthentication.cs @@ -68,23 +68,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ServerAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ServerAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ServerAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ServerAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ServerAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ServerAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ServerAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ServerAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ServerAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ServerAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ServerAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ServerAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ServerAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ServerAzureADOnlyAuthentication" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ServerAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ServerAzureADOnlyAuthentication" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ServerAzureADOnlyAuthentication" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ServerAzureADOnlyAuthentication" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ServerBlobAuditingPolicy.cs b/sdk/dotnet/Sql/ServerBlobAuditingPolicy.cs index b9e071565f8e..0d9c483d9bc1 100644 --- a/sdk/dotnet/Sql/ServerBlobAuditingPolicy.cs +++ b/sdk/dotnet/Sql/ServerBlobAuditingPolicy.cs @@ -202,24 +202,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:ServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ServerBlobAuditingPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ServerBlobAuditingPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ServerBlobAuditingPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ServerBlobAuditingPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ServerCommunicationLink.cs b/sdk/dotnet/Sql/ServerCommunicationLink.cs index 924830eab05d..a761093b6219 100644 --- a/sdk/dotnet/Sql/ServerCommunicationLink.cs +++ b/sdk/dotnet/Sql/ServerCommunicationLink.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:ServerCommunicationLink" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:ServerCommunicationLink" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ServerDnsAlias.cs b/sdk/dotnet/Sql/ServerDnsAlias.cs index 69b6688becbd..9b92619abc81 100644 --- a/sdk/dotnet/Sql/ServerDnsAlias.cs +++ b/sdk/dotnet/Sql/ServerDnsAlias.cs @@ -68,24 +68,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:ServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ServerDnsAlias" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ServerDnsAlias" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ServerDnsAlias" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ServerDnsAlias" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ServerDnsAlias" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ServerDnsAlias" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ServerDnsAlias" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ServerDnsAlias" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ServerDnsAlias" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ServerKey.cs b/sdk/dotnet/Sql/ServerKey.cs index 06c891bfb084..b161c5ff27c2 100644 --- a/sdk/dotnet/Sql/ServerKey.cs +++ b/sdk/dotnet/Sql/ServerKey.cs @@ -99,23 +99,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:ServerKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ServerKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ServerKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ServerKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ServerKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ServerKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ServerKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ServerKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ServerKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ServerKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ServerKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ServerKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ServerKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ServerKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ServerKey" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ServerKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ServerKey" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ServerKey" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ServerKey" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ServerSecurityAlertPolicy.cs b/sdk/dotnet/Sql/ServerSecurityAlertPolicy.cs index b8cd05d81d73..8c7d79e2b2bc 100644 --- a/sdk/dotnet/Sql/ServerSecurityAlertPolicy.cs +++ b/sdk/dotnet/Sql/ServerSecurityAlertPolicy.cs @@ -117,23 +117,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20170301preview:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ServerSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ServerSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ServerSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ServerSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ServerSecurityAlertPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ServerSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ServerSecurityAlertPolicy" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20170301preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ServerSecurityAlertPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ServerSecurityAlertPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ServerTrustCertificate.cs b/sdk/dotnet/Sql/ServerTrustCertificate.cs index 9a0b0ca887ca..54f173d0d89e 100644 --- a/sdk/dotnet/Sql/ServerTrustCertificate.cs +++ b/sdk/dotnet/Sql/ServerTrustCertificate.cs @@ -80,19 +80,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ServerTrustCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ServerTrustCertificate" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ServerTrustCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ServerTrustCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ServerTrustCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ServerTrustCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ServerTrustCertificate" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ServerTrustCertificate" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ServerTrustCertificate" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ServerTrustCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ServerTrustCertificate" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ServerTrustCertificate" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ServerTrustCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ServerTrustCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ServerTrustGroup.cs b/sdk/dotnet/Sql/ServerTrustGroup.cs index 82e8227cd93c..5d02ef1f0de9 100644 --- a/sdk/dotnet/Sql/ServerTrustGroup.cs +++ b/sdk/dotnet/Sql/ServerTrustGroup.cs @@ -74,23 +74,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ServerTrustGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ServerTrustGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ServerTrustGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ServerTrustGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ServerTrustGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ServerTrustGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ServerTrustGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ServerTrustGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ServerTrustGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ServerTrustGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ServerTrustGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ServerTrustGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ServerTrustGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ServerTrustGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ServerTrustGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ServerTrustGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ServerTrustGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ServerTrustGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/ServerVulnerabilityAssessment.cs b/sdk/dotnet/Sql/ServerVulnerabilityAssessment.cs index 4c84a6517683..a81bbcb13e48 100644 --- a/sdk/dotnet/Sql/ServerVulnerabilityAssessment.cs +++ b/sdk/dotnet/Sql/ServerVulnerabilityAssessment.cs @@ -68,24 +68,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20180601preview:ServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:ServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:ServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:ServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:ServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:ServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:ServerVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:ServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:ServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:ServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:ServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:ServerVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:ServerVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:ServerVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:ServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:ServerVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:ServerVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20180601preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:ServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:ServerVulnerabilityAssessment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/SqlVulnerabilityAssessmentRuleBaseline.cs b/sdk/dotnet/Sql/SqlVulnerabilityAssessmentRuleBaseline.cs index 8999fb4c9a84..f2e4850f5213 100644 --- a/sdk/dotnet/Sql/SqlVulnerabilityAssessmentRuleBaseline.cs +++ b/sdk/dotnet/Sql/SqlVulnerabilityAssessmentRuleBaseline.cs @@ -74,15 +74,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:SqlVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:SqlVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:SqlVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:SqlVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:SqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/SqlVulnerabilityAssessmentsSetting.cs b/sdk/dotnet/Sql/SqlVulnerabilityAssessmentsSetting.cs index 837842cad93b..2ec0fb7621a5 100644 --- a/sdk/dotnet/Sql/SqlVulnerabilityAssessmentsSetting.cs +++ b/sdk/dotnet/Sql/SqlVulnerabilityAssessmentsSetting.cs @@ -74,15 +74,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:SqlVulnerabilityAssessmentsSetting" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:SqlVulnerabilityAssessmentsSetting" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:SqlVulnerabilityAssessmentsSetting" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentsSetting" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentsSetting" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentsSetting" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:SqlVulnerabilityAssessmentsSetting" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentsSetting" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentsSetting" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:SqlVulnerabilityAssessmentsSetting" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:SqlVulnerabilityAssessmentsSetting" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:SqlVulnerabilityAssessmentsSetting" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:SqlVulnerabilityAssessmentsSetting" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:SqlVulnerabilityAssessmentsSetting" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:SqlVulnerabilityAssessmentsSetting" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:SqlVulnerabilityAssessmentsSetting" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:SqlVulnerabilityAssessmentsSetting" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:SqlVulnerabilityAssessmentsSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/StartStopManagedInstanceSchedule.cs b/sdk/dotnet/Sql/StartStopManagedInstanceSchedule.cs index efc5714e141e..955b12c2513b 100644 --- a/sdk/dotnet/Sql/StartStopManagedInstanceSchedule.cs +++ b/sdk/dotnet/Sql/StartStopManagedInstanceSchedule.cs @@ -98,13 +98,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:StartStopManagedInstanceSchedule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:StartStopManagedInstanceSchedule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:StartStopManagedInstanceSchedule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:StartStopManagedInstanceSchedule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:StartStopManagedInstanceSchedule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:StartStopManagedInstanceSchedule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:StartStopManagedInstanceSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:StartStopManagedInstanceSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:StartStopManagedInstanceSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:StartStopManagedInstanceSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:StartStopManagedInstanceSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:StartStopManagedInstanceSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:StartStopManagedInstanceSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:StartStopManagedInstanceSchedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/SyncAgent.cs b/sdk/dotnet/Sql/SyncAgent.cs index 1feac4b74a00..9057691e67c2 100644 --- a/sdk/dotnet/Sql/SyncAgent.cs +++ b/sdk/dotnet/Sql/SyncAgent.cs @@ -98,24 +98,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:SyncAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:SyncAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:SyncAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:SyncAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:SyncAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:SyncAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:SyncAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:SyncAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:SyncAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:SyncAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:SyncAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:SyncAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:SyncAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:SyncAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:SyncAgent" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:SyncAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:SyncAgent" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:SyncAgent" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:SyncAgent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/SyncGroup.cs b/sdk/dotnet/Sql/SyncGroup.cs index e7bba6919e46..87ee8b0d7492 100644 --- a/sdk/dotnet/Sql/SyncGroup.cs +++ b/sdk/dotnet/Sql/SyncGroup.cs @@ -134,25 +134,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20190601preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:SyncGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:SyncGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:SyncGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:SyncGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:SyncGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:SyncGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20190601preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:SyncGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/SyncMember.cs b/sdk/dotnet/Sql/SyncMember.cs index 31e01155b4d1..4c32c61c4f79 100644 --- a/sdk/dotnet/Sql/SyncMember.cs +++ b/sdk/dotnet/Sql/SyncMember.cs @@ -128,25 +128,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20190601preview:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:SyncMember" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:SyncMember" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:SyncMember" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:SyncMember" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:SyncMember" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:SyncMember" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:SyncMember" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20190601preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:SyncMember" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:SyncMember" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/TransparentDataEncryption.cs b/sdk/dotnet/Sql/TransparentDataEncryption.cs index 13579b19f7e2..f3a8515ff020 100644 --- a/sdk/dotnet/Sql/TransparentDataEncryption.cs +++ b/sdk/dotnet/Sql/TransparentDataEncryption.cs @@ -69,23 +69,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:sql/v20140401:TransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:TransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:TransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:TransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:TransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:TransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:TransparentDataEncryption" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:TransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:TransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:TransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:TransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:TransparentDataEncryption" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:TransparentDataEncryption" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:TransparentDataEncryption" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:TransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:TransparentDataEncryption" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:TransparentDataEncryption" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20140401:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:TransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:TransparentDataEncryption" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/VirtualNetworkRule.cs b/sdk/dotnet/Sql/VirtualNetworkRule.cs index 954aeef6c425..2a9e021534fb 100644 --- a/sdk/dotnet/Sql/VirtualNetworkRule.cs +++ b/sdk/dotnet/Sql/VirtualNetworkRule.cs @@ -80,24 +80,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20150501preview:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:VirtualNetworkRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:VirtualNetworkRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:VirtualNetworkRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:VirtualNetworkRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:VirtualNetworkRule" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:VirtualNetworkRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:VirtualNetworkRule" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20150501preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:VirtualNetworkRule" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:VirtualNetworkRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/WorkloadClassifier.cs b/sdk/dotnet/Sql/WorkloadClassifier.cs index 52ff61abc0da..f58eea88a795 100644 --- a/sdk/dotnet/Sql/WorkloadClassifier.cs +++ b/sdk/dotnet/Sql/WorkloadClassifier.cs @@ -98,24 +98,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20190601preview:WorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:WorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:WorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:WorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:WorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:WorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:WorkloadClassifier" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:WorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:WorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:WorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:WorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:WorkloadClassifier" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:WorkloadClassifier" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:WorkloadClassifier" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:WorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:WorkloadClassifier" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:WorkloadClassifier" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20190601preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:WorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:WorkloadClassifier" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Sql/WorkloadGroup.cs b/sdk/dotnet/Sql/WorkloadGroup.cs index 92ba561002ea..5b6246fdb75e 100644 --- a/sdk/dotnet/Sql/WorkloadGroup.cs +++ b/sdk/dotnet/Sql/WorkloadGroup.cs @@ -98,24 +98,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sql/v20190601preview:WorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200202preview:WorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20200801preview:WorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20201101preview:WorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210201preview:WorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210501preview:WorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20210801preview:WorkloadGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20211101:WorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20211101preview:WorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220201preview:WorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220501preview:WorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20220801preview:WorkloadGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20221101preview:WorkloadGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230201preview:WorkloadGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230501preview:WorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sql/v20230801:WorkloadGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20230801preview:WorkloadGroup" }, new global::Pulumi.Alias { Type = "azure-native:sql/v20240501preview:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20190601preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200202preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20200801preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20201101preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210201preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210501preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20210801preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20211101preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220201preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220501preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20220801preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20221101preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230201preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230501preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20230801preview:sql:WorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sql_v20240501preview:sql:WorkloadGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SqlVirtualMachine/AvailabilityGroupListener.cs b/sdk/dotnet/SqlVirtualMachine/AvailabilityGroupListener.cs index 5712b40d4dd1..32aab8cbc210 100644 --- a/sdk/dotnet/SqlVirtualMachine/AvailabilityGroupListener.cs +++ b/sdk/dotnet/SqlVirtualMachine/AvailabilityGroupListener.cs @@ -110,14 +110,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20170301preview:AvailabilityGroupListener" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20211101preview:AvailabilityGroupListener" }, new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220201:AvailabilityGroupListener" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220201preview:AvailabilityGroupListener" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220701preview:AvailabilityGroupListener" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220801preview:AvailabilityGroupListener" }, new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20230101preview:AvailabilityGroupListener" }, new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20231001:AvailabilityGroupListener" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20170301preview:sqlvirtualmachine:AvailabilityGroupListener" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20211101preview:sqlvirtualmachine:AvailabilityGroupListener" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:AvailabilityGroupListener" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220201preview:sqlvirtualmachine:AvailabilityGroupListener" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:AvailabilityGroupListener" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:AvailabilityGroupListener" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:AvailabilityGroupListener" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:AvailabilityGroupListener" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SqlVirtualMachine/SqlVirtualMachine.cs b/sdk/dotnet/SqlVirtualMachine/SqlVirtualMachine.cs index b98d51c0f57e..1fcb65766955 100644 --- a/sdk/dotnet/SqlVirtualMachine/SqlVirtualMachine.cs +++ b/sdk/dotnet/SqlVirtualMachine/SqlVirtualMachine.cs @@ -212,14 +212,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20170301preview:SqlVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20211101preview:SqlVirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220201preview:SqlVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220701preview:SqlVirtualMachine" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220801preview:SqlVirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachine" }, new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20170301preview:sqlvirtualmachine:SqlVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20211101preview:sqlvirtualmachine:SqlVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:SqlVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220201preview:sqlvirtualmachine:SqlVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:SqlVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:SqlVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:SqlVirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:SqlVirtualMachine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/SqlVirtualMachine/SqlVirtualMachineGroup.cs b/sdk/dotnet/SqlVirtualMachine/SqlVirtualMachineGroup.cs index 41f511c4ea38..86726ef3f4e7 100644 --- a/sdk/dotnet/SqlVirtualMachine/SqlVirtualMachineGroup.cs +++ b/sdk/dotnet/SqlVirtualMachine/SqlVirtualMachineGroup.cs @@ -122,14 +122,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20170301preview:SqlVirtualMachineGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20211101preview:SqlVirtualMachineGroup" }, new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachineGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220201preview:SqlVirtualMachineGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220701preview:SqlVirtualMachineGroup" }, - new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20220801preview:SqlVirtualMachineGroup" }, new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachineGroup" }, new global::Pulumi.Alias { Type = "azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachineGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20170301preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20211101preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:SqlVirtualMachineGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220201preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, + new global::Pulumi.Alias { Type = "azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:SqlVirtualMachineGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StandbyPool/StandbyContainerGroupPool.cs b/sdk/dotnet/StandbyPool/StandbyContainerGroupPool.cs index 3e68e4eaba6f..6455e5b87cbc 100644 --- a/sdk/dotnet/StandbyPool/StandbyContainerGroupPool.cs +++ b/sdk/dotnet/StandbyPool/StandbyContainerGroupPool.cs @@ -101,7 +101,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:standbypool/v20231201preview:StandbyContainerGroupPool" }, new global::Pulumi.Alias { Type = "azure-native:standbypool/v20240301:StandbyContainerGroupPool" }, new global::Pulumi.Alias { Type = "azure-native:standbypool/v20240301preview:StandbyContainerGroupPool" }, - new global::Pulumi.Alias { Type = "azure-native:standbypool/v20250301:StandbyContainerGroupPool" }, + new global::Pulumi.Alias { Type = "azure-native_standbypool_v20231201preview:standbypool:StandbyContainerGroupPool" }, + new global::Pulumi.Alias { Type = "azure-native_standbypool_v20240301:standbypool:StandbyContainerGroupPool" }, + new global::Pulumi.Alias { Type = "azure-native_standbypool_v20240301preview:standbypool:StandbyContainerGroupPool" }, + new global::Pulumi.Alias { Type = "azure-native_standbypool_v20250301:standbypool:StandbyContainerGroupPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StandbyPool/StandbyVirtualMachinePool.cs b/sdk/dotnet/StandbyPool/StandbyVirtualMachinePool.cs index 07970367ec5f..5de56b0ff2af 100644 --- a/sdk/dotnet/StandbyPool/StandbyVirtualMachinePool.cs +++ b/sdk/dotnet/StandbyPool/StandbyVirtualMachinePool.cs @@ -107,7 +107,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:standbypool/v20231201preview:StandbyVirtualMachinePool" }, new global::Pulumi.Alias { Type = "azure-native:standbypool/v20240301:StandbyVirtualMachinePool" }, new global::Pulumi.Alias { Type = "azure-native:standbypool/v20240301preview:StandbyVirtualMachinePool" }, - new global::Pulumi.Alias { Type = "azure-native:standbypool/v20250301:StandbyVirtualMachinePool" }, + new global::Pulumi.Alias { Type = "azure-native_standbypool_v20231201preview:standbypool:StandbyVirtualMachinePool" }, + new global::Pulumi.Alias { Type = "azure-native_standbypool_v20240301:standbypool:StandbyVirtualMachinePool" }, + new global::Pulumi.Alias { Type = "azure-native_standbypool_v20240301preview:standbypool:StandbyVirtualMachinePool" }, + new global::Pulumi.Alias { Type = "azure-native_standbypool_v20250301:standbypool:StandbyVirtualMachinePool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorSimple/AccessControlRecord.cs b/sdk/dotnet/StorSimple/AccessControlRecord.cs index abe684e93c2a..be2807922baf 100644 --- a/sdk/dotnet/StorSimple/AccessControlRecord.cs +++ b/sdk/dotnet/StorSimple/AccessControlRecord.cs @@ -78,8 +78,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storsimple/v20161001:AccessControlRecord" }, new global::Pulumi.Alias { Type = "azure-native:storsimple/v20170601:AccessControlRecord" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20161001:storsimple:AccessControlRecord" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20170601:storsimple:AccessControlRecord" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorSimple/BackupPolicy.cs b/sdk/dotnet/StorSimple/BackupPolicy.cs index 7c6003c4572a..297f410c51a8 100644 --- a/sdk/dotnet/StorSimple/BackupPolicy.cs +++ b/sdk/dotnet/StorSimple/BackupPolicy.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:storsimple/v20170601:BackupPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20170601:storsimple:BackupPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorSimple/BackupSchedule.cs b/sdk/dotnet/StorSimple/BackupSchedule.cs index ad89568f6ee8..e0755f7bd3e0 100644 --- a/sdk/dotnet/StorSimple/BackupSchedule.cs +++ b/sdk/dotnet/StorSimple/BackupSchedule.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:storsimple/v20170601:BackupSchedule" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20170601:storsimple:BackupSchedule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorSimple/BandwidthSetting.cs b/sdk/dotnet/StorSimple/BandwidthSetting.cs index 428971763a6e..e389fac972bc 100644 --- a/sdk/dotnet/StorSimple/BandwidthSetting.cs +++ b/sdk/dotnet/StorSimple/BandwidthSetting.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:storsimple/v20170601:BandwidthSetting" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20170601:storsimple:BandwidthSetting" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorSimple/Manager.cs b/sdk/dotnet/StorSimple/Manager.cs index 2d85abe1c5a1..7b7d48171e27 100644 --- a/sdk/dotnet/StorSimple/Manager.cs +++ b/sdk/dotnet/StorSimple/Manager.cs @@ -96,8 +96,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storsimple/v20161001:Manager" }, new global::Pulumi.Alias { Type = "azure-native:storsimple/v20170601:Manager" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20161001:storsimple:Manager" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20170601:storsimple:Manager" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorSimple/ManagerExtendedInfo.cs b/sdk/dotnet/StorSimple/ManagerExtendedInfo.cs index 4097ae9046c0..0818c43ee003 100644 --- a/sdk/dotnet/StorSimple/ManagerExtendedInfo.cs +++ b/sdk/dotnet/StorSimple/ManagerExtendedInfo.cs @@ -108,8 +108,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storsimple/v20161001:ManagerExtendedInfo" }, new global::Pulumi.Alias { Type = "azure-native:storsimple/v20170601:ManagerExtendedInfo" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20161001:storsimple:ManagerExtendedInfo" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20170601:storsimple:ManagerExtendedInfo" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorSimple/StorageAccountCredential.cs b/sdk/dotnet/StorSimple/StorageAccountCredential.cs index 139fa8aad02e..eb69687bab0e 100644 --- a/sdk/dotnet/StorSimple/StorageAccountCredential.cs +++ b/sdk/dotnet/StorSimple/StorageAccountCredential.cs @@ -90,8 +90,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storsimple/v20161001:StorageAccountCredential" }, new global::Pulumi.Alias { Type = "azure-native:storsimple/v20170601:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20161001:storsimple:StorageAccountCredential" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20170601:storsimple:StorageAccountCredential" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorSimple/Volume.cs b/sdk/dotnet/StorSimple/Volume.cs index 6b905ac47f18..c434d18a244d 100644 --- a/sdk/dotnet/StorSimple/Volume.cs +++ b/sdk/dotnet/StorSimple/Volume.cs @@ -121,6 +121,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:storsimple/v20170601:Volume" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20170601:storsimple:Volume" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorSimple/VolumeContainer.cs b/sdk/dotnet/StorSimple/VolumeContainer.cs index c9f1b9cada14..2a06134d7f88 100644 --- a/sdk/dotnet/StorSimple/VolumeContainer.cs +++ b/sdk/dotnet/StorSimple/VolumeContainer.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:storsimple/v20170601:VolumeContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storsimple_v20170601:storsimple:VolumeContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/BlobContainer.cs b/sdk/dotnet/Storage/BlobContainer.cs index 93dbb2781cbd..db01c4336c65 100644 --- a/sdk/dotnet/Storage/BlobContainer.cs +++ b/sdk/dotnet/Storage/BlobContainer.cs @@ -182,25 +182,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20180201:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20180301preview:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20180701:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20181101:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190401:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:BlobContainer" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:BlobContainer" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:BlobContainer" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:BlobContainer" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:BlobContainer" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20180201:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20180301preview:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20180701:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20181101:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190401:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:BlobContainer" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:BlobContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/BlobContainerImmutabilityPolicy.cs b/sdk/dotnet/Storage/BlobContainerImmutabilityPolicy.cs index 6e8a367cb2f6..eb5385ed74f6 100644 --- a/sdk/dotnet/Storage/BlobContainerImmutabilityPolicy.cs +++ b/sdk/dotnet/Storage/BlobContainerImmutabilityPolicy.cs @@ -92,25 +92,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20180201:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20180301preview:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20180701:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20181101:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190401:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:BlobContainerImmutabilityPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:BlobContainerImmutabilityPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:BlobContainerImmutabilityPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:BlobContainerImmutabilityPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:BlobContainerImmutabilityPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20180201:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20180301preview:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20180701:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20181101:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190401:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:BlobContainerImmutabilityPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:BlobContainerImmutabilityPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/BlobInventoryPolicy.cs b/sdk/dotnet/Storage/BlobInventoryPolicy.cs index dd49fdfcd383..27ed05797c07 100644 --- a/sdk/dotnet/Storage/BlobInventoryPolicy.cs +++ b/sdk/dotnet/Storage/BlobInventoryPolicy.cs @@ -80,20 +80,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:BlobInventoryPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:BlobInventoryPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:BlobInventoryPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:BlobInventoryPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:BlobInventoryPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:BlobInventoryPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:BlobInventoryPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:BlobInventoryPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:BlobInventoryPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:BlobInventoryPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:BlobInventoryPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:BlobInventoryPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:BlobInventoryPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:BlobInventoryPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:BlobInventoryPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/BlobServiceProperties.cs b/sdk/dotnet/Storage/BlobServiceProperties.cs index 2f1587f1a18d..a8216a9abb45 100644 --- a/sdk/dotnet/Storage/BlobServiceProperties.cs +++ b/sdk/dotnet/Storage/BlobServiceProperties.cs @@ -122,23 +122,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20180701:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20181101:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190401:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:BlobServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:BlobServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:BlobServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:BlobServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:BlobServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20180701:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20181101:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190401:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:BlobServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:BlobServiceProperties" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/EncryptionScope.cs b/sdk/dotnet/Storage/EncryptionScope.cs index 306643e09763..567c29185cc4 100644 --- a/sdk/dotnet/Storage/EncryptionScope.cs +++ b/sdk/dotnet/Storage/EncryptionScope.cs @@ -98,20 +98,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:EncryptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:EncryptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:EncryptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:EncryptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:EncryptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:EncryptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:EncryptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:EncryptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:EncryptionScope" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:EncryptionScope" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:EncryptionScope" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:EncryptionScope" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:EncryptionScope" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:EncryptionScope" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:EncryptionScope" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/FileServiceProperties.cs b/sdk/dotnet/Storage/FileServiceProperties.cs index a7a768f55312..51178177d5b6 100644 --- a/sdk/dotnet/Storage/FileServiceProperties.cs +++ b/sdk/dotnet/Storage/FileServiceProperties.cs @@ -86,21 +86,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20190401:FileServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:FileServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:FileServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:FileServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:FileServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:FileServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:FileServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:FileServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:FileServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:FileServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:FileServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:FileServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:FileServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:FileServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190401:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:FileServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:FileServiceProperties" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/FileShare.cs b/sdk/dotnet/Storage/FileShare.cs index fb11bc7f4544..ef43bdc83dcb 100644 --- a/sdk/dotnet/Storage/FileShare.cs +++ b/sdk/dotnet/Storage/FileShare.cs @@ -224,21 +224,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20190401:FileShare" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:FileShare" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:FileShare" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:FileShare" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:FileShare" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:FileShare" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:FileShare" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:FileShare" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:FileShare" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:FileShare" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:FileShare" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:FileShare" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:FileShare" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:FileShare" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190401:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:FileShare" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:FileShare" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/LocalUser.cs b/sdk/dotnet/Storage/LocalUser.cs index f459db736df2..017fb24ddf59 100644 --- a/sdk/dotnet/Storage/LocalUser.cs +++ b/sdk/dotnet/Storage/LocalUser.cs @@ -140,14 +140,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:LocalUser" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:LocalUser" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:LocalUser" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:LocalUser" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:LocalUser" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:LocalUser" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:LocalUser" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:LocalUser" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:LocalUser" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:LocalUser" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:LocalUser" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:LocalUser" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:LocalUser" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:LocalUser" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:LocalUser" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:LocalUser" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/ManagementPolicy.cs b/sdk/dotnet/Storage/ManagementPolicy.cs index 2b488f2a0fad..fbab585c8a1a 100644 --- a/sdk/dotnet/Storage/ManagementPolicy.cs +++ b/sdk/dotnet/Storage/ManagementPolicy.cs @@ -74,23 +74,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20180301preview:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20181101:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190401:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:ManagementPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:ManagementPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:ManagementPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:ManagementPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:ManagementPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20180301preview:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20181101:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190401:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:ManagementPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:ManagementPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/ObjectReplicationPolicy.cs b/sdk/dotnet/Storage/ObjectReplicationPolicy.cs index 0b91bd98f847..7cccc16e67d2 100644 --- a/sdk/dotnet/Storage/ObjectReplicationPolicy.cs +++ b/sdk/dotnet/Storage/ObjectReplicationPolicy.cs @@ -98,20 +98,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:ObjectReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:ObjectReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:ObjectReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:ObjectReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:ObjectReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:ObjectReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:ObjectReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:ObjectReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:ObjectReplicationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:ObjectReplicationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:ObjectReplicationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:ObjectReplicationPolicy" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:ObjectReplicationPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:ObjectReplicationPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:ObjectReplicationPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/PrivateEndpointConnection.cs b/sdk/dotnet/Storage/PrivateEndpointConnection.cs index 7f5fa773fbf3..6e50f9408129 100644 --- a/sdk/dotnet/Storage/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Storage/PrivateEndpointConnection.cs @@ -80,20 +80,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/Queue.cs b/sdk/dotnet/Storage/Queue.cs index 2fd6c886b1e9..1a7053789aae 100644 --- a/sdk/dotnet/Storage/Queue.cs +++ b/sdk/dotnet/Storage/Queue.cs @@ -72,20 +72,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:Queue" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:Queue" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:Queue" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:Queue" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:Queue" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:Queue" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:Queue" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/QueueServiceProperties.cs b/sdk/dotnet/Storage/QueueServiceProperties.cs index 04c7fd8c3e41..b55ff3832e6e 100644 --- a/sdk/dotnet/Storage/QueueServiceProperties.cs +++ b/sdk/dotnet/Storage/QueueServiceProperties.cs @@ -68,20 +68,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:QueueServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:QueueServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:QueueServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:QueueServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:QueueServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:QueueServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:QueueServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:QueueServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:QueueServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:QueueServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:QueueServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:QueueServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:QueueServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:QueueServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:QueueServiceProperties" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/StorageAccount.cs b/sdk/dotnet/Storage/StorageAccount.cs index 4ddb5e28201e..e539dc3b4576 100644 --- a/sdk/dotnet/Storage/StorageAccount.cs +++ b/sdk/dotnet/Storage/StorageAccount.cs @@ -344,32 +344,36 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20150501preview:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20150615:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20160101:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20160501:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20161201:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20170601:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20171001:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20180201:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20180301preview:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20180701:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20181101:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190401:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:StorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:StorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:StorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:StorageAccount" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:StorageAccount" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20150501preview:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20150615:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20160101:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20160501:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20161201:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20170601:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20171001:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20180201:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20180301preview:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20180701:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20181101:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190401:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:StorageAccount" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:StorageAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/StorageTaskAssignment.cs b/sdk/dotnet/Storage/StorageTaskAssignment.cs index ce7f96c2d09c..fd49eab7b0a9 100644 --- a/sdk/dotnet/Storage/StorageTaskAssignment.cs +++ b/sdk/dotnet/Storage/StorageTaskAssignment.cs @@ -69,7 +69,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:StorageTaskAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:StorageTaskAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:StorageTaskAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:StorageTaskAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/Table.cs b/sdk/dotnet/Storage/Table.cs index b3e8a82e73f3..8239879763b8 100644 --- a/sdk/dotnet/Storage/Table.cs +++ b/sdk/dotnet/Storage/Table.cs @@ -74,20 +74,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:Table" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:Table" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:Table" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:Table" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:Table" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:Table" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:Table" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:Table" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:Table" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:Table" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:Table" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:Table" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:Table" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:Table" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:Table" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Storage/TableServiceProperties.cs b/sdk/dotnet/Storage/TableServiceProperties.cs index 5c07a075d2ae..91a4111fb54d 100644 --- a/sdk/dotnet/Storage/TableServiceProperties.cs +++ b/sdk/dotnet/Storage/TableServiceProperties.cs @@ -68,20 +68,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storage/v20190601:TableServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20200801preview:TableServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210101:TableServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210201:TableServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210401:TableServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210601:TableServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210801:TableServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20210901:TableServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20220501:TableServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20220901:TableServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230101:TableServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230401:TableServiceProperties" }, new global::Pulumi.Alias { Type = "azure-native:storage/v20230501:TableServiceProperties" }, - new global::Pulumi.Alias { Type = "azure-native:storage/v20240101:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20190601:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20200801preview:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210101:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210201:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210401:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210601:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210801:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20210901:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220501:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20220901:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230101:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230401:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20230501:storage:TableServiceProperties" }, + new global::Pulumi.Alias { Type = "azure-native_storage_v20240101:storage:TableServiceProperties" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageActions/StorageTask.cs b/sdk/dotnet/StorageActions/StorageTask.cs index 5df49b471562..08f70dd7357c 100644 --- a/sdk/dotnet/StorageActions/StorageTask.cs +++ b/sdk/dotnet/StorageActions/StorageTask.cs @@ -121,6 +121,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:storageactions/v20230101:StorageTask" }, + new global::Pulumi.Alias { Type = "azure-native_storageactions_v20230101:storageactions:StorageTask" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageCache/AmlFilesystem.cs b/sdk/dotnet/StorageCache/AmlFilesystem.cs index 2158ba06ef10..621c357dc0d7 100644 --- a/sdk/dotnet/StorageCache/AmlFilesystem.cs +++ b/sdk/dotnet/StorageCache/AmlFilesystem.cs @@ -162,7 +162,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:storagecache/v20230501:AmlFilesystem" }, new global::Pulumi.Alias { Type = "azure-native:storagecache/v20231101preview:AmlFilesystem" }, new global::Pulumi.Alias { Type = "azure-native:storagecache/v20240301:AmlFilesystem" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20240701:AmlFilesystem" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20230301preview:storagecache:AmlFilesystem" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20230501:storagecache:AmlFilesystem" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20231101preview:storagecache:AmlFilesystem" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20240301:storagecache:AmlFilesystem" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20240701:storagecache:AmlFilesystem" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageCache/Cache.cs b/sdk/dotnet/StorageCache/Cache.cs index 7bb9cf5c40d8..fc530f71ee5c 100644 --- a/sdk/dotnet/StorageCache/Cache.cs +++ b/sdk/dotnet/StorageCache/Cache.cs @@ -176,21 +176,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20190801preview:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20191101:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20200301:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20201001:Cache" }, new global::Pulumi.Alias { Type = "azure-native:storagecache/v20210301:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20210501:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20210901:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20220101:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20220501:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20230101:Cache" }, new global::Pulumi.Alias { Type = "azure-native:storagecache/v20230301preview:Cache" }, new global::Pulumi.Alias { Type = "azure-native:storagecache/v20230501:Cache" }, new global::Pulumi.Alias { Type = "azure-native:storagecache/v20231101preview:Cache" }, new global::Pulumi.Alias { Type = "azure-native:storagecache/v20240301:Cache" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20240701:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20190801preview:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20191101:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20200301:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20201001:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20210301:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20210501:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20210901:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20220101:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20220501:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20230101:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20230301preview:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20230501:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20231101preview:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20240301:storagecache:Cache" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20240701:storagecache:Cache" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageCache/ImportJob.cs b/sdk/dotnet/StorageCache/ImportJob.cs index 51d90d5cf129..d3b25cc89821 100644 --- a/sdk/dotnet/StorageCache/ImportJob.cs +++ b/sdk/dotnet/StorageCache/ImportJob.cs @@ -165,7 +165,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:storagecache/v20240301:ImportJob" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20240701:ImportJob" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20240301:storagecache:ImportJob" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20240701:storagecache:ImportJob" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageCache/StorageTarget.cs b/sdk/dotnet/StorageCache/StorageTarget.cs index 2e8dfade25a1..ec3db4870663 100644 --- a/sdk/dotnet/StorageCache/StorageTarget.cs +++ b/sdk/dotnet/StorageCache/StorageTarget.cs @@ -128,21 +128,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20190801preview:StorageTarget" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20191101:StorageTarget" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20200301:StorageTarget" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20201001:StorageTarget" }, new global::Pulumi.Alias { Type = "azure-native:storagecache/v20210301:StorageTarget" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20210501:StorageTarget" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20210901:StorageTarget" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20220101:StorageTarget" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20220501:StorageTarget" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20230101:StorageTarget" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20230301preview:StorageTarget" }, new global::Pulumi.Alias { Type = "azure-native:storagecache/v20230501:StorageTarget" }, new global::Pulumi.Alias { Type = "azure-native:storagecache/v20231101preview:StorageTarget" }, new global::Pulumi.Alias { Type = "azure-native:storagecache/v20240301:StorageTarget" }, - new global::Pulumi.Alias { Type = "azure-native:storagecache/v20240701:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20190801preview:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20191101:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20200301:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20201001:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20210301:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20210501:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20210901:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20220101:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20220501:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20230101:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20230301preview:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20230501:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20231101preview:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20240301:storagecache:StorageTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagecache_v20240701:storagecache:StorageTarget" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageMover/Agent.cs b/sdk/dotnet/StorageMover/Agent.cs index 22ee69319993..2b0e730ffb79 100644 --- a/sdk/dotnet/StorageMover/Agent.cs +++ b/sdk/dotnet/StorageMover/Agent.cs @@ -149,11 +149,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagemover/v20220701preview:Agent" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20230301:Agent" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20230701preview:Agent" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20231001:Agent" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20240701:Agent" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20220701preview:storagemover:Agent" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20230301:storagemover:Agent" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20230701preview:storagemover:Agent" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20231001:storagemover:Agent" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20240701:storagemover:Agent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageMover/Endpoint.cs b/sdk/dotnet/StorageMover/Endpoint.cs index 9a63fc237205..17935a676ba9 100644 --- a/sdk/dotnet/StorageMover/Endpoint.cs +++ b/sdk/dotnet/StorageMover/Endpoint.cs @@ -74,11 +74,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagemover/v20220701preview:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20230301:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20230701preview:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20231001:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20240701:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20220701preview:storagemover:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20230301:storagemover:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20230701preview:storagemover:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20231001:storagemover:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20240701:storagemover:Endpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageMover/JobDefinition.cs b/sdk/dotnet/StorageMover/JobDefinition.cs index a3ddcea27581..2cb3fe5e48e7 100644 --- a/sdk/dotnet/StorageMover/JobDefinition.cs +++ b/sdk/dotnet/StorageMover/JobDefinition.cs @@ -152,11 +152,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagemover/v20220701preview:JobDefinition" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20230301:JobDefinition" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20230701preview:JobDefinition" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20231001:JobDefinition" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20240701:JobDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20220701preview:storagemover:JobDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20230301:storagemover:JobDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20230701preview:storagemover:JobDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20231001:storagemover:JobDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20240701:storagemover:JobDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageMover/Project.cs b/sdk/dotnet/StorageMover/Project.cs index 68e3b716acbb..4f5965efb047 100644 --- a/sdk/dotnet/StorageMover/Project.cs +++ b/sdk/dotnet/StorageMover/Project.cs @@ -80,11 +80,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagemover/v20220701preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20230301:Project" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20230701preview:Project" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20231001:Project" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20240701:Project" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20220701preview:storagemover:Project" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20230301:storagemover:Project" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20230701preview:storagemover:Project" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20231001:storagemover:Project" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20240701:storagemover:Project" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageMover/StorageMover.cs b/sdk/dotnet/StorageMover/StorageMover.cs index 4b9df9d407d9..729b566c3734 100644 --- a/sdk/dotnet/StorageMover/StorageMover.cs +++ b/sdk/dotnet/StorageMover/StorageMover.cs @@ -92,11 +92,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagemover/v20220701preview:StorageMover" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20230301:StorageMover" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20230701preview:StorageMover" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20231001:StorageMover" }, new global::Pulumi.Alias { Type = "azure-native:storagemover/v20240701:StorageMover" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20220701preview:storagemover:StorageMover" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20230301:storagemover:StorageMover" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20230701preview:storagemover:StorageMover" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20231001:storagemover:StorageMover" }, + new global::Pulumi.Alias { Type = "azure-native_storagemover_v20240701:storagemover:StorageMover" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StoragePool/DiskPool.cs b/sdk/dotnet/StoragePool/DiskPool.cs index b79f957f5dd3..c83f700de618 100644 --- a/sdk/dotnet/StoragePool/DiskPool.cs +++ b/sdk/dotnet/StoragePool/DiskPool.cs @@ -133,8 +133,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:storagepool/v20200315preview:DiskPool" }, - new global::Pulumi.Alias { Type = "azure-native:storagepool/v20210401preview:DiskPool" }, new global::Pulumi.Alias { Type = "azure-native:storagepool/v20210801:DiskPool" }, + new global::Pulumi.Alias { Type = "azure-native_storagepool_v20200315preview:storagepool:DiskPool" }, + new global::Pulumi.Alias { Type = "azure-native_storagepool_v20210401preview:storagepool:DiskPool" }, + new global::Pulumi.Alias { Type = "azure-native_storagepool_v20210801:storagepool:DiskPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StoragePool/IscsiTarget.cs b/sdk/dotnet/StoragePool/IscsiTarget.cs index ed9e9697ee72..372b25883688 100644 --- a/sdk/dotnet/StoragePool/IscsiTarget.cs +++ b/sdk/dotnet/StoragePool/IscsiTarget.cs @@ -133,8 +133,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:storagepool/v20200315preview:IscsiTarget" }, - new global::Pulumi.Alias { Type = "azure-native:storagepool/v20210401preview:IscsiTarget" }, new global::Pulumi.Alias { Type = "azure-native:storagepool/v20210801:IscsiTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagepool_v20200315preview:storagepool:IscsiTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagepool_v20210401preview:storagepool:IscsiTarget" }, + new global::Pulumi.Alias { Type = "azure-native_storagepool_v20210801:storagepool:IscsiTarget" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageSync/CloudEndpoint.cs b/sdk/dotnet/StorageSync/CloudEndpoint.cs index 1256346e4e89..e2db691370a7 100644 --- a/sdk/dotnet/StorageSync/CloudEndpoint.cs +++ b/sdk/dotnet/StorageSync/CloudEndpoint.cs @@ -128,18 +128,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20170605preview:CloudEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20180402:CloudEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20180701:CloudEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20181001:CloudEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190201:CloudEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190301:CloudEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190601:CloudEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20191001:CloudEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200301:CloudEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200901:CloudEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220601:CloudEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220901:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20170605preview:storagesync:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20180402:storagesync:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20180701:storagesync:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20181001:storagesync:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190201:storagesync:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190301:storagesync:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190601:storagesync:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20191001:storagesync:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200301:storagesync:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200901:storagesync:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220601:storagesync:CloudEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220901:storagesync:CloudEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageSync/PrivateEndpointConnection.cs b/sdk/dotnet/StorageSync/PrivateEndpointConnection.cs index 42c6bf311678..5dd6d8f0738f 100644 --- a/sdk/dotnet/StorageSync/PrivateEndpointConnection.cs +++ b/sdk/dotnet/StorageSync/PrivateEndpointConnection.cs @@ -92,10 +92,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200901:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220601:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220901:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200301:storagesync:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200901:storagesync:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220601:storagesync:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220901:storagesync:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageSync/RegisteredServer.cs b/sdk/dotnet/StorageSync/RegisteredServer.cs index 6ce33b98cb3c..fec3425a6b80 100644 --- a/sdk/dotnet/StorageSync/RegisteredServer.cs +++ b/sdk/dotnet/StorageSync/RegisteredServer.cs @@ -230,18 +230,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20170605preview:RegisteredServer" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20180402:RegisteredServer" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20180701:RegisteredServer" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20181001:RegisteredServer" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190201:RegisteredServer" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190301:RegisteredServer" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190601:RegisteredServer" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20191001:RegisteredServer" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200301:RegisteredServer" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200901:RegisteredServer" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220601:RegisteredServer" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220901:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20170605preview:storagesync:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20180402:storagesync:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20180701:storagesync:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20181001:storagesync:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190201:storagesync:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190301:storagesync:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190601:storagesync:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20191001:storagesync:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200301:storagesync:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200901:storagesync:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220601:storagesync:RegisteredServer" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220901:storagesync:RegisteredServer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageSync/ServerEndpoint.cs b/sdk/dotnet/StorageSync/ServerEndpoint.cs index f29bedebfc00..6e69fa6dc9b0 100644 --- a/sdk/dotnet/StorageSync/ServerEndpoint.cs +++ b/sdk/dotnet/StorageSync/ServerEndpoint.cs @@ -194,18 +194,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20170605preview:ServerEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20180402:ServerEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20180701:ServerEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20181001:ServerEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190201:ServerEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190301:ServerEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190601:ServerEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20191001:ServerEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200301:ServerEndpoint" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200901:ServerEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220601:ServerEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220901:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20170605preview:storagesync:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20180402:storagesync:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20180701:storagesync:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20181001:storagesync:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190201:storagesync:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190301:storagesync:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190601:storagesync:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20191001:storagesync:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200301:storagesync:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200901:storagesync:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220601:storagesync:ServerEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220901:storagesync:ServerEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageSync/StorageSyncService.cs b/sdk/dotnet/StorageSync/StorageSyncService.cs index 2f2b94c1ce7b..4e3703e080cc 100644 --- a/sdk/dotnet/StorageSync/StorageSyncService.cs +++ b/sdk/dotnet/StorageSync/StorageSyncService.cs @@ -134,18 +134,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20170605preview:StorageSyncService" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20180402:StorageSyncService" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20180701:StorageSyncService" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20181001:StorageSyncService" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190201:StorageSyncService" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190301:StorageSyncService" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190601:StorageSyncService" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20191001:StorageSyncService" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200301:StorageSyncService" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200901:StorageSyncService" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220601:StorageSyncService" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220901:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20170605preview:storagesync:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20180402:storagesync:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20180701:storagesync:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20181001:storagesync:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190201:storagesync:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190301:storagesync:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190601:storagesync:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20191001:storagesync:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200301:storagesync:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200901:storagesync:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220601:storagesync:StorageSyncService" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220901:storagesync:StorageSyncService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StorageSync/SyncGroup.cs b/sdk/dotnet/StorageSync/SyncGroup.cs index ce34ca04ff65..b27e5ee220fc 100644 --- a/sdk/dotnet/StorageSync/SyncGroup.cs +++ b/sdk/dotnet/StorageSync/SyncGroup.cs @@ -80,18 +80,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20170605preview:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20180402:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20180701:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20181001:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190201:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190301:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20190601:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20191001:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200301:SyncGroup" }, - new global::Pulumi.Alias { Type = "azure-native:storagesync/v20200901:SyncGroup" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220601:SyncGroup" }, new global::Pulumi.Alias { Type = "azure-native:storagesync/v20220901:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20170605preview:storagesync:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20180402:storagesync:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20180701:storagesync:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20181001:storagesync:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190201:storagesync:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190301:storagesync:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20190601:storagesync:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20191001:storagesync:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200301:storagesync:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20200901:storagesync:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220601:storagesync:SyncGroup" }, + new global::Pulumi.Alias { Type = "azure-native_storagesync_v20220901:storagesync:SyncGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StreamAnalytics/Cluster.cs b/sdk/dotnet/StreamAnalytics/Cluster.cs index f36488f0b93d..a3003bec5d8d 100644 --- a/sdk/dotnet/StreamAnalytics/Cluster.cs +++ b/sdk/dotnet/StreamAnalytics/Cluster.cs @@ -116,6 +116,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20200301:Cluster" }, new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20200301preview:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20200301:streamanalytics:Cluster" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20200301preview:streamanalytics:Cluster" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StreamAnalytics/Function.cs b/sdk/dotnet/StreamAnalytics/Function.cs index 7bfaf965b32a..4bb050168d8b 100644 --- a/sdk/dotnet/StreamAnalytics/Function.cs +++ b/sdk/dotnet/StreamAnalytics/Function.cs @@ -69,9 +69,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20160301:Function" }, - new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20170401preview:Function" }, new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20200301:Function" }, new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20211001preview:Function" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20160301:streamanalytics:Function" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20170401preview:streamanalytics:Function" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20200301:streamanalytics:Function" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20211001preview:streamanalytics:Function" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StreamAnalytics/Input.cs b/sdk/dotnet/StreamAnalytics/Input.cs index ebe62f79f6d7..dca8a659ae3b 100644 --- a/sdk/dotnet/StreamAnalytics/Input.cs +++ b/sdk/dotnet/StreamAnalytics/Input.cs @@ -68,10 +68,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20160301:Input" }, - new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20170401preview:Input" }, new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20200301:Input" }, new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20211001preview:Input" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20160301:streamanalytics:Input" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20170401preview:streamanalytics:Input" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20200301:streamanalytics:Input" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20211001preview:streamanalytics:Input" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StreamAnalytics/Output.cs b/sdk/dotnet/StreamAnalytics/Output.cs index 80acc64a9e58..b172dcd216c3 100644 --- a/sdk/dotnet/StreamAnalytics/Output.cs +++ b/sdk/dotnet/StreamAnalytics/Output.cs @@ -98,10 +98,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20160301:Output" }, - new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20170401preview:Output" }, new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20200301:Output" }, new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20211001preview:Output" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20160301:streamanalytics:Output" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20170401preview:streamanalytics:Output" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20200301:streamanalytics:Output" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20211001preview:streamanalytics:Output" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StreamAnalytics/PrivateEndpoint.cs b/sdk/dotnet/StreamAnalytics/PrivateEndpoint.cs index 1df1b094f231..cd6f8b7613e2 100644 --- a/sdk/dotnet/StreamAnalytics/PrivateEndpoint.cs +++ b/sdk/dotnet/StreamAnalytics/PrivateEndpoint.cs @@ -80,6 +80,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20200301:PrivateEndpoint" }, new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20200301preview:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20200301:streamanalytics:PrivateEndpoint" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20200301preview:streamanalytics:PrivateEndpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/StreamAnalytics/StreamingJob.cs b/sdk/dotnet/StreamAnalytics/StreamingJob.cs index e32c773793c0..86686aa7770f 100644 --- a/sdk/dotnet/StreamAnalytics/StreamingJob.cs +++ b/sdk/dotnet/StreamAnalytics/StreamingJob.cs @@ -218,10 +218,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20160301:StreamingJob" }, new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20170401preview:StreamingJob" }, new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20200301:StreamingJob" }, new global::Pulumi.Alias { Type = "azure-native:streamanalytics/v20211001preview:StreamingJob" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20160301:streamanalytics:StreamingJob" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20170401preview:streamanalytics:StreamingJob" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20200301:streamanalytics:StreamingJob" }, + new global::Pulumi.Alias { Type = "azure-native_streamanalytics_v20211001preview:streamanalytics:StreamingJob" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Subscription/Alias.cs b/sdk/dotnet/Subscription/Alias.cs index 68bdce595a53..b24998787f34 100644 --- a/sdk/dotnet/Subscription/Alias.cs +++ b/sdk/dotnet/Subscription/Alias.cs @@ -74,10 +74,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:subscription/v20191001preview:Alias" }, new global::Pulumi.Alias { Type = "azure-native:subscription/v20200901:Alias" }, new global::Pulumi.Alias { Type = "azure-native:subscription/v20211001:Alias" }, new global::Pulumi.Alias { Type = "azure-native:subscription/v20240801preview:Alias" }, + new global::Pulumi.Alias { Type = "azure-native_subscription_v20191001preview:subscription:Alias" }, + new global::Pulumi.Alias { Type = "azure-native_subscription_v20200901:subscription:Alias" }, + new global::Pulumi.Alias { Type = "azure-native_subscription_v20211001:subscription:Alias" }, + new global::Pulumi.Alias { Type = "azure-native_subscription_v20240801preview:subscription:Alias" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Subscription/SubscriptionTarDirectory.cs b/sdk/dotnet/Subscription/SubscriptionTarDirectory.cs index 8b2af874da41..9cdf56afe3a4 100644 --- a/sdk/dotnet/Subscription/SubscriptionTarDirectory.cs +++ b/sdk/dotnet/Subscription/SubscriptionTarDirectory.cs @@ -67,6 +67,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:subscription/v20240801preview:SubscriptionTarDirectory" }, + new global::Pulumi.Alias { Type = "azure-native_subscription_v20240801preview:subscription:SubscriptionTarDirectory" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/BigDataPool.cs b/sdk/dotnet/Synapse/BigDataPool.cs index ac5b5bf4b571..60294fd46140 100644 --- a/sdk/dotnet/Synapse/BigDataPool.cs +++ b/sdk/dotnet/Synapse/BigDataPool.cs @@ -188,13 +188,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:BigDataPool" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:BigDataPool" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:BigDataPool" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:BigDataPool" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:BigDataPool" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:BigDataPool" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:BigDataPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:BigDataPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:BigDataPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:BigDataPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:BigDataPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:BigDataPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:BigDataPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:BigDataPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/DatabasePrincipalAssignment.cs b/sdk/dotnet/Synapse/DatabasePrincipalAssignment.cs index 4a9794a3fd4c..848e206139a6 100644 --- a/sdk/dotnet/Synapse/DatabasePrincipalAssignment.cs +++ b/sdk/dotnet/Synapse/DatabasePrincipalAssignment.cs @@ -109,9 +109,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:DatabasePrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:DatabasePrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:KustoPoolDatabasePrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:synapse:KustoPoolDatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:DatabasePrincipalAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/EventGridDataConnection.cs b/sdk/dotnet/Synapse/EventGridDataConnection.cs index 000be2050fd6..29dbed629624 100644 --- a/sdk/dotnet/Synapse/EventGridDataConnection.cs +++ b/sdk/dotnet/Synapse/EventGridDataConnection.cs @@ -140,12 +140,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:EventHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:IotHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse:EventHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:EventGridDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:EventGridDataConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/EventHubDataConnection.cs b/sdk/dotnet/Synapse/EventHubDataConnection.cs index 45e52f3e075b..d668e8dc0f59 100644 --- a/sdk/dotnet/Synapse/EventHubDataConnection.cs +++ b/sdk/dotnet/Synapse/EventHubDataConnection.cs @@ -140,12 +140,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:EventHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:EventHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:IotHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:EventHubDataConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/IntegrationRuntime.cs b/sdk/dotnet/Synapse/IntegrationRuntime.cs index ba2dcd985046..682ab199fafd 100644 --- a/sdk/dotnet/Synapse/IntegrationRuntime.cs +++ b/sdk/dotnet/Synapse/IntegrationRuntime.cs @@ -74,13 +74,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:IntegrationRuntime" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:IntegrationRuntime" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:IntegrationRuntime" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:IntegrationRuntime" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:IntegrationRuntime" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:IntegrationRuntime" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:IntegrationRuntime" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:IntegrationRuntime" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:IntegrationRuntime" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:IntegrationRuntime" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:IntegrationRuntime" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:IntegrationRuntime" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:IntegrationRuntime" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:IntegrationRuntime" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/IotHubDataConnection.cs b/sdk/dotnet/Synapse/IotHubDataConnection.cs index 78653b4c3a87..af1b093cf725 100644 --- a/sdk/dotnet/Synapse/IotHubDataConnection.cs +++ b/sdk/dotnet/Synapse/IotHubDataConnection.cs @@ -134,12 +134,13 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:IotHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:EventHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:IotHubDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse:EventGridDataConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse:EventHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:IotHubDataConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:IotHubDataConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/IpFirewallRule.cs b/sdk/dotnet/Synapse/IpFirewallRule.cs index 56444b5df218..3d7667745903 100644 --- a/sdk/dotnet/Synapse/IpFirewallRule.cs +++ b/sdk/dotnet/Synapse/IpFirewallRule.cs @@ -80,13 +80,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:IpFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:IpFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:IpFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:IpFirewallRule" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:IpFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:IpFirewallRule" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:IpFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:IpFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:IpFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:IpFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:IpFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:IpFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:IpFirewallRule" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:IpFirewallRule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/Key.cs b/sdk/dotnet/Synapse/Key.cs index cc9213bdb4da..74e87f4bb2e0 100644 --- a/sdk/dotnet/Synapse/Key.cs +++ b/sdk/dotnet/Synapse/Key.cs @@ -74,13 +74,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:Key" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:Key" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:Key" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:Key" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:Key" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:Key" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:Key" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:Key" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:Key" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:Key" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:Key" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:Key" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:Key" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:Key" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/KustoPool.cs b/sdk/dotnet/Synapse/KustoPool.cs index a7aed3d4864e..b188e5a46d80 100644 --- a/sdk/dotnet/Synapse/KustoPool.cs +++ b/sdk/dotnet/Synapse/KustoPool.cs @@ -154,6 +154,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:KustoPool" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:KustoPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:KustoPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:KustoPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/KustoPoolAttachedDatabaseConfiguration.cs b/sdk/dotnet/Synapse/KustoPoolAttachedDatabaseConfiguration.cs index 627ae6f7514f..6f938ea3fa4b 100644 --- a/sdk/dotnet/Synapse/KustoPoolAttachedDatabaseConfiguration.cs +++ b/sdk/dotnet/Synapse/KustoPoolAttachedDatabaseConfiguration.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:KustoPoolAttachedDatabaseConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:KustoPoolAttachedDatabaseConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/KustoPoolDatabasePrincipalAssignment.cs b/sdk/dotnet/Synapse/KustoPoolDatabasePrincipalAssignment.cs index 2e28e669c9c9..76a147b7eb49 100644 --- a/sdk/dotnet/Synapse/KustoPoolDatabasePrincipalAssignment.cs +++ b/sdk/dotnet/Synapse/KustoPoolDatabasePrincipalAssignment.cs @@ -115,9 +115,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:DatabasePrincipalAssignment" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:KustoPoolDatabasePrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:KustoPoolDatabasePrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:synapse:DatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:KustoPoolDatabasePrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:KustoPoolDatabasePrincipalAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/KustoPoolPrincipalAssignment.cs b/sdk/dotnet/Synapse/KustoPoolPrincipalAssignment.cs index 8514ac85ef58..fe81c2571360 100644 --- a/sdk/dotnet/Synapse/KustoPoolPrincipalAssignment.cs +++ b/sdk/dotnet/Synapse/KustoPoolPrincipalAssignment.cs @@ -116,8 +116,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:KustoPoolPrincipalAssignment" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:KustoPoolPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:KustoPoolPrincipalAssignment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:KustoPoolPrincipalAssignment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/PrivateEndpointConnection.cs b/sdk/dotnet/Synapse/PrivateEndpointConnection.cs index 4b441cda9b0b..e07eab31a997 100644 --- a/sdk/dotnet/Synapse/PrivateEndpointConnection.cs +++ b/sdk/dotnet/Synapse/PrivateEndpointConnection.cs @@ -80,13 +80,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:PrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:PrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/PrivateLinkHub.cs b/sdk/dotnet/Synapse/PrivateLinkHub.cs index 1faec2d71350..45391904f5bd 100644 --- a/sdk/dotnet/Synapse/PrivateLinkHub.cs +++ b/sdk/dotnet/Synapse/PrivateLinkHub.cs @@ -86,13 +86,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:PrivateLinkHub" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:PrivateLinkHub" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:PrivateLinkHub" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:PrivateLinkHub" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:PrivateLinkHub" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:PrivateLinkHub" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:PrivateLinkHub" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:PrivateLinkHub" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:PrivateLinkHub" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:PrivateLinkHub" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:PrivateLinkHub" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:PrivateLinkHub" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:PrivateLinkHub" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:PrivateLinkHub" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/ReadOnlyFollowingDatabase.cs b/sdk/dotnet/Synapse/ReadOnlyFollowingDatabase.cs index 8a935a383d24..b499ba131874 100644 --- a/sdk/dotnet/Synapse/ReadOnlyFollowingDatabase.cs +++ b/sdk/dotnet/Synapse/ReadOnlyFollowingDatabase.cs @@ -128,10 +128,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:synapse:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:ReadOnlyFollowingDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/ReadWriteDatabase.cs b/sdk/dotnet/Synapse/ReadWriteDatabase.cs index 9ad991bdf167..5779222d3c6d 100644 --- a/sdk/dotnet/Synapse/ReadWriteDatabase.cs +++ b/sdk/dotnet/Synapse/ReadWriteDatabase.cs @@ -116,10 +116,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:ReadOnlyFollowingDatabase" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:ReadWriteDatabase" }, new global::Pulumi.Alias { Type = "azure-native:synapse:ReadOnlyFollowingDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:ReadWriteDatabase" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:ReadWriteDatabase" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/SqlPool.cs b/sdk/dotnet/Synapse/SqlPool.cs index ff4e045dddaa..cc13355f3350 100644 --- a/sdk/dotnet/Synapse/SqlPool.cs +++ b/sdk/dotnet/Synapse/SqlPool.cs @@ -134,14 +134,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:SqlPool" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20200401preview:SqlPool" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:SqlPool" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:SqlPool" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:SqlPool" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:SqlPool" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:SqlPool" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:SqlPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:SqlPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20200401preview:synapse:SqlPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:SqlPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:SqlPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:SqlPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:SqlPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:SqlPool" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:SqlPool" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/SqlPoolSensitivityLabel.cs b/sdk/dotnet/Synapse/SqlPoolSensitivityLabel.cs index af0e3e557205..d3930e26d687 100644 --- a/sdk/dotnet/Synapse/SqlPoolSensitivityLabel.cs +++ b/sdk/dotnet/Synapse/SqlPoolSensitivityLabel.cs @@ -119,13 +119,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:SqlPoolSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:SqlPoolSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:SqlPoolSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:SqlPoolSensitivityLabel" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:SqlPoolSensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:SqlPoolSensitivityLabel" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:SqlPoolSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:SqlPoolSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:SqlPoolSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:SqlPoolSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:SqlPoolSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:SqlPoolSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:SqlPoolSensitivityLabel" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:SqlPoolSensitivityLabel" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/SqlPoolTransparentDataEncryption.cs b/sdk/dotnet/Synapse/SqlPoolTransparentDataEncryption.cs index 3f17c6de161a..08c7cb1844a9 100644 --- a/sdk/dotnet/Synapse/SqlPoolTransparentDataEncryption.cs +++ b/sdk/dotnet/Synapse/SqlPoolTransparentDataEncryption.cs @@ -74,13 +74,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:SqlPoolTransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:SqlPoolTransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:SqlPoolTransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:SqlPoolTransparentDataEncryption" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:SqlPoolTransparentDataEncryption" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:SqlPoolTransparentDataEncryption" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:SqlPoolTransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:SqlPoolTransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:SqlPoolTransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:SqlPoolTransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:SqlPoolTransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:SqlPoolTransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:SqlPoolTransparentDataEncryption" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:SqlPoolTransparentDataEncryption" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/SqlPoolVulnerabilityAssessment.cs b/sdk/dotnet/Synapse/SqlPoolVulnerabilityAssessment.cs index b8fc763b02a9..8a285a0cedd5 100644 --- a/sdk/dotnet/Synapse/SqlPoolVulnerabilityAssessment.cs +++ b/sdk/dotnet/Synapse/SqlPoolVulnerabilityAssessment.cs @@ -74,13 +74,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:SqlPoolVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:SqlPoolVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:SqlPoolVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:SqlPoolVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:SqlPoolVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:SqlPoolVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:SqlPoolVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:SqlPoolVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:SqlPoolVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:SqlPoolVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:SqlPoolVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:SqlPoolVulnerabilityAssessment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/SqlPoolVulnerabilityAssessmentRuleBaseline.cs b/sdk/dotnet/Synapse/SqlPoolVulnerabilityAssessmentRuleBaseline.cs index c794a9be477b..63048de83ec3 100644 --- a/sdk/dotnet/Synapse/SqlPoolVulnerabilityAssessmentRuleBaseline.cs +++ b/sdk/dotnet/Synapse/SqlPoolVulnerabilityAssessmentRuleBaseline.cs @@ -68,13 +68,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:SqlPoolVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:SqlPoolVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:SqlPoolVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:SqlPoolVulnerabilityAssessmentRuleBaseline" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:SqlPoolVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessmentRuleBaseline" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/SqlPoolWorkloadClassifier.cs b/sdk/dotnet/Synapse/SqlPoolWorkloadClassifier.cs index a1e000e6d517..6fab7e63e801 100644 --- a/sdk/dotnet/Synapse/SqlPoolWorkloadClassifier.cs +++ b/sdk/dotnet/Synapse/SqlPoolWorkloadClassifier.cs @@ -98,13 +98,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:SqlPoolWorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:SqlPoolWorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:SqlPoolWorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:SqlPoolWorkloadClassifier" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:SqlPoolWorkloadClassifier" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:SqlPoolWorkloadClassifier" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:SqlPoolWorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:SqlPoolWorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:SqlPoolWorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:SqlPoolWorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:SqlPoolWorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:SqlPoolWorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:SqlPoolWorkloadClassifier" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:SqlPoolWorkloadClassifier" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/SqlPoolWorkloadGroup.cs b/sdk/dotnet/Synapse/SqlPoolWorkloadGroup.cs index 867bc255ba33..31e681cd3237 100644 --- a/sdk/dotnet/Synapse/SqlPoolWorkloadGroup.cs +++ b/sdk/dotnet/Synapse/SqlPoolWorkloadGroup.cs @@ -98,13 +98,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:SqlPoolWorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:SqlPoolWorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:SqlPoolWorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:SqlPoolWorkloadGroup" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:SqlPoolWorkloadGroup" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:SqlPoolWorkloadGroup" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:SqlPoolWorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:SqlPoolWorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:SqlPoolWorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:SqlPoolWorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:SqlPoolWorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:SqlPoolWorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:SqlPoolWorkloadGroup" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:SqlPoolWorkloadGroup" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/Workspace.cs b/sdk/dotnet/Synapse/Workspace.cs index 1ed526701cc5..6c216ae57d7c 100644 --- a/sdk/dotnet/Synapse/Workspace.cs +++ b/sdk/dotnet/Synapse/Workspace.cs @@ -200,13 +200,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:Workspace" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:Workspace" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:Workspace" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:Workspace" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/WorkspaceAadAdmin.cs b/sdk/dotnet/Synapse/WorkspaceAadAdmin.cs index b9859ca0b00c..9ee230c704d7 100644 --- a/sdk/dotnet/Synapse/WorkspaceAadAdmin.cs +++ b/sdk/dotnet/Synapse/WorkspaceAadAdmin.cs @@ -86,13 +86,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:WorkspaceAadAdmin" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:WorkspaceAadAdmin" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:WorkspaceAadAdmin" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:WorkspaceAadAdmin" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:WorkspaceAadAdmin" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:WorkspaceAadAdmin" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:WorkspaceAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:WorkspaceAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:WorkspaceAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:WorkspaceAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:WorkspaceAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:WorkspaceAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:WorkspaceAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:WorkspaceAadAdmin" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/WorkspaceManagedSqlServerVulnerabilityAssessment.cs b/sdk/dotnet/Synapse/WorkspaceManagedSqlServerVulnerabilityAssessment.cs index 8a7d50fd4cc9..398906436111 100644 --- a/sdk/dotnet/Synapse/WorkspaceManagedSqlServerVulnerabilityAssessment.cs +++ b/sdk/dotnet/Synapse/WorkspaceManagedSqlServerVulnerabilityAssessment.cs @@ -74,13 +74,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:WorkspaceManagedSqlServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:WorkspaceManagedSqlServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:WorkspaceManagedSqlServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:WorkspaceManagedSqlServerVulnerabilityAssessment" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:WorkspaceManagedSqlServerVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:WorkspaceManagedSqlServerVulnerabilityAssessment" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:WorkspaceManagedSqlServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Synapse/WorkspaceSqlAadAdmin.cs b/sdk/dotnet/Synapse/WorkspaceSqlAadAdmin.cs index 41b1dd399d7c..3b27c78a19b5 100644 --- a/sdk/dotnet/Synapse/WorkspaceSqlAadAdmin.cs +++ b/sdk/dotnet/Synapse/WorkspaceSqlAadAdmin.cs @@ -88,13 +88,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:synapse/v20190601preview:WorkspaceSqlAadAdmin" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20201201:WorkspaceSqlAadAdmin" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210301:WorkspaceSqlAadAdmin" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210401preview:WorkspaceSqlAadAdmin" }, - new global::Pulumi.Alias { Type = "azure-native:synapse/v20210501:WorkspaceSqlAadAdmin" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601:WorkspaceSqlAadAdmin" }, new global::Pulumi.Alias { Type = "azure-native:synapse/v20210601preview:WorkspaceSqlAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20190601preview:synapse:WorkspaceSqlAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20201201:synapse:WorkspaceSqlAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210301:synapse:WorkspaceSqlAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210401preview:synapse:WorkspaceSqlAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210501:synapse:WorkspaceSqlAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601:synapse:WorkspaceSqlAadAdmin" }, + new global::Pulumi.Alias { Type = "azure-native_synapse_v20210601preview:synapse:WorkspaceSqlAadAdmin" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Syntex/DocumentProcessor.cs b/sdk/dotnet/Syntex/DocumentProcessor.cs index c5e6aaaa3362..4c7d75198fa6 100644 --- a/sdk/dotnet/Syntex/DocumentProcessor.cs +++ b/sdk/dotnet/Syntex/DocumentProcessor.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:syntex/v20220915preview:DocumentProcessor" }, + new global::Pulumi.Alias { Type = "azure-native_syntex_v20220915preview:syntex:DocumentProcessor" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TestBase/ActionRequest.cs b/sdk/dotnet/TestBase/ActionRequest.cs index 73868b2f2409..20cef5e711f3 100644 --- a/sdk/dotnet/TestBase/ActionRequest.cs +++ b/sdk/dotnet/TestBase/ActionRequest.cs @@ -83,6 +83,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:testbase/v20231101preview:ActionRequest" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20231101preview:testbase:ActionRequest" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TestBase/Credential.cs b/sdk/dotnet/TestBase/Credential.cs index 2e0b5767f623..3b4039dd699d 100644 --- a/sdk/dotnet/TestBase/Credential.cs +++ b/sdk/dotnet/TestBase/Credential.cs @@ -79,6 +79,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:testbase/v20231101preview:Credential" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20231101preview:testbase:Credential" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TestBase/CustomImage.cs b/sdk/dotnet/TestBase/CustomImage.cs index 1012aceb6040..93a651a6ab17 100644 --- a/sdk/dotnet/TestBase/CustomImage.cs +++ b/sdk/dotnet/TestBase/CustomImage.cs @@ -145,6 +145,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:testbase/v20231101preview:CustomImage" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20231101preview:testbase:CustomImage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TestBase/CustomerEvent.cs b/sdk/dotnet/TestBase/CustomerEvent.cs index 3221cb5e0080..8dcc3d20063f 100644 --- a/sdk/dotnet/TestBase/CustomerEvent.cs +++ b/sdk/dotnet/TestBase/CustomerEvent.cs @@ -80,9 +80,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:testbase/v20201216preview:CustomerEvent" }, new global::Pulumi.Alias { Type = "azure-native:testbase/v20220401preview:CustomerEvent" }, new global::Pulumi.Alias { Type = "azure-native:testbase/v20231101preview:CustomerEvent" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20201216preview:testbase:CustomerEvent" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20220401preview:testbase:CustomerEvent" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20231101preview:testbase:CustomerEvent" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TestBase/DraftPackage.cs b/sdk/dotnet/TestBase/DraftPackage.cs index 013a3b82aa49..1371f2ac8150 100644 --- a/sdk/dotnet/TestBase/DraftPackage.cs +++ b/sdk/dotnet/TestBase/DraftPackage.cs @@ -229,6 +229,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:testbase/v20231101preview:DraftPackage" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20231101preview:testbase:DraftPackage" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TestBase/FavoriteProcess.cs b/sdk/dotnet/TestBase/FavoriteProcess.cs index 7a1143d85766..f14c1bf4c57e 100644 --- a/sdk/dotnet/TestBase/FavoriteProcess.cs +++ b/sdk/dotnet/TestBase/FavoriteProcess.cs @@ -74,9 +74,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:testbase/v20201216preview:FavoriteProcess" }, new global::Pulumi.Alias { Type = "azure-native:testbase/v20220401preview:FavoriteProcess" }, new global::Pulumi.Alias { Type = "azure-native:testbase/v20231101preview:FavoriteProcess" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20201216preview:testbase:FavoriteProcess" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20220401preview:testbase:FavoriteProcess" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20231101preview:testbase:FavoriteProcess" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TestBase/ImageDefinition.cs b/sdk/dotnet/TestBase/ImageDefinition.cs index 5cccab83d527..4789f1514579 100644 --- a/sdk/dotnet/TestBase/ImageDefinition.cs +++ b/sdk/dotnet/TestBase/ImageDefinition.cs @@ -88,6 +88,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:testbase/v20231101preview:ImageDefinition" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20231101preview:testbase:ImageDefinition" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TestBase/Package.cs b/sdk/dotnet/TestBase/Package.cs index 2eef1f92c130..433ba515abba 100644 --- a/sdk/dotnet/TestBase/Package.cs +++ b/sdk/dotnet/TestBase/Package.cs @@ -182,9 +182,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:testbase/v20201216preview:Package" }, new global::Pulumi.Alias { Type = "azure-native:testbase/v20220401preview:Package" }, new global::Pulumi.Alias { Type = "azure-native:testbase/v20231101preview:Package" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20201216preview:testbase:Package" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20220401preview:testbase:Package" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20231101preview:testbase:Package" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TestBase/TestBaseAccount.cs b/sdk/dotnet/TestBase/TestBaseAccount.cs index 1659a899a5c8..ea766258dd97 100644 --- a/sdk/dotnet/TestBase/TestBaseAccount.cs +++ b/sdk/dotnet/TestBase/TestBaseAccount.cs @@ -104,9 +104,11 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:testbase/v20201216preview:TestBaseAccount" }, new global::Pulumi.Alias { Type = "azure-native:testbase/v20220401preview:TestBaseAccount" }, new global::Pulumi.Alias { Type = "azure-native:testbase/v20231101preview:TestBaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20201216preview:testbase:TestBaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20220401preview:testbase:TestBaseAccount" }, + new global::Pulumi.Alias { Type = "azure-native_testbase_v20231101preview:testbase:TestBaseAccount" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TimeSeriesInsights/AccessPolicy.cs b/sdk/dotnet/TimeSeriesInsights/AccessPolicy.cs index 404b0d0e0785..99bfdd714a78 100644 --- a/sdk/dotnet/TimeSeriesInsights/AccessPolicy.cs +++ b/sdk/dotnet/TimeSeriesInsights/AccessPolicy.cs @@ -80,12 +80,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20170228preview:AccessPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20171115:AccessPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20180815preview:AccessPolicy" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20200515:AccessPolicy" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210331preview:AccessPolicy" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210630preview:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20171115:timeseriesinsights:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20200515:timeseriesinsights:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:AccessPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TimeSeriesInsights/EventHubEventSource.cs b/sdk/dotnet/TimeSeriesInsights/EventHubEventSource.cs index 2c70e660b4b1..f58341e2b438 100644 --- a/sdk/dotnet/TimeSeriesInsights/EventHubEventSource.cs +++ b/sdk/dotnet/TimeSeriesInsights/EventHubEventSource.cs @@ -146,14 +146,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20170228preview:EventHubEventSource" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20171115:EventHubEventSource" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20180815preview:EventHubEventSource" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20200515:EventHubEventSource" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210331preview:EventHubEventSource" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210630preview:EventHubEventSource" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210630preview:IoTHubEventSource" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights:IoTHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:EventHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20171115:timeseriesinsights:EventHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:EventHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20200515:timeseriesinsights:EventHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:EventHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:EventHubEventSource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TimeSeriesInsights/Gen1Environment.cs b/sdk/dotnet/TimeSeriesInsights/Gen1Environment.cs index c300a866e7ed..7528bb78bd6f 100644 --- a/sdk/dotnet/TimeSeriesInsights/Gen1Environment.cs +++ b/sdk/dotnet/TimeSeriesInsights/Gen1Environment.cs @@ -140,15 +140,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20170228preview:Gen1Environment" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20171115:Gen1Environment" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20180815preview:Gen1Environment" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20200515:Gen1Environment" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210331preview:Gen1Environment" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210331preview:Gen2Environment" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210630preview:Gen1Environment" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210630preview:Gen2Environment" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights:Gen2Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:Gen1Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20171115:timeseriesinsights:Gen1Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:Gen1Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20200515:timeseriesinsights:Gen1Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:Gen1Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:Gen1Environment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TimeSeriesInsights/Gen2Environment.cs b/sdk/dotnet/TimeSeriesInsights/Gen2Environment.cs index 89da6b655caf..b0d030504626 100644 --- a/sdk/dotnet/TimeSeriesInsights/Gen2Environment.cs +++ b/sdk/dotnet/TimeSeriesInsights/Gen2Environment.cs @@ -140,14 +140,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20170228preview:Gen2Environment" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20171115:Gen2Environment" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20180815preview:Gen2Environment" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20200515:Gen2Environment" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210331preview:Gen2Environment" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210630preview:Gen1Environment" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210630preview:Gen2Environment" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights:Gen1Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:Gen2Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20171115:timeseriesinsights:Gen2Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:Gen2Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20200515:timeseriesinsights:Gen2Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:Gen2Environment" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:Gen2Environment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TimeSeriesInsights/IoTHubEventSource.cs b/sdk/dotnet/TimeSeriesInsights/IoTHubEventSource.cs index c3869132f30a..20d3ad20780c 100644 --- a/sdk/dotnet/TimeSeriesInsights/IoTHubEventSource.cs +++ b/sdk/dotnet/TimeSeriesInsights/IoTHubEventSource.cs @@ -140,14 +140,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20170228preview:IoTHubEventSource" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20171115:IoTHubEventSource" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20180815preview:IoTHubEventSource" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20200515:IoTHubEventSource" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210331preview:IoTHubEventSource" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210630preview:EventHubEventSource" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210630preview:IoTHubEventSource" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights:EventHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:IoTHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20171115:timeseriesinsights:IoTHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:IoTHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20200515:timeseriesinsights:IoTHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:IoTHubEventSource" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:IoTHubEventSource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TimeSeriesInsights/ReferenceDataSet.cs b/sdk/dotnet/TimeSeriesInsights/ReferenceDataSet.cs index 4b39ab8c7752..73b332961e6b 100644 --- a/sdk/dotnet/TimeSeriesInsights/ReferenceDataSet.cs +++ b/sdk/dotnet/TimeSeriesInsights/ReferenceDataSet.cs @@ -98,12 +98,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20170228preview:ReferenceDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20171115:ReferenceDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20180815preview:ReferenceDataSet" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20200515:ReferenceDataSet" }, - new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210331preview:ReferenceDataSet" }, new global::Pulumi.Alias { Type = "azure-native:timeseriesinsights/v20210630preview:ReferenceDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:ReferenceDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20171115:timeseriesinsights:ReferenceDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:ReferenceDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20200515:timeseriesinsights:ReferenceDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:ReferenceDataSet" }, + new global::Pulumi.Alias { Type = "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:ReferenceDataSet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TrafficManager/Endpoint.cs b/sdk/dotnet/TrafficManager/Endpoint.cs index 8f3dc32b420a..843377c9a402 100644 --- a/sdk/dotnet/TrafficManager/Endpoint.cs +++ b/sdk/dotnet/TrafficManager/Endpoint.cs @@ -149,15 +149,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20220401:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:Endpoint" }, new global::Pulumi.Alias { Type = "azure-native:network:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20151101:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20170301:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20170501:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20180201:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20180301:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20180401:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20180801:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20220401:Endpoint" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20220401preview:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20151101:trafficmanager:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20170301:trafficmanager:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20170501:trafficmanager:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20180201:trafficmanager:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20180301:trafficmanager:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20180401:trafficmanager:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20180801:trafficmanager:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20220401:trafficmanager:Endpoint" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20220401preview:trafficmanager:Endpoint" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TrafficManager/Profile.cs b/sdk/dotnet/TrafficManager/Profile.cs index 472baef6f2de..78d2efca8c9c 100644 --- a/sdk/dotnet/TrafficManager/Profile.cs +++ b/sdk/dotnet/TrafficManager/Profile.cs @@ -125,15 +125,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20220401:Profile" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:Profile" }, new global::Pulumi.Alias { Type = "azure-native:network:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20151101:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20170301:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20170501:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20180201:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20180301:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20180401:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20180801:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20220401:Profile" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20220401preview:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20151101:trafficmanager:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20170301:trafficmanager:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20170501:trafficmanager:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20180201:trafficmanager:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20180301:trafficmanager:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20180401:trafficmanager:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20180801:trafficmanager:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20220401:trafficmanager:Profile" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20220401preview:trafficmanager:Profile" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/TrafficManager/TrafficManagerUserMetricsKey.cs b/sdk/dotnet/TrafficManager/TrafficManagerUserMetricsKey.cs index 296aa9b0b5dd..839584d3edaa 100644 --- a/sdk/dotnet/TrafficManager/TrafficManagerUserMetricsKey.cs +++ b/sdk/dotnet/TrafficManager/TrafficManagerUserMetricsKey.cs @@ -71,10 +71,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:network/v20220401:TrafficManagerUserMetricsKey" }, new global::Pulumi.Alias { Type = "azure-native:network/v20220401preview:TrafficManagerUserMetricsKey" }, new global::Pulumi.Alias { Type = "azure-native:network:TrafficManagerUserMetricsKey" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20180401:TrafficManagerUserMetricsKey" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20180801:TrafficManagerUserMetricsKey" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20220401:TrafficManagerUserMetricsKey" }, - new global::Pulumi.Alias { Type = "azure-native:trafficmanager/v20220401preview:TrafficManagerUserMetricsKey" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20180401:trafficmanager:TrafficManagerUserMetricsKey" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20180801:trafficmanager:TrafficManagerUserMetricsKey" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20220401:trafficmanager:TrafficManagerUserMetricsKey" }, + new global::Pulumi.Alias { Type = "azure-native_trafficmanager_v20220401preview:trafficmanager:TrafficManagerUserMetricsKey" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VMwareCloudSimple/DedicatedCloudNode.cs b/sdk/dotnet/VMwareCloudSimple/DedicatedCloudNode.cs index c41bb8e974cc..bb2174f9c1af 100644 --- a/sdk/dotnet/VMwareCloudSimple/DedicatedCloudNode.cs +++ b/sdk/dotnet/VMwareCloudSimple/DedicatedCloudNode.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:vmwarecloudsimple/v20190401:DedicatedCloudNode" }, + new global::Pulumi.Alias { Type = "azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:DedicatedCloudNode" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VMwareCloudSimple/DedicatedCloudService.cs b/sdk/dotnet/VMwareCloudSimple/DedicatedCloudService.cs index 37a084a42d53..af22f8b71100 100644 --- a/sdk/dotnet/VMwareCloudSimple/DedicatedCloudService.cs +++ b/sdk/dotnet/VMwareCloudSimple/DedicatedCloudService.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:vmwarecloudsimple/v20190401:DedicatedCloudService" }, + new global::Pulumi.Alias { Type = "azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:DedicatedCloudService" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VMwareCloudSimple/VirtualMachine.cs b/sdk/dotnet/VMwareCloudSimple/VirtualMachine.cs index 7d43ed2a1985..41ac83a288f2 100644 --- a/sdk/dotnet/VMwareCloudSimple/VirtualMachine.cs +++ b/sdk/dotnet/VMwareCloudSimple/VirtualMachine.cs @@ -205,6 +205,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:vmwarecloudsimple/v20190401:VirtualMachine" }, + new global::Pulumi.Alias { Type = "azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:VirtualMachine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VerifiedId/Authority.cs b/sdk/dotnet/VerifiedId/Authority.cs index b4012d2c695f..1ba403cf1669 100644 --- a/sdk/dotnet/VerifiedId/Authority.cs +++ b/sdk/dotnet/VerifiedId/Authority.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:verifiedid/v20240126preview:Authority" }, + new global::Pulumi.Alias { Type = "azure-native_verifiedid_v20240126preview:verifiedid:Authority" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VideoAnalyzer/AccessPolicy.cs b/sdk/dotnet/VideoAnalyzer/AccessPolicy.cs index 894288520e94..c7e305daa023 100644 --- a/sdk/dotnet/VideoAnalyzer/AccessPolicy.cs +++ b/sdk/dotnet/VideoAnalyzer/AccessPolicy.cs @@ -78,8 +78,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20210501preview:AccessPolicy" }, new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20211101preview:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20210501preview:videoanalyzer:AccessPolicy" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20211101preview:videoanalyzer:AccessPolicy" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VideoAnalyzer/EdgeModule.cs b/sdk/dotnet/VideoAnalyzer/EdgeModule.cs index 089d898a6db0..98a94d9d7f49 100644 --- a/sdk/dotnet/VideoAnalyzer/EdgeModule.cs +++ b/sdk/dotnet/VideoAnalyzer/EdgeModule.cs @@ -72,8 +72,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20210501preview:EdgeModule" }, new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20211101preview:EdgeModule" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20210501preview:videoanalyzer:EdgeModule" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20211101preview:videoanalyzer:EdgeModule" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VideoAnalyzer/LivePipeline.cs b/sdk/dotnet/VideoAnalyzer/LivePipeline.cs index 421758172b3e..41e25c2bba54 100644 --- a/sdk/dotnet/VideoAnalyzer/LivePipeline.cs +++ b/sdk/dotnet/VideoAnalyzer/LivePipeline.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20211101preview:LivePipeline" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20211101preview:videoanalyzer:LivePipeline" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VideoAnalyzer/PipelineJob.cs b/sdk/dotnet/VideoAnalyzer/PipelineJob.cs index ea413bdc8cf6..0c696d0123b7 100644 --- a/sdk/dotnet/VideoAnalyzer/PipelineJob.cs +++ b/sdk/dotnet/VideoAnalyzer/PipelineJob.cs @@ -103,6 +103,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20211101preview:PipelineJob" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20211101preview:videoanalyzer:PipelineJob" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VideoAnalyzer/PipelineTopology.cs b/sdk/dotnet/VideoAnalyzer/PipelineTopology.cs index 7d7365ae1784..7da90e5a74a8 100644 --- a/sdk/dotnet/VideoAnalyzer/PipelineTopology.cs +++ b/sdk/dotnet/VideoAnalyzer/PipelineTopology.cs @@ -114,6 +114,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20211101preview:PipelineTopology" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20211101preview:videoanalyzer:PipelineTopology" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VideoAnalyzer/PrivateEndpointConnection.cs b/sdk/dotnet/VideoAnalyzer/PrivateEndpointConnection.cs index a9de30d3b0cf..1074ebe9d465 100644 --- a/sdk/dotnet/VideoAnalyzer/PrivateEndpointConnection.cs +++ b/sdk/dotnet/VideoAnalyzer/PrivateEndpointConnection.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20211101preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20211101preview:videoanalyzer:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VideoAnalyzer/Video.cs b/sdk/dotnet/VideoAnalyzer/Video.cs index 232974e5a261..f825130cfe20 100644 --- a/sdk/dotnet/VideoAnalyzer/Video.cs +++ b/sdk/dotnet/VideoAnalyzer/Video.cs @@ -104,6 +104,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20210501preview:Video" }, new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20211101preview:Video" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20210501preview:videoanalyzer:Video" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20211101preview:videoanalyzer:Video" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VideoAnalyzer/VideoAnalyzer.cs b/sdk/dotnet/VideoAnalyzer/VideoAnalyzer.cs index 90f70936c8a5..92ab519a70fe 100644 --- a/sdk/dotnet/VideoAnalyzer/VideoAnalyzer.cs +++ b/sdk/dotnet/VideoAnalyzer/VideoAnalyzer.cs @@ -134,6 +134,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20210501preview:VideoAnalyzer" }, new global::Pulumi.Alias { Type = "azure-native:videoanalyzer/v20211101preview:VideoAnalyzer" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20210501preview:videoanalyzer:VideoAnalyzer" }, + new global::Pulumi.Alias { Type = "azure-native_videoanalyzer_v20211101preview:videoanalyzer:VideoAnalyzer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VideoIndexer/Account.cs b/sdk/dotnet/VideoIndexer/Account.cs index e62b52587b8a..feaceb8e25b9 100644 --- a/sdk/dotnet/VideoIndexer/Account.cs +++ b/sdk/dotnet/VideoIndexer/Account.cs @@ -122,18 +122,23 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20211018preview:Account" }, - new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20211027preview:Account" }, - new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20211110preview:Account" }, - new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20220413preview:Account" }, - new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20220720preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20220801:Account" }, new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20240101:Account" }, new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20240401preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20240601preview:Account" }, new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20240923preview:Account" }, - new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20250101:Account" }, - new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20250301:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20211018preview:videoindexer:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20211027preview:videoindexer:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20211110preview:videoindexer:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20220413preview:videoindexer:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20220720preview:videoindexer:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20220801:videoindexer:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20240101:videoindexer:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20240401preview:videoindexer:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20240601preview:videoindexer:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20240923preview:videoindexer:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20250101:videoindexer:Account" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20250301:videoindexer:Account" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VideoIndexer/PrivateEndpointConnection.cs b/sdk/dotnet/VideoIndexer/PrivateEndpointConnection.cs index e59e1a05466c..93e4d37276cb 100644 --- a/sdk/dotnet/VideoIndexer/PrivateEndpointConnection.cs +++ b/sdk/dotnet/VideoIndexer/PrivateEndpointConnection.cs @@ -91,6 +91,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:videoindexer/v20240601preview:PrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_videoindexer_v20240601preview:videoindexer:PrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VirtualMachineImages/Trigger.cs b/sdk/dotnet/VirtualMachineImages/Trigger.cs index cade2566277a..3cc4e6499aa0 100644 --- a/sdk/dotnet/VirtualMachineImages/Trigger.cs +++ b/sdk/dotnet/VirtualMachineImages/Trigger.cs @@ -89,6 +89,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20220701:Trigger" }, new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20230701:Trigger" }, new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20240201:Trigger" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20220701:virtualmachineimages:Trigger" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20230701:virtualmachineimages:Trigger" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20240201:virtualmachineimages:Trigger" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VirtualMachineImages/VirtualMachineImageTemplate.cs b/sdk/dotnet/VirtualMachineImages/VirtualMachineImageTemplate.cs index 64fe074e3013..af7a0a55ae59 100644 --- a/sdk/dotnet/VirtualMachineImages/VirtualMachineImageTemplate.cs +++ b/sdk/dotnet/VirtualMachineImages/VirtualMachineImageTemplate.cs @@ -176,15 +176,18 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20180201preview:VirtualMachineImageTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20190201preview:VirtualMachineImageTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20190501preview:VirtualMachineImageTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20200214:VirtualMachineImageTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20211001:VirtualMachineImageTemplate" }, - new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20220214:VirtualMachineImageTemplate" }, new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20220701:VirtualMachineImageTemplate" }, new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20230701:VirtualMachineImageTemplate" }, new global::Pulumi.Alias { Type = "azure-native:virtualmachineimages/v20240201:VirtualMachineImageTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20180201preview:virtualmachineimages:VirtualMachineImageTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20190201preview:virtualmachineimages:VirtualMachineImageTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20190501preview:virtualmachineimages:VirtualMachineImageTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20200214:virtualmachineimages:VirtualMachineImageTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20211001:virtualmachineimages:VirtualMachineImageTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20220214:virtualmachineimages:VirtualMachineImageTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20220701:virtualmachineimages:VirtualMachineImageTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20230701:virtualmachineimages:VirtualMachineImageTemplate" }, + new global::Pulumi.Alias { Type = "azure-native_virtualmachineimages_v20240201:virtualmachineimages:VirtualMachineImageTemplate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VoiceServices/CommunicationsGateway.cs b/sdk/dotnet/VoiceServices/CommunicationsGateway.cs index be830aea39d7..cd352b1467c6 100644 --- a/sdk/dotnet/VoiceServices/CommunicationsGateway.cs +++ b/sdk/dotnet/VoiceServices/CommunicationsGateway.cs @@ -200,10 +200,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:voiceservices/v20221201preview:CommunicationsGateway" }, - new global::Pulumi.Alias { Type = "azure-native:voiceservices/v20230131:CommunicationsGateway" }, new global::Pulumi.Alias { Type = "azure-native:voiceservices/v20230403:CommunicationsGateway" }, new global::Pulumi.Alias { Type = "azure-native:voiceservices/v20230901:CommunicationsGateway" }, + new global::Pulumi.Alias { Type = "azure-native_voiceservices_v20221201preview:voiceservices:CommunicationsGateway" }, + new global::Pulumi.Alias { Type = "azure-native_voiceservices_v20230131:voiceservices:CommunicationsGateway" }, + new global::Pulumi.Alias { Type = "azure-native_voiceservices_v20230403:voiceservices:CommunicationsGateway" }, + new global::Pulumi.Alias { Type = "azure-native_voiceservices_v20230901:voiceservices:CommunicationsGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VoiceServices/Contact.cs b/sdk/dotnet/VoiceServices/Contact.cs index 593c13ddf4e7..82c2eeab10ba 100644 --- a/sdk/dotnet/VoiceServices/Contact.cs +++ b/sdk/dotnet/VoiceServices/Contact.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:voiceservices/v20221201preview:Contact" }, + new global::Pulumi.Alias { Type = "azure-native_voiceservices_v20221201preview:voiceservices:Contact" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/VoiceServices/TestLine.cs b/sdk/dotnet/VoiceServices/TestLine.cs index 7898ef69bfc2..c940f30bf52f 100644 --- a/sdk/dotnet/VoiceServices/TestLine.cs +++ b/sdk/dotnet/VoiceServices/TestLine.cs @@ -99,9 +99,12 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:voiceservices/v20221201preview:TestLine" }, - new global::Pulumi.Alias { Type = "azure-native:voiceservices/v20230131:TestLine" }, new global::Pulumi.Alias { Type = "azure-native:voiceservices/v20230403:TestLine" }, new global::Pulumi.Alias { Type = "azure-native:voiceservices/v20230901:TestLine" }, + new global::Pulumi.Alias { Type = "azure-native_voiceservices_v20221201preview:voiceservices:TestLine" }, + new global::Pulumi.Alias { Type = "azure-native_voiceservices_v20230131:voiceservices:TestLine" }, + new global::Pulumi.Alias { Type = "azure-native_voiceservices_v20230403:voiceservices:TestLine" }, + new global::Pulumi.Alias { Type = "azure-native_voiceservices_v20230901:voiceservices:TestLine" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/AppServiceEnvironment.cs b/sdk/dotnet/Web/AppServiceEnvironment.cs index 23ef286a7162..44f0dfee93b0 100644 --- a/sdk/dotnet/Web/AppServiceEnvironment.cs +++ b/sdk/dotnet/Web/AppServiceEnvironment.cs @@ -201,23 +201,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:AppServiceEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160901:AppServiceEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:AppServiceEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20190801:AppServiceEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:AppServiceEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:AppServiceEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:AppServiceEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:AppServiceEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:AppServiceEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20210115:AppServiceEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:AppServiceEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:AppServiceEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:AppServiceEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:AppServiceEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:AppServiceEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:AppServiceEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160901:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:AppServiceEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:AppServiceEnvironment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/AppServiceEnvironmentAseCustomDnsSuffixConfiguration.cs b/sdk/dotnet/Web/AppServiceEnvironmentAseCustomDnsSuffixConfiguration.cs index 9cf862a1a57a..4aa8e6cbdfc3 100644 --- a/sdk/dotnet/Web/AppServiceEnvironmentAseCustomDnsSuffixConfiguration.cs +++ b/sdk/dotnet/Web/AppServiceEnvironmentAseCustomDnsSuffixConfiguration.cs @@ -92,11 +92,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/AppServiceEnvironmentPrivateEndpointConnection.cs b/sdk/dotnet/Web/AppServiceEnvironmentPrivateEndpointConnection.cs index 9ae76b3c1ab8..0832ed99c46d 100644 --- a/sdk/dotnet/Web/AppServiceEnvironmentPrivateEndpointConnection.cs +++ b/sdk/dotnet/Web/AppServiceEnvironmentPrivateEndpointConnection.cs @@ -89,16 +89,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:AppServiceEnvironmentPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:AppServiceEnvironmentPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:AppServiceEnvironmentPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:AppServiceEnvironmentPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:AppServiceEnvironmentPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:AppServiceEnvironmentPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:AppServiceEnvironmentPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:AppServiceEnvironmentPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:AppServiceEnvironmentPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:AppServiceEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:AppServiceEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:AppServiceEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:AppServiceEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:AppServiceEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:AppServiceEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:AppServiceEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:AppServiceEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:AppServiceEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:AppServiceEnvironmentPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:AppServiceEnvironmentPrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/AppServicePlan.cs b/sdk/dotnet/Web/AppServicePlan.cs index ec671dd07b47..6fd17968b5ec 100644 --- a/sdk/dotnet/Web/AppServicePlan.cs +++ b/sdk/dotnet/Web/AppServicePlan.cs @@ -232,23 +232,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:AppServicePlan" }, new global::Pulumi.Alias { Type = "azure-native:web/v20160901:AppServicePlan" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:AppServicePlan" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:AppServicePlan" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:AppServicePlan" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:AppServicePlan" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:AppServicePlan" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:AppServicePlan" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:AppServicePlan" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:AppServicePlan" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:AppServicePlan" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:AppServicePlan" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:AppServicePlan" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:AppServicePlan" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:AppServicePlan" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:AppServicePlan" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160901:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:AppServicePlan" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:AppServicePlan" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/AppServicePlanRouteForVnet.cs b/sdk/dotnet/Web/AppServicePlanRouteForVnet.cs index 365e33235da5..a91e708aba25 100644 --- a/sdk/dotnet/Web/AppServicePlanRouteForVnet.cs +++ b/sdk/dotnet/Web/AppServicePlanRouteForVnet.cs @@ -91,23 +91,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:AppServicePlanRouteForVnet" }, new global::Pulumi.Alias { Type = "azure-native:web/v20160901:AppServicePlanRouteForVnet" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:AppServicePlanRouteForVnet" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:AppServicePlanRouteForVnet" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:AppServicePlanRouteForVnet" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:AppServicePlanRouteForVnet" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:AppServicePlanRouteForVnet" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:AppServicePlanRouteForVnet" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:AppServicePlanRouteForVnet" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:AppServicePlanRouteForVnet" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:AppServicePlanRouteForVnet" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:AppServicePlanRouteForVnet" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:AppServicePlanRouteForVnet" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:AppServicePlanRouteForVnet" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:AppServicePlanRouteForVnet" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:AppServicePlanRouteForVnet" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160901:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:AppServicePlanRouteForVnet" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:AppServicePlanRouteForVnet" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/Certificate.cs b/sdk/dotnet/Web/Certificate.cs index a93f6024d858..65a9246cdbad 100644 --- a/sdk/dotnet/Web/Certificate.cs +++ b/sdk/dotnet/Web/Certificate.cs @@ -200,24 +200,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:web/v20160301:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:Certificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:Certificate" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160301:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:Certificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:Certificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/Connection.cs b/sdk/dotnet/Web/Connection.cs index a45b5470cbc7..b98f2813f7fd 100644 --- a/sdk/dotnet/Web/Connection.cs +++ b/sdk/dotnet/Web/Connection.cs @@ -85,6 +85,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:web/v20150801preview:Connection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20160601:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801preview:web:Connection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160601:web:Connection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/ConnectionGateway.cs b/sdk/dotnet/Web/ConnectionGateway.cs index d9239bbe1e2a..452508d50a0d 100644 --- a/sdk/dotnet/Web/ConnectionGateway.cs +++ b/sdk/dotnet/Web/ConnectionGateway.cs @@ -82,6 +82,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:web/v20160601:ConnectionGateway" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160601:web:ConnectionGateway" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/CustomApi.cs b/sdk/dotnet/Web/CustomApi.cs index 11dff1ed974e..e673dabad087 100644 --- a/sdk/dotnet/Web/CustomApi.cs +++ b/sdk/dotnet/Web/CustomApi.cs @@ -85,6 +85,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:web/v20160601:CustomApi" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160601:web:CustomApi" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/KubeEnvironment.cs b/sdk/dotnet/Web/KubeEnvironment.cs index 9c10c8b6af89..4118a99d53ec 100644 --- a/sdk/dotnet/Web/KubeEnvironment.cs +++ b/sdk/dotnet/Web/KubeEnvironment.cs @@ -147,15 +147,19 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:KubeEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:KubeEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:KubeEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:KubeEnvironment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:KubeEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:KubeEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:KubeEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:KubeEnvironment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:KubeEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:KubeEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:KubeEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:KubeEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:KubeEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:KubeEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:KubeEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:KubeEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:KubeEnvironment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:KubeEnvironment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/StaticSite.cs b/sdk/dotnet/Web/StaticSite.cs index 588370daf810..35b9e0a55847 100644 --- a/sdk/dotnet/Web/StaticSite.cs +++ b/sdk/dotnet/Web/StaticSite.cs @@ -200,20 +200,26 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:StaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:StaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:StaticSite" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:StaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:StaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:StaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:StaticSite" }, new global::Pulumi.Alias { Type = "azure-native:web/v20210201:StaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:StaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:StaticSite" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:StaticSite" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:StaticSite" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:StaticSite" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:StaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:StaticSite" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/StaticSiteBuildDatabaseConnection.cs b/sdk/dotnet/Web/StaticSiteBuildDatabaseConnection.cs index e96206980b07..680660bfe2b2 100644 --- a/sdk/dotnet/Web/StaticSiteBuildDatabaseConnection.cs +++ b/sdk/dotnet/Web/StaticSiteBuildDatabaseConnection.cs @@ -102,6 +102,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:web/v20230101:StaticSiteBuildDatabaseConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:StaticSiteBuildDatabaseConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:StaticSiteBuildDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:StaticSiteBuildDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:StaticSiteBuildDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:StaticSiteBuildDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:StaticSiteBuildDatabaseConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/StaticSiteCustomDomain.cs b/sdk/dotnet/Web/StaticSiteCustomDomain.cs index f5719b7530a0..6d2098cf262f 100644 --- a/sdk/dotnet/Web/StaticSiteCustomDomain.cs +++ b/sdk/dotnet/Web/StaticSiteCustomDomain.cs @@ -95,16 +95,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:StaticSiteCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:StaticSiteCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:StaticSiteCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:StaticSiteCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:StaticSiteCustomDomain" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:StaticSiteCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:StaticSiteCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:StaticSiteCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:StaticSiteCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:StaticSiteCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:StaticSiteCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:StaticSiteCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:StaticSiteCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:StaticSiteCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:StaticSiteCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:StaticSiteCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:StaticSiteCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:StaticSiteCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:StaticSiteCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:StaticSiteCustomDomain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/StaticSiteDatabaseConnection.cs b/sdk/dotnet/Web/StaticSiteDatabaseConnection.cs index 997b261ed5f7..d999e53929a3 100644 --- a/sdk/dotnet/Web/StaticSiteDatabaseConnection.cs +++ b/sdk/dotnet/Web/StaticSiteDatabaseConnection.cs @@ -102,6 +102,10 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:web/v20230101:StaticSiteDatabaseConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:StaticSiteDatabaseConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:StaticSiteDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:StaticSiteDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:StaticSiteDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:StaticSiteDatabaseConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:StaticSiteDatabaseConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/StaticSiteLinkedBackend.cs b/sdk/dotnet/Web/StaticSiteLinkedBackend.cs index 33d1f52e83d1..b2401e97e4ad 100644 --- a/sdk/dotnet/Web/StaticSiteLinkedBackend.cs +++ b/sdk/dotnet/Web/StaticSiteLinkedBackend.cs @@ -92,11 +92,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:StaticSiteLinkedBackend" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:StaticSiteLinkedBackend" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:StaticSiteLinkedBackend" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:StaticSiteLinkedBackend" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:StaticSiteLinkedBackend" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:StaticSiteLinkedBackend" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:StaticSiteLinkedBackend" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:StaticSiteLinkedBackend" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:StaticSiteLinkedBackend" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:StaticSiteLinkedBackend" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/StaticSiteLinkedBackendForBuild.cs b/sdk/dotnet/Web/StaticSiteLinkedBackendForBuild.cs index df6f383626e4..541af5ba267c 100644 --- a/sdk/dotnet/Web/StaticSiteLinkedBackendForBuild.cs +++ b/sdk/dotnet/Web/StaticSiteLinkedBackendForBuild.cs @@ -92,11 +92,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:StaticSiteLinkedBackendForBuild" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:StaticSiteLinkedBackendForBuild" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:StaticSiteLinkedBackendForBuild" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:StaticSiteLinkedBackendForBuild" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:StaticSiteLinkedBackendForBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:StaticSiteLinkedBackendForBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:StaticSiteLinkedBackendForBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:StaticSiteLinkedBackendForBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:StaticSiteLinkedBackendForBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:StaticSiteLinkedBackendForBuild" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/StaticSitePrivateEndpointConnection.cs b/sdk/dotnet/Web/StaticSitePrivateEndpointConnection.cs index de7b3f6d7367..4f2fd98b49bb 100644 --- a/sdk/dotnet/Web/StaticSitePrivateEndpointConnection.cs +++ b/sdk/dotnet/Web/StaticSitePrivateEndpointConnection.cs @@ -89,16 +89,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:StaticSitePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:StaticSitePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:StaticSitePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:StaticSitePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:StaticSitePrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:StaticSitePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:StaticSitePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:StaticSitePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:StaticSitePrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:StaticSitePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:StaticSitePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:StaticSitePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:StaticSitePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:StaticSitePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:StaticSitePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:StaticSitePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:StaticSitePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:StaticSitePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:StaticSitePrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:StaticSitePrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/StaticSiteUserProvidedFunctionAppForStaticSite.cs b/sdk/dotnet/Web/StaticSiteUserProvidedFunctionAppForStaticSite.cs index f7664f45dbef..8db1d1141240 100644 --- a/sdk/dotnet/Web/StaticSiteUserProvidedFunctionAppForStaticSite.cs +++ b/sdk/dotnet/Web/StaticSiteUserProvidedFunctionAppForStaticSite.cs @@ -86,16 +86,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:StaticSiteUserProvidedFunctionAppForStaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:StaticSiteUserProvidedFunctionAppForStaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:StaticSiteUserProvidedFunctionAppForStaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:StaticSiteUserProvidedFunctionAppForStaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:StaticSiteUserProvidedFunctionAppForStaticSite" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:StaticSiteUserProvidedFunctionAppForStaticSite" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSite" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSite" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSite" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/StaticSiteUserProvidedFunctionAppForStaticSiteBuild.cs b/sdk/dotnet/Web/StaticSiteUserProvidedFunctionAppForStaticSiteBuild.cs index ac98a01b83d0..830573acc400 100644 --- a/sdk/dotnet/Web/StaticSiteUserProvidedFunctionAppForStaticSiteBuild.cs +++ b/sdk/dotnet/Web/StaticSiteUserProvidedFunctionAppForStaticSiteBuild.cs @@ -86,16 +86,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebApp.cs b/sdk/dotnet/Web/WebApp.cs index d967e61df446..39394b0c1254 100644 --- a/sdk/dotnet/Web/WebApp.cs +++ b/sdk/dotnet/Web/WebApp.cs @@ -430,24 +430,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebApp" }, new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebApp" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebApp" }, new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebApp" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebApp" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebApp" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebApp" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebApp" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebApp" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebApp" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebApp" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebApp" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebApp" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebApp" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebApp" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebApp" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebApp" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebApp" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebApp" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppApplicationSettings.cs b/sdk/dotnet/Web/WebAppApplicationSettings.cs index 2368c0358c25..0a611a717a0b 100644 --- a/sdk/dotnet/Web/WebAppApplicationSettings.cs +++ b/sdk/dotnet/Web/WebAppApplicationSettings.cs @@ -74,24 +74,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppApplicationSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppApplicationSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppApplicationSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppApplicationSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppApplicationSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppApplicationSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppApplicationSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppApplicationSettings" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppApplicationSettingsSlot.cs b/sdk/dotnet/Web/WebAppApplicationSettingsSlot.cs index d15b6094ea1d..2dd847a76da8 100644 --- a/sdk/dotnet/Web/WebAppApplicationSettingsSlot.cs +++ b/sdk/dotnet/Web/WebAppApplicationSettingsSlot.cs @@ -74,24 +74,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppApplicationSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppApplicationSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppApplicationSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppApplicationSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppApplicationSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppApplicationSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppApplicationSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppApplicationSettingsSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppAuthSettings.cs b/sdk/dotnet/Web/WebAppAuthSettings.cs index b6f4f99931dd..f359d08cff77 100644 --- a/sdk/dotnet/Web/WebAppAuthSettings.cs +++ b/sdk/dotnet/Web/WebAppAuthSettings.cs @@ -348,24 +348,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppAuthSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppAuthSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppAuthSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppAuthSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppAuthSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppAuthSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppAuthSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppAuthSettings" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppAuthSettingsSlot.cs b/sdk/dotnet/Web/WebAppAuthSettingsSlot.cs index 44a20adf561e..bb8920e82735 100644 --- a/sdk/dotnet/Web/WebAppAuthSettingsSlot.cs +++ b/sdk/dotnet/Web/WebAppAuthSettingsSlot.cs @@ -348,24 +348,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppAuthSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppAuthSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppAuthSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppAuthSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppAuthSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppAuthSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppAuthSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppAuthSettingsSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppAuthSettingsV2.cs b/sdk/dotnet/Web/WebAppAuthSettingsV2.cs index f90d2545b2eb..d655710c9592 100644 --- a/sdk/dotnet/Web/WebAppAuthSettingsV2.cs +++ b/sdk/dotnet/Web/WebAppAuthSettingsV2.cs @@ -98,13 +98,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppAuthSettingsV2" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppAuthSettingsV2" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppAuthSettingsV2" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppAuthSettingsV2" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppAuthSettingsV2" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppAuthSettingsV2" }, new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppAuthSettingsV2" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppAuthSettingsV2" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppAuthSettingsV2" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppAuthSettingsV2" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppAuthSettingsV2" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppAuthSettingsV2" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppAuthSettingsV2" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppAuthSettingsV2" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppAuthSettingsV2Slot.cs b/sdk/dotnet/Web/WebAppAuthSettingsV2Slot.cs index 67ce21e72700..e6a8b912786b 100644 --- a/sdk/dotnet/Web/WebAppAuthSettingsV2Slot.cs +++ b/sdk/dotnet/Web/WebAppAuthSettingsV2Slot.cs @@ -98,13 +98,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppAuthSettingsV2Slot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppAuthSettingsV2Slot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppAuthSettingsV2Slot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppAuthSettingsV2Slot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppAuthSettingsV2Slot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppAuthSettingsV2Slot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppAuthSettingsV2Slot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppAuthSettingsV2Slot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppAuthSettingsV2Slot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppAuthSettingsV2Slot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppAuthSettingsV2Slot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppAuthSettingsV2Slot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppAuthSettingsV2Slot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppAuthSettingsV2Slot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppAzureStorageAccounts.cs b/sdk/dotnet/Web/WebAppAzureStorageAccounts.cs index 83ae538ff588..99e8df3ddcab 100644 --- a/sdk/dotnet/Web/WebAppAzureStorageAccounts.cs +++ b/sdk/dotnet/Web/WebAppAzureStorageAccounts.cs @@ -74,22 +74,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppAzureStorageAccounts" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppAzureStorageAccounts" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppAzureStorageAccounts" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppAzureStorageAccounts" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppAzureStorageAccounts" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppAzureStorageAccounts" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppAzureStorageAccounts" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppAzureStorageAccounts" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppAzureStorageAccounts" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppAzureStorageAccounts" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppAzureStorageAccounts" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppAzureStorageAccounts" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppAzureStorageAccounts" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppAzureStorageAccounts" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppAzureStorageAccounts" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppAzureStorageAccounts" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppAzureStorageAccounts" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppAzureStorageAccountsSlot.cs b/sdk/dotnet/Web/WebAppAzureStorageAccountsSlot.cs index c4ee175fdbe2..ffbcb04fd181 100644 --- a/sdk/dotnet/Web/WebAppAzureStorageAccountsSlot.cs +++ b/sdk/dotnet/Web/WebAppAzureStorageAccountsSlot.cs @@ -74,22 +74,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppAzureStorageAccountsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppAzureStorageAccountsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppAzureStorageAccountsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppAzureStorageAccountsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppAzureStorageAccountsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppAzureStorageAccountsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppAzureStorageAccountsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppAzureStorageAccountsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppAzureStorageAccountsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppAzureStorageAccountsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppAzureStorageAccountsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppAzureStorageAccountsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppAzureStorageAccountsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppAzureStorageAccountsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppAzureStorageAccountsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppAzureStorageAccountsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppAzureStorageAccountsSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppBackupConfiguration.cs b/sdk/dotnet/Web/WebAppBackupConfiguration.cs index 74200423f826..778aeb7c6094 100644 --- a/sdk/dotnet/Web/WebAppBackupConfiguration.cs +++ b/sdk/dotnet/Web/WebAppBackupConfiguration.cs @@ -98,24 +98,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppBackupConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppBackupConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppBackupConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppBackupConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppBackupConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppBackupConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppBackupConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppBackupConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppBackupConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppBackupConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppBackupConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppBackupConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppBackupConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppBackupConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppBackupConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppBackupConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppBackupConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppBackupConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppBackupConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppBackupConfigurationSlot.cs b/sdk/dotnet/Web/WebAppBackupConfigurationSlot.cs index b23339e4e5b4..709b87a80975 100644 --- a/sdk/dotnet/Web/WebAppBackupConfigurationSlot.cs +++ b/sdk/dotnet/Web/WebAppBackupConfigurationSlot.cs @@ -98,24 +98,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppBackupConfigurationSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppBackupConfigurationSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppBackupConfigurationSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppBackupConfigurationSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppBackupConfigurationSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppBackupConfigurationSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppBackupConfigurationSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppBackupConfigurationSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppBackupConfigurationSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppBackupConfigurationSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppBackupConfigurationSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppBackupConfigurationSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppBackupConfigurationSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppBackupConfigurationSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppBackupConfigurationSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppBackupConfigurationSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppBackupConfigurationSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppBackupConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppBackupConfigurationSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppConnectionStrings.cs b/sdk/dotnet/Web/WebAppConnectionStrings.cs index 65b64d6cf183..efd560b1111a 100644 --- a/sdk/dotnet/Web/WebAppConnectionStrings.cs +++ b/sdk/dotnet/Web/WebAppConnectionStrings.cs @@ -74,24 +74,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppConnectionStrings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppConnectionStrings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppConnectionStrings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppConnectionStrings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppConnectionStrings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppConnectionStrings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppConnectionStrings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppConnectionStrings" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppConnectionStringsSlot.cs b/sdk/dotnet/Web/WebAppConnectionStringsSlot.cs index 82c33407c699..fcb87e9c7943 100644 --- a/sdk/dotnet/Web/WebAppConnectionStringsSlot.cs +++ b/sdk/dotnet/Web/WebAppConnectionStringsSlot.cs @@ -74,24 +74,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppConnectionStringsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppConnectionStringsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppConnectionStringsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppConnectionStringsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppConnectionStringsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppConnectionStringsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppConnectionStringsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppConnectionStringsSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppDeployment.cs b/sdk/dotnet/Web/WebAppDeployment.cs index 03b4f9ed65f5..76d890e75788 100644 --- a/sdk/dotnet/Web/WebAppDeployment.cs +++ b/sdk/dotnet/Web/WebAppDeployment.cs @@ -122,24 +122,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppDeployment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppDeployment" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppDeployment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppDeployment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppDeployment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppDeployment" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppDeployment" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppDeployment" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppDeploymentSlot.cs b/sdk/dotnet/Web/WebAppDeploymentSlot.cs index bb5e824fe2fa..fb1bc47e8f3f 100644 --- a/sdk/dotnet/Web/WebAppDeploymentSlot.cs +++ b/sdk/dotnet/Web/WebAppDeploymentSlot.cs @@ -122,24 +122,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppDeploymentSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppDeploymentSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppDeploymentSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppDeploymentSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppDeploymentSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppDeploymentSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppDeploymentSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppDeploymentSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppDiagnosticLogsConfiguration.cs b/sdk/dotnet/Web/WebAppDiagnosticLogsConfiguration.cs index f54fcbb43b00..67a46d1cf0ba 100644 --- a/sdk/dotnet/Web/WebAppDiagnosticLogsConfiguration.cs +++ b/sdk/dotnet/Web/WebAppDiagnosticLogsConfiguration.cs @@ -92,24 +92,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppDiagnosticLogsConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppDiagnosticLogsConfiguration" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppDiagnosticLogsConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppDiagnosticLogsConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppDiagnosticLogsConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppDiagnosticLogsConfiguration" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppDiagnosticLogsConfiguration" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppDiagnosticLogsConfiguration" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppDiagnosticLogsConfigurationSlot.cs b/sdk/dotnet/Web/WebAppDiagnosticLogsConfigurationSlot.cs index 945550e26e0e..e2926cd1dd80 100644 --- a/sdk/dotnet/Web/WebAppDiagnosticLogsConfigurationSlot.cs +++ b/sdk/dotnet/Web/WebAppDiagnosticLogsConfigurationSlot.cs @@ -92,7 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppDiagnosticLogsConfigurationSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppDiagnosticLogsConfigurationSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppDiagnosticLogsConfigurationSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppDiagnosticLogsConfigurationSlot" }, @@ -110,6 +109,24 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppDiagnosticLogsConfigurationSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppDiagnosticLogsConfigurationSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppDiagnosticLogsConfigurationSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppDiagnosticLogsConfigurationSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppDomainOwnershipIdentifier.cs b/sdk/dotnet/Web/WebAppDomainOwnershipIdentifier.cs index 61ab5dc696c1..69dfb560caa6 100644 --- a/sdk/dotnet/Web/WebAppDomainOwnershipIdentifier.cs +++ b/sdk/dotnet/Web/WebAppDomainOwnershipIdentifier.cs @@ -74,23 +74,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppDomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppDomainOwnershipIdentifier" }, new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppDomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppDomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppDomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppDomainOwnershipIdentifier" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppDomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppDomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppDomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppDomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppDomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppDomainOwnershipIdentifier" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppDomainOwnershipIdentifier" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppDomainOwnershipIdentifier" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppDomainOwnershipIdentifier" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppDomainOwnershipIdentifier" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppDomainOwnershipIdentifier" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppDomainOwnershipIdentifier" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppDomainOwnershipIdentifierSlot.cs b/sdk/dotnet/Web/WebAppDomainOwnershipIdentifierSlot.cs index 3aeaf6ae7321..3ca595da3720 100644 --- a/sdk/dotnet/Web/WebAppDomainOwnershipIdentifierSlot.cs +++ b/sdk/dotnet/Web/WebAppDomainOwnershipIdentifierSlot.cs @@ -74,23 +74,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppDomainOwnershipIdentifierSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppDomainOwnershipIdentifierSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppDomainOwnershipIdentifierSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppDomainOwnershipIdentifierSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppDomainOwnershipIdentifierSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppDomainOwnershipIdentifierSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppDomainOwnershipIdentifierSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppDomainOwnershipIdentifierSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppDomainOwnershipIdentifierSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppDomainOwnershipIdentifierSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppDomainOwnershipIdentifierSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppDomainOwnershipIdentifierSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppDomainOwnershipIdentifierSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppDomainOwnershipIdentifierSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppDomainOwnershipIdentifierSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppDomainOwnershipIdentifierSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppDomainOwnershipIdentifierSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppDomainOwnershipIdentifierSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppFtpAllowed.cs b/sdk/dotnet/Web/WebAppFtpAllowed.cs index adad5ebae49d..8d0e0141215e 100644 --- a/sdk/dotnet/Web/WebAppFtpAllowed.cs +++ b/sdk/dotnet/Web/WebAppFtpAllowed.cs @@ -88,6 +88,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppFtpAllowed" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppFtpAllowed" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppFtpAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppFtpAllowed" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppFtpAllowedSlot.cs b/sdk/dotnet/Web/WebAppFtpAllowedSlot.cs index f330138be3d0..a768088e6d33 100644 --- a/sdk/dotnet/Web/WebAppFtpAllowedSlot.cs +++ b/sdk/dotnet/Web/WebAppFtpAllowedSlot.cs @@ -84,6 +84,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppFtpAllowedSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppFtpAllowedSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppFtpAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppFtpAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppFtpAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppFtpAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppFtpAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppFtpAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppFtpAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppFtpAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppFtpAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppFtpAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppFtpAllowedSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppFunction.cs b/sdk/dotnet/Web/WebAppFunction.cs index 9cfdf50ff631..574978cc5f39 100644 --- a/sdk/dotnet/Web/WebAppFunction.cs +++ b/sdk/dotnet/Web/WebAppFunction.cs @@ -147,22 +147,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppFunction" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppFunction" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppFunction" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppFunction" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppFunction" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppFunction" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppFunction" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppFunction" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppFunction" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppFunction" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppFunction" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppFunction" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppFunction" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppFunction" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppFunction" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppFunction" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppFunction" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppFunction" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppHostNameBinding.cs b/sdk/dotnet/Web/WebAppHostNameBinding.cs index ade72d38ef4e..6a4cf6aaebbf 100644 --- a/sdk/dotnet/Web/WebAppHostNameBinding.cs +++ b/sdk/dotnet/Web/WebAppHostNameBinding.cs @@ -122,24 +122,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppHostNameBinding" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppHostNameBinding" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppHostNameBinding" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppHostNameBinding" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppHostNameBinding" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppHostNameBinding" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppHostNameBinding" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppHostNameBinding" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppHostNameBindingSlot.cs b/sdk/dotnet/Web/WebAppHostNameBindingSlot.cs index 8af70cf3e266..d4c755a0de0e 100644 --- a/sdk/dotnet/Web/WebAppHostNameBindingSlot.cs +++ b/sdk/dotnet/Web/WebAppHostNameBindingSlot.cs @@ -122,24 +122,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppHostNameBindingSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppHostNameBindingSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppHostNameBindingSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppHostNameBindingSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppHostNameBindingSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppHostNameBindingSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppHostNameBindingSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppHostNameBindingSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppHybridConnection.cs b/sdk/dotnet/Web/WebAppHybridConnection.cs index 42fc01db1910..4d5b3f443ff8 100644 --- a/sdk/dotnet/Web/WebAppHybridConnection.cs +++ b/sdk/dotnet/Web/WebAppHybridConnection.cs @@ -117,23 +117,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppHybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppHybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppHybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppHybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppHybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppHybridConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppHybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppHybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppHybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppHybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppHybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppHybridConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppHybridConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppHybridConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppHybridConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppHybridConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppHybridConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppHybridConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppHybridConnectionSlot.cs b/sdk/dotnet/Web/WebAppHybridConnectionSlot.cs index b0d13a0b29b4..5b99d05a7bfc 100644 --- a/sdk/dotnet/Web/WebAppHybridConnectionSlot.cs +++ b/sdk/dotnet/Web/WebAppHybridConnectionSlot.cs @@ -117,23 +117,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppHybridConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppHybridConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppHybridConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppHybridConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppHybridConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppHybridConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppHybridConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppHybridConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppHybridConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppHybridConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppHybridConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppHybridConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppHybridConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppHybridConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppHybridConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppHybridConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppHybridConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppHybridConnectionSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppInstanceFunctionSlot.cs b/sdk/dotnet/Web/WebAppInstanceFunctionSlot.cs index 2b7f20dc2740..0c64259b06a6 100644 --- a/sdk/dotnet/Web/WebAppInstanceFunctionSlot.cs +++ b/sdk/dotnet/Web/WebAppInstanceFunctionSlot.cs @@ -147,22 +147,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppInstanceFunctionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppInstanceFunctionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppInstanceFunctionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppInstanceFunctionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppInstanceFunctionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppInstanceFunctionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppInstanceFunctionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppInstanceFunctionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppInstanceFunctionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppInstanceFunctionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppInstanceFunctionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppInstanceFunctionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppInstanceFunctionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppInstanceFunctionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppInstanceFunctionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppInstanceFunctionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppInstanceFunctionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppInstanceFunctionSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppMetadata.cs b/sdk/dotnet/Web/WebAppMetadata.cs index dc2483f858cc..94158b82f44c 100644 --- a/sdk/dotnet/Web/WebAppMetadata.cs +++ b/sdk/dotnet/Web/WebAppMetadata.cs @@ -74,24 +74,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppMetadata" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppMetadata" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppMetadata" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppMetadata" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppMetadata" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppMetadata" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppMetadata" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppMetadata" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppMetadataSlot.cs b/sdk/dotnet/Web/WebAppMetadataSlot.cs index 0208673924d5..de302ee180bb 100644 --- a/sdk/dotnet/Web/WebAppMetadataSlot.cs +++ b/sdk/dotnet/Web/WebAppMetadataSlot.cs @@ -74,24 +74,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppMetadataSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppMetadataSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppMetadataSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppMetadataSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppMetadataSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppMetadataSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppMetadataSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppMetadataSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppPremierAddOn.cs b/sdk/dotnet/Web/WebAppPremierAddOn.cs index c9aefa7d29ba..d59cdb954f21 100644 --- a/sdk/dotnet/Web/WebAppPremierAddOn.cs +++ b/sdk/dotnet/Web/WebAppPremierAddOn.cs @@ -110,24 +110,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppPremierAddOn" }, new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppPremierAddOn" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppPremierAddOn" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppPremierAddOn" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppPremierAddOn" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppPremierAddOn" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppPremierAddOn" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppPremierAddOn" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppPremierAddOn" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppPremierAddOn" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppPremierAddOn" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppPremierAddOn" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppPremierAddOn" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppPremierAddOn" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppPremierAddOn" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppPremierAddOn" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppPremierAddOn" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppPremierAddOn" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppPremierAddOn" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppPremierAddOnSlot.cs b/sdk/dotnet/Web/WebAppPremierAddOnSlot.cs index 5c4a554eaaea..e234d3557f71 100644 --- a/sdk/dotnet/Web/WebAppPremierAddOnSlot.cs +++ b/sdk/dotnet/Web/WebAppPremierAddOnSlot.cs @@ -110,24 +110,30 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppPremierAddOnSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppPremierAddOnSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppPremierAddOnSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppPremierAddOnSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppPremierAddOnSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppPremierAddOnSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppPremierAddOnSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppPremierAddOnSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppPremierAddOnSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppPremierAddOnSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppPremierAddOnSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppPremierAddOnSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppPremierAddOnSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppPremierAddOnSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppPremierAddOnSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppPremierAddOnSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppPremierAddOnSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppPremierAddOnSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppPremierAddOnSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppPrivateEndpointConnection.cs b/sdk/dotnet/Web/WebAppPrivateEndpointConnection.cs index c547e287f461..a04fdf26e25a 100644 --- a/sdk/dotnet/Web/WebAppPrivateEndpointConnection.cs +++ b/sdk/dotnet/Web/WebAppPrivateEndpointConnection.cs @@ -89,20 +89,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppPrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppPrivateEndpointConnectionSlot.cs b/sdk/dotnet/Web/WebAppPrivateEndpointConnectionSlot.cs index 9c58f978aea7..f220f16bbd71 100644 --- a/sdk/dotnet/Web/WebAppPrivateEndpointConnectionSlot.cs +++ b/sdk/dotnet/Web/WebAppPrivateEndpointConnectionSlot.cs @@ -89,16 +89,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppPrivateEndpointConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppPrivateEndpointConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppPrivateEndpointConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppPrivateEndpointConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppPrivateEndpointConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppPrivateEndpointConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppPrivateEndpointConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppPrivateEndpointConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppPrivateEndpointConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppPrivateEndpointConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppPrivateEndpointConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppPrivateEndpointConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppPrivateEndpointConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppPrivateEndpointConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppPrivateEndpointConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppPrivateEndpointConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppPrivateEndpointConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppPrivateEndpointConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppPrivateEndpointConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppPrivateEndpointConnectionSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppPublicCertificate.cs b/sdk/dotnet/Web/WebAppPublicCertificate.cs index ca05b5e08bfa..218dce8cfab3 100644 --- a/sdk/dotnet/Web/WebAppPublicCertificate.cs +++ b/sdk/dotnet/Web/WebAppPublicCertificate.cs @@ -86,23 +86,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppPublicCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppPublicCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppPublicCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppPublicCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppPublicCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppPublicCertificate" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppPublicCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppPublicCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppPublicCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppPublicCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppPublicCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppPublicCertificate" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppPublicCertificate" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppPublicCertificate" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppPublicCertificate" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppPublicCertificate" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppPublicCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppPublicCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppPublicCertificateSlot.cs b/sdk/dotnet/Web/WebAppPublicCertificateSlot.cs index c2685e7931cc..3d0afb8e3d68 100644 --- a/sdk/dotnet/Web/WebAppPublicCertificateSlot.cs +++ b/sdk/dotnet/Web/WebAppPublicCertificateSlot.cs @@ -86,23 +86,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppPublicCertificateSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppPublicCertificateSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppPublicCertificateSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppPublicCertificateSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppPublicCertificateSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppPublicCertificateSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppPublicCertificateSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppPublicCertificateSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppPublicCertificateSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppPublicCertificateSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppPublicCertificateSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppPublicCertificateSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppPublicCertificateSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppPublicCertificateSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppPublicCertificateSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppPublicCertificateSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppPublicCertificateSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppPublicCertificateSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppRelayServiceConnection.cs b/sdk/dotnet/Web/WebAppRelayServiceConnection.cs index 5c7f0ff3b238..c73fd92b6675 100644 --- a/sdk/dotnet/Web/WebAppRelayServiceConnection.cs +++ b/sdk/dotnet/Web/WebAppRelayServiceConnection.cs @@ -89,24 +89,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppRelayServiceConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppRelayServiceConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppRelayServiceConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppRelayServiceConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppRelayServiceConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppRelayServiceConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppRelayServiceConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppRelayServiceConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppRelayServiceConnectionSlot.cs b/sdk/dotnet/Web/WebAppRelayServiceConnectionSlot.cs index 37540dbd7ab1..60c593e147a1 100644 --- a/sdk/dotnet/Web/WebAppRelayServiceConnectionSlot.cs +++ b/sdk/dotnet/Web/WebAppRelayServiceConnectionSlot.cs @@ -89,24 +89,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppRelayServiceConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppRelayServiceConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppRelayServiceConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppRelayServiceConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppRelayServiceConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppRelayServiceConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppRelayServiceConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppRelayServiceConnectionSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppScmAllowed.cs b/sdk/dotnet/Web/WebAppScmAllowed.cs index 8dfd42dbaf5f..835359098950 100644 --- a/sdk/dotnet/Web/WebAppScmAllowed.cs +++ b/sdk/dotnet/Web/WebAppScmAllowed.cs @@ -88,6 +88,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppScmAllowed" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppScmAllowed" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppScmAllowed" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppScmAllowed" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppScmAllowedSlot.cs b/sdk/dotnet/Web/WebAppScmAllowedSlot.cs index 318b0ab31c62..64fe3691071b 100644 --- a/sdk/dotnet/Web/WebAppScmAllowedSlot.cs +++ b/sdk/dotnet/Web/WebAppScmAllowedSlot.cs @@ -84,6 +84,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppScmAllowedSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppScmAllowedSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppScmAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppScmAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppScmAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppScmAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppScmAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppScmAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppScmAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppScmAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppScmAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppScmAllowedSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppScmAllowedSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSiteContainer.cs b/sdk/dotnet/Web/WebAppSiteContainer.cs index b8aad18b600e..afcd36a2596c 100644 --- a/sdk/dotnet/Web/WebAppSiteContainer.cs +++ b/sdk/dotnet/Web/WebAppSiteContainer.cs @@ -142,6 +142,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSiteContainer" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSiteContainer" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSiteContainer" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSiteContainer" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSiteContainerSlot.cs b/sdk/dotnet/Web/WebAppSiteContainerSlot.cs index 05795d4da215..e90fca8ace8a 100644 --- a/sdk/dotnet/Web/WebAppSiteContainerSlot.cs +++ b/sdk/dotnet/Web/WebAppSiteContainerSlot.cs @@ -142,6 +142,8 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? { new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSiteContainerSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSiteContainerSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSiteContainerSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSiteContainerSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSiteExtension.cs b/sdk/dotnet/Web/WebAppSiteExtension.cs index 382d5a41ceb5..c684848d9a8e 100644 --- a/sdk/dotnet/Web/WebAppSiteExtension.cs +++ b/sdk/dotnet/Web/WebAppSiteExtension.cs @@ -186,22 +186,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppSiteExtension" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppSiteExtension" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppSiteExtension" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppSiteExtension" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppSiteExtension" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppSiteExtension" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppSiteExtension" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppSiteExtension" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppSiteExtension" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppSiteExtension" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppSiteExtension" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppSiteExtension" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppSiteExtension" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppSiteExtension" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppSiteExtension" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSiteExtension" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSiteExtension" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSiteExtension" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSiteExtensionSlot.cs b/sdk/dotnet/Web/WebAppSiteExtensionSlot.cs index f27b7f3bcbab..2babcb26460f 100644 --- a/sdk/dotnet/Web/WebAppSiteExtensionSlot.cs +++ b/sdk/dotnet/Web/WebAppSiteExtensionSlot.cs @@ -186,22 +186,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppSiteExtensionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppSiteExtensionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppSiteExtensionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppSiteExtensionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppSiteExtensionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppSiteExtensionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppSiteExtensionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppSiteExtensionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppSiteExtensionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppSiteExtensionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppSiteExtensionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppSiteExtensionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppSiteExtensionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppSiteExtensionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppSiteExtensionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSiteExtensionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSiteExtensionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSiteExtensionSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSitePushSettings.cs b/sdk/dotnet/Web/WebAppSitePushSettings.cs index 5f9e266ecc99..9029e6302ee2 100644 --- a/sdk/dotnet/Web/WebAppSitePushSettings.cs +++ b/sdk/dotnet/Web/WebAppSitePushSettings.cs @@ -95,23 +95,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppSitePushSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppSitePushSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppSitePushSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppSitePushSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppSitePushSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppSitePushSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppSitePushSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppSitePushSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppSitePushSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppSitePushSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppSitePushSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppSitePushSettings" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppSitePushSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppSitePushSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppSitePushSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSitePushSettings" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSitePushSettings" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSitePushSettings" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSitePushSettingsSlot.cs b/sdk/dotnet/Web/WebAppSitePushSettingsSlot.cs index 9f8609274fcf..f1b76a9622d8 100644 --- a/sdk/dotnet/Web/WebAppSitePushSettingsSlot.cs +++ b/sdk/dotnet/Web/WebAppSitePushSettingsSlot.cs @@ -95,23 +95,28 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppSitePushSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppSitePushSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppSitePushSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppSitePushSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppSitePushSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppSitePushSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppSitePushSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppSitePushSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppSitePushSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppSitePushSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppSitePushSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppSitePushSettingsSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppSitePushSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppSitePushSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppSitePushSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSitePushSettingsSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSitePushSettingsSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSitePushSettingsSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSlot.cs b/sdk/dotnet/Web/WebAppSlot.cs index 05a7ea65eb0b..9f616bd142d1 100644 --- a/sdk/dotnet/Web/WebAppSlot.cs +++ b/sdk/dotnet/Web/WebAppSlot.cs @@ -430,24 +430,31 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSlotConfigurationNames.cs b/sdk/dotnet/Web/WebAppSlotConfigurationNames.cs index ee3d0d78ba0a..a3c43fe08336 100644 --- a/sdk/dotnet/Web/WebAppSlotConfigurationNames.cs +++ b/sdk/dotnet/Web/WebAppSlotConfigurationNames.cs @@ -86,24 +86,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppSlotConfigurationNames" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppSlotConfigurationNames" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppSlotConfigurationNames" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppSlotConfigurationNames" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppSlotConfigurationNames" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSlotConfigurationNames" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSlotConfigurationNames" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSlotConfigurationNames" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSourceControl.cs b/sdk/dotnet/Web/WebAppSourceControl.cs index f7e128ee2734..7dd609108444 100644 --- a/sdk/dotnet/Web/WebAppSourceControl.cs +++ b/sdk/dotnet/Web/WebAppSourceControl.cs @@ -110,24 +110,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppSourceControl" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppSourceControl" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppSourceControl" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppSourceControl" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppSourceControl" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSourceControl" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSourceControl" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSourceControl" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSourceControlSlot.cs b/sdk/dotnet/Web/WebAppSourceControlSlot.cs index 53793ae6b9fc..565d26be32a1 100644 --- a/sdk/dotnet/Web/WebAppSourceControlSlot.cs +++ b/sdk/dotnet/Web/WebAppSourceControlSlot.cs @@ -110,24 +110,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppSourceControlSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppSourceControlSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppSourceControlSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppSourceControlSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppSourceControlSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSourceControlSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSourceControlSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSourceControlSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSwiftVirtualNetworkConnection.cs b/sdk/dotnet/Web/WebAppSwiftVirtualNetworkConnection.cs index d164d2b6ced1..d66bbc046741 100644 --- a/sdk/dotnet/Web/WebAppSwiftVirtualNetworkConnection.cs +++ b/sdk/dotnet/Web/WebAppSwiftVirtualNetworkConnection.cs @@ -80,22 +80,27 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppSwiftVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppSwiftVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppSwiftVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppSwiftVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppSwiftVirtualNetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppSwiftVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppSwiftVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppSwiftVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppSwiftVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppSwiftVirtualNetworkConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppSwiftVirtualNetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSwiftVirtualNetworkConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSwiftVirtualNetworkConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppSwiftVirtualNetworkConnectionSlot.cs b/sdk/dotnet/Web/WebAppSwiftVirtualNetworkConnectionSlot.cs index 33d2b38f8a69..2a36053b66d7 100644 --- a/sdk/dotnet/Web/WebAppSwiftVirtualNetworkConnectionSlot.cs +++ b/sdk/dotnet/Web/WebAppSwiftVirtualNetworkConnectionSlot.cs @@ -80,20 +80,25 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppSwiftVirtualNetworkConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppSwiftVirtualNetworkConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppSwiftVirtualNetworkConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppSwiftVirtualNetworkConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppSwiftVirtualNetworkConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppSwiftVirtualNetworkConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppSwiftVirtualNetworkConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppSwiftVirtualNetworkConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppSwiftVirtualNetworkConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppSwiftVirtualNetworkConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppSwiftVirtualNetworkConnectionSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppVnetConnection.cs b/sdk/dotnet/Web/WebAppVnetConnection.cs index 86a8814d8ac4..0243002a98f4 100644 --- a/sdk/dotnet/Web/WebAppVnetConnection.cs +++ b/sdk/dotnet/Web/WebAppVnetConnection.cs @@ -111,24 +111,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppVnetConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppVnetConnection" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppVnetConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppVnetConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppVnetConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppVnetConnection" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppVnetConnection" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppVnetConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Web/WebAppVnetConnectionSlot.cs b/sdk/dotnet/Web/WebAppVnetConnectionSlot.cs index afa921b0acac..82d8d24301dc 100644 --- a/sdk/dotnet/Web/WebAppVnetConnectionSlot.cs +++ b/sdk/dotnet/Web/WebAppVnetConnectionSlot.cs @@ -111,24 +111,29 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:web/v20150801:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20160801:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20180201:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20181101:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20190801:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200601:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20200901:WebAppVnetConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20201001:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20201201:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210101:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210115:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210201:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20210301:WebAppVnetConnectionSlot" }, - new global::Pulumi.Alias { Type = "azure-native:web/v20220301:WebAppVnetConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20220901:WebAppVnetConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20230101:WebAppVnetConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20231201:WebAppVnetConnectionSlot" }, new global::Pulumi.Alias { Type = "azure-native:web/v20240401:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20150801:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20160801:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20180201:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20181101:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20190801:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200601:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20200901:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201001:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20201201:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210101:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210115:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210201:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20210301:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220301:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20220901:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20230101:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20231201:web:WebAppVnetConnectionSlot" }, + new global::Pulumi.Alias { Type = "azure-native_web_v20240401:web:WebAppVnetConnectionSlot" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/WebPubSub/WebPubSub.cs b/sdk/dotnet/WebPubSub/WebPubSub.cs index 7317cb92d007..2466ae804ead 100644 --- a/sdk/dotnet/WebPubSub/WebPubSub.cs +++ b/sdk/dotnet/WebPubSub/WebPubSub.cs @@ -225,8 +225,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20210401preview:WebPubSub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20210601preview:WebPubSub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20210901preview:WebPubSub" }, - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20211001:WebPubSub" }, - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20220801preview:WebPubSub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230201:WebPubSub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230301preview:WebPubSub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230601preview:WebPubSub" }, @@ -236,6 +234,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240401preview:WebPubSub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240801preview:WebPubSub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20241001preview:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20210401preview:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20210601preview:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20210901preview:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20211001:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230201:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240301:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSub" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/WebPubSub/WebPubSubCustomCertificate.cs b/sdk/dotnet/WebPubSub/WebPubSubCustomCertificate.cs index a2ac9cdcf03a..4d71e40e9c0b 100644 --- a/sdk/dotnet/WebPubSub/WebPubSubCustomCertificate.cs +++ b/sdk/dotnet/WebPubSub/WebPubSubCustomCertificate.cs @@ -92,7 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20220801preview:WebPubSubCustomCertificate" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230201:WebPubSubCustomCertificate" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230301preview:WebPubSubCustomCertificate" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230601preview:WebPubSubCustomCertificate" }, @@ -102,6 +101,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240401preview:WebPubSubCustomCertificate" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240801preview:WebPubSubCustomCertificate" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20241001preview:WebPubSubCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230201:webpubsub:WebPubSubCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240301:webpubsub:WebPubSubCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubCustomCertificate" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubCustomCertificate" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/WebPubSub/WebPubSubCustomDomain.cs b/sdk/dotnet/WebPubSub/WebPubSubCustomDomain.cs index bb25d7d7150c..75d63facece0 100644 --- a/sdk/dotnet/WebPubSub/WebPubSubCustomDomain.cs +++ b/sdk/dotnet/WebPubSub/WebPubSubCustomDomain.cs @@ -86,7 +86,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20220801preview:WebPubSubCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230201:WebPubSubCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230301preview:WebPubSubCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230601preview:WebPubSubCustomDomain" }, @@ -96,6 +95,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240401preview:WebPubSubCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240801preview:WebPubSubCustomDomain" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20241001preview:WebPubSubCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230201:webpubsub:WebPubSubCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240301:webpubsub:WebPubSubCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubCustomDomain" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubCustomDomain" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/WebPubSub/WebPubSubHub.cs b/sdk/dotnet/WebPubSub/WebPubSubHub.cs index 40629ae3db9f..d6e22f77bcc6 100644 --- a/sdk/dotnet/WebPubSub/WebPubSubHub.cs +++ b/sdk/dotnet/WebPubSub/WebPubSubHub.cs @@ -74,8 +74,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20211001:WebPubSubHub" }, - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20220801preview:WebPubSubHub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230201:WebPubSubHub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230301preview:WebPubSubHub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230601preview:WebPubSubHub" }, @@ -85,6 +83,17 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240401preview:WebPubSubHub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240801preview:WebPubSubHub" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20241001preview:WebPubSubHub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20211001:webpubsub:WebPubSubHub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubHub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230201:webpubsub:WebPubSubHub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubHub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubHub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubHub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubHub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240301:webpubsub:WebPubSubHub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubHub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubHub" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubHub" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/WebPubSub/WebPubSubPrivateEndpointConnection.cs b/sdk/dotnet/WebPubSub/WebPubSubPrivateEndpointConnection.cs index ce752cd68161..f1195f06c0de 100644 --- a/sdk/dotnet/WebPubSub/WebPubSubPrivateEndpointConnection.cs +++ b/sdk/dotnet/WebPubSub/WebPubSubPrivateEndpointConnection.cs @@ -92,11 +92,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20210401preview:WebPubSubPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20210601preview:WebPubSubPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20210901preview:WebPubSubPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20211001:WebPubSubPrivateEndpointConnection" }, - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20220801preview:WebPubSubPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230201:WebPubSubPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230301preview:WebPubSubPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230601preview:WebPubSubPrivateEndpointConnection" }, @@ -106,6 +101,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240401preview:WebPubSubPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240801preview:WebPubSubPrivateEndpointConnection" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20241001preview:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20210401preview:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20210601preview:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20210901preview:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20211001:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230201:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240301:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubPrivateEndpointConnection" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubPrivateEndpointConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/WebPubSub/WebPubSubReplica.cs b/sdk/dotnet/WebPubSub/WebPubSubReplica.cs index faf3814f6711..172de67d653a 100644 --- a/sdk/dotnet/WebPubSub/WebPubSubReplica.cs +++ b/sdk/dotnet/WebPubSub/WebPubSubReplica.cs @@ -115,6 +115,14 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240401preview:WebPubSubReplica" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240801preview:WebPubSubReplica" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20241001preview:WebPubSubReplica" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubReplica" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubReplica" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubReplica" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubReplica" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240301:webpubsub:WebPubSubReplica" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubReplica" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubReplica" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubReplica" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/WebPubSub/WebPubSubSharedPrivateLinkResource.cs b/sdk/dotnet/WebPubSub/WebPubSubSharedPrivateLinkResource.cs index 04f61e09d648..205e5dee25f9 100644 --- a/sdk/dotnet/WebPubSub/WebPubSubSharedPrivateLinkResource.cs +++ b/sdk/dotnet/WebPubSub/WebPubSubSharedPrivateLinkResource.cs @@ -98,11 +98,6 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20210401preview:WebPubSubSharedPrivateLinkResource" }, - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20210601preview:WebPubSubSharedPrivateLinkResource" }, - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20210901preview:WebPubSubSharedPrivateLinkResource" }, - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20211001:WebPubSubSharedPrivateLinkResource" }, - new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20220801preview:WebPubSubSharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230201:WebPubSubSharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230301preview:WebPubSubSharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20230601preview:WebPubSubSharedPrivateLinkResource" }, @@ -112,6 +107,20 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240401preview:WebPubSubSharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20240801preview:WebPubSubSharedPrivateLinkResource" }, new global::Pulumi.Alias { Type = "azure-native:webpubsub/v20241001preview:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20210401preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20210601preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20210901preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20211001:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230201:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240301:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, + new global::Pulumi.Alias { Type = "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/WeightsAndBiases/Instance.cs b/sdk/dotnet/WeightsAndBiases/Instance.cs index fc828cc9a474..f35275466c5a 100644 --- a/sdk/dotnet/WeightsAndBiases/Instance.cs +++ b/sdk/dotnet/WeightsAndBiases/Instance.cs @@ -90,7 +90,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:weightsandbiases/v20240918preview:Instance" }, + new global::Pulumi.Alias { Type = "azure-native_weightsandbiases_v20240918preview:weightsandbiases:Instance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/WindowsESU/MultipleActivationKey.cs b/sdk/dotnet/WindowsESU/MultipleActivationKey.cs index c4086801bd31..c4e75b17b782 100644 --- a/sdk/dotnet/WindowsESU/MultipleActivationKey.cs +++ b/sdk/dotnet/WindowsESU/MultipleActivationKey.cs @@ -118,6 +118,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:windowsesu/v20190916preview:MultipleActivationKey" }, + new global::Pulumi.Alias { Type = "azure-native_windowsesu_v20190916preview:windowsesu:MultipleActivationKey" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/WindowsIoT/Service.cs b/sdk/dotnet/WindowsIoT/Service.cs index 2cb5d504b76b..2a21583a7155 100644 --- a/sdk/dotnet/WindowsIoT/Service.cs +++ b/sdk/dotnet/WindowsIoT/Service.cs @@ -108,8 +108,9 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:windowsiot/v20180216preview:Service" }, new global::Pulumi.Alias { Type = "azure-native:windowsiot/v20190601:Service" }, + new global::Pulumi.Alias { Type = "azure-native_windowsiot_v20180216preview:windowsiot:Service" }, + new global::Pulumi.Alias { Type = "azure-native_windowsiot_v20190601:windowsiot:Service" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/ACSSBackupConnection.cs b/sdk/dotnet/Workloads/ACSSBackupConnection.cs index 55e9802d722e..8939149ed8bc 100644 --- a/sdk/dotnet/Workloads/ACSSBackupConnection.cs +++ b/sdk/dotnet/Workloads/ACSSBackupConnection.cs @@ -97,6 +97,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:ACSSBackupConnection" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:ACSSBackupConnection" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/Alert.cs b/sdk/dotnet/Workloads/Alert.cs index 4e525e8f4233..176dd6803273 100644 --- a/sdk/dotnet/Workloads/Alert.cs +++ b/sdk/dotnet/Workloads/Alert.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:workloads/v20240201preview:Alert" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20240201preview:workloads:Alert" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/Connector.cs b/sdk/dotnet/Workloads/Connector.cs index 346480c39dad..1133c1614fb5 100644 --- a/sdk/dotnet/Workloads/Connector.cs +++ b/sdk/dotnet/Workloads/Connector.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:Connector" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:Connector" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/Monitor.cs b/sdk/dotnet/Workloads/Monitor.cs index 33368b48e529..0de9a4250154 100644 --- a/sdk/dotnet/Workloads/Monitor.cs +++ b/sdk/dotnet/Workloads/Monitor.cs @@ -152,12 +152,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:workloads/v20211201preview:Monitor" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20221101preview:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20230401:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20231201preview:Monitor" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20240201preview:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20211201preview:workloads:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20221101preview:workloads:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20230401:workloads:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231201preview:workloads:Monitor" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20240201preview:workloads:Monitor" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/ProviderInstance.cs b/sdk/dotnet/Workloads/ProviderInstance.cs index b9a370643e1c..8a7495bc1c34 100644 --- a/sdk/dotnet/Workloads/ProviderInstance.cs +++ b/sdk/dotnet/Workloads/ProviderInstance.cs @@ -92,12 +92,16 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:workloads/v20211201preview:ProviderInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20221101preview:ProviderInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20230401:ProviderInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:ProviderInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20231201preview:ProviderInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20240201preview:ProviderInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20211201preview:workloads:ProviderInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20221101preview:workloads:ProviderInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20230401:workloads:ProviderInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:ProviderInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231201preview:workloads:ProviderInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20240201preview:workloads:ProviderInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/SapApplicationServerInstance.cs b/sdk/dotnet/Workloads/SapApplicationServerInstance.cs index fa0fe0000242..5c7f5c642bfc 100644 --- a/sdk/dotnet/Workloads/SapApplicationServerInstance.cs +++ b/sdk/dotnet/Workloads/SapApplicationServerInstance.cs @@ -175,14 +175,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:workloads/v20211201preview:SAPApplicationServerInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20211201preview:SapApplicationServerInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20221101preview:SapApplicationServerInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20230401:SAPApplicationServerInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20230401:SapApplicationServerInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:SAPApplicationServerInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:SapApplicationServerInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20240901:SapApplicationServerInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads:SAPApplicationServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20211201preview:workloads:SapApplicationServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20221101preview:workloads:SapApplicationServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20230401:workloads:SapApplicationServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:SapApplicationServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20240901:workloads:SapApplicationServerInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/SapCentralServerInstance.cs b/sdk/dotnet/Workloads/SapCentralServerInstance.cs index 9d0ac08b0923..238e37682f5b 100644 --- a/sdk/dotnet/Workloads/SapCentralServerInstance.cs +++ b/sdk/dotnet/Workloads/SapCentralServerInstance.cs @@ -162,14 +162,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:workloads/v20211201preview:SapCentralServerInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20221101preview:SapCentralServerInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20230401:SAPCentralInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20230401:SapCentralServerInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:SAPCentralInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:SapCentralServerInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20240901:SapCentralServerInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads:SAPCentralInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20211201preview:workloads:SapCentralServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20221101preview:workloads:SapCentralServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20230401:workloads:SapCentralServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:SapCentralServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20240901:workloads:SapCentralServerInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/SapDatabaseInstance.cs b/sdk/dotnet/Workloads/SapDatabaseInstance.cs index b4d2c1d9c25b..24c0d0a73b39 100644 --- a/sdk/dotnet/Workloads/SapDatabaseInstance.cs +++ b/sdk/dotnet/Workloads/SapDatabaseInstance.cs @@ -132,14 +132,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:workloads/v20211201preview:SapDatabaseInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20221101preview:SapDatabaseInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20230401:SAPDatabaseInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20230401:SapDatabaseInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:SAPDatabaseInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:SapDatabaseInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20240901:SapDatabaseInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads:SAPDatabaseInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20211201preview:workloads:SapDatabaseInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20221101preview:workloads:SapDatabaseInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20230401:workloads:SapDatabaseInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:SapDatabaseInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20240901:workloads:SapDatabaseInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/SapDiscoverySite.cs b/sdk/dotnet/Workloads/SapDiscoverySite.cs index 0ed30b8ccd86..82b1ab49cf64 100644 --- a/sdk/dotnet/Workloads/SapDiscoverySite.cs +++ b/sdk/dotnet/Workloads/SapDiscoverySite.cs @@ -109,6 +109,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:SapDiscoverySite" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:SapDiscoverySite" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/SapInstance.cs b/sdk/dotnet/Workloads/SapInstance.cs index 8297c6996d4e..a701c5bc3702 100644 --- a/sdk/dotnet/Workloads/SapInstance.cs +++ b/sdk/dotnet/Workloads/SapInstance.cs @@ -115,6 +115,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:SapInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:SapInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/SapLandscapeMonitor.cs b/sdk/dotnet/Workloads/SapLandscapeMonitor.cs index e53b1d517848..ee6514278232 100644 --- a/sdk/dotnet/Workloads/SapLandscapeMonitor.cs +++ b/sdk/dotnet/Workloads/SapLandscapeMonitor.cs @@ -86,11 +86,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:workloads/v20221101preview:SapLandscapeMonitor" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20230401:SapLandscapeMonitor" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:SapLandscapeMonitor" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20231201preview:SapLandscapeMonitor" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20240201preview:SapLandscapeMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20221101preview:workloads:SapLandscapeMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20230401:workloads:SapLandscapeMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:SapLandscapeMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231201preview:workloads:SapLandscapeMonitor" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20240201preview:workloads:SapLandscapeMonitor" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/SapVirtualInstance.cs b/sdk/dotnet/Workloads/SapVirtualInstance.cs index d513dd039ccc..4cc6f4929fec 100644 --- a/sdk/dotnet/Workloads/SapVirtualInstance.cs +++ b/sdk/dotnet/Workloads/SapVirtualInstance.cs @@ -144,14 +144,15 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Version = Utilities.Version, Aliases = { - new global::Pulumi.Alias { Type = "azure-native:workloads/v20211201preview:SapVirtualInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20221101preview:SapVirtualInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20230401:SAPVirtualInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20230401:SapVirtualInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:SAPVirtualInstance" }, - new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:SapVirtualInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads/v20240901:SapVirtualInstance" }, new global::Pulumi.Alias { Type = "azure-native:workloads:SAPVirtualInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20211201preview:workloads:SapVirtualInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20221101preview:workloads:SapVirtualInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20230401:workloads:SapVirtualInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:SapVirtualInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20240901:workloads:SapVirtualInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/dotnet/Workloads/ServerInstance.cs b/sdk/dotnet/Workloads/ServerInstance.cs index 5bcfe3f21105..3c5dfdf53694 100644 --- a/sdk/dotnet/Workloads/ServerInstance.cs +++ b/sdk/dotnet/Workloads/ServerInstance.cs @@ -127,6 +127,7 @@ private static CustomResourceOptions MakeResourceOptions(CustomResourceOptions? Aliases = { new global::Pulumi.Alias { Type = "azure-native:workloads/v20231001preview:ServerInstance" }, + new global::Pulumi.Alias { Type = "azure-native_workloads_v20231001preview:workloads:ServerInstance" }, }, }; var merged = CustomResourceOptions.Merge(defaultOptions, options); diff --git a/sdk/nodejs/aad/domainService.ts b/sdk/nodejs/aad/domainService.ts index ee4337b72963..9170dc3f98d6 100644 --- a/sdk/nodejs/aad/domainService.ts +++ b/sdk/nodejs/aad/domainService.ts @@ -209,7 +209,7 @@ export class DomainService extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:aad/v20170101:DomainService" }, { type: "azure-native:aad/v20170601:DomainService" }, { type: "azure-native:aad/v20200101:DomainService" }, { type: "azure-native:aad/v20210301:DomainService" }, { type: "azure-native:aad/v20210501:DomainService" }, { type: "azure-native:aad/v20220901:DomainService" }, { type: "azure-native:aad/v20221201:DomainService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:aad/v20221201:DomainService" }, { type: "azure-native_aad_v20170101:aad:DomainService" }, { type: "azure-native_aad_v20170601:aad:DomainService" }, { type: "azure-native_aad_v20200101:aad:DomainService" }, { type: "azure-native_aad_v20210301:aad:DomainService" }, { type: "azure-native_aad_v20210501:aad:DomainService" }, { type: "azure-native_aad_v20220901:aad:DomainService" }, { type: "azure-native_aad_v20221201:aad:DomainService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DomainService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/aad/ouContainer.ts b/sdk/nodejs/aad/ouContainer.ts index 9fca207e8a6f..e16b87308026 100644 --- a/sdk/nodejs/aad/ouContainer.ts +++ b/sdk/nodejs/aad/ouContainer.ts @@ -156,7 +156,7 @@ export class OuContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:aad/v20170601:OuContainer" }, { type: "azure-native:aad/v20200101:OuContainer" }, { type: "azure-native:aad/v20210301:OuContainer" }, { type: "azure-native:aad/v20210501:OuContainer" }, { type: "azure-native:aad/v20220901:OuContainer" }, { type: "azure-native:aad/v20221201:OuContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:aad/v20221201:OuContainer" }, { type: "azure-native_aad_v20170601:aad:OuContainer" }, { type: "azure-native_aad_v20200101:aad:OuContainer" }, { type: "azure-native_aad_v20210301:aad:OuContainer" }, { type: "azure-native_aad_v20210501:aad:OuContainer" }, { type: "azure-native_aad_v20220901:aad:OuContainer" }, { type: "azure-native_aad_v20221201:aad:OuContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OuContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/aadiam/diagnosticSetting.ts b/sdk/nodejs/aadiam/diagnosticSetting.ts index 577385fce242..bca58dc156a5 100644 --- a/sdk/nodejs/aadiam/diagnosticSetting.ts +++ b/sdk/nodejs/aadiam/diagnosticSetting.ts @@ -108,7 +108,7 @@ export class DiagnosticSetting extends pulumi.CustomResource { resourceInputs["workspaceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:aadiam/v20170401:DiagnosticSetting" }, { type: "azure-native:aadiam/v20170401preview:DiagnosticSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:aadiam/v20170401:DiagnosticSetting" }, { type: "azure-native:aadiam/v20170401preview:DiagnosticSetting" }, { type: "azure-native_aadiam_v20170401:aadiam:DiagnosticSetting" }, { type: "azure-native_aadiam_v20170401preview:aadiam:DiagnosticSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DiagnosticSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/addons/supportPlanType.ts b/sdk/nodejs/addons/supportPlanType.ts index f435ad09c585..274e9604dcca 100644 --- a/sdk/nodejs/addons/supportPlanType.ts +++ b/sdk/nodejs/addons/supportPlanType.ts @@ -80,7 +80,7 @@ export class SupportPlanType extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:addons/v20170515:SupportPlanType" }, { type: "azure-native:addons/v20180301:SupportPlanType" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:addons/v20180301:SupportPlanType" }, { type: "azure-native_addons_v20170515:addons:SupportPlanType" }, { type: "azure-native_addons_v20180301:addons:SupportPlanType" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SupportPlanType.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/advisor/assessment.ts b/sdk/nodejs/advisor/assessment.ts index 40744aa1ef55..258e3baa0c25 100644 --- a/sdk/nodejs/advisor/assessment.ts +++ b/sdk/nodejs/advisor/assessment.ts @@ -133,7 +133,7 @@ export class Assessment extends pulumi.CustomResource { resourceInputs["workloadName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:advisor/v20230901preview:Assessment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_advisor_v20230901preview:advisor:Assessment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Assessment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/advisor/suppression.ts b/sdk/nodejs/advisor/suppression.ts index 70056ce18c8e..4a827e53ff57 100644 --- a/sdk/nodejs/advisor/suppression.ts +++ b/sdk/nodejs/advisor/suppression.ts @@ -106,7 +106,7 @@ export class Suppression extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:advisor/v20160712preview:Suppression" }, { type: "azure-native:advisor/v20170331:Suppression" }, { type: "azure-native:advisor/v20170419:Suppression" }, { type: "azure-native:advisor/v20200101:Suppression" }, { type: "azure-native:advisor/v20220901:Suppression" }, { type: "azure-native:advisor/v20221001:Suppression" }, { type: "azure-native:advisor/v20230101:Suppression" }, { type: "azure-native:advisor/v20230901preview:Suppression" }, { type: "azure-native:advisor/v20250101:Suppression" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:advisor/v20230101:Suppression" }, { type: "azure-native_advisor_v20160712preview:advisor:Suppression" }, { type: "azure-native_advisor_v20170331:advisor:Suppression" }, { type: "azure-native_advisor_v20170419:advisor:Suppression" }, { type: "azure-native_advisor_v20200101:advisor:Suppression" }, { type: "azure-native_advisor_v20220901:advisor:Suppression" }, { type: "azure-native_advisor_v20221001:advisor:Suppression" }, { type: "azure-native_advisor_v20230101:advisor:Suppression" }, { type: "azure-native_advisor_v20230901preview:advisor:Suppression" }, { type: "azure-native_advisor_v20250101:advisor:Suppression" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Suppression.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/agfoodplatform/dataConnector.ts b/sdk/nodejs/agfoodplatform/dataConnector.ts index b6d5e36f5c80..05def4b7101a 100644 --- a/sdk/nodejs/agfoodplatform/dataConnector.ts +++ b/sdk/nodejs/agfoodplatform/dataConnector.ts @@ -102,7 +102,7 @@ export class DataConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:agfoodplatform/v20230601preview:DataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:agfoodplatform/v20230601preview:DataConnector" }, { type: "azure-native_agfoodplatform_v20230601preview:agfoodplatform:DataConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/agfoodplatform/dataManagerForAgricultureResource.ts b/sdk/nodejs/agfoodplatform/dataManagerForAgricultureResource.ts index 842b64789185..eff8baf9a674 100644 --- a/sdk/nodejs/agfoodplatform/dataManagerForAgricultureResource.ts +++ b/sdk/nodejs/agfoodplatform/dataManagerForAgricultureResource.ts @@ -131,7 +131,7 @@ export class DataManagerForAgricultureResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:agfoodplatform/v20200512preview:DataManagerForAgricultureResource" }, { type: "azure-native:agfoodplatform/v20200512preview:FarmBeatsModel" }, { type: "azure-native:agfoodplatform/v20210901preview:DataManagerForAgricultureResource" }, { type: "azure-native:agfoodplatform/v20210901preview:FarmBeatsModel" }, { type: "azure-native:agfoodplatform/v20230601preview:DataManagerForAgricultureResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:agfoodplatform/v20200512preview:FarmBeatsModel" }, { type: "azure-native:agfoodplatform/v20210901preview:FarmBeatsModel" }, { type: "azure-native:agfoodplatform/v20230601preview:DataManagerForAgricultureResource" }, { type: "azure-native_agfoodplatform_v20200512preview:agfoodplatform:DataManagerForAgricultureResource" }, { type: "azure-native_agfoodplatform_v20210901preview:agfoodplatform:DataManagerForAgricultureResource" }, { type: "azure-native_agfoodplatform_v20230601preview:agfoodplatform:DataManagerForAgricultureResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataManagerForAgricultureResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/agfoodplatform/extension.ts b/sdk/nodejs/agfoodplatform/extension.ts index 2b183ac03de0..525e0c447a6f 100644 --- a/sdk/nodejs/agfoodplatform/extension.ts +++ b/sdk/nodejs/agfoodplatform/extension.ts @@ -129,7 +129,7 @@ export class Extension extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:agfoodplatform/v20200512preview:Extension" }, { type: "azure-native:agfoodplatform/v20210901preview:Extension" }, { type: "azure-native:agfoodplatform/v20230601preview:Extension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:agfoodplatform/v20210901preview:Extension" }, { type: "azure-native:agfoodplatform/v20230601preview:Extension" }, { type: "azure-native_agfoodplatform_v20200512preview:agfoodplatform:Extension" }, { type: "azure-native_agfoodplatform_v20210901preview:agfoodplatform:Extension" }, { type: "azure-native_agfoodplatform_v20230601preview:agfoodplatform:Extension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Extension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/agfoodplatform/privateEndpointConnection.ts b/sdk/nodejs/agfoodplatform/privateEndpointConnection.ts index 3df79bd0c3de..8d634bf5dab4 100644 --- a/sdk/nodejs/agfoodplatform/privateEndpointConnection.ts +++ b/sdk/nodejs/agfoodplatform/privateEndpointConnection.ts @@ -114,7 +114,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:agfoodplatform/v20210901preview:PrivateEndpointConnection" }, { type: "azure-native:agfoodplatform/v20230601preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:agfoodplatform/v20210901preview:PrivateEndpointConnection" }, { type: "azure-native:agfoodplatform/v20230601preview:PrivateEndpointConnection" }, { type: "azure-native_agfoodplatform_v20210901preview:agfoodplatform:PrivateEndpointConnection" }, { type: "azure-native_agfoodplatform_v20230601preview:agfoodplatform:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/agfoodplatform/solution.ts b/sdk/nodejs/agfoodplatform/solution.ts index 340fae380ec3..507c40f78fb0 100644 --- a/sdk/nodejs/agfoodplatform/solution.ts +++ b/sdk/nodejs/agfoodplatform/solution.ts @@ -99,7 +99,7 @@ export class Solution extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:agfoodplatform/v20210901preview:Solution" }, { type: "azure-native:agfoodplatform/v20230601preview:Solution" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:agfoodplatform/v20210901preview:Solution" }, { type: "azure-native:agfoodplatform/v20230601preview:Solution" }, { type: "azure-native_agfoodplatform_v20210901preview:agfoodplatform:Solution" }, { type: "azure-native_agfoodplatform_v20230601preview:agfoodplatform:Solution" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Solution.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/agricultureplatform/agriService.ts b/sdk/nodejs/agricultureplatform/agriService.ts index 692e6ba7ea7c..f6045a15fdb4 100644 --- a/sdk/nodejs/agricultureplatform/agriService.ts +++ b/sdk/nodejs/agricultureplatform/agriService.ts @@ -113,7 +113,7 @@ export class AgriService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:agricultureplatform/v20240601preview:AgriService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_agricultureplatform_v20240601preview:agricultureplatform:AgriService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AgriService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/alertsmanagement/actionRuleByName.ts b/sdk/nodejs/alertsmanagement/actionRuleByName.ts index 2b601d03fe30..39bfe9002f56 100644 --- a/sdk/nodejs/alertsmanagement/actionRuleByName.ts +++ b/sdk/nodejs/alertsmanagement/actionRuleByName.ts @@ -95,7 +95,7 @@ export class ActionRuleByName extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:alertsmanagement/v20181102privatepreview:ActionRuleByName" }, { type: "azure-native:alertsmanagement/v20190505preview:ActionRuleByName" }, { type: "azure-native:alertsmanagement/v20210808:ActionRuleByName" }, { type: "azure-native:alertsmanagement/v20210808:AlertProcessingRuleByName" }, { type: "azure-native:alertsmanagement/v20210808preview:ActionRuleByName" }, { type: "azure-native:alertsmanagement:AlertProcessingRuleByName" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:alertsmanagement/v20190505preview:ActionRuleByName" }, { type: "azure-native:alertsmanagement/v20210808:AlertProcessingRuleByName" }, { type: "azure-native:alertsmanagement:AlertProcessingRuleByName" }, { type: "azure-native_alertsmanagement_v20181102privatepreview:alertsmanagement:ActionRuleByName" }, { type: "azure-native_alertsmanagement_v20190505preview:alertsmanagement:ActionRuleByName" }, { type: "azure-native_alertsmanagement_v20210808:alertsmanagement:ActionRuleByName" }, { type: "azure-native_alertsmanagement_v20210808preview:alertsmanagement:ActionRuleByName" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ActionRuleByName.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/alertsmanagement/alertProcessingRuleByName.ts b/sdk/nodejs/alertsmanagement/alertProcessingRuleByName.ts index 0521c54f1005..ff91639f227e 100644 --- a/sdk/nodejs/alertsmanagement/alertProcessingRuleByName.ts +++ b/sdk/nodejs/alertsmanagement/alertProcessingRuleByName.ts @@ -103,7 +103,7 @@ export class AlertProcessingRuleByName extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:alertsmanagement/v20181102privatepreview:AlertProcessingRuleByName" }, { type: "azure-native:alertsmanagement/v20190505preview:ActionRuleByName" }, { type: "azure-native:alertsmanagement/v20190505preview:AlertProcessingRuleByName" }, { type: "azure-native:alertsmanagement/v20210808:AlertProcessingRuleByName" }, { type: "azure-native:alertsmanagement/v20210808preview:AlertProcessingRuleByName" }, { type: "azure-native:alertsmanagement:ActionRuleByName" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:alertsmanagement/v20190505preview:ActionRuleByName" }, { type: "azure-native:alertsmanagement/v20210808:AlertProcessingRuleByName" }, { type: "azure-native:alertsmanagement:ActionRuleByName" }, { type: "azure-native_alertsmanagement_v20181102privatepreview:alertsmanagement:AlertProcessingRuleByName" }, { type: "azure-native_alertsmanagement_v20190505preview:alertsmanagement:AlertProcessingRuleByName" }, { type: "azure-native_alertsmanagement_v20210808:alertsmanagement:AlertProcessingRuleByName" }, { type: "azure-native_alertsmanagement_v20210808preview:alertsmanagement:AlertProcessingRuleByName" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AlertProcessingRuleByName.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/alertsmanagement/prometheusRuleGroup.ts b/sdk/nodejs/alertsmanagement/prometheusRuleGroup.ts index f4c45fd81f18..8dd53135ebae 100644 --- a/sdk/nodejs/alertsmanagement/prometheusRuleGroup.ts +++ b/sdk/nodejs/alertsmanagement/prometheusRuleGroup.ts @@ -139,7 +139,7 @@ export class PrometheusRuleGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:alertsmanagement/v20210722preview:PrometheusRuleGroup" }, { type: "azure-native:alertsmanagement/v20230301:PrometheusRuleGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:alertsmanagement/v20230301:PrometheusRuleGroup" }, { type: "azure-native_alertsmanagement_v20210722preview:alertsmanagement:PrometheusRuleGroup" }, { type: "azure-native_alertsmanagement_v20230301:alertsmanagement:PrometheusRuleGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrometheusRuleGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/alertsmanagement/smartDetectorAlertRule.ts b/sdk/nodejs/alertsmanagement/smartDetectorAlertRule.ts index 54de74e09125..9812174110b3 100644 --- a/sdk/nodejs/alertsmanagement/smartDetectorAlertRule.ts +++ b/sdk/nodejs/alertsmanagement/smartDetectorAlertRule.ts @@ -157,7 +157,7 @@ export class SmartDetectorAlertRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:alertsmanagement/v20190301:SmartDetectorAlertRule" }, { type: "azure-native:alertsmanagement/v20190601:SmartDetectorAlertRule" }, { type: "azure-native:alertsmanagement/v20210401:SmartDetectorAlertRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:alertsmanagement/v20210401:SmartDetectorAlertRule" }, { type: "azure-native_alertsmanagement_v20190301:alertsmanagement:SmartDetectorAlertRule" }, { type: "azure-native_alertsmanagement_v20190601:alertsmanagement:SmartDetectorAlertRule" }, { type: "azure-native_alertsmanagement_v20210401:alertsmanagement:SmartDetectorAlertRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SmartDetectorAlertRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/analysisservices/serverDetails.ts b/sdk/nodejs/analysisservices/serverDetails.ts index e733a9388216..89e0f7ad951d 100644 --- a/sdk/nodejs/analysisservices/serverDetails.ts +++ b/sdk/nodejs/analysisservices/serverDetails.ts @@ -158,7 +158,7 @@ export class ServerDetails extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:analysisservices/v20160516:ServerDetails" }, { type: "azure-native:analysisservices/v20170714:ServerDetails" }, { type: "azure-native:analysisservices/v20170801:ServerDetails" }, { type: "azure-native:analysisservices/v20170801beta:ServerDetails" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:analysisservices/v20170801:ServerDetails" }, { type: "azure-native:analysisservices/v20170801beta:ServerDetails" }, { type: "azure-native_analysisservices_v20160516:analysisservices:ServerDetails" }, { type: "azure-native_analysisservices_v20170714:analysisservices:ServerDetails" }, { type: "azure-native_analysisservices_v20170801:analysisservices:ServerDetails" }, { type: "azure-native_analysisservices_v20170801beta:analysisservices:ServerDetails" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerDetails.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apicenter/api.ts b/sdk/nodejs/apicenter/api.ts index 4d8307e28708..d9c53a98de9b 100644 --- a/sdk/nodejs/apicenter/api.ts +++ b/sdk/nodejs/apicenter/api.ts @@ -159,7 +159,7 @@ export class Api extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:Api" }, { type: "azure-native:apicenter/v20240315preview:Api" }, { type: "azure-native:apicenter/v20240601preview:Api" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:Api" }, { type: "azure-native:apicenter/v20240315preview:Api" }, { type: "azure-native:apicenter/v20240601preview:Api" }, { type: "azure-native_apicenter_v20240301:apicenter:Api" }, { type: "azure-native_apicenter_v20240315preview:apicenter:Api" }, { type: "azure-native_apicenter_v20240601preview:apicenter:Api" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Api.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apicenter/apiDefinition.ts b/sdk/nodejs/apicenter/apiDefinition.ts index d350a38755a0..1b413bef178e 100644 --- a/sdk/nodejs/apicenter/apiDefinition.ts +++ b/sdk/nodejs/apicenter/apiDefinition.ts @@ -122,7 +122,7 @@ export class ApiDefinition extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:ApiDefinition" }, { type: "azure-native:apicenter/v20240315preview:ApiDefinition" }, { type: "azure-native:apicenter/v20240601preview:ApiDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:ApiDefinition" }, { type: "azure-native:apicenter/v20240315preview:ApiDefinition" }, { type: "azure-native:apicenter/v20240601preview:ApiDefinition" }, { type: "azure-native_apicenter_v20240301:apicenter:ApiDefinition" }, { type: "azure-native_apicenter_v20240315preview:apicenter:ApiDefinition" }, { type: "azure-native_apicenter_v20240601preview:apicenter:ApiDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apicenter/apiSource.ts b/sdk/nodejs/apicenter/apiSource.ts index 550397bac122..72131ba453d7 100644 --- a/sdk/nodejs/apicenter/apiSource.ts +++ b/sdk/nodejs/apicenter/apiSource.ts @@ -121,7 +121,7 @@ export class ApiSource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240601preview:ApiSource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240601preview:ApiSource" }, { type: "azure-native_apicenter_v20240601preview:apicenter:ApiSource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiSource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apicenter/apiVersion.ts b/sdk/nodejs/apicenter/apiVersion.ts index 0210921f2aed..506bbaa6aeca 100644 --- a/sdk/nodejs/apicenter/apiVersion.ts +++ b/sdk/nodejs/apicenter/apiVersion.ts @@ -115,7 +115,7 @@ export class ApiVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:ApiVersion" }, { type: "azure-native:apicenter/v20240315preview:ApiVersion" }, { type: "azure-native:apicenter/v20240601preview:ApiVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:ApiVersion" }, { type: "azure-native:apicenter/v20240315preview:ApiVersion" }, { type: "azure-native:apicenter/v20240601preview:ApiVersion" }, { type: "azure-native_apicenter_v20240301:apicenter:ApiVersion" }, { type: "azure-native_apicenter_v20240315preview:apicenter:ApiVersion" }, { type: "azure-native_apicenter_v20240601preview:apicenter:ApiVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apicenter/deployment.ts b/sdk/nodejs/apicenter/deployment.ts index b7a8c9edea99..32dd31551795 100644 --- a/sdk/nodejs/apicenter/deployment.ts +++ b/sdk/nodejs/apicenter/deployment.ts @@ -139,7 +139,7 @@ export class Deployment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:Deployment" }, { type: "azure-native:apicenter/v20240315preview:Deployment" }, { type: "azure-native:apicenter/v20240601preview:Deployment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:Deployment" }, { type: "azure-native:apicenter/v20240315preview:Deployment" }, { type: "azure-native:apicenter/v20240601preview:Deployment" }, { type: "azure-native_apicenter_v20240301:apicenter:Deployment" }, { type: "azure-native_apicenter_v20240315preview:apicenter:Deployment" }, { type: "azure-native_apicenter_v20240601preview:apicenter:Deployment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Deployment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apicenter/environment.ts b/sdk/nodejs/apicenter/environment.ts index 4970f624c98a..4840ecf47984 100644 --- a/sdk/nodejs/apicenter/environment.ts +++ b/sdk/nodejs/apicenter/environment.ts @@ -135,7 +135,7 @@ export class Environment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:Environment" }, { type: "azure-native:apicenter/v20240315preview:Environment" }, { type: "azure-native:apicenter/v20240601preview:Environment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:Environment" }, { type: "azure-native:apicenter/v20240315preview:Environment" }, { type: "azure-native:apicenter/v20240601preview:Environment" }, { type: "azure-native_apicenter_v20240301:apicenter:Environment" }, { type: "azure-native_apicenter_v20240315preview:apicenter:Environment" }, { type: "azure-native_apicenter_v20240601preview:apicenter:Environment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Environment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apicenter/metadataSchema.ts b/sdk/nodejs/apicenter/metadataSchema.ts index 55138b325a67..942d018e62ff 100644 --- a/sdk/nodejs/apicenter/metadataSchema.ts +++ b/sdk/nodejs/apicenter/metadataSchema.ts @@ -104,7 +104,7 @@ export class MetadataSchema extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:MetadataSchema" }, { type: "azure-native:apicenter/v20240315preview:MetadataSchema" }, { type: "azure-native:apicenter/v20240601preview:MetadataSchema" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:MetadataSchema" }, { type: "azure-native:apicenter/v20240315preview:MetadataSchema" }, { type: "azure-native:apicenter/v20240601preview:MetadataSchema" }, { type: "azure-native_apicenter_v20240301:apicenter:MetadataSchema" }, { type: "azure-native_apicenter_v20240315preview:apicenter:MetadataSchema" }, { type: "azure-native_apicenter_v20240601preview:apicenter:MetadataSchema" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MetadataSchema.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apicenter/service.ts b/sdk/nodejs/apicenter/service.ts index 164cedd1c522..336ef9692b1f 100644 --- a/sdk/nodejs/apicenter/service.ts +++ b/sdk/nodejs/apicenter/service.ts @@ -115,7 +115,7 @@ export class Service extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20230701preview:Service" }, { type: "azure-native:apicenter/v20240301:Service" }, { type: "azure-native:apicenter/v20240315preview:Service" }, { type: "azure-native:apicenter/v20240601preview:Service" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20230701preview:Service" }, { type: "azure-native:apicenter/v20240301:Service" }, { type: "azure-native:apicenter/v20240315preview:Service" }, { type: "azure-native:apicenter/v20240601preview:Service" }, { type: "azure-native_apicenter_v20230701preview:apicenter:Service" }, { type: "azure-native_apicenter_v20240301:apicenter:Service" }, { type: "azure-native_apicenter_v20240315preview:apicenter:Service" }, { type: "azure-native_apicenter_v20240601preview:apicenter:Service" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Service.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apicenter/workspace.ts b/sdk/nodejs/apicenter/workspace.ts index d7ddaa37b097..7e78e9910b6e 100644 --- a/sdk/nodejs/apicenter/workspace.ts +++ b/sdk/nodejs/apicenter/workspace.ts @@ -104,7 +104,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:Workspace" }, { type: "azure-native:apicenter/v20240315preview:Workspace" }, { type: "azure-native:apicenter/v20240601preview:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apicenter/v20240301:Workspace" }, { type: "azure-native:apicenter/v20240315preview:Workspace" }, { type: "azure-native:apicenter/v20240601preview:Workspace" }, { type: "azure-native_apicenter_v20240301:apicenter:Workspace" }, { type: "azure-native_apicenter_v20240315preview:apicenter:Workspace" }, { type: "azure-native_apicenter_v20240601preview:apicenter:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/api.ts b/sdk/nodejs/apimanagement/api.ts index 8d66c6b27477..5dd805a9a9c6 100644 --- a/sdk/nodejs/apimanagement/api.ts +++ b/sdk/nodejs/apimanagement/api.ts @@ -217,7 +217,7 @@ export class Api extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:Api" }, { type: "azure-native:apimanagement/v20161010:Api" }, { type: "azure-native:apimanagement/v20170301:Api" }, { type: "azure-native:apimanagement/v20180101:Api" }, { type: "azure-native:apimanagement/v20180601preview:Api" }, { type: "azure-native:apimanagement/v20190101:Api" }, { type: "azure-native:apimanagement/v20191201:Api" }, { type: "azure-native:apimanagement/v20191201preview:Api" }, { type: "azure-native:apimanagement/v20200601preview:Api" }, { type: "azure-native:apimanagement/v20201201:Api" }, { type: "azure-native:apimanagement/v20210101preview:Api" }, { type: "azure-native:apimanagement/v20210401preview:Api" }, { type: "azure-native:apimanagement/v20210801:Api" }, { type: "azure-native:apimanagement/v20211201preview:Api" }, { type: "azure-native:apimanagement/v20220401preview:Api" }, { type: "azure-native:apimanagement/v20220801:Api" }, { type: "azure-native:apimanagement/v20220901preview:Api" }, { type: "azure-native:apimanagement/v20230301preview:Api" }, { type: "azure-native:apimanagement/v20230501preview:Api" }, { type: "azure-native:apimanagement/v20230901preview:Api" }, { type: "azure-native:apimanagement/v20240501:Api" }, { type: "azure-native:apimanagement/v20240601preview:Api" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:Api" }, { type: "azure-native:apimanagement/v20180601preview:Api" }, { type: "azure-native:apimanagement/v20201201:Api" }, { type: "azure-native:apimanagement/v20220801:Api" }, { type: "azure-native:apimanagement/v20220901preview:Api" }, { type: "azure-native:apimanagement/v20230301preview:Api" }, { type: "azure-native:apimanagement/v20230501preview:Api" }, { type: "azure-native:apimanagement/v20230901preview:Api" }, { type: "azure-native:apimanagement/v20240501:Api" }, { type: "azure-native:apimanagement/v20240601preview:Api" }, { type: "azure-native_apimanagement_v20160707:apimanagement:Api" }, { type: "azure-native_apimanagement_v20161010:apimanagement:Api" }, { type: "azure-native_apimanagement_v20170301:apimanagement:Api" }, { type: "azure-native_apimanagement_v20180101:apimanagement:Api" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:Api" }, { type: "azure-native_apimanagement_v20190101:apimanagement:Api" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Api" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Api" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Api" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Api" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Api" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Api" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Api" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Api" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Api" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Api" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Api" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Api" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Api" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Api" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Api" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Api" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Api.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiDiagnostic.ts b/sdk/nodejs/apimanagement/apiDiagnostic.ts index dbb90c3545c3..853ea10d128f 100644 --- a/sdk/nodejs/apimanagement/apiDiagnostic.ts +++ b/sdk/nodejs/apimanagement/apiDiagnostic.ts @@ -150,7 +150,7 @@ export class ApiDiagnostic extends pulumi.CustomResource { resourceInputs["verbosity"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20180101:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20180601preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20190101:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20191201:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20191201preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20200601preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20201201:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20210101preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20210401preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20210801:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20211201preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20220401preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20220801:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20220901preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20230301preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20230501preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20230901preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20240501:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20240601preview:ApiDiagnostic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20180101:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20190101:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20220801:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20220901preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20230301preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20230501preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20230901preview:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20240501:ApiDiagnostic" }, { type: "azure-native:apimanagement/v20240601preview:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiDiagnostic" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiDiagnostic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiDiagnostic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiGateway.ts b/sdk/nodejs/apimanagement/apiGateway.ts index 5bb574920ff5..3f4375226710 100644 --- a/sdk/nodejs/apimanagement/apiGateway.ts +++ b/sdk/nodejs/apimanagement/apiGateway.ts @@ -154,7 +154,7 @@ export class ApiGateway extends pulumi.CustomResource { resourceInputs["virtualNetworkType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:ApiGateway" }, { type: "azure-native:apimanagement/v20240501:ApiGateway" }, { type: "azure-native:apimanagement/v20240601preview:ApiGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:ApiGateway" }, { type: "azure-native:apimanagement/v20240501:ApiGateway" }, { type: "azure-native:apimanagement/v20240601preview:ApiGateway" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiGateway" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiGateway" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiGatewayConfigConnection.ts b/sdk/nodejs/apimanagement/apiGatewayConfigConnection.ts index 63d4a2333af0..31cda1047a7e 100644 --- a/sdk/nodejs/apimanagement/apiGatewayConfigConnection.ts +++ b/sdk/nodejs/apimanagement/apiGatewayConfigConnection.ts @@ -110,7 +110,7 @@ export class ApiGatewayConfigConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:ApiGatewayConfigConnection" }, { type: "azure-native:apimanagement/v20240501:ApiGatewayConfigConnection" }, { type: "azure-native:apimanagement/v20240601preview:ApiGatewayConfigConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:ApiGatewayConfigConnection" }, { type: "azure-native:apimanagement/v20240501:ApiGatewayConfigConnection" }, { type: "azure-native:apimanagement/v20240601preview:ApiGatewayConfigConnection" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiGatewayConfigConnection" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiGatewayConfigConnection" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiGatewayConfigConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiGatewayConfigConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiIssue.ts b/sdk/nodejs/apimanagement/apiIssue.ts index 501738e2fbb9..3c3c4dd0e7c2 100644 --- a/sdk/nodejs/apimanagement/apiIssue.ts +++ b/sdk/nodejs/apimanagement/apiIssue.ts @@ -131,7 +131,7 @@ export class ApiIssue extends pulumi.CustomResource { resourceInputs["userId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ApiIssue" }, { type: "azure-native:apimanagement/v20180101:ApiIssue" }, { type: "azure-native:apimanagement/v20180601preview:ApiIssue" }, { type: "azure-native:apimanagement/v20190101:ApiIssue" }, { type: "azure-native:apimanagement/v20191201:ApiIssue" }, { type: "azure-native:apimanagement/v20191201preview:ApiIssue" }, { type: "azure-native:apimanagement/v20200601preview:ApiIssue" }, { type: "azure-native:apimanagement/v20201201:ApiIssue" }, { type: "azure-native:apimanagement/v20210101preview:ApiIssue" }, { type: "azure-native:apimanagement/v20210401preview:ApiIssue" }, { type: "azure-native:apimanagement/v20210801:ApiIssue" }, { type: "azure-native:apimanagement/v20211201preview:ApiIssue" }, { type: "azure-native:apimanagement/v20220401preview:ApiIssue" }, { type: "azure-native:apimanagement/v20220801:ApiIssue" }, { type: "azure-native:apimanagement/v20220901preview:ApiIssue" }, { type: "azure-native:apimanagement/v20230301preview:ApiIssue" }, { type: "azure-native:apimanagement/v20230501preview:ApiIssue" }, { type: "azure-native:apimanagement/v20230901preview:ApiIssue" }, { type: "azure-native:apimanagement/v20240501:ApiIssue" }, { type: "azure-native:apimanagement/v20240601preview:ApiIssue" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ApiIssue" }, { type: "azure-native:apimanagement/v20220901preview:ApiIssue" }, { type: "azure-native:apimanagement/v20230301preview:ApiIssue" }, { type: "azure-native:apimanagement/v20230501preview:ApiIssue" }, { type: "azure-native:apimanagement/v20230901preview:ApiIssue" }, { type: "azure-native:apimanagement/v20240501:ApiIssue" }, { type: "azure-native:apimanagement/v20240601preview:ApiIssue" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiIssue" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiIssue" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiIssue.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiIssueAttachment.ts b/sdk/nodejs/apimanagement/apiIssueAttachment.ts index 6582e6ff65ab..49cb685b8d06 100644 --- a/sdk/nodejs/apimanagement/apiIssueAttachment.ts +++ b/sdk/nodejs/apimanagement/apiIssueAttachment.ts @@ -115,7 +115,7 @@ export class ApiIssueAttachment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20180101:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20180601preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20190101:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20191201:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20191201preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20200601preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20201201:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20210101preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20210401preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20210801:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20211201preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20220401preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20220801:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20220901preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20230301preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20230501preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20230901preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20240501:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20240601preview:ApiIssueAttachment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20220901preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20230301preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20230501preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20230901preview:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20240501:ApiIssueAttachment" }, { type: "azure-native:apimanagement/v20240601preview:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiIssueAttachment" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiIssueAttachment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiIssueAttachment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiIssueComment.ts b/sdk/nodejs/apimanagement/apiIssueComment.ts index be79825083ea..f64b0b6d71d9 100644 --- a/sdk/nodejs/apimanagement/apiIssueComment.ts +++ b/sdk/nodejs/apimanagement/apiIssueComment.ts @@ -112,7 +112,7 @@ export class ApiIssueComment extends pulumi.CustomResource { resourceInputs["userId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ApiIssueComment" }, { type: "azure-native:apimanagement/v20180101:ApiIssueComment" }, { type: "azure-native:apimanagement/v20180601preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20190101:ApiIssueComment" }, { type: "azure-native:apimanagement/v20191201:ApiIssueComment" }, { type: "azure-native:apimanagement/v20191201preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20200601preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20201201:ApiIssueComment" }, { type: "azure-native:apimanagement/v20210101preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20210401preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20210801:ApiIssueComment" }, { type: "azure-native:apimanagement/v20211201preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20220401preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20220801:ApiIssueComment" }, { type: "azure-native:apimanagement/v20220901preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20230301preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20230501preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20230901preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20240501:ApiIssueComment" }, { type: "azure-native:apimanagement/v20240601preview:ApiIssueComment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ApiIssueComment" }, { type: "azure-native:apimanagement/v20220901preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20230301preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20230501preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20230901preview:ApiIssueComment" }, { type: "azure-native:apimanagement/v20240501:ApiIssueComment" }, { type: "azure-native:apimanagement/v20240601preview:ApiIssueComment" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiIssueComment" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiIssueComment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiIssueComment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiManagementService.ts b/sdk/nodejs/apimanagement/apiManagementService.ts index 63b26dc6d64f..7cba4aa5c1d4 100644 --- a/sdk/nodejs/apimanagement/apiManagementService.ts +++ b/sdk/nodejs/apimanagement/apiManagementService.ts @@ -310,7 +310,7 @@ export class ApiManagementService extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:ApiManagementService" }, { type: "azure-native:apimanagement/v20161010:ApiManagementService" }, { type: "azure-native:apimanagement/v20170301:ApiManagementService" }, { type: "azure-native:apimanagement/v20180101:ApiManagementService" }, { type: "azure-native:apimanagement/v20180601preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20190101:ApiManagementService" }, { type: "azure-native:apimanagement/v20191201:ApiManagementService" }, { type: "azure-native:apimanagement/v20191201preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20200601preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20201201:ApiManagementService" }, { type: "azure-native:apimanagement/v20210101preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20210401preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20210801:ApiManagementService" }, { type: "azure-native:apimanagement/v20211201preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20220401preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20220801:ApiManagementService" }, { type: "azure-native:apimanagement/v20220901preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20230301preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20230501preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20230901preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20240501:ApiManagementService" }, { type: "azure-native:apimanagement/v20240601preview:ApiManagementService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20161010:ApiManagementService" }, { type: "azure-native:apimanagement/v20170301:ApiManagementService" }, { type: "azure-native:apimanagement/v20220801:ApiManagementService" }, { type: "azure-native:apimanagement/v20220901preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20230301preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20230501preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20230901preview:ApiManagementService" }, { type: "azure-native:apimanagement/v20240501:ApiManagementService" }, { type: "azure-native:apimanagement/v20240601preview:ApiManagementService" }, { type: "azure-native_apimanagement_v20160707:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20161010:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiManagementService" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiManagementService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiManagementService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiOperation.ts b/sdk/nodejs/apimanagement/apiOperation.ts index f536d01aae7a..acb31be4e098 100644 --- a/sdk/nodejs/apimanagement/apiOperation.ts +++ b/sdk/nodejs/apimanagement/apiOperation.ts @@ -144,7 +144,7 @@ export class ApiOperation extends pulumi.CustomResource { resourceInputs["urlTemplate"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:ApiOperation" }, { type: "azure-native:apimanagement/v20161010:ApiOperation" }, { type: "azure-native:apimanagement/v20170301:ApiOperation" }, { type: "azure-native:apimanagement/v20180101:ApiOperation" }, { type: "azure-native:apimanagement/v20180601preview:ApiOperation" }, { type: "azure-native:apimanagement/v20190101:ApiOperation" }, { type: "azure-native:apimanagement/v20191201:ApiOperation" }, { type: "azure-native:apimanagement/v20191201preview:ApiOperation" }, { type: "azure-native:apimanagement/v20200601preview:ApiOperation" }, { type: "azure-native:apimanagement/v20201201:ApiOperation" }, { type: "azure-native:apimanagement/v20210101preview:ApiOperation" }, { type: "azure-native:apimanagement/v20210401preview:ApiOperation" }, { type: "azure-native:apimanagement/v20210801:ApiOperation" }, { type: "azure-native:apimanagement/v20211201preview:ApiOperation" }, { type: "azure-native:apimanagement/v20220401preview:ApiOperation" }, { type: "azure-native:apimanagement/v20220801:ApiOperation" }, { type: "azure-native:apimanagement/v20220901preview:ApiOperation" }, { type: "azure-native:apimanagement/v20230301preview:ApiOperation" }, { type: "azure-native:apimanagement/v20230501preview:ApiOperation" }, { type: "azure-native:apimanagement/v20230901preview:ApiOperation" }, { type: "azure-native:apimanagement/v20240501:ApiOperation" }, { type: "azure-native:apimanagement/v20240601preview:ApiOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ApiOperation" }, { type: "azure-native:apimanagement/v20220901preview:ApiOperation" }, { type: "azure-native:apimanagement/v20230301preview:ApiOperation" }, { type: "azure-native:apimanagement/v20230501preview:ApiOperation" }, { type: "azure-native:apimanagement/v20230901preview:ApiOperation" }, { type: "azure-native:apimanagement/v20240501:ApiOperation" }, { type: "azure-native:apimanagement/v20240601preview:ApiOperation" }, { type: "azure-native_apimanagement_v20160707:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20161010:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiOperation" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiOperationPolicy.ts b/sdk/nodejs/apimanagement/apiOperationPolicy.ts index ed6b4cea4e7f..be2f93fc13c5 100644 --- a/sdk/nodejs/apimanagement/apiOperationPolicy.ts +++ b/sdk/nodejs/apimanagement/apiOperationPolicy.ts @@ -106,7 +106,7 @@ export class ApiOperationPolicy extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20180101:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20180601preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20190101:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20191201:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20191201preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20200601preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20201201:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20210101preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20210401preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20210801:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20211201preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20220401preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20220801:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20220901preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230301preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230501preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230901preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20240501:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20240601preview:ApiOperationPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20180601preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20220801:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20220901preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230301preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230501preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230901preview:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20240501:ApiOperationPolicy" }, { type: "azure-native:apimanagement/v20240601preview:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiOperationPolicy" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiOperationPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiOperationPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiPolicy.ts b/sdk/nodejs/apimanagement/apiPolicy.ts index 3bad25993a5b..a29173471837 100644 --- a/sdk/nodejs/apimanagement/apiPolicy.ts +++ b/sdk/nodejs/apimanagement/apiPolicy.ts @@ -102,7 +102,7 @@ export class ApiPolicy extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ApiPolicy" }, { type: "azure-native:apimanagement/v20180101:ApiPolicy" }, { type: "azure-native:apimanagement/v20180601preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20190101:ApiPolicy" }, { type: "azure-native:apimanagement/v20191201:ApiPolicy" }, { type: "azure-native:apimanagement/v20191201preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20200601preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20201201:ApiPolicy" }, { type: "azure-native:apimanagement/v20210101preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20210401preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20210801:ApiPolicy" }, { type: "azure-native:apimanagement/v20211201preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20220401preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20220801:ApiPolicy" }, { type: "azure-native:apimanagement/v20220901preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20230301preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20230501preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20230901preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20240501:ApiPolicy" }, { type: "azure-native:apimanagement/v20240601preview:ApiPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20180601preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20220801:ApiPolicy" }, { type: "azure-native:apimanagement/v20220901preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20230301preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20230501preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20230901preview:ApiPolicy" }, { type: "azure-native:apimanagement/v20240501:ApiPolicy" }, { type: "azure-native:apimanagement/v20240601preview:ApiPolicy" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiPolicy" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiRelease.ts b/sdk/nodejs/apimanagement/apiRelease.ts index d85022ee8857..6e5f604b56a7 100644 --- a/sdk/nodejs/apimanagement/apiRelease.ts +++ b/sdk/nodejs/apimanagement/apiRelease.ts @@ -107,7 +107,7 @@ export class ApiRelease extends pulumi.CustomResource { resourceInputs["updatedDateTime"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ApiRelease" }, { type: "azure-native:apimanagement/v20180101:ApiRelease" }, { type: "azure-native:apimanagement/v20180601preview:ApiRelease" }, { type: "azure-native:apimanagement/v20190101:ApiRelease" }, { type: "azure-native:apimanagement/v20191201:ApiRelease" }, { type: "azure-native:apimanagement/v20191201preview:ApiRelease" }, { type: "azure-native:apimanagement/v20200601preview:ApiRelease" }, { type: "azure-native:apimanagement/v20201201:ApiRelease" }, { type: "azure-native:apimanagement/v20210101preview:ApiRelease" }, { type: "azure-native:apimanagement/v20210401preview:ApiRelease" }, { type: "azure-native:apimanagement/v20210801:ApiRelease" }, { type: "azure-native:apimanagement/v20211201preview:ApiRelease" }, { type: "azure-native:apimanagement/v20220401preview:ApiRelease" }, { type: "azure-native:apimanagement/v20220801:ApiRelease" }, { type: "azure-native:apimanagement/v20220901preview:ApiRelease" }, { type: "azure-native:apimanagement/v20230301preview:ApiRelease" }, { type: "azure-native:apimanagement/v20230501preview:ApiRelease" }, { type: "azure-native:apimanagement/v20230901preview:ApiRelease" }, { type: "azure-native:apimanagement/v20240501:ApiRelease" }, { type: "azure-native:apimanagement/v20240601preview:ApiRelease" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ApiRelease" }, { type: "azure-native:apimanagement/v20220901preview:ApiRelease" }, { type: "azure-native:apimanagement/v20230301preview:ApiRelease" }, { type: "azure-native:apimanagement/v20230501preview:ApiRelease" }, { type: "azure-native:apimanagement/v20230901preview:ApiRelease" }, { type: "azure-native:apimanagement/v20240501:ApiRelease" }, { type: "azure-native:apimanagement/v20240601preview:ApiRelease" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiRelease" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiRelease" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiRelease.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiSchema.ts b/sdk/nodejs/apimanagement/apiSchema.ts index 7bdb3455c2cb..360da156da5f 100644 --- a/sdk/nodejs/apimanagement/apiSchema.ts +++ b/sdk/nodejs/apimanagement/apiSchema.ts @@ -111,7 +111,7 @@ export class ApiSchema extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ApiSchema" }, { type: "azure-native:apimanagement/v20180101:ApiSchema" }, { type: "azure-native:apimanagement/v20180601preview:ApiSchema" }, { type: "azure-native:apimanagement/v20190101:ApiSchema" }, { type: "azure-native:apimanagement/v20191201:ApiSchema" }, { type: "azure-native:apimanagement/v20191201preview:ApiSchema" }, { type: "azure-native:apimanagement/v20200601preview:ApiSchema" }, { type: "azure-native:apimanagement/v20201201:ApiSchema" }, { type: "azure-native:apimanagement/v20210101preview:ApiSchema" }, { type: "azure-native:apimanagement/v20210401preview:ApiSchema" }, { type: "azure-native:apimanagement/v20210801:ApiSchema" }, { type: "azure-native:apimanagement/v20211201preview:ApiSchema" }, { type: "azure-native:apimanagement/v20220401preview:ApiSchema" }, { type: "azure-native:apimanagement/v20220801:ApiSchema" }, { type: "azure-native:apimanagement/v20220901preview:ApiSchema" }, { type: "azure-native:apimanagement/v20230301preview:ApiSchema" }, { type: "azure-native:apimanagement/v20230501preview:ApiSchema" }, { type: "azure-native:apimanagement/v20230901preview:ApiSchema" }, { type: "azure-native:apimanagement/v20240501:ApiSchema" }, { type: "azure-native:apimanagement/v20240601preview:ApiSchema" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20190101:ApiSchema" }, { type: "azure-native:apimanagement/v20220801:ApiSchema" }, { type: "azure-native:apimanagement/v20220901preview:ApiSchema" }, { type: "azure-native:apimanagement/v20230301preview:ApiSchema" }, { type: "azure-native:apimanagement/v20230501preview:ApiSchema" }, { type: "azure-native:apimanagement/v20230901preview:ApiSchema" }, { type: "azure-native:apimanagement/v20240501:ApiSchema" }, { type: "azure-native:apimanagement/v20240601preview:ApiSchema" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiSchema" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiSchema" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiSchema.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiTagDescription.ts b/sdk/nodejs/apimanagement/apiTagDescription.ts index 90bdfad3a48b..946b2a7c2552 100644 --- a/sdk/nodejs/apimanagement/apiTagDescription.ts +++ b/sdk/nodejs/apimanagement/apiTagDescription.ts @@ -114,7 +114,7 @@ export class ApiTagDescription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ApiTagDescription" }, { type: "azure-native:apimanagement/v20180101:ApiTagDescription" }, { type: "azure-native:apimanagement/v20180601preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20180601preview:TagDescription" }, { type: "azure-native:apimanagement/v20190101:ApiTagDescription" }, { type: "azure-native:apimanagement/v20191201:ApiTagDescription" }, { type: "azure-native:apimanagement/v20191201preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20200601preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20201201:ApiTagDescription" }, { type: "azure-native:apimanagement/v20210101preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20210401preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20210801:ApiTagDescription" }, { type: "azure-native:apimanagement/v20211201preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20220401preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20220801:ApiTagDescription" }, { type: "azure-native:apimanagement/v20220901preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20230301preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20230501preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20230901preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20240501:ApiTagDescription" }, { type: "azure-native:apimanagement/v20240601preview:ApiTagDescription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20180601preview:TagDescription" }, { type: "azure-native:apimanagement/v20190101:ApiTagDescription" }, { type: "azure-native:apimanagement/v20220801:ApiTagDescription" }, { type: "azure-native:apimanagement/v20220901preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20230301preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20230501preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20230901preview:ApiTagDescription" }, { type: "azure-native:apimanagement/v20240501:ApiTagDescription" }, { type: "azure-native:apimanagement/v20240601preview:ApiTagDescription" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiTagDescription" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiTagDescription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiTagDescription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiVersionSet.ts b/sdk/nodejs/apimanagement/apiVersionSet.ts index a1a23c256a6c..a0b30f5ddc24 100644 --- a/sdk/nodejs/apimanagement/apiVersionSet.ts +++ b/sdk/nodejs/apimanagement/apiVersionSet.ts @@ -119,7 +119,7 @@ export class ApiVersionSet extends pulumi.CustomResource { resourceInputs["versioningScheme"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ApiVersionSet" }, { type: "azure-native:apimanagement/v20180101:ApiVersionSet" }, { type: "azure-native:apimanagement/v20180601preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20190101:ApiVersionSet" }, { type: "azure-native:apimanagement/v20191201:ApiVersionSet" }, { type: "azure-native:apimanagement/v20191201preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20200601preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20201201:ApiVersionSet" }, { type: "azure-native:apimanagement/v20210101preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20210401preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20210801:ApiVersionSet" }, { type: "azure-native:apimanagement/v20211201preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20220401preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20220801:ApiVersionSet" }, { type: "azure-native:apimanagement/v20220901preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20230301preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20230501preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20230901preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20240501:ApiVersionSet" }, { type: "azure-native:apimanagement/v20240601preview:ApiVersionSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ApiVersionSet" }, { type: "azure-native:apimanagement/v20220901preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20230301preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20230501preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20230901preview:ApiVersionSet" }, { type: "azure-native:apimanagement/v20240501:ApiVersionSet" }, { type: "azure-native:apimanagement/v20240601preview:ApiVersionSet" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiVersionSet" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiVersionSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiVersionSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/apiWiki.ts b/sdk/nodejs/apimanagement/apiWiki.ts index 73c74aa7d92a..0e5dcb4a1870 100644 --- a/sdk/nodejs/apimanagement/apiWiki.ts +++ b/sdk/nodejs/apimanagement/apiWiki.ts @@ -92,7 +92,7 @@ export class ApiWiki extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ApiWiki" }, { type: "azure-native:apimanagement/v20220901preview:ApiWiki" }, { type: "azure-native:apimanagement/v20230301preview:ApiWiki" }, { type: "azure-native:apimanagement/v20230501preview:ApiWiki" }, { type: "azure-native:apimanagement/v20230901preview:ApiWiki" }, { type: "azure-native:apimanagement/v20240501:ApiWiki" }, { type: "azure-native:apimanagement/v20240601preview:ApiWiki" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ApiWiki" }, { type: "azure-native:apimanagement/v20220901preview:ApiWiki" }, { type: "azure-native:apimanagement/v20230301preview:ApiWiki" }, { type: "azure-native:apimanagement/v20230501preview:ApiWiki" }, { type: "azure-native:apimanagement/v20230901preview:ApiWiki" }, { type: "azure-native:apimanagement/v20240501:ApiWiki" }, { type: "azure-native:apimanagement/v20240601preview:ApiWiki" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ApiWiki" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ApiWiki" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ApiWiki" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ApiWiki" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ApiWiki" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ApiWiki" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ApiWiki" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiWiki.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/authorization.ts b/sdk/nodejs/apimanagement/authorization.ts index 5ce39f2d3238..015c7ff4224c 100644 --- a/sdk/nodejs/apimanagement/authorization.ts +++ b/sdk/nodejs/apimanagement/authorization.ts @@ -117,7 +117,7 @@ export class Authorization extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220401preview:Authorization" }, { type: "azure-native:apimanagement/v20220801:Authorization" }, { type: "azure-native:apimanagement/v20220901preview:Authorization" }, { type: "azure-native:apimanagement/v20230301preview:Authorization" }, { type: "azure-native:apimanagement/v20230501preview:Authorization" }, { type: "azure-native:apimanagement/v20230901preview:Authorization" }, { type: "azure-native:apimanagement/v20240501:Authorization" }, { type: "azure-native:apimanagement/v20240601preview:Authorization" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:Authorization" }, { type: "azure-native:apimanagement/v20220901preview:Authorization" }, { type: "azure-native:apimanagement/v20230301preview:Authorization" }, { type: "azure-native:apimanagement/v20230501preview:Authorization" }, { type: "azure-native:apimanagement/v20230901preview:Authorization" }, { type: "azure-native:apimanagement/v20240501:Authorization" }, { type: "azure-native:apimanagement/v20240601preview:Authorization" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Authorization" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Authorization" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Authorization" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Authorization" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Authorization" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Authorization" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Authorization" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Authorization" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Authorization.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/authorizationAccessPolicy.ts b/sdk/nodejs/apimanagement/authorizationAccessPolicy.ts index cce0097d81d5..e7a7b06b552b 100644 --- a/sdk/nodejs/apimanagement/authorizationAccessPolicy.ts +++ b/sdk/nodejs/apimanagement/authorizationAccessPolicy.ts @@ -100,7 +100,7 @@ export class AuthorizationAccessPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220401preview:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20220801:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20220901preview:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20230301preview:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20230501preview:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20230901preview:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20240501:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20240601preview:AuthorizationAccessPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20220901preview:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20230301preview:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20230501preview:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20230901preview:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20240501:AuthorizationAccessPolicy" }, { type: "azure-native:apimanagement/v20240601preview:AuthorizationAccessPolicy" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationAccessPolicy" }, { type: "azure-native_apimanagement_v20220801:apimanagement:AuthorizationAccessPolicy" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationAccessPolicy" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationAccessPolicy" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationAccessPolicy" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationAccessPolicy" }, { type: "azure-native_apimanagement_v20240501:apimanagement:AuthorizationAccessPolicy" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationAccessPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AuthorizationAccessPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/authorizationProvider.ts b/sdk/nodejs/apimanagement/authorizationProvider.ts index 858d23840e9d..28e468d47fae 100644 --- a/sdk/nodejs/apimanagement/authorizationProvider.ts +++ b/sdk/nodejs/apimanagement/authorizationProvider.ts @@ -101,7 +101,7 @@ export class AuthorizationProvider extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220401preview:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20220801:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20220901preview:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20230301preview:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20230501preview:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20230901preview:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20240501:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20240601preview:AuthorizationProvider" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20220901preview:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20230301preview:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20230501preview:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20230901preview:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20240501:AuthorizationProvider" }, { type: "azure-native:apimanagement/v20240601preview:AuthorizationProvider" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationProvider" }, { type: "azure-native_apimanagement_v20220801:apimanagement:AuthorizationProvider" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationProvider" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationProvider" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationProvider" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationProvider" }, { type: "azure-native_apimanagement_v20240501:apimanagement:AuthorizationProvider" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationProvider" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AuthorizationProvider.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/authorizationServer.ts b/sdk/nodejs/apimanagement/authorizationServer.ts index b7aeed459f3e..9389ad7b1257 100644 --- a/sdk/nodejs/apimanagement/authorizationServer.ts +++ b/sdk/nodejs/apimanagement/authorizationServer.ts @@ -206,7 +206,7 @@ export class AuthorizationServer extends pulumi.CustomResource { resourceInputs["useInTestConsole"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:AuthorizationServer" }, { type: "azure-native:apimanagement/v20161010:AuthorizationServer" }, { type: "azure-native:apimanagement/v20170301:AuthorizationServer" }, { type: "azure-native:apimanagement/v20180101:AuthorizationServer" }, { type: "azure-native:apimanagement/v20180601preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20190101:AuthorizationServer" }, { type: "azure-native:apimanagement/v20191201:AuthorizationServer" }, { type: "azure-native:apimanagement/v20191201preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20200601preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20201201:AuthorizationServer" }, { type: "azure-native:apimanagement/v20210101preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20210401preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20210801:AuthorizationServer" }, { type: "azure-native:apimanagement/v20211201preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20220401preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20220801:AuthorizationServer" }, { type: "azure-native:apimanagement/v20220901preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20230301preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20230501preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20230901preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20240501:AuthorizationServer" }, { type: "azure-native:apimanagement/v20240601preview:AuthorizationServer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:AuthorizationServer" }, { type: "azure-native:apimanagement/v20220901preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20230301preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20230501preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20230901preview:AuthorizationServer" }, { type: "azure-native:apimanagement/v20240501:AuthorizationServer" }, { type: "azure-native:apimanagement/v20240601preview:AuthorizationServer" }, { type: "azure-native_apimanagement_v20160707:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20161010:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20170301:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20180101:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20190101:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20191201:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20201201:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20210801:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20220801:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20240501:apimanagement:AuthorizationServer" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationServer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AuthorizationServer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/backend.ts b/sdk/nodejs/apimanagement/backend.ts index 33c78b0745cb..f84691b0ebb4 100644 --- a/sdk/nodejs/apimanagement/backend.ts +++ b/sdk/nodejs/apimanagement/backend.ts @@ -149,7 +149,7 @@ export class Backend extends pulumi.CustomResource { resourceInputs["url"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:Backend" }, { type: "azure-native:apimanagement/v20161010:Backend" }, { type: "azure-native:apimanagement/v20170301:Backend" }, { type: "azure-native:apimanagement/v20180101:Backend" }, { type: "azure-native:apimanagement/v20180601preview:Backend" }, { type: "azure-native:apimanagement/v20190101:Backend" }, { type: "azure-native:apimanagement/v20191201:Backend" }, { type: "azure-native:apimanagement/v20191201preview:Backend" }, { type: "azure-native:apimanagement/v20200601preview:Backend" }, { type: "azure-native:apimanagement/v20201201:Backend" }, { type: "azure-native:apimanagement/v20210101preview:Backend" }, { type: "azure-native:apimanagement/v20210401preview:Backend" }, { type: "azure-native:apimanagement/v20210801:Backend" }, { type: "azure-native:apimanagement/v20211201preview:Backend" }, { type: "azure-native:apimanagement/v20220401preview:Backend" }, { type: "azure-native:apimanagement/v20220801:Backend" }, { type: "azure-native:apimanagement/v20220901preview:Backend" }, { type: "azure-native:apimanagement/v20230301preview:Backend" }, { type: "azure-native:apimanagement/v20230501preview:Backend" }, { type: "azure-native:apimanagement/v20230901preview:Backend" }, { type: "azure-native:apimanagement/v20240501:Backend" }, { type: "azure-native:apimanagement/v20240601preview:Backend" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20180101:Backend" }, { type: "azure-native:apimanagement/v20220801:Backend" }, { type: "azure-native:apimanagement/v20220901preview:Backend" }, { type: "azure-native:apimanagement/v20230301preview:Backend" }, { type: "azure-native:apimanagement/v20230501preview:Backend" }, { type: "azure-native:apimanagement/v20230901preview:Backend" }, { type: "azure-native:apimanagement/v20240501:Backend" }, { type: "azure-native:apimanagement/v20240601preview:Backend" }, { type: "azure-native_apimanagement_v20160707:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20161010:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20170301:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20180101:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20190101:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Backend" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Backend" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Backend.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/cache.ts b/sdk/nodejs/apimanagement/cache.ts index c2365746aab4..f52e5db73dcf 100644 --- a/sdk/nodejs/apimanagement/cache.ts +++ b/sdk/nodejs/apimanagement/cache.ts @@ -110,7 +110,7 @@ export class Cache extends pulumi.CustomResource { resourceInputs["useFromLocation"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20180601preview:Cache" }, { type: "azure-native:apimanagement/v20190101:Cache" }, { type: "azure-native:apimanagement/v20191201:Cache" }, { type: "azure-native:apimanagement/v20191201preview:Cache" }, { type: "azure-native:apimanagement/v20200601preview:Cache" }, { type: "azure-native:apimanagement/v20201201:Cache" }, { type: "azure-native:apimanagement/v20210101preview:Cache" }, { type: "azure-native:apimanagement/v20210401preview:Cache" }, { type: "azure-native:apimanagement/v20210801:Cache" }, { type: "azure-native:apimanagement/v20211201preview:Cache" }, { type: "azure-native:apimanagement/v20220401preview:Cache" }, { type: "azure-native:apimanagement/v20220801:Cache" }, { type: "azure-native:apimanagement/v20220901preview:Cache" }, { type: "azure-native:apimanagement/v20230301preview:Cache" }, { type: "azure-native:apimanagement/v20230501preview:Cache" }, { type: "azure-native:apimanagement/v20230901preview:Cache" }, { type: "azure-native:apimanagement/v20240501:Cache" }, { type: "azure-native:apimanagement/v20240601preview:Cache" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20191201preview:Cache" }, { type: "azure-native:apimanagement/v20220801:Cache" }, { type: "azure-native:apimanagement/v20220901preview:Cache" }, { type: "azure-native:apimanagement/v20230301preview:Cache" }, { type: "azure-native:apimanagement/v20230501preview:Cache" }, { type: "azure-native:apimanagement/v20230901preview:Cache" }, { type: "azure-native:apimanagement/v20240501:Cache" }, { type: "azure-native:apimanagement/v20240601preview:Cache" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20190101:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Cache" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Cache" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cache.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/certificate.ts b/sdk/nodejs/apimanagement/certificate.ts index 3817ae48ed99..3226f7c99255 100644 --- a/sdk/nodejs/apimanagement/certificate.ts +++ b/sdk/nodejs/apimanagement/certificate.ts @@ -109,7 +109,7 @@ export class Certificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:Certificate" }, { type: "azure-native:apimanagement/v20161010:Certificate" }, { type: "azure-native:apimanagement/v20170301:Certificate" }, { type: "azure-native:apimanagement/v20180101:Certificate" }, { type: "azure-native:apimanagement/v20180601preview:Certificate" }, { type: "azure-native:apimanagement/v20190101:Certificate" }, { type: "azure-native:apimanagement/v20191201:Certificate" }, { type: "azure-native:apimanagement/v20191201preview:Certificate" }, { type: "azure-native:apimanagement/v20200601preview:Certificate" }, { type: "azure-native:apimanagement/v20201201:Certificate" }, { type: "azure-native:apimanagement/v20210101preview:Certificate" }, { type: "azure-native:apimanagement/v20210401preview:Certificate" }, { type: "azure-native:apimanagement/v20210801:Certificate" }, { type: "azure-native:apimanagement/v20211201preview:Certificate" }, { type: "azure-native:apimanagement/v20220401preview:Certificate" }, { type: "azure-native:apimanagement/v20220801:Certificate" }, { type: "azure-native:apimanagement/v20220901preview:Certificate" }, { type: "azure-native:apimanagement/v20230301preview:Certificate" }, { type: "azure-native:apimanagement/v20230501preview:Certificate" }, { type: "azure-native:apimanagement/v20230901preview:Certificate" }, { type: "azure-native:apimanagement/v20240501:Certificate" }, { type: "azure-native:apimanagement/v20240601preview:Certificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:Certificate" }, { type: "azure-native:apimanagement/v20220901preview:Certificate" }, { type: "azure-native:apimanagement/v20230301preview:Certificate" }, { type: "azure-native:apimanagement/v20230501preview:Certificate" }, { type: "azure-native:apimanagement/v20230901preview:Certificate" }, { type: "azure-native:apimanagement/v20240501:Certificate" }, { type: "azure-native:apimanagement/v20240601preview:Certificate" }, { type: "azure-native_apimanagement_v20160707:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20161010:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20170301:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20180101:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20190101:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Certificate" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Certificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Certificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/contentItem.ts b/sdk/nodejs/apimanagement/contentItem.ts index 87ac52d71d71..acbd60260871 100644 --- a/sdk/nodejs/apimanagement/contentItem.ts +++ b/sdk/nodejs/apimanagement/contentItem.ts @@ -90,7 +90,7 @@ export class ContentItem extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20191201:ContentItem" }, { type: "azure-native:apimanagement/v20200601preview:ContentItem" }, { type: "azure-native:apimanagement/v20201201:ContentItem" }, { type: "azure-native:apimanagement/v20210101preview:ContentItem" }, { type: "azure-native:apimanagement/v20210401preview:ContentItem" }, { type: "azure-native:apimanagement/v20210801:ContentItem" }, { type: "azure-native:apimanagement/v20211201preview:ContentItem" }, { type: "azure-native:apimanagement/v20220401preview:ContentItem" }, { type: "azure-native:apimanagement/v20220801:ContentItem" }, { type: "azure-native:apimanagement/v20220901preview:ContentItem" }, { type: "azure-native:apimanagement/v20230301preview:ContentItem" }, { type: "azure-native:apimanagement/v20230501preview:ContentItem" }, { type: "azure-native:apimanagement/v20230901preview:ContentItem" }, { type: "azure-native:apimanagement/v20240501:ContentItem" }, { type: "azure-native:apimanagement/v20240601preview:ContentItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ContentItem" }, { type: "azure-native:apimanagement/v20220901preview:ContentItem" }, { type: "azure-native:apimanagement/v20230301preview:ContentItem" }, { type: "azure-native:apimanagement/v20230501preview:ContentItem" }, { type: "azure-native:apimanagement/v20230901preview:ContentItem" }, { type: "azure-native:apimanagement/v20240501:ContentItem" }, { type: "azure-native:apimanagement/v20240601preview:ContentItem" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ContentItem" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ContentItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContentItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/contentType.ts b/sdk/nodejs/apimanagement/contentType.ts index ccaa5c4137d7..03920e237841 100644 --- a/sdk/nodejs/apimanagement/contentType.ts +++ b/sdk/nodejs/apimanagement/contentType.ts @@ -99,7 +99,7 @@ export class ContentType extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20191201:ContentType" }, { type: "azure-native:apimanagement/v20200601preview:ContentType" }, { type: "azure-native:apimanagement/v20201201:ContentType" }, { type: "azure-native:apimanagement/v20210101preview:ContentType" }, { type: "azure-native:apimanagement/v20210401preview:ContentType" }, { type: "azure-native:apimanagement/v20210801:ContentType" }, { type: "azure-native:apimanagement/v20211201preview:ContentType" }, { type: "azure-native:apimanagement/v20220401preview:ContentType" }, { type: "azure-native:apimanagement/v20220801:ContentType" }, { type: "azure-native:apimanagement/v20220901preview:ContentType" }, { type: "azure-native:apimanagement/v20230301preview:ContentType" }, { type: "azure-native:apimanagement/v20230501preview:ContentType" }, { type: "azure-native:apimanagement/v20230901preview:ContentType" }, { type: "azure-native:apimanagement/v20240501:ContentType" }, { type: "azure-native:apimanagement/v20240601preview:ContentType" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ContentType" }, { type: "azure-native:apimanagement/v20220901preview:ContentType" }, { type: "azure-native:apimanagement/v20230301preview:ContentType" }, { type: "azure-native:apimanagement/v20230501preview:ContentType" }, { type: "azure-native:apimanagement/v20230901preview:ContentType" }, { type: "azure-native:apimanagement/v20240501:ContentType" }, { type: "azure-native:apimanagement/v20240601preview:ContentType" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ContentType" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ContentType" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContentType.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/diagnostic.ts b/sdk/nodejs/apimanagement/diagnostic.ts index 5d68330fb39a..ef95d45a3cf7 100644 --- a/sdk/nodejs/apimanagement/diagnostic.ts +++ b/sdk/nodejs/apimanagement/diagnostic.ts @@ -146,7 +146,7 @@ export class Diagnostic extends pulumi.CustomResource { resourceInputs["verbosity"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:Diagnostic" }, { type: "azure-native:apimanagement/v20180101:Diagnostic" }, { type: "azure-native:apimanagement/v20180601preview:Diagnostic" }, { type: "azure-native:apimanagement/v20190101:Diagnostic" }, { type: "azure-native:apimanagement/v20191201:Diagnostic" }, { type: "azure-native:apimanagement/v20191201preview:Diagnostic" }, { type: "azure-native:apimanagement/v20200601preview:Diagnostic" }, { type: "azure-native:apimanagement/v20201201:Diagnostic" }, { type: "azure-native:apimanagement/v20210101preview:Diagnostic" }, { type: "azure-native:apimanagement/v20210401preview:Diagnostic" }, { type: "azure-native:apimanagement/v20210801:Diagnostic" }, { type: "azure-native:apimanagement/v20211201preview:Diagnostic" }, { type: "azure-native:apimanagement/v20220401preview:Diagnostic" }, { type: "azure-native:apimanagement/v20220801:Diagnostic" }, { type: "azure-native:apimanagement/v20220901preview:Diagnostic" }, { type: "azure-native:apimanagement/v20230301preview:Diagnostic" }, { type: "azure-native:apimanagement/v20230501preview:Diagnostic" }, { type: "azure-native:apimanagement/v20230901preview:Diagnostic" }, { type: "azure-native:apimanagement/v20240501:Diagnostic" }, { type: "azure-native:apimanagement/v20240601preview:Diagnostic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20180101:Diagnostic" }, { type: "azure-native:apimanagement/v20190101:Diagnostic" }, { type: "azure-native:apimanagement/v20220801:Diagnostic" }, { type: "azure-native:apimanagement/v20220901preview:Diagnostic" }, { type: "azure-native:apimanagement/v20230301preview:Diagnostic" }, { type: "azure-native:apimanagement/v20230501preview:Diagnostic" }, { type: "azure-native:apimanagement/v20230901preview:Diagnostic" }, { type: "azure-native:apimanagement/v20240501:Diagnostic" }, { type: "azure-native:apimanagement/v20240601preview:Diagnostic" }, { type: "azure-native_apimanagement_v20170301:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20180101:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20190101:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Diagnostic" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Diagnostic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Diagnostic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/documentation.ts b/sdk/nodejs/apimanagement/documentation.ts index 72cafc003797..26daccfdbe51 100644 --- a/sdk/nodejs/apimanagement/documentation.ts +++ b/sdk/nodejs/apimanagement/documentation.ts @@ -92,7 +92,7 @@ export class Documentation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:Documentation" }, { type: "azure-native:apimanagement/v20220901preview:Documentation" }, { type: "azure-native:apimanagement/v20230301preview:Documentation" }, { type: "azure-native:apimanagement/v20230501preview:Documentation" }, { type: "azure-native:apimanagement/v20230901preview:Documentation" }, { type: "azure-native:apimanagement/v20240501:Documentation" }, { type: "azure-native:apimanagement/v20240601preview:Documentation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:Documentation" }, { type: "azure-native:apimanagement/v20220901preview:Documentation" }, { type: "azure-native:apimanagement/v20230301preview:Documentation" }, { type: "azure-native:apimanagement/v20230501preview:Documentation" }, { type: "azure-native:apimanagement/v20230901preview:Documentation" }, { type: "azure-native:apimanagement/v20240501:Documentation" }, { type: "azure-native:apimanagement/v20240601preview:Documentation" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Documentation" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Documentation" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Documentation" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Documentation" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Documentation" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Documentation" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Documentation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Documentation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/emailTemplate.ts b/sdk/nodejs/apimanagement/emailTemplate.ts index ecf26e0e78ac..358ce78d84a9 100644 --- a/sdk/nodejs/apimanagement/emailTemplate.ts +++ b/sdk/nodejs/apimanagement/emailTemplate.ts @@ -119,7 +119,7 @@ export class EmailTemplate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:EmailTemplate" }, { type: "azure-native:apimanagement/v20180101:EmailTemplate" }, { type: "azure-native:apimanagement/v20180601preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20190101:EmailTemplate" }, { type: "azure-native:apimanagement/v20191201:EmailTemplate" }, { type: "azure-native:apimanagement/v20191201preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20200601preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20201201:EmailTemplate" }, { type: "azure-native:apimanagement/v20210101preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20210401preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20210801:EmailTemplate" }, { type: "azure-native:apimanagement/v20211201preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20220401preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20220801:EmailTemplate" }, { type: "azure-native:apimanagement/v20220901preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20230301preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20230501preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20230901preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20240501:EmailTemplate" }, { type: "azure-native:apimanagement/v20240601preview:EmailTemplate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:EmailTemplate" }, { type: "azure-native:apimanagement/v20220901preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20230301preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20230501preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20230901preview:EmailTemplate" }, { type: "azure-native:apimanagement/v20240501:EmailTemplate" }, { type: "azure-native:apimanagement/v20240601preview:EmailTemplate" }, { type: "azure-native_apimanagement_v20170301:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20180101:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20190101:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20191201:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20201201:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20210801:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20220801:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20240501:apimanagement:EmailTemplate" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:EmailTemplate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EmailTemplate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/gateway.ts b/sdk/nodejs/apimanagement/gateway.ts index 3d3ce140dd01..b9276c8b69c2 100644 --- a/sdk/nodejs/apimanagement/gateway.ts +++ b/sdk/nodejs/apimanagement/gateway.ts @@ -95,7 +95,7 @@ export class Gateway extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20191201:Gateway" }, { type: "azure-native:apimanagement/v20191201preview:Gateway" }, { type: "azure-native:apimanagement/v20200601preview:Gateway" }, { type: "azure-native:apimanagement/v20201201:Gateway" }, { type: "azure-native:apimanagement/v20210101preview:Gateway" }, { type: "azure-native:apimanagement/v20210401preview:Gateway" }, { type: "azure-native:apimanagement/v20210801:Gateway" }, { type: "azure-native:apimanagement/v20211201preview:Gateway" }, { type: "azure-native:apimanagement/v20220401preview:Gateway" }, { type: "azure-native:apimanagement/v20220801:Gateway" }, { type: "azure-native:apimanagement/v20220901preview:Gateway" }, { type: "azure-native:apimanagement/v20230301preview:Gateway" }, { type: "azure-native:apimanagement/v20230501preview:Gateway" }, { type: "azure-native:apimanagement/v20230901preview:Gateway" }, { type: "azure-native:apimanagement/v20240501:Gateway" }, { type: "azure-native:apimanagement/v20240601preview:Gateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:Gateway" }, { type: "azure-native:apimanagement/v20220901preview:Gateway" }, { type: "azure-native:apimanagement/v20230301preview:Gateway" }, { type: "azure-native:apimanagement/v20230501preview:Gateway" }, { type: "azure-native:apimanagement/v20230901preview:Gateway" }, { type: "azure-native:apimanagement/v20240501:Gateway" }, { type: "azure-native:apimanagement/v20240601preview:Gateway" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Gateway" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Gateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Gateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/gatewayApiEntityTag.ts b/sdk/nodejs/apimanagement/gatewayApiEntityTag.ts index 4677a9f9e681..3a49dfd2f5fc 100644 --- a/sdk/nodejs/apimanagement/gatewayApiEntityTag.ts +++ b/sdk/nodejs/apimanagement/gatewayApiEntityTag.ts @@ -214,7 +214,7 @@ export class GatewayApiEntityTag extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20191201:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20191201preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20200601preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20201201:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20210101preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20210401preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20210801:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20211201preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20220401preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20220801:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20220901preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20230301preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20230501preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20230901preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20240501:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20240601preview:GatewayApiEntityTag" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20220901preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20230301preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20230501preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20230901preview:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20240501:GatewayApiEntityTag" }, { type: "azure-native:apimanagement/v20240601preview:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20191201:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20201201:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20210801:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20220801:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20240501:apimanagement:GatewayApiEntityTag" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:GatewayApiEntityTag" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GatewayApiEntityTag.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/gatewayCertificateAuthority.ts b/sdk/nodejs/apimanagement/gatewayCertificateAuthority.ts index dcae187a8db2..6a384fb42a1a 100644 --- a/sdk/nodejs/apimanagement/gatewayCertificateAuthority.ts +++ b/sdk/nodejs/apimanagement/gatewayCertificateAuthority.ts @@ -90,7 +90,7 @@ export class GatewayCertificateAuthority extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20200601preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20201201:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20210101preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20210401preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20210801:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20211201preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20220401preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20220801:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20220901preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20230301preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20230501preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20230901preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20240501:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20240601preview:GatewayCertificateAuthority" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20220901preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20230301preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20230501preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20230901preview:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20240501:GatewayCertificateAuthority" }, { type: "azure-native:apimanagement/v20240601preview:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20201201:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20210801:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20220801:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20240501:apimanagement:GatewayCertificateAuthority" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:GatewayCertificateAuthority" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GatewayCertificateAuthority.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/gatewayHostnameConfiguration.ts b/sdk/nodejs/apimanagement/gatewayHostnameConfiguration.ts index a7d9ecb1ea47..d0cefd95852d 100644 --- a/sdk/nodejs/apimanagement/gatewayHostnameConfiguration.ts +++ b/sdk/nodejs/apimanagement/gatewayHostnameConfiguration.ts @@ -120,7 +120,7 @@ export class GatewayHostnameConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20191201:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20191201preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20200601preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20201201:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20210101preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20210401preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20210801:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20211201preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20220401preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20220801:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20220901preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20230301preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20230501preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20230901preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20240501:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20240601preview:GatewayHostnameConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20220901preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20230301preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20230501preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20230901preview:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20240501:GatewayHostnameConfiguration" }, { type: "azure-native:apimanagement/v20240601preview:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20191201:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20201201:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20210801:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20220801:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20240501:apimanagement:GatewayHostnameConfiguration" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:GatewayHostnameConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GatewayHostnameConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/globalSchema.ts b/sdk/nodejs/apimanagement/globalSchema.ts index a5e188187317..ebefb0c9e111 100644 --- a/sdk/nodejs/apimanagement/globalSchema.ts +++ b/sdk/nodejs/apimanagement/globalSchema.ts @@ -104,7 +104,7 @@ export class GlobalSchema extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20210401preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20210401preview:Schema" }, { type: "azure-native:apimanagement/v20210801:GlobalSchema" }, { type: "azure-native:apimanagement/v20211201preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20220401preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20220801:GlobalSchema" }, { type: "azure-native:apimanagement/v20220901preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230301preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230501preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230901preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20240501:GlobalSchema" }, { type: "azure-native:apimanagement/v20240601preview:GlobalSchema" }, { type: "azure-native:apimanagement:Schema" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20210401preview:Schema" }, { type: "azure-native:apimanagement/v20220801:GlobalSchema" }, { type: "azure-native:apimanagement/v20220901preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230301preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230501preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230901preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20240501:GlobalSchema" }, { type: "azure-native:apimanagement/v20240601preview:GlobalSchema" }, { type: "azure-native:apimanagement:Schema" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:GlobalSchema" }, { type: "azure-native_apimanagement_v20210801:apimanagement:GlobalSchema" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:GlobalSchema" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:GlobalSchema" }, { type: "azure-native_apimanagement_v20220801:apimanagement:GlobalSchema" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:GlobalSchema" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:GlobalSchema" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:GlobalSchema" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:GlobalSchema" }, { type: "azure-native_apimanagement_v20240501:apimanagement:GlobalSchema" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:GlobalSchema" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GlobalSchema.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/graphQLApiResolver.ts b/sdk/nodejs/apimanagement/graphQLApiResolver.ts index 2452821f9fa9..0f1067fe782f 100644 --- a/sdk/nodejs/apimanagement/graphQLApiResolver.ts +++ b/sdk/nodejs/apimanagement/graphQLApiResolver.ts @@ -102,7 +102,7 @@ export class GraphQLApiResolver extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20220901preview:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20230301preview:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20230501preview:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20230901preview:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20240501:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20240601preview:GraphQLApiResolver" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20220901preview:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20230301preview:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20230501preview:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20230901preview:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20240501:GraphQLApiResolver" }, { type: "azure-native:apimanagement/v20240601preview:GraphQLApiResolver" }, { type: "azure-native_apimanagement_v20220801:apimanagement:GraphQLApiResolver" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:GraphQLApiResolver" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:GraphQLApiResolver" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:GraphQLApiResolver" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:GraphQLApiResolver" }, { type: "azure-native_apimanagement_v20240501:apimanagement:GraphQLApiResolver" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:GraphQLApiResolver" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GraphQLApiResolver.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/graphQLApiResolverPolicy.ts b/sdk/nodejs/apimanagement/graphQLApiResolverPolicy.ts index 8865809c5e18..bef21dfcbb07 100644 --- a/sdk/nodejs/apimanagement/graphQLApiResolverPolicy.ts +++ b/sdk/nodejs/apimanagement/graphQLApiResolverPolicy.ts @@ -106,7 +106,7 @@ export class GraphQLApiResolverPolicy extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20220901preview:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20230301preview:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20230501preview:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20230901preview:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20240501:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20240601preview:GraphQLApiResolverPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20220901preview:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20230301preview:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20230501preview:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20230901preview:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20240501:GraphQLApiResolverPolicy" }, { type: "azure-native:apimanagement/v20240601preview:GraphQLApiResolverPolicy" }, { type: "azure-native_apimanagement_v20220801:apimanagement:GraphQLApiResolverPolicy" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:GraphQLApiResolverPolicy" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:GraphQLApiResolverPolicy" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:GraphQLApiResolverPolicy" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:GraphQLApiResolverPolicy" }, { type: "azure-native_apimanagement_v20240501:apimanagement:GraphQLApiResolverPolicy" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:GraphQLApiResolverPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GraphQLApiResolverPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/group.ts b/sdk/nodejs/apimanagement/group.ts index aa832b1dd585..1c85cb436093 100644 --- a/sdk/nodejs/apimanagement/group.ts +++ b/sdk/nodejs/apimanagement/group.ts @@ -110,7 +110,7 @@ export class Group extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:Group" }, { type: "azure-native:apimanagement/v20161010:Group" }, { type: "azure-native:apimanagement/v20170301:Group" }, { type: "azure-native:apimanagement/v20180101:Group" }, { type: "azure-native:apimanagement/v20180601preview:Group" }, { type: "azure-native:apimanagement/v20190101:Group" }, { type: "azure-native:apimanagement/v20191201:Group" }, { type: "azure-native:apimanagement/v20191201preview:Group" }, { type: "azure-native:apimanagement/v20200601preview:Group" }, { type: "azure-native:apimanagement/v20201201:Group" }, { type: "azure-native:apimanagement/v20210101preview:Group" }, { type: "azure-native:apimanagement/v20210401preview:Group" }, { type: "azure-native:apimanagement/v20210801:Group" }, { type: "azure-native:apimanagement/v20211201preview:Group" }, { type: "azure-native:apimanagement/v20220401preview:Group" }, { type: "azure-native:apimanagement/v20220801:Group" }, { type: "azure-native:apimanagement/v20220901preview:Group" }, { type: "azure-native:apimanagement/v20230301preview:Group" }, { type: "azure-native:apimanagement/v20230501preview:Group" }, { type: "azure-native:apimanagement/v20230901preview:Group" }, { type: "azure-native:apimanagement/v20240501:Group" }, { type: "azure-native:apimanagement/v20240601preview:Group" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:Group" }, { type: "azure-native:apimanagement/v20220901preview:Group" }, { type: "azure-native:apimanagement/v20230301preview:Group" }, { type: "azure-native:apimanagement/v20230501preview:Group" }, { type: "azure-native:apimanagement/v20230901preview:Group" }, { type: "azure-native:apimanagement/v20240501:Group" }, { type: "azure-native:apimanagement/v20240601preview:Group" }, { type: "azure-native_apimanagement_v20160707:apimanagement:Group" }, { type: "azure-native_apimanagement_v20161010:apimanagement:Group" }, { type: "azure-native_apimanagement_v20170301:apimanagement:Group" }, { type: "azure-native_apimanagement_v20180101:apimanagement:Group" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:Group" }, { type: "azure-native_apimanagement_v20190101:apimanagement:Group" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Group" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Group" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Group" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Group" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Group" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Group" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Group" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Group" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Group" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Group" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Group" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Group" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Group" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Group" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Group" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Group" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Group.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/groupUser.ts b/sdk/nodejs/apimanagement/groupUser.ts index 8542c5d173cd..6a3299d354d1 100644 --- a/sdk/nodejs/apimanagement/groupUser.ts +++ b/sdk/nodejs/apimanagement/groupUser.ts @@ -135,7 +135,7 @@ export class GroupUser extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:GroupUser" }, { type: "azure-native:apimanagement/v20180101:GroupUser" }, { type: "azure-native:apimanagement/v20180601preview:GroupUser" }, { type: "azure-native:apimanagement/v20190101:GroupUser" }, { type: "azure-native:apimanagement/v20191201:GroupUser" }, { type: "azure-native:apimanagement/v20191201preview:GroupUser" }, { type: "azure-native:apimanagement/v20200601preview:GroupUser" }, { type: "azure-native:apimanagement/v20201201:GroupUser" }, { type: "azure-native:apimanagement/v20210101preview:GroupUser" }, { type: "azure-native:apimanagement/v20210401preview:GroupUser" }, { type: "azure-native:apimanagement/v20210801:GroupUser" }, { type: "azure-native:apimanagement/v20211201preview:GroupUser" }, { type: "azure-native:apimanagement/v20220401preview:GroupUser" }, { type: "azure-native:apimanagement/v20220801:GroupUser" }, { type: "azure-native:apimanagement/v20220901preview:GroupUser" }, { type: "azure-native:apimanagement/v20230301preview:GroupUser" }, { type: "azure-native:apimanagement/v20230501preview:GroupUser" }, { type: "azure-native:apimanagement/v20230901preview:GroupUser" }, { type: "azure-native:apimanagement/v20240501:GroupUser" }, { type: "azure-native:apimanagement/v20240601preview:GroupUser" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:GroupUser" }, { type: "azure-native:apimanagement/v20180101:GroupUser" }, { type: "azure-native:apimanagement/v20220801:GroupUser" }, { type: "azure-native:apimanagement/v20220901preview:GroupUser" }, { type: "azure-native:apimanagement/v20230301preview:GroupUser" }, { type: "azure-native:apimanagement/v20230501preview:GroupUser" }, { type: "azure-native:apimanagement/v20230901preview:GroupUser" }, { type: "azure-native:apimanagement/v20240501:GroupUser" }, { type: "azure-native:apimanagement/v20240601preview:GroupUser" }, { type: "azure-native_apimanagement_v20170301:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20180101:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20190101:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20191201:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20201201:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20210801:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20220801:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20240501:apimanagement:GroupUser" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:GroupUser" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GroupUser.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/identityProvider.ts b/sdk/nodejs/apimanagement/identityProvider.ts index 16a865a1d7a4..dc232eeb0de0 100644 --- a/sdk/nodejs/apimanagement/identityProvider.ts +++ b/sdk/nodejs/apimanagement/identityProvider.ts @@ -149,7 +149,7 @@ export class IdentityProvider extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:IdentityProvider" }, { type: "azure-native:apimanagement/v20161010:IdentityProvider" }, { type: "azure-native:apimanagement/v20170301:IdentityProvider" }, { type: "azure-native:apimanagement/v20180101:IdentityProvider" }, { type: "azure-native:apimanagement/v20180601preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20190101:IdentityProvider" }, { type: "azure-native:apimanagement/v20191201:IdentityProvider" }, { type: "azure-native:apimanagement/v20191201preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20200601preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20201201:IdentityProvider" }, { type: "azure-native:apimanagement/v20210101preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20210401preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20210801:IdentityProvider" }, { type: "azure-native:apimanagement/v20211201preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20220401preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20220801:IdentityProvider" }, { type: "azure-native:apimanagement/v20220901preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20230301preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20230501preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20230901preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20240501:IdentityProvider" }, { type: "azure-native:apimanagement/v20240601preview:IdentityProvider" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20190101:IdentityProvider" }, { type: "azure-native:apimanagement/v20220801:IdentityProvider" }, { type: "azure-native:apimanagement/v20220901preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20230301preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20230501preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20230901preview:IdentityProvider" }, { type: "azure-native:apimanagement/v20240501:IdentityProvider" }, { type: "azure-native:apimanagement/v20240601preview:IdentityProvider" }, { type: "azure-native_apimanagement_v20160707:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20161010:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20170301:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20180101:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20190101:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20191201:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20201201:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20210801:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20220801:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20240501:apimanagement:IdentityProvider" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:IdentityProvider" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IdentityProvider.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/logger.ts b/sdk/nodejs/apimanagement/logger.ts index 9e5e0a899c6a..77d026e689ef 100644 --- a/sdk/nodejs/apimanagement/logger.ts +++ b/sdk/nodejs/apimanagement/logger.ts @@ -117,7 +117,7 @@ export class Logger extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:Logger" }, { type: "azure-native:apimanagement/v20161010:Logger" }, { type: "azure-native:apimanagement/v20170301:Logger" }, { type: "azure-native:apimanagement/v20180101:Logger" }, { type: "azure-native:apimanagement/v20180601preview:Logger" }, { type: "azure-native:apimanagement/v20190101:Logger" }, { type: "azure-native:apimanagement/v20191201:Logger" }, { type: "azure-native:apimanagement/v20191201preview:Logger" }, { type: "azure-native:apimanagement/v20200601preview:Logger" }, { type: "azure-native:apimanagement/v20201201:Logger" }, { type: "azure-native:apimanagement/v20210101preview:Logger" }, { type: "azure-native:apimanagement/v20210401preview:Logger" }, { type: "azure-native:apimanagement/v20210801:Logger" }, { type: "azure-native:apimanagement/v20211201preview:Logger" }, { type: "azure-native:apimanagement/v20220401preview:Logger" }, { type: "azure-native:apimanagement/v20220801:Logger" }, { type: "azure-native:apimanagement/v20220901preview:Logger" }, { type: "azure-native:apimanagement/v20230301preview:Logger" }, { type: "azure-native:apimanagement/v20230501preview:Logger" }, { type: "azure-native:apimanagement/v20230901preview:Logger" }, { type: "azure-native:apimanagement/v20240501:Logger" }, { type: "azure-native:apimanagement/v20240601preview:Logger" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:Logger" }, { type: "azure-native:apimanagement/v20180101:Logger" }, { type: "azure-native:apimanagement/v20191201preview:Logger" }, { type: "azure-native:apimanagement/v20220801:Logger" }, { type: "azure-native:apimanagement/v20220901preview:Logger" }, { type: "azure-native:apimanagement/v20230301preview:Logger" }, { type: "azure-native:apimanagement/v20230501preview:Logger" }, { type: "azure-native:apimanagement/v20230901preview:Logger" }, { type: "azure-native:apimanagement/v20240501:Logger" }, { type: "azure-native:apimanagement/v20240601preview:Logger" }, { type: "azure-native_apimanagement_v20160707:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20161010:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20170301:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20180101:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20190101:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Logger" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Logger" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Logger.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/namedValue.ts b/sdk/nodejs/apimanagement/namedValue.ts index 6a38908674cb..083466570b6a 100644 --- a/sdk/nodejs/apimanagement/namedValue.ts +++ b/sdk/nodejs/apimanagement/namedValue.ts @@ -116,7 +116,7 @@ export class NamedValue extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20191201:NamedValue" }, { type: "azure-native:apimanagement/v20191201preview:NamedValue" }, { type: "azure-native:apimanagement/v20200601preview:NamedValue" }, { type: "azure-native:apimanagement/v20201201:NamedValue" }, { type: "azure-native:apimanagement/v20210101preview:NamedValue" }, { type: "azure-native:apimanagement/v20210401preview:NamedValue" }, { type: "azure-native:apimanagement/v20210801:NamedValue" }, { type: "azure-native:apimanagement/v20211201preview:NamedValue" }, { type: "azure-native:apimanagement/v20220401preview:NamedValue" }, { type: "azure-native:apimanagement/v20220801:NamedValue" }, { type: "azure-native:apimanagement/v20220901preview:NamedValue" }, { type: "azure-native:apimanagement/v20230301preview:NamedValue" }, { type: "azure-native:apimanagement/v20230501preview:NamedValue" }, { type: "azure-native:apimanagement/v20230901preview:NamedValue" }, { type: "azure-native:apimanagement/v20240501:NamedValue" }, { type: "azure-native:apimanagement/v20240601preview:NamedValue" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:NamedValue" }, { type: "azure-native:apimanagement/v20220901preview:NamedValue" }, { type: "azure-native:apimanagement/v20230301preview:NamedValue" }, { type: "azure-native:apimanagement/v20230501preview:NamedValue" }, { type: "azure-native:apimanagement/v20230901preview:NamedValue" }, { type: "azure-native:apimanagement/v20240501:NamedValue" }, { type: "azure-native:apimanagement/v20240601preview:NamedValue" }, { type: "azure-native_apimanagement_v20191201:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20201201:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20210801:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20220801:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20240501:apimanagement:NamedValue" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:NamedValue" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamedValue.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/notificationRecipientEmail.ts b/sdk/nodejs/apimanagement/notificationRecipientEmail.ts index 2f3ae8990d57..4c8470182b9d 100644 --- a/sdk/nodejs/apimanagement/notificationRecipientEmail.ts +++ b/sdk/nodejs/apimanagement/notificationRecipientEmail.ts @@ -89,7 +89,7 @@ export class NotificationRecipientEmail extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20180101:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20180601preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20190101:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20191201:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20191201preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20200601preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20201201:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20210101preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20210401preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20210801:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20211201preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20220401preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20220801:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20220901preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230301preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230501preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230901preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20240501:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20240601preview:NotificationRecipientEmail" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20220901preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230301preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230501preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230901preview:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20240501:NotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20240601preview:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20170301:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20180101:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20190101:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20191201:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20201201:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20210801:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20220801:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20240501:apimanagement:NotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:NotificationRecipientEmail" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NotificationRecipientEmail.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/notificationRecipientUser.ts b/sdk/nodejs/apimanagement/notificationRecipientUser.ts index aa70c130ae19..77434c1413c4 100644 --- a/sdk/nodejs/apimanagement/notificationRecipientUser.ts +++ b/sdk/nodejs/apimanagement/notificationRecipientUser.ts @@ -89,7 +89,7 @@ export class NotificationRecipientUser extends pulumi.CustomResource { resourceInputs["userId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20180101:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20180601preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20190101:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20191201:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20191201preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20200601preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20201201:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20210101preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20210401preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20210801:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20211201preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20220401preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20220801:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20220901preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230301preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230501preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230901preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20240501:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20240601preview:NotificationRecipientUser" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20180101:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20220801:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20220901preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230301preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230501preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230901preview:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20240501:NotificationRecipientUser" }, { type: "azure-native:apimanagement/v20240601preview:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20170301:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20180101:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20190101:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20191201:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20201201:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20210801:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20220801:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20240501:apimanagement:NotificationRecipientUser" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:NotificationRecipientUser" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NotificationRecipientUser.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/openIdConnectProvider.ts b/sdk/nodejs/apimanagement/openIdConnectProvider.ts index 091c06c32654..3a7309dc5e87 100644 --- a/sdk/nodejs/apimanagement/openIdConnectProvider.ts +++ b/sdk/nodejs/apimanagement/openIdConnectProvider.ts @@ -131,7 +131,7 @@ export class OpenIdConnectProvider extends pulumi.CustomResource { resourceInputs["useInTestConsole"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20161010:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20170301:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20180101:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20180601preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20190101:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20191201:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20191201preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20200601preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20201201:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20210101preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20210401preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20210801:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20211201preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20220401preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20220801:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20220901preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20230301preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20230501preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20230901preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20240501:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20240601preview:OpenIdConnectProvider" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20220901preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20230301preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20230501preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20230901preview:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20240501:OpenIdConnectProvider" }, { type: "azure-native:apimanagement/v20240601preview:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20160707:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20161010:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20170301:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20180101:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20190101:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20191201:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20201201:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20210801:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20220801:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20240501:apimanagement:OpenIdConnectProvider" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:OpenIdConnectProvider" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OpenIdConnectProvider.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/policy.ts b/sdk/nodejs/apimanagement/policy.ts index 1cc4cf0cc27d..1096894033d1 100644 --- a/sdk/nodejs/apimanagement/policy.ts +++ b/sdk/nodejs/apimanagement/policy.ts @@ -98,7 +98,7 @@ export class Policy extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:Policy" }, { type: "azure-native:apimanagement/v20180101:Policy" }, { type: "azure-native:apimanagement/v20180601preview:Policy" }, { type: "azure-native:apimanagement/v20190101:Policy" }, { type: "azure-native:apimanagement/v20191201:Policy" }, { type: "azure-native:apimanagement/v20191201preview:Policy" }, { type: "azure-native:apimanagement/v20200601preview:Policy" }, { type: "azure-native:apimanagement/v20201201:Policy" }, { type: "azure-native:apimanagement/v20210101preview:Policy" }, { type: "azure-native:apimanagement/v20210401preview:Policy" }, { type: "azure-native:apimanagement/v20210801:Policy" }, { type: "azure-native:apimanagement/v20211201preview:Policy" }, { type: "azure-native:apimanagement/v20220401preview:Policy" }, { type: "azure-native:apimanagement/v20220801:Policy" }, { type: "azure-native:apimanagement/v20220901preview:Policy" }, { type: "azure-native:apimanagement/v20230301preview:Policy" }, { type: "azure-native:apimanagement/v20230501preview:Policy" }, { type: "azure-native:apimanagement/v20230901preview:Policy" }, { type: "azure-native:apimanagement/v20240501:Policy" }, { type: "azure-native:apimanagement/v20240601preview:Policy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20180601preview:Policy" }, { type: "azure-native:apimanagement/v20220801:Policy" }, { type: "azure-native:apimanagement/v20220901preview:Policy" }, { type: "azure-native:apimanagement/v20230301preview:Policy" }, { type: "azure-native:apimanagement/v20230501preview:Policy" }, { type: "azure-native:apimanagement/v20230901preview:Policy" }, { type: "azure-native:apimanagement/v20240501:Policy" }, { type: "azure-native:apimanagement/v20240601preview:Policy" }, { type: "azure-native_apimanagement_v20170301:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20180101:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20190101:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Policy" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Policy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Policy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/policyFragment.ts b/sdk/nodejs/apimanagement/policyFragment.ts index 81d5a6bc0613..f6dbc51402ca 100644 --- a/sdk/nodejs/apimanagement/policyFragment.ts +++ b/sdk/nodejs/apimanagement/policyFragment.ts @@ -104,7 +104,7 @@ export class PolicyFragment extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20211201preview:PolicyFragment" }, { type: "azure-native:apimanagement/v20220401preview:PolicyFragment" }, { type: "azure-native:apimanagement/v20220801:PolicyFragment" }, { type: "azure-native:apimanagement/v20220901preview:PolicyFragment" }, { type: "azure-native:apimanagement/v20230301preview:PolicyFragment" }, { type: "azure-native:apimanagement/v20230501preview:PolicyFragment" }, { type: "azure-native:apimanagement/v20230901preview:PolicyFragment" }, { type: "azure-native:apimanagement/v20240501:PolicyFragment" }, { type: "azure-native:apimanagement/v20240601preview:PolicyFragment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:PolicyFragment" }, { type: "azure-native:apimanagement/v20220901preview:PolicyFragment" }, { type: "azure-native:apimanagement/v20230301preview:PolicyFragment" }, { type: "azure-native:apimanagement/v20230501preview:PolicyFragment" }, { type: "azure-native:apimanagement/v20230901preview:PolicyFragment" }, { type: "azure-native:apimanagement/v20240501:PolicyFragment" }, { type: "azure-native:apimanagement/v20240601preview:PolicyFragment" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:PolicyFragment" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:PolicyFragment" }, { type: "azure-native_apimanagement_v20220801:apimanagement:PolicyFragment" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:PolicyFragment" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:PolicyFragment" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:PolicyFragment" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:PolicyFragment" }, { type: "azure-native_apimanagement_v20240501:apimanagement:PolicyFragment" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:PolicyFragment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicyFragment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/policyRestriction.ts b/sdk/nodejs/apimanagement/policyRestriction.ts index 6f9380cb9a63..d074bfea2b84 100644 --- a/sdk/nodejs/apimanagement/policyRestriction.ts +++ b/sdk/nodejs/apimanagement/policyRestriction.ts @@ -95,7 +95,7 @@ export class PolicyRestriction extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230501preview:PolicyRestriction" }, { type: "azure-native:apimanagement/v20230901preview:PolicyRestriction" }, { type: "azure-native:apimanagement/v20240501:PolicyRestriction" }, { type: "azure-native:apimanagement/v20240601preview:PolicyRestriction" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230501preview:PolicyRestriction" }, { type: "azure-native:apimanagement/v20230901preview:PolicyRestriction" }, { type: "azure-native:apimanagement/v20240501:PolicyRestriction" }, { type: "azure-native:apimanagement/v20240601preview:PolicyRestriction" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:PolicyRestriction" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:PolicyRestriction" }, { type: "azure-native_apimanagement_v20240501:apimanagement:PolicyRestriction" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:PolicyRestriction" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicyRestriction.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/privateEndpointConnectionByName.ts b/sdk/nodejs/apimanagement/privateEndpointConnectionByName.ts index 6e1d2c4f6cb4..4f6616556135 100644 --- a/sdk/nodejs/apimanagement/privateEndpointConnectionByName.ts +++ b/sdk/nodejs/apimanagement/privateEndpointConnectionByName.ts @@ -103,7 +103,7 @@ export class PrivateEndpointConnectionByName extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20210401preview:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20210801:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20211201preview:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20220401preview:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20220801:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20220901preview:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20230301preview:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20230501preview:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20230901preview:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20240501:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20240601preview:PrivateEndpointConnectionByName" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20220901preview:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20230301preview:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20230501preview:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20230901preview:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20240501:PrivateEndpointConnectionByName" }, { type: "azure-native:apimanagement/v20240601preview:PrivateEndpointConnectionByName" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:PrivateEndpointConnectionByName" }, { type: "azure-native_apimanagement_v20210801:apimanagement:PrivateEndpointConnectionByName" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:PrivateEndpointConnectionByName" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:PrivateEndpointConnectionByName" }, { type: "azure-native_apimanagement_v20220801:apimanagement:PrivateEndpointConnectionByName" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:PrivateEndpointConnectionByName" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:PrivateEndpointConnectionByName" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:PrivateEndpointConnectionByName" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:PrivateEndpointConnectionByName" }, { type: "azure-native_apimanagement_v20240501:apimanagement:PrivateEndpointConnectionByName" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:PrivateEndpointConnectionByName" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionByName.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/product.ts b/sdk/nodejs/apimanagement/product.ts index 7fa93d227f71..56475093e2fe 100644 --- a/sdk/nodejs/apimanagement/product.ts +++ b/sdk/nodejs/apimanagement/product.ts @@ -128,7 +128,7 @@ export class Product extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:Product" }, { type: "azure-native:apimanagement/v20161010:Product" }, { type: "azure-native:apimanagement/v20170301:Product" }, { type: "azure-native:apimanagement/v20180101:Product" }, { type: "azure-native:apimanagement/v20180601preview:Product" }, { type: "azure-native:apimanagement/v20190101:Product" }, { type: "azure-native:apimanagement/v20191201:Product" }, { type: "azure-native:apimanagement/v20191201preview:Product" }, { type: "azure-native:apimanagement/v20200601preview:Product" }, { type: "azure-native:apimanagement/v20201201:Product" }, { type: "azure-native:apimanagement/v20210101preview:Product" }, { type: "azure-native:apimanagement/v20210401preview:Product" }, { type: "azure-native:apimanagement/v20210801:Product" }, { type: "azure-native:apimanagement/v20211201preview:Product" }, { type: "azure-native:apimanagement/v20220401preview:Product" }, { type: "azure-native:apimanagement/v20220801:Product" }, { type: "azure-native:apimanagement/v20220901preview:Product" }, { type: "azure-native:apimanagement/v20230301preview:Product" }, { type: "azure-native:apimanagement/v20230501preview:Product" }, { type: "azure-native:apimanagement/v20230901preview:Product" }, { type: "azure-native:apimanagement/v20240501:Product" }, { type: "azure-native:apimanagement/v20240601preview:Product" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:Product" }, { type: "azure-native:apimanagement/v20220901preview:Product" }, { type: "azure-native:apimanagement/v20230301preview:Product" }, { type: "azure-native:apimanagement/v20230501preview:Product" }, { type: "azure-native:apimanagement/v20230901preview:Product" }, { type: "azure-native:apimanagement/v20240501:Product" }, { type: "azure-native:apimanagement/v20240601preview:Product" }, { type: "azure-native_apimanagement_v20160707:apimanagement:Product" }, { type: "azure-native_apimanagement_v20161010:apimanagement:Product" }, { type: "azure-native_apimanagement_v20170301:apimanagement:Product" }, { type: "azure-native_apimanagement_v20180101:apimanagement:Product" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:Product" }, { type: "azure-native_apimanagement_v20190101:apimanagement:Product" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Product" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Product" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Product" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Product" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Product" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Product" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Product" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Product" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Product" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Product" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Product" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Product" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Product" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Product" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Product" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Product" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Product.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/productApi.ts b/sdk/nodejs/apimanagement/productApi.ts index 38bb2d735a3a..6890e3b7c60f 100644 --- a/sdk/nodejs/apimanagement/productApi.ts +++ b/sdk/nodejs/apimanagement/productApi.ts @@ -213,7 +213,7 @@ export class ProductApi extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ProductApi" }, { type: "azure-native:apimanagement/v20180101:ProductApi" }, { type: "azure-native:apimanagement/v20180601preview:ProductApi" }, { type: "azure-native:apimanagement/v20190101:ProductApi" }, { type: "azure-native:apimanagement/v20191201:ProductApi" }, { type: "azure-native:apimanagement/v20191201preview:ProductApi" }, { type: "azure-native:apimanagement/v20200601preview:ProductApi" }, { type: "azure-native:apimanagement/v20201201:ProductApi" }, { type: "azure-native:apimanagement/v20210101preview:ProductApi" }, { type: "azure-native:apimanagement/v20210401preview:ProductApi" }, { type: "azure-native:apimanagement/v20210801:ProductApi" }, { type: "azure-native:apimanagement/v20211201preview:ProductApi" }, { type: "azure-native:apimanagement/v20220401preview:ProductApi" }, { type: "azure-native:apimanagement/v20220801:ProductApi" }, { type: "azure-native:apimanagement/v20220901preview:ProductApi" }, { type: "azure-native:apimanagement/v20230301preview:ProductApi" }, { type: "azure-native:apimanagement/v20230501preview:ProductApi" }, { type: "azure-native:apimanagement/v20230901preview:ProductApi" }, { type: "azure-native:apimanagement/v20240501:ProductApi" }, { type: "azure-native:apimanagement/v20240601preview:ProductApi" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ProductApi" }, { type: "azure-native:apimanagement/v20180601preview:ProductApi" }, { type: "azure-native:apimanagement/v20220801:ProductApi" }, { type: "azure-native:apimanagement/v20220901preview:ProductApi" }, { type: "azure-native:apimanagement/v20230301preview:ProductApi" }, { type: "azure-native:apimanagement/v20230501preview:ProductApi" }, { type: "azure-native:apimanagement/v20230901preview:ProductApi" }, { type: "azure-native:apimanagement/v20240501:ProductApi" }, { type: "azure-native:apimanagement/v20240601preview:ProductApi" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ProductApi" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ProductApi" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProductApi.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/productApiLink.ts b/sdk/nodejs/apimanagement/productApiLink.ts index 28ce049ad947..e858a4a38434 100644 --- a/sdk/nodejs/apimanagement/productApiLink.ts +++ b/sdk/nodejs/apimanagement/productApiLink.ts @@ -93,7 +93,7 @@ export class ProductApiLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:ProductApiLink" }, { type: "azure-native:apimanagement/v20230301preview:ProductApiLink" }, { type: "azure-native:apimanagement/v20230501preview:ProductApiLink" }, { type: "azure-native:apimanagement/v20230901preview:ProductApiLink" }, { type: "azure-native:apimanagement/v20240501:ProductApiLink" }, { type: "azure-native:apimanagement/v20240601preview:ProductApiLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:ProductApiLink" }, { type: "azure-native:apimanagement/v20230301preview:ProductApiLink" }, { type: "azure-native:apimanagement/v20230501preview:ProductApiLink" }, { type: "azure-native:apimanagement/v20230901preview:ProductApiLink" }, { type: "azure-native:apimanagement/v20240501:ProductApiLink" }, { type: "azure-native:apimanagement/v20240601preview:ProductApiLink" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ProductApiLink" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ProductApiLink" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ProductApiLink" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ProductApiLink" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ProductApiLink" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ProductApiLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProductApiLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/productGroup.ts b/sdk/nodejs/apimanagement/productGroup.ts index 2119f5f5c434..06b08075af7f 100644 --- a/sdk/nodejs/apimanagement/productGroup.ts +++ b/sdk/nodejs/apimanagement/productGroup.ts @@ -108,7 +108,7 @@ export class ProductGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ProductGroup" }, { type: "azure-native:apimanagement/v20180101:ProductGroup" }, { type: "azure-native:apimanagement/v20180601preview:ProductGroup" }, { type: "azure-native:apimanagement/v20190101:ProductGroup" }, { type: "azure-native:apimanagement/v20191201:ProductGroup" }, { type: "azure-native:apimanagement/v20191201preview:ProductGroup" }, { type: "azure-native:apimanagement/v20200601preview:ProductGroup" }, { type: "azure-native:apimanagement/v20201201:ProductGroup" }, { type: "azure-native:apimanagement/v20210101preview:ProductGroup" }, { type: "azure-native:apimanagement/v20210401preview:ProductGroup" }, { type: "azure-native:apimanagement/v20210801:ProductGroup" }, { type: "azure-native:apimanagement/v20211201preview:ProductGroup" }, { type: "azure-native:apimanagement/v20220401preview:ProductGroup" }, { type: "azure-native:apimanagement/v20220801:ProductGroup" }, { type: "azure-native:apimanagement/v20220901preview:ProductGroup" }, { type: "azure-native:apimanagement/v20230301preview:ProductGroup" }, { type: "azure-native:apimanagement/v20230501preview:ProductGroup" }, { type: "azure-native:apimanagement/v20230901preview:ProductGroup" }, { type: "azure-native:apimanagement/v20240501:ProductGroup" }, { type: "azure-native:apimanagement/v20240601preview:ProductGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ProductGroup" }, { type: "azure-native:apimanagement/v20220901preview:ProductGroup" }, { type: "azure-native:apimanagement/v20230301preview:ProductGroup" }, { type: "azure-native:apimanagement/v20230501preview:ProductGroup" }, { type: "azure-native:apimanagement/v20230901preview:ProductGroup" }, { type: "azure-native:apimanagement/v20240501:ProductGroup" }, { type: "azure-native:apimanagement/v20240601preview:ProductGroup" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ProductGroup" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ProductGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProductGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/productGroupLink.ts b/sdk/nodejs/apimanagement/productGroupLink.ts index 4e39936c5e16..76def62c4300 100644 --- a/sdk/nodejs/apimanagement/productGroupLink.ts +++ b/sdk/nodejs/apimanagement/productGroupLink.ts @@ -93,7 +93,7 @@ export class ProductGroupLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:ProductGroupLink" }, { type: "azure-native:apimanagement/v20230301preview:ProductGroupLink" }, { type: "azure-native:apimanagement/v20230501preview:ProductGroupLink" }, { type: "azure-native:apimanagement/v20230901preview:ProductGroupLink" }, { type: "azure-native:apimanagement/v20240501:ProductGroupLink" }, { type: "azure-native:apimanagement/v20240601preview:ProductGroupLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:ProductGroupLink" }, { type: "azure-native:apimanagement/v20230301preview:ProductGroupLink" }, { type: "azure-native:apimanagement/v20230501preview:ProductGroupLink" }, { type: "azure-native:apimanagement/v20230901preview:ProductGroupLink" }, { type: "azure-native:apimanagement/v20240501:ProductGroupLink" }, { type: "azure-native:apimanagement/v20240601preview:ProductGroupLink" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ProductGroupLink" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ProductGroupLink" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ProductGroupLink" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ProductGroupLink" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ProductGroupLink" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ProductGroupLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProductGroupLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/productPolicy.ts b/sdk/nodejs/apimanagement/productPolicy.ts index 7084c81f4b8e..f8410c9bf4a7 100644 --- a/sdk/nodejs/apimanagement/productPolicy.ts +++ b/sdk/nodejs/apimanagement/productPolicy.ts @@ -102,7 +102,7 @@ export class ProductPolicy extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:ProductPolicy" }, { type: "azure-native:apimanagement/v20180101:ProductPolicy" }, { type: "azure-native:apimanagement/v20180601preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20190101:ProductPolicy" }, { type: "azure-native:apimanagement/v20191201:ProductPolicy" }, { type: "azure-native:apimanagement/v20191201preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20200601preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20201201:ProductPolicy" }, { type: "azure-native:apimanagement/v20210101preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20210401preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20210801:ProductPolicy" }, { type: "azure-native:apimanagement/v20211201preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20220401preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20220801:ProductPolicy" }, { type: "azure-native:apimanagement/v20220901preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20230301preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20230501preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20230901preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20240501:ProductPolicy" }, { type: "azure-native:apimanagement/v20240601preview:ProductPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20180601preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20220801:ProductPolicy" }, { type: "azure-native:apimanagement/v20220901preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20230301preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20230501preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20230901preview:ProductPolicy" }, { type: "azure-native:apimanagement/v20240501:ProductPolicy" }, { type: "azure-native:apimanagement/v20240601preview:ProductPolicy" }, { type: "azure-native_apimanagement_v20170301:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20180101:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20190101:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20191201:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20201201:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20210801:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ProductPolicy" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ProductPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProductPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/productWiki.ts b/sdk/nodejs/apimanagement/productWiki.ts index 80c9d43b8341..93f95df3f75f 100644 --- a/sdk/nodejs/apimanagement/productWiki.ts +++ b/sdk/nodejs/apimanagement/productWiki.ts @@ -92,7 +92,7 @@ export class ProductWiki extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ProductWiki" }, { type: "azure-native:apimanagement/v20220901preview:ProductWiki" }, { type: "azure-native:apimanagement/v20230301preview:ProductWiki" }, { type: "azure-native:apimanagement/v20230501preview:ProductWiki" }, { type: "azure-native:apimanagement/v20230901preview:ProductWiki" }, { type: "azure-native:apimanagement/v20240501:ProductWiki" }, { type: "azure-native:apimanagement/v20240601preview:ProductWiki" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:ProductWiki" }, { type: "azure-native:apimanagement/v20220901preview:ProductWiki" }, { type: "azure-native:apimanagement/v20230301preview:ProductWiki" }, { type: "azure-native:apimanagement/v20230501preview:ProductWiki" }, { type: "azure-native:apimanagement/v20230901preview:ProductWiki" }, { type: "azure-native:apimanagement/v20240501:ProductWiki" }, { type: "azure-native:apimanagement/v20240601preview:ProductWiki" }, { type: "azure-native_apimanagement_v20220801:apimanagement:ProductWiki" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:ProductWiki" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:ProductWiki" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:ProductWiki" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:ProductWiki" }, { type: "azure-native_apimanagement_v20240501:apimanagement:ProductWiki" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:ProductWiki" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProductWiki.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/schema.ts b/sdk/nodejs/apimanagement/schema.ts index a5257f57bafd..59977271e21f 100644 --- a/sdk/nodejs/apimanagement/schema.ts +++ b/sdk/nodejs/apimanagement/schema.ts @@ -102,7 +102,7 @@ export class Schema extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20210401preview:Schema" }, { type: "azure-native:apimanagement/v20210801:Schema" }, { type: "azure-native:apimanagement/v20211201preview:Schema" }, { type: "azure-native:apimanagement/v20220401preview:Schema" }, { type: "azure-native:apimanagement/v20220801:GlobalSchema" }, { type: "azure-native:apimanagement/v20220801:Schema" }, { type: "azure-native:apimanagement/v20220901preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20220901preview:Schema" }, { type: "azure-native:apimanagement/v20230301preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230301preview:Schema" }, { type: "azure-native:apimanagement/v20230501preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230501preview:Schema" }, { type: "azure-native:apimanagement/v20230901preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230901preview:Schema" }, { type: "azure-native:apimanagement/v20240501:GlobalSchema" }, { type: "azure-native:apimanagement/v20240501:Schema" }, { type: "azure-native:apimanagement/v20240601preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20240601preview:Schema" }, { type: "azure-native:apimanagement:GlobalSchema" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20210401preview:Schema" }, { type: "azure-native:apimanagement/v20220801:GlobalSchema" }, { type: "azure-native:apimanagement/v20220901preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230301preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230501preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20230901preview:GlobalSchema" }, { type: "azure-native:apimanagement/v20240501:GlobalSchema" }, { type: "azure-native:apimanagement/v20240601preview:GlobalSchema" }, { type: "azure-native:apimanagement:GlobalSchema" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Schema" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Schema" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Schema" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Schema" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Schema" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Schema" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Schema" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Schema" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Schema" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Schema" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Schema" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Schema.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/subscription.ts b/sdk/nodejs/apimanagement/subscription.ts index 2049d17db5a6..cd10b490bee9 100644 --- a/sdk/nodejs/apimanagement/subscription.ts +++ b/sdk/nodejs/apimanagement/subscription.ts @@ -169,7 +169,7 @@ export class Subscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:Subscription" }, { type: "azure-native:apimanagement/v20161010:Subscription" }, { type: "azure-native:apimanagement/v20170301:Subscription" }, { type: "azure-native:apimanagement/v20180101:Subscription" }, { type: "azure-native:apimanagement/v20180601preview:Subscription" }, { type: "azure-native:apimanagement/v20190101:Subscription" }, { type: "azure-native:apimanagement/v20191201:Subscription" }, { type: "azure-native:apimanagement/v20191201preview:Subscription" }, { type: "azure-native:apimanagement/v20200601preview:Subscription" }, { type: "azure-native:apimanagement/v20201201:Subscription" }, { type: "azure-native:apimanagement/v20210101preview:Subscription" }, { type: "azure-native:apimanagement/v20210401preview:Subscription" }, { type: "azure-native:apimanagement/v20210801:Subscription" }, { type: "azure-native:apimanagement/v20211201preview:Subscription" }, { type: "azure-native:apimanagement/v20220401preview:Subscription" }, { type: "azure-native:apimanagement/v20220801:Subscription" }, { type: "azure-native:apimanagement/v20220901preview:Subscription" }, { type: "azure-native:apimanagement/v20230301preview:Subscription" }, { type: "azure-native:apimanagement/v20230501preview:Subscription" }, { type: "azure-native:apimanagement/v20230901preview:Subscription" }, { type: "azure-native:apimanagement/v20240501:Subscription" }, { type: "azure-native:apimanagement/v20240601preview:Subscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20180101:Subscription" }, { type: "azure-native:apimanagement/v20190101:Subscription" }, { type: "azure-native:apimanagement/v20220801:Subscription" }, { type: "azure-native:apimanagement/v20220901preview:Subscription" }, { type: "azure-native:apimanagement/v20230301preview:Subscription" }, { type: "azure-native:apimanagement/v20230501preview:Subscription" }, { type: "azure-native:apimanagement/v20230901preview:Subscription" }, { type: "azure-native:apimanagement/v20240501:Subscription" }, { type: "azure-native:apimanagement/v20240601preview:Subscription" }, { type: "azure-native_apimanagement_v20160707:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20161010:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20170301:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20180101:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20190101:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Subscription" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Subscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Subscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/tag.ts b/sdk/nodejs/apimanagement/tag.ts index edeec125557b..8632bff60a7f 100644 --- a/sdk/nodejs/apimanagement/tag.ts +++ b/sdk/nodejs/apimanagement/tag.ts @@ -89,7 +89,7 @@ export class Tag extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:Tag" }, { type: "azure-native:apimanagement/v20180101:Tag" }, { type: "azure-native:apimanagement/v20180601preview:Tag" }, { type: "azure-native:apimanagement/v20190101:Tag" }, { type: "azure-native:apimanagement/v20191201:Tag" }, { type: "azure-native:apimanagement/v20191201preview:Tag" }, { type: "azure-native:apimanagement/v20200601preview:Tag" }, { type: "azure-native:apimanagement/v20201201:Tag" }, { type: "azure-native:apimanagement/v20210101preview:Tag" }, { type: "azure-native:apimanagement/v20210401preview:Tag" }, { type: "azure-native:apimanagement/v20210801:Tag" }, { type: "azure-native:apimanagement/v20211201preview:Tag" }, { type: "azure-native:apimanagement/v20220401preview:Tag" }, { type: "azure-native:apimanagement/v20220801:Tag" }, { type: "azure-native:apimanagement/v20220901preview:Tag" }, { type: "azure-native:apimanagement/v20230301preview:Tag" }, { type: "azure-native:apimanagement/v20230501preview:Tag" }, { type: "azure-native:apimanagement/v20230901preview:Tag" }, { type: "azure-native:apimanagement/v20240501:Tag" }, { type: "azure-native:apimanagement/v20240601preview:Tag" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:Tag" }, { type: "azure-native:apimanagement/v20220901preview:Tag" }, { type: "azure-native:apimanagement/v20230301preview:Tag" }, { type: "azure-native:apimanagement/v20230501preview:Tag" }, { type: "azure-native:apimanagement/v20230901preview:Tag" }, { type: "azure-native:apimanagement/v20240501:Tag" }, { type: "azure-native:apimanagement/v20240601preview:Tag" }, { type: "azure-native_apimanagement_v20170301:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20180101:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20190101:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20191201:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20201201:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20210801:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20220801:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Tag" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Tag" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Tag.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/tagApiLink.ts b/sdk/nodejs/apimanagement/tagApiLink.ts index 918df963b903..24a423faa8c0 100644 --- a/sdk/nodejs/apimanagement/tagApiLink.ts +++ b/sdk/nodejs/apimanagement/tagApiLink.ts @@ -93,7 +93,7 @@ export class TagApiLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:TagApiLink" }, { type: "azure-native:apimanagement/v20230301preview:TagApiLink" }, { type: "azure-native:apimanagement/v20230501preview:TagApiLink" }, { type: "azure-native:apimanagement/v20230901preview:TagApiLink" }, { type: "azure-native:apimanagement/v20240501:TagApiLink" }, { type: "azure-native:apimanagement/v20240601preview:TagApiLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:TagApiLink" }, { type: "azure-native:apimanagement/v20230301preview:TagApiLink" }, { type: "azure-native:apimanagement/v20230501preview:TagApiLink" }, { type: "azure-native:apimanagement/v20230901preview:TagApiLink" }, { type: "azure-native:apimanagement/v20240501:TagApiLink" }, { type: "azure-native:apimanagement/v20240601preview:TagApiLink" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:TagApiLink" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:TagApiLink" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:TagApiLink" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:TagApiLink" }, { type: "azure-native_apimanagement_v20240501:apimanagement:TagApiLink" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:TagApiLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TagApiLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/tagByApi.ts b/sdk/nodejs/apimanagement/tagByApi.ts index 8d07d7519b11..23cc571721df 100644 --- a/sdk/nodejs/apimanagement/tagByApi.ts +++ b/sdk/nodejs/apimanagement/tagByApi.ts @@ -90,7 +90,7 @@ export class TagByApi extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:TagByApi" }, { type: "azure-native:apimanagement/v20180101:TagByApi" }, { type: "azure-native:apimanagement/v20180601preview:TagByApi" }, { type: "azure-native:apimanagement/v20190101:TagByApi" }, { type: "azure-native:apimanagement/v20191201:TagByApi" }, { type: "azure-native:apimanagement/v20191201preview:TagByApi" }, { type: "azure-native:apimanagement/v20200601preview:TagByApi" }, { type: "azure-native:apimanagement/v20201201:TagByApi" }, { type: "azure-native:apimanagement/v20210101preview:TagByApi" }, { type: "azure-native:apimanagement/v20210401preview:TagByApi" }, { type: "azure-native:apimanagement/v20210801:TagByApi" }, { type: "azure-native:apimanagement/v20211201preview:TagByApi" }, { type: "azure-native:apimanagement/v20220401preview:TagByApi" }, { type: "azure-native:apimanagement/v20220801:TagByApi" }, { type: "azure-native:apimanagement/v20220901preview:TagByApi" }, { type: "azure-native:apimanagement/v20230301preview:TagByApi" }, { type: "azure-native:apimanagement/v20230501preview:TagByApi" }, { type: "azure-native:apimanagement/v20230901preview:TagByApi" }, { type: "azure-native:apimanagement/v20240501:TagByApi" }, { type: "azure-native:apimanagement/v20240601preview:TagByApi" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:TagByApi" }, { type: "azure-native:apimanagement/v20220901preview:TagByApi" }, { type: "azure-native:apimanagement/v20230301preview:TagByApi" }, { type: "azure-native:apimanagement/v20230501preview:TagByApi" }, { type: "azure-native:apimanagement/v20230901preview:TagByApi" }, { type: "azure-native:apimanagement/v20240501:TagByApi" }, { type: "azure-native:apimanagement/v20240601preview:TagByApi" }, { type: "azure-native_apimanagement_v20170301:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20180101:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20190101:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20191201:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20201201:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20210801:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20220801:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20240501:apimanagement:TagByApi" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:TagByApi" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TagByApi.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/tagByOperation.ts b/sdk/nodejs/apimanagement/tagByOperation.ts index 3756589a6a05..1c755a01ca28 100644 --- a/sdk/nodejs/apimanagement/tagByOperation.ts +++ b/sdk/nodejs/apimanagement/tagByOperation.ts @@ -94,7 +94,7 @@ export class TagByOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:TagByOperation" }, { type: "azure-native:apimanagement/v20180101:TagByOperation" }, { type: "azure-native:apimanagement/v20180601preview:TagByOperation" }, { type: "azure-native:apimanagement/v20190101:TagByOperation" }, { type: "azure-native:apimanagement/v20191201:TagByOperation" }, { type: "azure-native:apimanagement/v20191201preview:TagByOperation" }, { type: "azure-native:apimanagement/v20200601preview:TagByOperation" }, { type: "azure-native:apimanagement/v20201201:TagByOperation" }, { type: "azure-native:apimanagement/v20210101preview:TagByOperation" }, { type: "azure-native:apimanagement/v20210401preview:TagByOperation" }, { type: "azure-native:apimanagement/v20210801:TagByOperation" }, { type: "azure-native:apimanagement/v20211201preview:TagByOperation" }, { type: "azure-native:apimanagement/v20220401preview:TagByOperation" }, { type: "azure-native:apimanagement/v20220801:TagByOperation" }, { type: "azure-native:apimanagement/v20220901preview:TagByOperation" }, { type: "azure-native:apimanagement/v20230301preview:TagByOperation" }, { type: "azure-native:apimanagement/v20230501preview:TagByOperation" }, { type: "azure-native:apimanagement/v20230901preview:TagByOperation" }, { type: "azure-native:apimanagement/v20240501:TagByOperation" }, { type: "azure-native:apimanagement/v20240601preview:TagByOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:TagByOperation" }, { type: "azure-native:apimanagement/v20220901preview:TagByOperation" }, { type: "azure-native:apimanagement/v20230301preview:TagByOperation" }, { type: "azure-native:apimanagement/v20230501preview:TagByOperation" }, { type: "azure-native:apimanagement/v20230901preview:TagByOperation" }, { type: "azure-native:apimanagement/v20240501:TagByOperation" }, { type: "azure-native:apimanagement/v20240601preview:TagByOperation" }, { type: "azure-native_apimanagement_v20170301:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20180101:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20190101:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20191201:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20201201:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20210801:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20220801:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20240501:apimanagement:TagByOperation" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:TagByOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TagByOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/tagByProduct.ts b/sdk/nodejs/apimanagement/tagByProduct.ts index da657a502134..db3cdefdfe2b 100644 --- a/sdk/nodejs/apimanagement/tagByProduct.ts +++ b/sdk/nodejs/apimanagement/tagByProduct.ts @@ -90,7 +90,7 @@ export class TagByProduct extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:TagByProduct" }, { type: "azure-native:apimanagement/v20180101:TagByProduct" }, { type: "azure-native:apimanagement/v20180601preview:TagByProduct" }, { type: "azure-native:apimanagement/v20190101:TagByProduct" }, { type: "azure-native:apimanagement/v20191201:TagByProduct" }, { type: "azure-native:apimanagement/v20191201preview:TagByProduct" }, { type: "azure-native:apimanagement/v20200601preview:TagByProduct" }, { type: "azure-native:apimanagement/v20201201:TagByProduct" }, { type: "azure-native:apimanagement/v20210101preview:TagByProduct" }, { type: "azure-native:apimanagement/v20210401preview:TagByProduct" }, { type: "azure-native:apimanagement/v20210801:TagByProduct" }, { type: "azure-native:apimanagement/v20211201preview:TagByProduct" }, { type: "azure-native:apimanagement/v20220401preview:TagByProduct" }, { type: "azure-native:apimanagement/v20220801:TagByProduct" }, { type: "azure-native:apimanagement/v20220901preview:TagByProduct" }, { type: "azure-native:apimanagement/v20230301preview:TagByProduct" }, { type: "azure-native:apimanagement/v20230501preview:TagByProduct" }, { type: "azure-native:apimanagement/v20230901preview:TagByProduct" }, { type: "azure-native:apimanagement/v20240501:TagByProduct" }, { type: "azure-native:apimanagement/v20240601preview:TagByProduct" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220801:TagByProduct" }, { type: "azure-native:apimanagement/v20220901preview:TagByProduct" }, { type: "azure-native:apimanagement/v20230301preview:TagByProduct" }, { type: "azure-native:apimanagement/v20230501preview:TagByProduct" }, { type: "azure-native:apimanagement/v20230901preview:TagByProduct" }, { type: "azure-native:apimanagement/v20240501:TagByProduct" }, { type: "azure-native:apimanagement/v20240601preview:TagByProduct" }, { type: "azure-native_apimanagement_v20170301:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20180101:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20190101:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20191201:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20201201:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20210801:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20220801:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20240501:apimanagement:TagByProduct" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:TagByProduct" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TagByProduct.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/tagOperationLink.ts b/sdk/nodejs/apimanagement/tagOperationLink.ts index ac2a9364c029..403336539fee 100644 --- a/sdk/nodejs/apimanagement/tagOperationLink.ts +++ b/sdk/nodejs/apimanagement/tagOperationLink.ts @@ -93,7 +93,7 @@ export class TagOperationLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:TagOperationLink" }, { type: "azure-native:apimanagement/v20230301preview:TagOperationLink" }, { type: "azure-native:apimanagement/v20230501preview:TagOperationLink" }, { type: "azure-native:apimanagement/v20230901preview:TagOperationLink" }, { type: "azure-native:apimanagement/v20240501:TagOperationLink" }, { type: "azure-native:apimanagement/v20240601preview:TagOperationLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:TagOperationLink" }, { type: "azure-native:apimanagement/v20230301preview:TagOperationLink" }, { type: "azure-native:apimanagement/v20230501preview:TagOperationLink" }, { type: "azure-native:apimanagement/v20230901preview:TagOperationLink" }, { type: "azure-native:apimanagement/v20240501:TagOperationLink" }, { type: "azure-native:apimanagement/v20240601preview:TagOperationLink" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:TagOperationLink" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:TagOperationLink" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:TagOperationLink" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:TagOperationLink" }, { type: "azure-native_apimanagement_v20240501:apimanagement:TagOperationLink" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:TagOperationLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TagOperationLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/tagProductLink.ts b/sdk/nodejs/apimanagement/tagProductLink.ts index 9d6bc15857e6..e788aee45a7f 100644 --- a/sdk/nodejs/apimanagement/tagProductLink.ts +++ b/sdk/nodejs/apimanagement/tagProductLink.ts @@ -93,7 +93,7 @@ export class TagProductLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:TagProductLink" }, { type: "azure-native:apimanagement/v20230301preview:TagProductLink" }, { type: "azure-native:apimanagement/v20230501preview:TagProductLink" }, { type: "azure-native:apimanagement/v20230901preview:TagProductLink" }, { type: "azure-native:apimanagement/v20240501:TagProductLink" }, { type: "azure-native:apimanagement/v20240601preview:TagProductLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:TagProductLink" }, { type: "azure-native:apimanagement/v20230301preview:TagProductLink" }, { type: "azure-native:apimanagement/v20230501preview:TagProductLink" }, { type: "azure-native:apimanagement/v20230901preview:TagProductLink" }, { type: "azure-native:apimanagement/v20240501:TagProductLink" }, { type: "azure-native:apimanagement/v20240601preview:TagProductLink" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:TagProductLink" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:TagProductLink" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:TagProductLink" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:TagProductLink" }, { type: "azure-native_apimanagement_v20240501:apimanagement:TagProductLink" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:TagProductLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TagProductLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/user.ts b/sdk/nodejs/apimanagement/user.ts index 22d2b55d670b..2e3fbcd8383c 100644 --- a/sdk/nodejs/apimanagement/user.ts +++ b/sdk/nodejs/apimanagement/user.ts @@ -144,7 +144,7 @@ export class User extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20160707:User" }, { type: "azure-native:apimanagement/v20161010:User" }, { type: "azure-native:apimanagement/v20170301:User" }, { type: "azure-native:apimanagement/v20180101:User" }, { type: "azure-native:apimanagement/v20180601preview:User" }, { type: "azure-native:apimanagement/v20190101:User" }, { type: "azure-native:apimanagement/v20191201:User" }, { type: "azure-native:apimanagement/v20191201preview:User" }, { type: "azure-native:apimanagement/v20200601preview:User" }, { type: "azure-native:apimanagement/v20201201:User" }, { type: "azure-native:apimanagement/v20210101preview:User" }, { type: "azure-native:apimanagement/v20210401preview:User" }, { type: "azure-native:apimanagement/v20210801:User" }, { type: "azure-native:apimanagement/v20211201preview:User" }, { type: "azure-native:apimanagement/v20220401preview:User" }, { type: "azure-native:apimanagement/v20220801:User" }, { type: "azure-native:apimanagement/v20220901preview:User" }, { type: "azure-native:apimanagement/v20230301preview:User" }, { type: "azure-native:apimanagement/v20230501preview:User" }, { type: "azure-native:apimanagement/v20230901preview:User" }, { type: "azure-native:apimanagement/v20240501:User" }, { type: "azure-native:apimanagement/v20240601preview:User" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20170301:User" }, { type: "azure-native:apimanagement/v20180101:User" }, { type: "azure-native:apimanagement/v20220801:User" }, { type: "azure-native:apimanagement/v20220901preview:User" }, { type: "azure-native:apimanagement/v20230301preview:User" }, { type: "azure-native:apimanagement/v20230501preview:User" }, { type: "azure-native:apimanagement/v20230901preview:User" }, { type: "azure-native:apimanagement/v20240501:User" }, { type: "azure-native:apimanagement/v20240601preview:User" }, { type: "azure-native_apimanagement_v20160707:apimanagement:User" }, { type: "azure-native_apimanagement_v20161010:apimanagement:User" }, { type: "azure-native_apimanagement_v20170301:apimanagement:User" }, { type: "azure-native_apimanagement_v20180101:apimanagement:User" }, { type: "azure-native_apimanagement_v20180601preview:apimanagement:User" }, { type: "azure-native_apimanagement_v20190101:apimanagement:User" }, { type: "azure-native_apimanagement_v20191201:apimanagement:User" }, { type: "azure-native_apimanagement_v20191201preview:apimanagement:User" }, { type: "azure-native_apimanagement_v20200601preview:apimanagement:User" }, { type: "azure-native_apimanagement_v20201201:apimanagement:User" }, { type: "azure-native_apimanagement_v20210101preview:apimanagement:User" }, { type: "azure-native_apimanagement_v20210401preview:apimanagement:User" }, { type: "azure-native_apimanagement_v20210801:apimanagement:User" }, { type: "azure-native_apimanagement_v20211201preview:apimanagement:User" }, { type: "azure-native_apimanagement_v20220401preview:apimanagement:User" }, { type: "azure-native_apimanagement_v20220801:apimanagement:User" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:User" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:User" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:User" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:User" }, { type: "azure-native_apimanagement_v20240501:apimanagement:User" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:User" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(User.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspace.ts b/sdk/nodejs/apimanagement/workspace.ts index 76cb2c8de6db..c43a588a1c7c 100644 --- a/sdk/nodejs/apimanagement/workspace.ts +++ b/sdk/nodejs/apimanagement/workspace.ts @@ -95,7 +95,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:Workspace" }, { type: "azure-native:apimanagement/v20230301preview:Workspace" }, { type: "azure-native:apimanagement/v20230501preview:Workspace" }, { type: "azure-native:apimanagement/v20230901preview:Workspace" }, { type: "azure-native:apimanagement/v20240501:Workspace" }, { type: "azure-native:apimanagement/v20240601preview:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:Workspace" }, { type: "azure-native:apimanagement/v20230301preview:Workspace" }, { type: "azure-native:apimanagement/v20230501preview:Workspace" }, { type: "azure-native:apimanagement/v20230901preview:Workspace" }, { type: "azure-native:apimanagement/v20240501:Workspace" }, { type: "azure-native:apimanagement/v20240601preview:Workspace" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:Workspace" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:Workspace" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:Workspace" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:Workspace" }, { type: "azure-native_apimanagement_v20240501:apimanagement:Workspace" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceApi.ts b/sdk/nodejs/apimanagement/workspaceApi.ts index e7b025d3b52e..270896f9a3eb 100644 --- a/sdk/nodejs/apimanagement/workspaceApi.ts +++ b/sdk/nodejs/apimanagement/workspaceApi.ts @@ -221,7 +221,7 @@ export class WorkspaceApi extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApi" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApi" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApi" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApi" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApi" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApi" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApi" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApi" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApi" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApi" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApi" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApi" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApi" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApi" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApi" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApi" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApi" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApi" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceApi.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceApiDiagnostic.ts b/sdk/nodejs/apimanagement/workspaceApiDiagnostic.ts index 3122692601b8..0bb5bcd2c01b 100644 --- a/sdk/nodejs/apimanagement/workspaceApiDiagnostic.ts +++ b/sdk/nodejs/apimanagement/workspaceApiDiagnostic.ts @@ -160,7 +160,7 @@ export class WorkspaceApiDiagnostic extends pulumi.CustomResource { resourceInputs["verbosity"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:WorkspaceApiDiagnostic" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiDiagnostic" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiDiagnostic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:WorkspaceApiDiagnostic" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiDiagnostic" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiDiagnostic" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiDiagnostic" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiDiagnostic" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiDiagnostic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceApiDiagnostic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceApiOperation.ts b/sdk/nodejs/apimanagement/workspaceApiOperation.ts index 727314185758..3d5023cc8301 100644 --- a/sdk/nodejs/apimanagement/workspaceApiOperation.ts +++ b/sdk/nodejs/apimanagement/workspaceApiOperation.ts @@ -148,7 +148,7 @@ export class WorkspaceApiOperation extends pulumi.CustomResource { resourceInputs["urlTemplate"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiOperation" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiOperation" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiOperation" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiOperation" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiOperation" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiOperation" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiOperation" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiOperation" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiOperation" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiOperation" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiOperation" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiOperation" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiOperation" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiOperation" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiOperation" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiOperation" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceApiOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceApiOperationPolicy.ts b/sdk/nodejs/apimanagement/workspaceApiOperationPolicy.ts index 96c696a42549..b8d40abb0b7f 100644 --- a/sdk/nodejs/apimanagement/workspaceApiOperationPolicy.ts +++ b/sdk/nodejs/apimanagement/workspaceApiOperationPolicy.ts @@ -110,7 +110,7 @@ export class WorkspaceApiOperationPolicy extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiOperationPolicy" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiOperationPolicy" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiOperationPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiOperationPolicy" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiOperationPolicy" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiOperationPolicy" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiOperationPolicy" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiOperationPolicy" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiOperationPolicy" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiOperationPolicy" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiOperationPolicy" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiOperationPolicy" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiOperationPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceApiOperationPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceApiPolicy.ts b/sdk/nodejs/apimanagement/workspaceApiPolicy.ts index 3388abd56def..2d8e5c109bed 100644 --- a/sdk/nodejs/apimanagement/workspaceApiPolicy.ts +++ b/sdk/nodejs/apimanagement/workspaceApiPolicy.ts @@ -106,7 +106,7 @@ export class WorkspaceApiPolicy extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiPolicy" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiPolicy" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiPolicy" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiPolicy" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiPolicy" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiPolicy" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiPolicy" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiPolicy" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiPolicy" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiPolicy" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiPolicy" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiPolicy" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiPolicy" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiPolicy" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiPolicy" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiPolicy" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceApiPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceApiRelease.ts b/sdk/nodejs/apimanagement/workspaceApiRelease.ts index 00030ff38397..d94b9f3c869d 100644 --- a/sdk/nodejs/apimanagement/workspaceApiRelease.ts +++ b/sdk/nodejs/apimanagement/workspaceApiRelease.ts @@ -111,7 +111,7 @@ export class WorkspaceApiRelease extends pulumi.CustomResource { resourceInputs["updatedDateTime"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiRelease" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiRelease" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiRelease" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiRelease" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiRelease" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiRelease" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiRelease" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiRelease" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiRelease" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiRelease" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiRelease" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiRelease" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiRelease" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiRelease" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiRelease" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiRelease" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiRelease" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiRelease" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceApiRelease.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceApiSchema.ts b/sdk/nodejs/apimanagement/workspaceApiSchema.ts index 61b7af91d0d7..b640b6a7d3ea 100644 --- a/sdk/nodejs/apimanagement/workspaceApiSchema.ts +++ b/sdk/nodejs/apimanagement/workspaceApiSchema.ts @@ -115,7 +115,7 @@ export class WorkspaceApiSchema extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiSchema" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiSchema" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiSchema" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiSchema" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiSchema" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiSchema" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiSchema" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiSchema" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiSchema" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiSchema" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiSchema" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiSchema" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiSchema" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiSchema" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiSchema" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiSchema" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiSchema" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiSchema" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceApiSchema.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceApiVersionSet.ts b/sdk/nodejs/apimanagement/workspaceApiVersionSet.ts index f1924f18a32b..55a6178fa7f7 100644 --- a/sdk/nodejs/apimanagement/workspaceApiVersionSet.ts +++ b/sdk/nodejs/apimanagement/workspaceApiVersionSet.ts @@ -123,7 +123,7 @@ export class WorkspaceApiVersionSet extends pulumi.CustomResource { resourceInputs["versioningScheme"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiVersionSet" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiVersionSet" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiVersionSet" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiVersionSet" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiVersionSet" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiVersionSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceApiVersionSet" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceApiVersionSet" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceApiVersionSet" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceApiVersionSet" }, { type: "azure-native:apimanagement/v20240501:WorkspaceApiVersionSet" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceApiVersionSet" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiVersionSet" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiVersionSet" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiVersionSet" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiVersionSet" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiVersionSet" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiVersionSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceApiVersionSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceBackend.ts b/sdk/nodejs/apimanagement/workspaceBackend.ts index 8a469fa2ad8d..8ae8b716b628 100644 --- a/sdk/nodejs/apimanagement/workspaceBackend.ts +++ b/sdk/nodejs/apimanagement/workspaceBackend.ts @@ -156,7 +156,7 @@ export class WorkspaceBackend extends pulumi.CustomResource { resourceInputs["url"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:WorkspaceBackend" }, { type: "azure-native:apimanagement/v20240501:WorkspaceBackend" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceBackend" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:WorkspaceBackend" }, { type: "azure-native:apimanagement/v20240501:WorkspaceBackend" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceBackend" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceBackend" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceBackend" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceBackend" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceBackend.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceCertificate.ts b/sdk/nodejs/apimanagement/workspaceCertificate.ts index 0e005c78f305..f9155d87761c 100644 --- a/sdk/nodejs/apimanagement/workspaceCertificate.ts +++ b/sdk/nodejs/apimanagement/workspaceCertificate.ts @@ -113,7 +113,7 @@ export class WorkspaceCertificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:WorkspaceCertificate" }, { type: "azure-native:apimanagement/v20240501:WorkspaceCertificate" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:WorkspaceCertificate" }, { type: "azure-native:apimanagement/v20240501:WorkspaceCertificate" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceCertificate" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceCertificate" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceCertificate" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceDiagnostic.ts b/sdk/nodejs/apimanagement/workspaceDiagnostic.ts index 3e35eb0a604a..bbba3237c13b 100644 --- a/sdk/nodejs/apimanagement/workspaceDiagnostic.ts +++ b/sdk/nodejs/apimanagement/workspaceDiagnostic.ts @@ -156,7 +156,7 @@ export class WorkspaceDiagnostic extends pulumi.CustomResource { resourceInputs["verbosity"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:WorkspaceDiagnostic" }, { type: "azure-native:apimanagement/v20240501:WorkspaceDiagnostic" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceDiagnostic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:WorkspaceDiagnostic" }, { type: "azure-native:apimanagement/v20240501:WorkspaceDiagnostic" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceDiagnostic" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceDiagnostic" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceDiagnostic" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceDiagnostic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceDiagnostic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceGlobalSchema.ts b/sdk/nodejs/apimanagement/workspaceGlobalSchema.ts index 2c78326f62c6..d3ff1f393c34 100644 --- a/sdk/nodejs/apimanagement/workspaceGlobalSchema.ts +++ b/sdk/nodejs/apimanagement/workspaceGlobalSchema.ts @@ -108,7 +108,7 @@ export class WorkspaceGlobalSchema extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceGlobalSchema" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceGlobalSchema" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceGlobalSchema" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceGlobalSchema" }, { type: "azure-native:apimanagement/v20240501:WorkspaceGlobalSchema" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceGlobalSchema" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceGlobalSchema" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceGlobalSchema" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceGlobalSchema" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceGlobalSchema" }, { type: "azure-native:apimanagement/v20240501:WorkspaceGlobalSchema" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceGlobalSchema" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGlobalSchema" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGlobalSchema" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGlobalSchema" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGlobalSchema" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceGlobalSchema" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGlobalSchema" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceGlobalSchema.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceGroup.ts b/sdk/nodejs/apimanagement/workspaceGroup.ts index e058d5fd2ac7..e68b766f7c54 100644 --- a/sdk/nodejs/apimanagement/workspaceGroup.ts +++ b/sdk/nodejs/apimanagement/workspaceGroup.ts @@ -114,7 +114,7 @@ export class WorkspaceGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceGroup" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceGroup" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceGroup" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceGroup" }, { type: "azure-native:apimanagement/v20240501:WorkspaceGroup" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceGroup" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceGroup" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceGroup" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceGroup" }, { type: "azure-native:apimanagement/v20240501:WorkspaceGroup" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceGroup" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGroup" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGroup" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGroup" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGroup" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceGroup" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceGroupUser.ts b/sdk/nodejs/apimanagement/workspaceGroupUser.ts index afc400a0ecec..15edaa35baa4 100644 --- a/sdk/nodejs/apimanagement/workspaceGroupUser.ts +++ b/sdk/nodejs/apimanagement/workspaceGroupUser.ts @@ -139,7 +139,7 @@ export class WorkspaceGroupUser extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceGroupUser" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceGroupUser" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceGroupUser" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceGroupUser" }, { type: "azure-native:apimanagement/v20240501:WorkspaceGroupUser" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceGroupUser" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceGroupUser" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceGroupUser" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceGroupUser" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceGroupUser" }, { type: "azure-native:apimanagement/v20240501:WorkspaceGroupUser" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceGroupUser" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGroupUser" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGroupUser" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGroupUser" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGroupUser" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceGroupUser" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGroupUser" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceGroupUser.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceLogger.ts b/sdk/nodejs/apimanagement/workspaceLogger.ts index 02fe908c48c4..27104a948a23 100644 --- a/sdk/nodejs/apimanagement/workspaceLogger.ts +++ b/sdk/nodejs/apimanagement/workspaceLogger.ts @@ -121,7 +121,7 @@ export class WorkspaceLogger extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:WorkspaceLogger" }, { type: "azure-native:apimanagement/v20240501:WorkspaceLogger" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceLogger" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20230901preview:WorkspaceLogger" }, { type: "azure-native:apimanagement/v20240501:WorkspaceLogger" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceLogger" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceLogger" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceLogger" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceLogger" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceLogger.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceNamedValue.ts b/sdk/nodejs/apimanagement/workspaceNamedValue.ts index 01e83e236949..fddc52d61a5e 100644 --- a/sdk/nodejs/apimanagement/workspaceNamedValue.ts +++ b/sdk/nodejs/apimanagement/workspaceNamedValue.ts @@ -120,7 +120,7 @@ export class WorkspaceNamedValue extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceNamedValue" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceNamedValue" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceNamedValue" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceNamedValue" }, { type: "azure-native:apimanagement/v20240501:WorkspaceNamedValue" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceNamedValue" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceNamedValue" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceNamedValue" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceNamedValue" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceNamedValue" }, { type: "azure-native:apimanagement/v20240501:WorkspaceNamedValue" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceNamedValue" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNamedValue" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNamedValue" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNamedValue" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNamedValue" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceNamedValue" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNamedValue" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceNamedValue.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceNotificationRecipientEmail.ts b/sdk/nodejs/apimanagement/workspaceNotificationRecipientEmail.ts index 7af8afedec92..84863c0a337a 100644 --- a/sdk/nodejs/apimanagement/workspaceNotificationRecipientEmail.ts +++ b/sdk/nodejs/apimanagement/workspaceNotificationRecipientEmail.ts @@ -93,7 +93,7 @@ export class WorkspaceNotificationRecipientEmail extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceNotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceNotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceNotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientEmail" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceNotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceNotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceNotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientEmail" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceNotificationRecipientEmail" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNotificationRecipientEmail" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceNotificationRecipientEmail.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceNotificationRecipientUser.ts b/sdk/nodejs/apimanagement/workspaceNotificationRecipientUser.ts index a9ff6a79d524..7e36fa8d580a 100644 --- a/sdk/nodejs/apimanagement/workspaceNotificationRecipientUser.ts +++ b/sdk/nodejs/apimanagement/workspaceNotificationRecipientUser.ts @@ -93,7 +93,7 @@ export class WorkspaceNotificationRecipientUser extends pulumi.CustomResource { resourceInputs["userId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceNotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceNotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceNotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientUser" }, { type: "azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientUser" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientUser" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceNotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceNotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceNotificationRecipientUser" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientUser" }, { type: "azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientUser" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientUser" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNotificationRecipientUser" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNotificationRecipientUser" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNotificationRecipientUser" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNotificationRecipientUser" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceNotificationRecipientUser" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNotificationRecipientUser" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceNotificationRecipientUser.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspacePolicy.ts b/sdk/nodejs/apimanagement/workspacePolicy.ts index e6983d0becef..35388e2dbe0d 100644 --- a/sdk/nodejs/apimanagement/workspacePolicy.ts +++ b/sdk/nodejs/apimanagement/workspacePolicy.ts @@ -102,7 +102,7 @@ export class WorkspacePolicy extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspacePolicy" }, { type: "azure-native:apimanagement/v20230301preview:WorkspacePolicy" }, { type: "azure-native:apimanagement/v20230501preview:WorkspacePolicy" }, { type: "azure-native:apimanagement/v20230901preview:WorkspacePolicy" }, { type: "azure-native:apimanagement/v20240501:WorkspacePolicy" }, { type: "azure-native:apimanagement/v20240601preview:WorkspacePolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspacePolicy" }, { type: "azure-native:apimanagement/v20230301preview:WorkspacePolicy" }, { type: "azure-native:apimanagement/v20230501preview:WorkspacePolicy" }, { type: "azure-native:apimanagement/v20230901preview:WorkspacePolicy" }, { type: "azure-native:apimanagement/v20240501:WorkspacePolicy" }, { type: "azure-native:apimanagement/v20240601preview:WorkspacePolicy" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspacePolicy" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspacePolicy" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspacePolicy" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspacePolicy" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspacePolicy" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspacePolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspacePolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspacePolicyFragment.ts b/sdk/nodejs/apimanagement/workspacePolicyFragment.ts index ab342e4b3083..e257deb03d9c 100644 --- a/sdk/nodejs/apimanagement/workspacePolicyFragment.ts +++ b/sdk/nodejs/apimanagement/workspacePolicyFragment.ts @@ -108,7 +108,7 @@ export class WorkspacePolicyFragment extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspacePolicyFragment" }, { type: "azure-native:apimanagement/v20230301preview:WorkspacePolicyFragment" }, { type: "azure-native:apimanagement/v20230501preview:WorkspacePolicyFragment" }, { type: "azure-native:apimanagement/v20230901preview:WorkspacePolicyFragment" }, { type: "azure-native:apimanagement/v20240501:WorkspacePolicyFragment" }, { type: "azure-native:apimanagement/v20240601preview:WorkspacePolicyFragment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspacePolicyFragment" }, { type: "azure-native:apimanagement/v20230301preview:WorkspacePolicyFragment" }, { type: "azure-native:apimanagement/v20230501preview:WorkspacePolicyFragment" }, { type: "azure-native:apimanagement/v20230901preview:WorkspacePolicyFragment" }, { type: "azure-native:apimanagement/v20240501:WorkspacePolicyFragment" }, { type: "azure-native:apimanagement/v20240601preview:WorkspacePolicyFragment" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspacePolicyFragment" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspacePolicyFragment" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspacePolicyFragment" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspacePolicyFragment" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspacePolicyFragment" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspacePolicyFragment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspacePolicyFragment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceProduct.ts b/sdk/nodejs/apimanagement/workspaceProduct.ts index 49d012f4dd3d..505549d3d655 100644 --- a/sdk/nodejs/apimanagement/workspaceProduct.ts +++ b/sdk/nodejs/apimanagement/workspaceProduct.ts @@ -132,7 +132,7 @@ export class WorkspaceProduct extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceProduct" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceProduct" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceProduct" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceProduct" }, { type: "azure-native:apimanagement/v20240501:WorkspaceProduct" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceProduct" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceProduct" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceProduct" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceProduct" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceProduct" }, { type: "azure-native:apimanagement/v20240501:WorkspaceProduct" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceProduct" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProduct" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProduct" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProduct" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProduct" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProduct" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProduct" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceProduct.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceProductApiLink.ts b/sdk/nodejs/apimanagement/workspaceProductApiLink.ts index 8e67c7b7d1b2..2a20989f1303 100644 --- a/sdk/nodejs/apimanagement/workspaceProductApiLink.ts +++ b/sdk/nodejs/apimanagement/workspaceProductApiLink.ts @@ -97,7 +97,7 @@ export class WorkspaceProductApiLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceProductApiLink" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceProductApiLink" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceProductApiLink" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceProductApiLink" }, { type: "azure-native:apimanagement/v20240501:WorkspaceProductApiLink" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceProductApiLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceProductApiLink" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceProductApiLink" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceProductApiLink" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceProductApiLink" }, { type: "azure-native:apimanagement/v20240501:WorkspaceProductApiLink" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceProductApiLink" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductApiLink" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductApiLink" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductApiLink" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductApiLink" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductApiLink" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductApiLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceProductApiLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceProductGroupLink.ts b/sdk/nodejs/apimanagement/workspaceProductGroupLink.ts index 4bc102b3ada3..f094ce7a9519 100644 --- a/sdk/nodejs/apimanagement/workspaceProductGroupLink.ts +++ b/sdk/nodejs/apimanagement/workspaceProductGroupLink.ts @@ -97,7 +97,7 @@ export class WorkspaceProductGroupLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceProductGroupLink" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceProductGroupLink" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceProductGroupLink" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceProductGroupLink" }, { type: "azure-native:apimanagement/v20240501:WorkspaceProductGroupLink" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceProductGroupLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceProductGroupLink" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceProductGroupLink" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceProductGroupLink" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceProductGroupLink" }, { type: "azure-native:apimanagement/v20240501:WorkspaceProductGroupLink" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceProductGroupLink" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductGroupLink" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductGroupLink" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductGroupLink" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductGroupLink" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductGroupLink" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductGroupLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceProductGroupLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceProductPolicy.ts b/sdk/nodejs/apimanagement/workspaceProductPolicy.ts index 9eb9b2464d89..6418e3eab26c 100644 --- a/sdk/nodejs/apimanagement/workspaceProductPolicy.ts +++ b/sdk/nodejs/apimanagement/workspaceProductPolicy.ts @@ -106,7 +106,7 @@ export class WorkspaceProductPolicy extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceProductPolicy" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceProductPolicy" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceProductPolicy" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceProductPolicy" }, { type: "azure-native:apimanagement/v20240501:WorkspaceProductPolicy" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceProductPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceProductPolicy" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceProductPolicy" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceProductPolicy" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceProductPolicy" }, { type: "azure-native:apimanagement/v20240501:WorkspaceProductPolicy" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceProductPolicy" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductPolicy" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductPolicy" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductPolicy" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductPolicy" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductPolicy" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceProductPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceSubscription.ts b/sdk/nodejs/apimanagement/workspaceSubscription.ts index 3e3be3fa5b77..12b563d3768b 100644 --- a/sdk/nodejs/apimanagement/workspaceSubscription.ts +++ b/sdk/nodejs/apimanagement/workspaceSubscription.ts @@ -173,7 +173,7 @@ export class WorkspaceSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceSubscription" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceSubscription" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceSubscription" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceSubscription" }, { type: "azure-native:apimanagement/v20240501:WorkspaceSubscription" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceSubscription" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceSubscription" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceSubscription" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceSubscription" }, { type: "azure-native:apimanagement/v20240501:WorkspaceSubscription" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceSubscription" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceSubscription" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceSubscription" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceSubscription" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceSubscription" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceSubscription" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceTag.ts b/sdk/nodejs/apimanagement/workspaceTag.ts index 2f7992a10c76..f7669512185e 100644 --- a/sdk/nodejs/apimanagement/workspaceTag.ts +++ b/sdk/nodejs/apimanagement/workspaceTag.ts @@ -93,7 +93,7 @@ export class WorkspaceTag extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceTag" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceTag" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceTag" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceTag" }, { type: "azure-native:apimanagement/v20240501:WorkspaceTag" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceTag" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceTag" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceTag" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceTag" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceTag" }, { type: "azure-native:apimanagement/v20240501:WorkspaceTag" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceTag" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTag" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTag" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTag" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTag" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTag" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTag" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceTag.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceTagApiLink.ts b/sdk/nodejs/apimanagement/workspaceTagApiLink.ts index 99e60075380b..c6d24963d944 100644 --- a/sdk/nodejs/apimanagement/workspaceTagApiLink.ts +++ b/sdk/nodejs/apimanagement/workspaceTagApiLink.ts @@ -97,7 +97,7 @@ export class WorkspaceTagApiLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceTagApiLink" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceTagApiLink" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceTagApiLink" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceTagApiLink" }, { type: "azure-native:apimanagement/v20240501:WorkspaceTagApiLink" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceTagApiLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceTagApiLink" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceTagApiLink" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceTagApiLink" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceTagApiLink" }, { type: "azure-native:apimanagement/v20240501:WorkspaceTagApiLink" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceTagApiLink" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagApiLink" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagApiLink" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagApiLink" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagApiLink" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagApiLink" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagApiLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceTagApiLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceTagOperationLink.ts b/sdk/nodejs/apimanagement/workspaceTagOperationLink.ts index 65ffd1dc76eb..5ae17095336a 100644 --- a/sdk/nodejs/apimanagement/workspaceTagOperationLink.ts +++ b/sdk/nodejs/apimanagement/workspaceTagOperationLink.ts @@ -97,7 +97,7 @@ export class WorkspaceTagOperationLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceTagOperationLink" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceTagOperationLink" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceTagOperationLink" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceTagOperationLink" }, { type: "azure-native:apimanagement/v20240501:WorkspaceTagOperationLink" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceTagOperationLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceTagOperationLink" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceTagOperationLink" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceTagOperationLink" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceTagOperationLink" }, { type: "azure-native:apimanagement/v20240501:WorkspaceTagOperationLink" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceTagOperationLink" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagOperationLink" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagOperationLink" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagOperationLink" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagOperationLink" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagOperationLink" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagOperationLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceTagOperationLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/apimanagement/workspaceTagProductLink.ts b/sdk/nodejs/apimanagement/workspaceTagProductLink.ts index e8cfa2501a89..15e57f132000 100644 --- a/sdk/nodejs/apimanagement/workspaceTagProductLink.ts +++ b/sdk/nodejs/apimanagement/workspaceTagProductLink.ts @@ -97,7 +97,7 @@ export class WorkspaceTagProductLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceTagProductLink" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceTagProductLink" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceTagProductLink" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceTagProductLink" }, { type: "azure-native:apimanagement/v20240501:WorkspaceTagProductLink" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceTagProductLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:apimanagement/v20220901preview:WorkspaceTagProductLink" }, { type: "azure-native:apimanagement/v20230301preview:WorkspaceTagProductLink" }, { type: "azure-native:apimanagement/v20230501preview:WorkspaceTagProductLink" }, { type: "azure-native:apimanagement/v20230901preview:WorkspaceTagProductLink" }, { type: "azure-native:apimanagement/v20240501:WorkspaceTagProductLink" }, { type: "azure-native:apimanagement/v20240601preview:WorkspaceTagProductLink" }, { type: "azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagProductLink" }, { type: "azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagProductLink" }, { type: "azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagProductLink" }, { type: "azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagProductLink" }, { type: "azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagProductLink" }, { type: "azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagProductLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceTagProductLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/appResiliency.ts b/sdk/nodejs/app/appResiliency.ts index bebd1e608a25..96c80d95168f 100644 --- a/sdk/nodejs/app/appResiliency.ts +++ b/sdk/nodejs/app/appResiliency.ts @@ -124,7 +124,7 @@ export class AppResiliency extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20230801preview:AppResiliency" }, { type: "azure-native:app/v20231102preview:AppResiliency" }, { type: "azure-native:app/v20240202preview:AppResiliency" }, { type: "azure-native:app/v20240802preview:AppResiliency" }, { type: "azure-native:app/v20241002preview:AppResiliency" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20230801preview:AppResiliency" }, { type: "azure-native:app/v20231102preview:AppResiliency" }, { type: "azure-native:app/v20240202preview:AppResiliency" }, { type: "azure-native:app/v20240802preview:AppResiliency" }, { type: "azure-native:app/v20241002preview:AppResiliency" }, { type: "azure-native_app_v20230801preview:app:AppResiliency" }, { type: "azure-native_app_v20231102preview:app:AppResiliency" }, { type: "azure-native_app_v20240202preview:app:AppResiliency" }, { type: "azure-native_app_v20240802preview:app:AppResiliency" }, { type: "azure-native_app_v20241002preview:app:AppResiliency" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AppResiliency.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/build.ts b/sdk/nodejs/app/build.ts index c2d5256643c5..b317b2478cae 100644 --- a/sdk/nodejs/app/build.ts +++ b/sdk/nodejs/app/build.ts @@ -131,7 +131,7 @@ export class Build extends pulumi.CustomResource { resourceInputs["uploadEndpoint"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20230801preview:Build" }, { type: "azure-native:app/v20231102preview:Build" }, { type: "azure-native:app/v20240202preview:Build" }, { type: "azure-native:app/v20240802preview:Build" }, { type: "azure-native:app/v20241002preview:Build" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20230801preview:Build" }, { type: "azure-native:app/v20231102preview:Build" }, { type: "azure-native:app/v20240202preview:Build" }, { type: "azure-native:app/v20240802preview:Build" }, { type: "azure-native:app/v20241002preview:Build" }, { type: "azure-native_app_v20230801preview:app:Build" }, { type: "azure-native_app_v20231102preview:app:Build" }, { type: "azure-native_app_v20240202preview:app:Build" }, { type: "azure-native_app_v20240802preview:app:Build" }, { type: "azure-native_app_v20241002preview:app:Build" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Build.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/builder.ts b/sdk/nodejs/app/builder.ts index 91c8c221d70b..870ab9451b72 100644 --- a/sdk/nodejs/app/builder.ts +++ b/sdk/nodejs/app/builder.ts @@ -124,7 +124,7 @@ export class Builder extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20230801preview:Builder" }, { type: "azure-native:app/v20231102preview:Builder" }, { type: "azure-native:app/v20240202preview:Builder" }, { type: "azure-native:app/v20240802preview:Builder" }, { type: "azure-native:app/v20241002preview:Builder" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20230801preview:Builder" }, { type: "azure-native:app/v20231102preview:Builder" }, { type: "azure-native:app/v20240202preview:Builder" }, { type: "azure-native:app/v20240802preview:Builder" }, { type: "azure-native:app/v20241002preview:Builder" }, { type: "azure-native_app_v20230801preview:app:Builder" }, { type: "azure-native_app_v20231102preview:app:Builder" }, { type: "azure-native_app_v20240202preview:app:Builder" }, { type: "azure-native_app_v20240802preview:app:Builder" }, { type: "azure-native_app_v20241002preview:app:Builder" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Builder.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/certificate.ts b/sdk/nodejs/app/certificate.ts index 71955e8533f6..9889d27a127f 100644 --- a/sdk/nodejs/app/certificate.ts +++ b/sdk/nodejs/app/certificate.ts @@ -107,7 +107,7 @@ export class Certificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:Certificate" }, { type: "azure-native:app/v20220301:Certificate" }, { type: "azure-native:app/v20220601preview:Certificate" }, { type: "azure-native:app/v20221001:Certificate" }, { type: "azure-native:app/v20221101preview:Certificate" }, { type: "azure-native:app/v20230401preview:Certificate" }, { type: "azure-native:app/v20230501:Certificate" }, { type: "azure-native:app/v20230502preview:Certificate" }, { type: "azure-native:app/v20230801preview:Certificate" }, { type: "azure-native:app/v20231102preview:Certificate" }, { type: "azure-native:app/v20240202preview:Certificate" }, { type: "azure-native:app/v20240301:Certificate" }, { type: "azure-native:app/v20240802preview:Certificate" }, { type: "azure-native:app/v20241002preview:Certificate" }, { type: "azure-native:app/v20250101:Certificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:Certificate" }, { type: "azure-native:app/v20221001:Certificate" }, { type: "azure-native:app/v20230401preview:Certificate" }, { type: "azure-native:app/v20230501:Certificate" }, { type: "azure-native:app/v20230502preview:Certificate" }, { type: "azure-native:app/v20230801preview:Certificate" }, { type: "azure-native:app/v20231102preview:Certificate" }, { type: "azure-native:app/v20240202preview:Certificate" }, { type: "azure-native:app/v20240301:Certificate" }, { type: "azure-native:app/v20240802preview:Certificate" }, { type: "azure-native:app/v20241002preview:Certificate" }, { type: "azure-native_app_v20220101preview:app:Certificate" }, { type: "azure-native_app_v20220301:app:Certificate" }, { type: "azure-native_app_v20220601preview:app:Certificate" }, { type: "azure-native_app_v20221001:app:Certificate" }, { type: "azure-native_app_v20221101preview:app:Certificate" }, { type: "azure-native_app_v20230401preview:app:Certificate" }, { type: "azure-native_app_v20230501:app:Certificate" }, { type: "azure-native_app_v20230502preview:app:Certificate" }, { type: "azure-native_app_v20230801preview:app:Certificate" }, { type: "azure-native_app_v20231102preview:app:Certificate" }, { type: "azure-native_app_v20240202preview:app:Certificate" }, { type: "azure-native_app_v20240301:app:Certificate" }, { type: "azure-native_app_v20240802preview:app:Certificate" }, { type: "azure-native_app_v20241002preview:app:Certificate" }, { type: "azure-native_app_v20250101:app:Certificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Certificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/connectedEnvironment.ts b/sdk/nodejs/app/connectedEnvironment.ts index 3d72bf38c858..5d8ecbe7659c 100644 --- a/sdk/nodejs/app/connectedEnvironment.ts +++ b/sdk/nodejs/app/connectedEnvironment.ts @@ -139,7 +139,7 @@ export class ConnectedEnvironment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20220601preview:ConnectedEnvironment" }, { type: "azure-native:app/v20221001:ConnectedEnvironment" }, { type: "azure-native:app/v20221101preview:ConnectedEnvironment" }, { type: "azure-native:app/v20230401preview:ConnectedEnvironment" }, { type: "azure-native:app/v20230501:ConnectedEnvironment" }, { type: "azure-native:app/v20230502preview:ConnectedEnvironment" }, { type: "azure-native:app/v20230801preview:ConnectedEnvironment" }, { type: "azure-native:app/v20231102preview:ConnectedEnvironment" }, { type: "azure-native:app/v20240202preview:ConnectedEnvironment" }, { type: "azure-native:app/v20240301:ConnectedEnvironment" }, { type: "azure-native:app/v20240802preview:ConnectedEnvironment" }, { type: "azure-native:app/v20241002preview:ConnectedEnvironment" }, { type: "azure-native:app/v20250101:ConnectedEnvironment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20221001:ConnectedEnvironment" }, { type: "azure-native:app/v20230401preview:ConnectedEnvironment" }, { type: "azure-native:app/v20230501:ConnectedEnvironment" }, { type: "azure-native:app/v20230502preview:ConnectedEnvironment" }, { type: "azure-native:app/v20230801preview:ConnectedEnvironment" }, { type: "azure-native:app/v20231102preview:ConnectedEnvironment" }, { type: "azure-native:app/v20240202preview:ConnectedEnvironment" }, { type: "azure-native:app/v20240301:ConnectedEnvironment" }, { type: "azure-native:app/v20240802preview:ConnectedEnvironment" }, { type: "azure-native:app/v20241002preview:ConnectedEnvironment" }, { type: "azure-native_app_v20220601preview:app:ConnectedEnvironment" }, { type: "azure-native_app_v20221001:app:ConnectedEnvironment" }, { type: "azure-native_app_v20221101preview:app:ConnectedEnvironment" }, { type: "azure-native_app_v20230401preview:app:ConnectedEnvironment" }, { type: "azure-native_app_v20230501:app:ConnectedEnvironment" }, { type: "azure-native_app_v20230502preview:app:ConnectedEnvironment" }, { type: "azure-native_app_v20230801preview:app:ConnectedEnvironment" }, { type: "azure-native_app_v20231102preview:app:ConnectedEnvironment" }, { type: "azure-native_app_v20240202preview:app:ConnectedEnvironment" }, { type: "azure-native_app_v20240301:app:ConnectedEnvironment" }, { type: "azure-native_app_v20240802preview:app:ConnectedEnvironment" }, { type: "azure-native_app_v20241002preview:app:ConnectedEnvironment" }, { type: "azure-native_app_v20250101:app:ConnectedEnvironment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectedEnvironment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/connectedEnvironmentsCertificate.ts b/sdk/nodejs/app/connectedEnvironmentsCertificate.ts index 6652b72c8ef0..e3313e1ac17e 100644 --- a/sdk/nodejs/app/connectedEnvironmentsCertificate.ts +++ b/sdk/nodejs/app/connectedEnvironmentsCertificate.ts @@ -107,7 +107,7 @@ export class ConnectedEnvironmentsCertificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20220601preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20221001:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20221101preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20230401preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20230501:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20230502preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20230801preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20231102preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20240202preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20240301:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20240802preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20241002preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20250101:ConnectedEnvironmentsCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20221001:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20230401preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20230501:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20230502preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20230801preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20231102preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20240202preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20240301:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20240802preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native:app/v20241002preview:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20220601preview:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20221001:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20221101preview:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20230401preview:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20230501:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20230502preview:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20230801preview:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20231102preview:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20240202preview:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20240301:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20240802preview:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20241002preview:app:ConnectedEnvironmentsCertificate" }, { type: "azure-native_app_v20250101:app:ConnectedEnvironmentsCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectedEnvironmentsCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/connectedEnvironmentsDaprComponent.ts b/sdk/nodejs/app/connectedEnvironmentsDaprComponent.ts index fb41a574b8a4..1fc04a74a541 100644 --- a/sdk/nodejs/app/connectedEnvironmentsDaprComponent.ts +++ b/sdk/nodejs/app/connectedEnvironmentsDaprComponent.ts @@ -137,7 +137,7 @@ export class ConnectedEnvironmentsDaprComponent extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20220601preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20221001:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20221101preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20230401preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20230501:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20230502preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20230801preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20231102preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20240202preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20240301:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20240802preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20241002preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20250101:ConnectedEnvironmentsDaprComponent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20221001:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20230401preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20230501:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20230502preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20230801preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20231102preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20240202preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20240301:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20240802preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native:app/v20241002preview:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20220601preview:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20221001:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20221101preview:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20230401preview:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20230501:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20230502preview:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20230801preview:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20231102preview:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20240202preview:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20240301:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20240802preview:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20241002preview:app:ConnectedEnvironmentsDaprComponent" }, { type: "azure-native_app_v20250101:app:ConnectedEnvironmentsDaprComponent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectedEnvironmentsDaprComponent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/connectedEnvironmentsStorage.ts b/sdk/nodejs/app/connectedEnvironmentsStorage.ts index 7e547536fcb8..ca498390c94f 100644 --- a/sdk/nodejs/app/connectedEnvironmentsStorage.ts +++ b/sdk/nodejs/app/connectedEnvironmentsStorage.ts @@ -95,7 +95,7 @@ export class ConnectedEnvironmentsStorage extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20220601preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20221001:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20221101preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20230401preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20230501:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20230502preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20230801preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20231102preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20240202preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20240301:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20240802preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20241002preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20250101:ConnectedEnvironmentsStorage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20221001:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20230401preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20230501:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20230502preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20230801preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20231102preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20240202preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20240301:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20240802preview:ConnectedEnvironmentsStorage" }, { type: "azure-native:app/v20241002preview:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20220601preview:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20221001:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20221101preview:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20230401preview:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20230501:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20230502preview:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20230801preview:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20231102preview:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20240202preview:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20240301:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20240802preview:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20241002preview:app:ConnectedEnvironmentsStorage" }, { type: "azure-native_app_v20250101:app:ConnectedEnvironmentsStorage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectedEnvironmentsStorage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/containerApp.ts b/sdk/nodejs/app/containerApp.ts index 4754fb402768..4cb48bbb8b5f 100644 --- a/sdk/nodejs/app/containerApp.ts +++ b/sdk/nodejs/app/containerApp.ts @@ -187,7 +187,7 @@ export class ContainerApp extends pulumi.CustomResource { resourceInputs["workloadProfileName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:ContainerApp" }, { type: "azure-native:app/v20220301:ContainerApp" }, { type: "azure-native:app/v20220601preview:ContainerApp" }, { type: "azure-native:app/v20221001:ContainerApp" }, { type: "azure-native:app/v20221101preview:ContainerApp" }, { type: "azure-native:app/v20230401preview:ContainerApp" }, { type: "azure-native:app/v20230501:ContainerApp" }, { type: "azure-native:app/v20230502preview:ContainerApp" }, { type: "azure-native:app/v20230801preview:ContainerApp" }, { type: "azure-native:app/v20231102preview:ContainerApp" }, { type: "azure-native:app/v20240202preview:ContainerApp" }, { type: "azure-native:app/v20240301:ContainerApp" }, { type: "azure-native:app/v20240802preview:ContainerApp" }, { type: "azure-native:app/v20241002preview:ContainerApp" }, { type: "azure-native:app/v20250101:ContainerApp" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:ContainerApp" }, { type: "azure-native:app/v20221001:ContainerApp" }, { type: "azure-native:app/v20230401preview:ContainerApp" }, { type: "azure-native:app/v20230501:ContainerApp" }, { type: "azure-native:app/v20230502preview:ContainerApp" }, { type: "azure-native:app/v20230801preview:ContainerApp" }, { type: "azure-native:app/v20231102preview:ContainerApp" }, { type: "azure-native:app/v20240202preview:ContainerApp" }, { type: "azure-native:app/v20240301:ContainerApp" }, { type: "azure-native:app/v20240802preview:ContainerApp" }, { type: "azure-native:app/v20241002preview:ContainerApp" }, { type: "azure-native_app_v20220101preview:app:ContainerApp" }, { type: "azure-native_app_v20220301:app:ContainerApp" }, { type: "azure-native_app_v20220601preview:app:ContainerApp" }, { type: "azure-native_app_v20221001:app:ContainerApp" }, { type: "azure-native_app_v20221101preview:app:ContainerApp" }, { type: "azure-native_app_v20230401preview:app:ContainerApp" }, { type: "azure-native_app_v20230501:app:ContainerApp" }, { type: "azure-native_app_v20230502preview:app:ContainerApp" }, { type: "azure-native_app_v20230801preview:app:ContainerApp" }, { type: "azure-native_app_v20231102preview:app:ContainerApp" }, { type: "azure-native_app_v20240202preview:app:ContainerApp" }, { type: "azure-native_app_v20240301:app:ContainerApp" }, { type: "azure-native_app_v20240802preview:app:ContainerApp" }, { type: "azure-native_app_v20241002preview:app:ContainerApp" }, { type: "azure-native_app_v20250101:app:ContainerApp" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContainerApp.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/containerAppsAuthConfig.ts b/sdk/nodejs/app/containerAppsAuthConfig.ts index f4e1cebd20d9..228e27502363 100644 --- a/sdk/nodejs/app/containerAppsAuthConfig.ts +++ b/sdk/nodejs/app/containerAppsAuthConfig.ts @@ -125,7 +125,7 @@ export class ContainerAppsAuthConfig extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20220301:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20220601preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20221001:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20221101preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20230401preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20230501:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20230502preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20230801preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20231102preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20240202preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20240301:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20240802preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20241002preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20250101:ContainerAppsAuthConfig" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20221001:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20230401preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20230501:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20230502preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20230801preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20231102preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20240202preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20240301:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20240802preview:ContainerAppsAuthConfig" }, { type: "azure-native:app/v20241002preview:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20220101preview:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20220301:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20220601preview:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20221001:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20221101preview:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20230401preview:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20230501:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20230502preview:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20230801preview:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20231102preview:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20240202preview:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20240301:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20240802preview:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20241002preview:app:ContainerAppsAuthConfig" }, { type: "azure-native_app_v20250101:app:ContainerAppsAuthConfig" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContainerAppsAuthConfig.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/containerAppsSessionPool.ts b/sdk/nodejs/app/containerAppsSessionPool.ts index 5ac5286b3e65..c6ff75b9a7ff 100644 --- a/sdk/nodejs/app/containerAppsSessionPool.ts +++ b/sdk/nodejs/app/containerAppsSessionPool.ts @@ -175,7 +175,7 @@ export class ContainerAppsSessionPool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20240202preview:ContainerAppsSessionPool" }, { type: "azure-native:app/v20240802preview:ContainerAppsSessionPool" }, { type: "azure-native:app/v20241002preview:ContainerAppsSessionPool" }, { type: "azure-native:app/v20250101:ContainerAppsSessionPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20240202preview:ContainerAppsSessionPool" }, { type: "azure-native:app/v20240802preview:ContainerAppsSessionPool" }, { type: "azure-native:app/v20241002preview:ContainerAppsSessionPool" }, { type: "azure-native_app_v20240202preview:app:ContainerAppsSessionPool" }, { type: "azure-native_app_v20240802preview:app:ContainerAppsSessionPool" }, { type: "azure-native_app_v20241002preview:app:ContainerAppsSessionPool" }, { type: "azure-native_app_v20250101:app:ContainerAppsSessionPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContainerAppsSessionPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/containerAppsSourceControl.ts b/sdk/nodejs/app/containerAppsSourceControl.ts index 7d54ce58662a..b9f9d83e16fe 100644 --- a/sdk/nodejs/app/containerAppsSourceControl.ts +++ b/sdk/nodejs/app/containerAppsSourceControl.ts @@ -115,7 +115,7 @@ export class ContainerAppsSourceControl extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20220301:ContainerAppsSourceControl" }, { type: "azure-native:app/v20220601preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20221001:ContainerAppsSourceControl" }, { type: "azure-native:app/v20221101preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20230401preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20230501:ContainerAppsSourceControl" }, { type: "azure-native:app/v20230502preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20230801preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20231102preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20240202preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20240301:ContainerAppsSourceControl" }, { type: "azure-native:app/v20240802preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20241002preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20250101:ContainerAppsSourceControl" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20221001:ContainerAppsSourceControl" }, { type: "azure-native:app/v20230401preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20230501:ContainerAppsSourceControl" }, { type: "azure-native:app/v20230502preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20230801preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20231102preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20240202preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20240301:ContainerAppsSourceControl" }, { type: "azure-native:app/v20240802preview:ContainerAppsSourceControl" }, { type: "azure-native:app/v20241002preview:ContainerAppsSourceControl" }, { type: "azure-native_app_v20220101preview:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20220301:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20220601preview:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20221001:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20221101preview:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20230401preview:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20230501:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20230502preview:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20230801preview:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20231102preview:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20240202preview:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20240301:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20240802preview:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20241002preview:app:ContainerAppsSourceControl" }, { type: "azure-native_app_v20250101:app:ContainerAppsSourceControl" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContainerAppsSourceControl.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/daprComponent.ts b/sdk/nodejs/app/daprComponent.ts index f3208b79401c..e4ddc90ce0cc 100644 --- a/sdk/nodejs/app/daprComponent.ts +++ b/sdk/nodejs/app/daprComponent.ts @@ -137,7 +137,7 @@ export class DaprComponent extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:DaprComponent" }, { type: "azure-native:app/v20220301:DaprComponent" }, { type: "azure-native:app/v20220601preview:DaprComponent" }, { type: "azure-native:app/v20221001:DaprComponent" }, { type: "azure-native:app/v20221101preview:DaprComponent" }, { type: "azure-native:app/v20230401preview:DaprComponent" }, { type: "azure-native:app/v20230501:DaprComponent" }, { type: "azure-native:app/v20230502preview:DaprComponent" }, { type: "azure-native:app/v20230801preview:DaprComponent" }, { type: "azure-native:app/v20231102preview:DaprComponent" }, { type: "azure-native:app/v20240202preview:DaprComponent" }, { type: "azure-native:app/v20240301:DaprComponent" }, { type: "azure-native:app/v20240802preview:DaprComponent" }, { type: "azure-native:app/v20241002preview:DaprComponent" }, { type: "azure-native:app/v20250101:DaprComponent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:DaprComponent" }, { type: "azure-native:app/v20221001:DaprComponent" }, { type: "azure-native:app/v20230401preview:DaprComponent" }, { type: "azure-native:app/v20230501:DaprComponent" }, { type: "azure-native:app/v20230502preview:DaprComponent" }, { type: "azure-native:app/v20230801preview:DaprComponent" }, { type: "azure-native:app/v20231102preview:DaprComponent" }, { type: "azure-native:app/v20240202preview:DaprComponent" }, { type: "azure-native:app/v20240301:DaprComponent" }, { type: "azure-native:app/v20240802preview:DaprComponent" }, { type: "azure-native:app/v20241002preview:DaprComponent" }, { type: "azure-native_app_v20220101preview:app:DaprComponent" }, { type: "azure-native_app_v20220301:app:DaprComponent" }, { type: "azure-native_app_v20220601preview:app:DaprComponent" }, { type: "azure-native_app_v20221001:app:DaprComponent" }, { type: "azure-native_app_v20221101preview:app:DaprComponent" }, { type: "azure-native_app_v20230401preview:app:DaprComponent" }, { type: "azure-native_app_v20230501:app:DaprComponent" }, { type: "azure-native_app_v20230502preview:app:DaprComponent" }, { type: "azure-native_app_v20230801preview:app:DaprComponent" }, { type: "azure-native_app_v20231102preview:app:DaprComponent" }, { type: "azure-native_app_v20240202preview:app:DaprComponent" }, { type: "azure-native_app_v20240301:app:DaprComponent" }, { type: "azure-native_app_v20240802preview:app:DaprComponent" }, { type: "azure-native_app_v20241002preview:app:DaprComponent" }, { type: "azure-native_app_v20250101:app:DaprComponent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DaprComponent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/daprComponentResiliencyPolicy.ts b/sdk/nodejs/app/daprComponentResiliencyPolicy.ts index 121aa16d1fbc..d2a7f7844ed8 100644 --- a/sdk/nodejs/app/daprComponentResiliencyPolicy.ts +++ b/sdk/nodejs/app/daprComponentResiliencyPolicy.ts @@ -104,7 +104,7 @@ export class DaprComponentResiliencyPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20230801preview:DaprComponentResiliencyPolicy" }, { type: "azure-native:app/v20231102preview:DaprComponentResiliencyPolicy" }, { type: "azure-native:app/v20240202preview:DaprComponentResiliencyPolicy" }, { type: "azure-native:app/v20240802preview:DaprComponentResiliencyPolicy" }, { type: "azure-native:app/v20241002preview:DaprComponentResiliencyPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20230801preview:DaprComponentResiliencyPolicy" }, { type: "azure-native:app/v20231102preview:DaprComponentResiliencyPolicy" }, { type: "azure-native:app/v20240202preview:DaprComponentResiliencyPolicy" }, { type: "azure-native:app/v20240802preview:DaprComponentResiliencyPolicy" }, { type: "azure-native:app/v20241002preview:DaprComponentResiliencyPolicy" }, { type: "azure-native_app_v20230801preview:app:DaprComponentResiliencyPolicy" }, { type: "azure-native_app_v20231102preview:app:DaprComponentResiliencyPolicy" }, { type: "azure-native_app_v20240202preview:app:DaprComponentResiliencyPolicy" }, { type: "azure-native_app_v20240802preview:app:DaprComponentResiliencyPolicy" }, { type: "azure-native_app_v20241002preview:app:DaprComponentResiliencyPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DaprComponentResiliencyPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/daprSubscription.ts b/sdk/nodejs/app/daprSubscription.ts index 05e3e2c6e5ff..dd829c3debf3 100644 --- a/sdk/nodejs/app/daprSubscription.ts +++ b/sdk/nodejs/app/daprSubscription.ts @@ -130,7 +130,7 @@ export class DaprSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20230801preview:DaprSubscription" }, { type: "azure-native:app/v20231102preview:DaprSubscription" }, { type: "azure-native:app/v20240202preview:DaprSubscription" }, { type: "azure-native:app/v20240802preview:DaprSubscription" }, { type: "azure-native:app/v20241002preview:DaprSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20230801preview:DaprSubscription" }, { type: "azure-native:app/v20231102preview:DaprSubscription" }, { type: "azure-native:app/v20240202preview:DaprSubscription" }, { type: "azure-native:app/v20240802preview:DaprSubscription" }, { type: "azure-native:app/v20241002preview:DaprSubscription" }, { type: "azure-native_app_v20230801preview:app:DaprSubscription" }, { type: "azure-native_app_v20231102preview:app:DaprSubscription" }, { type: "azure-native_app_v20240202preview:app:DaprSubscription" }, { type: "azure-native_app_v20240802preview:app:DaprSubscription" }, { type: "azure-native_app_v20241002preview:app:DaprSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DaprSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/dotNetComponent.ts b/sdk/nodejs/app/dotNetComponent.ts index e508a32feb2a..14b0d2cb50ab 100644 --- a/sdk/nodejs/app/dotNetComponent.ts +++ b/sdk/nodejs/app/dotNetComponent.ts @@ -112,7 +112,7 @@ export class DotNetComponent extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20231102preview:DotNetComponent" }, { type: "azure-native:app/v20240202preview:DotNetComponent" }, { type: "azure-native:app/v20240802preview:DotNetComponent" }, { type: "azure-native:app/v20241002preview:DotNetComponent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20231102preview:DotNetComponent" }, { type: "azure-native:app/v20240202preview:DotNetComponent" }, { type: "azure-native:app/v20240802preview:DotNetComponent" }, { type: "azure-native:app/v20241002preview:DotNetComponent" }, { type: "azure-native_app_v20231102preview:app:DotNetComponent" }, { type: "azure-native_app_v20240202preview:app:DotNetComponent" }, { type: "azure-native_app_v20240802preview:app:DotNetComponent" }, { type: "azure-native_app_v20241002preview:app:DotNetComponent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DotNetComponent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/httpRouteConfig.ts b/sdk/nodejs/app/httpRouteConfig.ts index ea1192b4fe4b..a2ba0c31adf6 100644 --- a/sdk/nodejs/app/httpRouteConfig.ts +++ b/sdk/nodejs/app/httpRouteConfig.ts @@ -93,7 +93,7 @@ export class HttpRouteConfig extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20241002preview:HttpRouteConfig" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20241002preview:HttpRouteConfig" }, { type: "azure-native_app_v20241002preview:app:HttpRouteConfig" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HttpRouteConfig.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/javaComponent.ts b/sdk/nodejs/app/javaComponent.ts index d0ac8dc64d3a..6429fdd8585b 100644 --- a/sdk/nodejs/app/javaComponent.ts +++ b/sdk/nodejs/app/javaComponent.ts @@ -94,7 +94,7 @@ export class JavaComponent extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20231102preview:JavaComponent" }, { type: "azure-native:app/v20240202preview:JavaComponent" }, { type: "azure-native:app/v20240802preview:JavaComponent" }, { type: "azure-native:app/v20241002preview:JavaComponent" }, { type: "azure-native:app/v20250101:JavaComponent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20231102preview:JavaComponent" }, { type: "azure-native:app/v20240202preview:JavaComponent" }, { type: "azure-native:app/v20240802preview:JavaComponent" }, { type: "azure-native:app/v20241002preview:JavaComponent" }, { type: "azure-native_app_v20231102preview:app:JavaComponent" }, { type: "azure-native_app_v20240202preview:app:JavaComponent" }, { type: "azure-native_app_v20240802preview:app:JavaComponent" }, { type: "azure-native_app_v20241002preview:app:JavaComponent" }, { type: "azure-native_app_v20250101:app:JavaComponent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JavaComponent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/job.ts b/sdk/nodejs/app/job.ts index b56bd2e159aa..5a01b5a40dd0 100644 --- a/sdk/nodejs/app/job.ts +++ b/sdk/nodejs/app/job.ts @@ -145,7 +145,7 @@ export class Job extends pulumi.CustomResource { resourceInputs["workloadProfileName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20221101preview:Job" }, { type: "azure-native:app/v20230401preview:Job" }, { type: "azure-native:app/v20230501:Job" }, { type: "azure-native:app/v20230502preview:Job" }, { type: "azure-native:app/v20230801preview:Job" }, { type: "azure-native:app/v20231102preview:Job" }, { type: "azure-native:app/v20240202preview:Job" }, { type: "azure-native:app/v20240301:Job" }, { type: "azure-native:app/v20240802preview:Job" }, { type: "azure-native:app/v20241002preview:Job" }, { type: "azure-native:app/v20250101:Job" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20230401preview:Job" }, { type: "azure-native:app/v20230501:Job" }, { type: "azure-native:app/v20230502preview:Job" }, { type: "azure-native:app/v20230801preview:Job" }, { type: "azure-native:app/v20231102preview:Job" }, { type: "azure-native:app/v20240202preview:Job" }, { type: "azure-native:app/v20240301:Job" }, { type: "azure-native:app/v20240802preview:Job" }, { type: "azure-native:app/v20241002preview:Job" }, { type: "azure-native_app_v20221101preview:app:Job" }, { type: "azure-native_app_v20230401preview:app:Job" }, { type: "azure-native_app_v20230501:app:Job" }, { type: "azure-native_app_v20230502preview:app:Job" }, { type: "azure-native_app_v20230801preview:app:Job" }, { type: "azure-native_app_v20231102preview:app:Job" }, { type: "azure-native_app_v20240202preview:app:Job" }, { type: "azure-native_app_v20240301:app:Job" }, { type: "azure-native_app_v20240802preview:app:Job" }, { type: "azure-native_app_v20241002preview:app:Job" }, { type: "azure-native_app_v20250101:app:Job" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Job.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/logicApp.ts b/sdk/nodejs/app/logicApp.ts index 9e0630db7d24..a2be52972e64 100644 --- a/sdk/nodejs/app/logicApp.ts +++ b/sdk/nodejs/app/logicApp.ts @@ -89,7 +89,7 @@ export class LogicApp extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20240202preview:LogicApp" }, { type: "azure-native:app/v20240802preview:LogicApp" }, { type: "azure-native:app/v20241002preview:LogicApp" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20240202preview:LogicApp" }, { type: "azure-native:app/v20240802preview:LogicApp" }, { type: "azure-native:app/v20241002preview:LogicApp" }, { type: "azure-native_app_v20240202preview:app:LogicApp" }, { type: "azure-native_app_v20240802preview:app:LogicApp" }, { type: "azure-native_app_v20241002preview:app:LogicApp" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LogicApp.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/maintenanceConfiguration.ts b/sdk/nodejs/app/maintenanceConfiguration.ts index b40e3878e280..387bdc92bda0 100644 --- a/sdk/nodejs/app/maintenanceConfiguration.ts +++ b/sdk/nodejs/app/maintenanceConfiguration.ts @@ -96,7 +96,7 @@ export class MaintenanceConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20241002preview:MaintenanceConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20241002preview:MaintenanceConfiguration" }, { type: "azure-native_app_v20241002preview:app:MaintenanceConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MaintenanceConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/managedCertificate.ts b/sdk/nodejs/app/managedCertificate.ts index 15015f537521..554f5145427b 100644 --- a/sdk/nodejs/app/managedCertificate.ts +++ b/sdk/nodejs/app/managedCertificate.ts @@ -107,7 +107,7 @@ export class ManagedCertificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20221101preview:ManagedCertificate" }, { type: "azure-native:app/v20230401preview:ManagedCertificate" }, { type: "azure-native:app/v20230501:ManagedCertificate" }, { type: "azure-native:app/v20230502preview:ManagedCertificate" }, { type: "azure-native:app/v20230801preview:ManagedCertificate" }, { type: "azure-native:app/v20231102preview:ManagedCertificate" }, { type: "azure-native:app/v20240202preview:ManagedCertificate" }, { type: "azure-native:app/v20240301:ManagedCertificate" }, { type: "azure-native:app/v20240802preview:ManagedCertificate" }, { type: "azure-native:app/v20241002preview:ManagedCertificate" }, { type: "azure-native:app/v20250101:ManagedCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20230401preview:ManagedCertificate" }, { type: "azure-native:app/v20230501:ManagedCertificate" }, { type: "azure-native:app/v20230502preview:ManagedCertificate" }, { type: "azure-native:app/v20230801preview:ManagedCertificate" }, { type: "azure-native:app/v20231102preview:ManagedCertificate" }, { type: "azure-native:app/v20240202preview:ManagedCertificate" }, { type: "azure-native:app/v20240301:ManagedCertificate" }, { type: "azure-native:app/v20240802preview:ManagedCertificate" }, { type: "azure-native:app/v20241002preview:ManagedCertificate" }, { type: "azure-native_app_v20221101preview:app:ManagedCertificate" }, { type: "azure-native_app_v20230401preview:app:ManagedCertificate" }, { type: "azure-native_app_v20230501:app:ManagedCertificate" }, { type: "azure-native_app_v20230502preview:app:ManagedCertificate" }, { type: "azure-native_app_v20230801preview:app:ManagedCertificate" }, { type: "azure-native_app_v20231102preview:app:ManagedCertificate" }, { type: "azure-native_app_v20240202preview:app:ManagedCertificate" }, { type: "azure-native_app_v20240301:app:ManagedCertificate" }, { type: "azure-native_app_v20240802preview:app:ManagedCertificate" }, { type: "azure-native_app_v20241002preview:app:ManagedCertificate" }, { type: "azure-native_app_v20250101:app:ManagedCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/managedEnvironment.ts b/sdk/nodejs/app/managedEnvironment.ts index cbe34c6894b9..4f8ca9f2ba9a 100644 --- a/sdk/nodejs/app/managedEnvironment.ts +++ b/sdk/nodejs/app/managedEnvironment.ts @@ -205,7 +205,7 @@ export class ManagedEnvironment extends pulumi.CustomResource { resourceInputs["zoneRedundant"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:ManagedEnvironment" }, { type: "azure-native:app/v20220301:ManagedEnvironment" }, { type: "azure-native:app/v20220601preview:ManagedEnvironment" }, { type: "azure-native:app/v20221001:ManagedEnvironment" }, { type: "azure-native:app/v20221101preview:ManagedEnvironment" }, { type: "azure-native:app/v20230401preview:ManagedEnvironment" }, { type: "azure-native:app/v20230501:ManagedEnvironment" }, { type: "azure-native:app/v20230502preview:ManagedEnvironment" }, { type: "azure-native:app/v20230801preview:ManagedEnvironment" }, { type: "azure-native:app/v20231102preview:ManagedEnvironment" }, { type: "azure-native:app/v20240202preview:ManagedEnvironment" }, { type: "azure-native:app/v20240301:ManagedEnvironment" }, { type: "azure-native:app/v20240802preview:ManagedEnvironment" }, { type: "azure-native:app/v20241002preview:ManagedEnvironment" }, { type: "azure-native:app/v20250101:ManagedEnvironment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:ManagedEnvironment" }, { type: "azure-native:app/v20221001:ManagedEnvironment" }, { type: "azure-native:app/v20230401preview:ManagedEnvironment" }, { type: "azure-native:app/v20230501:ManagedEnvironment" }, { type: "azure-native:app/v20230502preview:ManagedEnvironment" }, { type: "azure-native:app/v20230801preview:ManagedEnvironment" }, { type: "azure-native:app/v20231102preview:ManagedEnvironment" }, { type: "azure-native:app/v20240202preview:ManagedEnvironment" }, { type: "azure-native:app/v20240301:ManagedEnvironment" }, { type: "azure-native:app/v20240802preview:ManagedEnvironment" }, { type: "azure-native:app/v20241002preview:ManagedEnvironment" }, { type: "azure-native_app_v20220101preview:app:ManagedEnvironment" }, { type: "azure-native_app_v20220301:app:ManagedEnvironment" }, { type: "azure-native_app_v20220601preview:app:ManagedEnvironment" }, { type: "azure-native_app_v20221001:app:ManagedEnvironment" }, { type: "azure-native_app_v20221101preview:app:ManagedEnvironment" }, { type: "azure-native_app_v20230401preview:app:ManagedEnvironment" }, { type: "azure-native_app_v20230501:app:ManagedEnvironment" }, { type: "azure-native_app_v20230502preview:app:ManagedEnvironment" }, { type: "azure-native_app_v20230801preview:app:ManagedEnvironment" }, { type: "azure-native_app_v20231102preview:app:ManagedEnvironment" }, { type: "azure-native_app_v20240202preview:app:ManagedEnvironment" }, { type: "azure-native_app_v20240301:app:ManagedEnvironment" }, { type: "azure-native_app_v20240802preview:app:ManagedEnvironment" }, { type: "azure-native_app_v20241002preview:app:ManagedEnvironment" }, { type: "azure-native_app_v20250101:app:ManagedEnvironment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedEnvironment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/managedEnvironmentPrivateEndpointConnection.ts b/sdk/nodejs/app/managedEnvironmentPrivateEndpointConnection.ts index d5f875e86d55..47e281a30abe 100644 --- a/sdk/nodejs/app/managedEnvironmentPrivateEndpointConnection.ts +++ b/sdk/nodejs/app/managedEnvironmentPrivateEndpointConnection.ts @@ -116,7 +116,7 @@ export class ManagedEnvironmentPrivateEndpointConnection extends pulumi.CustomRe resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20240202preview:ManagedEnvironmentPrivateEndpointConnection" }, { type: "azure-native:app/v20240802preview:ManagedEnvironmentPrivateEndpointConnection" }, { type: "azure-native:app/v20241002preview:ManagedEnvironmentPrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20240202preview:ManagedEnvironmentPrivateEndpointConnection" }, { type: "azure-native:app/v20240802preview:ManagedEnvironmentPrivateEndpointConnection" }, { type: "azure-native:app/v20241002preview:ManagedEnvironmentPrivateEndpointConnection" }, { type: "azure-native_app_v20240202preview:app:ManagedEnvironmentPrivateEndpointConnection" }, { type: "azure-native_app_v20240802preview:app:ManagedEnvironmentPrivateEndpointConnection" }, { type: "azure-native_app_v20241002preview:app:ManagedEnvironmentPrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedEnvironmentPrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/app/managedEnvironmentsStorage.ts b/sdk/nodejs/app/managedEnvironmentsStorage.ts index e3a59ec0fd83..e7c3b8f0c3cb 100644 --- a/sdk/nodejs/app/managedEnvironmentsStorage.ts +++ b/sdk/nodejs/app/managedEnvironmentsStorage.ts @@ -95,7 +95,7 @@ export class ManagedEnvironmentsStorage extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20220301:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20220601preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20221001:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20221101preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20230401preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20230501:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20230502preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20230801preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20231102preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20240202preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20240301:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20240802preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20241002preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20250101:ManagedEnvironmentsStorage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:app/v20220101preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20221001:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20230401preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20230501:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20230502preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20230801preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20231102preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20240202preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20240301:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20240802preview:ManagedEnvironmentsStorage" }, { type: "azure-native:app/v20241002preview:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20220101preview:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20220301:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20220601preview:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20221001:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20221101preview:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20230401preview:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20230501:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20230502preview:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20230801preview:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20231102preview:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20240202preview:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20240301:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20240802preview:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20241002preview:app:ManagedEnvironmentsStorage" }, { type: "azure-native_app_v20250101:app:ManagedEnvironmentsStorage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedEnvironmentsStorage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appcomplianceautomation/evidence.ts b/sdk/nodejs/appcomplianceautomation/evidence.ts index 07d5951c1e3f..42cd5c7b179c 100644 --- a/sdk/nodejs/appcomplianceautomation/evidence.ts +++ b/sdk/nodejs/appcomplianceautomation/evidence.ts @@ -124,7 +124,7 @@ export class Evidence extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appcomplianceautomation/v20240627:Evidence" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appcomplianceautomation/v20240627:Evidence" }, { type: "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Evidence" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Evidence.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appcomplianceautomation/report.ts b/sdk/nodejs/appcomplianceautomation/report.ts index 2ff6478621cb..bb3472054d81 100644 --- a/sdk/nodejs/appcomplianceautomation/report.ts +++ b/sdk/nodejs/appcomplianceautomation/report.ts @@ -175,7 +175,7 @@ export class Report extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appcomplianceautomation/v20221116preview:Report" }, { type: "azure-native:appcomplianceautomation/v20240627:Report" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appcomplianceautomation/v20221116preview:Report" }, { type: "azure-native:appcomplianceautomation/v20240627:Report" }, { type: "azure-native_appcomplianceautomation_v20221116preview:appcomplianceautomation:Report" }, { type: "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Report" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Report.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appcomplianceautomation/scopingConfiguration.ts b/sdk/nodejs/appcomplianceautomation/scopingConfiguration.ts index 4642cc9c1249..a0cbacad9a34 100644 --- a/sdk/nodejs/appcomplianceautomation/scopingConfiguration.ts +++ b/sdk/nodejs/appcomplianceautomation/scopingConfiguration.ts @@ -95,7 +95,7 @@ export class ScopingConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appcomplianceautomation/v20240627:ScopingConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appcomplianceautomation/v20240627:ScopingConfiguration" }, { type: "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:ScopingConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScopingConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appcomplianceautomation/webhook.ts b/sdk/nodejs/appcomplianceautomation/webhook.ts index c246f06af674..65b6156f573a 100644 --- a/sdk/nodejs/appcomplianceautomation/webhook.ts +++ b/sdk/nodejs/appcomplianceautomation/webhook.ts @@ -161,7 +161,7 @@ export class Webhook extends pulumi.CustomResource { resourceInputs["webhookKeyEnabled"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appcomplianceautomation/v20240627:Webhook" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appcomplianceautomation/v20240627:Webhook" }, { type: "azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Webhook" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Webhook.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appconfiguration/configurationStore.ts b/sdk/nodejs/appconfiguration/configurationStore.ts index a17bd48818cc..fafa33ce80ea 100644 --- a/sdk/nodejs/appconfiguration/configurationStore.ts +++ b/sdk/nodejs/appconfiguration/configurationStore.ts @@ -173,7 +173,7 @@ export class ConfigurationStore extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appconfiguration/v20190201preview:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20191001:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20191101preview:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20200601:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20200701preview:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20210301preview:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20211001preview:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20220301preview:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20220501:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20230301:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20230801preview:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20230901preview:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20240501:ConfigurationStore" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appconfiguration/v20230301:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20230801preview:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20230901preview:ConfigurationStore" }, { type: "azure-native:appconfiguration/v20240501:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20190201preview:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20191001:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20191101preview:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20200601:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20200701preview:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20210301preview:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20211001preview:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20220301preview:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20220501:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20230301:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20230801preview:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20230901preview:appconfiguration:ConfigurationStore" }, { type: "azure-native_appconfiguration_v20240501:appconfiguration:ConfigurationStore" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationStore.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appconfiguration/keyValue.ts b/sdk/nodejs/appconfiguration/keyValue.ts index 672896c44414..f03a241a2496 100644 --- a/sdk/nodejs/appconfiguration/keyValue.ts +++ b/sdk/nodejs/appconfiguration/keyValue.ts @@ -132,7 +132,7 @@ export class KeyValue extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appconfiguration/v20200701preview:KeyValue" }, { type: "azure-native:appconfiguration/v20210301preview:KeyValue" }, { type: "azure-native:appconfiguration/v20211001preview:KeyValue" }, { type: "azure-native:appconfiguration/v20220301preview:KeyValue" }, { type: "azure-native:appconfiguration/v20220501:KeyValue" }, { type: "azure-native:appconfiguration/v20230301:KeyValue" }, { type: "azure-native:appconfiguration/v20230801preview:KeyValue" }, { type: "azure-native:appconfiguration/v20230901preview:KeyValue" }, { type: "azure-native:appconfiguration/v20240501:KeyValue" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appconfiguration/v20230301:KeyValue" }, { type: "azure-native:appconfiguration/v20230801preview:KeyValue" }, { type: "azure-native:appconfiguration/v20230901preview:KeyValue" }, { type: "azure-native:appconfiguration/v20240501:KeyValue" }, { type: "azure-native_appconfiguration_v20200701preview:appconfiguration:KeyValue" }, { type: "azure-native_appconfiguration_v20210301preview:appconfiguration:KeyValue" }, { type: "azure-native_appconfiguration_v20211001preview:appconfiguration:KeyValue" }, { type: "azure-native_appconfiguration_v20220301preview:appconfiguration:KeyValue" }, { type: "azure-native_appconfiguration_v20220501:appconfiguration:KeyValue" }, { type: "azure-native_appconfiguration_v20230301:appconfiguration:KeyValue" }, { type: "azure-native_appconfiguration_v20230801preview:appconfiguration:KeyValue" }, { type: "azure-native_appconfiguration_v20230901preview:appconfiguration:KeyValue" }, { type: "azure-native_appconfiguration_v20240501:appconfiguration:KeyValue" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KeyValue.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appconfiguration/privateEndpointConnection.ts b/sdk/nodejs/appconfiguration/privateEndpointConnection.ts index 254e6455b629..9a28e1db74e6 100644 --- a/sdk/nodejs/appconfiguration/privateEndpointConnection.ts +++ b/sdk/nodejs/appconfiguration/privateEndpointConnection.ts @@ -104,7 +104,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appconfiguration/v20191101preview:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20200601:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20200701preview:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20210301preview:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20211001preview:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20220301preview:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20220501:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20230301:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20230801preview:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20230901preview:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20240501:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appconfiguration/v20230301:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20230801preview:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20230901preview:PrivateEndpointConnection" }, { type: "azure-native:appconfiguration/v20240501:PrivateEndpointConnection" }, { type: "azure-native_appconfiguration_v20191101preview:appconfiguration:PrivateEndpointConnection" }, { type: "azure-native_appconfiguration_v20200601:appconfiguration:PrivateEndpointConnection" }, { type: "azure-native_appconfiguration_v20200701preview:appconfiguration:PrivateEndpointConnection" }, { type: "azure-native_appconfiguration_v20210301preview:appconfiguration:PrivateEndpointConnection" }, { type: "azure-native_appconfiguration_v20211001preview:appconfiguration:PrivateEndpointConnection" }, { type: "azure-native_appconfiguration_v20220301preview:appconfiguration:PrivateEndpointConnection" }, { type: "azure-native_appconfiguration_v20220501:appconfiguration:PrivateEndpointConnection" }, { type: "azure-native_appconfiguration_v20230301:appconfiguration:PrivateEndpointConnection" }, { type: "azure-native_appconfiguration_v20230801preview:appconfiguration:PrivateEndpointConnection" }, { type: "azure-native_appconfiguration_v20230901preview:appconfiguration:PrivateEndpointConnection" }, { type: "azure-native_appconfiguration_v20240501:appconfiguration:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appconfiguration/replica.ts b/sdk/nodejs/appconfiguration/replica.ts index 716ba2b392e4..52b18def90d4 100644 --- a/sdk/nodejs/appconfiguration/replica.ts +++ b/sdk/nodejs/appconfiguration/replica.ts @@ -107,7 +107,7 @@ export class Replica extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appconfiguration/v20220301preview:Replica" }, { type: "azure-native:appconfiguration/v20230301:Replica" }, { type: "azure-native:appconfiguration/v20230801preview:Replica" }, { type: "azure-native:appconfiguration/v20230901preview:Replica" }, { type: "azure-native:appconfiguration/v20240501:Replica" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appconfiguration/v20230301:Replica" }, { type: "azure-native:appconfiguration/v20230801preview:Replica" }, { type: "azure-native:appconfiguration/v20230901preview:Replica" }, { type: "azure-native:appconfiguration/v20240501:Replica" }, { type: "azure-native_appconfiguration_v20220301preview:appconfiguration:Replica" }, { type: "azure-native_appconfiguration_v20230301:appconfiguration:Replica" }, { type: "azure-native_appconfiguration_v20230801preview:appconfiguration:Replica" }, { type: "azure-native_appconfiguration_v20230901preview:appconfiguration:Replica" }, { type: "azure-native_appconfiguration_v20240501:appconfiguration:Replica" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Replica.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/applicationinsights/analyticsItem.ts b/sdk/nodejs/applicationinsights/analyticsItem.ts index f140cbab9593..3fdc66b1c901 100644 --- a/sdk/nodejs/applicationinsights/analyticsItem.ts +++ b/sdk/nodejs/applicationinsights/analyticsItem.ts @@ -122,7 +122,7 @@ export class AnalyticsItem extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:applicationinsights/v20150501:AnalyticsItem" }, { type: "azure-native:insights/v20150501:AnalyticsItem" }, { type: "azure-native:insights:AnalyticsItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20150501:AnalyticsItem" }, { type: "azure-native:insights:AnalyticsItem" }, { type: "azure-native_applicationinsights_v20150501:applicationinsights:AnalyticsItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AnalyticsItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/applicationinsights/component.ts b/sdk/nodejs/applicationinsights/component.ts index 9cdc330c61f6..4968e7db2a95 100644 --- a/sdk/nodejs/applicationinsights/component.ts +++ b/sdk/nodejs/applicationinsights/component.ts @@ -253,7 +253,7 @@ export class Component extends pulumi.CustomResource { resourceInputs["workspaceResourceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:applicationinsights/v20150501:Component" }, { type: "azure-native:applicationinsights/v20180501preview:Component" }, { type: "azure-native:applicationinsights/v20200202:Component" }, { type: "azure-native:applicationinsights/v20200202preview:Component" }, { type: "azure-native:insights/v20200202:Component" }, { type: "azure-native:insights/v20200202preview:Component" }, { type: "azure-native:insights:Component" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20200202:Component" }, { type: "azure-native:insights/v20200202preview:Component" }, { type: "azure-native:insights:Component" }, { type: "azure-native_applicationinsights_v20150501:applicationinsights:Component" }, { type: "azure-native_applicationinsights_v20180501preview:applicationinsights:Component" }, { type: "azure-native_applicationinsights_v20200202:applicationinsights:Component" }, { type: "azure-native_applicationinsights_v20200202preview:applicationinsights:Component" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Component.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/applicationinsights/componentCurrentBillingFeature.ts b/sdk/nodejs/applicationinsights/componentCurrentBillingFeature.ts index 476d79d44c73..042be1847d16 100644 --- a/sdk/nodejs/applicationinsights/componentCurrentBillingFeature.ts +++ b/sdk/nodejs/applicationinsights/componentCurrentBillingFeature.ts @@ -80,7 +80,7 @@ export class ComponentCurrentBillingFeature extends pulumi.CustomResource { resourceInputs["dataVolumeCap"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:applicationinsights/v20150501:ComponentCurrentBillingFeature" }, { type: "azure-native:insights/v20150501:ComponentCurrentBillingFeature" }, { type: "azure-native:insights:ComponentCurrentBillingFeature" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20150501:ComponentCurrentBillingFeature" }, { type: "azure-native:insights:ComponentCurrentBillingFeature" }, { type: "azure-native_applicationinsights_v20150501:applicationinsights:ComponentCurrentBillingFeature" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ComponentCurrentBillingFeature.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/applicationinsights/componentLinkedStorageAccount.ts b/sdk/nodejs/applicationinsights/componentLinkedStorageAccount.ts index 2e88e85a8e59..2c72c32e4613 100644 --- a/sdk/nodejs/applicationinsights/componentLinkedStorageAccount.ts +++ b/sdk/nodejs/applicationinsights/componentLinkedStorageAccount.ts @@ -84,7 +84,7 @@ export class ComponentLinkedStorageAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:applicationinsights/v20200301preview:ComponentLinkedStorageAccount" }, { type: "azure-native:insights/v20200301preview:ComponentLinkedStorageAccount" }, { type: "azure-native:insights:ComponentLinkedStorageAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20200301preview:ComponentLinkedStorageAccount" }, { type: "azure-native:insights:ComponentLinkedStorageAccount" }, { type: "azure-native_applicationinsights_v20200301preview:applicationinsights:ComponentLinkedStorageAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ComponentLinkedStorageAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/applicationinsights/exportConfiguration.ts b/sdk/nodejs/applicationinsights/exportConfiguration.ts index 95472c9b30a2..b497b342cf87 100644 --- a/sdk/nodejs/applicationinsights/exportConfiguration.ts +++ b/sdk/nodejs/applicationinsights/exportConfiguration.ts @@ -182,7 +182,7 @@ export class ExportConfiguration extends pulumi.CustomResource { resourceInputs["subscriptionId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:applicationinsights/v20150501:ExportConfiguration" }, { type: "azure-native:insights/v20150501:ExportConfiguration" }, { type: "azure-native:insights:ExportConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20150501:ExportConfiguration" }, { type: "azure-native:insights:ExportConfiguration" }, { type: "azure-native_applicationinsights_v20150501:applicationinsights:ExportConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExportConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/applicationinsights/favorite.ts b/sdk/nodejs/applicationinsights/favorite.ts index 1ec8df0fd210..7a1070557310 100644 --- a/sdk/nodejs/applicationinsights/favorite.ts +++ b/sdk/nodejs/applicationinsights/favorite.ts @@ -134,7 +134,7 @@ export class Favorite extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:applicationinsights/v20150501:Favorite" }, { type: "azure-native:insights/v20150501:Favorite" }, { type: "azure-native:insights:Favorite" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20150501:Favorite" }, { type: "azure-native:insights:Favorite" }, { type: "azure-native_applicationinsights_v20150501:applicationinsights:Favorite" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Favorite.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/applicationinsights/myWorkbook.ts b/sdk/nodejs/applicationinsights/myWorkbook.ts index 6154e7481eb1..168e4389b168 100644 --- a/sdk/nodejs/applicationinsights/myWorkbook.ts +++ b/sdk/nodejs/applicationinsights/myWorkbook.ts @@ -173,7 +173,7 @@ export class MyWorkbook extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:applicationinsights/v20150501:MyWorkbook" }, { type: "azure-native:applicationinsights/v20201020:MyWorkbook" }, { type: "azure-native:applicationinsights/v20210308:MyWorkbook" }, { type: "azure-native:insights/v20210308:MyWorkbook" }, { type: "azure-native:insights:MyWorkbook" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20210308:MyWorkbook" }, { type: "azure-native:insights:MyWorkbook" }, { type: "azure-native_applicationinsights_v20150501:applicationinsights:MyWorkbook" }, { type: "azure-native_applicationinsights_v20201020:applicationinsights:MyWorkbook" }, { type: "azure-native_applicationinsights_v20210308:applicationinsights:MyWorkbook" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MyWorkbook.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/applicationinsights/proactiveDetectionConfiguration.ts b/sdk/nodejs/applicationinsights/proactiveDetectionConfiguration.ts index de7bea573343..e0dec36fb5d0 100644 --- a/sdk/nodejs/applicationinsights/proactiveDetectionConfiguration.ts +++ b/sdk/nodejs/applicationinsights/proactiveDetectionConfiguration.ts @@ -99,7 +99,7 @@ export class ProactiveDetectionConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:applicationinsights/v20150501:ProactiveDetectionConfiguration" }, { type: "azure-native:applicationinsights/v20180501preview:ProactiveDetectionConfiguration" }, { type: "azure-native:insights/v20150501:ProactiveDetectionConfiguration" }, { type: "azure-native:insights/v20180501preview:ProactiveDetectionConfiguration" }, { type: "azure-native:insights:ProactiveDetectionConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20150501:ProactiveDetectionConfiguration" }, { type: "azure-native:insights/v20180501preview:ProactiveDetectionConfiguration" }, { type: "azure-native:insights:ProactiveDetectionConfiguration" }, { type: "azure-native_applicationinsights_v20150501:applicationinsights:ProactiveDetectionConfiguration" }, { type: "azure-native_applicationinsights_v20180501preview:applicationinsights:ProactiveDetectionConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProactiveDetectionConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/applicationinsights/webTest.ts b/sdk/nodejs/applicationinsights/webTest.ts index 1eb18d1a7d83..6d90ce6606ed 100644 --- a/sdk/nodejs/applicationinsights/webTest.ts +++ b/sdk/nodejs/applicationinsights/webTest.ts @@ -183,7 +183,7 @@ export class WebTest extends pulumi.CustomResource { resourceInputs["webTestName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:applicationinsights/v20150501:WebTest" }, { type: "azure-native:applicationinsights/v20180501preview:WebTest" }, { type: "azure-native:applicationinsights/v20201005preview:WebTest" }, { type: "azure-native:applicationinsights/v20220615:WebTest" }, { type: "azure-native:insights/v20201005preview:WebTest" }, { type: "azure-native:insights/v20220615:WebTest" }, { type: "azure-native:insights:WebTest" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20201005preview:WebTest" }, { type: "azure-native:insights/v20220615:WebTest" }, { type: "azure-native:insights:WebTest" }, { type: "azure-native_applicationinsights_v20150501:applicationinsights:WebTest" }, { type: "azure-native_applicationinsights_v20180501preview:applicationinsights:WebTest" }, { type: "azure-native_applicationinsights_v20201005preview:applicationinsights:WebTest" }, { type: "azure-native_applicationinsights_v20220615:applicationinsights:WebTest" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebTest.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/applicationinsights/workbook.ts b/sdk/nodejs/applicationinsights/workbook.ts index 7640e3922996..ae1ecd8ab494 100644 --- a/sdk/nodejs/applicationinsights/workbook.ts +++ b/sdk/nodejs/applicationinsights/workbook.ts @@ -184,7 +184,7 @@ export class Workbook extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:applicationinsights/v20150501:Workbook" }, { type: "azure-native:applicationinsights/v20180617preview:Workbook" }, { type: "azure-native:applicationinsights/v20201020:Workbook" }, { type: "azure-native:applicationinsights/v20210308:Workbook" }, { type: "azure-native:applicationinsights/v20210801:Workbook" }, { type: "azure-native:applicationinsights/v20220401:Workbook" }, { type: "azure-native:applicationinsights/v20230601:Workbook" }, { type: "azure-native:insights/v20150501:Workbook" }, { type: "azure-native:insights/v20210308:Workbook" }, { type: "azure-native:insights/v20210801:Workbook" }, { type: "azure-native:insights/v20220401:Workbook" }, { type: "azure-native:insights/v20230601:Workbook" }, { type: "azure-native:insights:Workbook" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20150501:Workbook" }, { type: "azure-native:insights/v20210308:Workbook" }, { type: "azure-native:insights/v20210801:Workbook" }, { type: "azure-native:insights/v20220401:Workbook" }, { type: "azure-native:insights/v20230601:Workbook" }, { type: "azure-native:insights:Workbook" }, { type: "azure-native_applicationinsights_v20150501:applicationinsights:Workbook" }, { type: "azure-native_applicationinsights_v20180617preview:applicationinsights:Workbook" }, { type: "azure-native_applicationinsights_v20201020:applicationinsights:Workbook" }, { type: "azure-native_applicationinsights_v20210308:applicationinsights:Workbook" }, { type: "azure-native_applicationinsights_v20210801:applicationinsights:Workbook" }, { type: "azure-native_applicationinsights_v20220401:applicationinsights:Workbook" }, { type: "azure-native_applicationinsights_v20230601:applicationinsights:Workbook" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workbook.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/applicationinsights/workbookTemplate.ts b/sdk/nodejs/applicationinsights/workbookTemplate.ts index 44f217464e3a..95cb671048ac 100644 --- a/sdk/nodejs/applicationinsights/workbookTemplate.ts +++ b/sdk/nodejs/applicationinsights/workbookTemplate.ts @@ -127,7 +127,7 @@ export class WorkbookTemplate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:applicationinsights/v20191017preview:WorkbookTemplate" }, { type: "azure-native:applicationinsights/v20201120:WorkbookTemplate" }, { type: "azure-native:insights/v20201120:WorkbookTemplate" }, { type: "azure-native:insights:WorkbookTemplate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20201120:WorkbookTemplate" }, { type: "azure-native:insights:WorkbookTemplate" }, { type: "azure-native_applicationinsights_v20191017preview:applicationinsights:WorkbookTemplate" }, { type: "azure-native_applicationinsights_v20201120:applicationinsights:WorkbookTemplate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkbookTemplate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/apiPortal.ts b/sdk/nodejs/appplatform/apiPortal.ts index 0c5c7fd06779..2360286f6320 100644 --- a/sdk/nodejs/appplatform/apiPortal.ts +++ b/sdk/nodejs/appplatform/apiPortal.ts @@ -101,7 +101,7 @@ export class ApiPortal extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20220101preview:ApiPortal" }, { type: "azure-native:appplatform/v20220301preview:ApiPortal" }, { type: "azure-native:appplatform/v20220501preview:ApiPortal" }, { type: "azure-native:appplatform/v20220901preview:ApiPortal" }, { type: "azure-native:appplatform/v20221101preview:ApiPortal" }, { type: "azure-native:appplatform/v20221201:ApiPortal" }, { type: "azure-native:appplatform/v20230101preview:ApiPortal" }, { type: "azure-native:appplatform/v20230301preview:ApiPortal" }, { type: "azure-native:appplatform/v20230501preview:ApiPortal" }, { type: "azure-native:appplatform/v20230701preview:ApiPortal" }, { type: "azure-native:appplatform/v20230901preview:ApiPortal" }, { type: "azure-native:appplatform/v20231101preview:ApiPortal" }, { type: "azure-native:appplatform/v20231201:ApiPortal" }, { type: "azure-native:appplatform/v20240101preview:ApiPortal" }, { type: "azure-native:appplatform/v20240501preview:ApiPortal" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:ApiPortal" }, { type: "azure-native:appplatform/v20230701preview:ApiPortal" }, { type: "azure-native:appplatform/v20230901preview:ApiPortal" }, { type: "azure-native:appplatform/v20231101preview:ApiPortal" }, { type: "azure-native:appplatform/v20231201:ApiPortal" }, { type: "azure-native:appplatform/v20240101preview:ApiPortal" }, { type: "azure-native:appplatform/v20240501preview:ApiPortal" }, { type: "azure-native_appplatform_v20220101preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20220301preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20220501preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20220901preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20221101preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20221201:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20230101preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20230301preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20230501preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20230701preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20230901preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20231101preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20231201:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20240101preview:appplatform:ApiPortal" }, { type: "azure-native_appplatform_v20240501preview:appplatform:ApiPortal" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiPortal.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/apiPortalCustomDomain.ts b/sdk/nodejs/appplatform/apiPortalCustomDomain.ts index ef19c4baa8d2..b4019ae6ed4f 100644 --- a/sdk/nodejs/appplatform/apiPortalCustomDomain.ts +++ b/sdk/nodejs/appplatform/apiPortalCustomDomain.ts @@ -99,7 +99,7 @@ export class ApiPortalCustomDomain extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20220101preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20220301preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20220501preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20220901preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20221101preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20221201:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20230101preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20230301preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20230501preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20230701preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20230901preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20231101preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20231201:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20240101preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20240501preview:ApiPortalCustomDomain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20230701preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20230901preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20231101preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20231201:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20240101preview:ApiPortalCustomDomain" }, { type: "azure-native:appplatform/v20240501preview:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20220101preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20220301preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20220501preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20220901preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20221101preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20221201:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20230101preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20230301preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20230501preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20230701preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20230901preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20231101preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20231201:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20240101preview:appplatform:ApiPortalCustomDomain" }, { type: "azure-native_appplatform_v20240501preview:appplatform:ApiPortalCustomDomain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiPortalCustomDomain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/apm.ts b/sdk/nodejs/appplatform/apm.ts index dda81a886207..e691431bda38 100644 --- a/sdk/nodejs/appplatform/apm.ts +++ b/sdk/nodejs/appplatform/apm.ts @@ -95,7 +95,7 @@ export class Apm extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:Apm" }, { type: "azure-native:appplatform/v20230701preview:Apm" }, { type: "azure-native:appplatform/v20230901preview:Apm" }, { type: "azure-native:appplatform/v20231101preview:Apm" }, { type: "azure-native:appplatform/v20231201:Apm" }, { type: "azure-native:appplatform/v20240101preview:Apm" }, { type: "azure-native:appplatform/v20240501preview:Apm" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:Apm" }, { type: "azure-native:appplatform/v20230701preview:Apm" }, { type: "azure-native:appplatform/v20230901preview:Apm" }, { type: "azure-native:appplatform/v20231101preview:Apm" }, { type: "azure-native:appplatform/v20231201:Apm" }, { type: "azure-native:appplatform/v20240101preview:Apm" }, { type: "azure-native:appplatform/v20240501preview:Apm" }, { type: "azure-native_appplatform_v20230501preview:appplatform:Apm" }, { type: "azure-native_appplatform_v20230701preview:appplatform:Apm" }, { type: "azure-native_appplatform_v20230901preview:appplatform:Apm" }, { type: "azure-native_appplatform_v20231101preview:appplatform:Apm" }, { type: "azure-native_appplatform_v20231201:appplatform:Apm" }, { type: "azure-native_appplatform_v20240101preview:appplatform:Apm" }, { type: "azure-native_appplatform_v20240501preview:appplatform:Apm" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Apm.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/app.ts b/sdk/nodejs/appplatform/app.ts index a1b51ebd963e..4b29aab7cf66 100644 --- a/sdk/nodejs/appplatform/app.ts +++ b/sdk/nodejs/appplatform/app.ts @@ -107,7 +107,7 @@ export class App extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20200701:App" }, { type: "azure-native:appplatform/v20201101preview:App" }, { type: "azure-native:appplatform/v20210601preview:App" }, { type: "azure-native:appplatform/v20210901preview:App" }, { type: "azure-native:appplatform/v20220101preview:App" }, { type: "azure-native:appplatform/v20220301preview:App" }, { type: "azure-native:appplatform/v20220401:App" }, { type: "azure-native:appplatform/v20220501preview:App" }, { type: "azure-native:appplatform/v20220901preview:App" }, { type: "azure-native:appplatform/v20221101preview:App" }, { type: "azure-native:appplatform/v20221201:App" }, { type: "azure-native:appplatform/v20230101preview:App" }, { type: "azure-native:appplatform/v20230301preview:App" }, { type: "azure-native:appplatform/v20230501preview:App" }, { type: "azure-native:appplatform/v20230701preview:App" }, { type: "azure-native:appplatform/v20230901preview:App" }, { type: "azure-native:appplatform/v20231101preview:App" }, { type: "azure-native:appplatform/v20231201:App" }, { type: "azure-native:appplatform/v20240101preview:App" }, { type: "azure-native:appplatform/v20240501preview:App" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:App" }, { type: "azure-native:appplatform/v20230701preview:App" }, { type: "azure-native:appplatform/v20230901preview:App" }, { type: "azure-native:appplatform/v20231101preview:App" }, { type: "azure-native:appplatform/v20231201:App" }, { type: "azure-native:appplatform/v20240101preview:App" }, { type: "azure-native:appplatform/v20240501preview:App" }, { type: "azure-native_appplatform_v20200701:appplatform:App" }, { type: "azure-native_appplatform_v20201101preview:appplatform:App" }, { type: "azure-native_appplatform_v20210601preview:appplatform:App" }, { type: "azure-native_appplatform_v20210901preview:appplatform:App" }, { type: "azure-native_appplatform_v20220101preview:appplatform:App" }, { type: "azure-native_appplatform_v20220301preview:appplatform:App" }, { type: "azure-native_appplatform_v20220401:appplatform:App" }, { type: "azure-native_appplatform_v20220501preview:appplatform:App" }, { type: "azure-native_appplatform_v20220901preview:appplatform:App" }, { type: "azure-native_appplatform_v20221101preview:appplatform:App" }, { type: "azure-native_appplatform_v20221201:appplatform:App" }, { type: "azure-native_appplatform_v20230101preview:appplatform:App" }, { type: "azure-native_appplatform_v20230301preview:appplatform:App" }, { type: "azure-native_appplatform_v20230501preview:appplatform:App" }, { type: "azure-native_appplatform_v20230701preview:appplatform:App" }, { type: "azure-native_appplatform_v20230901preview:appplatform:App" }, { type: "azure-native_appplatform_v20231101preview:appplatform:App" }, { type: "azure-native_appplatform_v20231201:appplatform:App" }, { type: "azure-native_appplatform_v20240101preview:appplatform:App" }, { type: "azure-native_appplatform_v20240501preview:appplatform:App" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(App.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/applicationAccelerator.ts b/sdk/nodejs/appplatform/applicationAccelerator.ts index d9bf9949a102..5fba2ce44dab 100644 --- a/sdk/nodejs/appplatform/applicationAccelerator.ts +++ b/sdk/nodejs/appplatform/applicationAccelerator.ts @@ -101,7 +101,7 @@ export class ApplicationAccelerator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20221101preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20230101preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20230301preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20230501preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20230701preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20230901preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20231101preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20231201:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20240101preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20240501preview:ApplicationAccelerator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20230701preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20230901preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20231101preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20231201:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20240101preview:ApplicationAccelerator" }, { type: "azure-native:appplatform/v20240501preview:ApplicationAccelerator" }, { type: "azure-native_appplatform_v20221101preview:appplatform:ApplicationAccelerator" }, { type: "azure-native_appplatform_v20230101preview:appplatform:ApplicationAccelerator" }, { type: "azure-native_appplatform_v20230301preview:appplatform:ApplicationAccelerator" }, { type: "azure-native_appplatform_v20230501preview:appplatform:ApplicationAccelerator" }, { type: "azure-native_appplatform_v20230701preview:appplatform:ApplicationAccelerator" }, { type: "azure-native_appplatform_v20230901preview:appplatform:ApplicationAccelerator" }, { type: "azure-native_appplatform_v20231101preview:appplatform:ApplicationAccelerator" }, { type: "azure-native_appplatform_v20231201:appplatform:ApplicationAccelerator" }, { type: "azure-native_appplatform_v20240101preview:appplatform:ApplicationAccelerator" }, { type: "azure-native_appplatform_v20240501preview:appplatform:ApplicationAccelerator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationAccelerator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/applicationLiveView.ts b/sdk/nodejs/appplatform/applicationLiveView.ts index 593c9b0b7bba..b1f539e1aad8 100644 --- a/sdk/nodejs/appplatform/applicationLiveView.ts +++ b/sdk/nodejs/appplatform/applicationLiveView.ts @@ -95,7 +95,7 @@ export class ApplicationLiveView extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20221101preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20230101preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20230301preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20230501preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20230701preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20230901preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20231101preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20231201:ApplicationLiveView" }, { type: "azure-native:appplatform/v20240101preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20240501preview:ApplicationLiveView" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20230701preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20230901preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20231101preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20231201:ApplicationLiveView" }, { type: "azure-native:appplatform/v20240101preview:ApplicationLiveView" }, { type: "azure-native:appplatform/v20240501preview:ApplicationLiveView" }, { type: "azure-native_appplatform_v20221101preview:appplatform:ApplicationLiveView" }, { type: "azure-native_appplatform_v20230101preview:appplatform:ApplicationLiveView" }, { type: "azure-native_appplatform_v20230301preview:appplatform:ApplicationLiveView" }, { type: "azure-native_appplatform_v20230501preview:appplatform:ApplicationLiveView" }, { type: "azure-native_appplatform_v20230701preview:appplatform:ApplicationLiveView" }, { type: "azure-native_appplatform_v20230901preview:appplatform:ApplicationLiveView" }, { type: "azure-native_appplatform_v20231101preview:appplatform:ApplicationLiveView" }, { type: "azure-native_appplatform_v20231201:appplatform:ApplicationLiveView" }, { type: "azure-native_appplatform_v20240101preview:appplatform:ApplicationLiveView" }, { type: "azure-native_appplatform_v20240501preview:appplatform:ApplicationLiveView" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationLiveView.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/binding.ts b/sdk/nodejs/appplatform/binding.ts index 67ddb9de451d..64a79b6c5d68 100644 --- a/sdk/nodejs/appplatform/binding.ts +++ b/sdk/nodejs/appplatform/binding.ts @@ -99,7 +99,7 @@ export class Binding extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20200701:Binding" }, { type: "azure-native:appplatform/v20201101preview:Binding" }, { type: "azure-native:appplatform/v20210601preview:Binding" }, { type: "azure-native:appplatform/v20210901preview:Binding" }, { type: "azure-native:appplatform/v20220101preview:Binding" }, { type: "azure-native:appplatform/v20220301preview:Binding" }, { type: "azure-native:appplatform/v20220401:Binding" }, { type: "azure-native:appplatform/v20220501preview:Binding" }, { type: "azure-native:appplatform/v20220901preview:Binding" }, { type: "azure-native:appplatform/v20221101preview:Binding" }, { type: "azure-native:appplatform/v20221201:Binding" }, { type: "azure-native:appplatform/v20230101preview:Binding" }, { type: "azure-native:appplatform/v20230301preview:Binding" }, { type: "azure-native:appplatform/v20230501preview:Binding" }, { type: "azure-native:appplatform/v20230701preview:Binding" }, { type: "azure-native:appplatform/v20230901preview:Binding" }, { type: "azure-native:appplatform/v20231101preview:Binding" }, { type: "azure-native:appplatform/v20231201:Binding" }, { type: "azure-native:appplatform/v20240101preview:Binding" }, { type: "azure-native:appplatform/v20240501preview:Binding" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:Binding" }, { type: "azure-native:appplatform/v20230701preview:Binding" }, { type: "azure-native:appplatform/v20230901preview:Binding" }, { type: "azure-native:appplatform/v20231101preview:Binding" }, { type: "azure-native:appplatform/v20231201:Binding" }, { type: "azure-native:appplatform/v20240101preview:Binding" }, { type: "azure-native:appplatform/v20240501preview:Binding" }, { type: "azure-native_appplatform_v20200701:appplatform:Binding" }, { type: "azure-native_appplatform_v20201101preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20210601preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20210901preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20220101preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20220301preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20220401:appplatform:Binding" }, { type: "azure-native_appplatform_v20220501preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20220901preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20221101preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20221201:appplatform:Binding" }, { type: "azure-native_appplatform_v20230101preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20230301preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20230501preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20230701preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20230901preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20231101preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20231201:appplatform:Binding" }, { type: "azure-native_appplatform_v20240101preview:appplatform:Binding" }, { type: "azure-native_appplatform_v20240501preview:appplatform:Binding" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Binding.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/buildServiceAgentPool.ts b/sdk/nodejs/appplatform/buildServiceAgentPool.ts index 943ce7879d76..2e8bb9710bda 100644 --- a/sdk/nodejs/appplatform/buildServiceAgentPool.ts +++ b/sdk/nodejs/appplatform/buildServiceAgentPool.ts @@ -99,7 +99,7 @@ export class BuildServiceAgentPool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20220101preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20220301preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20220401:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20220501preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20220901preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20221101preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20221201:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20230101preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20230301preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20230501preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20230701preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20230901preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20231101preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20231201:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20240101preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20240501preview:BuildServiceAgentPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20230701preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20230901preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20231101preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20231201:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20240101preview:BuildServiceAgentPool" }, { type: "azure-native:appplatform/v20240501preview:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20220101preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20220301preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20220401:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20220501preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20220901preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20221101preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20221201:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20230101preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20230301preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20230501preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20230701preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20230901preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20231101preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20231201:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20240101preview:appplatform:BuildServiceAgentPool" }, { type: "azure-native_appplatform_v20240501preview:appplatform:BuildServiceAgentPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BuildServiceAgentPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/buildServiceBuild.ts b/sdk/nodejs/appplatform/buildServiceBuild.ts index f0edb61c1748..f0afdb0eba3b 100644 --- a/sdk/nodejs/appplatform/buildServiceBuild.ts +++ b/sdk/nodejs/appplatform/buildServiceBuild.ts @@ -99,7 +99,7 @@ export class BuildServiceBuild extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230301preview:BuildServiceBuild" }, { type: "azure-native:appplatform/v20230501preview:BuildServiceBuild" }, { type: "azure-native:appplatform/v20230701preview:BuildServiceBuild" }, { type: "azure-native:appplatform/v20230901preview:BuildServiceBuild" }, { type: "azure-native:appplatform/v20231101preview:BuildServiceBuild" }, { type: "azure-native:appplatform/v20231201:BuildServiceBuild" }, { type: "azure-native:appplatform/v20240101preview:BuildServiceBuild" }, { type: "azure-native:appplatform/v20240501preview:BuildServiceBuild" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:BuildServiceBuild" }, { type: "azure-native:appplatform/v20230701preview:BuildServiceBuild" }, { type: "azure-native:appplatform/v20230901preview:BuildServiceBuild" }, { type: "azure-native:appplatform/v20231101preview:BuildServiceBuild" }, { type: "azure-native:appplatform/v20231201:BuildServiceBuild" }, { type: "azure-native:appplatform/v20240101preview:BuildServiceBuild" }, { type: "azure-native:appplatform/v20240501preview:BuildServiceBuild" }, { type: "azure-native_appplatform_v20230301preview:appplatform:BuildServiceBuild" }, { type: "azure-native_appplatform_v20230501preview:appplatform:BuildServiceBuild" }, { type: "azure-native_appplatform_v20230701preview:appplatform:BuildServiceBuild" }, { type: "azure-native_appplatform_v20230901preview:appplatform:BuildServiceBuild" }, { type: "azure-native_appplatform_v20231101preview:appplatform:BuildServiceBuild" }, { type: "azure-native_appplatform_v20231201:appplatform:BuildServiceBuild" }, { type: "azure-native_appplatform_v20240101preview:appplatform:BuildServiceBuild" }, { type: "azure-native_appplatform_v20240501preview:appplatform:BuildServiceBuild" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BuildServiceBuild.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/buildServiceBuilder.ts b/sdk/nodejs/appplatform/buildServiceBuilder.ts index 5bfa51b122aa..63234dae38f8 100644 --- a/sdk/nodejs/appplatform/buildServiceBuilder.ts +++ b/sdk/nodejs/appplatform/buildServiceBuilder.ts @@ -99,7 +99,7 @@ export class BuildServiceBuilder extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20220101preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20220301preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20220401:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20220501preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20220901preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20221101preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20221201:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20230101preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20230301preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20230501preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20230701preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20230901preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20231101preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20231201:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20240101preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20240501preview:BuildServiceBuilder" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20230701preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20230901preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20231101preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20231201:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20240101preview:BuildServiceBuilder" }, { type: "azure-native:appplatform/v20240501preview:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20220101preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20220301preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20220401:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20220501preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20220901preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20221101preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20221201:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20230101preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20230301preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20230501preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20230701preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20230901preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20231101preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20231201:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20240101preview:appplatform:BuildServiceBuilder" }, { type: "azure-native_appplatform_v20240501preview:appplatform:BuildServiceBuilder" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BuildServiceBuilder.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/buildpackBinding.ts b/sdk/nodejs/appplatform/buildpackBinding.ts index 51b74f39a455..61d64e4a937e 100644 --- a/sdk/nodejs/appplatform/buildpackBinding.ts +++ b/sdk/nodejs/appplatform/buildpackBinding.ts @@ -103,7 +103,7 @@ export class BuildpackBinding extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20220101preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20220301preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20220401:BuildpackBinding" }, { type: "azure-native:appplatform/v20220501preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20220901preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20221101preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20221201:BuildpackBinding" }, { type: "azure-native:appplatform/v20230101preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20230301preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20230501preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20230701preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20230901preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20231101preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20231201:BuildpackBinding" }, { type: "azure-native:appplatform/v20240101preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20240501preview:BuildpackBinding" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20230701preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20230901preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20231101preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20231201:BuildpackBinding" }, { type: "azure-native:appplatform/v20240101preview:BuildpackBinding" }, { type: "azure-native:appplatform/v20240501preview:BuildpackBinding" }, { type: "azure-native_appplatform_v20220101preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20220301preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20220401:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20220501preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20220901preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20221101preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20221201:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20230101preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20230301preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20230501preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20230701preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20230901preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20231101preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20231201:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20240101preview:appplatform:BuildpackBinding" }, { type: "azure-native_appplatform_v20240501preview:appplatform:BuildpackBinding" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BuildpackBinding.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/certificate.ts b/sdk/nodejs/appplatform/certificate.ts index 6367470b21d6..32c48d939bb8 100644 --- a/sdk/nodejs/appplatform/certificate.ts +++ b/sdk/nodejs/appplatform/certificate.ts @@ -95,7 +95,7 @@ export class Certificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20200701:Certificate" }, { type: "azure-native:appplatform/v20201101preview:Certificate" }, { type: "azure-native:appplatform/v20210601preview:Certificate" }, { type: "azure-native:appplatform/v20210901preview:Certificate" }, { type: "azure-native:appplatform/v20220101preview:Certificate" }, { type: "azure-native:appplatform/v20220301preview:Certificate" }, { type: "azure-native:appplatform/v20220401:Certificate" }, { type: "azure-native:appplatform/v20220501preview:Certificate" }, { type: "azure-native:appplatform/v20220901preview:Certificate" }, { type: "azure-native:appplatform/v20221101preview:Certificate" }, { type: "azure-native:appplatform/v20221201:Certificate" }, { type: "azure-native:appplatform/v20230101preview:Certificate" }, { type: "azure-native:appplatform/v20230301preview:Certificate" }, { type: "azure-native:appplatform/v20230501preview:Certificate" }, { type: "azure-native:appplatform/v20230701preview:Certificate" }, { type: "azure-native:appplatform/v20230901preview:Certificate" }, { type: "azure-native:appplatform/v20231101preview:Certificate" }, { type: "azure-native:appplatform/v20231201:Certificate" }, { type: "azure-native:appplatform/v20240101preview:Certificate" }, { type: "azure-native:appplatform/v20240501preview:Certificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20210601preview:Certificate" }, { type: "azure-native:appplatform/v20230501preview:Certificate" }, { type: "azure-native:appplatform/v20230701preview:Certificate" }, { type: "azure-native:appplatform/v20230901preview:Certificate" }, { type: "azure-native:appplatform/v20231101preview:Certificate" }, { type: "azure-native:appplatform/v20231201:Certificate" }, { type: "azure-native:appplatform/v20240101preview:Certificate" }, { type: "azure-native:appplatform/v20240501preview:Certificate" }, { type: "azure-native_appplatform_v20200701:appplatform:Certificate" }, { type: "azure-native_appplatform_v20201101preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20210601preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20210901preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20220101preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20220301preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20220401:appplatform:Certificate" }, { type: "azure-native_appplatform_v20220501preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20220901preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20221101preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20221201:appplatform:Certificate" }, { type: "azure-native_appplatform_v20230101preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20230301preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20230501preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20230701preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20230901preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20231101preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20231201:appplatform:Certificate" }, { type: "azure-native_appplatform_v20240101preview:appplatform:Certificate" }, { type: "azure-native_appplatform_v20240501preview:appplatform:Certificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Certificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/configServer.ts b/sdk/nodejs/appplatform/configServer.ts index 0da735615d5f..a74bc1492aec 100644 --- a/sdk/nodejs/appplatform/configServer.ts +++ b/sdk/nodejs/appplatform/configServer.ts @@ -94,7 +94,7 @@ export class ConfigServer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20200701:ConfigServer" }, { type: "azure-native:appplatform/v20201101preview:ConfigServer" }, { type: "azure-native:appplatform/v20210601preview:ConfigServer" }, { type: "azure-native:appplatform/v20210901preview:ConfigServer" }, { type: "azure-native:appplatform/v20220101preview:ConfigServer" }, { type: "azure-native:appplatform/v20220301preview:ConfigServer" }, { type: "azure-native:appplatform/v20220401:ConfigServer" }, { type: "azure-native:appplatform/v20220501preview:ConfigServer" }, { type: "azure-native:appplatform/v20220901preview:ConfigServer" }, { type: "azure-native:appplatform/v20221101preview:ConfigServer" }, { type: "azure-native:appplatform/v20221201:ConfigServer" }, { type: "azure-native:appplatform/v20230101preview:ConfigServer" }, { type: "azure-native:appplatform/v20230301preview:ConfigServer" }, { type: "azure-native:appplatform/v20230501preview:ConfigServer" }, { type: "azure-native:appplatform/v20230701preview:ConfigServer" }, { type: "azure-native:appplatform/v20230901preview:ConfigServer" }, { type: "azure-native:appplatform/v20231101preview:ConfigServer" }, { type: "azure-native:appplatform/v20231201:ConfigServer" }, { type: "azure-native:appplatform/v20240101preview:ConfigServer" }, { type: "azure-native:appplatform/v20240501preview:ConfigServer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:ConfigServer" }, { type: "azure-native:appplatform/v20230701preview:ConfigServer" }, { type: "azure-native:appplatform/v20230901preview:ConfigServer" }, { type: "azure-native:appplatform/v20231101preview:ConfigServer" }, { type: "azure-native:appplatform/v20231201:ConfigServer" }, { type: "azure-native:appplatform/v20240101preview:ConfigServer" }, { type: "azure-native:appplatform/v20240501preview:ConfigServer" }, { type: "azure-native_appplatform_v20200701:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20201101preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20210601preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20210901preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20220101preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20220301preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20220401:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20220501preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20220901preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20221101preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20221201:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20230101preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20230301preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20230501preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20230701preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20230901preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20231101preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20231201:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20240101preview:appplatform:ConfigServer" }, { type: "azure-native_appplatform_v20240501preview:appplatform:ConfigServer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigServer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/configurationService.ts b/sdk/nodejs/appplatform/configurationService.ts index 988d48651a98..ce66a60c7392 100644 --- a/sdk/nodejs/appplatform/configurationService.ts +++ b/sdk/nodejs/appplatform/configurationService.ts @@ -95,7 +95,7 @@ export class ConfigurationService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20220101preview:ConfigurationService" }, { type: "azure-native:appplatform/v20220301preview:ConfigurationService" }, { type: "azure-native:appplatform/v20220401:ConfigurationService" }, { type: "azure-native:appplatform/v20220501preview:ConfigurationService" }, { type: "azure-native:appplatform/v20220901preview:ConfigurationService" }, { type: "azure-native:appplatform/v20221101preview:ConfigurationService" }, { type: "azure-native:appplatform/v20221201:ConfigurationService" }, { type: "azure-native:appplatform/v20230101preview:ConfigurationService" }, { type: "azure-native:appplatform/v20230301preview:ConfigurationService" }, { type: "azure-native:appplatform/v20230501preview:ConfigurationService" }, { type: "azure-native:appplatform/v20230701preview:ConfigurationService" }, { type: "azure-native:appplatform/v20230901preview:ConfigurationService" }, { type: "azure-native:appplatform/v20231101preview:ConfigurationService" }, { type: "azure-native:appplatform/v20231201:ConfigurationService" }, { type: "azure-native:appplatform/v20240101preview:ConfigurationService" }, { type: "azure-native:appplatform/v20240501preview:ConfigurationService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:ConfigurationService" }, { type: "azure-native:appplatform/v20230701preview:ConfigurationService" }, { type: "azure-native:appplatform/v20230901preview:ConfigurationService" }, { type: "azure-native:appplatform/v20231101preview:ConfigurationService" }, { type: "azure-native:appplatform/v20231201:ConfigurationService" }, { type: "azure-native:appplatform/v20240101preview:ConfigurationService" }, { type: "azure-native:appplatform/v20240501preview:ConfigurationService" }, { type: "azure-native_appplatform_v20220101preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20220301preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20220401:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20220501preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20220901preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20221101preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20221201:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20230101preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20230301preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20230501preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20230701preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20230901preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20231101preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20231201:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20240101preview:appplatform:ConfigurationService" }, { type: "azure-native_appplatform_v20240501preview:appplatform:ConfigurationService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/containerRegistry.ts b/sdk/nodejs/appplatform/containerRegistry.ts index de100fef02d4..b6b9e7e907f5 100644 --- a/sdk/nodejs/appplatform/containerRegistry.ts +++ b/sdk/nodejs/appplatform/containerRegistry.ts @@ -95,7 +95,7 @@ export class ContainerRegistry extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:ContainerRegistry" }, { type: "azure-native:appplatform/v20230701preview:ContainerRegistry" }, { type: "azure-native:appplatform/v20230901preview:ContainerRegistry" }, { type: "azure-native:appplatform/v20231101preview:ContainerRegistry" }, { type: "azure-native:appplatform/v20231201:ContainerRegistry" }, { type: "azure-native:appplatform/v20240101preview:ContainerRegistry" }, { type: "azure-native:appplatform/v20240501preview:ContainerRegistry" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:ContainerRegistry" }, { type: "azure-native:appplatform/v20230701preview:ContainerRegistry" }, { type: "azure-native:appplatform/v20230901preview:ContainerRegistry" }, { type: "azure-native:appplatform/v20231101preview:ContainerRegistry" }, { type: "azure-native:appplatform/v20231201:ContainerRegistry" }, { type: "azure-native:appplatform/v20240101preview:ContainerRegistry" }, { type: "azure-native:appplatform/v20240501preview:ContainerRegistry" }, { type: "azure-native_appplatform_v20230501preview:appplatform:ContainerRegistry" }, { type: "azure-native_appplatform_v20230701preview:appplatform:ContainerRegistry" }, { type: "azure-native_appplatform_v20230901preview:appplatform:ContainerRegistry" }, { type: "azure-native_appplatform_v20231101preview:appplatform:ContainerRegistry" }, { type: "azure-native_appplatform_v20231201:appplatform:ContainerRegistry" }, { type: "azure-native_appplatform_v20240101preview:appplatform:ContainerRegistry" }, { type: "azure-native_appplatform_v20240501preview:appplatform:ContainerRegistry" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContainerRegistry.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/customDomain.ts b/sdk/nodejs/appplatform/customDomain.ts index b5cbe577281e..47304da613e4 100644 --- a/sdk/nodejs/appplatform/customDomain.ts +++ b/sdk/nodejs/appplatform/customDomain.ts @@ -99,7 +99,7 @@ export class CustomDomain extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20200701:CustomDomain" }, { type: "azure-native:appplatform/v20201101preview:CustomDomain" }, { type: "azure-native:appplatform/v20210601preview:CustomDomain" }, { type: "azure-native:appplatform/v20210901preview:CustomDomain" }, { type: "azure-native:appplatform/v20220101preview:CustomDomain" }, { type: "azure-native:appplatform/v20220301preview:CustomDomain" }, { type: "azure-native:appplatform/v20220401:CustomDomain" }, { type: "azure-native:appplatform/v20220501preview:CustomDomain" }, { type: "azure-native:appplatform/v20220901preview:CustomDomain" }, { type: "azure-native:appplatform/v20221101preview:CustomDomain" }, { type: "azure-native:appplatform/v20221201:CustomDomain" }, { type: "azure-native:appplatform/v20230101preview:CustomDomain" }, { type: "azure-native:appplatform/v20230301preview:CustomDomain" }, { type: "azure-native:appplatform/v20230501preview:CustomDomain" }, { type: "azure-native:appplatform/v20230701preview:CustomDomain" }, { type: "azure-native:appplatform/v20230901preview:CustomDomain" }, { type: "azure-native:appplatform/v20231101preview:CustomDomain" }, { type: "azure-native:appplatform/v20231201:CustomDomain" }, { type: "azure-native:appplatform/v20240101preview:CustomDomain" }, { type: "azure-native:appplatform/v20240501preview:CustomDomain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:CustomDomain" }, { type: "azure-native:appplatform/v20230701preview:CustomDomain" }, { type: "azure-native:appplatform/v20230901preview:CustomDomain" }, { type: "azure-native:appplatform/v20231101preview:CustomDomain" }, { type: "azure-native:appplatform/v20231201:CustomDomain" }, { type: "azure-native:appplatform/v20240101preview:CustomDomain" }, { type: "azure-native:appplatform/v20240501preview:CustomDomain" }, { type: "azure-native_appplatform_v20200701:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20201101preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20210601preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20210901preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20220101preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20220301preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20220401:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20220501preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20220901preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20221101preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20221201:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20230101preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20230301preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20230501preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20230701preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20230901preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20231101preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20231201:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20240101preview:appplatform:CustomDomain" }, { type: "azure-native_appplatform_v20240501preview:appplatform:CustomDomain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomDomain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/customizedAccelerator.ts b/sdk/nodejs/appplatform/customizedAccelerator.ts index e36e92bbf9c9..d787260740ba 100644 --- a/sdk/nodejs/appplatform/customizedAccelerator.ts +++ b/sdk/nodejs/appplatform/customizedAccelerator.ts @@ -105,7 +105,7 @@ export class CustomizedAccelerator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20221101preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20230101preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20230301preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20230501preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20230701preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20230901preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20231101preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20231201:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20240101preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20240501preview:CustomizedAccelerator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20230701preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20230901preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20231101preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20231201:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20240101preview:CustomizedAccelerator" }, { type: "azure-native:appplatform/v20240501preview:CustomizedAccelerator" }, { type: "azure-native_appplatform_v20221101preview:appplatform:CustomizedAccelerator" }, { type: "azure-native_appplatform_v20230101preview:appplatform:CustomizedAccelerator" }, { type: "azure-native_appplatform_v20230301preview:appplatform:CustomizedAccelerator" }, { type: "azure-native_appplatform_v20230501preview:appplatform:CustomizedAccelerator" }, { type: "azure-native_appplatform_v20230701preview:appplatform:CustomizedAccelerator" }, { type: "azure-native_appplatform_v20230901preview:appplatform:CustomizedAccelerator" }, { type: "azure-native_appplatform_v20231101preview:appplatform:CustomizedAccelerator" }, { type: "azure-native_appplatform_v20231201:appplatform:CustomizedAccelerator" }, { type: "azure-native_appplatform_v20240101preview:appplatform:CustomizedAccelerator" }, { type: "azure-native_appplatform_v20240501preview:appplatform:CustomizedAccelerator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomizedAccelerator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/deployment.ts b/sdk/nodejs/appplatform/deployment.ts index f0f8f15a9825..4da9645aa5d8 100644 --- a/sdk/nodejs/appplatform/deployment.ts +++ b/sdk/nodejs/appplatform/deployment.ts @@ -105,7 +105,7 @@ export class Deployment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20200701:Deployment" }, { type: "azure-native:appplatform/v20201101preview:Deployment" }, { type: "azure-native:appplatform/v20210601preview:Deployment" }, { type: "azure-native:appplatform/v20210901preview:Deployment" }, { type: "azure-native:appplatform/v20220101preview:Deployment" }, { type: "azure-native:appplatform/v20220301preview:Deployment" }, { type: "azure-native:appplatform/v20220401:Deployment" }, { type: "azure-native:appplatform/v20220501preview:Deployment" }, { type: "azure-native:appplatform/v20220901preview:Deployment" }, { type: "azure-native:appplatform/v20221101preview:Deployment" }, { type: "azure-native:appplatform/v20221201:Deployment" }, { type: "azure-native:appplatform/v20230101preview:Deployment" }, { type: "azure-native:appplatform/v20230301preview:Deployment" }, { type: "azure-native:appplatform/v20230501preview:Deployment" }, { type: "azure-native:appplatform/v20230701preview:Deployment" }, { type: "azure-native:appplatform/v20230901preview:Deployment" }, { type: "azure-native:appplatform/v20231101preview:Deployment" }, { type: "azure-native:appplatform/v20231201:Deployment" }, { type: "azure-native:appplatform/v20240101preview:Deployment" }, { type: "azure-native:appplatform/v20240501preview:Deployment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:Deployment" }, { type: "azure-native:appplatform/v20230701preview:Deployment" }, { type: "azure-native:appplatform/v20230901preview:Deployment" }, { type: "azure-native:appplatform/v20231101preview:Deployment" }, { type: "azure-native:appplatform/v20231201:Deployment" }, { type: "azure-native:appplatform/v20240101preview:Deployment" }, { type: "azure-native:appplatform/v20240501preview:Deployment" }, { type: "azure-native_appplatform_v20200701:appplatform:Deployment" }, { type: "azure-native_appplatform_v20201101preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20210601preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20210901preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20220101preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20220301preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20220401:appplatform:Deployment" }, { type: "azure-native_appplatform_v20220501preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20220901preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20221101preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20221201:appplatform:Deployment" }, { type: "azure-native_appplatform_v20230101preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20230301preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20230501preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20230701preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20230901preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20231101preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20231201:appplatform:Deployment" }, { type: "azure-native_appplatform_v20240101preview:appplatform:Deployment" }, { type: "azure-native_appplatform_v20240501preview:appplatform:Deployment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Deployment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/devToolPortal.ts b/sdk/nodejs/appplatform/devToolPortal.ts index 7ada5b8de6fc..a7ba0be773dc 100644 --- a/sdk/nodejs/appplatform/devToolPortal.ts +++ b/sdk/nodejs/appplatform/devToolPortal.ts @@ -95,7 +95,7 @@ export class DevToolPortal extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20221101preview:DevToolPortal" }, { type: "azure-native:appplatform/v20230101preview:DevToolPortal" }, { type: "azure-native:appplatform/v20230301preview:DevToolPortal" }, { type: "azure-native:appplatform/v20230501preview:DevToolPortal" }, { type: "azure-native:appplatform/v20230701preview:DevToolPortal" }, { type: "azure-native:appplatform/v20230901preview:DevToolPortal" }, { type: "azure-native:appplatform/v20231101preview:DevToolPortal" }, { type: "azure-native:appplatform/v20231201:DevToolPortal" }, { type: "azure-native:appplatform/v20240101preview:DevToolPortal" }, { type: "azure-native:appplatform/v20240501preview:DevToolPortal" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:DevToolPortal" }, { type: "azure-native:appplatform/v20230701preview:DevToolPortal" }, { type: "azure-native:appplatform/v20230901preview:DevToolPortal" }, { type: "azure-native:appplatform/v20231101preview:DevToolPortal" }, { type: "azure-native:appplatform/v20231201:DevToolPortal" }, { type: "azure-native:appplatform/v20240101preview:DevToolPortal" }, { type: "azure-native:appplatform/v20240501preview:DevToolPortal" }, { type: "azure-native_appplatform_v20221101preview:appplatform:DevToolPortal" }, { type: "azure-native_appplatform_v20230101preview:appplatform:DevToolPortal" }, { type: "azure-native_appplatform_v20230301preview:appplatform:DevToolPortal" }, { type: "azure-native_appplatform_v20230501preview:appplatform:DevToolPortal" }, { type: "azure-native_appplatform_v20230701preview:appplatform:DevToolPortal" }, { type: "azure-native_appplatform_v20230901preview:appplatform:DevToolPortal" }, { type: "azure-native_appplatform_v20231101preview:appplatform:DevToolPortal" }, { type: "azure-native_appplatform_v20231201:appplatform:DevToolPortal" }, { type: "azure-native_appplatform_v20240101preview:appplatform:DevToolPortal" }, { type: "azure-native_appplatform_v20240501preview:appplatform:DevToolPortal" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DevToolPortal.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/gateway.ts b/sdk/nodejs/appplatform/gateway.ts index 552a5d08ce22..580465f2516c 100644 --- a/sdk/nodejs/appplatform/gateway.ts +++ b/sdk/nodejs/appplatform/gateway.ts @@ -101,7 +101,7 @@ export class Gateway extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20220101preview:Gateway" }, { type: "azure-native:appplatform/v20220301preview:Gateway" }, { type: "azure-native:appplatform/v20220501preview:Gateway" }, { type: "azure-native:appplatform/v20220901preview:Gateway" }, { type: "azure-native:appplatform/v20221101preview:Gateway" }, { type: "azure-native:appplatform/v20221201:Gateway" }, { type: "azure-native:appplatform/v20230101preview:Gateway" }, { type: "azure-native:appplatform/v20230301preview:Gateway" }, { type: "azure-native:appplatform/v20230501preview:Gateway" }, { type: "azure-native:appplatform/v20230701preview:Gateway" }, { type: "azure-native:appplatform/v20230901preview:Gateway" }, { type: "azure-native:appplatform/v20231101preview:Gateway" }, { type: "azure-native:appplatform/v20231201:Gateway" }, { type: "azure-native:appplatform/v20240101preview:Gateway" }, { type: "azure-native:appplatform/v20240501preview:Gateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:Gateway" }, { type: "azure-native:appplatform/v20230701preview:Gateway" }, { type: "azure-native:appplatform/v20230901preview:Gateway" }, { type: "azure-native:appplatform/v20231101preview:Gateway" }, { type: "azure-native:appplatform/v20231201:Gateway" }, { type: "azure-native:appplatform/v20240101preview:Gateway" }, { type: "azure-native:appplatform/v20240501preview:Gateway" }, { type: "azure-native_appplatform_v20220101preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20220301preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20220501preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20220901preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20221101preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20221201:appplatform:Gateway" }, { type: "azure-native_appplatform_v20230101preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20230301preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20230501preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20230701preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20230901preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20231101preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20231201:appplatform:Gateway" }, { type: "azure-native_appplatform_v20240101preview:appplatform:Gateway" }, { type: "azure-native_appplatform_v20240501preview:appplatform:Gateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Gateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/gatewayCustomDomain.ts b/sdk/nodejs/appplatform/gatewayCustomDomain.ts index e46dc0256331..b191e8d2d075 100644 --- a/sdk/nodejs/appplatform/gatewayCustomDomain.ts +++ b/sdk/nodejs/appplatform/gatewayCustomDomain.ts @@ -99,7 +99,7 @@ export class GatewayCustomDomain extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20220101preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20220301preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20220501preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20220901preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20221101preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20221201:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20230101preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20230301preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20230501preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20230701preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20230901preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20231101preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20231201:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20240101preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20240501preview:GatewayCustomDomain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20230701preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20230901preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20231101preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20231201:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20240101preview:GatewayCustomDomain" }, { type: "azure-native:appplatform/v20240501preview:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20220101preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20220301preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20220501preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20220901preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20221101preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20221201:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20230101preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20230301preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20230501preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20230701preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20230901preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20231101preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20231201:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20240101preview:appplatform:GatewayCustomDomain" }, { type: "azure-native_appplatform_v20240501preview:appplatform:GatewayCustomDomain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GatewayCustomDomain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/gatewayRouteConfig.ts b/sdk/nodejs/appplatform/gatewayRouteConfig.ts index d3db23643b82..4c80d24115a4 100644 --- a/sdk/nodejs/appplatform/gatewayRouteConfig.ts +++ b/sdk/nodejs/appplatform/gatewayRouteConfig.ts @@ -99,7 +99,7 @@ export class GatewayRouteConfig extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20220101preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20220301preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20220501preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20220901preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20221101preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20221201:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20230101preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20230301preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20230501preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20230701preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20230901preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20231101preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20231201:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20240101preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20240501preview:GatewayRouteConfig" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20230701preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20230901preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20231101preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20231201:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20240101preview:GatewayRouteConfig" }, { type: "azure-native:appplatform/v20240501preview:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20220101preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20220301preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20220501preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20220901preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20221101preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20221201:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20230101preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20230301preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20230501preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20230701preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20230901preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20231101preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20231201:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20240101preview:appplatform:GatewayRouteConfig" }, { type: "azure-native_appplatform_v20240501preview:appplatform:GatewayRouteConfig" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GatewayRouteConfig.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/job.ts b/sdk/nodejs/appplatform/job.ts index eb0775f4b265..dd2a3a9ca801 100644 --- a/sdk/nodejs/appplatform/job.ts +++ b/sdk/nodejs/appplatform/job.ts @@ -93,7 +93,7 @@ export class Job extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20240501preview:Job" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20240501preview:Job" }, { type: "azure-native_appplatform_v20240501preview:appplatform:Job" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Job.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/monitoringSetting.ts b/sdk/nodejs/appplatform/monitoringSetting.ts index f931aa064eaf..95be64f7ffad 100644 --- a/sdk/nodejs/appplatform/monitoringSetting.ts +++ b/sdk/nodejs/appplatform/monitoringSetting.ts @@ -94,7 +94,7 @@ export class MonitoringSetting extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20200701:MonitoringSetting" }, { type: "azure-native:appplatform/v20201101preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20210601preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20210901preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20220101preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20220301preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20220401:MonitoringSetting" }, { type: "azure-native:appplatform/v20220501preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20220901preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20221101preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20221201:MonitoringSetting" }, { type: "azure-native:appplatform/v20230101preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20230301preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20230501preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20230701preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20230901preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20231101preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20231201:MonitoringSetting" }, { type: "azure-native:appplatform/v20240101preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20240501preview:MonitoringSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20230701preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20230901preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20231101preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20231201:MonitoringSetting" }, { type: "azure-native:appplatform/v20240101preview:MonitoringSetting" }, { type: "azure-native:appplatform/v20240501preview:MonitoringSetting" }, { type: "azure-native_appplatform_v20200701:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20201101preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20210601preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20210901preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20220101preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20220301preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20220401:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20220501preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20220901preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20221101preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20221201:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20230101preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20230301preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20230501preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20230701preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20230901preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20231101preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20231201:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20240101preview:appplatform:MonitoringSetting" }, { type: "azure-native_appplatform_v20240501preview:appplatform:MonitoringSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MonitoringSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/service.ts b/sdk/nodejs/appplatform/service.ts index ee4cf667b6ff..736835690670 100644 --- a/sdk/nodejs/appplatform/service.ts +++ b/sdk/nodejs/appplatform/service.ts @@ -109,7 +109,7 @@ export class Service extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20200701:Service" }, { type: "azure-native:appplatform/v20201101preview:Service" }, { type: "azure-native:appplatform/v20210601preview:Service" }, { type: "azure-native:appplatform/v20210901preview:Service" }, { type: "azure-native:appplatform/v20220101preview:Service" }, { type: "azure-native:appplatform/v20220301preview:Service" }, { type: "azure-native:appplatform/v20220401:Service" }, { type: "azure-native:appplatform/v20220501preview:Service" }, { type: "azure-native:appplatform/v20220901preview:Service" }, { type: "azure-native:appplatform/v20221101preview:Service" }, { type: "azure-native:appplatform/v20221201:Service" }, { type: "azure-native:appplatform/v20230101preview:Service" }, { type: "azure-native:appplatform/v20230301preview:Service" }, { type: "azure-native:appplatform/v20230501preview:Service" }, { type: "azure-native:appplatform/v20230701preview:Service" }, { type: "azure-native:appplatform/v20230901preview:Service" }, { type: "azure-native:appplatform/v20231101preview:Service" }, { type: "azure-native:appplatform/v20231201:Service" }, { type: "azure-native:appplatform/v20240101preview:Service" }, { type: "azure-native:appplatform/v20240501preview:Service" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:Service" }, { type: "azure-native:appplatform/v20230701preview:Service" }, { type: "azure-native:appplatform/v20230901preview:Service" }, { type: "azure-native:appplatform/v20231101preview:Service" }, { type: "azure-native:appplatform/v20231201:Service" }, { type: "azure-native:appplatform/v20240101preview:Service" }, { type: "azure-native:appplatform/v20240501preview:Service" }, { type: "azure-native_appplatform_v20200701:appplatform:Service" }, { type: "azure-native_appplatform_v20201101preview:appplatform:Service" }, { type: "azure-native_appplatform_v20210601preview:appplatform:Service" }, { type: "azure-native_appplatform_v20210901preview:appplatform:Service" }, { type: "azure-native_appplatform_v20220101preview:appplatform:Service" }, { type: "azure-native_appplatform_v20220301preview:appplatform:Service" }, { type: "azure-native_appplatform_v20220401:appplatform:Service" }, { type: "azure-native_appplatform_v20220501preview:appplatform:Service" }, { type: "azure-native_appplatform_v20220901preview:appplatform:Service" }, { type: "azure-native_appplatform_v20221101preview:appplatform:Service" }, { type: "azure-native_appplatform_v20221201:appplatform:Service" }, { type: "azure-native_appplatform_v20230101preview:appplatform:Service" }, { type: "azure-native_appplatform_v20230301preview:appplatform:Service" }, { type: "azure-native_appplatform_v20230501preview:appplatform:Service" }, { type: "azure-native_appplatform_v20230701preview:appplatform:Service" }, { type: "azure-native_appplatform_v20230901preview:appplatform:Service" }, { type: "azure-native_appplatform_v20231101preview:appplatform:Service" }, { type: "azure-native_appplatform_v20231201:appplatform:Service" }, { type: "azure-native_appplatform_v20240101preview:appplatform:Service" }, { type: "azure-native_appplatform_v20240501preview:appplatform:Service" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Service.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/serviceRegistry.ts b/sdk/nodejs/appplatform/serviceRegistry.ts index 4fa09fe69c79..7cb3eb60f19a 100644 --- a/sdk/nodejs/appplatform/serviceRegistry.ts +++ b/sdk/nodejs/appplatform/serviceRegistry.ts @@ -95,7 +95,7 @@ export class ServiceRegistry extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20220101preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20220301preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20220401:ServiceRegistry" }, { type: "azure-native:appplatform/v20220501preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20220901preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20221101preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20221201:ServiceRegistry" }, { type: "azure-native:appplatform/v20230101preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20230301preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20230501preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20230701preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20230901preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20231101preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20231201:ServiceRegistry" }, { type: "azure-native:appplatform/v20240101preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20240501preview:ServiceRegistry" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20230701preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20230901preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20231101preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20231201:ServiceRegistry" }, { type: "azure-native:appplatform/v20240101preview:ServiceRegistry" }, { type: "azure-native:appplatform/v20240501preview:ServiceRegistry" }, { type: "azure-native_appplatform_v20220101preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20220301preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20220401:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20220501preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20220901preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20221101preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20221201:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20230101preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20230301preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20230501preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20230701preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20230901preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20231101preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20231201:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20240101preview:appplatform:ServiceRegistry" }, { type: "azure-native_appplatform_v20240501preview:appplatform:ServiceRegistry" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServiceRegistry.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/appplatform/storage.ts b/sdk/nodejs/appplatform/storage.ts index 30e2c612dfe1..b3c9b4e25627 100644 --- a/sdk/nodejs/appplatform/storage.ts +++ b/sdk/nodejs/appplatform/storage.ts @@ -95,7 +95,7 @@ export class Storage extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20210901preview:Storage" }, { type: "azure-native:appplatform/v20220101preview:Storage" }, { type: "azure-native:appplatform/v20220301preview:Storage" }, { type: "azure-native:appplatform/v20220501preview:Storage" }, { type: "azure-native:appplatform/v20220901preview:Storage" }, { type: "azure-native:appplatform/v20221101preview:Storage" }, { type: "azure-native:appplatform/v20221201:Storage" }, { type: "azure-native:appplatform/v20230101preview:Storage" }, { type: "azure-native:appplatform/v20230301preview:Storage" }, { type: "azure-native:appplatform/v20230501preview:Storage" }, { type: "azure-native:appplatform/v20230701preview:Storage" }, { type: "azure-native:appplatform/v20230901preview:Storage" }, { type: "azure-native:appplatform/v20231101preview:Storage" }, { type: "azure-native:appplatform/v20231201:Storage" }, { type: "azure-native:appplatform/v20240101preview:Storage" }, { type: "azure-native:appplatform/v20240501preview:Storage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:appplatform/v20230501preview:Storage" }, { type: "azure-native:appplatform/v20230701preview:Storage" }, { type: "azure-native:appplatform/v20230901preview:Storage" }, { type: "azure-native:appplatform/v20231101preview:Storage" }, { type: "azure-native:appplatform/v20231201:Storage" }, { type: "azure-native:appplatform/v20240101preview:Storage" }, { type: "azure-native:appplatform/v20240501preview:Storage" }, { type: "azure-native_appplatform_v20210901preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20220101preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20220301preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20220501preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20220901preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20221101preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20221201:appplatform:Storage" }, { type: "azure-native_appplatform_v20230101preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20230301preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20230501preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20230701preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20230901preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20231101preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20231201:appplatform:Storage" }, { type: "azure-native_appplatform_v20240101preview:appplatform:Storage" }, { type: "azure-native_appplatform_v20240501preview:appplatform:Storage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Storage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/attestation/attestationProvider.ts b/sdk/nodejs/attestation/attestationProvider.ts index 40b05a277357..04fa9ecbe45b 100644 --- a/sdk/nodejs/attestation/attestationProvider.ts +++ b/sdk/nodejs/attestation/attestationProvider.ts @@ -135,7 +135,7 @@ export class AttestationProvider extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:attestation/v20180901preview:AttestationProvider" }, { type: "azure-native:attestation/v20201001:AttestationProvider" }, { type: "azure-native:attestation/v20210601:AttestationProvider" }, { type: "azure-native:attestation/v20210601preview:AttestationProvider" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:attestation/v20210601:AttestationProvider" }, { type: "azure-native:attestation/v20210601preview:AttestationProvider" }, { type: "azure-native_attestation_v20180901preview:attestation:AttestationProvider" }, { type: "azure-native_attestation_v20201001:attestation:AttestationProvider" }, { type: "azure-native_attestation_v20210601:attestation:AttestationProvider" }, { type: "azure-native_attestation_v20210601preview:attestation:AttestationProvider" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AttestationProvider.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/attestation/privateEndpointConnection.ts b/sdk/nodejs/attestation/privateEndpointConnection.ts index 17a5ac73ccf4..c7d900f806fd 100644 --- a/sdk/nodejs/attestation/privateEndpointConnection.ts +++ b/sdk/nodejs/attestation/privateEndpointConnection.ts @@ -102,7 +102,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:attestation/v20201001:PrivateEndpointConnection" }, { type: "azure-native:attestation/v20210601:PrivateEndpointConnection" }, { type: "azure-native:attestation/v20210601preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:attestation/v20210601:PrivateEndpointConnection" }, { type: "azure-native:attestation/v20210601preview:PrivateEndpointConnection" }, { type: "azure-native_attestation_v20201001:attestation:PrivateEndpointConnection" }, { type: "azure-native_attestation_v20210601:attestation:PrivateEndpointConnection" }, { type: "azure-native_attestation_v20210601preview:attestation:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/accessReviewHistoryDefinitionById.ts b/sdk/nodejs/authorization/accessReviewHistoryDefinitionById.ts index a2698a1bee8f..d140f871d4c7 100644 --- a/sdk/nodejs/authorization/accessReviewHistoryDefinitionById.ts +++ b/sdk/nodejs/authorization/accessReviewHistoryDefinitionById.ts @@ -159,7 +159,7 @@ export class AccessReviewHistoryDefinitionById extends pulumi.CustomResource { resourceInputs["userPrincipalName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20211116preview:AccessReviewHistoryDefinitionById" }, { type: "azure-native:authorization/v20211201preview:AccessReviewHistoryDefinitionById" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20211201preview:AccessReviewHistoryDefinitionById" }, { type: "azure-native_authorization_v20211116preview:authorization:AccessReviewHistoryDefinitionById" }, { type: "azure-native_authorization_v20211201preview:authorization:AccessReviewHistoryDefinitionById" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccessReviewHistoryDefinitionById.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/accessReviewScheduleDefinitionById.ts b/sdk/nodejs/authorization/accessReviewScheduleDefinitionById.ts index bd4842f6912f..6806865ba743 100644 --- a/sdk/nodejs/authorization/accessReviewScheduleDefinitionById.ts +++ b/sdk/nodejs/authorization/accessReviewScheduleDefinitionById.ts @@ -225,7 +225,7 @@ export class AccessReviewScheduleDefinitionById extends pulumi.CustomResource { resourceInputs["userPrincipalName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20180501preview:AccessReviewScheduleDefinitionById" }, { type: "azure-native:authorization/v20210301preview:AccessReviewScheduleDefinitionById" }, { type: "azure-native:authorization/v20210701preview:AccessReviewScheduleDefinitionById" }, { type: "azure-native:authorization/v20211116preview:AccessReviewScheduleDefinitionById" }, { type: "azure-native:authorization/v20211201preview:AccessReviewScheduleDefinitionById" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20211201preview:AccessReviewScheduleDefinitionById" }, { type: "azure-native_authorization_v20180501preview:authorization:AccessReviewScheduleDefinitionById" }, { type: "azure-native_authorization_v20210301preview:authorization:AccessReviewScheduleDefinitionById" }, { type: "azure-native_authorization_v20210701preview:authorization:AccessReviewScheduleDefinitionById" }, { type: "azure-native_authorization_v20211116preview:authorization:AccessReviewScheduleDefinitionById" }, { type: "azure-native_authorization_v20211201preview:authorization:AccessReviewScheduleDefinitionById" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccessReviewScheduleDefinitionById.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/managementLockAtResourceGroupLevel.ts b/sdk/nodejs/authorization/managementLockAtResourceGroupLevel.ts index d731ed0fc970..5e25fafac708 100644 --- a/sdk/nodejs/authorization/managementLockAtResourceGroupLevel.ts +++ b/sdk/nodejs/authorization/managementLockAtResourceGroupLevel.ts @@ -104,7 +104,7 @@ export class ManagementLockAtResourceGroupLevel extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20150101:ManagementLockAtResourceGroupLevel" }, { type: "azure-native:authorization/v20160901:ManagementLockAtResourceGroupLevel" }, { type: "azure-native:authorization/v20170401:ManagementLockAtResourceGroupLevel" }, { type: "azure-native:authorization/v20200501:ManagementLockAtResourceGroupLevel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20200501:ManagementLockAtResourceGroupLevel" }, { type: "azure-native_authorization_v20150101:authorization:ManagementLockAtResourceGroupLevel" }, { type: "azure-native_authorization_v20160901:authorization:ManagementLockAtResourceGroupLevel" }, { type: "azure-native_authorization_v20170401:authorization:ManagementLockAtResourceGroupLevel" }, { type: "azure-native_authorization_v20200501:authorization:ManagementLockAtResourceGroupLevel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagementLockAtResourceGroupLevel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/managementLockAtResourceLevel.ts b/sdk/nodejs/authorization/managementLockAtResourceLevel.ts index b29952e8b8f4..61ce1dc92c7e 100644 --- a/sdk/nodejs/authorization/managementLockAtResourceLevel.ts +++ b/sdk/nodejs/authorization/managementLockAtResourceLevel.ts @@ -124,7 +124,7 @@ export class ManagementLockAtResourceLevel extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20160901:ManagementLockAtResourceLevel" }, { type: "azure-native:authorization/v20170401:ManagementLockAtResourceLevel" }, { type: "azure-native:authorization/v20200501:ManagementLockAtResourceLevel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20200501:ManagementLockAtResourceLevel" }, { type: "azure-native_authorization_v20160901:authorization:ManagementLockAtResourceLevel" }, { type: "azure-native_authorization_v20170401:authorization:ManagementLockAtResourceLevel" }, { type: "azure-native_authorization_v20200501:authorization:ManagementLockAtResourceLevel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagementLockAtResourceLevel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/managementLockAtSubscriptionLevel.ts b/sdk/nodejs/authorization/managementLockAtSubscriptionLevel.ts index 3144d0650b01..a895d8b3a618 100644 --- a/sdk/nodejs/authorization/managementLockAtSubscriptionLevel.ts +++ b/sdk/nodejs/authorization/managementLockAtSubscriptionLevel.ts @@ -100,7 +100,7 @@ export class ManagementLockAtSubscriptionLevel extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20150101:ManagementLockAtSubscriptionLevel" }, { type: "azure-native:authorization/v20160901:ManagementLockAtSubscriptionLevel" }, { type: "azure-native:authorization/v20170401:ManagementLockAtSubscriptionLevel" }, { type: "azure-native:authorization/v20200501:ManagementLockAtSubscriptionLevel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20200501:ManagementLockAtSubscriptionLevel" }, { type: "azure-native_authorization_v20150101:authorization:ManagementLockAtSubscriptionLevel" }, { type: "azure-native_authorization_v20160901:authorization:ManagementLockAtSubscriptionLevel" }, { type: "azure-native_authorization_v20170401:authorization:ManagementLockAtSubscriptionLevel" }, { type: "azure-native_authorization_v20200501:authorization:ManagementLockAtSubscriptionLevel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagementLockAtSubscriptionLevel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/managementLockByScope.ts b/sdk/nodejs/authorization/managementLockByScope.ts index 9aefafb89ea8..f36eef766c18 100644 --- a/sdk/nodejs/authorization/managementLockByScope.ts +++ b/sdk/nodejs/authorization/managementLockByScope.ts @@ -104,7 +104,7 @@ export class ManagementLockByScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20160901:ManagementLockByScope" }, { type: "azure-native:authorization/v20170401:ManagementLockByScope" }, { type: "azure-native:authorization/v20200501:ManagementLockByScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20200501:ManagementLockByScope" }, { type: "azure-native_authorization_v20160901:authorization:ManagementLockByScope" }, { type: "azure-native_authorization_v20170401:authorization:ManagementLockByScope" }, { type: "azure-native_authorization_v20200501:authorization:ManagementLockByScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagementLockByScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/pimRoleEligibilitySchedule.ts b/sdk/nodejs/authorization/pimRoleEligibilitySchedule.ts index 5683879ced32..7260334812de 100644 --- a/sdk/nodejs/authorization/pimRoleEligibilitySchedule.ts +++ b/sdk/nodejs/authorization/pimRoleEligibilitySchedule.ts @@ -193,7 +193,7 @@ export class PimRoleEligibilitySchedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20201001:PimRoleEligibilitySchedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_authorization_v20201001:authorization:PimRoleEligibilitySchedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PimRoleEligibilitySchedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/policyAssignment.ts b/sdk/nodejs/authorization/policyAssignment.ts index 42baee4931fb..593192020edd 100644 --- a/sdk/nodejs/authorization/policyAssignment.ts +++ b/sdk/nodejs/authorization/policyAssignment.ts @@ -192,7 +192,7 @@ export class PolicyAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20151001preview:PolicyAssignment" }, { type: "azure-native:authorization/v20160401:PolicyAssignment" }, { type: "azure-native:authorization/v20161201:PolicyAssignment" }, { type: "azure-native:authorization/v20170601preview:PolicyAssignment" }, { type: "azure-native:authorization/v20180301:PolicyAssignment" }, { type: "azure-native:authorization/v20180501:PolicyAssignment" }, { type: "azure-native:authorization/v20190101:PolicyAssignment" }, { type: "azure-native:authorization/v20190601:PolicyAssignment" }, { type: "azure-native:authorization/v20190901:PolicyAssignment" }, { type: "azure-native:authorization/v20200301:PolicyAssignment" }, { type: "azure-native:authorization/v20200901:PolicyAssignment" }, { type: "azure-native:authorization/v20210601:PolicyAssignment" }, { type: "azure-native:authorization/v20220601:PolicyAssignment" }, { type: "azure-native:authorization/v20230401:PolicyAssignment" }, { type: "azure-native:authorization/v20240401:PolicyAssignment" }, { type: "azure-native:authorization/v20240501:PolicyAssignment" }, { type: "azure-native:authorization/v20250101:PolicyAssignment" }, { type: "azure-native:authorization/v20250301:PolicyAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20190601:PolicyAssignment" }, { type: "azure-native:authorization/v20200301:PolicyAssignment" }, { type: "azure-native:authorization/v20220601:PolicyAssignment" }, { type: "azure-native:authorization/v20230401:PolicyAssignment" }, { type: "azure-native:authorization/v20240401:PolicyAssignment" }, { type: "azure-native:authorization/v20240501:PolicyAssignment" }, { type: "azure-native:authorization/v20250101:PolicyAssignment" }, { type: "azure-native_authorization_v20151001preview:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20160401:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20161201:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20170601preview:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20180301:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20180501:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20190101:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20190601:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20190901:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20200301:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20200901:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20210601:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20220601:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20230401:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20240401:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20240501:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20250101:authorization:PolicyAssignment" }, { type: "azure-native_authorization_v20250301:authorization:PolicyAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicyAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/policyDefinition.ts b/sdk/nodejs/authorization/policyDefinition.ts index dc15f7810547..83298bce4158 100644 --- a/sdk/nodejs/authorization/policyDefinition.ts +++ b/sdk/nodejs/authorization/policyDefinition.ts @@ -135,7 +135,7 @@ export class PolicyDefinition extends pulumi.CustomResource { resourceInputs["versions"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20151001preview:PolicyDefinition" }, { type: "azure-native:authorization/v20160401:PolicyDefinition" }, { type: "azure-native:authorization/v20161201:PolicyDefinition" }, { type: "azure-native:authorization/v20180301:PolicyDefinition" }, { type: "azure-native:authorization/v20180501:PolicyDefinition" }, { type: "azure-native:authorization/v20190101:PolicyDefinition" }, { type: "azure-native:authorization/v20190601:PolicyDefinition" }, { type: "azure-native:authorization/v20190901:PolicyDefinition" }, { type: "azure-native:authorization/v20200301:PolicyDefinition" }, { type: "azure-native:authorization/v20200901:PolicyDefinition" }, { type: "azure-native:authorization/v20210601:PolicyDefinition" }, { type: "azure-native:authorization/v20230401:PolicyDefinition" }, { type: "azure-native:authorization/v20240501:PolicyDefinition" }, { type: "azure-native:authorization/v20250101:PolicyDefinition" }, { type: "azure-native:authorization/v20250301:PolicyDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20180501:PolicyDefinition" }, { type: "azure-native:authorization/v20190601:PolicyDefinition" }, { type: "azure-native:authorization/v20210601:PolicyDefinition" }, { type: "azure-native:authorization/v20230401:PolicyDefinition" }, { type: "azure-native:authorization/v20240501:PolicyDefinition" }, { type: "azure-native:authorization/v20250101:PolicyDefinition" }, { type: "azure-native_authorization_v20151001preview:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20160401:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20161201:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20180301:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20180501:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20190101:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20190601:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20190901:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20200301:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20200901:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20210601:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20230401:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20240501:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20250101:authorization:PolicyDefinition" }, { type: "azure-native_authorization_v20250301:authorization:PolicyDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicyDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/policyDefinitionAtManagementGroup.ts b/sdk/nodejs/authorization/policyDefinitionAtManagementGroup.ts index 181a0236d52c..1bc7144687db 100644 --- a/sdk/nodejs/authorization/policyDefinitionAtManagementGroup.ts +++ b/sdk/nodejs/authorization/policyDefinitionAtManagementGroup.ts @@ -139,7 +139,7 @@ export class PolicyDefinitionAtManagementGroup extends pulumi.CustomResource { resourceInputs["versions"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20161201:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20180301:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20180501:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20190101:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20190601:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20190901:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20200301:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20200901:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20210601:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20230401:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20240501:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20250101:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20250301:PolicyDefinitionAtManagementGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20180501:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20190601:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20210601:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20230401:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20240501:PolicyDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20250101:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20161201:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20180301:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20180501:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20190101:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20190601:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20190901:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20200301:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20200901:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20210601:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20230401:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20240501:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20250101:authorization:PolicyDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20250301:authorization:PolicyDefinitionAtManagementGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicyDefinitionAtManagementGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/policyDefinitionVersion.ts b/sdk/nodejs/authorization/policyDefinitionVersion.ts index c5683cfa5f41..983ce71e62e7 100644 --- a/sdk/nodejs/authorization/policyDefinitionVersion.ts +++ b/sdk/nodejs/authorization/policyDefinitionVersion.ts @@ -133,7 +133,7 @@ export class PolicyDefinitionVersion extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20230401:PolicyDefinitionVersion" }, { type: "azure-native:authorization/v20240501:PolicyDefinitionVersion" }, { type: "azure-native:authorization/v20250101:PolicyDefinitionVersion" }, { type: "azure-native:authorization/v20250301:PolicyDefinitionVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20230401:PolicyDefinitionVersion" }, { type: "azure-native:authorization/v20240501:PolicyDefinitionVersion" }, { type: "azure-native:authorization/v20250101:PolicyDefinitionVersion" }, { type: "azure-native_authorization_v20230401:authorization:PolicyDefinitionVersion" }, { type: "azure-native_authorization_v20240501:authorization:PolicyDefinitionVersion" }, { type: "azure-native_authorization_v20250101:authorization:PolicyDefinitionVersion" }, { type: "azure-native_authorization_v20250301:authorization:PolicyDefinitionVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicyDefinitionVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/policyDefinitionVersionAtManagementGroup.ts b/sdk/nodejs/authorization/policyDefinitionVersionAtManagementGroup.ts index 0a753bb7f584..911e7ab90e93 100644 --- a/sdk/nodejs/authorization/policyDefinitionVersionAtManagementGroup.ts +++ b/sdk/nodejs/authorization/policyDefinitionVersionAtManagementGroup.ts @@ -137,7 +137,7 @@ export class PolicyDefinitionVersionAtManagementGroup extends pulumi.CustomResou resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20230401:PolicyDefinitionVersionAtManagementGroup" }, { type: "azure-native:authorization/v20240501:PolicyDefinitionVersionAtManagementGroup" }, { type: "azure-native:authorization/v20250101:PolicyDefinitionVersionAtManagementGroup" }, { type: "azure-native:authorization/v20250301:PolicyDefinitionVersionAtManagementGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20230401:PolicyDefinitionVersionAtManagementGroup" }, { type: "azure-native:authorization/v20240501:PolicyDefinitionVersionAtManagementGroup" }, { type: "azure-native:authorization/v20250101:PolicyDefinitionVersionAtManagementGroup" }, { type: "azure-native_authorization_v20230401:authorization:PolicyDefinitionVersionAtManagementGroup" }, { type: "azure-native_authorization_v20240501:authorization:PolicyDefinitionVersionAtManagementGroup" }, { type: "azure-native_authorization_v20250101:authorization:PolicyDefinitionVersionAtManagementGroup" }, { type: "azure-native_authorization_v20250301:authorization:PolicyDefinitionVersionAtManagementGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicyDefinitionVersionAtManagementGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/policyExemption.ts b/sdk/nodejs/authorization/policyExemption.ts index 1334f2ca3a14..d76df03f48fc 100644 --- a/sdk/nodejs/authorization/policyExemption.ts +++ b/sdk/nodejs/authorization/policyExemption.ts @@ -145,7 +145,7 @@ export class PolicyExemption extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20200701preview:PolicyExemption" }, { type: "azure-native:authorization/v20220701preview:PolicyExemption" }, { type: "azure-native:authorization/v20241201preview:PolicyExemption" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20220701preview:PolicyExemption" }, { type: "azure-native_authorization_v20200701preview:authorization:PolicyExemption" }, { type: "azure-native_authorization_v20220701preview:authorization:PolicyExemption" }, { type: "azure-native_authorization_v20241201preview:authorization:PolicyExemption" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicyExemption.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/policySetDefinition.ts b/sdk/nodejs/authorization/policySetDefinition.ts index c405f65e7219..e1bde07c75ac 100644 --- a/sdk/nodejs/authorization/policySetDefinition.ts +++ b/sdk/nodejs/authorization/policySetDefinition.ts @@ -138,7 +138,7 @@ export class PolicySetDefinition extends pulumi.CustomResource { resourceInputs["versions"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20170601preview:PolicySetDefinition" }, { type: "azure-native:authorization/v20180301:PolicySetDefinition" }, { type: "azure-native:authorization/v20180501:PolicySetDefinition" }, { type: "azure-native:authorization/v20190101:PolicySetDefinition" }, { type: "azure-native:authorization/v20190601:PolicySetDefinition" }, { type: "azure-native:authorization/v20190901:PolicySetDefinition" }, { type: "azure-native:authorization/v20200301:PolicySetDefinition" }, { type: "azure-native:authorization/v20200901:PolicySetDefinition" }, { type: "azure-native:authorization/v20210601:PolicySetDefinition" }, { type: "azure-native:authorization/v20230401:PolicySetDefinition" }, { type: "azure-native:authorization/v20240501:PolicySetDefinition" }, { type: "azure-native:authorization/v20250101:PolicySetDefinition" }, { type: "azure-native:authorization/v20250301:PolicySetDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20190601:PolicySetDefinition" }, { type: "azure-native:authorization/v20210601:PolicySetDefinition" }, { type: "azure-native:authorization/v20230401:PolicySetDefinition" }, { type: "azure-native:authorization/v20240501:PolicySetDefinition" }, { type: "azure-native:authorization/v20250101:PolicySetDefinition" }, { type: "azure-native_authorization_v20170601preview:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20180301:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20180501:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20190101:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20190601:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20190901:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20200301:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20200901:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20210601:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20230401:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20240501:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20250101:authorization:PolicySetDefinition" }, { type: "azure-native_authorization_v20250301:authorization:PolicySetDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicySetDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/policySetDefinitionAtManagementGroup.ts b/sdk/nodejs/authorization/policySetDefinitionAtManagementGroup.ts index 83ebd53a31a3..b32f5cde0bc3 100644 --- a/sdk/nodejs/authorization/policySetDefinitionAtManagementGroup.ts +++ b/sdk/nodejs/authorization/policySetDefinitionAtManagementGroup.ts @@ -142,7 +142,7 @@ export class PolicySetDefinitionAtManagementGroup extends pulumi.CustomResource resourceInputs["versions"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20170601preview:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20180301:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20180501:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20190101:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20190601:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20190901:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20200301:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20200901:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20210601:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20230401:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20240501:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20250101:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20250301:PolicySetDefinitionAtManagementGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20190601:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20210601:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20230401:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20240501:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native:authorization/v20250101:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20170601preview:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20180301:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20180501:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20190101:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20190601:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20190901:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20200301:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20200901:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20210601:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20230401:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20240501:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20250101:authorization:PolicySetDefinitionAtManagementGroup" }, { type: "azure-native_authorization_v20250301:authorization:PolicySetDefinitionAtManagementGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicySetDefinitionAtManagementGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/policySetDefinitionVersion.ts b/sdk/nodejs/authorization/policySetDefinitionVersion.ts index e189d30d1199..3ab106d5aade 100644 --- a/sdk/nodejs/authorization/policySetDefinitionVersion.ts +++ b/sdk/nodejs/authorization/policySetDefinitionVersion.ts @@ -136,7 +136,7 @@ export class PolicySetDefinitionVersion extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20230401:PolicySetDefinitionVersion" }, { type: "azure-native:authorization/v20240501:PolicySetDefinitionVersion" }, { type: "azure-native:authorization/v20250101:PolicySetDefinitionVersion" }, { type: "azure-native:authorization/v20250301:PolicySetDefinitionVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20230401:PolicySetDefinitionVersion" }, { type: "azure-native:authorization/v20240501:PolicySetDefinitionVersion" }, { type: "azure-native:authorization/v20250101:PolicySetDefinitionVersion" }, { type: "azure-native_authorization_v20230401:authorization:PolicySetDefinitionVersion" }, { type: "azure-native_authorization_v20240501:authorization:PolicySetDefinitionVersion" }, { type: "azure-native_authorization_v20250101:authorization:PolicySetDefinitionVersion" }, { type: "azure-native_authorization_v20250301:authorization:PolicySetDefinitionVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicySetDefinitionVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/policySetDefinitionVersionAtManagementGroup.ts b/sdk/nodejs/authorization/policySetDefinitionVersionAtManagementGroup.ts index 651f8781793f..12d7e93e2963 100644 --- a/sdk/nodejs/authorization/policySetDefinitionVersionAtManagementGroup.ts +++ b/sdk/nodejs/authorization/policySetDefinitionVersionAtManagementGroup.ts @@ -140,7 +140,7 @@ export class PolicySetDefinitionVersionAtManagementGroup extends pulumi.CustomRe resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20230401:PolicySetDefinitionVersionAtManagementGroup" }, { type: "azure-native:authorization/v20240501:PolicySetDefinitionVersionAtManagementGroup" }, { type: "azure-native:authorization/v20250101:PolicySetDefinitionVersionAtManagementGroup" }, { type: "azure-native:authorization/v20250301:PolicySetDefinitionVersionAtManagementGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20230401:PolicySetDefinitionVersionAtManagementGroup" }, { type: "azure-native:authorization/v20240501:PolicySetDefinitionVersionAtManagementGroup" }, { type: "azure-native:authorization/v20250101:PolicySetDefinitionVersionAtManagementGroup" }, { type: "azure-native_authorization_v20230401:authorization:PolicySetDefinitionVersionAtManagementGroup" }, { type: "azure-native_authorization_v20240501:authorization:PolicySetDefinitionVersionAtManagementGroup" }, { type: "azure-native_authorization_v20250101:authorization:PolicySetDefinitionVersionAtManagementGroup" }, { type: "azure-native_authorization_v20250301:authorization:PolicySetDefinitionVersionAtManagementGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicySetDefinitionVersionAtManagementGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/privateLinkAssociation.ts b/sdk/nodejs/authorization/privateLinkAssociation.ts index f396e655a84b..cd2b8acf28da 100644 --- a/sdk/nodejs/authorization/privateLinkAssociation.ts +++ b/sdk/nodejs/authorization/privateLinkAssociation.ts @@ -81,7 +81,7 @@ export class PrivateLinkAssociation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20200501:PrivateLinkAssociation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20200501:PrivateLinkAssociation" }, { type: "azure-native_authorization_v20200501:authorization:PrivateLinkAssociation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkAssociation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/resourceManagementPrivateLink.ts b/sdk/nodejs/authorization/resourceManagementPrivateLink.ts index 493fb44754ce..f10a7e1b98b5 100644 --- a/sdk/nodejs/authorization/resourceManagementPrivateLink.ts +++ b/sdk/nodejs/authorization/resourceManagementPrivateLink.ts @@ -84,7 +84,7 @@ export class ResourceManagementPrivateLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20200501:ResourceManagementPrivateLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20200501:ResourceManagementPrivateLink" }, { type: "azure-native_authorization_v20200501:authorization:ResourceManagementPrivateLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ResourceManagementPrivateLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/roleAssignment.ts b/sdk/nodejs/authorization/roleAssignment.ts index 7ce93b7fac41..99adf9a3fd3e 100644 --- a/sdk/nodejs/authorization/roleAssignment.ts +++ b/sdk/nodejs/authorization/roleAssignment.ts @@ -156,7 +156,7 @@ export class RoleAssignment extends pulumi.CustomResource { resourceInputs["updatedOn"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20150701:RoleAssignment" }, { type: "azure-native:authorization/v20171001preview:RoleAssignment" }, { type: "azure-native:authorization/v20180101preview:RoleAssignment" }, { type: "azure-native:authorization/v20180901preview:RoleAssignment" }, { type: "azure-native:authorization/v20200301preview:RoleAssignment" }, { type: "azure-native:authorization/v20200401preview:RoleAssignment" }, { type: "azure-native:authorization/v20200801preview:RoleAssignment" }, { type: "azure-native:authorization/v20201001preview:RoleAssignment" }, { type: "azure-native:authorization/v20220401:RoleAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20171001preview:RoleAssignment" }, { type: "azure-native:authorization/v20200301preview:RoleAssignment" }, { type: "azure-native:authorization/v20200401preview:RoleAssignment" }, { type: "azure-native:authorization/v20220401:RoleAssignment" }, { type: "azure-native_authorization_v20150701:authorization:RoleAssignment" }, { type: "azure-native_authorization_v20171001preview:authorization:RoleAssignment" }, { type: "azure-native_authorization_v20180101preview:authorization:RoleAssignment" }, { type: "azure-native_authorization_v20180901preview:authorization:RoleAssignment" }, { type: "azure-native_authorization_v20200301preview:authorization:RoleAssignment" }, { type: "azure-native_authorization_v20200401preview:authorization:RoleAssignment" }, { type: "azure-native_authorization_v20200801preview:authorization:RoleAssignment" }, { type: "azure-native_authorization_v20201001preview:authorization:RoleAssignment" }, { type: "azure-native_authorization_v20220401:authorization:RoleAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RoleAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/roleDefinition.ts b/sdk/nodejs/authorization/roleDefinition.ts index dcb340afc6f8..210b867d5425 100644 --- a/sdk/nodejs/authorization/roleDefinition.ts +++ b/sdk/nodejs/authorization/roleDefinition.ts @@ -133,7 +133,7 @@ export class RoleDefinition extends pulumi.CustomResource { resourceInputs["updatedOn"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20150701:RoleDefinition" }, { type: "azure-native:authorization/v20180101preview:RoleDefinition" }, { type: "azure-native:authorization/v20220401:RoleDefinition" }, { type: "azure-native:authorization/v20220501preview:RoleDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20220501preview:RoleDefinition" }, { type: "azure-native_authorization_v20150701:authorization:RoleDefinition" }, { type: "azure-native_authorization_v20180101preview:authorization:RoleDefinition" }, { type: "azure-native_authorization_v20220401:authorization:RoleDefinition" }, { type: "azure-native_authorization_v20220501preview:authorization:RoleDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RoleDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/roleManagementPolicy.ts b/sdk/nodejs/authorization/roleManagementPolicy.ts index 19e9ef812b55..43e85c53ad32 100644 --- a/sdk/nodejs/authorization/roleManagementPolicy.ts +++ b/sdk/nodejs/authorization/roleManagementPolicy.ts @@ -132,7 +132,7 @@ export class RoleManagementPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20201001:RoleManagementPolicy" }, { type: "azure-native:authorization/v20201001preview:RoleManagementPolicy" }, { type: "azure-native:authorization/v20240201preview:RoleManagementPolicy" }, { type: "azure-native:authorization/v20240901preview:RoleManagementPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_authorization_v20201001:authorization:RoleManagementPolicy" }, { type: "azure-native_authorization_v20201001preview:authorization:RoleManagementPolicy" }, { type: "azure-native_authorization_v20240201preview:authorization:RoleManagementPolicy" }, { type: "azure-native_authorization_v20240901preview:authorization:RoleManagementPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RoleManagementPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/roleManagementPolicyAssignment.ts b/sdk/nodejs/authorization/roleManagementPolicyAssignment.ts index 2c8fe018fb01..2188890a2f44 100644 --- a/sdk/nodejs/authorization/roleManagementPolicyAssignment.ts +++ b/sdk/nodejs/authorization/roleManagementPolicyAssignment.ts @@ -108,7 +108,7 @@ export class RoleManagementPolicyAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20201001:RoleManagementPolicyAssignment" }, { type: "azure-native:authorization/v20201001preview:RoleManagementPolicyAssignment" }, { type: "azure-native:authorization/v20240201preview:RoleManagementPolicyAssignment" }, { type: "azure-native:authorization/v20240901preview:RoleManagementPolicyAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20201001:RoleManagementPolicyAssignment" }, { type: "azure-native:authorization/v20201001preview:RoleManagementPolicyAssignment" }, { type: "azure-native:authorization/v20240201preview:RoleManagementPolicyAssignment" }, { type: "azure-native:authorization/v20240901preview:RoleManagementPolicyAssignment" }, { type: "azure-native_authorization_v20201001:authorization:RoleManagementPolicyAssignment" }, { type: "azure-native_authorization_v20201001preview:authorization:RoleManagementPolicyAssignment" }, { type: "azure-native_authorization_v20240201preview:authorization:RoleManagementPolicyAssignment" }, { type: "azure-native_authorization_v20240901preview:authorization:RoleManagementPolicyAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RoleManagementPolicyAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/scopeAccessReviewHistoryDefinitionById.ts b/sdk/nodejs/authorization/scopeAccessReviewHistoryDefinitionById.ts index 47d19b3b97a7..0b600b0783fb 100644 --- a/sdk/nodejs/authorization/scopeAccessReviewHistoryDefinitionById.ts +++ b/sdk/nodejs/authorization/scopeAccessReviewHistoryDefinitionById.ts @@ -161,7 +161,7 @@ export class ScopeAccessReviewHistoryDefinitionById extends pulumi.CustomResourc resourceInputs["userPrincipalName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20211201preview:ScopeAccessReviewHistoryDefinitionById" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20211201preview:ScopeAccessReviewHistoryDefinitionById" }, { type: "azure-native_authorization_v20211201preview:authorization:ScopeAccessReviewHistoryDefinitionById" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScopeAccessReviewHistoryDefinitionById.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/scopeAccessReviewScheduleDefinitionById.ts b/sdk/nodejs/authorization/scopeAccessReviewScheduleDefinitionById.ts index 73eeb0e522e9..0a4b5f55da76 100644 --- a/sdk/nodejs/authorization/scopeAccessReviewScheduleDefinitionById.ts +++ b/sdk/nodejs/authorization/scopeAccessReviewScheduleDefinitionById.ts @@ -226,7 +226,7 @@ export class ScopeAccessReviewScheduleDefinitionById extends pulumi.CustomResour resourceInputs["userPrincipalName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20211201preview:ScopeAccessReviewScheduleDefinitionById" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20211201preview:ScopeAccessReviewScheduleDefinitionById" }, { type: "azure-native_authorization_v20211201preview:authorization:ScopeAccessReviewScheduleDefinitionById" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScopeAccessReviewScheduleDefinitionById.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/variable.ts b/sdk/nodejs/authorization/variable.ts index af95a9c6119e..26ff42b69c68 100644 --- a/sdk/nodejs/authorization/variable.ts +++ b/sdk/nodejs/authorization/variable.ts @@ -90,7 +90,7 @@ export class Variable extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20220801preview:Variable" }, { type: "azure-native:authorization/v20241201preview:Variable" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20220801preview:Variable" }, { type: "azure-native_authorization_v20220801preview:authorization:Variable" }, { type: "azure-native_authorization_v20241201preview:authorization:Variable" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Variable.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/variableAtManagementGroup.ts b/sdk/nodejs/authorization/variableAtManagementGroup.ts index 4220cb3abd56..5af2e7ed5b4c 100644 --- a/sdk/nodejs/authorization/variableAtManagementGroup.ts +++ b/sdk/nodejs/authorization/variableAtManagementGroup.ts @@ -94,7 +94,7 @@ export class VariableAtManagementGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20220801preview:VariableAtManagementGroup" }, { type: "azure-native:authorization/v20241201preview:VariableAtManagementGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20220801preview:VariableAtManagementGroup" }, { type: "azure-native_authorization_v20220801preview:authorization:VariableAtManagementGroup" }, { type: "azure-native_authorization_v20241201preview:authorization:VariableAtManagementGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VariableAtManagementGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/variableValue.ts b/sdk/nodejs/authorization/variableValue.ts index bb74a0717175..11d930128593 100644 --- a/sdk/nodejs/authorization/variableValue.ts +++ b/sdk/nodejs/authorization/variableValue.ts @@ -94,7 +94,7 @@ export class VariableValue extends pulumi.CustomResource { resourceInputs["values"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20220801preview:VariableValue" }, { type: "azure-native:authorization/v20241201preview:VariableValue" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20220801preview:VariableValue" }, { type: "azure-native_authorization_v20220801preview:authorization:VariableValue" }, { type: "azure-native_authorization_v20241201preview:authorization:VariableValue" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VariableValue.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/authorization/variableValueAtManagementGroup.ts b/sdk/nodejs/authorization/variableValueAtManagementGroup.ts index 63b8c3b0cc55..32dd9e4772bf 100644 --- a/sdk/nodejs/authorization/variableValueAtManagementGroup.ts +++ b/sdk/nodejs/authorization/variableValueAtManagementGroup.ts @@ -98,7 +98,7 @@ export class VariableValueAtManagementGroup extends pulumi.CustomResource { resourceInputs["values"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20220801preview:VariableValueAtManagementGroup" }, { type: "azure-native:authorization/v20241201preview:VariableValueAtManagementGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:authorization/v20220801preview:VariableValueAtManagementGroup" }, { type: "azure-native_authorization_v20220801preview:authorization:VariableValueAtManagementGroup" }, { type: "azure-native_authorization_v20241201preview:authorization:VariableValueAtManagementGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VariableValueAtManagementGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automanage/configurationProfile.ts b/sdk/nodejs/automanage/configurationProfile.ts index eeae97ab2dfa..3b5a1a61cfd3 100644 --- a/sdk/nodejs/automanage/configurationProfile.ts +++ b/sdk/nodejs/automanage/configurationProfile.ts @@ -103,7 +103,7 @@ export class ConfigurationProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automanage/v20210430preview:ConfigurationProfile" }, { type: "azure-native:automanage/v20220504:ConfigurationProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automanage/v20220504:ConfigurationProfile" }, { type: "azure-native_automanage_v20210430preview:automanage:ConfigurationProfile" }, { type: "azure-native_automanage_v20220504:automanage:ConfigurationProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automanage/configurationProfileAssignment.ts b/sdk/nodejs/automanage/configurationProfileAssignment.ts index 618e96b8b495..d4bc029ff177 100644 --- a/sdk/nodejs/automanage/configurationProfileAssignment.ts +++ b/sdk/nodejs/automanage/configurationProfileAssignment.ts @@ -101,7 +101,7 @@ export class ConfigurationProfileAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automanage/v20200630preview:ConfigurationProfileAssignment" }, { type: "azure-native:automanage/v20210430preview:ConfigurationProfileAssignment" }, { type: "azure-native:automanage/v20220504:ConfigurationProfileAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automanage/v20220504:ConfigurationProfileAssignment" }, { type: "azure-native_automanage_v20200630preview:automanage:ConfigurationProfileAssignment" }, { type: "azure-native_automanage_v20210430preview:automanage:ConfigurationProfileAssignment" }, { type: "azure-native_automanage_v20220504:automanage:ConfigurationProfileAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationProfileAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automanage/configurationProfileHCIAssignment.ts b/sdk/nodejs/automanage/configurationProfileHCIAssignment.ts index 5af71532260e..9f7476e68b20 100644 --- a/sdk/nodejs/automanage/configurationProfileHCIAssignment.ts +++ b/sdk/nodejs/automanage/configurationProfileHCIAssignment.ts @@ -101,7 +101,7 @@ export class ConfigurationProfileHCIAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automanage/v20210430preview:ConfigurationProfileHCIAssignment" }, { type: "azure-native:automanage/v20220504:ConfigurationProfileHCIAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automanage/v20220504:ConfigurationProfileHCIAssignment" }, { type: "azure-native_automanage_v20210430preview:automanage:ConfigurationProfileHCIAssignment" }, { type: "azure-native_automanage_v20220504:automanage:ConfigurationProfileHCIAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationProfileHCIAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automanage/configurationProfileHCRPAssignment.ts b/sdk/nodejs/automanage/configurationProfileHCRPAssignment.ts index 37b3b5f0239d..331cc9a66792 100644 --- a/sdk/nodejs/automanage/configurationProfileHCRPAssignment.ts +++ b/sdk/nodejs/automanage/configurationProfileHCRPAssignment.ts @@ -101,7 +101,7 @@ export class ConfigurationProfileHCRPAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automanage/v20210430preview:ConfigurationProfileHCRPAssignment" }, { type: "azure-native:automanage/v20220504:ConfigurationProfileHCRPAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automanage/v20220504:ConfigurationProfileHCRPAssignment" }, { type: "azure-native_automanage_v20210430preview:automanage:ConfigurationProfileHCRPAssignment" }, { type: "azure-native_automanage_v20220504:automanage:ConfigurationProfileHCRPAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationProfileHCRPAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automanage/configurationProfilesVersion.ts b/sdk/nodejs/automanage/configurationProfilesVersion.ts index d3e8ad4d1210..15f0c4d6b36c 100644 --- a/sdk/nodejs/automanage/configurationProfilesVersion.ts +++ b/sdk/nodejs/automanage/configurationProfilesVersion.ts @@ -107,7 +107,7 @@ export class ConfigurationProfilesVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automanage/v20210430preview:ConfigurationProfilesVersion" }, { type: "azure-native:automanage/v20220504:ConfigurationProfilesVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automanage/v20220504:ConfigurationProfilesVersion" }, { type: "azure-native_automanage_v20210430preview:automanage:ConfigurationProfilesVersion" }, { type: "azure-native_automanage_v20220504:automanage:ConfigurationProfilesVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationProfilesVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/automationAccount.ts b/sdk/nodejs/automation/automationAccount.ts index aedffdb74888..5a12e1708a02 100644 --- a/sdk/nodejs/automation/automationAccount.ts +++ b/sdk/nodejs/automation/automationAccount.ts @@ -175,7 +175,7 @@ export class AutomationAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:AutomationAccount" }, { type: "azure-native:automation/v20190601:AutomationAccount" }, { type: "azure-native:automation/v20200113preview:AutomationAccount" }, { type: "azure-native:automation/v20210622:AutomationAccount" }, { type: "azure-native:automation/v20220808:AutomationAccount" }, { type: "azure-native:automation/v20230515preview:AutomationAccount" }, { type: "azure-native:automation/v20231101:AutomationAccount" }, { type: "azure-native:automation/v20241023:AutomationAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:AutomationAccount" }, { type: "azure-native:automation/v20230515preview:AutomationAccount" }, { type: "azure-native:automation/v20231101:AutomationAccount" }, { type: "azure-native:automation/v20241023:AutomationAccount" }, { type: "azure-native_automation_v20151031:automation:AutomationAccount" }, { type: "azure-native_automation_v20190601:automation:AutomationAccount" }, { type: "azure-native_automation_v20200113preview:automation:AutomationAccount" }, { type: "azure-native_automation_v20210622:automation:AutomationAccount" }, { type: "azure-native_automation_v20220808:automation:AutomationAccount" }, { type: "azure-native_automation_v20230515preview:automation:AutomationAccount" }, { type: "azure-native_automation_v20231101:automation:AutomationAccount" }, { type: "azure-native_automation_v20241023:automation:AutomationAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AutomationAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/certificate.ts b/sdk/nodejs/automation/certificate.ts index 3ec8ea2cf0ad..53cf29abc3f6 100644 --- a/sdk/nodejs/automation/certificate.ts +++ b/sdk/nodejs/automation/certificate.ts @@ -123,7 +123,7 @@ export class Certificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:Certificate" }, { type: "azure-native:automation/v20190601:Certificate" }, { type: "azure-native:automation/v20200113preview:Certificate" }, { type: "azure-native:automation/v20220808:Certificate" }, { type: "azure-native:automation/v20230515preview:Certificate" }, { type: "azure-native:automation/v20231101:Certificate" }, { type: "azure-native:automation/v20241023:Certificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:Certificate" }, { type: "azure-native:automation/v20230515preview:Certificate" }, { type: "azure-native:automation/v20231101:Certificate" }, { type: "azure-native:automation/v20241023:Certificate" }, { type: "azure-native_automation_v20151031:automation:Certificate" }, { type: "azure-native_automation_v20190601:automation:Certificate" }, { type: "azure-native_automation_v20200113preview:automation:Certificate" }, { type: "azure-native_automation_v20220808:automation:Certificate" }, { type: "azure-native_automation_v20230515preview:automation:Certificate" }, { type: "azure-native_automation_v20231101:automation:Certificate" }, { type: "azure-native_automation_v20241023:automation:Certificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Certificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/connection.ts b/sdk/nodejs/automation/connection.ts index 144034e3e30a..7605e6288f32 100644 --- a/sdk/nodejs/automation/connection.ts +++ b/sdk/nodejs/automation/connection.ts @@ -119,7 +119,7 @@ export class Connection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:Connection" }, { type: "azure-native:automation/v20190601:Connection" }, { type: "azure-native:automation/v20200113preview:Connection" }, { type: "azure-native:automation/v20220808:Connection" }, { type: "azure-native:automation/v20230515preview:Connection" }, { type: "azure-native:automation/v20231101:Connection" }, { type: "azure-native:automation/v20241023:Connection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:Connection" }, { type: "azure-native:automation/v20230515preview:Connection" }, { type: "azure-native:automation/v20231101:Connection" }, { type: "azure-native:automation/v20241023:Connection" }, { type: "azure-native_automation_v20151031:automation:Connection" }, { type: "azure-native_automation_v20190601:automation:Connection" }, { type: "azure-native_automation_v20200113preview:automation:Connection" }, { type: "azure-native_automation_v20220808:automation:Connection" }, { type: "azure-native_automation_v20230515preview:automation:Connection" }, { type: "azure-native_automation_v20231101:automation:Connection" }, { type: "azure-native_automation_v20241023:automation:Connection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Connection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/connectionType.ts b/sdk/nodejs/automation/connectionType.ts index 145e85e31e39..2504d7f34ca0 100644 --- a/sdk/nodejs/automation/connectionType.ts +++ b/sdk/nodejs/automation/connectionType.ts @@ -119,7 +119,7 @@ export class ConnectionType extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:ConnectionType" }, { type: "azure-native:automation/v20190601:ConnectionType" }, { type: "azure-native:automation/v20200113preview:ConnectionType" }, { type: "azure-native:automation/v20220808:ConnectionType" }, { type: "azure-native:automation/v20230515preview:ConnectionType" }, { type: "azure-native:automation/v20231101:ConnectionType" }, { type: "azure-native:automation/v20241023:ConnectionType" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:ConnectionType" }, { type: "azure-native:automation/v20230515preview:ConnectionType" }, { type: "azure-native:automation/v20231101:ConnectionType" }, { type: "azure-native:automation/v20241023:ConnectionType" }, { type: "azure-native_automation_v20151031:automation:ConnectionType" }, { type: "azure-native_automation_v20190601:automation:ConnectionType" }, { type: "azure-native_automation_v20200113preview:automation:ConnectionType" }, { type: "azure-native_automation_v20220808:automation:ConnectionType" }, { type: "azure-native_automation_v20230515preview:automation:ConnectionType" }, { type: "azure-native_automation_v20231101:automation:ConnectionType" }, { type: "azure-native_automation_v20241023:automation:ConnectionType" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectionType.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/credential.ts b/sdk/nodejs/automation/credential.ts index dba8b941f1b5..6083a7bb3c94 100644 --- a/sdk/nodejs/automation/credential.ts +++ b/sdk/nodejs/automation/credential.ts @@ -114,7 +114,7 @@ export class Credential extends pulumi.CustomResource { resourceInputs["userName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:Credential" }, { type: "azure-native:automation/v20190601:Credential" }, { type: "azure-native:automation/v20200113preview:Credential" }, { type: "azure-native:automation/v20220808:Credential" }, { type: "azure-native:automation/v20230515preview:Credential" }, { type: "azure-native:automation/v20231101:Credential" }, { type: "azure-native:automation/v20241023:Credential" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:Credential" }, { type: "azure-native:automation/v20230515preview:Credential" }, { type: "azure-native:automation/v20231101:Credential" }, { type: "azure-native:automation/v20241023:Credential" }, { type: "azure-native_automation_v20151031:automation:Credential" }, { type: "azure-native_automation_v20190601:automation:Credential" }, { type: "azure-native_automation_v20200113preview:automation:Credential" }, { type: "azure-native_automation_v20220808:automation:Credential" }, { type: "azure-native_automation_v20230515preview:automation:Credential" }, { type: "azure-native_automation_v20231101:automation:Credential" }, { type: "azure-native_automation_v20241023:automation:Credential" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Credential.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/dscConfiguration.ts b/sdk/nodejs/automation/dscConfiguration.ts index b3e0eee6294b..c32d7513e5ff 100644 --- a/sdk/nodejs/automation/dscConfiguration.ts +++ b/sdk/nodejs/automation/dscConfiguration.ts @@ -165,7 +165,7 @@ export class DscConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:DscConfiguration" }, { type: "azure-native:automation/v20190601:DscConfiguration" }, { type: "azure-native:automation/v20220808:DscConfiguration" }, { type: "azure-native:automation/v20230515preview:DscConfiguration" }, { type: "azure-native:automation/v20231101:DscConfiguration" }, { type: "azure-native:automation/v20241023:DscConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:DscConfiguration" }, { type: "azure-native:automation/v20230515preview:DscConfiguration" }, { type: "azure-native:automation/v20231101:DscConfiguration" }, { type: "azure-native:automation/v20241023:DscConfiguration" }, { type: "azure-native_automation_v20151031:automation:DscConfiguration" }, { type: "azure-native_automation_v20190601:automation:DscConfiguration" }, { type: "azure-native_automation_v20220808:automation:DscConfiguration" }, { type: "azure-native_automation_v20230515preview:automation:DscConfiguration" }, { type: "azure-native_automation_v20231101:automation:DscConfiguration" }, { type: "azure-native_automation_v20241023:automation:DscConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DscConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/dscNodeConfiguration.ts b/sdk/nodejs/automation/dscNodeConfiguration.ts index 41f9ec0a81df..b8226ee14d99 100644 --- a/sdk/nodejs/automation/dscNodeConfiguration.ts +++ b/sdk/nodejs/automation/dscNodeConfiguration.ts @@ -126,7 +126,7 @@ export class DscNodeConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:DscNodeConfiguration" }, { type: "azure-native:automation/v20180115:DscNodeConfiguration" }, { type: "azure-native:automation/v20190601:DscNodeConfiguration" }, { type: "azure-native:automation/v20200113preview:DscNodeConfiguration" }, { type: "azure-native:automation/v20220808:DscNodeConfiguration" }, { type: "azure-native:automation/v20230515preview:DscNodeConfiguration" }, { type: "azure-native:automation/v20231101:DscNodeConfiguration" }, { type: "azure-native:automation/v20241023:DscNodeConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:DscNodeConfiguration" }, { type: "azure-native:automation/v20230515preview:DscNodeConfiguration" }, { type: "azure-native:automation/v20231101:DscNodeConfiguration" }, { type: "azure-native:automation/v20241023:DscNodeConfiguration" }, { type: "azure-native_automation_v20151031:automation:DscNodeConfiguration" }, { type: "azure-native_automation_v20180115:automation:DscNodeConfiguration" }, { type: "azure-native_automation_v20190601:automation:DscNodeConfiguration" }, { type: "azure-native_automation_v20200113preview:automation:DscNodeConfiguration" }, { type: "azure-native_automation_v20220808:automation:DscNodeConfiguration" }, { type: "azure-native_automation_v20230515preview:automation:DscNodeConfiguration" }, { type: "azure-native_automation_v20231101:automation:DscNodeConfiguration" }, { type: "azure-native_automation_v20241023:automation:DscNodeConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DscNodeConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/hybridRunbookWorker.ts b/sdk/nodejs/automation/hybridRunbookWorker.ts index 2c8600ff2f96..ae6eff7a0bb3 100644 --- a/sdk/nodejs/automation/hybridRunbookWorker.ts +++ b/sdk/nodejs/automation/hybridRunbookWorker.ts @@ -129,7 +129,7 @@ export class HybridRunbookWorker extends pulumi.CustomResource { resourceInputs["workerType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20210622:HybridRunbookWorker" }, { type: "azure-native:automation/v20220808:HybridRunbookWorker" }, { type: "azure-native:automation/v20230515preview:HybridRunbookWorker" }, { type: "azure-native:automation/v20231101:HybridRunbookWorker" }, { type: "azure-native:automation/v20241023:HybridRunbookWorker" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:HybridRunbookWorker" }, { type: "azure-native:automation/v20230515preview:HybridRunbookWorker" }, { type: "azure-native:automation/v20231101:HybridRunbookWorker" }, { type: "azure-native:automation/v20241023:HybridRunbookWorker" }, { type: "azure-native_automation_v20210622:automation:HybridRunbookWorker" }, { type: "azure-native_automation_v20220808:automation:HybridRunbookWorker" }, { type: "azure-native_automation_v20230515preview:automation:HybridRunbookWorker" }, { type: "azure-native_automation_v20231101:automation:HybridRunbookWorker" }, { type: "azure-native_automation_v20241023:automation:HybridRunbookWorker" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HybridRunbookWorker.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/hybridRunbookWorkerGroup.ts b/sdk/nodejs/automation/hybridRunbookWorkerGroup.ts index eab310ab9150..c1add7e887b7 100644 --- a/sdk/nodejs/automation/hybridRunbookWorkerGroup.ts +++ b/sdk/nodejs/automation/hybridRunbookWorkerGroup.ts @@ -101,7 +101,7 @@ export class HybridRunbookWorkerGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20210622:HybridRunbookWorkerGroup" }, { type: "azure-native:automation/v20220222:HybridRunbookWorkerGroup" }, { type: "azure-native:automation/v20220808:HybridRunbookWorkerGroup" }, { type: "azure-native:automation/v20230515preview:HybridRunbookWorkerGroup" }, { type: "azure-native:automation/v20231101:HybridRunbookWorkerGroup" }, { type: "azure-native:automation/v20241023:HybridRunbookWorkerGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20210622:HybridRunbookWorkerGroup" }, { type: "azure-native:automation/v20220808:HybridRunbookWorkerGroup" }, { type: "azure-native:automation/v20230515preview:HybridRunbookWorkerGroup" }, { type: "azure-native:automation/v20231101:HybridRunbookWorkerGroup" }, { type: "azure-native:automation/v20241023:HybridRunbookWorkerGroup" }, { type: "azure-native_automation_v20210622:automation:HybridRunbookWorkerGroup" }, { type: "azure-native_automation_v20220222:automation:HybridRunbookWorkerGroup" }, { type: "azure-native_automation_v20220808:automation:HybridRunbookWorkerGroup" }, { type: "azure-native_automation_v20230515preview:automation:HybridRunbookWorkerGroup" }, { type: "azure-native_automation_v20231101:automation:HybridRunbookWorkerGroup" }, { type: "azure-native_automation_v20241023:automation:HybridRunbookWorkerGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HybridRunbookWorkerGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/jobSchedule.ts b/sdk/nodejs/automation/jobSchedule.ts index 72d7591d6913..884351c50829 100644 --- a/sdk/nodejs/automation/jobSchedule.ts +++ b/sdk/nodejs/automation/jobSchedule.ts @@ -118,7 +118,7 @@ export class JobSchedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:JobSchedule" }, { type: "azure-native:automation/v20190601:JobSchedule" }, { type: "azure-native:automation/v20200113preview:JobSchedule" }, { type: "azure-native:automation/v20220808:JobSchedule" }, { type: "azure-native:automation/v20230515preview:JobSchedule" }, { type: "azure-native:automation/v20231101:JobSchedule" }, { type: "azure-native:automation/v20241023:JobSchedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:JobSchedule" }, { type: "azure-native:automation/v20230515preview:JobSchedule" }, { type: "azure-native:automation/v20231101:JobSchedule" }, { type: "azure-native:automation/v20241023:JobSchedule" }, { type: "azure-native_automation_v20151031:automation:JobSchedule" }, { type: "azure-native_automation_v20190601:automation:JobSchedule" }, { type: "azure-native_automation_v20200113preview:automation:JobSchedule" }, { type: "azure-native_automation_v20220808:automation:JobSchedule" }, { type: "azure-native_automation_v20230515preview:automation:JobSchedule" }, { type: "azure-native_automation_v20231101:automation:JobSchedule" }, { type: "azure-native_automation_v20241023:automation:JobSchedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JobSchedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/module.ts b/sdk/nodejs/automation/module.ts index e7d7bad412b1..012015f75fc9 100644 --- a/sdk/nodejs/automation/module.ts +++ b/sdk/nodejs/automation/module.ts @@ -165,7 +165,7 @@ export class Module extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:Module" }, { type: "azure-native:automation/v20190601:Module" }, { type: "azure-native:automation/v20200113preview:Module" }, { type: "azure-native:automation/v20220808:Module" }, { type: "azure-native:automation/v20230515preview:Module" }, { type: "azure-native:automation/v20231101:Module" }, { type: "azure-native:automation/v20241023:Module" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:Module" }, { type: "azure-native:automation/v20230515preview:Module" }, { type: "azure-native:automation/v20231101:Module" }, { type: "azure-native:automation/v20241023:Module" }, { type: "azure-native_automation_v20151031:automation:Module" }, { type: "azure-native_automation_v20190601:automation:Module" }, { type: "azure-native_automation_v20200113preview:automation:Module" }, { type: "azure-native_automation_v20220808:automation:Module" }, { type: "azure-native_automation_v20230515preview:automation:Module" }, { type: "azure-native_automation_v20231101:automation:Module" }, { type: "azure-native_automation_v20241023:automation:Module" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Module.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/package.ts b/sdk/nodejs/automation/package.ts index d65afa108d2d..257910581b8b 100644 --- a/sdk/nodejs/automation/package.ts +++ b/sdk/nodejs/automation/package.ts @@ -150,7 +150,7 @@ export class Package extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20230515preview:Package" }, { type: "azure-native:automation/v20241023:Package" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20230515preview:Package" }, { type: "azure-native:automation/v20241023:Package" }, { type: "azure-native_automation_v20230515preview:automation:Package" }, { type: "azure-native_automation_v20241023:automation:Package" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Package.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/powerShell72Module.ts b/sdk/nodejs/automation/powerShell72Module.ts index 9ac34787f0c9..6ec0fe976711 100644 --- a/sdk/nodejs/automation/powerShell72Module.ts +++ b/sdk/nodejs/automation/powerShell72Module.ts @@ -163,7 +163,7 @@ export class PowerShell72Module extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20231101:PowerShell72Module" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20231101:PowerShell72Module" }, { type: "azure-native_automation_v20231101:automation:PowerShell72Module" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PowerShell72Module.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/privateEndpointConnection.ts b/sdk/nodejs/automation/privateEndpointConnection.ts index ac03a662f030..ebcf4e0ea128 100644 --- a/sdk/nodejs/automation/privateEndpointConnection.ts +++ b/sdk/nodejs/automation/privateEndpointConnection.ts @@ -107,7 +107,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20200113preview:PrivateEndpointConnection" }, { type: "azure-native:automation/v20230515preview:PrivateEndpointConnection" }, { type: "azure-native:automation/v20241023:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20200113preview:PrivateEndpointConnection" }, { type: "azure-native:automation/v20230515preview:PrivateEndpointConnection" }, { type: "azure-native:automation/v20241023:PrivateEndpointConnection" }, { type: "azure-native_automation_v20200113preview:automation:PrivateEndpointConnection" }, { type: "azure-native_automation_v20230515preview:automation:PrivateEndpointConnection" }, { type: "azure-native_automation_v20241023:automation:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/python2Package.ts b/sdk/nodejs/automation/python2Package.ts index 5b93870ecc79..28eda722f3de 100644 --- a/sdk/nodejs/automation/python2Package.ts +++ b/sdk/nodejs/automation/python2Package.ts @@ -165,7 +165,7 @@ export class Python2Package extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20180630:Python2Package" }, { type: "azure-native:automation/v20190601:Python2Package" }, { type: "azure-native:automation/v20200113preview:Python2Package" }, { type: "azure-native:automation/v20220808:Python2Package" }, { type: "azure-native:automation/v20230515preview:Python2Package" }, { type: "azure-native:automation/v20231101:Python2Package" }, { type: "azure-native:automation/v20241023:Python2Package" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:Python2Package" }, { type: "azure-native:automation/v20230515preview:Python2Package" }, { type: "azure-native:automation/v20231101:Python2Package" }, { type: "azure-native:automation/v20241023:Python2Package" }, { type: "azure-native_automation_v20180630:automation:Python2Package" }, { type: "azure-native_automation_v20190601:automation:Python2Package" }, { type: "azure-native_automation_v20200113preview:automation:Python2Package" }, { type: "azure-native_automation_v20220808:automation:Python2Package" }, { type: "azure-native_automation_v20230515preview:automation:Python2Package" }, { type: "azure-native_automation_v20231101:automation:Python2Package" }, { type: "azure-native_automation_v20241023:automation:Python2Package" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Python2Package.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/python3Package.ts b/sdk/nodejs/automation/python3Package.ts index 2e9ca1be12cd..83795b585294 100644 --- a/sdk/nodejs/automation/python3Package.ts +++ b/sdk/nodejs/automation/python3Package.ts @@ -165,7 +165,7 @@ export class Python3Package extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:Python3Package" }, { type: "azure-native:automation/v20230515preview:Python3Package" }, { type: "azure-native:automation/v20231101:Python3Package" }, { type: "azure-native:automation/v20241023:Python3Package" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:Python3Package" }, { type: "azure-native:automation/v20230515preview:Python3Package" }, { type: "azure-native:automation/v20231101:Python3Package" }, { type: "azure-native:automation/v20241023:Python3Package" }, { type: "azure-native_automation_v20220808:automation:Python3Package" }, { type: "azure-native_automation_v20230515preview:automation:Python3Package" }, { type: "azure-native_automation_v20231101:automation:Python3Package" }, { type: "azure-native_automation_v20241023:automation:Python3Package" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Python3Package.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/runbook.ts b/sdk/nodejs/automation/runbook.ts index 821141ebd4ff..dc74f642460d 100644 --- a/sdk/nodejs/automation/runbook.ts +++ b/sdk/nodejs/automation/runbook.ts @@ -189,7 +189,7 @@ export class Runbook extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:Runbook" }, { type: "azure-native:automation/v20180630:Runbook" }, { type: "azure-native:automation/v20190601:Runbook" }, { type: "azure-native:automation/v20220808:Runbook" }, { type: "azure-native:automation/v20230515preview:Runbook" }, { type: "azure-native:automation/v20231101:Runbook" }, { type: "azure-native:automation/v20241023:Runbook" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:Runbook" }, { type: "azure-native:automation/v20230515preview:Runbook" }, { type: "azure-native:automation/v20231101:Runbook" }, { type: "azure-native:automation/v20241023:Runbook" }, { type: "azure-native_automation_v20151031:automation:Runbook" }, { type: "azure-native_automation_v20180630:automation:Runbook" }, { type: "azure-native_automation_v20190601:automation:Runbook" }, { type: "azure-native_automation_v20220808:automation:Runbook" }, { type: "azure-native_automation_v20230515preview:automation:Runbook" }, { type: "azure-native_automation_v20231101:automation:Runbook" }, { type: "azure-native_automation_v20241023:automation:Runbook" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Runbook.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/runtimeEnvironment.ts b/sdk/nodejs/automation/runtimeEnvironment.ts index cbe6484ff09a..64f5420882a3 100644 --- a/sdk/nodejs/automation/runtimeEnvironment.ts +++ b/sdk/nodejs/automation/runtimeEnvironment.ts @@ -125,7 +125,7 @@ export class RuntimeEnvironment extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20230515preview:RuntimeEnvironment" }, { type: "azure-native:automation/v20241023:RuntimeEnvironment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20230515preview:RuntimeEnvironment" }, { type: "azure-native:automation/v20241023:RuntimeEnvironment" }, { type: "azure-native_automation_v20230515preview:automation:RuntimeEnvironment" }, { type: "azure-native_automation_v20241023:automation:RuntimeEnvironment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RuntimeEnvironment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/schedule.ts b/sdk/nodejs/automation/schedule.ts index 73e0cf3c08f4..e086ab61d3b7 100644 --- a/sdk/nodejs/automation/schedule.ts +++ b/sdk/nodejs/automation/schedule.ts @@ -176,7 +176,7 @@ export class Schedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:Schedule" }, { type: "azure-native:automation/v20190601:Schedule" }, { type: "azure-native:automation/v20200113preview:Schedule" }, { type: "azure-native:automation/v20220808:Schedule" }, { type: "azure-native:automation/v20230515preview:Schedule" }, { type: "azure-native:automation/v20231101:Schedule" }, { type: "azure-native:automation/v20241023:Schedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:Schedule" }, { type: "azure-native:automation/v20230515preview:Schedule" }, { type: "azure-native:automation/v20231101:Schedule" }, { type: "azure-native:automation/v20241023:Schedule" }, { type: "azure-native_automation_v20151031:automation:Schedule" }, { type: "azure-native_automation_v20190601:automation:Schedule" }, { type: "azure-native_automation_v20200113preview:automation:Schedule" }, { type: "azure-native_automation_v20220808:automation:Schedule" }, { type: "azure-native_automation_v20230515preview:automation:Schedule" }, { type: "azure-native_automation_v20231101:automation:Schedule" }, { type: "azure-native_automation_v20241023:automation:Schedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Schedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/softwareUpdateConfigurationByName.ts b/sdk/nodejs/automation/softwareUpdateConfigurationByName.ts index d592d0afacf1..d5f5c12871c7 100644 --- a/sdk/nodejs/automation/softwareUpdateConfigurationByName.ts +++ b/sdk/nodejs/automation/softwareUpdateConfigurationByName.ts @@ -143,7 +143,7 @@ export class SoftwareUpdateConfigurationByName extends pulumi.CustomResource { resourceInputs["updateConfiguration"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20170515preview:SoftwareUpdateConfigurationByName" }, { type: "azure-native:automation/v20190601:SoftwareUpdateConfigurationByName" }, { type: "azure-native:automation/v20230515preview:SoftwareUpdateConfigurationByName" }, { type: "azure-native:automation/v20241023:SoftwareUpdateConfigurationByName" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20170515preview:SoftwareUpdateConfigurationByName" }, { type: "azure-native:automation/v20190601:SoftwareUpdateConfigurationByName" }, { type: "azure-native:automation/v20230515preview:SoftwareUpdateConfigurationByName" }, { type: "azure-native:automation/v20241023:SoftwareUpdateConfigurationByName" }, { type: "azure-native_automation_v20170515preview:automation:SoftwareUpdateConfigurationByName" }, { type: "azure-native_automation_v20190601:automation:SoftwareUpdateConfigurationByName" }, { type: "azure-native_automation_v20230515preview:automation:SoftwareUpdateConfigurationByName" }, { type: "azure-native_automation_v20241023:automation:SoftwareUpdateConfigurationByName" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SoftwareUpdateConfigurationByName.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/sourceControl.ts b/sdk/nodejs/automation/sourceControl.ts index 5fc866655c23..1e671ad28e0a 100644 --- a/sdk/nodejs/automation/sourceControl.ts +++ b/sdk/nodejs/automation/sourceControl.ts @@ -138,7 +138,7 @@ export class SourceControl extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20170515preview:SourceControl" }, { type: "azure-native:automation/v20190601:SourceControl" }, { type: "azure-native:automation/v20200113preview:SourceControl" }, { type: "azure-native:automation/v20220808:SourceControl" }, { type: "azure-native:automation/v20230515preview:SourceControl" }, { type: "azure-native:automation/v20231101:SourceControl" }, { type: "azure-native:automation/v20241023:SourceControl" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:SourceControl" }, { type: "azure-native:automation/v20230515preview:SourceControl" }, { type: "azure-native:automation/v20231101:SourceControl" }, { type: "azure-native:automation/v20241023:SourceControl" }, { type: "azure-native_automation_v20170515preview:automation:SourceControl" }, { type: "azure-native_automation_v20190601:automation:SourceControl" }, { type: "azure-native_automation_v20200113preview:automation:SourceControl" }, { type: "azure-native_automation_v20220808:automation:SourceControl" }, { type: "azure-native_automation_v20230515preview:automation:SourceControl" }, { type: "azure-native_automation_v20231101:automation:SourceControl" }, { type: "azure-native_automation_v20241023:automation:SourceControl" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SourceControl.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/variable.ts b/sdk/nodejs/automation/variable.ts index 92d01c0b8d41..7d91d3132543 100644 --- a/sdk/nodejs/automation/variable.ts +++ b/sdk/nodejs/automation/variable.ts @@ -113,7 +113,7 @@ export class Variable extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:Variable" }, { type: "azure-native:automation/v20190601:Variable" }, { type: "azure-native:automation/v20200113preview:Variable" }, { type: "azure-native:automation/v20220808:Variable" }, { type: "azure-native:automation/v20230515preview:Variable" }, { type: "azure-native:automation/v20231101:Variable" }, { type: "azure-native:automation/v20241023:Variable" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20220808:Variable" }, { type: "azure-native:automation/v20230515preview:Variable" }, { type: "azure-native:automation/v20231101:Variable" }, { type: "azure-native:automation/v20241023:Variable" }, { type: "azure-native_automation_v20151031:automation:Variable" }, { type: "azure-native_automation_v20190601:automation:Variable" }, { type: "azure-native_automation_v20200113preview:automation:Variable" }, { type: "azure-native_automation_v20220808:automation:Variable" }, { type: "azure-native_automation_v20230515preview:automation:Variable" }, { type: "azure-native_automation_v20231101:automation:Variable" }, { type: "azure-native_automation_v20241023:automation:Variable" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Variable.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/watcher.ts b/sdk/nodejs/automation/watcher.ts index 27288aa2832a..6314be6e56a3 100644 --- a/sdk/nodejs/automation/watcher.ts +++ b/sdk/nodejs/automation/watcher.ts @@ -161,7 +161,7 @@ export class Watcher extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:Watcher" }, { type: "azure-native:automation/v20190601:Watcher" }, { type: "azure-native:automation/v20200113preview:Watcher" }, { type: "azure-native:automation/v20230515preview:Watcher" }, { type: "azure-native:automation/v20241023:Watcher" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20200113preview:Watcher" }, { type: "azure-native:automation/v20230515preview:Watcher" }, { type: "azure-native:automation/v20241023:Watcher" }, { type: "azure-native_automation_v20151031:automation:Watcher" }, { type: "azure-native_automation_v20190601:automation:Watcher" }, { type: "azure-native_automation_v20200113preview:automation:Watcher" }, { type: "azure-native_automation_v20230515preview:automation:Watcher" }, { type: "azure-native_automation_v20241023:automation:Watcher" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Watcher.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/automation/webhook.ts b/sdk/nodejs/automation/webhook.ts index 9b423f549d52..4371b701a9f1 100644 --- a/sdk/nodejs/automation/webhook.ts +++ b/sdk/nodejs/automation/webhook.ts @@ -158,7 +158,7 @@ export class Webhook extends pulumi.CustomResource { resourceInputs["uri"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:Webhook" }, { type: "azure-native:automation/v20230515preview:Webhook" }, { type: "azure-native:automation/v20241023:Webhook" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:automation/v20151031:Webhook" }, { type: "azure-native:automation/v20230515preview:Webhook" }, { type: "azure-native:automation/v20241023:Webhook" }, { type: "azure-native_automation_v20151031:automation:Webhook" }, { type: "azure-native_automation_v20230515preview:automation:Webhook" }, { type: "azure-native_automation_v20241023:automation:Webhook" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Webhook.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/addon.ts b/sdk/nodejs/avs/addon.ts index 03fabd3b5803..be8106a4fede 100644 --- a/sdk/nodejs/avs/addon.ts +++ b/sdk/nodejs/avs/addon.ts @@ -104,7 +104,7 @@ export class Addon extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200717preview:Addon" }, { type: "azure-native:avs/v20210101preview:Addon" }, { type: "azure-native:avs/v20210601:Addon" }, { type: "azure-native:avs/v20211201:Addon" }, { type: "azure-native:avs/v20220501:Addon" }, { type: "azure-native:avs/v20230301:Addon" }, { type: "azure-native:avs/v20230901:Addon" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20210101preview:Addon" }, { type: "azure-native:avs/v20220501:Addon" }, { type: "azure-native:avs/v20230301:Addon" }, { type: "azure-native:avs/v20230901:Addon" }, { type: "azure-native_avs_v20200717preview:avs:Addon" }, { type: "azure-native_avs_v20210101preview:avs:Addon" }, { type: "azure-native_avs_v20210601:avs:Addon" }, { type: "azure-native_avs_v20211201:avs:Addon" }, { type: "azure-native_avs_v20220501:avs:Addon" }, { type: "azure-native_avs_v20230301:avs:Addon" }, { type: "azure-native_avs_v20230901:avs:Addon" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Addon.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/authorization.ts b/sdk/nodejs/avs/authorization.ts index 7f781e3d8151..86c4a71e12ee 100644 --- a/sdk/nodejs/avs/authorization.ts +++ b/sdk/nodejs/avs/authorization.ts @@ -113,7 +113,7 @@ export class Authorization extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200320:Authorization" }, { type: "azure-native:avs/v20200717preview:Authorization" }, { type: "azure-native:avs/v20210101preview:Authorization" }, { type: "azure-native:avs/v20210601:Authorization" }, { type: "azure-native:avs/v20211201:Authorization" }, { type: "azure-native:avs/v20220501:Authorization" }, { type: "azure-native:avs/v20230301:Authorization" }, { type: "azure-native:avs/v20230901:Authorization" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:Authorization" }, { type: "azure-native:avs/v20230301:Authorization" }, { type: "azure-native:avs/v20230901:Authorization" }, { type: "azure-native_avs_v20200320:avs:Authorization" }, { type: "azure-native_avs_v20200717preview:avs:Authorization" }, { type: "azure-native_avs_v20210101preview:avs:Authorization" }, { type: "azure-native_avs_v20210601:avs:Authorization" }, { type: "azure-native_avs_v20211201:avs:Authorization" }, { type: "azure-native_avs_v20220501:avs:Authorization" }, { type: "azure-native_avs_v20230301:avs:Authorization" }, { type: "azure-native_avs_v20230901:avs:Authorization" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Authorization.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/cloudLink.ts b/sdk/nodejs/avs/cloudLink.ts index 8d73294a7aed..4cc1043eef37 100644 --- a/sdk/nodejs/avs/cloudLink.ts +++ b/sdk/nodejs/avs/cloudLink.ts @@ -107,7 +107,7 @@ export class CloudLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20210601:CloudLink" }, { type: "azure-native:avs/v20211201:CloudLink" }, { type: "azure-native:avs/v20220501:CloudLink" }, { type: "azure-native:avs/v20230301:CloudLink" }, { type: "azure-native:avs/v20230901:CloudLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:CloudLink" }, { type: "azure-native:avs/v20230301:CloudLink" }, { type: "azure-native:avs/v20230901:CloudLink" }, { type: "azure-native_avs_v20210601:avs:CloudLink" }, { type: "azure-native_avs_v20211201:avs:CloudLink" }, { type: "azure-native_avs_v20220501:avs:CloudLink" }, { type: "azure-native_avs_v20230301:avs:CloudLink" }, { type: "azure-native_avs_v20230901:avs:CloudLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/cluster.ts b/sdk/nodejs/avs/cluster.ts index 7a59c942e145..2aef8593a285 100644 --- a/sdk/nodejs/avs/cluster.ts +++ b/sdk/nodejs/avs/cluster.ts @@ -128,7 +128,7 @@ export class Cluster extends pulumi.CustomResource { resourceInputs["vsanDatastoreName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200320:Cluster" }, { type: "azure-native:avs/v20200717preview:Cluster" }, { type: "azure-native:avs/v20210101preview:Cluster" }, { type: "azure-native:avs/v20210601:Cluster" }, { type: "azure-native:avs/v20211201:Cluster" }, { type: "azure-native:avs/v20220501:Cluster" }, { type: "azure-native:avs/v20230301:Cluster" }, { type: "azure-native:avs/v20230901:Cluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200320:Cluster" }, { type: "azure-native:avs/v20210601:Cluster" }, { type: "azure-native:avs/v20220501:Cluster" }, { type: "azure-native:avs/v20230301:Cluster" }, { type: "azure-native:avs/v20230901:Cluster" }, { type: "azure-native_avs_v20200320:avs:Cluster" }, { type: "azure-native_avs_v20200717preview:avs:Cluster" }, { type: "azure-native_avs_v20210101preview:avs:Cluster" }, { type: "azure-native_avs_v20210601:avs:Cluster" }, { type: "azure-native_avs_v20211201:avs:Cluster" }, { type: "azure-native_avs_v20220501:avs:Cluster" }, { type: "azure-native_avs_v20230301:avs:Cluster" }, { type: "azure-native_avs_v20230901:avs:Cluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/datastore.ts b/sdk/nodejs/avs/datastore.ts index b77ddebda6a6..0c93dcf8644a 100644 --- a/sdk/nodejs/avs/datastore.ts +++ b/sdk/nodejs/avs/datastore.ts @@ -123,7 +123,7 @@ export class Datastore extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20210101preview:Datastore" }, { type: "azure-native:avs/v20210601:Datastore" }, { type: "azure-native:avs/v20211201:Datastore" }, { type: "azure-native:avs/v20220501:Datastore" }, { type: "azure-native:avs/v20230301:Datastore" }, { type: "azure-native:avs/v20230901:Datastore" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:Datastore" }, { type: "azure-native:avs/v20230301:Datastore" }, { type: "azure-native:avs/v20230901:Datastore" }, { type: "azure-native_avs_v20210101preview:avs:Datastore" }, { type: "azure-native_avs_v20210601:avs:Datastore" }, { type: "azure-native_avs_v20211201:avs:Datastore" }, { type: "azure-native_avs_v20220501:avs:Datastore" }, { type: "azure-native_avs_v20230301:avs:Datastore" }, { type: "azure-native_avs_v20230901:avs:Datastore" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Datastore.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/globalReachConnection.ts b/sdk/nodejs/avs/globalReachConnection.ts index ede20a7d46ff..ce1a2f43b08f 100644 --- a/sdk/nodejs/avs/globalReachConnection.ts +++ b/sdk/nodejs/avs/globalReachConnection.ts @@ -129,7 +129,7 @@ export class GlobalReachConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200717preview:GlobalReachConnection" }, { type: "azure-native:avs/v20210101preview:GlobalReachConnection" }, { type: "azure-native:avs/v20210601:GlobalReachConnection" }, { type: "azure-native:avs/v20211201:GlobalReachConnection" }, { type: "azure-native:avs/v20220501:GlobalReachConnection" }, { type: "azure-native:avs/v20230301:GlobalReachConnection" }, { type: "azure-native:avs/v20230901:GlobalReachConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:GlobalReachConnection" }, { type: "azure-native:avs/v20230301:GlobalReachConnection" }, { type: "azure-native:avs/v20230901:GlobalReachConnection" }, { type: "azure-native_avs_v20200717preview:avs:GlobalReachConnection" }, { type: "azure-native_avs_v20210101preview:avs:GlobalReachConnection" }, { type: "azure-native_avs_v20210601:avs:GlobalReachConnection" }, { type: "azure-native_avs_v20211201:avs:GlobalReachConnection" }, { type: "azure-native_avs_v20220501:avs:GlobalReachConnection" }, { type: "azure-native_avs_v20230301:avs:GlobalReachConnection" }, { type: "azure-native_avs_v20230901:avs:GlobalReachConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GlobalReachConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/hcxEnterpriseSite.ts b/sdk/nodejs/avs/hcxEnterpriseSite.ts index 711c9fcbcce8..91aee05b9df8 100644 --- a/sdk/nodejs/avs/hcxEnterpriseSite.ts +++ b/sdk/nodejs/avs/hcxEnterpriseSite.ts @@ -107,7 +107,7 @@ export class HcxEnterpriseSite extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200320:HcxEnterpriseSite" }, { type: "azure-native:avs/v20200717preview:HcxEnterpriseSite" }, { type: "azure-native:avs/v20210101preview:HcxEnterpriseSite" }, { type: "azure-native:avs/v20210601:HcxEnterpriseSite" }, { type: "azure-native:avs/v20211201:HcxEnterpriseSite" }, { type: "azure-native:avs/v20220501:HcxEnterpriseSite" }, { type: "azure-native:avs/v20230301:HcxEnterpriseSite" }, { type: "azure-native:avs/v20230901:HcxEnterpriseSite" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:HcxEnterpriseSite" }, { type: "azure-native:avs/v20230301:HcxEnterpriseSite" }, { type: "azure-native:avs/v20230901:HcxEnterpriseSite" }, { type: "azure-native_avs_v20200320:avs:HcxEnterpriseSite" }, { type: "azure-native_avs_v20200717preview:avs:HcxEnterpriseSite" }, { type: "azure-native_avs_v20210101preview:avs:HcxEnterpriseSite" }, { type: "azure-native_avs_v20210601:avs:HcxEnterpriseSite" }, { type: "azure-native_avs_v20211201:avs:HcxEnterpriseSite" }, { type: "azure-native_avs_v20220501:avs:HcxEnterpriseSite" }, { type: "azure-native_avs_v20230301:avs:HcxEnterpriseSite" }, { type: "azure-native_avs_v20230901:avs:HcxEnterpriseSite" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HcxEnterpriseSite.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/iscsiPath.ts b/sdk/nodejs/avs/iscsiPath.ts index 91de71bb73f0..8a47d002ea5c 100644 --- a/sdk/nodejs/avs/iscsiPath.ts +++ b/sdk/nodejs/avs/iscsiPath.ts @@ -101,7 +101,7 @@ export class IscsiPath extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20230901:IscsiPath" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20230901:IscsiPath" }, { type: "azure-native_avs_v20230901:avs:IscsiPath" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IscsiPath.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/placementPolicy.ts b/sdk/nodejs/avs/placementPolicy.ts index d0bac90f80b5..bb587eec284d 100644 --- a/sdk/nodejs/avs/placementPolicy.ts +++ b/sdk/nodejs/avs/placementPolicy.ts @@ -114,7 +114,7 @@ export class PlacementPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20211201:PlacementPolicy" }, { type: "azure-native:avs/v20220501:PlacementPolicy" }, { type: "azure-native:avs/v20230301:PlacementPolicy" }, { type: "azure-native:avs/v20230901:PlacementPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:PlacementPolicy" }, { type: "azure-native:avs/v20230301:PlacementPolicy" }, { type: "azure-native:avs/v20230901:PlacementPolicy" }, { type: "azure-native_avs_v20211201:avs:PlacementPolicy" }, { type: "azure-native_avs_v20220501:avs:PlacementPolicy" }, { type: "azure-native_avs_v20230301:avs:PlacementPolicy" }, { type: "azure-native_avs_v20230901:avs:PlacementPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PlacementPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/privateCloud.ts b/sdk/nodejs/avs/privateCloud.ts index 285c48b75338..0d15f8f50b57 100644 --- a/sdk/nodejs/avs/privateCloud.ts +++ b/sdk/nodejs/avs/privateCloud.ts @@ -257,7 +257,7 @@ export class PrivateCloud extends pulumi.CustomResource { resourceInputs["vmotionNetwork"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200320:PrivateCloud" }, { type: "azure-native:avs/v20200717preview:PrivateCloud" }, { type: "azure-native:avs/v20210101preview:PrivateCloud" }, { type: "azure-native:avs/v20210601:PrivateCloud" }, { type: "azure-native:avs/v20211201:PrivateCloud" }, { type: "azure-native:avs/v20220501:PrivateCloud" }, { type: "azure-native:avs/v20230301:PrivateCloud" }, { type: "azure-native:avs/v20230901:PrivateCloud" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:PrivateCloud" }, { type: "azure-native:avs/v20230301:PrivateCloud" }, { type: "azure-native:avs/v20230901:PrivateCloud" }, { type: "azure-native_avs_v20200320:avs:PrivateCloud" }, { type: "azure-native_avs_v20200717preview:avs:PrivateCloud" }, { type: "azure-native_avs_v20210101preview:avs:PrivateCloud" }, { type: "azure-native_avs_v20210601:avs:PrivateCloud" }, { type: "azure-native_avs_v20211201:avs:PrivateCloud" }, { type: "azure-native_avs_v20220501:avs:PrivateCloud" }, { type: "azure-native_avs_v20230301:avs:PrivateCloud" }, { type: "azure-native_avs_v20230901:avs:PrivateCloud" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateCloud.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/scriptExecution.ts b/sdk/nodejs/avs/scriptExecution.ts index 31bf11cdb6bd..7086b0ecc6f0 100644 --- a/sdk/nodejs/avs/scriptExecution.ts +++ b/sdk/nodejs/avs/scriptExecution.ts @@ -184,7 +184,7 @@ export class ScriptExecution extends pulumi.CustomResource { resourceInputs["warnings"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20210601:ScriptExecution" }, { type: "azure-native:avs/v20211201:ScriptExecution" }, { type: "azure-native:avs/v20220501:ScriptExecution" }, { type: "azure-native:avs/v20230301:ScriptExecution" }, { type: "azure-native:avs/v20230901:ScriptExecution" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:ScriptExecution" }, { type: "azure-native:avs/v20230301:ScriptExecution" }, { type: "azure-native:avs/v20230901:ScriptExecution" }, { type: "azure-native_avs_v20210601:avs:ScriptExecution" }, { type: "azure-native_avs_v20211201:avs:ScriptExecution" }, { type: "azure-native_avs_v20220501:avs:ScriptExecution" }, { type: "azure-native_avs_v20230301:avs:ScriptExecution" }, { type: "azure-native_avs_v20230901:avs:ScriptExecution" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScriptExecution.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/workloadNetworkDhcp.ts b/sdk/nodejs/avs/workloadNetworkDhcp.ts index ecbbb1440e47..2f22362100a0 100644 --- a/sdk/nodejs/avs/workloadNetworkDhcp.ts +++ b/sdk/nodejs/avs/workloadNetworkDhcp.ts @@ -122,7 +122,7 @@ export class WorkloadNetworkDhcp extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200717preview:WorkloadNetworkDhcp" }, { type: "azure-native:avs/v20210101preview:WorkloadNetworkDhcp" }, { type: "azure-native:avs/v20210601:WorkloadNetworkDhcp" }, { type: "azure-native:avs/v20211201:WorkloadNetworkDhcp" }, { type: "azure-native:avs/v20220501:WorkloadNetworkDhcp" }, { type: "azure-native:avs/v20230301:WorkloadNetworkDhcp" }, { type: "azure-native:avs/v20230901:WorkloadNetworkDhcp" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20210101preview:WorkloadNetworkDhcp" }, { type: "azure-native:avs/v20220501:WorkloadNetworkDhcp" }, { type: "azure-native:avs/v20230301:WorkloadNetworkDhcp" }, { type: "azure-native:avs/v20230901:WorkloadNetworkDhcp" }, { type: "azure-native_avs_v20200717preview:avs:WorkloadNetworkDhcp" }, { type: "azure-native_avs_v20210101preview:avs:WorkloadNetworkDhcp" }, { type: "azure-native_avs_v20210601:avs:WorkloadNetworkDhcp" }, { type: "azure-native_avs_v20211201:avs:WorkloadNetworkDhcp" }, { type: "azure-native_avs_v20220501:avs:WorkloadNetworkDhcp" }, { type: "azure-native_avs_v20230301:avs:WorkloadNetworkDhcp" }, { type: "azure-native_avs_v20230901:avs:WorkloadNetworkDhcp" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadNetworkDhcp.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/workloadNetworkDnsService.ts b/sdk/nodejs/avs/workloadNetworkDnsService.ts index b306e223c631..e4e24457abc4 100644 --- a/sdk/nodejs/avs/workloadNetworkDnsService.ts +++ b/sdk/nodejs/avs/workloadNetworkDnsService.ts @@ -137,7 +137,7 @@ export class WorkloadNetworkDnsService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200717preview:WorkloadNetworkDnsService" }, { type: "azure-native:avs/v20210101preview:WorkloadNetworkDnsService" }, { type: "azure-native:avs/v20210601:WorkloadNetworkDnsService" }, { type: "azure-native:avs/v20211201:WorkloadNetworkDnsService" }, { type: "azure-native:avs/v20220501:WorkloadNetworkDnsService" }, { type: "azure-native:avs/v20230301:WorkloadNetworkDnsService" }, { type: "azure-native:avs/v20230901:WorkloadNetworkDnsService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:WorkloadNetworkDnsService" }, { type: "azure-native:avs/v20230301:WorkloadNetworkDnsService" }, { type: "azure-native:avs/v20230901:WorkloadNetworkDnsService" }, { type: "azure-native_avs_v20200717preview:avs:WorkloadNetworkDnsService" }, { type: "azure-native_avs_v20210101preview:avs:WorkloadNetworkDnsService" }, { type: "azure-native_avs_v20210601:avs:WorkloadNetworkDnsService" }, { type: "azure-native_avs_v20211201:avs:WorkloadNetworkDnsService" }, { type: "azure-native_avs_v20220501:avs:WorkloadNetworkDnsService" }, { type: "azure-native_avs_v20230301:avs:WorkloadNetworkDnsService" }, { type: "azure-native_avs_v20230901:avs:WorkloadNetworkDnsService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadNetworkDnsService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/workloadNetworkDnsZone.ts b/sdk/nodejs/avs/workloadNetworkDnsZone.ts index f2241143e95c..d3d3a3a61a4b 100644 --- a/sdk/nodejs/avs/workloadNetworkDnsZone.ts +++ b/sdk/nodejs/avs/workloadNetworkDnsZone.ts @@ -131,7 +131,7 @@ export class WorkloadNetworkDnsZone extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200717preview:WorkloadNetworkDnsZone" }, { type: "azure-native:avs/v20210101preview:WorkloadNetworkDnsZone" }, { type: "azure-native:avs/v20210601:WorkloadNetworkDnsZone" }, { type: "azure-native:avs/v20211201:WorkloadNetworkDnsZone" }, { type: "azure-native:avs/v20220501:WorkloadNetworkDnsZone" }, { type: "azure-native:avs/v20230301:WorkloadNetworkDnsZone" }, { type: "azure-native:avs/v20230901:WorkloadNetworkDnsZone" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:WorkloadNetworkDnsZone" }, { type: "azure-native:avs/v20230301:WorkloadNetworkDnsZone" }, { type: "azure-native:avs/v20230901:WorkloadNetworkDnsZone" }, { type: "azure-native_avs_v20200717preview:avs:WorkloadNetworkDnsZone" }, { type: "azure-native_avs_v20210101preview:avs:WorkloadNetworkDnsZone" }, { type: "azure-native_avs_v20210601:avs:WorkloadNetworkDnsZone" }, { type: "azure-native_avs_v20211201:avs:WorkloadNetworkDnsZone" }, { type: "azure-native_avs_v20220501:avs:WorkloadNetworkDnsZone" }, { type: "azure-native_avs_v20230301:avs:WorkloadNetworkDnsZone" }, { type: "azure-native_avs_v20230901:avs:WorkloadNetworkDnsZone" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadNetworkDnsZone.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/workloadNetworkPortMirroring.ts b/sdk/nodejs/avs/workloadNetworkPortMirroring.ts index d83e731270ef..c23f01a1b1af 100644 --- a/sdk/nodejs/avs/workloadNetworkPortMirroring.ts +++ b/sdk/nodejs/avs/workloadNetworkPortMirroring.ts @@ -131,7 +131,7 @@ export class WorkloadNetworkPortMirroring extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200717preview:WorkloadNetworkPortMirroring" }, { type: "azure-native:avs/v20210101preview:WorkloadNetworkPortMirroring" }, { type: "azure-native:avs/v20210601:WorkloadNetworkPortMirroring" }, { type: "azure-native:avs/v20211201:WorkloadNetworkPortMirroring" }, { type: "azure-native:avs/v20220501:WorkloadNetworkPortMirroring" }, { type: "azure-native:avs/v20230301:WorkloadNetworkPortMirroring" }, { type: "azure-native:avs/v20230901:WorkloadNetworkPortMirroring" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:WorkloadNetworkPortMirroring" }, { type: "azure-native:avs/v20230301:WorkloadNetworkPortMirroring" }, { type: "azure-native:avs/v20230901:WorkloadNetworkPortMirroring" }, { type: "azure-native_avs_v20200717preview:avs:WorkloadNetworkPortMirroring" }, { type: "azure-native_avs_v20210101preview:avs:WorkloadNetworkPortMirroring" }, { type: "azure-native_avs_v20210601:avs:WorkloadNetworkPortMirroring" }, { type: "azure-native_avs_v20211201:avs:WorkloadNetworkPortMirroring" }, { type: "azure-native_avs_v20220501:avs:WorkloadNetworkPortMirroring" }, { type: "azure-native_avs_v20230301:avs:WorkloadNetworkPortMirroring" }, { type: "azure-native_avs_v20230901:avs:WorkloadNetworkPortMirroring" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadNetworkPortMirroring.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/workloadNetworkPublicIP.ts b/sdk/nodejs/avs/workloadNetworkPublicIP.ts index fe1fa4ed10e5..8b207f4f45b5 100644 --- a/sdk/nodejs/avs/workloadNetworkPublicIP.ts +++ b/sdk/nodejs/avs/workloadNetworkPublicIP.ts @@ -113,7 +113,7 @@ export class WorkloadNetworkPublicIP extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20210601:WorkloadNetworkPublicIP" }, { type: "azure-native:avs/v20211201:WorkloadNetworkPublicIP" }, { type: "azure-native:avs/v20220501:WorkloadNetworkPublicIP" }, { type: "azure-native:avs/v20230301:WorkloadNetworkPublicIP" }, { type: "azure-native:avs/v20230901:WorkloadNetworkPublicIP" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:WorkloadNetworkPublicIP" }, { type: "azure-native:avs/v20230301:WorkloadNetworkPublicIP" }, { type: "azure-native:avs/v20230901:WorkloadNetworkPublicIP" }, { type: "azure-native_avs_v20210601:avs:WorkloadNetworkPublicIP" }, { type: "azure-native_avs_v20211201:avs:WorkloadNetworkPublicIP" }, { type: "azure-native_avs_v20220501:avs:WorkloadNetworkPublicIP" }, { type: "azure-native_avs_v20230301:avs:WorkloadNetworkPublicIP" }, { type: "azure-native_avs_v20230901:avs:WorkloadNetworkPublicIP" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadNetworkPublicIP.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/workloadNetworkSegment.ts b/sdk/nodejs/avs/workloadNetworkSegment.ts index 373c5825fe44..c71d746ec6c0 100644 --- a/sdk/nodejs/avs/workloadNetworkSegment.ts +++ b/sdk/nodejs/avs/workloadNetworkSegment.ts @@ -131,7 +131,7 @@ export class WorkloadNetworkSegment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200717preview:WorkloadNetworkSegment" }, { type: "azure-native:avs/v20210101preview:WorkloadNetworkSegment" }, { type: "azure-native:avs/v20210601:WorkloadNetworkSegment" }, { type: "azure-native:avs/v20211201:WorkloadNetworkSegment" }, { type: "azure-native:avs/v20220501:WorkloadNetworkSegment" }, { type: "azure-native:avs/v20230301:WorkloadNetworkSegment" }, { type: "azure-native:avs/v20230901:WorkloadNetworkSegment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:WorkloadNetworkSegment" }, { type: "azure-native:avs/v20230301:WorkloadNetworkSegment" }, { type: "azure-native:avs/v20230901:WorkloadNetworkSegment" }, { type: "azure-native_avs_v20200717preview:avs:WorkloadNetworkSegment" }, { type: "azure-native_avs_v20210101preview:avs:WorkloadNetworkSegment" }, { type: "azure-native_avs_v20210601:avs:WorkloadNetworkSegment" }, { type: "azure-native_avs_v20211201:avs:WorkloadNetworkSegment" }, { type: "azure-native_avs_v20220501:avs:WorkloadNetworkSegment" }, { type: "azure-native_avs_v20230301:avs:WorkloadNetworkSegment" }, { type: "azure-native_avs_v20230901:avs:WorkloadNetworkSegment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadNetworkSegment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/avs/workloadNetworkVMGroup.ts b/sdk/nodejs/avs/workloadNetworkVMGroup.ts index 58267f495b30..d2ce4a470772 100644 --- a/sdk/nodejs/avs/workloadNetworkVMGroup.ts +++ b/sdk/nodejs/avs/workloadNetworkVMGroup.ts @@ -119,7 +119,7 @@ export class WorkloadNetworkVMGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:avs/v20200717preview:WorkloadNetworkVMGroup" }, { type: "azure-native:avs/v20210101preview:WorkloadNetworkVMGroup" }, { type: "azure-native:avs/v20210601:WorkloadNetworkVMGroup" }, { type: "azure-native:avs/v20211201:WorkloadNetworkVMGroup" }, { type: "azure-native:avs/v20220501:WorkloadNetworkVMGroup" }, { type: "azure-native:avs/v20230301:WorkloadNetworkVMGroup" }, { type: "azure-native:avs/v20230901:WorkloadNetworkVMGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:avs/v20220501:WorkloadNetworkVMGroup" }, { type: "azure-native:avs/v20230301:WorkloadNetworkVMGroup" }, { type: "azure-native:avs/v20230901:WorkloadNetworkVMGroup" }, { type: "azure-native_avs_v20200717preview:avs:WorkloadNetworkVMGroup" }, { type: "azure-native_avs_v20210101preview:avs:WorkloadNetworkVMGroup" }, { type: "azure-native_avs_v20210601:avs:WorkloadNetworkVMGroup" }, { type: "azure-native_avs_v20211201:avs:WorkloadNetworkVMGroup" }, { type: "azure-native_avs_v20220501:avs:WorkloadNetworkVMGroup" }, { type: "azure-native_avs_v20230301:avs:WorkloadNetworkVMGroup" }, { type: "azure-native_avs_v20230901:avs:WorkloadNetworkVMGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadNetworkVMGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/accessAnalyzerAnalyzer.ts b/sdk/nodejs/awsconnector/accessAnalyzerAnalyzer.ts index e03103307ef7..6396a882fbc3 100644 --- a/sdk/nodejs/awsconnector/accessAnalyzerAnalyzer.ts +++ b/sdk/nodejs/awsconnector/accessAnalyzerAnalyzer.ts @@ -100,7 +100,7 @@ export class AccessAnalyzerAnalyzer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:AccessAnalyzerAnalyzer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:AccessAnalyzerAnalyzer" }, { type: "azure-native_awsconnector_v20241201:awsconnector:AccessAnalyzerAnalyzer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccessAnalyzerAnalyzer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/acmCertificateSummary.ts b/sdk/nodejs/awsconnector/acmCertificateSummary.ts index 51613afa49e2..c2b117bbdc44 100644 --- a/sdk/nodejs/awsconnector/acmCertificateSummary.ts +++ b/sdk/nodejs/awsconnector/acmCertificateSummary.ts @@ -100,7 +100,7 @@ export class AcmCertificateSummary extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:AcmCertificateSummary" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:AcmCertificateSummary" }, { type: "azure-native_awsconnector_v20241201:awsconnector:AcmCertificateSummary" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AcmCertificateSummary.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/apiGatewayRestApi.ts b/sdk/nodejs/awsconnector/apiGatewayRestApi.ts index 393985e704e4..d9d97ca6afcb 100644 --- a/sdk/nodejs/awsconnector/apiGatewayRestApi.ts +++ b/sdk/nodejs/awsconnector/apiGatewayRestApi.ts @@ -100,7 +100,7 @@ export class ApiGatewayRestApi extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ApiGatewayRestApi" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ApiGatewayRestApi" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ApiGatewayRestApi" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiGatewayRestApi.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/apiGatewayStage.ts b/sdk/nodejs/awsconnector/apiGatewayStage.ts index ca0f4bdaa38d..f07e0aeb1d89 100644 --- a/sdk/nodejs/awsconnector/apiGatewayStage.ts +++ b/sdk/nodejs/awsconnector/apiGatewayStage.ts @@ -100,7 +100,7 @@ export class ApiGatewayStage extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ApiGatewayStage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ApiGatewayStage" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ApiGatewayStage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApiGatewayStage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/appSyncGraphqlApi.ts b/sdk/nodejs/awsconnector/appSyncGraphqlApi.ts index 398ea34e3b57..75f01890f5e0 100644 --- a/sdk/nodejs/awsconnector/appSyncGraphqlApi.ts +++ b/sdk/nodejs/awsconnector/appSyncGraphqlApi.ts @@ -100,7 +100,7 @@ export class AppSyncGraphqlApi extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:AppSyncGraphqlApi" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:AppSyncGraphqlApi" }, { type: "azure-native_awsconnector_v20241201:awsconnector:AppSyncGraphqlApi" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AppSyncGraphqlApi.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/autoScalingAutoScalingGroup.ts b/sdk/nodejs/awsconnector/autoScalingAutoScalingGroup.ts index 2ca164275f12..195e26280e4a 100644 --- a/sdk/nodejs/awsconnector/autoScalingAutoScalingGroup.ts +++ b/sdk/nodejs/awsconnector/autoScalingAutoScalingGroup.ts @@ -100,7 +100,7 @@ export class AutoScalingAutoScalingGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:AutoScalingAutoScalingGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:AutoScalingAutoScalingGroup" }, { type: "azure-native_awsconnector_v20241201:awsconnector:AutoScalingAutoScalingGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AutoScalingAutoScalingGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/cloudFormationStack.ts b/sdk/nodejs/awsconnector/cloudFormationStack.ts index b355b35b97bf..11522c0e51de 100644 --- a/sdk/nodejs/awsconnector/cloudFormationStack.ts +++ b/sdk/nodejs/awsconnector/cloudFormationStack.ts @@ -100,7 +100,7 @@ export class CloudFormationStack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CloudFormationStack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CloudFormationStack" }, { type: "azure-native_awsconnector_v20241201:awsconnector:CloudFormationStack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudFormationStack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/cloudFormationStackSet.ts b/sdk/nodejs/awsconnector/cloudFormationStackSet.ts index 1e38d775d495..e02e7dbf7fbc 100644 --- a/sdk/nodejs/awsconnector/cloudFormationStackSet.ts +++ b/sdk/nodejs/awsconnector/cloudFormationStackSet.ts @@ -100,7 +100,7 @@ export class CloudFormationStackSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CloudFormationStackSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CloudFormationStackSet" }, { type: "azure-native_awsconnector_v20241201:awsconnector:CloudFormationStackSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudFormationStackSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/cloudFrontDistribution.ts b/sdk/nodejs/awsconnector/cloudFrontDistribution.ts index 6b43d98fbabf..92a90a85a1d7 100644 --- a/sdk/nodejs/awsconnector/cloudFrontDistribution.ts +++ b/sdk/nodejs/awsconnector/cloudFrontDistribution.ts @@ -100,7 +100,7 @@ export class CloudFrontDistribution extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CloudFrontDistribution" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CloudFrontDistribution" }, { type: "azure-native_awsconnector_v20241201:awsconnector:CloudFrontDistribution" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudFrontDistribution.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/cloudTrailTrail.ts b/sdk/nodejs/awsconnector/cloudTrailTrail.ts index 074d1d70c026..270caae03dd0 100644 --- a/sdk/nodejs/awsconnector/cloudTrailTrail.ts +++ b/sdk/nodejs/awsconnector/cloudTrailTrail.ts @@ -100,7 +100,7 @@ export class CloudTrailTrail extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CloudTrailTrail" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CloudTrailTrail" }, { type: "azure-native_awsconnector_v20241201:awsconnector:CloudTrailTrail" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudTrailTrail.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/cloudWatchAlarm.ts b/sdk/nodejs/awsconnector/cloudWatchAlarm.ts index eabf36b34890..f59587d790a5 100644 --- a/sdk/nodejs/awsconnector/cloudWatchAlarm.ts +++ b/sdk/nodejs/awsconnector/cloudWatchAlarm.ts @@ -100,7 +100,7 @@ export class CloudWatchAlarm extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CloudWatchAlarm" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CloudWatchAlarm" }, { type: "azure-native_awsconnector_v20241201:awsconnector:CloudWatchAlarm" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudWatchAlarm.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/codeBuildProject.ts b/sdk/nodejs/awsconnector/codeBuildProject.ts index f556cc3178a2..33ec1cb18458 100644 --- a/sdk/nodejs/awsconnector/codeBuildProject.ts +++ b/sdk/nodejs/awsconnector/codeBuildProject.ts @@ -100,7 +100,7 @@ export class CodeBuildProject extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CodeBuildProject" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CodeBuildProject" }, { type: "azure-native_awsconnector_v20241201:awsconnector:CodeBuildProject" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CodeBuildProject.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/codeBuildSourceCredentialsInfo.ts b/sdk/nodejs/awsconnector/codeBuildSourceCredentialsInfo.ts index ddd52e1b467d..9a34420685a1 100644 --- a/sdk/nodejs/awsconnector/codeBuildSourceCredentialsInfo.ts +++ b/sdk/nodejs/awsconnector/codeBuildSourceCredentialsInfo.ts @@ -100,7 +100,7 @@ export class CodeBuildSourceCredentialsInfo extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CodeBuildSourceCredentialsInfo" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:CodeBuildSourceCredentialsInfo" }, { type: "azure-native_awsconnector_v20241201:awsconnector:CodeBuildSourceCredentialsInfo" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CodeBuildSourceCredentialsInfo.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/configServiceConfigurationRecorder.ts b/sdk/nodejs/awsconnector/configServiceConfigurationRecorder.ts index bcdafd4a71da..1b6e56b477ce 100644 --- a/sdk/nodejs/awsconnector/configServiceConfigurationRecorder.ts +++ b/sdk/nodejs/awsconnector/configServiceConfigurationRecorder.ts @@ -100,7 +100,7 @@ export class ConfigServiceConfigurationRecorder extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorder" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorder" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ConfigServiceConfigurationRecorder" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigServiceConfigurationRecorder.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/configServiceConfigurationRecorderStatus.ts b/sdk/nodejs/awsconnector/configServiceConfigurationRecorderStatus.ts index fed031af9c3c..0e36e7e04646 100644 --- a/sdk/nodejs/awsconnector/configServiceConfigurationRecorderStatus.ts +++ b/sdk/nodejs/awsconnector/configServiceConfigurationRecorderStatus.ts @@ -100,7 +100,7 @@ export class ConfigServiceConfigurationRecorderStatus extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorderStatus" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorderStatus" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ConfigServiceConfigurationRecorderStatus" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigServiceConfigurationRecorderStatus.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/configServiceDeliveryChannel.ts b/sdk/nodejs/awsconnector/configServiceDeliveryChannel.ts index a46bd6642712..e269ea3f56a9 100644 --- a/sdk/nodejs/awsconnector/configServiceDeliveryChannel.ts +++ b/sdk/nodejs/awsconnector/configServiceDeliveryChannel.ts @@ -100,7 +100,7 @@ export class ConfigServiceDeliveryChannel extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ConfigServiceDeliveryChannel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ConfigServiceDeliveryChannel" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ConfigServiceDeliveryChannel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigServiceDeliveryChannel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/databaseMigrationServiceReplicationInstance.ts b/sdk/nodejs/awsconnector/databaseMigrationServiceReplicationInstance.ts index 415e1f43809b..fc1e3597be2f 100644 --- a/sdk/nodejs/awsconnector/databaseMigrationServiceReplicationInstance.ts +++ b/sdk/nodejs/awsconnector/databaseMigrationServiceReplicationInstance.ts @@ -100,7 +100,7 @@ export class DatabaseMigrationServiceReplicationInstance extends pulumi.CustomRe resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:DatabaseMigrationServiceReplicationInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:DatabaseMigrationServiceReplicationInstance" }, { type: "azure-native_awsconnector_v20241201:awsconnector:DatabaseMigrationServiceReplicationInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseMigrationServiceReplicationInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/daxCluster.ts b/sdk/nodejs/awsconnector/daxCluster.ts index 85b637c9f805..9d210589eb4e 100644 --- a/sdk/nodejs/awsconnector/daxCluster.ts +++ b/sdk/nodejs/awsconnector/daxCluster.ts @@ -100,7 +100,7 @@ export class DaxCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:DaxCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:DaxCluster" }, { type: "azure-native_awsconnector_v20241201:awsconnector:DaxCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DaxCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/dynamoDbContinuousBackupsDescription.ts b/sdk/nodejs/awsconnector/dynamoDbContinuousBackupsDescription.ts index f306335388d5..5c5b5775429a 100644 --- a/sdk/nodejs/awsconnector/dynamoDbContinuousBackupsDescription.ts +++ b/sdk/nodejs/awsconnector/dynamoDbContinuousBackupsDescription.ts @@ -100,7 +100,7 @@ export class DynamoDbContinuousBackupsDescription extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:DynamoDbContinuousBackupsDescription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:DynamoDbContinuousBackupsDescription" }, { type: "azure-native_awsconnector_v20241201:awsconnector:DynamoDbContinuousBackupsDescription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DynamoDbContinuousBackupsDescription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/dynamoDbTable.ts b/sdk/nodejs/awsconnector/dynamoDbTable.ts index 73b50b589fcb..0c421a3dabd7 100644 --- a/sdk/nodejs/awsconnector/dynamoDbTable.ts +++ b/sdk/nodejs/awsconnector/dynamoDbTable.ts @@ -100,7 +100,7 @@ export class DynamoDbTable extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:DynamoDbTable" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:DynamoDbTable" }, { type: "azure-native_awsconnector_v20241201:awsconnector:DynamoDbTable" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DynamoDbTable.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2AccountAttribute.ts b/sdk/nodejs/awsconnector/ec2AccountAttribute.ts index dc2aa3bbc34b..474907bdd36e 100644 --- a/sdk/nodejs/awsconnector/ec2AccountAttribute.ts +++ b/sdk/nodejs/awsconnector/ec2AccountAttribute.ts @@ -100,7 +100,7 @@ export class Ec2AccountAttribute extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2AccountAttribute" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2AccountAttribute" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2AccountAttribute" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2AccountAttribute.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2Address.ts b/sdk/nodejs/awsconnector/ec2Address.ts index c8f389a395ba..7d6222e46bca 100644 --- a/sdk/nodejs/awsconnector/ec2Address.ts +++ b/sdk/nodejs/awsconnector/ec2Address.ts @@ -100,7 +100,7 @@ export class Ec2Address extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Address" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Address" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2Address" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2Address.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2FlowLog.ts b/sdk/nodejs/awsconnector/ec2FlowLog.ts index 658e9aa32fcf..72793185505e 100644 --- a/sdk/nodejs/awsconnector/ec2FlowLog.ts +++ b/sdk/nodejs/awsconnector/ec2FlowLog.ts @@ -100,7 +100,7 @@ export class Ec2FlowLog extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2FlowLog" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2FlowLog" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2FlowLog" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2FlowLog.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2Image.ts b/sdk/nodejs/awsconnector/ec2Image.ts index 5350d11360f2..3d1865ca4e96 100644 --- a/sdk/nodejs/awsconnector/ec2Image.ts +++ b/sdk/nodejs/awsconnector/ec2Image.ts @@ -100,7 +100,7 @@ export class Ec2Image extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Image" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Image" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2Image" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2Image.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2Instance.ts b/sdk/nodejs/awsconnector/ec2Instance.ts index 3840139f8c3d..569031a291e3 100644 --- a/sdk/nodejs/awsconnector/ec2Instance.ts +++ b/sdk/nodejs/awsconnector/ec2Instance.ts @@ -88,7 +88,7 @@ export class Ec2Instance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Instance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Instance" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2Instance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2Instance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2InstanceStatus.ts b/sdk/nodejs/awsconnector/ec2InstanceStatus.ts index 305d99d4829e..0757212032ad 100644 --- a/sdk/nodejs/awsconnector/ec2InstanceStatus.ts +++ b/sdk/nodejs/awsconnector/ec2InstanceStatus.ts @@ -100,7 +100,7 @@ export class Ec2InstanceStatus extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2InstanceStatus" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2InstanceStatus" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2InstanceStatus" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2InstanceStatus.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2Ipam.ts b/sdk/nodejs/awsconnector/ec2Ipam.ts index 29e5735dc684..889c9e6ae689 100644 --- a/sdk/nodejs/awsconnector/ec2Ipam.ts +++ b/sdk/nodejs/awsconnector/ec2Ipam.ts @@ -100,7 +100,7 @@ export class Ec2Ipam extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Ipam" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Ipam" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2Ipam" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2Ipam.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2KeyPair.ts b/sdk/nodejs/awsconnector/ec2KeyPair.ts index 81e5d282ed58..b2c88ac0a85a 100644 --- a/sdk/nodejs/awsconnector/ec2KeyPair.ts +++ b/sdk/nodejs/awsconnector/ec2KeyPair.ts @@ -100,7 +100,7 @@ export class Ec2KeyPair extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2KeyPair" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2KeyPair" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2KeyPair" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2KeyPair.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2NetworkAcl.ts b/sdk/nodejs/awsconnector/ec2NetworkAcl.ts index 2e726e81da37..e5e2e85aea48 100644 --- a/sdk/nodejs/awsconnector/ec2NetworkAcl.ts +++ b/sdk/nodejs/awsconnector/ec2NetworkAcl.ts @@ -100,7 +100,7 @@ export class Ec2NetworkAcl extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2NetworkAcl" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2NetworkAcl" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2NetworkAcl" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2NetworkAcl.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2NetworkInterface.ts b/sdk/nodejs/awsconnector/ec2NetworkInterface.ts index 519267793b47..bbd107cd53ea 100644 --- a/sdk/nodejs/awsconnector/ec2NetworkInterface.ts +++ b/sdk/nodejs/awsconnector/ec2NetworkInterface.ts @@ -100,7 +100,7 @@ export class Ec2NetworkInterface extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2NetworkInterface" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2NetworkInterface" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2NetworkInterface" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2NetworkInterface.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2RouteTable.ts b/sdk/nodejs/awsconnector/ec2RouteTable.ts index 1a1e8bc30d81..ccbd86fee504 100644 --- a/sdk/nodejs/awsconnector/ec2RouteTable.ts +++ b/sdk/nodejs/awsconnector/ec2RouteTable.ts @@ -100,7 +100,7 @@ export class Ec2RouteTable extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2RouteTable" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2RouteTable" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2RouteTable" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2RouteTable.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2SecurityGroup.ts b/sdk/nodejs/awsconnector/ec2SecurityGroup.ts index b62dd3c57a05..e992c78510ac 100644 --- a/sdk/nodejs/awsconnector/ec2SecurityGroup.ts +++ b/sdk/nodejs/awsconnector/ec2SecurityGroup.ts @@ -100,7 +100,7 @@ export class Ec2SecurityGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2SecurityGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2SecurityGroup" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2SecurityGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2SecurityGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2Snapshot.ts b/sdk/nodejs/awsconnector/ec2Snapshot.ts index 3137575a64ac..9df41504ed27 100644 --- a/sdk/nodejs/awsconnector/ec2Snapshot.ts +++ b/sdk/nodejs/awsconnector/ec2Snapshot.ts @@ -100,7 +100,7 @@ export class Ec2Snapshot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Snapshot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Snapshot" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2Snapshot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2Snapshot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2Subnet.ts b/sdk/nodejs/awsconnector/ec2Subnet.ts index 46a3642ad9ac..9a6fd57181ca 100644 --- a/sdk/nodejs/awsconnector/ec2Subnet.ts +++ b/sdk/nodejs/awsconnector/ec2Subnet.ts @@ -100,7 +100,7 @@ export class Ec2Subnet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Subnet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Subnet" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2Subnet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2Subnet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2Volume.ts b/sdk/nodejs/awsconnector/ec2Volume.ts index 311b70cc6cd6..af9e92d3cef6 100644 --- a/sdk/nodejs/awsconnector/ec2Volume.ts +++ b/sdk/nodejs/awsconnector/ec2Volume.ts @@ -100,7 +100,7 @@ export class Ec2Volume extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Volume" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Volume" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2Volume" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2Volume.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2Vpc.ts b/sdk/nodejs/awsconnector/ec2Vpc.ts index 4230bf2e9289..f15a7089399d 100644 --- a/sdk/nodejs/awsconnector/ec2Vpc.ts +++ b/sdk/nodejs/awsconnector/ec2Vpc.ts @@ -100,7 +100,7 @@ export class Ec2Vpc extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Vpc" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2Vpc" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2Vpc" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2Vpc.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2VpcEndpoint.ts b/sdk/nodejs/awsconnector/ec2VpcEndpoint.ts index a2cd5a6c7694..1d8782160456 100644 --- a/sdk/nodejs/awsconnector/ec2VpcEndpoint.ts +++ b/sdk/nodejs/awsconnector/ec2VpcEndpoint.ts @@ -100,7 +100,7 @@ export class Ec2VpcEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2VpcEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2VpcEndpoint" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2VpcEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2VpcEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ec2VpcPeeringConnection.ts b/sdk/nodejs/awsconnector/ec2VpcPeeringConnection.ts index 25884e2c928b..f1a3c1fa8d7d 100644 --- a/sdk/nodejs/awsconnector/ec2VpcPeeringConnection.ts +++ b/sdk/nodejs/awsconnector/ec2VpcPeeringConnection.ts @@ -100,7 +100,7 @@ export class Ec2VpcPeeringConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2VpcPeeringConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Ec2VpcPeeringConnection" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Ec2VpcPeeringConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ec2VpcPeeringConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ecrImageDetail.ts b/sdk/nodejs/awsconnector/ecrImageDetail.ts index c8e6983af06b..3111c529d3bf 100644 --- a/sdk/nodejs/awsconnector/ecrImageDetail.ts +++ b/sdk/nodejs/awsconnector/ecrImageDetail.ts @@ -100,7 +100,7 @@ export class EcrImageDetail extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EcrImageDetail" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EcrImageDetail" }, { type: "azure-native_awsconnector_v20241201:awsconnector:EcrImageDetail" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EcrImageDetail.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ecrRepository.ts b/sdk/nodejs/awsconnector/ecrRepository.ts index 853eaa5d588e..7587d0c7e41c 100644 --- a/sdk/nodejs/awsconnector/ecrRepository.ts +++ b/sdk/nodejs/awsconnector/ecrRepository.ts @@ -100,7 +100,7 @@ export class EcrRepository extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EcrRepository" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EcrRepository" }, { type: "azure-native_awsconnector_v20241201:awsconnector:EcrRepository" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EcrRepository.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ecsCluster.ts b/sdk/nodejs/awsconnector/ecsCluster.ts index c4071477e2ea..9189c50b2cf0 100644 --- a/sdk/nodejs/awsconnector/ecsCluster.ts +++ b/sdk/nodejs/awsconnector/ecsCluster.ts @@ -100,7 +100,7 @@ export class EcsCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EcsCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EcsCluster" }, { type: "azure-native_awsconnector_v20241201:awsconnector:EcsCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EcsCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ecsService.ts b/sdk/nodejs/awsconnector/ecsService.ts index ee52fb2cfc20..77a2ea37b30f 100644 --- a/sdk/nodejs/awsconnector/ecsService.ts +++ b/sdk/nodejs/awsconnector/ecsService.ts @@ -100,7 +100,7 @@ export class EcsService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EcsService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EcsService" }, { type: "azure-native_awsconnector_v20241201:awsconnector:EcsService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EcsService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ecsTaskDefinition.ts b/sdk/nodejs/awsconnector/ecsTaskDefinition.ts index 18204b022486..c9e46a3a090c 100644 --- a/sdk/nodejs/awsconnector/ecsTaskDefinition.ts +++ b/sdk/nodejs/awsconnector/ecsTaskDefinition.ts @@ -100,7 +100,7 @@ export class EcsTaskDefinition extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EcsTaskDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EcsTaskDefinition" }, { type: "azure-native_awsconnector_v20241201:awsconnector:EcsTaskDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EcsTaskDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/efsFileSystem.ts b/sdk/nodejs/awsconnector/efsFileSystem.ts index 95d5209a2bf9..7608eecb6467 100644 --- a/sdk/nodejs/awsconnector/efsFileSystem.ts +++ b/sdk/nodejs/awsconnector/efsFileSystem.ts @@ -100,7 +100,7 @@ export class EfsFileSystem extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EfsFileSystem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EfsFileSystem" }, { type: "azure-native_awsconnector_v20241201:awsconnector:EfsFileSystem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EfsFileSystem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/efsMountTarget.ts b/sdk/nodejs/awsconnector/efsMountTarget.ts index ccf41baced7d..57d6211e8c67 100644 --- a/sdk/nodejs/awsconnector/efsMountTarget.ts +++ b/sdk/nodejs/awsconnector/efsMountTarget.ts @@ -100,7 +100,7 @@ export class EfsMountTarget extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EfsMountTarget" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EfsMountTarget" }, { type: "azure-native_awsconnector_v20241201:awsconnector:EfsMountTarget" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EfsMountTarget.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/eksCluster.ts b/sdk/nodejs/awsconnector/eksCluster.ts index 1b4ebe3134b9..51629505d424 100644 --- a/sdk/nodejs/awsconnector/eksCluster.ts +++ b/sdk/nodejs/awsconnector/eksCluster.ts @@ -88,7 +88,7 @@ export class EksCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EksCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EksCluster" }, { type: "azure-native_awsconnector_v20241201:awsconnector:EksCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EksCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/eksNodegroup.ts b/sdk/nodejs/awsconnector/eksNodegroup.ts index d99c3e643757..c10915230634 100644 --- a/sdk/nodejs/awsconnector/eksNodegroup.ts +++ b/sdk/nodejs/awsconnector/eksNodegroup.ts @@ -100,7 +100,7 @@ export class EksNodegroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EksNodegroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EksNodegroup" }, { type: "azure-native_awsconnector_v20241201:awsconnector:EksNodegroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EksNodegroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/elasticBeanstalkApplication.ts b/sdk/nodejs/awsconnector/elasticBeanstalkApplication.ts index 75b4e7d29efd..9c73f6c3dbe3 100644 --- a/sdk/nodejs/awsconnector/elasticBeanstalkApplication.ts +++ b/sdk/nodejs/awsconnector/elasticBeanstalkApplication.ts @@ -100,7 +100,7 @@ export class ElasticBeanstalkApplication extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticBeanstalkApplication" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticBeanstalkApplication" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkApplication" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ElasticBeanstalkApplication.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/elasticBeanstalkConfigurationTemplate.ts b/sdk/nodejs/awsconnector/elasticBeanstalkConfigurationTemplate.ts index 65e14bf0e6df..565dbcdff7db 100644 --- a/sdk/nodejs/awsconnector/elasticBeanstalkConfigurationTemplate.ts +++ b/sdk/nodejs/awsconnector/elasticBeanstalkConfigurationTemplate.ts @@ -100,7 +100,7 @@ export class ElasticBeanstalkConfigurationTemplate extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticBeanstalkConfigurationTemplate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticBeanstalkConfigurationTemplate" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkConfigurationTemplate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ElasticBeanstalkConfigurationTemplate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/elasticBeanstalkEnvironment.ts b/sdk/nodejs/awsconnector/elasticBeanstalkEnvironment.ts index 7c6200160c5b..1bb9973e12e3 100644 --- a/sdk/nodejs/awsconnector/elasticBeanstalkEnvironment.ts +++ b/sdk/nodejs/awsconnector/elasticBeanstalkEnvironment.ts @@ -100,7 +100,7 @@ export class ElasticBeanstalkEnvironment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticBeanstalkEnvironment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticBeanstalkEnvironment" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkEnvironment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ElasticBeanstalkEnvironment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/elasticLoadBalancingV2Listener.ts b/sdk/nodejs/awsconnector/elasticLoadBalancingV2Listener.ts index 995df0f2952a..21cd29121fe4 100644 --- a/sdk/nodejs/awsconnector/elasticLoadBalancingV2Listener.ts +++ b/sdk/nodejs/awsconnector/elasticLoadBalancingV2Listener.ts @@ -100,7 +100,7 @@ export class ElasticLoadBalancingV2Listener extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2Listener" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2Listener" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2Listener" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ElasticLoadBalancingV2Listener.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/elasticLoadBalancingV2LoadBalancer.ts b/sdk/nodejs/awsconnector/elasticLoadBalancingV2LoadBalancer.ts index c519668999f4..a34c97da1838 100644 --- a/sdk/nodejs/awsconnector/elasticLoadBalancingV2LoadBalancer.ts +++ b/sdk/nodejs/awsconnector/elasticLoadBalancingV2LoadBalancer.ts @@ -100,7 +100,7 @@ export class ElasticLoadBalancingV2LoadBalancer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2LoadBalancer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2LoadBalancer" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2LoadBalancer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ElasticLoadBalancingV2LoadBalancer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/elasticLoadBalancingV2TargetGroup.ts b/sdk/nodejs/awsconnector/elasticLoadBalancingV2TargetGroup.ts index ce24e38807e4..d0a411ed8345 100644 --- a/sdk/nodejs/awsconnector/elasticLoadBalancingV2TargetGroup.ts +++ b/sdk/nodejs/awsconnector/elasticLoadBalancingV2TargetGroup.ts @@ -100,7 +100,7 @@ export class ElasticLoadBalancingV2TargetGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2TargetGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticLoadBalancingV2TargetGroup" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2TargetGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ElasticLoadBalancingV2TargetGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/elasticLoadBalancingv2TargetHealthDescription.ts b/sdk/nodejs/awsconnector/elasticLoadBalancingv2TargetHealthDescription.ts index 7bcdfe46d311..26b66abf662f 100644 --- a/sdk/nodejs/awsconnector/elasticLoadBalancingv2TargetHealthDescription.ts +++ b/sdk/nodejs/awsconnector/elasticLoadBalancingv2TargetHealthDescription.ts @@ -100,7 +100,7 @@ export class ElasticLoadBalancingv2TargetHealthDescription extends pulumi.Custom resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticLoadBalancingv2TargetHealthDescription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:ElasticLoadBalancingv2TargetHealthDescription" }, { type: "azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingv2TargetHealthDescription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ElasticLoadBalancingv2TargetHealthDescription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/emrCluster.ts b/sdk/nodejs/awsconnector/emrCluster.ts index cea0b41843be..331027059ba2 100644 --- a/sdk/nodejs/awsconnector/emrCluster.ts +++ b/sdk/nodejs/awsconnector/emrCluster.ts @@ -100,7 +100,7 @@ export class EmrCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EmrCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:EmrCluster" }, { type: "azure-native_awsconnector_v20241201:awsconnector:EmrCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EmrCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/guardDutyDetector.ts b/sdk/nodejs/awsconnector/guardDutyDetector.ts index c41914b3cdda..7dfa4a8ecf9f 100644 --- a/sdk/nodejs/awsconnector/guardDutyDetector.ts +++ b/sdk/nodejs/awsconnector/guardDutyDetector.ts @@ -100,7 +100,7 @@ export class GuardDutyDetector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:GuardDutyDetector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:GuardDutyDetector" }, { type: "azure-native_awsconnector_v20241201:awsconnector:GuardDutyDetector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GuardDutyDetector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/iamAccessKeyLastUsed.ts b/sdk/nodejs/awsconnector/iamAccessKeyLastUsed.ts index 1e1193f5901d..3249bdda1605 100644 --- a/sdk/nodejs/awsconnector/iamAccessKeyLastUsed.ts +++ b/sdk/nodejs/awsconnector/iamAccessKeyLastUsed.ts @@ -100,7 +100,7 @@ export class IamAccessKeyLastUsed extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamAccessKeyLastUsed" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamAccessKeyLastUsed" }, { type: "azure-native_awsconnector_v20241201:awsconnector:IamAccessKeyLastUsed" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IamAccessKeyLastUsed.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/iamAccessKeyMetadataInfo.ts b/sdk/nodejs/awsconnector/iamAccessKeyMetadataInfo.ts index 37d97847babb..6be0927d6019 100644 --- a/sdk/nodejs/awsconnector/iamAccessKeyMetadataInfo.ts +++ b/sdk/nodejs/awsconnector/iamAccessKeyMetadataInfo.ts @@ -100,7 +100,7 @@ export class IamAccessKeyMetadataInfo extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamAccessKeyMetadataInfo" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamAccessKeyMetadataInfo" }, { type: "azure-native_awsconnector_v20241201:awsconnector:IamAccessKeyMetadataInfo" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IamAccessKeyMetadataInfo.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/iamGroup.ts b/sdk/nodejs/awsconnector/iamGroup.ts index 0fc783c0c6ea..044bbdfb19b8 100644 --- a/sdk/nodejs/awsconnector/iamGroup.ts +++ b/sdk/nodejs/awsconnector/iamGroup.ts @@ -100,7 +100,7 @@ export class IamGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamGroup" }, { type: "azure-native_awsconnector_v20241201:awsconnector:IamGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IamGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/iamInstanceProfile.ts b/sdk/nodejs/awsconnector/iamInstanceProfile.ts index 63edefdaff53..31acb74d1589 100644 --- a/sdk/nodejs/awsconnector/iamInstanceProfile.ts +++ b/sdk/nodejs/awsconnector/iamInstanceProfile.ts @@ -100,7 +100,7 @@ export class IamInstanceProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamInstanceProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamInstanceProfile" }, { type: "azure-native_awsconnector_v20241201:awsconnector:IamInstanceProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IamInstanceProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/iamMfaDevice.ts b/sdk/nodejs/awsconnector/iamMfaDevice.ts index 7485935a751d..e4360aab934c 100644 --- a/sdk/nodejs/awsconnector/iamMfaDevice.ts +++ b/sdk/nodejs/awsconnector/iamMfaDevice.ts @@ -100,7 +100,7 @@ export class IamMfaDevice extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamMfaDevice" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamMfaDevice" }, { type: "azure-native_awsconnector_v20241201:awsconnector:IamMfaDevice" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IamMfaDevice.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/iamPasswordPolicy.ts b/sdk/nodejs/awsconnector/iamPasswordPolicy.ts index 8092a4c6fb97..dc396cc6a1f3 100644 --- a/sdk/nodejs/awsconnector/iamPasswordPolicy.ts +++ b/sdk/nodejs/awsconnector/iamPasswordPolicy.ts @@ -100,7 +100,7 @@ export class IamPasswordPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamPasswordPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamPasswordPolicy" }, { type: "azure-native_awsconnector_v20241201:awsconnector:IamPasswordPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IamPasswordPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/iamPolicyVersion.ts b/sdk/nodejs/awsconnector/iamPolicyVersion.ts index a94d65ebca58..d6449e593d32 100644 --- a/sdk/nodejs/awsconnector/iamPolicyVersion.ts +++ b/sdk/nodejs/awsconnector/iamPolicyVersion.ts @@ -100,7 +100,7 @@ export class IamPolicyVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamPolicyVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamPolicyVersion" }, { type: "azure-native_awsconnector_v20241201:awsconnector:IamPolicyVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IamPolicyVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/iamRole.ts b/sdk/nodejs/awsconnector/iamRole.ts index d15adfb64871..1d90a5f42918 100644 --- a/sdk/nodejs/awsconnector/iamRole.ts +++ b/sdk/nodejs/awsconnector/iamRole.ts @@ -100,7 +100,7 @@ export class IamRole extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamRole" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamRole" }, { type: "azure-native_awsconnector_v20241201:awsconnector:IamRole" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IamRole.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/iamServerCertificate.ts b/sdk/nodejs/awsconnector/iamServerCertificate.ts index 02c4e9f425fc..7164e10f940b 100644 --- a/sdk/nodejs/awsconnector/iamServerCertificate.ts +++ b/sdk/nodejs/awsconnector/iamServerCertificate.ts @@ -100,7 +100,7 @@ export class IamServerCertificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamServerCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamServerCertificate" }, { type: "azure-native_awsconnector_v20241201:awsconnector:IamServerCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IamServerCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/iamVirtualMfaDevice.ts b/sdk/nodejs/awsconnector/iamVirtualMfaDevice.ts index 1b1e79ca2d23..23178abb8772 100644 --- a/sdk/nodejs/awsconnector/iamVirtualMfaDevice.ts +++ b/sdk/nodejs/awsconnector/iamVirtualMfaDevice.ts @@ -100,7 +100,7 @@ export class IamVirtualMfaDevice extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamVirtualMfaDevice" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:IamVirtualMfaDevice" }, { type: "azure-native_awsconnector_v20241201:awsconnector:IamVirtualMfaDevice" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IamVirtualMfaDevice.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/kmsAlias.ts b/sdk/nodejs/awsconnector/kmsAlias.ts index 47b9fafe4a45..8c23df8f6862 100644 --- a/sdk/nodejs/awsconnector/kmsAlias.ts +++ b/sdk/nodejs/awsconnector/kmsAlias.ts @@ -100,7 +100,7 @@ export class KmsAlias extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:KmsAlias" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:KmsAlias" }, { type: "azure-native_awsconnector_v20241201:awsconnector:KmsAlias" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KmsAlias.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/kmsKey.ts b/sdk/nodejs/awsconnector/kmsKey.ts index 94ddcbd63b6c..3a534e096f9d 100644 --- a/sdk/nodejs/awsconnector/kmsKey.ts +++ b/sdk/nodejs/awsconnector/kmsKey.ts @@ -100,7 +100,7 @@ export class KmsKey extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:KmsKey" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:KmsKey" }, { type: "azure-native_awsconnector_v20241201:awsconnector:KmsKey" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KmsKey.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/lambdaFunction.ts b/sdk/nodejs/awsconnector/lambdaFunction.ts index a2e760b5b64f..f36eaa2e2652 100644 --- a/sdk/nodejs/awsconnector/lambdaFunction.ts +++ b/sdk/nodejs/awsconnector/lambdaFunction.ts @@ -100,7 +100,7 @@ export class LambdaFunction extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LambdaFunction" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LambdaFunction" }, { type: "azure-native_awsconnector_v20241201:awsconnector:LambdaFunction" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LambdaFunction.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/lambdaFunctionCodeLocation.ts b/sdk/nodejs/awsconnector/lambdaFunctionCodeLocation.ts index fedd26e76abc..d2481810d51b 100644 --- a/sdk/nodejs/awsconnector/lambdaFunctionCodeLocation.ts +++ b/sdk/nodejs/awsconnector/lambdaFunctionCodeLocation.ts @@ -100,7 +100,7 @@ export class LambdaFunctionCodeLocation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LambdaFunctionCodeLocation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LambdaFunctionCodeLocation" }, { type: "azure-native_awsconnector_v20241201:awsconnector:LambdaFunctionCodeLocation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LambdaFunctionCodeLocation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/lightsailBucket.ts b/sdk/nodejs/awsconnector/lightsailBucket.ts index 24fb2d9b5c1a..36c74d0da9c7 100644 --- a/sdk/nodejs/awsconnector/lightsailBucket.ts +++ b/sdk/nodejs/awsconnector/lightsailBucket.ts @@ -100,7 +100,7 @@ export class LightsailBucket extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LightsailBucket" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LightsailBucket" }, { type: "azure-native_awsconnector_v20241201:awsconnector:LightsailBucket" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LightsailBucket.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/lightsailInstance.ts b/sdk/nodejs/awsconnector/lightsailInstance.ts index 56f806b5a8fa..7cf71dc75456 100644 --- a/sdk/nodejs/awsconnector/lightsailInstance.ts +++ b/sdk/nodejs/awsconnector/lightsailInstance.ts @@ -100,7 +100,7 @@ export class LightsailInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LightsailInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LightsailInstance" }, { type: "azure-native_awsconnector_v20241201:awsconnector:LightsailInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LightsailInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/logsLogGroup.ts b/sdk/nodejs/awsconnector/logsLogGroup.ts index 59aa0e5227df..df9145bd3d12 100644 --- a/sdk/nodejs/awsconnector/logsLogGroup.ts +++ b/sdk/nodejs/awsconnector/logsLogGroup.ts @@ -100,7 +100,7 @@ export class LogsLogGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LogsLogGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LogsLogGroup" }, { type: "azure-native_awsconnector_v20241201:awsconnector:LogsLogGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LogsLogGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/logsLogStream.ts b/sdk/nodejs/awsconnector/logsLogStream.ts index 16b2f273d85a..617619eb5fe2 100644 --- a/sdk/nodejs/awsconnector/logsLogStream.ts +++ b/sdk/nodejs/awsconnector/logsLogStream.ts @@ -100,7 +100,7 @@ export class LogsLogStream extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LogsLogStream" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LogsLogStream" }, { type: "azure-native_awsconnector_v20241201:awsconnector:LogsLogStream" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LogsLogStream.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/logsMetricFilter.ts b/sdk/nodejs/awsconnector/logsMetricFilter.ts index 515636c5015f..573739ec9bce 100644 --- a/sdk/nodejs/awsconnector/logsMetricFilter.ts +++ b/sdk/nodejs/awsconnector/logsMetricFilter.ts @@ -100,7 +100,7 @@ export class LogsMetricFilter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LogsMetricFilter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LogsMetricFilter" }, { type: "azure-native_awsconnector_v20241201:awsconnector:LogsMetricFilter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LogsMetricFilter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/logsSubscriptionFilter.ts b/sdk/nodejs/awsconnector/logsSubscriptionFilter.ts index 41f843f97535..5a315d5c3e9a 100644 --- a/sdk/nodejs/awsconnector/logsSubscriptionFilter.ts +++ b/sdk/nodejs/awsconnector/logsSubscriptionFilter.ts @@ -100,7 +100,7 @@ export class LogsSubscriptionFilter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LogsSubscriptionFilter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:LogsSubscriptionFilter" }, { type: "azure-native_awsconnector_v20241201:awsconnector:LogsSubscriptionFilter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LogsSubscriptionFilter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/macie2JobSummary.ts b/sdk/nodejs/awsconnector/macie2JobSummary.ts index 58c07bc5b83d..fb253df239fa 100644 --- a/sdk/nodejs/awsconnector/macie2JobSummary.ts +++ b/sdk/nodejs/awsconnector/macie2JobSummary.ts @@ -100,7 +100,7 @@ export class Macie2JobSummary extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Macie2JobSummary" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Macie2JobSummary" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Macie2JobSummary" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Macie2JobSummary.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/macieAllowList.ts b/sdk/nodejs/awsconnector/macieAllowList.ts index 46871b9947ae..b6e542ad2b9c 100644 --- a/sdk/nodejs/awsconnector/macieAllowList.ts +++ b/sdk/nodejs/awsconnector/macieAllowList.ts @@ -100,7 +100,7 @@ export class MacieAllowList extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:MacieAllowList" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:MacieAllowList" }, { type: "azure-native_awsconnector_v20241201:awsconnector:MacieAllowList" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MacieAllowList.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/networkFirewallFirewall.ts b/sdk/nodejs/awsconnector/networkFirewallFirewall.ts index 9b52af625773..6e7768f5284b 100644 --- a/sdk/nodejs/awsconnector/networkFirewallFirewall.ts +++ b/sdk/nodejs/awsconnector/networkFirewallFirewall.ts @@ -100,7 +100,7 @@ export class NetworkFirewallFirewall extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:NetworkFirewallFirewall" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:NetworkFirewallFirewall" }, { type: "azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallFirewall" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkFirewallFirewall.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/networkFirewallFirewallPolicy.ts b/sdk/nodejs/awsconnector/networkFirewallFirewallPolicy.ts index 665187ec227b..84b5d733cc92 100644 --- a/sdk/nodejs/awsconnector/networkFirewallFirewallPolicy.ts +++ b/sdk/nodejs/awsconnector/networkFirewallFirewallPolicy.ts @@ -100,7 +100,7 @@ export class NetworkFirewallFirewallPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:NetworkFirewallFirewallPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:NetworkFirewallFirewallPolicy" }, { type: "azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallFirewallPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkFirewallFirewallPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/networkFirewallRuleGroup.ts b/sdk/nodejs/awsconnector/networkFirewallRuleGroup.ts index bf8d445475ac..a68d4a6af230 100644 --- a/sdk/nodejs/awsconnector/networkFirewallRuleGroup.ts +++ b/sdk/nodejs/awsconnector/networkFirewallRuleGroup.ts @@ -100,7 +100,7 @@ export class NetworkFirewallRuleGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:NetworkFirewallRuleGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:NetworkFirewallRuleGroup" }, { type: "azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallRuleGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkFirewallRuleGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/openSearchDomainStatus.ts b/sdk/nodejs/awsconnector/openSearchDomainStatus.ts index 2d64fa551330..5b24064e67ad 100644 --- a/sdk/nodejs/awsconnector/openSearchDomainStatus.ts +++ b/sdk/nodejs/awsconnector/openSearchDomainStatus.ts @@ -100,7 +100,7 @@ export class OpenSearchDomainStatus extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:OpenSearchDomainStatus" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:OpenSearchDomainStatus" }, { type: "azure-native_awsconnector_v20241201:awsconnector:OpenSearchDomainStatus" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OpenSearchDomainStatus.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/organizationsAccount.ts b/sdk/nodejs/awsconnector/organizationsAccount.ts index c7ae3a04f4b4..fea588027ba5 100644 --- a/sdk/nodejs/awsconnector/organizationsAccount.ts +++ b/sdk/nodejs/awsconnector/organizationsAccount.ts @@ -100,7 +100,7 @@ export class OrganizationsAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:OrganizationsAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:OrganizationsAccount" }, { type: "azure-native_awsconnector_v20241201:awsconnector:OrganizationsAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OrganizationsAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/organizationsOrganization.ts b/sdk/nodejs/awsconnector/organizationsOrganization.ts index d0026b185dbf..acb48153903f 100644 --- a/sdk/nodejs/awsconnector/organizationsOrganization.ts +++ b/sdk/nodejs/awsconnector/organizationsOrganization.ts @@ -100,7 +100,7 @@ export class OrganizationsOrganization extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:OrganizationsOrganization" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:OrganizationsOrganization" }, { type: "azure-native_awsconnector_v20241201:awsconnector:OrganizationsOrganization" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OrganizationsOrganization.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/rdsDbCluster.ts b/sdk/nodejs/awsconnector/rdsDbCluster.ts index 989f47b01cac..47bfa50c1227 100644 --- a/sdk/nodejs/awsconnector/rdsDbCluster.ts +++ b/sdk/nodejs/awsconnector/rdsDbCluster.ts @@ -100,7 +100,7 @@ export class RdsDbCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsDbCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsDbCluster" }, { type: "azure-native_awsconnector_v20241201:awsconnector:RdsDbCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RdsDbCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/rdsDbInstance.ts b/sdk/nodejs/awsconnector/rdsDbInstance.ts index e78922d28904..8096c1e94058 100644 --- a/sdk/nodejs/awsconnector/rdsDbInstance.ts +++ b/sdk/nodejs/awsconnector/rdsDbInstance.ts @@ -100,7 +100,7 @@ export class RdsDbInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsDbInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsDbInstance" }, { type: "azure-native_awsconnector_v20241201:awsconnector:RdsDbInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RdsDbInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/rdsDbSnapshot.ts b/sdk/nodejs/awsconnector/rdsDbSnapshot.ts index b9dfb34b4878..07abda77de99 100644 --- a/sdk/nodejs/awsconnector/rdsDbSnapshot.ts +++ b/sdk/nodejs/awsconnector/rdsDbSnapshot.ts @@ -100,7 +100,7 @@ export class RdsDbSnapshot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsDbSnapshot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsDbSnapshot" }, { type: "azure-native_awsconnector_v20241201:awsconnector:RdsDbSnapshot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RdsDbSnapshot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/rdsDbSnapshotAttributesResult.ts b/sdk/nodejs/awsconnector/rdsDbSnapshotAttributesResult.ts index eef5c6175405..64e521e02685 100644 --- a/sdk/nodejs/awsconnector/rdsDbSnapshotAttributesResult.ts +++ b/sdk/nodejs/awsconnector/rdsDbSnapshotAttributesResult.ts @@ -100,7 +100,7 @@ export class RdsDbSnapshotAttributesResult extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsDbSnapshotAttributesResult" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsDbSnapshotAttributesResult" }, { type: "azure-native_awsconnector_v20241201:awsconnector:RdsDbSnapshotAttributesResult" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RdsDbSnapshotAttributesResult.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/rdsEventSubscription.ts b/sdk/nodejs/awsconnector/rdsEventSubscription.ts index 99ed89e988ea..6a5e22becf35 100644 --- a/sdk/nodejs/awsconnector/rdsEventSubscription.ts +++ b/sdk/nodejs/awsconnector/rdsEventSubscription.ts @@ -100,7 +100,7 @@ export class RdsEventSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsEventSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsEventSubscription" }, { type: "azure-native_awsconnector_v20241201:awsconnector:RdsEventSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RdsEventSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/rdsExportTask.ts b/sdk/nodejs/awsconnector/rdsExportTask.ts index caf5ca1e5e03..e04d5d611e4d 100644 --- a/sdk/nodejs/awsconnector/rdsExportTask.ts +++ b/sdk/nodejs/awsconnector/rdsExportTask.ts @@ -100,7 +100,7 @@ export class RdsExportTask extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsExportTask" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RdsExportTask" }, { type: "azure-native_awsconnector_v20241201:awsconnector:RdsExportTask" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RdsExportTask.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/redshiftCluster.ts b/sdk/nodejs/awsconnector/redshiftCluster.ts index ed0523272391..4aaad12e101e 100644 --- a/sdk/nodejs/awsconnector/redshiftCluster.ts +++ b/sdk/nodejs/awsconnector/redshiftCluster.ts @@ -100,7 +100,7 @@ export class RedshiftCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RedshiftCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RedshiftCluster" }, { type: "azure-native_awsconnector_v20241201:awsconnector:RedshiftCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RedshiftCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/redshiftClusterParameterGroup.ts b/sdk/nodejs/awsconnector/redshiftClusterParameterGroup.ts index bebe933e8fa0..eec5231a82a5 100644 --- a/sdk/nodejs/awsconnector/redshiftClusterParameterGroup.ts +++ b/sdk/nodejs/awsconnector/redshiftClusterParameterGroup.ts @@ -100,7 +100,7 @@ export class RedshiftClusterParameterGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RedshiftClusterParameterGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:RedshiftClusterParameterGroup" }, { type: "azure-native_awsconnector_v20241201:awsconnector:RedshiftClusterParameterGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RedshiftClusterParameterGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/route53DomainsDomainSummary.ts b/sdk/nodejs/awsconnector/route53DomainsDomainSummary.ts index c0d110dc74b8..6902c6ca7d92 100644 --- a/sdk/nodejs/awsconnector/route53DomainsDomainSummary.ts +++ b/sdk/nodejs/awsconnector/route53DomainsDomainSummary.ts @@ -100,7 +100,7 @@ export class Route53DomainsDomainSummary extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Route53DomainsDomainSummary" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Route53DomainsDomainSummary" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Route53DomainsDomainSummary" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Route53DomainsDomainSummary.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/route53HostedZone.ts b/sdk/nodejs/awsconnector/route53HostedZone.ts index 3f00177b589e..9410b4cc01b0 100644 --- a/sdk/nodejs/awsconnector/route53HostedZone.ts +++ b/sdk/nodejs/awsconnector/route53HostedZone.ts @@ -100,7 +100,7 @@ export class Route53HostedZone extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Route53HostedZone" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Route53HostedZone" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Route53HostedZone" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Route53HostedZone.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/route53ResourceRecordSet.ts b/sdk/nodejs/awsconnector/route53ResourceRecordSet.ts index 59a9b0de6db2..63fc99057fe7 100644 --- a/sdk/nodejs/awsconnector/route53ResourceRecordSet.ts +++ b/sdk/nodejs/awsconnector/route53ResourceRecordSet.ts @@ -100,7 +100,7 @@ export class Route53ResourceRecordSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Route53ResourceRecordSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Route53ResourceRecordSet" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Route53ResourceRecordSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Route53ResourceRecordSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/s3accessControlPolicy.ts b/sdk/nodejs/awsconnector/s3accessControlPolicy.ts index 985b129319a5..48bec62bc44e 100644 --- a/sdk/nodejs/awsconnector/s3accessControlPolicy.ts +++ b/sdk/nodejs/awsconnector/s3accessControlPolicy.ts @@ -100,7 +100,7 @@ export class S3AccessControlPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:S3AccessControlPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:S3AccessControlPolicy" }, { type: "azure-native_awsconnector_v20241201:awsconnector:S3AccessControlPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(S3AccessControlPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/s3accessPoint.ts b/sdk/nodejs/awsconnector/s3accessPoint.ts index 69a71462d704..22502920b4f5 100644 --- a/sdk/nodejs/awsconnector/s3accessPoint.ts +++ b/sdk/nodejs/awsconnector/s3accessPoint.ts @@ -100,7 +100,7 @@ export class S3AccessPoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:S3AccessPoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:S3AccessPoint" }, { type: "azure-native_awsconnector_v20241201:awsconnector:S3AccessPoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(S3AccessPoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/s3bucket.ts b/sdk/nodejs/awsconnector/s3bucket.ts index 8559da5e0ec5..66c98d1343bd 100644 --- a/sdk/nodejs/awsconnector/s3bucket.ts +++ b/sdk/nodejs/awsconnector/s3bucket.ts @@ -100,7 +100,7 @@ export class S3Bucket extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:S3Bucket" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:S3Bucket" }, { type: "azure-native_awsconnector_v20241201:awsconnector:S3Bucket" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(S3Bucket.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/s3bucketPolicy.ts b/sdk/nodejs/awsconnector/s3bucketPolicy.ts index 4cd5174313fd..c0a84a7b172f 100644 --- a/sdk/nodejs/awsconnector/s3bucketPolicy.ts +++ b/sdk/nodejs/awsconnector/s3bucketPolicy.ts @@ -100,7 +100,7 @@ export class S3BucketPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:S3BucketPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:S3BucketPolicy" }, { type: "azure-native_awsconnector_v20241201:awsconnector:S3BucketPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(S3BucketPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/s3controlMultiRegionAccessPointPolicyDocument.ts b/sdk/nodejs/awsconnector/s3controlMultiRegionAccessPointPolicyDocument.ts index 487bfce26b41..8cfc06a9e9fe 100644 --- a/sdk/nodejs/awsconnector/s3controlMultiRegionAccessPointPolicyDocument.ts +++ b/sdk/nodejs/awsconnector/s3controlMultiRegionAccessPointPolicyDocument.ts @@ -100,7 +100,7 @@ export class S3ControlMultiRegionAccessPointPolicyDocument extends pulumi.Custom resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:S3ControlMultiRegionAccessPointPolicyDocument" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:S3ControlMultiRegionAccessPointPolicyDocument" }, { type: "azure-native_awsconnector_v20241201:awsconnector:S3ControlMultiRegionAccessPointPolicyDocument" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(S3ControlMultiRegionAccessPointPolicyDocument.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/sageMakerApp.ts b/sdk/nodejs/awsconnector/sageMakerApp.ts index f629023c7b1d..27d4f4a268ac 100644 --- a/sdk/nodejs/awsconnector/sageMakerApp.ts +++ b/sdk/nodejs/awsconnector/sageMakerApp.ts @@ -100,7 +100,7 @@ export class SageMakerApp extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SageMakerApp" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SageMakerApp" }, { type: "azure-native_awsconnector_v20241201:awsconnector:SageMakerApp" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SageMakerApp.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/sageMakerNotebookInstanceSummary.ts b/sdk/nodejs/awsconnector/sageMakerNotebookInstanceSummary.ts index e0d296403e2c..779286918c0b 100644 --- a/sdk/nodejs/awsconnector/sageMakerNotebookInstanceSummary.ts +++ b/sdk/nodejs/awsconnector/sageMakerNotebookInstanceSummary.ts @@ -100,7 +100,7 @@ export class SageMakerNotebookInstanceSummary extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SageMakerNotebookInstanceSummary" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SageMakerNotebookInstanceSummary" }, { type: "azure-native_awsconnector_v20241201:awsconnector:SageMakerNotebookInstanceSummary" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SageMakerNotebookInstanceSummary.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/secretsManagerResourcePolicy.ts b/sdk/nodejs/awsconnector/secretsManagerResourcePolicy.ts index ba367a12333a..5a57edd44354 100644 --- a/sdk/nodejs/awsconnector/secretsManagerResourcePolicy.ts +++ b/sdk/nodejs/awsconnector/secretsManagerResourcePolicy.ts @@ -100,7 +100,7 @@ export class SecretsManagerResourcePolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SecretsManagerResourcePolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SecretsManagerResourcePolicy" }, { type: "azure-native_awsconnector_v20241201:awsconnector:SecretsManagerResourcePolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecretsManagerResourcePolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/secretsManagerSecret.ts b/sdk/nodejs/awsconnector/secretsManagerSecret.ts index fc6b0f6c2312..c0351b092e1c 100644 --- a/sdk/nodejs/awsconnector/secretsManagerSecret.ts +++ b/sdk/nodejs/awsconnector/secretsManagerSecret.ts @@ -100,7 +100,7 @@ export class SecretsManagerSecret extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SecretsManagerSecret" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SecretsManagerSecret" }, { type: "azure-native_awsconnector_v20241201:awsconnector:SecretsManagerSecret" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecretsManagerSecret.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/snsSubscription.ts b/sdk/nodejs/awsconnector/snsSubscription.ts index a76e3b08b267..0ac6852ba69b 100644 --- a/sdk/nodejs/awsconnector/snsSubscription.ts +++ b/sdk/nodejs/awsconnector/snsSubscription.ts @@ -100,7 +100,7 @@ export class SnsSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SnsSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SnsSubscription" }, { type: "azure-native_awsconnector_v20241201:awsconnector:SnsSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SnsSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/snsTopic.ts b/sdk/nodejs/awsconnector/snsTopic.ts index 92e916449d69..1a9a3ef7d2cd 100644 --- a/sdk/nodejs/awsconnector/snsTopic.ts +++ b/sdk/nodejs/awsconnector/snsTopic.ts @@ -100,7 +100,7 @@ export class SnsTopic extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SnsTopic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SnsTopic" }, { type: "azure-native_awsconnector_v20241201:awsconnector:SnsTopic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SnsTopic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/sqsQueue.ts b/sdk/nodejs/awsconnector/sqsQueue.ts index 4701c6b365e4..adf0e57a4f0c 100644 --- a/sdk/nodejs/awsconnector/sqsQueue.ts +++ b/sdk/nodejs/awsconnector/sqsQueue.ts @@ -100,7 +100,7 @@ export class SqsQueue extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SqsQueue" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SqsQueue" }, { type: "azure-native_awsconnector_v20241201:awsconnector:SqsQueue" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqsQueue.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ssmInstanceInformation.ts b/sdk/nodejs/awsconnector/ssmInstanceInformation.ts index 56c69feb61b0..c626f38c0e09 100644 --- a/sdk/nodejs/awsconnector/ssmInstanceInformation.ts +++ b/sdk/nodejs/awsconnector/ssmInstanceInformation.ts @@ -100,7 +100,7 @@ export class SsmInstanceInformation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SsmInstanceInformation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SsmInstanceInformation" }, { type: "azure-native_awsconnector_v20241201:awsconnector:SsmInstanceInformation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SsmInstanceInformation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ssmParameter.ts b/sdk/nodejs/awsconnector/ssmParameter.ts index b1291e4e4ee7..ca38ee46409e 100644 --- a/sdk/nodejs/awsconnector/ssmParameter.ts +++ b/sdk/nodejs/awsconnector/ssmParameter.ts @@ -100,7 +100,7 @@ export class SsmParameter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SsmParameter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SsmParameter" }, { type: "azure-native_awsconnector_v20241201:awsconnector:SsmParameter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SsmParameter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/ssmResourceComplianceSummaryItem.ts b/sdk/nodejs/awsconnector/ssmResourceComplianceSummaryItem.ts index bb435ac581b4..a96e4a16f513 100644 --- a/sdk/nodejs/awsconnector/ssmResourceComplianceSummaryItem.ts +++ b/sdk/nodejs/awsconnector/ssmResourceComplianceSummaryItem.ts @@ -100,7 +100,7 @@ export class SsmResourceComplianceSummaryItem extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SsmResourceComplianceSummaryItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:SsmResourceComplianceSummaryItem" }, { type: "azure-native_awsconnector_v20241201:awsconnector:SsmResourceComplianceSummaryItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SsmResourceComplianceSummaryItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/wafWebAclSummary.ts b/sdk/nodejs/awsconnector/wafWebAclSummary.ts index a121ae619fe3..3bbd553271d3 100644 --- a/sdk/nodejs/awsconnector/wafWebAclSummary.ts +++ b/sdk/nodejs/awsconnector/wafWebAclSummary.ts @@ -100,7 +100,7 @@ export class WafWebAclSummary extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:WafWebAclSummary" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:WafWebAclSummary" }, { type: "azure-native_awsconnector_v20241201:awsconnector:WafWebAclSummary" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WafWebAclSummary.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/awsconnector/wafv2LoggingConfiguration.ts b/sdk/nodejs/awsconnector/wafv2LoggingConfiguration.ts index 0afa95aa4831..c115192c8794 100644 --- a/sdk/nodejs/awsconnector/wafv2LoggingConfiguration.ts +++ b/sdk/nodejs/awsconnector/wafv2LoggingConfiguration.ts @@ -100,7 +100,7 @@ export class Wafv2LoggingConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Wafv2LoggingConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:awsconnector/v20241201:Wafv2LoggingConfiguration" }, { type: "azure-native_awsconnector_v20241201:awsconnector:Wafv2LoggingConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Wafv2LoggingConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azureactivedirectory/b2ctenant.ts b/sdk/nodejs/azureactivedirectory/b2ctenant.ts index 34868dc0e69e..9586fad516ea 100644 --- a/sdk/nodejs/azureactivedirectory/b2ctenant.ts +++ b/sdk/nodejs/azureactivedirectory/b2ctenant.ts @@ -124,7 +124,7 @@ export class B2CTenant extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azureactivedirectory/v20190101preview:B2CTenant" }, { type: "azure-native:azureactivedirectory/v20210401:B2CTenant" }, { type: "azure-native:azureactivedirectory/v20230118preview:B2CTenant" }, { type: "azure-native:azureactivedirectory/v20230517preview:B2CTenant" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azureactivedirectory/v20190101preview:B2CTenant" }, { type: "azure-native:azureactivedirectory/v20210401:B2CTenant" }, { type: "azure-native:azureactivedirectory/v20230118preview:B2CTenant" }, { type: "azure-native:azureactivedirectory/v20230517preview:B2CTenant" }, { type: "azure-native_azureactivedirectory_v20190101preview:azureactivedirectory:B2CTenant" }, { type: "azure-native_azureactivedirectory_v20210401:azureactivedirectory:B2CTenant" }, { type: "azure-native_azureactivedirectory_v20230118preview:azureactivedirectory:B2CTenant" }, { type: "azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:B2CTenant" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(B2CTenant.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azureactivedirectory/ciamtenant.ts b/sdk/nodejs/azureactivedirectory/ciamtenant.ts index 3ac62b822037..6635b8b4b518 100644 --- a/sdk/nodejs/azureactivedirectory/ciamtenant.ts +++ b/sdk/nodejs/azureactivedirectory/ciamtenant.ts @@ -140,7 +140,7 @@ export class CIAMTenant extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azureactivedirectory/v20230517preview:CIAMTenant" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azureactivedirectory/v20230517preview:CIAMTenant" }, { type: "azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:CIAMTenant" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CIAMTenant.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azureactivedirectory/guestUsage.ts b/sdk/nodejs/azureactivedirectory/guestUsage.ts index 45c76f17cecb..3ecbe70042e4 100644 --- a/sdk/nodejs/azureactivedirectory/guestUsage.ts +++ b/sdk/nodejs/azureactivedirectory/guestUsage.ts @@ -103,7 +103,7 @@ export class GuestUsage extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azureactivedirectory/v20200501preview:GuestUsage" }, { type: "azure-native:azureactivedirectory/v20210401:GuestUsage" }, { type: "azure-native:azureactivedirectory/v20230118preview:GuestUsage" }, { type: "azure-native:azureactivedirectory/v20230517preview:GuestUsage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azureactivedirectory/v20210401:GuestUsage" }, { type: "azure-native:azureactivedirectory/v20230118preview:GuestUsage" }, { type: "azure-native:azureactivedirectory/v20230517preview:GuestUsage" }, { type: "azure-native_azureactivedirectory_v20200501preview:azureactivedirectory:GuestUsage" }, { type: "azure-native_azureactivedirectory_v20210401:azureactivedirectory:GuestUsage" }, { type: "azure-native_azureactivedirectory_v20230118preview:azureactivedirectory:GuestUsage" }, { type: "azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:GuestUsage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GuestUsage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurearcdata/activeDirectoryConnector.ts b/sdk/nodejs/azurearcdata/activeDirectoryConnector.ts index 76e4b3964f59..343894a431d2 100644 --- a/sdk/nodejs/azurearcdata/activeDirectoryConnector.ts +++ b/sdk/nodejs/azurearcdata/activeDirectoryConnector.ts @@ -98,7 +98,7 @@ export class ActiveDirectoryConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20220301preview:ActiveDirectoryConnector" }, { type: "azure-native:azurearcdata/v20220615preview:ActiveDirectoryConnector" }, { type: "azure-native:azurearcdata/v20230115preview:ActiveDirectoryConnector" }, { type: "azure-native:azurearcdata/v20240101:ActiveDirectoryConnector" }, { type: "azure-native:azurearcdata/v20240501preview:ActiveDirectoryConnector" }, { type: "azure-native:azurearcdata/v20250301preview:ActiveDirectoryConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20230115preview:ActiveDirectoryConnector" }, { type: "azure-native:azurearcdata/v20240101:ActiveDirectoryConnector" }, { type: "azure-native:azurearcdata/v20240501preview:ActiveDirectoryConnector" }, { type: "azure-native_azurearcdata_v20220301preview:azurearcdata:ActiveDirectoryConnector" }, { type: "azure-native_azurearcdata_v20220615preview:azurearcdata:ActiveDirectoryConnector" }, { type: "azure-native_azurearcdata_v20230115preview:azurearcdata:ActiveDirectoryConnector" }, { type: "azure-native_azurearcdata_v20240101:azurearcdata:ActiveDirectoryConnector" }, { type: "azure-native_azurearcdata_v20240501preview:azurearcdata:ActiveDirectoryConnector" }, { type: "azure-native_azurearcdata_v20250301preview:azurearcdata:ActiveDirectoryConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ActiveDirectoryConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurearcdata/dataController.ts b/sdk/nodejs/azurearcdata/dataController.ts index 3c3baede10b6..23786631d281 100644 --- a/sdk/nodejs/azurearcdata/dataController.ts +++ b/sdk/nodejs/azurearcdata/dataController.ts @@ -112,7 +112,7 @@ export class DataController extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20210601preview:DataController" }, { type: "azure-native:azurearcdata/v20210701preview:DataController" }, { type: "azure-native:azurearcdata/v20210801:DataController" }, { type: "azure-native:azurearcdata/v20211101:DataController" }, { type: "azure-native:azurearcdata/v20220301preview:DataController" }, { type: "azure-native:azurearcdata/v20220615preview:DataController" }, { type: "azure-native:azurearcdata/v20230115preview:DataController" }, { type: "azure-native:azurearcdata/v20240101:DataController" }, { type: "azure-native:azurearcdata/v20240501preview:DataController" }, { type: "azure-native:azurearcdata/v20250301preview:DataController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20230115preview:DataController" }, { type: "azure-native:azurearcdata/v20240101:DataController" }, { type: "azure-native:azurearcdata/v20240501preview:DataController" }, { type: "azure-native_azurearcdata_v20210601preview:azurearcdata:DataController" }, { type: "azure-native_azurearcdata_v20210701preview:azurearcdata:DataController" }, { type: "azure-native_azurearcdata_v20210801:azurearcdata:DataController" }, { type: "azure-native_azurearcdata_v20211101:azurearcdata:DataController" }, { type: "azure-native_azurearcdata_v20220301preview:azurearcdata:DataController" }, { type: "azure-native_azurearcdata_v20220615preview:azurearcdata:DataController" }, { type: "azure-native_azurearcdata_v20230115preview:azurearcdata:DataController" }, { type: "azure-native_azurearcdata_v20240101:azurearcdata:DataController" }, { type: "azure-native_azurearcdata_v20240501preview:azurearcdata:DataController" }, { type: "azure-native_azurearcdata_v20250301preview:azurearcdata:DataController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurearcdata/failoverGroup.ts b/sdk/nodejs/azurearcdata/failoverGroup.ts index f93709472cd6..9ba4d4eaf634 100644 --- a/sdk/nodejs/azurearcdata/failoverGroup.ts +++ b/sdk/nodejs/azurearcdata/failoverGroup.ts @@ -98,7 +98,7 @@ export class FailoverGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20230115preview:FailoverGroup" }, { type: "azure-native:azurearcdata/v20240101:FailoverGroup" }, { type: "azure-native:azurearcdata/v20240501preview:FailoverGroup" }, { type: "azure-native:azurearcdata/v20250301preview:FailoverGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20230115preview:FailoverGroup" }, { type: "azure-native:azurearcdata/v20240101:FailoverGroup" }, { type: "azure-native:azurearcdata/v20240501preview:FailoverGroup" }, { type: "azure-native_azurearcdata_v20230115preview:azurearcdata:FailoverGroup" }, { type: "azure-native_azurearcdata_v20240101:azurearcdata:FailoverGroup" }, { type: "azure-native_azurearcdata_v20240501preview:azurearcdata:FailoverGroup" }, { type: "azure-native_azurearcdata_v20250301preview:azurearcdata:FailoverGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FailoverGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurearcdata/postgresInstance.ts b/sdk/nodejs/azurearcdata/postgresInstance.ts index 03fee4b3adba..f87b560f5a80 100644 --- a/sdk/nodejs/azurearcdata/postgresInstance.ts +++ b/sdk/nodejs/azurearcdata/postgresInstance.ts @@ -118,7 +118,7 @@ export class PostgresInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20210601preview:PostgresInstance" }, { type: "azure-native:azurearcdata/v20210701preview:PostgresInstance" }, { type: "azure-native:azurearcdata/v20220301preview:PostgresInstance" }, { type: "azure-native:azurearcdata/v20220615preview:PostgresInstance" }, { type: "azure-native:azurearcdata/v20230115preview:PostgresInstance" }, { type: "azure-native:azurearcdata/v20240101:PostgresInstance" }, { type: "azure-native:azurearcdata/v20240501preview:PostgresInstance" }, { type: "azure-native:azurearcdata/v20250301preview:PostgresInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20230115preview:PostgresInstance" }, { type: "azure-native:azurearcdata/v20240101:PostgresInstance" }, { type: "azure-native:azurearcdata/v20240501preview:PostgresInstance" }, { type: "azure-native_azurearcdata_v20210601preview:azurearcdata:PostgresInstance" }, { type: "azure-native_azurearcdata_v20210701preview:azurearcdata:PostgresInstance" }, { type: "azure-native_azurearcdata_v20220301preview:azurearcdata:PostgresInstance" }, { type: "azure-native_azurearcdata_v20220615preview:azurearcdata:PostgresInstance" }, { type: "azure-native_azurearcdata_v20230115preview:azurearcdata:PostgresInstance" }, { type: "azure-native_azurearcdata_v20240101:azurearcdata:PostgresInstance" }, { type: "azure-native_azurearcdata_v20240501preview:azurearcdata:PostgresInstance" }, { type: "azure-native_azurearcdata_v20250301preview:azurearcdata:PostgresInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PostgresInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurearcdata/sqlManagedInstance.ts b/sdk/nodejs/azurearcdata/sqlManagedInstance.ts index 43dc54eeb268..355212b0ede8 100644 --- a/sdk/nodejs/azurearcdata/sqlManagedInstance.ts +++ b/sdk/nodejs/azurearcdata/sqlManagedInstance.ts @@ -118,7 +118,7 @@ export class SqlManagedInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20210601preview:SqlManagedInstance" }, { type: "azure-native:azurearcdata/v20210701preview:SqlManagedInstance" }, { type: "azure-native:azurearcdata/v20210801:SqlManagedInstance" }, { type: "azure-native:azurearcdata/v20211101:SqlManagedInstance" }, { type: "azure-native:azurearcdata/v20220301preview:SqlManagedInstance" }, { type: "azure-native:azurearcdata/v20220615preview:SqlManagedInstance" }, { type: "azure-native:azurearcdata/v20230115preview:SqlManagedInstance" }, { type: "azure-native:azurearcdata/v20240101:SqlManagedInstance" }, { type: "azure-native:azurearcdata/v20240501preview:SqlManagedInstance" }, { type: "azure-native:azurearcdata/v20250301preview:SqlManagedInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20230115preview:SqlManagedInstance" }, { type: "azure-native:azurearcdata/v20240101:SqlManagedInstance" }, { type: "azure-native:azurearcdata/v20240501preview:SqlManagedInstance" }, { type: "azure-native_azurearcdata_v20210601preview:azurearcdata:SqlManagedInstance" }, { type: "azure-native_azurearcdata_v20210701preview:azurearcdata:SqlManagedInstance" }, { type: "azure-native_azurearcdata_v20210801:azurearcdata:SqlManagedInstance" }, { type: "azure-native_azurearcdata_v20211101:azurearcdata:SqlManagedInstance" }, { type: "azure-native_azurearcdata_v20220301preview:azurearcdata:SqlManagedInstance" }, { type: "azure-native_azurearcdata_v20220615preview:azurearcdata:SqlManagedInstance" }, { type: "azure-native_azurearcdata_v20230115preview:azurearcdata:SqlManagedInstance" }, { type: "azure-native_azurearcdata_v20240101:azurearcdata:SqlManagedInstance" }, { type: "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlManagedInstance" }, { type: "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlManagedInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlManagedInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurearcdata/sqlServerAvailabilityGroup.ts b/sdk/nodejs/azurearcdata/sqlServerAvailabilityGroup.ts index 9d6bcad573dd..a2fadfe07d7f 100644 --- a/sdk/nodejs/azurearcdata/sqlServerAvailabilityGroup.ts +++ b/sdk/nodejs/azurearcdata/sqlServerAvailabilityGroup.ts @@ -110,7 +110,7 @@ export class SqlServerAvailabilityGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20240101:SqlServerAvailabilityGroup" }, { type: "azure-native:azurearcdata/v20240501preview:SqlServerAvailabilityGroup" }, { type: "azure-native:azurearcdata/v20250301preview:SqlServerAvailabilityGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20240101:SqlServerAvailabilityGroup" }, { type: "azure-native:azurearcdata/v20240501preview:SqlServerAvailabilityGroup" }, { type: "azure-native_azurearcdata_v20240101:azurearcdata:SqlServerAvailabilityGroup" }, { type: "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerAvailabilityGroup" }, { type: "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerAvailabilityGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlServerAvailabilityGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurearcdata/sqlServerDatabase.ts b/sdk/nodejs/azurearcdata/sqlServerDatabase.ts index d0b9036b0da8..8015f97e702f 100644 --- a/sdk/nodejs/azurearcdata/sqlServerDatabase.ts +++ b/sdk/nodejs/azurearcdata/sqlServerDatabase.ts @@ -110,7 +110,7 @@ export class SqlServerDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20220615preview:SqlServerDatabase" }, { type: "azure-native:azurearcdata/v20230115preview:SqlServerDatabase" }, { type: "azure-native:azurearcdata/v20240101:SqlServerDatabase" }, { type: "azure-native:azurearcdata/v20240501preview:SqlServerDatabase" }, { type: "azure-native:azurearcdata/v20250301preview:SqlServerDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20230115preview:SqlServerDatabase" }, { type: "azure-native:azurearcdata/v20240101:SqlServerDatabase" }, { type: "azure-native:azurearcdata/v20240501preview:SqlServerDatabase" }, { type: "azure-native_azurearcdata_v20220615preview:azurearcdata:SqlServerDatabase" }, { type: "azure-native_azurearcdata_v20230115preview:azurearcdata:SqlServerDatabase" }, { type: "azure-native_azurearcdata_v20240101:azurearcdata:SqlServerDatabase" }, { type: "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerDatabase" }, { type: "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlServerDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurearcdata/sqlServerEsuLicense.ts b/sdk/nodejs/azurearcdata/sqlServerEsuLicense.ts index f0e0dc33a681..175e044101c5 100644 --- a/sdk/nodejs/azurearcdata/sqlServerEsuLicense.ts +++ b/sdk/nodejs/azurearcdata/sqlServerEsuLicense.ts @@ -106,7 +106,7 @@ export class SqlServerEsuLicense extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20240501preview:SqlServerEsuLicense" }, { type: "azure-native:azurearcdata/v20250301preview:SqlServerEsuLicense" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20240501preview:SqlServerEsuLicense" }, { type: "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerEsuLicense" }, { type: "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerEsuLicense" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlServerEsuLicense.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurearcdata/sqlServerInstance.ts b/sdk/nodejs/azurearcdata/sqlServerInstance.ts index 37f0001422f0..8c0d81e4c1a7 100644 --- a/sdk/nodejs/azurearcdata/sqlServerInstance.ts +++ b/sdk/nodejs/azurearcdata/sqlServerInstance.ts @@ -103,7 +103,7 @@ export class SqlServerInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20210601preview:SqlServerInstance" }, { type: "azure-native:azurearcdata/v20210701preview:SqlServerInstance" }, { type: "azure-native:azurearcdata/v20210801:SqlServerInstance" }, { type: "azure-native:azurearcdata/v20211101:SqlServerInstance" }, { type: "azure-native:azurearcdata/v20220301preview:SqlServerInstance" }, { type: "azure-native:azurearcdata/v20220615preview:SqlServerInstance" }, { type: "azure-native:azurearcdata/v20230115preview:SqlServerInstance" }, { type: "azure-native:azurearcdata/v20240101:SqlServerInstance" }, { type: "azure-native:azurearcdata/v20240501preview:SqlServerInstance" }, { type: "azure-native:azurearcdata/v20250301preview:SqlServerInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20230115preview:SqlServerInstance" }, { type: "azure-native:azurearcdata/v20240101:SqlServerInstance" }, { type: "azure-native:azurearcdata/v20240501preview:SqlServerInstance" }, { type: "azure-native_azurearcdata_v20210601preview:azurearcdata:SqlServerInstance" }, { type: "azure-native_azurearcdata_v20210701preview:azurearcdata:SqlServerInstance" }, { type: "azure-native_azurearcdata_v20210801:azurearcdata:SqlServerInstance" }, { type: "azure-native_azurearcdata_v20211101:azurearcdata:SqlServerInstance" }, { type: "azure-native_azurearcdata_v20220301preview:azurearcdata:SqlServerInstance" }, { type: "azure-native_azurearcdata_v20220615preview:azurearcdata:SqlServerInstance" }, { type: "azure-native_azurearcdata_v20230115preview:azurearcdata:SqlServerInstance" }, { type: "azure-native_azurearcdata_v20240101:azurearcdata:SqlServerInstance" }, { type: "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerInstance" }, { type: "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlServerInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurearcdata/sqlServerLicense.ts b/sdk/nodejs/azurearcdata/sqlServerLicense.ts index f9f4c2f91c37..fa76f7254610 100644 --- a/sdk/nodejs/azurearcdata/sqlServerLicense.ts +++ b/sdk/nodejs/azurearcdata/sqlServerLicense.ts @@ -106,7 +106,7 @@ export class SqlServerLicense extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20240501preview:SqlServerLicense" }, { type: "azure-native:azurearcdata/v20250301preview:SqlServerLicense" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurearcdata/v20240501preview:SqlServerLicense" }, { type: "azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerLicense" }, { type: "azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerLicense" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlServerLicense.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azuredata/sqlServer.ts b/sdk/nodejs/azuredata/sqlServer.ts index 439dcc07fead..cc8545ce705f 100644 --- a/sdk/nodejs/azuredata/sqlServer.ts +++ b/sdk/nodejs/azuredata/sqlServer.ts @@ -108,7 +108,7 @@ export class SqlServer extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azuredata/v20170301preview:SqlServer" }, { type: "azure-native:azuredata/v20190724preview:SqlServer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azuredata/v20190724preview:SqlServer" }, { type: "azure-native_azuredata_v20170301preview:azuredata:SqlServer" }, { type: "azure-native_azuredata_v20190724preview:azuredata:SqlServer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlServer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azuredata/sqlServerRegistration.ts b/sdk/nodejs/azuredata/sqlServerRegistration.ts index 6767e13eea01..5306bc58499a 100644 --- a/sdk/nodejs/azuredata/sqlServerRegistration.ts +++ b/sdk/nodejs/azuredata/sqlServerRegistration.ts @@ -113,7 +113,7 @@ export class SqlServerRegistration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azuredata/v20170301preview:SqlServerRegistration" }, { type: "azure-native:azuredata/v20190724preview:SqlServerRegistration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azuredata/v20190724preview:SqlServerRegistration" }, { type: "azure-native_azuredata_v20170301preview:azuredata:SqlServerRegistration" }, { type: "azure-native_azuredata_v20190724preview:azuredata:SqlServerRegistration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlServerRegistration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azuredatatransfer/connection.ts b/sdk/nodejs/azuredatatransfer/connection.ts index 1a1a0bd86633..0356683c7c47 100644 --- a/sdk/nodejs/azuredatatransfer/connection.ts +++ b/sdk/nodejs/azuredatatransfer/connection.ts @@ -103,7 +103,7 @@ export class Connection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azuredatatransfer/v20231011preview:Connection" }, { type: "azure-native:azuredatatransfer/v20240125:Connection" }, { type: "azure-native:azuredatatransfer/v20240507:Connection" }, { type: "azure-native:azuredatatransfer/v20240911:Connection" }, { type: "azure-native:azuredatatransfer/v20240927:Connection" }, { type: "azure-native:azuredatatransfer/v20250301preview:Connection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azuredatatransfer/v20231011preview:Connection" }, { type: "azure-native:azuredatatransfer/v20240125:Connection" }, { type: "azure-native:azuredatatransfer/v20240507:Connection" }, { type: "azure-native:azuredatatransfer/v20240911:Connection" }, { type: "azure-native:azuredatatransfer/v20240927:Connection" }, { type: "azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Connection" }, { type: "azure-native_azuredatatransfer_v20240125:azuredatatransfer:Connection" }, { type: "azure-native_azuredatatransfer_v20240507:azuredatatransfer:Connection" }, { type: "azure-native_azuredatatransfer_v20240911:azuredatatransfer:Connection" }, { type: "azure-native_azuredatatransfer_v20240927:azuredatatransfer:Connection" }, { type: "azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Connection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Connection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azuredatatransfer/flow.ts b/sdk/nodejs/azuredatatransfer/flow.ts index 465c50be48fb..4b320590fc67 100644 --- a/sdk/nodejs/azuredatatransfer/flow.ts +++ b/sdk/nodejs/azuredatatransfer/flow.ts @@ -119,7 +119,7 @@ export class Flow extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azuredatatransfer/v20231011preview:Flow" }, { type: "azure-native:azuredatatransfer/v20240125:Flow" }, { type: "azure-native:azuredatatransfer/v20240507:Flow" }, { type: "azure-native:azuredatatransfer/v20240911:Flow" }, { type: "azure-native:azuredatatransfer/v20240927:Flow" }, { type: "azure-native:azuredatatransfer/v20250301preview:Flow" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azuredatatransfer/v20231011preview:Flow" }, { type: "azure-native:azuredatatransfer/v20240125:Flow" }, { type: "azure-native:azuredatatransfer/v20240507:Flow" }, { type: "azure-native:azuredatatransfer/v20240911:Flow" }, { type: "azure-native:azuredatatransfer/v20240927:Flow" }, { type: "azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Flow" }, { type: "azure-native_azuredatatransfer_v20240125:azuredatatransfer:Flow" }, { type: "azure-native_azuredatatransfer_v20240507:azuredatatransfer:Flow" }, { type: "azure-native_azuredatatransfer_v20240911:azuredatatransfer:Flow" }, { type: "azure-native_azuredatatransfer_v20240927:azuredatatransfer:Flow" }, { type: "azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Flow" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Flow.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azuredatatransfer/pipeline.ts b/sdk/nodejs/azuredatatransfer/pipeline.ts index 7aa7e94e4744..4133cd4fdb79 100644 --- a/sdk/nodejs/azuredatatransfer/pipeline.ts +++ b/sdk/nodejs/azuredatatransfer/pipeline.ts @@ -103,7 +103,7 @@ export class Pipeline extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azuredatatransfer/v20231011preview:Pipeline" }, { type: "azure-native:azuredatatransfer/v20240125:Pipeline" }, { type: "azure-native:azuredatatransfer/v20240507:Pipeline" }, { type: "azure-native:azuredatatransfer/v20240911:Pipeline" }, { type: "azure-native:azuredatatransfer/v20240927:Pipeline" }, { type: "azure-native:azuredatatransfer/v20250301preview:Pipeline" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azuredatatransfer/v20231011preview:Pipeline" }, { type: "azure-native:azuredatatransfer/v20240125:Pipeline" }, { type: "azure-native:azuredatatransfer/v20240507:Pipeline" }, { type: "azure-native:azuredatatransfer/v20240911:Pipeline" }, { type: "azure-native:azuredatatransfer/v20240927:Pipeline" }, { type: "azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Pipeline" }, { type: "azure-native_azuredatatransfer_v20240125:azuredatatransfer:Pipeline" }, { type: "azure-native_azuredatatransfer_v20240507:azuredatatransfer:Pipeline" }, { type: "azure-native_azuredatatransfer_v20240911:azuredatatransfer:Pipeline" }, { type: "azure-native_azuredatatransfer_v20240927:azuredatatransfer:Pipeline" }, { type: "azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Pipeline" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Pipeline.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurefleet/fleet.ts b/sdk/nodejs/azurefleet/fleet.ts index 49ee1b181307..870cc4a93088 100644 --- a/sdk/nodejs/azurefleet/fleet.ts +++ b/sdk/nodejs/azurefleet/fleet.ts @@ -175,7 +175,7 @@ export class Fleet extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurefleet/v20231101preview:Fleet" }, { type: "azure-native:azurefleet/v20240501preview:Fleet" }, { type: "azure-native:azurefleet/v20241101:Fleet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurefleet/v20231101preview:Fleet" }, { type: "azure-native:azurefleet/v20240501preview:Fleet" }, { type: "azure-native:azurefleet/v20241101:Fleet" }, { type: "azure-native_azurefleet_v20231101preview:azurefleet:Fleet" }, { type: "azure-native_azurefleet_v20240501preview:azurefleet:Fleet" }, { type: "azure-native_azurefleet_v20241101:azurefleet:Fleet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Fleet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurelargeinstance/azureLargeInstance.ts b/sdk/nodejs/azurelargeinstance/azureLargeInstance.ts index 839366b6d43e..560204759d7c 100644 --- a/sdk/nodejs/azurelargeinstance/azureLargeInstance.ts +++ b/sdk/nodejs/azurelargeinstance/azureLargeInstance.ts @@ -150,7 +150,7 @@ export class AzureLargeInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurelargeinstance/v20240801preview:AzureLargeInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurelargeinstance/v20240801preview:AzureLargeInstance" }, { type: "azure-native_azurelargeinstance_v20240801preview:azurelargeinstance:AzureLargeInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzureLargeInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurelargeinstance/azureLargeStorageInstance.ts b/sdk/nodejs/azurelargeinstance/azureLargeStorageInstance.ts index 38641131be31..d20d476dd9d1 100644 --- a/sdk/nodejs/azurelargeinstance/azureLargeStorageInstance.ts +++ b/sdk/nodejs/azurelargeinstance/azureLargeStorageInstance.ts @@ -114,7 +114,7 @@ export class AzureLargeStorageInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurelargeinstance/v20240801preview:AzureLargeStorageInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurelargeinstance/v20240801preview:AzureLargeStorageInstance" }, { type: "azure-native_azurelargeinstance_v20240801preview:azurelargeinstance:AzureLargeStorageInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzureLargeStorageInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azureplaywrightservice/account.ts b/sdk/nodejs/azureplaywrightservice/account.ts index 7a5eae645f26..f3db970766f2 100644 --- a/sdk/nodejs/azureplaywrightservice/account.ts +++ b/sdk/nodejs/azureplaywrightservice/account.ts @@ -133,7 +133,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azureplaywrightservice/v20231001preview:Account" }, { type: "azure-native:azureplaywrightservice/v20240201preview:Account" }, { type: "azure-native:azureplaywrightservice/v20240801preview:Account" }, { type: "azure-native:azureplaywrightservice/v20241201:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azureplaywrightservice/v20231001preview:Account" }, { type: "azure-native:azureplaywrightservice/v20240201preview:Account" }, { type: "azure-native:azureplaywrightservice/v20240801preview:Account" }, { type: "azure-native:azureplaywrightservice/v20241201:Account" }, { type: "azure-native_azureplaywrightservice_v20231001preview:azureplaywrightservice:Account" }, { type: "azure-native_azureplaywrightservice_v20240201preview:azureplaywrightservice:Account" }, { type: "azure-native_azureplaywrightservice_v20240801preview:azureplaywrightservice:Account" }, { type: "azure-native_azureplaywrightservice_v20241201:azureplaywrightservice:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azuresphere/catalog.ts b/sdk/nodejs/azuresphere/catalog.ts index 96938fc4d410..a02f41ff28d6 100644 --- a/sdk/nodejs/azuresphere/catalog.ts +++ b/sdk/nodejs/azuresphere/catalog.ts @@ -109,7 +109,7 @@ export class Catalog extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:Catalog" }, { type: "azure-native:azuresphere/v20240401:Catalog" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:Catalog" }, { type: "azure-native:azuresphere/v20240401:Catalog" }, { type: "azure-native_azuresphere_v20220901preview:azuresphere:Catalog" }, { type: "azure-native_azuresphere_v20240401:azuresphere:Catalog" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Catalog.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azuresphere/deployment.ts b/sdk/nodejs/azuresphere/deployment.ts index 07d5208b3048..b2808a28b8fa 100644 --- a/sdk/nodejs/azuresphere/deployment.ts +++ b/sdk/nodejs/azuresphere/deployment.ts @@ -121,7 +121,7 @@ export class Deployment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:Deployment" }, { type: "azure-native:azuresphere/v20240401:Deployment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:Deployment" }, { type: "azure-native:azuresphere/v20240401:Deployment" }, { type: "azure-native_azuresphere_v20220901preview:azuresphere:Deployment" }, { type: "azure-native_azuresphere_v20240401:azuresphere:Deployment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Deployment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azuresphere/device.ts b/sdk/nodejs/azuresphere/device.ts index 8d73b7e188ac..841dd60b748e 100644 --- a/sdk/nodejs/azuresphere/device.ts +++ b/sdk/nodejs/azuresphere/device.ts @@ -139,7 +139,7 @@ export class Device extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:Device" }, { type: "azure-native:azuresphere/v20240401:Device" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:Device" }, { type: "azure-native:azuresphere/v20240401:Device" }, { type: "azure-native_azuresphere_v20220901preview:azuresphere:Device" }, { type: "azure-native_azuresphere_v20240401:azuresphere:Device" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Device.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azuresphere/deviceGroup.ts b/sdk/nodejs/azuresphere/deviceGroup.ts index 0a9536b57db2..7fabb49e179d 100644 --- a/sdk/nodejs/azuresphere/deviceGroup.ts +++ b/sdk/nodejs/azuresphere/deviceGroup.ts @@ -135,7 +135,7 @@ export class DeviceGroup extends pulumi.CustomResource { resourceInputs["updatePolicy"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:DeviceGroup" }, { type: "azure-native:azuresphere/v20240401:DeviceGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:DeviceGroup" }, { type: "azure-native:azuresphere/v20240401:DeviceGroup" }, { type: "azure-native_azuresphere_v20220901preview:azuresphere:DeviceGroup" }, { type: "azure-native_azuresphere_v20240401:azuresphere:DeviceGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DeviceGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azuresphere/image.ts b/sdk/nodejs/azuresphere/image.ts index 160cfc614ef9..70d84795a617 100644 --- a/sdk/nodejs/azuresphere/image.ts +++ b/sdk/nodejs/azuresphere/image.ts @@ -142,7 +142,7 @@ export class Image extends pulumi.CustomResource { resourceInputs["uri"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:Image" }, { type: "azure-native:azuresphere/v20240401:Image" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:Image" }, { type: "azure-native:azuresphere/v20240401:Image" }, { type: "azure-native_azuresphere_v20220901preview:azuresphere:Image" }, { type: "azure-native_azuresphere_v20240401:azuresphere:Image" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Image.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azuresphere/product.ts b/sdk/nodejs/azuresphere/product.ts index c8adf64373ca..34f1846dad7e 100644 --- a/sdk/nodejs/azuresphere/product.ts +++ b/sdk/nodejs/azuresphere/product.ts @@ -101,7 +101,7 @@ export class Product extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:Product" }, { type: "azure-native:azuresphere/v20240401:Product" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azuresphere/v20220901preview:Product" }, { type: "azure-native:azuresphere/v20240401:Product" }, { type: "azure-native_azuresphere_v20220901preview:azuresphere:Product" }, { type: "azure-native_azuresphere_v20240401:azuresphere:Product" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Product.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestack/customerSubscription.ts b/sdk/nodejs/azurestack/customerSubscription.ts index d2eb26ad2952..874e76844f6e 100644 --- a/sdk/nodejs/azurestack/customerSubscription.ts +++ b/sdk/nodejs/azurestack/customerSubscription.ts @@ -92,7 +92,7 @@ export class CustomerSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestack/v20170601:CustomerSubscription" }, { type: "azure-native:azurestack/v20200601preview:CustomerSubscription" }, { type: "azure-native:azurestack/v20220601:CustomerSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestack/v20200601preview:CustomerSubscription" }, { type: "azure-native:azurestack/v20220601:CustomerSubscription" }, { type: "azure-native_azurestack_v20170601:azurestack:CustomerSubscription" }, { type: "azure-native_azurestack_v20200601preview:azurestack:CustomerSubscription" }, { type: "azure-native_azurestack_v20220601:azurestack:CustomerSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomerSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestack/linkedSubscription.ts b/sdk/nodejs/azurestack/linkedSubscription.ts index 7568df74602f..0e3392b24797 100644 --- a/sdk/nodejs/azurestack/linkedSubscription.ts +++ b/sdk/nodejs/azurestack/linkedSubscription.ts @@ -155,7 +155,7 @@ export class LinkedSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestack/v20200601preview:LinkedSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestack/v20200601preview:LinkedSubscription" }, { type: "azure-native_azurestack_v20200601preview:azurestack:LinkedSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LinkedSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestack/registration.ts b/sdk/nodejs/azurestack/registration.ts index 2fa4039f009f..b8727269d428 100644 --- a/sdk/nodejs/azurestack/registration.ts +++ b/sdk/nodejs/azurestack/registration.ts @@ -119,7 +119,7 @@ export class Registration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestack/v20160101:Registration" }, { type: "azure-native:azurestack/v20170601:Registration" }, { type: "azure-native:azurestack/v20200601preview:Registration" }, { type: "azure-native:azurestack/v20220601:Registration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestack/v20200601preview:Registration" }, { type: "azure-native:azurestack/v20220601:Registration" }, { type: "azure-native_azurestack_v20160101:azurestack:Registration" }, { type: "azure-native_azurestack_v20170601:azurestack:Registration" }, { type: "azure-native_azurestack_v20200601preview:azurestack:Registration" }, { type: "azure-native_azurestack_v20220601:azurestack:Registration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Registration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/arcSetting.ts b/sdk/nodejs/azurestackhci/arcSetting.ts index ba27da071fc3..147fbe82e885 100644 --- a/sdk/nodejs/azurestackhci/arcSetting.ts +++ b/sdk/nodejs/azurestackhci/arcSetting.ts @@ -149,7 +149,7 @@ export class ArcSetting extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210101preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20210901:ArcSetting" }, { type: "azure-native:azurestackhci/v20210901preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20220101:ArcSetting" }, { type: "azure-native:azurestackhci/v20220301:ArcSetting" }, { type: "azure-native:azurestackhci/v20220501:ArcSetting" }, { type: "azure-native:azurestackhci/v20220901:ArcSetting" }, { type: "azure-native:azurestackhci/v20221001:ArcSetting" }, { type: "azure-native:azurestackhci/v20221201:ArcSetting" }, { type: "azure-native:azurestackhci/v20221215preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20230201:ArcSetting" }, { type: "azure-native:azurestackhci/v20230301:ArcSetting" }, { type: "azure-native:azurestackhci/v20230601:ArcSetting" }, { type: "azure-native:azurestackhci/v20230801:ArcSetting" }, { type: "azure-native:azurestackhci/v20230801preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20231101preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20240101:ArcSetting" }, { type: "azure-native:azurestackhci/v20240215preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20240401:ArcSetting" }, { type: "azure-native:azurestackhci/v20240901preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20241201preview:ArcSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20221215preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20230301:ArcSetting" }, { type: "azure-native:azurestackhci/v20230601:ArcSetting" }, { type: "azure-native:azurestackhci/v20230801:ArcSetting" }, { type: "azure-native:azurestackhci/v20230801preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20231101preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20240101:ArcSetting" }, { type: "azure-native:azurestackhci/v20240215preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20240401:ArcSetting" }, { type: "azure-native:azurestackhci/v20240901preview:ArcSetting" }, { type: "azure-native:azurestackhci/v20241201preview:ArcSetting" }, { type: "azure-native_azurestackhci_v20210101preview:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20210901:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20220101:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20220301:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20220501:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20220901:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20221001:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20221201:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20230201:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20230301:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20230601:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20230801:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20230801preview:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20231101preview:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20240215preview:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20240401:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20240901preview:azurestackhci:ArcSetting" }, { type: "azure-native_azurestackhci_v20241201preview:azurestackhci:ArcSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ArcSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/cluster.ts b/sdk/nodejs/azurestackhci/cluster.ts index c8e1c8132eda..a2e22c388df7 100644 --- a/sdk/nodejs/azurestackhci/cluster.ts +++ b/sdk/nodejs/azurestackhci/cluster.ts @@ -250,7 +250,7 @@ export class Cluster extends pulumi.CustomResource { resourceInputs["userAssignedIdentities"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20200301preview:Cluster" }, { type: "azure-native:azurestackhci/v20201001:Cluster" }, { type: "azure-native:azurestackhci/v20210101preview:Cluster" }, { type: "azure-native:azurestackhci/v20210901:Cluster" }, { type: "azure-native:azurestackhci/v20210901preview:Cluster" }, { type: "azure-native:azurestackhci/v20220101:Cluster" }, { type: "azure-native:azurestackhci/v20220301:Cluster" }, { type: "azure-native:azurestackhci/v20220501:Cluster" }, { type: "azure-native:azurestackhci/v20220901:Cluster" }, { type: "azure-native:azurestackhci/v20221001:Cluster" }, { type: "azure-native:azurestackhci/v20221201:Cluster" }, { type: "azure-native:azurestackhci/v20221215preview:Cluster" }, { type: "azure-native:azurestackhci/v20230201:Cluster" }, { type: "azure-native:azurestackhci/v20230301:Cluster" }, { type: "azure-native:azurestackhci/v20230601:Cluster" }, { type: "azure-native:azurestackhci/v20230801:Cluster" }, { type: "azure-native:azurestackhci/v20230801preview:Cluster" }, { type: "azure-native:azurestackhci/v20231101preview:Cluster" }, { type: "azure-native:azurestackhci/v20240101:Cluster" }, { type: "azure-native:azurestackhci/v20240215preview:Cluster" }, { type: "azure-native:azurestackhci/v20240401:Cluster" }, { type: "azure-native:azurestackhci/v20240901preview:Cluster" }, { type: "azure-native:azurestackhci/v20241201preview:Cluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20220101:Cluster" }, { type: "azure-native:azurestackhci/v20220901:Cluster" }, { type: "azure-native:azurestackhci/v20221215preview:Cluster" }, { type: "azure-native:azurestackhci/v20230301:Cluster" }, { type: "azure-native:azurestackhci/v20230601:Cluster" }, { type: "azure-native:azurestackhci/v20230801:Cluster" }, { type: "azure-native:azurestackhci/v20230801preview:Cluster" }, { type: "azure-native:azurestackhci/v20231101preview:Cluster" }, { type: "azure-native:azurestackhci/v20240101:Cluster" }, { type: "azure-native:azurestackhci/v20240215preview:Cluster" }, { type: "azure-native:azurestackhci/v20240401:Cluster" }, { type: "azure-native:azurestackhci/v20240901preview:Cluster" }, { type: "azure-native:azurestackhci/v20241201preview:Cluster" }, { type: "azure-native_azurestackhci_v20200301preview:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20201001:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20210101preview:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20210901:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20220101:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20220301:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20220501:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20220901:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20221001:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20221201:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20230201:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20230301:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20230601:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20230801:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20230801preview:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20231101preview:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20240215preview:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20240401:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20240901preview:azurestackhci:Cluster" }, { type: "azure-native_azurestackhci_v20241201preview:azurestackhci:Cluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/deploymentSetting.ts b/sdk/nodejs/azurestackhci/deploymentSetting.ts index bb74888e6cfe..2fb833fdb7cb 100644 --- a/sdk/nodejs/azurestackhci/deploymentSetting.ts +++ b/sdk/nodejs/azurestackhci/deploymentSetting.ts @@ -134,7 +134,7 @@ export class DeploymentSetting extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20230801preview:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20231101preview:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20240101:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20240215preview:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20240401:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20240901preview:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20241201preview:DeploymentSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20230801preview:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20231101preview:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20240101:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20240215preview:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20240401:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20240901preview:DeploymentSetting" }, { type: "azure-native:azurestackhci/v20241201preview:DeploymentSetting" }, { type: "azure-native_azurestackhci_v20230801preview:azurestackhci:DeploymentSetting" }, { type: "azure-native_azurestackhci_v20231101preview:azurestackhci:DeploymentSetting" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:DeploymentSetting" }, { type: "azure-native_azurestackhci_v20240215preview:azurestackhci:DeploymentSetting" }, { type: "azure-native_azurestackhci_v20240401:azurestackhci:DeploymentSetting" }, { type: "azure-native_azurestackhci_v20240901preview:azurestackhci:DeploymentSetting" }, { type: "azure-native_azurestackhci_v20241201preview:azurestackhci:DeploymentSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DeploymentSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/extension.ts b/sdk/nodejs/azurestackhci/extension.ts index 84d4f5fa2182..518551664528 100644 --- a/sdk/nodejs/azurestackhci/extension.ts +++ b/sdk/nodejs/azurestackhci/extension.ts @@ -159,7 +159,7 @@ export class Extension extends pulumi.CustomResource { resourceInputs["typeHandlerVersion"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210101preview:Extension" }, { type: "azure-native:azurestackhci/v20210901:Extension" }, { type: "azure-native:azurestackhci/v20210901preview:Extension" }, { type: "azure-native:azurestackhci/v20220101:Extension" }, { type: "azure-native:azurestackhci/v20220301:Extension" }, { type: "azure-native:azurestackhci/v20220501:Extension" }, { type: "azure-native:azurestackhci/v20220901:Extension" }, { type: "azure-native:azurestackhci/v20221001:Extension" }, { type: "azure-native:azurestackhci/v20221201:Extension" }, { type: "azure-native:azurestackhci/v20221215preview:Extension" }, { type: "azure-native:azurestackhci/v20230201:Extension" }, { type: "azure-native:azurestackhci/v20230301:Extension" }, { type: "azure-native:azurestackhci/v20230601:Extension" }, { type: "azure-native:azurestackhci/v20230801:Extension" }, { type: "azure-native:azurestackhci/v20230801preview:Extension" }, { type: "azure-native:azurestackhci/v20231101preview:Extension" }, { type: "azure-native:azurestackhci/v20240101:Extension" }, { type: "azure-native:azurestackhci/v20240215preview:Extension" }, { type: "azure-native:azurestackhci/v20240401:Extension" }, { type: "azure-native:azurestackhci/v20240901preview:Extension" }, { type: "azure-native:azurestackhci/v20241201preview:Extension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20221215preview:Extension" }, { type: "azure-native:azurestackhci/v20230301:Extension" }, { type: "azure-native:azurestackhci/v20230601:Extension" }, { type: "azure-native:azurestackhci/v20230801:Extension" }, { type: "azure-native:azurestackhci/v20230801preview:Extension" }, { type: "azure-native:azurestackhci/v20231101preview:Extension" }, { type: "azure-native:azurestackhci/v20240101:Extension" }, { type: "azure-native:azurestackhci/v20240215preview:Extension" }, { type: "azure-native:azurestackhci/v20240401:Extension" }, { type: "azure-native:azurestackhci/v20240901preview:Extension" }, { type: "azure-native:azurestackhci/v20241201preview:Extension" }, { type: "azure-native_azurestackhci_v20210101preview:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20210901:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20220101:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20220301:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20220501:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20220901:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20221001:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20221201:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20230201:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20230301:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20230601:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20230801:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20230801preview:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20231101preview:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20240215preview:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20240401:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20240901preview:azurestackhci:Extension" }, { type: "azure-native_azurestackhci_v20241201preview:azurestackhci:Extension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Extension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/galleryImage.ts b/sdk/nodejs/azurestackhci/galleryImage.ts index d8390e37235e..b52c755d65a7 100644 --- a/sdk/nodejs/azurestackhci/galleryImage.ts +++ b/sdk/nodejs/azurestackhci/galleryImage.ts @@ -172,7 +172,7 @@ export class GalleryImage extends pulumi.CustomResource { resourceInputs["vmImageRepositoryCredentials"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210701preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20210901preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20210901preview:GalleryimageRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20230701preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20230901preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20240101:GalleryImage" }, { type: "azure-native:azurestackhci/v20240201preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20240501preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20240715preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20240801preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20241001preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20250201preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20250401preview:GalleryImage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:GalleryimageRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20230701preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20230901preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20240101:GalleryImage" }, { type: "azure-native:azurestackhci/v20240201preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20240501preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20240715preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20240801preview:GalleryImage" }, { type: "azure-native:azurestackhci/v20241001preview:GalleryImage" }, { type: "azure-native_azurestackhci_v20210701preview:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20230701preview:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20230901preview:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20240201preview:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20240501preview:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20240715preview:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20240801preview:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20241001preview:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20250201preview:azurestackhci:GalleryImage" }, { type: "azure-native_azurestackhci_v20250401preview:azurestackhci:GalleryImage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GalleryImage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/guestAgent.ts b/sdk/nodejs/azurestackhci/guestAgent.ts index 5d7279cdb5dd..b6a02b5156b6 100644 --- a/sdk/nodejs/azurestackhci/guestAgent.ts +++ b/sdk/nodejs/azurestackhci/guestAgent.ts @@ -108,7 +108,7 @@ export class GuestAgent extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20221215preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20230701preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20230901preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20240101:GuestAgent" }, { type: "azure-native:azurestackhci/v20240201preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20240501preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20240715preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20240801preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20241001preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20250201preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20250401preview:GuestAgent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20230701preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20230901preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20240101:GuestAgent" }, { type: "azure-native:azurestackhci/v20240201preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20240501preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20240715preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20240801preview:GuestAgent" }, { type: "azure-native:azurestackhci/v20241001preview:GuestAgent" }, { type: "azure-native_azurestackhci_v20230701preview:azurestackhci:GuestAgent" }, { type: "azure-native_azurestackhci_v20230901preview:azurestackhci:GuestAgent" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:GuestAgent" }, { type: "azure-native_azurestackhci_v20240201preview:azurestackhci:GuestAgent" }, { type: "azure-native_azurestackhci_v20240501preview:azurestackhci:GuestAgent" }, { type: "azure-native_azurestackhci_v20240715preview:azurestackhci:GuestAgent" }, { type: "azure-native_azurestackhci_v20240801preview:azurestackhci:GuestAgent" }, { type: "azure-native_azurestackhci_v20241001preview:azurestackhci:GuestAgent" }, { type: "azure-native_azurestackhci_v20250201preview:azurestackhci:GuestAgent" }, { type: "azure-native_azurestackhci_v20250401preview:azurestackhci:GuestAgent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GuestAgent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/hciEdgeDevice.ts b/sdk/nodejs/azurestackhci/hciEdgeDevice.ts index 8d21c9ae6830..f4e3b07acbce 100644 --- a/sdk/nodejs/azurestackhci/hciEdgeDevice.ts +++ b/sdk/nodejs/azurestackhci/hciEdgeDevice.ts @@ -99,7 +99,7 @@ export class HciEdgeDevice extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20230801preview:EdgeDevice" }, { type: "azure-native:azurestackhci/v20230801preview:HciEdgeDevice" }, { type: "azure-native:azurestackhci/v20231101preview:EdgeDevice" }, { type: "azure-native:azurestackhci/v20231101preview:HciEdgeDevice" }, { type: "azure-native:azurestackhci/v20240101:EdgeDevice" }, { type: "azure-native:azurestackhci/v20240101:HciEdgeDevice" }, { type: "azure-native:azurestackhci/v20240215preview:HciEdgeDevice" }, { type: "azure-native:azurestackhci/v20240401:HciEdgeDevice" }, { type: "azure-native:azurestackhci/v20240901preview:HciEdgeDevice" }, { type: "azure-native:azurestackhci/v20241201preview:HciEdgeDevice" }, { type: "azure-native:azurestackhci:EdgeDevice" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20230801preview:EdgeDevice" }, { type: "azure-native:azurestackhci/v20231101preview:EdgeDevice" }, { type: "azure-native:azurestackhci/v20240101:EdgeDevice" }, { type: "azure-native:azurestackhci/v20240215preview:HciEdgeDevice" }, { type: "azure-native:azurestackhci/v20240401:HciEdgeDevice" }, { type: "azure-native:azurestackhci/v20240901preview:HciEdgeDevice" }, { type: "azure-native:azurestackhci/v20241201preview:HciEdgeDevice" }, { type: "azure-native:azurestackhci:EdgeDevice" }, { type: "azure-native_azurestackhci_v20230801preview:azurestackhci:HciEdgeDevice" }, { type: "azure-native_azurestackhci_v20231101preview:azurestackhci:HciEdgeDevice" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:HciEdgeDevice" }, { type: "azure-native_azurestackhci_v20240215preview:azurestackhci:HciEdgeDevice" }, { type: "azure-native_azurestackhci_v20240401:azurestackhci:HciEdgeDevice" }, { type: "azure-native_azurestackhci_v20240901preview:azurestackhci:HciEdgeDevice" }, { type: "azure-native_azurestackhci_v20241201preview:azurestackhci:HciEdgeDevice" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HciEdgeDevice.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/hciEdgeDeviceJob.ts b/sdk/nodejs/azurestackhci/hciEdgeDeviceJob.ts index b7d19392458c..cc0530428149 100644 --- a/sdk/nodejs/azurestackhci/hciEdgeDeviceJob.ts +++ b/sdk/nodejs/azurestackhci/hciEdgeDeviceJob.ts @@ -106,7 +106,7 @@ export class HciEdgeDeviceJob extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20240901preview:HciEdgeDeviceJob" }, { type: "azure-native:azurestackhci/v20241201preview:HciEdgeDeviceJob" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20240901preview:HciEdgeDeviceJob" }, { type: "azure-native:azurestackhci/v20241201preview:HciEdgeDeviceJob" }, { type: "azure-native_azurestackhci_v20240901preview:azurestackhci:HciEdgeDeviceJob" }, { type: "azure-native_azurestackhci_v20241201preview:azurestackhci:HciEdgeDeviceJob" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HciEdgeDeviceJob.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/hybridIdentityMetadatum.ts b/sdk/nodejs/azurestackhci/hybridIdentityMetadatum.ts index 8c05398f9fd2..78c40c0bfb06 100644 --- a/sdk/nodejs/azurestackhci/hybridIdentityMetadatum.ts +++ b/sdk/nodejs/azurestackhci/hybridIdentityMetadatum.ts @@ -111,7 +111,7 @@ export class HybridIdentityMetadatum extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:HybridIdentityMetadatum" }, { type: "azure-native:azurestackhci/v20221215preview:HybridIdentityMetadatum" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20221215preview:HybridIdentityMetadatum" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:HybridIdentityMetadatum" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:HybridIdentityMetadatum" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HybridIdentityMetadatum.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/logicalNetwork.ts b/sdk/nodejs/azurestackhci/logicalNetwork.ts index cf7da3d39463..67c3681f5481 100644 --- a/sdk/nodejs/azurestackhci/logicalNetwork.ts +++ b/sdk/nodejs/azurestackhci/logicalNetwork.ts @@ -133,7 +133,7 @@ export class LogicalNetwork extends pulumi.CustomResource { resourceInputs["vmSwitchName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20230901preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20240101:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20240201preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20240501preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20240715preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20240801preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20241001preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20250201preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20250401preview:LogicalNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20230901preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20240101:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20240201preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20240501preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20240715preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20240801preview:LogicalNetwork" }, { type: "azure-native:azurestackhci/v20241001preview:LogicalNetwork" }, { type: "azure-native_azurestackhci_v20230901preview:azurestackhci:LogicalNetwork" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:LogicalNetwork" }, { type: "azure-native_azurestackhci_v20240201preview:azurestackhci:LogicalNetwork" }, { type: "azure-native_azurestackhci_v20240501preview:azurestackhci:LogicalNetwork" }, { type: "azure-native_azurestackhci_v20240715preview:azurestackhci:LogicalNetwork" }, { type: "azure-native_azurestackhci_v20240801preview:azurestackhci:LogicalNetwork" }, { type: "azure-native_azurestackhci_v20241001preview:azurestackhci:LogicalNetwork" }, { type: "azure-native_azurestackhci_v20250201preview:azurestackhci:LogicalNetwork" }, { type: "azure-native_azurestackhci_v20250401preview:azurestackhci:LogicalNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LogicalNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/machineExtension.ts b/sdk/nodejs/azurestackhci/machineExtension.ts index 007c5b837fd4..819f08966f75 100644 --- a/sdk/nodejs/azurestackhci/machineExtension.ts +++ b/sdk/nodejs/azurestackhci/machineExtension.ts @@ -146,7 +146,7 @@ export class MachineExtension extends pulumi.CustomResource { resourceInputs["typeHandlerVersion"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:MachineExtension" }, { type: "azure-native:azurestackhci/v20221215preview:MachineExtension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20221215preview:MachineExtension" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:MachineExtension" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:MachineExtension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MachineExtension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/marketplaceGalleryImage.ts b/sdk/nodejs/azurestackhci/marketplaceGalleryImage.ts index 71dd5ad16ca3..6513ab9b5b40 100644 --- a/sdk/nodejs/azurestackhci/marketplaceGalleryImage.ts +++ b/sdk/nodejs/azurestackhci/marketplaceGalleryImage.ts @@ -154,7 +154,7 @@ export class MarketplaceGalleryImage extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20210901preview:Marketplacegalleryimage" }, { type: "azure-native:azurestackhci/v20221215preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20230701preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20230901preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20240101:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20240201preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20240501preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20240715preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20240801preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20241001preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20250201preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20250401preview:MarketplaceGalleryImage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:Marketplacegalleryimage" }, { type: "azure-native:azurestackhci/v20221215preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20230701preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20230901preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20240101:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20240201preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20240501preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20240715preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20240801preview:MarketplaceGalleryImage" }, { type: "azure-native:azurestackhci/v20241001preview:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20230701preview:azurestackhci:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20230901preview:azurestackhci:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20240201preview:azurestackhci:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20240501preview:azurestackhci:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20240715preview:azurestackhci:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20240801preview:azurestackhci:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20241001preview:azurestackhci:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20250201preview:azurestackhci:MarketplaceGalleryImage" }, { type: "azure-native_azurestackhci_v20250401preview:azurestackhci:MarketplaceGalleryImage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MarketplaceGalleryImage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/networkInterface.ts b/sdk/nodejs/azurestackhci/networkInterface.ts index e820198410b6..d2cce5e1e63a 100644 --- a/sdk/nodejs/azurestackhci/networkInterface.ts +++ b/sdk/nodejs/azurestackhci/networkInterface.ts @@ -145,7 +145,7 @@ export class NetworkInterface extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210701preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20210901preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20210901preview:NetworkinterfaceRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20230701preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20230901preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20240101:NetworkInterface" }, { type: "azure-native:azurestackhci/v20240201preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20240501preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20240715preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20240801preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20241001preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20250201preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20250401preview:NetworkInterface" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:NetworkinterfaceRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20230701preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20230901preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20240101:NetworkInterface" }, { type: "azure-native:azurestackhci/v20240201preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20240501preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20240715preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20240801preview:NetworkInterface" }, { type: "azure-native:azurestackhci/v20241001preview:NetworkInterface" }, { type: "azure-native_azurestackhci_v20210701preview:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20230701preview:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20230901preview:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20240201preview:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20240501preview:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20240715preview:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20240801preview:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20241001preview:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20250201preview:azurestackhci:NetworkInterface" }, { type: "azure-native_azurestackhci_v20250401preview:azurestackhci:NetworkInterface" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkInterface.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/networkSecurityGroup.ts b/sdk/nodejs/azurestackhci/networkSecurityGroup.ts index 6595dc23b9d2..033715b09ca8 100644 --- a/sdk/nodejs/azurestackhci/networkSecurityGroup.ts +++ b/sdk/nodejs/azurestackhci/networkSecurityGroup.ts @@ -133,7 +133,7 @@ export class NetworkSecurityGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20240201preview:NetworkSecurityGroup" }, { type: "azure-native:azurestackhci/v20240501preview:NetworkSecurityGroup" }, { type: "azure-native:azurestackhci/v20240715preview:NetworkSecurityGroup" }, { type: "azure-native:azurestackhci/v20240801preview:NetworkSecurityGroup" }, { type: "azure-native:azurestackhci/v20241001preview:NetworkSecurityGroup" }, { type: "azure-native:azurestackhci/v20250201preview:NetworkSecurityGroup" }, { type: "azure-native:azurestackhci/v20250401preview:NetworkSecurityGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20240201preview:NetworkSecurityGroup" }, { type: "azure-native:azurestackhci/v20240501preview:NetworkSecurityGroup" }, { type: "azure-native:azurestackhci/v20240715preview:NetworkSecurityGroup" }, { type: "azure-native:azurestackhci/v20240801preview:NetworkSecurityGroup" }, { type: "azure-native:azurestackhci/v20241001preview:NetworkSecurityGroup" }, { type: "azure-native_azurestackhci_v20240201preview:azurestackhci:NetworkSecurityGroup" }, { type: "azure-native_azurestackhci_v20240501preview:azurestackhci:NetworkSecurityGroup" }, { type: "azure-native_azurestackhci_v20240715preview:azurestackhci:NetworkSecurityGroup" }, { type: "azure-native_azurestackhci_v20240801preview:azurestackhci:NetworkSecurityGroup" }, { type: "azure-native_azurestackhci_v20241001preview:azurestackhci:NetworkSecurityGroup" }, { type: "azure-native_azurestackhci_v20250201preview:azurestackhci:NetworkSecurityGroup" }, { type: "azure-native_azurestackhci_v20250401preview:azurestackhci:NetworkSecurityGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkSecurityGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/securityRule.ts b/sdk/nodejs/azurestackhci/securityRule.ts index 18f586e37100..7fbfe7df91fa 100644 --- a/sdk/nodejs/azurestackhci/securityRule.ts +++ b/sdk/nodejs/azurestackhci/securityRule.ts @@ -167,7 +167,7 @@ export class SecurityRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20240201preview:SecurityRule" }, { type: "azure-native:azurestackhci/v20240501preview:SecurityRule" }, { type: "azure-native:azurestackhci/v20240715preview:SecurityRule" }, { type: "azure-native:azurestackhci/v20240801preview:SecurityRule" }, { type: "azure-native:azurestackhci/v20241001preview:SecurityRule" }, { type: "azure-native:azurestackhci/v20250201preview:SecurityRule" }, { type: "azure-native:azurestackhci/v20250401preview:SecurityRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20240201preview:SecurityRule" }, { type: "azure-native:azurestackhci/v20240501preview:SecurityRule" }, { type: "azure-native:azurestackhci/v20240715preview:SecurityRule" }, { type: "azure-native:azurestackhci/v20240801preview:SecurityRule" }, { type: "azure-native:azurestackhci/v20241001preview:SecurityRule" }, { type: "azure-native_azurestackhci_v20240201preview:azurestackhci:SecurityRule" }, { type: "azure-native_azurestackhci_v20240501preview:azurestackhci:SecurityRule" }, { type: "azure-native_azurestackhci_v20240715preview:azurestackhci:SecurityRule" }, { type: "azure-native_azurestackhci_v20240801preview:azurestackhci:SecurityRule" }, { type: "azure-native_azurestackhci_v20241001preview:azurestackhci:SecurityRule" }, { type: "azure-native_azurestackhci_v20250201preview:azurestackhci:SecurityRule" }, { type: "azure-native_azurestackhci_v20250401preview:azurestackhci:SecurityRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/securitySetting.ts b/sdk/nodejs/azurestackhci/securitySetting.ts index b6e9fe2ddcee..b81b3b501413 100644 --- a/sdk/nodejs/azurestackhci/securitySetting.ts +++ b/sdk/nodejs/azurestackhci/securitySetting.ts @@ -119,7 +119,7 @@ export class SecuritySetting extends pulumi.CustomResource { resourceInputs["wdacComplianceAssignment"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20231101preview:SecuritySetting" }, { type: "azure-native:azurestackhci/v20240101:SecuritySetting" }, { type: "azure-native:azurestackhci/v20240215preview:SecuritySetting" }, { type: "azure-native:azurestackhci/v20240401:SecuritySetting" }, { type: "azure-native:azurestackhci/v20240901preview:SecuritySetting" }, { type: "azure-native:azurestackhci/v20241201preview:SecuritySetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20231101preview:SecuritySetting" }, { type: "azure-native:azurestackhci/v20240101:SecuritySetting" }, { type: "azure-native:azurestackhci/v20240215preview:SecuritySetting" }, { type: "azure-native:azurestackhci/v20240401:SecuritySetting" }, { type: "azure-native:azurestackhci/v20240901preview:SecuritySetting" }, { type: "azure-native:azurestackhci/v20241201preview:SecuritySetting" }, { type: "azure-native_azurestackhci_v20231101preview:azurestackhci:SecuritySetting" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:SecuritySetting" }, { type: "azure-native_azurestackhci_v20240215preview:azurestackhci:SecuritySetting" }, { type: "azure-native_azurestackhci_v20240401:azurestackhci:SecuritySetting" }, { type: "azure-native_azurestackhci_v20240901preview:azurestackhci:SecuritySetting" }, { type: "azure-native_azurestackhci_v20241201preview:azurestackhci:SecuritySetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecuritySetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/storageContainer.ts b/sdk/nodejs/azurestackhci/storageContainer.ts index 6bfdf81c24bb..bac9054a89f5 100644 --- a/sdk/nodejs/azurestackhci/storageContainer.ts +++ b/sdk/nodejs/azurestackhci/storageContainer.ts @@ -124,7 +124,7 @@ export class StorageContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20210901preview:StoragecontainerRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20230701preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20230901preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20240101:StorageContainer" }, { type: "azure-native:azurestackhci/v20240201preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20240501preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20240715preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20240801preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20241001preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20250201preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20250401preview:StorageContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:StoragecontainerRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20230701preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20230901preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20240101:StorageContainer" }, { type: "azure-native:azurestackhci/v20240201preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20240501preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20240715preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20240801preview:StorageContainer" }, { type: "azure-native:azurestackhci/v20241001preview:StorageContainer" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:StorageContainer" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:StorageContainer" }, { type: "azure-native_azurestackhci_v20230701preview:azurestackhci:StorageContainer" }, { type: "azure-native_azurestackhci_v20230901preview:azurestackhci:StorageContainer" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:StorageContainer" }, { type: "azure-native_azurestackhci_v20240201preview:azurestackhci:StorageContainer" }, { type: "azure-native_azurestackhci_v20240501preview:azurestackhci:StorageContainer" }, { type: "azure-native_azurestackhci_v20240715preview:azurestackhci:StorageContainer" }, { type: "azure-native_azurestackhci_v20240801preview:azurestackhci:StorageContainer" }, { type: "azure-native_azurestackhci_v20241001preview:azurestackhci:StorageContainer" }, { type: "azure-native_azurestackhci_v20250201preview:azurestackhci:StorageContainer" }, { type: "azure-native_azurestackhci_v20250401preview:azurestackhci:StorageContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/update.ts b/sdk/nodejs/azurestackhci/update.ts index b6c681e44046..315621eed3b9 100644 --- a/sdk/nodejs/azurestackhci/update.ts +++ b/sdk/nodejs/azurestackhci/update.ts @@ -203,7 +203,7 @@ export class Update extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20221201:Update" }, { type: "azure-native:azurestackhci/v20221215preview:Update" }, { type: "azure-native:azurestackhci/v20230201:Update" }, { type: "azure-native:azurestackhci/v20230301:Update" }, { type: "azure-native:azurestackhci/v20230601:Update" }, { type: "azure-native:azurestackhci/v20230801:Update" }, { type: "azure-native:azurestackhci/v20230801preview:Update" }, { type: "azure-native:azurestackhci/v20231101preview:Update" }, { type: "azure-native:azurestackhci/v20240101:Update" }, { type: "azure-native:azurestackhci/v20240215preview:Update" }, { type: "azure-native:azurestackhci/v20240401:Update" }, { type: "azure-native:azurestackhci/v20240901preview:Update" }, { type: "azure-native:azurestackhci/v20241201preview:Update" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20221215preview:Update" }, { type: "azure-native:azurestackhci/v20230301:Update" }, { type: "azure-native:azurestackhci/v20230601:Update" }, { type: "azure-native:azurestackhci/v20230801:Update" }, { type: "azure-native:azurestackhci/v20230801preview:Update" }, { type: "azure-native:azurestackhci/v20231101preview:Update" }, { type: "azure-native:azurestackhci/v20240101:Update" }, { type: "azure-native:azurestackhci/v20240215preview:Update" }, { type: "azure-native:azurestackhci/v20240401:Update" }, { type: "azure-native:azurestackhci/v20240901preview:Update" }, { type: "azure-native:azurestackhci/v20241201preview:Update" }, { type: "azure-native_azurestackhci_v20221201:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20230201:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20230301:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20230601:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20230801:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20230801preview:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20231101preview:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20240215preview:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20240401:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20240901preview:azurestackhci:Update" }, { type: "azure-native_azurestackhci_v20241201preview:azurestackhci:Update" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Update.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/updateRun.ts b/sdk/nodejs/azurestackhci/updateRun.ts index c1a1abd43b34..285964beef50 100644 --- a/sdk/nodejs/azurestackhci/updateRun.ts +++ b/sdk/nodejs/azurestackhci/updateRun.ts @@ -177,7 +177,7 @@ export class UpdateRun extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20221201:UpdateRun" }, { type: "azure-native:azurestackhci/v20221215preview:UpdateRun" }, { type: "azure-native:azurestackhci/v20230201:UpdateRun" }, { type: "azure-native:azurestackhci/v20230301:UpdateRun" }, { type: "azure-native:azurestackhci/v20230601:UpdateRun" }, { type: "azure-native:azurestackhci/v20230801:UpdateRun" }, { type: "azure-native:azurestackhci/v20230801preview:UpdateRun" }, { type: "azure-native:azurestackhci/v20231101preview:UpdateRun" }, { type: "azure-native:azurestackhci/v20240101:UpdateRun" }, { type: "azure-native:azurestackhci/v20240215preview:UpdateRun" }, { type: "azure-native:azurestackhci/v20240401:UpdateRun" }, { type: "azure-native:azurestackhci/v20240901preview:UpdateRun" }, { type: "azure-native:azurestackhci/v20241201preview:UpdateRun" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20221215preview:UpdateRun" }, { type: "azure-native:azurestackhci/v20230301:UpdateRun" }, { type: "azure-native:azurestackhci/v20230601:UpdateRun" }, { type: "azure-native:azurestackhci/v20230801:UpdateRun" }, { type: "azure-native:azurestackhci/v20230801preview:UpdateRun" }, { type: "azure-native:azurestackhci/v20231101preview:UpdateRun" }, { type: "azure-native:azurestackhci/v20240101:UpdateRun" }, { type: "azure-native:azurestackhci/v20240215preview:UpdateRun" }, { type: "azure-native:azurestackhci/v20240401:UpdateRun" }, { type: "azure-native:azurestackhci/v20240901preview:UpdateRun" }, { type: "azure-native:azurestackhci/v20241201preview:UpdateRun" }, { type: "azure-native_azurestackhci_v20221201:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20230201:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20230301:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20230601:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20230801:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20230801preview:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20231101preview:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20240215preview:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20240401:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20240901preview:azurestackhci:UpdateRun" }, { type: "azure-native_azurestackhci_v20241201preview:azurestackhci:UpdateRun" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(UpdateRun.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/updateSummary.ts b/sdk/nodejs/azurestackhci/updateSummary.ts index 80d647373ebd..a5b9a0a45e83 100644 --- a/sdk/nodejs/azurestackhci/updateSummary.ts +++ b/sdk/nodejs/azurestackhci/updateSummary.ts @@ -154,7 +154,7 @@ export class UpdateSummary extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20221201:UpdateSummary" }, { type: "azure-native:azurestackhci/v20221215preview:UpdateSummary" }, { type: "azure-native:azurestackhci/v20230201:UpdateSummary" }, { type: "azure-native:azurestackhci/v20230301:UpdateSummary" }, { type: "azure-native:azurestackhci/v20230601:UpdateSummary" }, { type: "azure-native:azurestackhci/v20230801:UpdateSummary" }, { type: "azure-native:azurestackhci/v20230801preview:UpdateSummary" }, { type: "azure-native:azurestackhci/v20231101preview:UpdateSummary" }, { type: "azure-native:azurestackhci/v20240101:UpdateSummary" }, { type: "azure-native:azurestackhci/v20240215preview:UpdateSummary" }, { type: "azure-native:azurestackhci/v20240401:UpdateSummary" }, { type: "azure-native:azurestackhci/v20240901preview:UpdateSummary" }, { type: "azure-native:azurestackhci/v20241201preview:UpdateSummary" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20221215preview:UpdateSummary" }, { type: "azure-native:azurestackhci/v20230301:UpdateSummary" }, { type: "azure-native:azurestackhci/v20230601:UpdateSummary" }, { type: "azure-native:azurestackhci/v20230801:UpdateSummary" }, { type: "azure-native:azurestackhci/v20230801preview:UpdateSummary" }, { type: "azure-native:azurestackhci/v20231101preview:UpdateSummary" }, { type: "azure-native:azurestackhci/v20240101:UpdateSummary" }, { type: "azure-native:azurestackhci/v20240215preview:UpdateSummary" }, { type: "azure-native:azurestackhci/v20240401:UpdateSummary" }, { type: "azure-native:azurestackhci/v20240901preview:UpdateSummary" }, { type: "azure-native:azurestackhci/v20241201preview:UpdateSummary" }, { type: "azure-native_azurestackhci_v20221201:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20230201:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20230301:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20230601:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20230801:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20230801preview:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20231101preview:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20240215preview:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20240401:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20240901preview:azurestackhci:UpdateSummary" }, { type: "azure-native_azurestackhci_v20241201preview:azurestackhci:UpdateSummary" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(UpdateSummary.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/virtualHardDisk.ts b/sdk/nodejs/azurestackhci/virtualHardDisk.ts index 948fb0bcadb4..436122739e3b 100644 --- a/sdk/nodejs/azurestackhci/virtualHardDisk.ts +++ b/sdk/nodejs/azurestackhci/virtualHardDisk.ts @@ -175,7 +175,7 @@ export class VirtualHardDisk extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210701preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20210901preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20210901preview:VirtualharddiskRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20230701preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20230901preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20240101:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20240201preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20240501preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20240715preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20240801preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20241001preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20250201preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20250401preview:VirtualHardDisk" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:VirtualharddiskRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20230701preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20230901preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20240101:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20240201preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20240501preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20240715preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20240801preview:VirtualHardDisk" }, { type: "azure-native:azurestackhci/v20241001preview:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20210701preview:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20230901preview:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20240201preview:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20240501preview:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20240715preview:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20240801preview:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20241001preview:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20250201preview:azurestackhci:VirtualHardDisk" }, { type: "azure-native_azurestackhci_v20250401preview:azurestackhci:VirtualHardDisk" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualHardDisk.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/virtualMachine.ts b/sdk/nodejs/azurestackhci/virtualMachine.ts index b0908fa6ac4f..376e36c16818 100644 --- a/sdk/nodejs/azurestackhci/virtualMachine.ts +++ b/sdk/nodejs/azurestackhci/virtualMachine.ts @@ -161,7 +161,7 @@ export class VirtualMachine extends pulumi.CustomResource { resourceInputs["vmId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210701preview:VirtualMachine" }, { type: "azure-native:azurestackhci/v20210901preview:VirtualMachine" }, { type: "azure-native:azurestackhci/v20210901preview:VirtualmachineRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:VirtualMachine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:VirtualmachineRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:VirtualMachine" }, { type: "azure-native_azurestackhci_v20210701preview:azurestackhci:VirtualMachine" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:VirtualMachine" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualMachine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/virtualMachineInstance.ts b/sdk/nodejs/azurestackhci/virtualMachineInstance.ts index f32904baddec..26c1b721e7d4 100644 --- a/sdk/nodejs/azurestackhci/virtualMachineInstance.ts +++ b/sdk/nodejs/azurestackhci/virtualMachineInstance.ts @@ -174,7 +174,7 @@ export class VirtualMachineInstance extends pulumi.CustomResource { resourceInputs["vmId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20230701preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20230901preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20240101:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20240201preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20240501preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20240715preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20240801preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20241001preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20250201preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20250401preview:VirtualMachineInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20230701preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20230901preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20240101:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20240201preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20240501preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20240715preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20240801preview:VirtualMachineInstance" }, { type: "azure-native:azurestackhci/v20241001preview:VirtualMachineInstance" }, { type: "azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualMachineInstance" }, { type: "azure-native_azurestackhci_v20230901preview:azurestackhci:VirtualMachineInstance" }, { type: "azure-native_azurestackhci_v20240101:azurestackhci:VirtualMachineInstance" }, { type: "azure-native_azurestackhci_v20240201preview:azurestackhci:VirtualMachineInstance" }, { type: "azure-native_azurestackhci_v20240501preview:azurestackhci:VirtualMachineInstance" }, { type: "azure-native_azurestackhci_v20240715preview:azurestackhci:VirtualMachineInstance" }, { type: "azure-native_azurestackhci_v20240801preview:azurestackhci:VirtualMachineInstance" }, { type: "azure-native_azurestackhci_v20241001preview:azurestackhci:VirtualMachineInstance" }, { type: "azure-native_azurestackhci_v20250201preview:azurestackhci:VirtualMachineInstance" }, { type: "azure-native_azurestackhci_v20250401preview:azurestackhci:VirtualMachineInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/azurestackhci/virtualNetwork.ts b/sdk/nodejs/azurestackhci/virtualNetwork.ts index c20be07025a1..2284018dd960 100644 --- a/sdk/nodejs/azurestackhci/virtualNetwork.ts +++ b/sdk/nodejs/azurestackhci/virtualNetwork.ts @@ -139,7 +139,7 @@ export class VirtualNetwork extends pulumi.CustomResource { resourceInputs["vmSwitchName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210701preview:VirtualNetwork" }, { type: "azure-native:azurestackhci/v20210901preview:VirtualNetwork" }, { type: "azure-native:azurestackhci/v20210901preview:VirtualnetworkRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:VirtualNetwork" }, { type: "azure-native:azurestackhci/v20230701preview:VirtualNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:azurestackhci/v20210901preview:VirtualnetworkRetrieve" }, { type: "azure-native:azurestackhci/v20221215preview:VirtualNetwork" }, { type: "azure-native:azurestackhci/v20230701preview:VirtualNetwork" }, { type: "azure-native_azurestackhci_v20210701preview:azurestackhci:VirtualNetwork" }, { type: "azure-native_azurestackhci_v20210901preview:azurestackhci:VirtualNetwork" }, { type: "azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualNetwork" }, { type: "azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/baremetalinfrastructure/azureBareMetalInstance.ts b/sdk/nodejs/baremetalinfrastructure/azureBareMetalInstance.ts index 8cf72a238d47..9192c95291a7 100644 --- a/sdk/nodejs/baremetalinfrastructure/azureBareMetalInstance.ts +++ b/sdk/nodejs/baremetalinfrastructure/azureBareMetalInstance.ts @@ -155,7 +155,7 @@ export class AzureBareMetalInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalInstance" }, { type: "azure-native_baremetalinfrastructure_v20240801preview:baremetalinfrastructure:AzureBareMetalInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzureBareMetalInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/baremetalinfrastructure/azureBareMetalStorageInstance.ts b/sdk/nodejs/baremetalinfrastructure/azureBareMetalStorageInstance.ts index d81e360a8d9b..d2c7f8b55411 100644 --- a/sdk/nodejs/baremetalinfrastructure/azureBareMetalStorageInstance.ts +++ b/sdk/nodejs/baremetalinfrastructure/azureBareMetalStorageInstance.ts @@ -115,7 +115,7 @@ export class AzureBareMetalStorageInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:baremetalinfrastructure/v20230406:AzureBareMetalStorageInstance" }, { type: "azure-native:baremetalinfrastructure/v20230804preview:AzureBareMetalStorageInstance" }, { type: "azure-native:baremetalinfrastructure/v20231101preview:AzureBareMetalStorageInstance" }, { type: "azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalStorageInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:baremetalinfrastructure/v20230406:AzureBareMetalStorageInstance" }, { type: "azure-native:baremetalinfrastructure/v20230804preview:AzureBareMetalStorageInstance" }, { type: "azure-native:baremetalinfrastructure/v20231101preview:AzureBareMetalStorageInstance" }, { type: "azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalStorageInstance" }, { type: "azure-native_baremetalinfrastructure_v20230406:baremetalinfrastructure:AzureBareMetalStorageInstance" }, { type: "azure-native_baremetalinfrastructure_v20230804preview:baremetalinfrastructure:AzureBareMetalStorageInstance" }, { type: "azure-native_baremetalinfrastructure_v20231101preview:baremetalinfrastructure:AzureBareMetalStorageInstance" }, { type: "azure-native_baremetalinfrastructure_v20240801preview:baremetalinfrastructure:AzureBareMetalStorageInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzureBareMetalStorageInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/batch/application.ts b/sdk/nodejs/batch/application.ts index 39ae90deac35..7c1dfeab2594 100644 --- a/sdk/nodejs/batch/application.ts +++ b/sdk/nodejs/batch/application.ts @@ -110,7 +110,7 @@ export class Application extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:batch/v20151201:Application" }, { type: "azure-native:batch/v20170101:Application" }, { type: "azure-native:batch/v20170501:Application" }, { type: "azure-native:batch/v20170901:Application" }, { type: "azure-native:batch/v20181201:Application" }, { type: "azure-native:batch/v20190401:Application" }, { type: "azure-native:batch/v20190801:Application" }, { type: "azure-native:batch/v20200301:Application" }, { type: "azure-native:batch/v20200501:Application" }, { type: "azure-native:batch/v20200901:Application" }, { type: "azure-native:batch/v20210101:Application" }, { type: "azure-native:batch/v20210601:Application" }, { type: "azure-native:batch/v20220101:Application" }, { type: "azure-native:batch/v20220601:Application" }, { type: "azure-native:batch/v20221001:Application" }, { type: "azure-native:batch/v20230501:Application" }, { type: "azure-native:batch/v20231101:Application" }, { type: "azure-native:batch/v20240201:Application" }, { type: "azure-native:batch/v20240701:Application" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:batch/v20230501:Application" }, { type: "azure-native:batch/v20231101:Application" }, { type: "azure-native:batch/v20240201:Application" }, { type: "azure-native:batch/v20240701:Application" }, { type: "azure-native_batch_v20151201:batch:Application" }, { type: "azure-native_batch_v20170101:batch:Application" }, { type: "azure-native_batch_v20170501:batch:Application" }, { type: "azure-native_batch_v20170901:batch:Application" }, { type: "azure-native_batch_v20181201:batch:Application" }, { type: "azure-native_batch_v20190401:batch:Application" }, { type: "azure-native_batch_v20190801:batch:Application" }, { type: "azure-native_batch_v20200301:batch:Application" }, { type: "azure-native_batch_v20200501:batch:Application" }, { type: "azure-native_batch_v20200901:batch:Application" }, { type: "azure-native_batch_v20210101:batch:Application" }, { type: "azure-native_batch_v20210601:batch:Application" }, { type: "azure-native_batch_v20220101:batch:Application" }, { type: "azure-native_batch_v20220601:batch:Application" }, { type: "azure-native_batch_v20221001:batch:Application" }, { type: "azure-native_batch_v20230501:batch:Application" }, { type: "azure-native_batch_v20231101:batch:Application" }, { type: "azure-native_batch_v20240201:batch:Application" }, { type: "azure-native_batch_v20240701:batch:Application" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Application.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/batch/applicationPackage.ts b/sdk/nodejs/batch/applicationPackage.ts index 959078877e55..48ca26184c22 100644 --- a/sdk/nodejs/batch/applicationPackage.ts +++ b/sdk/nodejs/batch/applicationPackage.ts @@ -126,7 +126,7 @@ export class ApplicationPackage extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:batch/v20151201:ApplicationPackage" }, { type: "azure-native:batch/v20170101:ApplicationPackage" }, { type: "azure-native:batch/v20170501:ApplicationPackage" }, { type: "azure-native:batch/v20170901:ApplicationPackage" }, { type: "azure-native:batch/v20181201:ApplicationPackage" }, { type: "azure-native:batch/v20190401:ApplicationPackage" }, { type: "azure-native:batch/v20190801:ApplicationPackage" }, { type: "azure-native:batch/v20200301:ApplicationPackage" }, { type: "azure-native:batch/v20200501:ApplicationPackage" }, { type: "azure-native:batch/v20200901:ApplicationPackage" }, { type: "azure-native:batch/v20210101:ApplicationPackage" }, { type: "azure-native:batch/v20210601:ApplicationPackage" }, { type: "azure-native:batch/v20220101:ApplicationPackage" }, { type: "azure-native:batch/v20220601:ApplicationPackage" }, { type: "azure-native:batch/v20221001:ApplicationPackage" }, { type: "azure-native:batch/v20230501:ApplicationPackage" }, { type: "azure-native:batch/v20231101:ApplicationPackage" }, { type: "azure-native:batch/v20240201:ApplicationPackage" }, { type: "azure-native:batch/v20240701:ApplicationPackage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:batch/v20230501:ApplicationPackage" }, { type: "azure-native:batch/v20231101:ApplicationPackage" }, { type: "azure-native:batch/v20240201:ApplicationPackage" }, { type: "azure-native:batch/v20240701:ApplicationPackage" }, { type: "azure-native_batch_v20151201:batch:ApplicationPackage" }, { type: "azure-native_batch_v20170101:batch:ApplicationPackage" }, { type: "azure-native_batch_v20170501:batch:ApplicationPackage" }, { type: "azure-native_batch_v20170901:batch:ApplicationPackage" }, { type: "azure-native_batch_v20181201:batch:ApplicationPackage" }, { type: "azure-native_batch_v20190401:batch:ApplicationPackage" }, { type: "azure-native_batch_v20190801:batch:ApplicationPackage" }, { type: "azure-native_batch_v20200301:batch:ApplicationPackage" }, { type: "azure-native_batch_v20200501:batch:ApplicationPackage" }, { type: "azure-native_batch_v20200901:batch:ApplicationPackage" }, { type: "azure-native_batch_v20210101:batch:ApplicationPackage" }, { type: "azure-native_batch_v20210601:batch:ApplicationPackage" }, { type: "azure-native_batch_v20220101:batch:ApplicationPackage" }, { type: "azure-native_batch_v20220601:batch:ApplicationPackage" }, { type: "azure-native_batch_v20221001:batch:ApplicationPackage" }, { type: "azure-native_batch_v20230501:batch:ApplicationPackage" }, { type: "azure-native_batch_v20231101:batch:ApplicationPackage" }, { type: "azure-native_batch_v20240201:batch:ApplicationPackage" }, { type: "azure-native_batch_v20240701:batch:ApplicationPackage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationPackage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/batch/batchAccount.ts b/sdk/nodejs/batch/batchAccount.ts index a1b4f30d2749..07ed3f5526b4 100644 --- a/sdk/nodejs/batch/batchAccount.ts +++ b/sdk/nodejs/batch/batchAccount.ts @@ -193,7 +193,7 @@ export class BatchAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:batch/v20151201:BatchAccount" }, { type: "azure-native:batch/v20170101:BatchAccount" }, { type: "azure-native:batch/v20170501:BatchAccount" }, { type: "azure-native:batch/v20170901:BatchAccount" }, { type: "azure-native:batch/v20181201:BatchAccount" }, { type: "azure-native:batch/v20190401:BatchAccount" }, { type: "azure-native:batch/v20190801:BatchAccount" }, { type: "azure-native:batch/v20200301:BatchAccount" }, { type: "azure-native:batch/v20200501:BatchAccount" }, { type: "azure-native:batch/v20200901:BatchAccount" }, { type: "azure-native:batch/v20210101:BatchAccount" }, { type: "azure-native:batch/v20210601:BatchAccount" }, { type: "azure-native:batch/v20220101:BatchAccount" }, { type: "azure-native:batch/v20220601:BatchAccount" }, { type: "azure-native:batch/v20221001:BatchAccount" }, { type: "azure-native:batch/v20230501:BatchAccount" }, { type: "azure-native:batch/v20231101:BatchAccount" }, { type: "azure-native:batch/v20240201:BatchAccount" }, { type: "azure-native:batch/v20240701:BatchAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:batch/v20220101:BatchAccount" }, { type: "azure-native:batch/v20230501:BatchAccount" }, { type: "azure-native:batch/v20231101:BatchAccount" }, { type: "azure-native:batch/v20240201:BatchAccount" }, { type: "azure-native:batch/v20240701:BatchAccount" }, { type: "azure-native_batch_v20151201:batch:BatchAccount" }, { type: "azure-native_batch_v20170101:batch:BatchAccount" }, { type: "azure-native_batch_v20170501:batch:BatchAccount" }, { type: "azure-native_batch_v20170901:batch:BatchAccount" }, { type: "azure-native_batch_v20181201:batch:BatchAccount" }, { type: "azure-native_batch_v20190401:batch:BatchAccount" }, { type: "azure-native_batch_v20190801:batch:BatchAccount" }, { type: "azure-native_batch_v20200301:batch:BatchAccount" }, { type: "azure-native_batch_v20200501:batch:BatchAccount" }, { type: "azure-native_batch_v20200901:batch:BatchAccount" }, { type: "azure-native_batch_v20210101:batch:BatchAccount" }, { type: "azure-native_batch_v20210601:batch:BatchAccount" }, { type: "azure-native_batch_v20220101:batch:BatchAccount" }, { type: "azure-native_batch_v20220601:batch:BatchAccount" }, { type: "azure-native_batch_v20221001:batch:BatchAccount" }, { type: "azure-native_batch_v20230501:batch:BatchAccount" }, { type: "azure-native_batch_v20231101:batch:BatchAccount" }, { type: "azure-native_batch_v20240201:batch:BatchAccount" }, { type: "azure-native_batch_v20240701:batch:BatchAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BatchAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/batch/pool.ts b/sdk/nodejs/batch/pool.ts index 2a2a6507d21a..488f07c526ee 100644 --- a/sdk/nodejs/batch/pool.ts +++ b/sdk/nodejs/batch/pool.ts @@ -247,7 +247,7 @@ export class Pool extends pulumi.CustomResource { resourceInputs["vmSize"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:batch/v20170901:Pool" }, { type: "azure-native:batch/v20181201:Pool" }, { type: "azure-native:batch/v20190401:Pool" }, { type: "azure-native:batch/v20190801:Pool" }, { type: "azure-native:batch/v20200301:Pool" }, { type: "azure-native:batch/v20200501:Pool" }, { type: "azure-native:batch/v20200901:Pool" }, { type: "azure-native:batch/v20210101:Pool" }, { type: "azure-native:batch/v20210601:Pool" }, { type: "azure-native:batch/v20220101:Pool" }, { type: "azure-native:batch/v20220601:Pool" }, { type: "azure-native:batch/v20221001:Pool" }, { type: "azure-native:batch/v20230501:Pool" }, { type: "azure-native:batch/v20231101:Pool" }, { type: "azure-native:batch/v20240201:Pool" }, { type: "azure-native:batch/v20240701:Pool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:batch/v20230501:Pool" }, { type: "azure-native:batch/v20231101:Pool" }, { type: "azure-native:batch/v20240201:Pool" }, { type: "azure-native:batch/v20240701:Pool" }, { type: "azure-native_batch_v20170901:batch:Pool" }, { type: "azure-native_batch_v20181201:batch:Pool" }, { type: "azure-native_batch_v20190401:batch:Pool" }, { type: "azure-native_batch_v20190801:batch:Pool" }, { type: "azure-native_batch_v20200301:batch:Pool" }, { type: "azure-native_batch_v20200501:batch:Pool" }, { type: "azure-native_batch_v20200901:batch:Pool" }, { type: "azure-native_batch_v20210101:batch:Pool" }, { type: "azure-native_batch_v20210601:batch:Pool" }, { type: "azure-native_batch_v20220101:batch:Pool" }, { type: "azure-native_batch_v20220601:batch:Pool" }, { type: "azure-native_batch_v20221001:batch:Pool" }, { type: "azure-native_batch_v20230501:batch:Pool" }, { type: "azure-native_batch_v20231101:batch:Pool" }, { type: "azure-native_batch_v20240201:batch:Pool" }, { type: "azure-native_batch_v20240701:batch:Pool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Pool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/billing/associatedTenant.ts b/sdk/nodejs/billing/associatedTenant.ts index 0cf27a4a0e5e..5d7081bb3d6a 100644 --- a/sdk/nodejs/billing/associatedTenant.ts +++ b/sdk/nodejs/billing/associatedTenant.ts @@ -95,7 +95,7 @@ export class AssociatedTenant extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:billing/v20240401:AssociatedTenant" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:billing/v20240401:AssociatedTenant" }, { type: "azure-native_billing_v20240401:billing:AssociatedTenant" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AssociatedTenant.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/billing/billingProfile.ts b/sdk/nodejs/billing/billingProfile.ts index 184c5785d64c..63c09474c396 100644 --- a/sdk/nodejs/billing/billingProfile.ts +++ b/sdk/nodejs/billing/billingProfile.ts @@ -95,7 +95,7 @@ export class BillingProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:billing/v20240401:BillingProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:billing/v20240401:BillingProfile" }, { type: "azure-native_billing_v20240401:billing:BillingProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BillingProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/billing/billingRoleAssignmentByBillingAccount.ts b/sdk/nodejs/billing/billingRoleAssignmentByBillingAccount.ts index a35db0c4dbbc..e7ca5e9c87e4 100644 --- a/sdk/nodejs/billing/billingRoleAssignmentByBillingAccount.ts +++ b/sdk/nodejs/billing/billingRoleAssignmentByBillingAccount.ts @@ -97,7 +97,7 @@ export class BillingRoleAssignmentByBillingAccount extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:billing/v20191001preview:BillingRoleAssignmentByBillingAccount" }, { type: "azure-native:billing/v20240401:BillingRoleAssignmentByBillingAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:billing/v20191001preview:BillingRoleAssignmentByBillingAccount" }, { type: "azure-native:billing/v20240401:BillingRoleAssignmentByBillingAccount" }, { type: "azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByBillingAccount" }, { type: "azure-native_billing_v20240401:billing:BillingRoleAssignmentByBillingAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BillingRoleAssignmentByBillingAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/billing/billingRoleAssignmentByDepartment.ts b/sdk/nodejs/billing/billingRoleAssignmentByDepartment.ts index 7771bf1937c9..7c1837f3b189 100644 --- a/sdk/nodejs/billing/billingRoleAssignmentByDepartment.ts +++ b/sdk/nodejs/billing/billingRoleAssignmentByDepartment.ts @@ -101,7 +101,7 @@ export class BillingRoleAssignmentByDepartment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:billing/v20191001preview:BillingRoleAssignmentByDepartment" }, { type: "azure-native:billing/v20240401:BillingRoleAssignmentByDepartment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:billing/v20191001preview:BillingRoleAssignmentByDepartment" }, { type: "azure-native:billing/v20240401:BillingRoleAssignmentByDepartment" }, { type: "azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByDepartment" }, { type: "azure-native_billing_v20240401:billing:BillingRoleAssignmentByDepartment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BillingRoleAssignmentByDepartment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/billing/billingRoleAssignmentByEnrollmentAccount.ts b/sdk/nodejs/billing/billingRoleAssignmentByEnrollmentAccount.ts index 6b1785a736c8..be6c98f4b0c8 100644 --- a/sdk/nodejs/billing/billingRoleAssignmentByEnrollmentAccount.ts +++ b/sdk/nodejs/billing/billingRoleAssignmentByEnrollmentAccount.ts @@ -101,7 +101,7 @@ export class BillingRoleAssignmentByEnrollmentAccount extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:billing/v20191001preview:BillingRoleAssignmentByEnrollmentAccount" }, { type: "azure-native:billing/v20240401:BillingRoleAssignmentByEnrollmentAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:billing/v20191001preview:BillingRoleAssignmentByEnrollmentAccount" }, { type: "azure-native:billing/v20240401:BillingRoleAssignmentByEnrollmentAccount" }, { type: "azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByEnrollmentAccount" }, { type: "azure-native_billing_v20240401:billing:BillingRoleAssignmentByEnrollmentAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BillingRoleAssignmentByEnrollmentAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/billing/invoiceSection.ts b/sdk/nodejs/billing/invoiceSection.ts index fe386898f8db..d7351a6853fc 100644 --- a/sdk/nodejs/billing/invoiceSection.ts +++ b/sdk/nodejs/billing/invoiceSection.ts @@ -99,7 +99,7 @@ export class InvoiceSection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:billing/v20240401:InvoiceSection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:billing/v20240401:InvoiceSection" }, { type: "azure-native_billing_v20240401:billing:InvoiceSection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InvoiceSection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/billingbenefits/discount.ts b/sdk/nodejs/billingbenefits/discount.ts index d14ac2f0d3fa..595696a04778 100644 --- a/sdk/nodejs/billingbenefits/discount.ts +++ b/sdk/nodejs/billingbenefits/discount.ts @@ -212,7 +212,7 @@ export class Discount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:billingbenefits/v20241101preview:Discount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_billingbenefits_v20241101preview:billingbenefits:Discount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Discount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/blueprint/assignment.ts b/sdk/nodejs/blueprint/assignment.ts index 507e80e2ca7d..5e5af72195a8 100644 --- a/sdk/nodejs/blueprint/assignment.ts +++ b/sdk/nodejs/blueprint/assignment.ts @@ -152,7 +152,7 @@ export class Assignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:Assignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:Assignment" }, { type: "azure-native_blueprint_v20181101preview:blueprint:Assignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Assignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/blueprint/blueprint.ts b/sdk/nodejs/blueprint/blueprint.ts index 1baf81306d49..508f80d1bd6e 100644 --- a/sdk/nodejs/blueprint/blueprint.ts +++ b/sdk/nodejs/blueprint/blueprint.ts @@ -128,7 +128,7 @@ export class Blueprint extends pulumi.CustomResource { resourceInputs["versions"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:Blueprint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:Blueprint" }, { type: "azure-native_blueprint_v20181101preview:blueprint:Blueprint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Blueprint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/blueprint/policyAssignmentArtifact.ts b/sdk/nodejs/blueprint/policyAssignmentArtifact.ts index ff31b8be9755..046868b15ae6 100644 --- a/sdk/nodejs/blueprint/policyAssignmentArtifact.ts +++ b/sdk/nodejs/blueprint/policyAssignmentArtifact.ts @@ -133,7 +133,7 @@ export class PolicyAssignmentArtifact extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:RoleAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:TemplateArtifact" }, { type: "azure-native:blueprint:RoleAssignmentArtifact" }, { type: "azure-native:blueprint:TemplateArtifact" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:RoleAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:TemplateArtifact" }, { type: "azure-native:blueprint:RoleAssignmentArtifact" }, { type: "azure-native:blueprint:TemplateArtifact" }, { type: "azure-native_blueprint_v20181101preview:blueprint:PolicyAssignmentArtifact" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PolicyAssignmentArtifact.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/blueprint/publishedBlueprint.ts b/sdk/nodejs/blueprint/publishedBlueprint.ts index aa03bc7b71e1..de3f5543cfe5 100644 --- a/sdk/nodejs/blueprint/publishedBlueprint.ts +++ b/sdk/nodejs/blueprint/publishedBlueprint.ts @@ -128,7 +128,7 @@ export class PublishedBlueprint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:PublishedBlueprint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:PublishedBlueprint" }, { type: "azure-native_blueprint_v20181101preview:blueprint:PublishedBlueprint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PublishedBlueprint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/blueprint/roleAssignmentArtifact.ts b/sdk/nodejs/blueprint/roleAssignmentArtifact.ts index a335750eef84..1da9951095a5 100644 --- a/sdk/nodejs/blueprint/roleAssignmentArtifact.ts +++ b/sdk/nodejs/blueprint/roleAssignmentArtifact.ts @@ -130,7 +130,7 @@ export class RoleAssignmentArtifact extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:RoleAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:TemplateArtifact" }, { type: "azure-native:blueprint:PolicyAssignmentArtifact" }, { type: "azure-native:blueprint:TemplateArtifact" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:RoleAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:TemplateArtifact" }, { type: "azure-native:blueprint:PolicyAssignmentArtifact" }, { type: "azure-native:blueprint:TemplateArtifact" }, { type: "azure-native_blueprint_v20181101preview:blueprint:RoleAssignmentArtifact" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RoleAssignmentArtifact.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/blueprint/templateArtifact.ts b/sdk/nodejs/blueprint/templateArtifact.ts index f457da26d11b..d505b11995f8 100644 --- a/sdk/nodejs/blueprint/templateArtifact.ts +++ b/sdk/nodejs/blueprint/templateArtifact.ts @@ -133,7 +133,7 @@ export class TemplateArtifact extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:RoleAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:TemplateArtifact" }, { type: "azure-native:blueprint:PolicyAssignmentArtifact" }, { type: "azure-native:blueprint:RoleAssignmentArtifact" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:RoleAssignmentArtifact" }, { type: "azure-native:blueprint/v20181101preview:TemplateArtifact" }, { type: "azure-native:blueprint:PolicyAssignmentArtifact" }, { type: "azure-native:blueprint:RoleAssignmentArtifact" }, { type: "azure-native_blueprint_v20181101preview:blueprint:TemplateArtifact" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TemplateArtifact.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/botservice/bot.ts b/sdk/nodejs/botservice/bot.ts index cbf24913f999..6b656c9e15a5 100644 --- a/sdk/nodejs/botservice/bot.ts +++ b/sdk/nodejs/botservice/bot.ts @@ -121,7 +121,7 @@ export class Bot extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:botservice/v20171201:Bot" }, { type: "azure-native:botservice/v20180712:Bot" }, { type: "azure-native:botservice/v20200602:Bot" }, { type: "azure-native:botservice/v20210301:Bot" }, { type: "azure-native:botservice/v20210501preview:Bot" }, { type: "azure-native:botservice/v20220615preview:Bot" }, { type: "azure-native:botservice/v20220915:Bot" }, { type: "azure-native:botservice/v20230915preview:Bot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:botservice/v20220915:Bot" }, { type: "azure-native:botservice/v20230915preview:Bot" }, { type: "azure-native_botservice_v20171201:botservice:Bot" }, { type: "azure-native_botservice_v20180712:botservice:Bot" }, { type: "azure-native_botservice_v20200602:botservice:Bot" }, { type: "azure-native_botservice_v20210301:botservice:Bot" }, { type: "azure-native_botservice_v20210501preview:botservice:Bot" }, { type: "azure-native_botservice_v20220615preview:botservice:Bot" }, { type: "azure-native_botservice_v20220915:botservice:Bot" }, { type: "azure-native_botservice_v20230915preview:botservice:Bot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Bot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/botservice/botConnection.ts b/sdk/nodejs/botservice/botConnection.ts index fef1b5722daa..3ee8b6cf00e4 100644 --- a/sdk/nodejs/botservice/botConnection.ts +++ b/sdk/nodejs/botservice/botConnection.ts @@ -125,7 +125,7 @@ export class BotConnection extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:botservice/v20171201:BotConnection" }, { type: "azure-native:botservice/v20180712:BotConnection" }, { type: "azure-native:botservice/v20200602:BotConnection" }, { type: "azure-native:botservice/v20210301:BotConnection" }, { type: "azure-native:botservice/v20210501preview:BotConnection" }, { type: "azure-native:botservice/v20220615preview:BotConnection" }, { type: "azure-native:botservice/v20220915:BotConnection" }, { type: "azure-native:botservice/v20230915preview:BotConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:botservice/v20220915:BotConnection" }, { type: "azure-native:botservice/v20230915preview:BotConnection" }, { type: "azure-native_botservice_v20171201:botservice:BotConnection" }, { type: "azure-native_botservice_v20180712:botservice:BotConnection" }, { type: "azure-native_botservice_v20200602:botservice:BotConnection" }, { type: "azure-native_botservice_v20210301:botservice:BotConnection" }, { type: "azure-native_botservice_v20210501preview:botservice:BotConnection" }, { type: "azure-native_botservice_v20220615preview:botservice:BotConnection" }, { type: "azure-native_botservice_v20220915:botservice:BotConnection" }, { type: "azure-native_botservice_v20230915preview:botservice:BotConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BotConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/botservice/channel.ts b/sdk/nodejs/botservice/channel.ts index 6502fea8cfb8..37c778d99c53 100644 --- a/sdk/nodejs/botservice/channel.ts +++ b/sdk/nodejs/botservice/channel.ts @@ -125,7 +125,7 @@ export class Channel extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:botservice/v20171201:Channel" }, { type: "azure-native:botservice/v20180712:Channel" }, { type: "azure-native:botservice/v20200602:Channel" }, { type: "azure-native:botservice/v20210301:Channel" }, { type: "azure-native:botservice/v20210501preview:Channel" }, { type: "azure-native:botservice/v20220615preview:Channel" }, { type: "azure-native:botservice/v20220915:Channel" }, { type: "azure-native:botservice/v20230915preview:Channel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:botservice/v20220915:Channel" }, { type: "azure-native:botservice/v20230915preview:Channel" }, { type: "azure-native_botservice_v20171201:botservice:Channel" }, { type: "azure-native_botservice_v20180712:botservice:Channel" }, { type: "azure-native_botservice_v20200602:botservice:Channel" }, { type: "azure-native_botservice_v20210301:botservice:Channel" }, { type: "azure-native_botservice_v20210501preview:botservice:Channel" }, { type: "azure-native_botservice_v20220615preview:botservice:Channel" }, { type: "azure-native_botservice_v20220915:botservice:Channel" }, { type: "azure-native_botservice_v20230915preview:botservice:Channel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Channel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/botservice/privateEndpointConnection.ts b/sdk/nodejs/botservice/privateEndpointConnection.ts index 2d38b848c84a..6e0ece5c4e10 100644 --- a/sdk/nodejs/botservice/privateEndpointConnection.ts +++ b/sdk/nodejs/botservice/privateEndpointConnection.ts @@ -110,7 +110,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:botservice/v20210501preview:PrivateEndpointConnection" }, { type: "azure-native:botservice/v20220615preview:PrivateEndpointConnection" }, { type: "azure-native:botservice/v20220915:PrivateEndpointConnection" }, { type: "azure-native:botservice/v20230915preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:botservice/v20220915:PrivateEndpointConnection" }, { type: "azure-native:botservice/v20230915preview:PrivateEndpointConnection" }, { type: "azure-native_botservice_v20210501preview:botservice:PrivateEndpointConnection" }, { type: "azure-native_botservice_v20220615preview:botservice:PrivateEndpointConnection" }, { type: "azure-native_botservice_v20220915:botservice:PrivateEndpointConnection" }, { type: "azure-native_botservice_v20230915preview:botservice:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/afdcustomDomain.ts b/sdk/nodejs/cdn/afdcustomDomain.ts index 6feb40934589..0e91bc10e4cc 100644 --- a/sdk/nodejs/cdn/afdcustomDomain.ts +++ b/sdk/nodejs/cdn/afdcustomDomain.ts @@ -148,7 +148,7 @@ export class AFDCustomDomain extends pulumi.CustomResource { resourceInputs["validationProperties"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:AFDCustomDomain" }, { type: "azure-native:cdn/v20210601:AFDCustomDomain" }, { type: "azure-native:cdn/v20220501preview:AFDCustomDomain" }, { type: "azure-native:cdn/v20221101preview:AFDCustomDomain" }, { type: "azure-native:cdn/v20230501:AFDCustomDomain" }, { type: "azure-native:cdn/v20230701preview:AFDCustomDomain" }, { type: "azure-native:cdn/v20240201:AFDCustomDomain" }, { type: "azure-native:cdn/v20240501preview:AFDCustomDomain" }, { type: "azure-native:cdn/v20240601preview:AFDCustomDomain" }, { type: "azure-native:cdn/v20240901:AFDCustomDomain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230501:AFDCustomDomain" }, { type: "azure-native:cdn/v20230701preview:AFDCustomDomain" }, { type: "azure-native:cdn/v20240201:AFDCustomDomain" }, { type: "azure-native:cdn/v20240501preview:AFDCustomDomain" }, { type: "azure-native:cdn/v20240601preview:AFDCustomDomain" }, { type: "azure-native:cdn/v20240901:AFDCustomDomain" }, { type: "azure-native_cdn_v20200901:cdn:AFDCustomDomain" }, { type: "azure-native_cdn_v20210601:cdn:AFDCustomDomain" }, { type: "azure-native_cdn_v20220501preview:cdn:AFDCustomDomain" }, { type: "azure-native_cdn_v20221101preview:cdn:AFDCustomDomain" }, { type: "azure-native_cdn_v20230501:cdn:AFDCustomDomain" }, { type: "azure-native_cdn_v20230701preview:cdn:AFDCustomDomain" }, { type: "azure-native_cdn_v20240201:cdn:AFDCustomDomain" }, { type: "azure-native_cdn_v20240501preview:cdn:AFDCustomDomain" }, { type: "azure-native_cdn_v20240601preview:cdn:AFDCustomDomain" }, { type: "azure-native_cdn_v20240901:cdn:AFDCustomDomain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AFDCustomDomain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/afdendpoint.ts b/sdk/nodejs/cdn/afdendpoint.ts index bc0546733bb3..19cc14d512c0 100644 --- a/sdk/nodejs/cdn/afdendpoint.ts +++ b/sdk/nodejs/cdn/afdendpoint.ts @@ -133,7 +133,7 @@ export class AFDEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:AFDEndpoint" }, { type: "azure-native:cdn/v20210601:AFDEndpoint" }, { type: "azure-native:cdn/v20220501preview:AFDEndpoint" }, { type: "azure-native:cdn/v20221101preview:AFDEndpoint" }, { type: "azure-native:cdn/v20230501:AFDEndpoint" }, { type: "azure-native:cdn/v20230701preview:AFDEndpoint" }, { type: "azure-native:cdn/v20240201:AFDEndpoint" }, { type: "azure-native:cdn/v20240501preview:AFDEndpoint" }, { type: "azure-native:cdn/v20240601preview:AFDEndpoint" }, { type: "azure-native:cdn/v20240901:AFDEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:AFDEndpoint" }, { type: "azure-native:cdn/v20230501:AFDEndpoint" }, { type: "azure-native:cdn/v20230701preview:AFDEndpoint" }, { type: "azure-native:cdn/v20240201:AFDEndpoint" }, { type: "azure-native:cdn/v20240501preview:AFDEndpoint" }, { type: "azure-native:cdn/v20240601preview:AFDEndpoint" }, { type: "azure-native:cdn/v20240901:AFDEndpoint" }, { type: "azure-native_cdn_v20200901:cdn:AFDEndpoint" }, { type: "azure-native_cdn_v20210601:cdn:AFDEndpoint" }, { type: "azure-native_cdn_v20220501preview:cdn:AFDEndpoint" }, { type: "azure-native_cdn_v20221101preview:cdn:AFDEndpoint" }, { type: "azure-native_cdn_v20230501:cdn:AFDEndpoint" }, { type: "azure-native_cdn_v20230701preview:cdn:AFDEndpoint" }, { type: "azure-native_cdn_v20240201:cdn:AFDEndpoint" }, { type: "azure-native_cdn_v20240501preview:cdn:AFDEndpoint" }, { type: "azure-native_cdn_v20240601preview:cdn:AFDEndpoint" }, { type: "azure-native_cdn_v20240901:cdn:AFDEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AFDEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/afdorigin.ts b/sdk/nodejs/cdn/afdorigin.ts index 3cbf4cdf0dfd..f0a82aacf324 100644 --- a/sdk/nodejs/cdn/afdorigin.ts +++ b/sdk/nodejs/cdn/afdorigin.ts @@ -170,7 +170,7 @@ export class AFDOrigin extends pulumi.CustomResource { resourceInputs["weight"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:AFDOrigin" }, { type: "azure-native:cdn/v20210601:AFDOrigin" }, { type: "azure-native:cdn/v20220501preview:AFDOrigin" }, { type: "azure-native:cdn/v20221101preview:AFDOrigin" }, { type: "azure-native:cdn/v20230501:AFDOrigin" }, { type: "azure-native:cdn/v20230701preview:AFDOrigin" }, { type: "azure-native:cdn/v20240201:AFDOrigin" }, { type: "azure-native:cdn/v20240501preview:AFDOrigin" }, { type: "azure-native:cdn/v20240601preview:AFDOrigin" }, { type: "azure-native:cdn/v20240901:AFDOrigin" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230501:AFDOrigin" }, { type: "azure-native:cdn/v20230701preview:AFDOrigin" }, { type: "azure-native:cdn/v20240201:AFDOrigin" }, { type: "azure-native:cdn/v20240501preview:AFDOrigin" }, { type: "azure-native:cdn/v20240601preview:AFDOrigin" }, { type: "azure-native:cdn/v20240901:AFDOrigin" }, { type: "azure-native_cdn_v20200901:cdn:AFDOrigin" }, { type: "azure-native_cdn_v20210601:cdn:AFDOrigin" }, { type: "azure-native_cdn_v20220501preview:cdn:AFDOrigin" }, { type: "azure-native_cdn_v20221101preview:cdn:AFDOrigin" }, { type: "azure-native_cdn_v20230501:cdn:AFDOrigin" }, { type: "azure-native_cdn_v20230701preview:cdn:AFDOrigin" }, { type: "azure-native_cdn_v20240201:cdn:AFDOrigin" }, { type: "azure-native_cdn_v20240501preview:cdn:AFDOrigin" }, { type: "azure-native_cdn_v20240601preview:cdn:AFDOrigin" }, { type: "azure-native_cdn_v20240901:cdn:AFDOrigin" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AFDOrigin.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/afdoriginGroup.ts b/sdk/nodejs/cdn/afdoriginGroup.ts index b8ece66cc9b3..965709b9c936 100644 --- a/sdk/nodejs/cdn/afdoriginGroup.ts +++ b/sdk/nodejs/cdn/afdoriginGroup.ts @@ -127,7 +127,7 @@ export class AFDOriginGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:AFDOriginGroup" }, { type: "azure-native:cdn/v20210601:AFDOriginGroup" }, { type: "azure-native:cdn/v20220501preview:AFDOriginGroup" }, { type: "azure-native:cdn/v20221101preview:AFDOriginGroup" }, { type: "azure-native:cdn/v20230501:AFDOriginGroup" }, { type: "azure-native:cdn/v20230701preview:AFDOriginGroup" }, { type: "azure-native:cdn/v20240201:AFDOriginGroup" }, { type: "azure-native:cdn/v20240501preview:AFDOriginGroup" }, { type: "azure-native:cdn/v20240601preview:AFDOriginGroup" }, { type: "azure-native:cdn/v20240901:AFDOriginGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:AFDOriginGroup" }, { type: "azure-native:cdn/v20230501:AFDOriginGroup" }, { type: "azure-native:cdn/v20230701preview:AFDOriginGroup" }, { type: "azure-native:cdn/v20240201:AFDOriginGroup" }, { type: "azure-native:cdn/v20240501preview:AFDOriginGroup" }, { type: "azure-native:cdn/v20240601preview:AFDOriginGroup" }, { type: "azure-native:cdn/v20240901:AFDOriginGroup" }, { type: "azure-native_cdn_v20200901:cdn:AFDOriginGroup" }, { type: "azure-native_cdn_v20210601:cdn:AFDOriginGroup" }, { type: "azure-native_cdn_v20220501preview:cdn:AFDOriginGroup" }, { type: "azure-native_cdn_v20221101preview:cdn:AFDOriginGroup" }, { type: "azure-native_cdn_v20230501:cdn:AFDOriginGroup" }, { type: "azure-native_cdn_v20230701preview:cdn:AFDOriginGroup" }, { type: "azure-native_cdn_v20240201:cdn:AFDOriginGroup" }, { type: "azure-native_cdn_v20240501preview:cdn:AFDOriginGroup" }, { type: "azure-native_cdn_v20240601preview:cdn:AFDOriginGroup" }, { type: "azure-native_cdn_v20240901:cdn:AFDOriginGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AFDOriginGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/afdtargetGroup.ts b/sdk/nodejs/cdn/afdtargetGroup.ts index e62bf751aea7..d4f2f72921e3 100644 --- a/sdk/nodejs/cdn/afdtargetGroup.ts +++ b/sdk/nodejs/cdn/afdtargetGroup.ts @@ -105,7 +105,7 @@ export class AFDTargetGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20240601preview:AFDTargetGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20240601preview:AFDTargetGroup" }, { type: "azure-native_cdn_v20240601preview:cdn:AFDTargetGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AFDTargetGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/customDomain.ts b/sdk/nodejs/cdn/customDomain.ts index 2e2b2431bd4d..eca83954a573 100644 --- a/sdk/nodejs/cdn/customDomain.ts +++ b/sdk/nodejs/cdn/customDomain.ts @@ -138,7 +138,7 @@ export class CustomDomain extends pulumi.CustomResource { resourceInputs["validationData"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20150601:CustomDomain" }, { type: "azure-native:cdn/v20160402:CustomDomain" }, { type: "azure-native:cdn/v20161002:CustomDomain" }, { type: "azure-native:cdn/v20170402:CustomDomain" }, { type: "azure-native:cdn/v20171012:CustomDomain" }, { type: "azure-native:cdn/v20190415:CustomDomain" }, { type: "azure-native:cdn/v20190615:CustomDomain" }, { type: "azure-native:cdn/v20190615preview:CustomDomain" }, { type: "azure-native:cdn/v20191231:CustomDomain" }, { type: "azure-native:cdn/v20200331:CustomDomain" }, { type: "azure-native:cdn/v20200415:CustomDomain" }, { type: "azure-native:cdn/v20200901:CustomDomain" }, { type: "azure-native:cdn/v20210601:CustomDomain" }, { type: "azure-native:cdn/v20220501preview:CustomDomain" }, { type: "azure-native:cdn/v20221101preview:CustomDomain" }, { type: "azure-native:cdn/v20230501:CustomDomain" }, { type: "azure-native:cdn/v20230701preview:CustomDomain" }, { type: "azure-native:cdn/v20240201:CustomDomain" }, { type: "azure-native:cdn/v20240501preview:CustomDomain" }, { type: "azure-native:cdn/v20240601preview:CustomDomain" }, { type: "azure-native:cdn/v20240901:CustomDomain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230501:CustomDomain" }, { type: "azure-native:cdn/v20230701preview:CustomDomain" }, { type: "azure-native:cdn/v20240201:CustomDomain" }, { type: "azure-native:cdn/v20240501preview:CustomDomain" }, { type: "azure-native:cdn/v20240601preview:CustomDomain" }, { type: "azure-native:cdn/v20240901:CustomDomain" }, { type: "azure-native_cdn_v20150601:cdn:CustomDomain" }, { type: "azure-native_cdn_v20160402:cdn:CustomDomain" }, { type: "azure-native_cdn_v20161002:cdn:CustomDomain" }, { type: "azure-native_cdn_v20170402:cdn:CustomDomain" }, { type: "azure-native_cdn_v20171012:cdn:CustomDomain" }, { type: "azure-native_cdn_v20190415:cdn:CustomDomain" }, { type: "azure-native_cdn_v20190615:cdn:CustomDomain" }, { type: "azure-native_cdn_v20190615preview:cdn:CustomDomain" }, { type: "azure-native_cdn_v20191231:cdn:CustomDomain" }, { type: "azure-native_cdn_v20200331:cdn:CustomDomain" }, { type: "azure-native_cdn_v20200415:cdn:CustomDomain" }, { type: "azure-native_cdn_v20200901:cdn:CustomDomain" }, { type: "azure-native_cdn_v20210601:cdn:CustomDomain" }, { type: "azure-native_cdn_v20220501preview:cdn:CustomDomain" }, { type: "azure-native_cdn_v20221101preview:cdn:CustomDomain" }, { type: "azure-native_cdn_v20230501:cdn:CustomDomain" }, { type: "azure-native_cdn_v20230701preview:cdn:CustomDomain" }, { type: "azure-native_cdn_v20240201:cdn:CustomDomain" }, { type: "azure-native_cdn_v20240501preview:cdn:CustomDomain" }, { type: "azure-native_cdn_v20240601preview:cdn:CustomDomain" }, { type: "azure-native_cdn_v20240901:cdn:CustomDomain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomDomain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/endpoint.ts b/sdk/nodejs/cdn/endpoint.ts index ab6d55c31666..e53688493d9a 100644 --- a/sdk/nodejs/cdn/endpoint.ts +++ b/sdk/nodejs/cdn/endpoint.ts @@ -224,7 +224,7 @@ export class Endpoint extends pulumi.CustomResource { resourceInputs["webApplicationFirewallPolicyLink"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20150601:Endpoint" }, { type: "azure-native:cdn/v20160402:Endpoint" }, { type: "azure-native:cdn/v20161002:Endpoint" }, { type: "azure-native:cdn/v20170402:Endpoint" }, { type: "azure-native:cdn/v20171012:Endpoint" }, { type: "azure-native:cdn/v20190415:Endpoint" }, { type: "azure-native:cdn/v20190615:Endpoint" }, { type: "azure-native:cdn/v20190615preview:Endpoint" }, { type: "azure-native:cdn/v20191231:Endpoint" }, { type: "azure-native:cdn/v20200331:Endpoint" }, { type: "azure-native:cdn/v20200415:Endpoint" }, { type: "azure-native:cdn/v20200901:Endpoint" }, { type: "azure-native:cdn/v20210601:Endpoint" }, { type: "azure-native:cdn/v20220501preview:Endpoint" }, { type: "azure-native:cdn/v20221101preview:Endpoint" }, { type: "azure-native:cdn/v20230501:Endpoint" }, { type: "azure-native:cdn/v20230701preview:Endpoint" }, { type: "azure-native:cdn/v20240201:Endpoint" }, { type: "azure-native:cdn/v20240501preview:Endpoint" }, { type: "azure-native:cdn/v20240601preview:Endpoint" }, { type: "azure-native:cdn/v20240901:Endpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230501:Endpoint" }, { type: "azure-native:cdn/v20230701preview:Endpoint" }, { type: "azure-native:cdn/v20240201:Endpoint" }, { type: "azure-native:cdn/v20240501preview:Endpoint" }, { type: "azure-native:cdn/v20240601preview:Endpoint" }, { type: "azure-native:cdn/v20240901:Endpoint" }, { type: "azure-native_cdn_v20150601:cdn:Endpoint" }, { type: "azure-native_cdn_v20160402:cdn:Endpoint" }, { type: "azure-native_cdn_v20161002:cdn:Endpoint" }, { type: "azure-native_cdn_v20170402:cdn:Endpoint" }, { type: "azure-native_cdn_v20171012:cdn:Endpoint" }, { type: "azure-native_cdn_v20190415:cdn:Endpoint" }, { type: "azure-native_cdn_v20190615:cdn:Endpoint" }, { type: "azure-native_cdn_v20190615preview:cdn:Endpoint" }, { type: "azure-native_cdn_v20191231:cdn:Endpoint" }, { type: "azure-native_cdn_v20200331:cdn:Endpoint" }, { type: "azure-native_cdn_v20200415:cdn:Endpoint" }, { type: "azure-native_cdn_v20200901:cdn:Endpoint" }, { type: "azure-native_cdn_v20210601:cdn:Endpoint" }, { type: "azure-native_cdn_v20220501preview:cdn:Endpoint" }, { type: "azure-native_cdn_v20221101preview:cdn:Endpoint" }, { type: "azure-native_cdn_v20230501:cdn:Endpoint" }, { type: "azure-native_cdn_v20230701preview:cdn:Endpoint" }, { type: "azure-native_cdn_v20240201:cdn:Endpoint" }, { type: "azure-native_cdn_v20240501preview:cdn:Endpoint" }, { type: "azure-native_cdn_v20240601preview:cdn:Endpoint" }, { type: "azure-native_cdn_v20240901:cdn:Endpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Endpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/keyGroup.ts b/sdk/nodejs/cdn/keyGroup.ts index bacfa8ff1896..edbb609efaab 100644 --- a/sdk/nodejs/cdn/keyGroup.ts +++ b/sdk/nodejs/cdn/keyGroup.ts @@ -104,7 +104,7 @@ export class KeyGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230701preview:KeyGroup" }, { type: "azure-native:cdn/v20240501preview:KeyGroup" }, { type: "azure-native:cdn/v20240601preview:KeyGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230701preview:KeyGroup" }, { type: "azure-native:cdn/v20240501preview:KeyGroup" }, { type: "azure-native:cdn/v20240601preview:KeyGroup" }, { type: "azure-native_cdn_v20230701preview:cdn:KeyGroup" }, { type: "azure-native_cdn_v20240501preview:cdn:KeyGroup" }, { type: "azure-native_cdn_v20240601preview:cdn:KeyGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KeyGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/origin.ts b/sdk/nodejs/cdn/origin.ts index 61ca6b7da9cc..4cac0bb4f74c 100644 --- a/sdk/nodejs/cdn/origin.ts +++ b/sdk/nodejs/cdn/origin.ts @@ -180,7 +180,7 @@ export class Origin extends pulumi.CustomResource { resourceInputs["weight"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20150601:Origin" }, { type: "azure-native:cdn/v20160402:Origin" }, { type: "azure-native:cdn/v20191231:Origin" }, { type: "azure-native:cdn/v20200331:Origin" }, { type: "azure-native:cdn/v20200415:Origin" }, { type: "azure-native:cdn/v20200901:Origin" }, { type: "azure-native:cdn/v20210601:Origin" }, { type: "azure-native:cdn/v20220501preview:Origin" }, { type: "azure-native:cdn/v20221101preview:Origin" }, { type: "azure-native:cdn/v20230501:Origin" }, { type: "azure-native:cdn/v20230701preview:Origin" }, { type: "azure-native:cdn/v20240201:Origin" }, { type: "azure-native:cdn/v20240501preview:Origin" }, { type: "azure-native:cdn/v20240601preview:Origin" }, { type: "azure-native:cdn/v20240901:Origin" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230501:Origin" }, { type: "azure-native:cdn/v20230701preview:Origin" }, { type: "azure-native:cdn/v20240201:Origin" }, { type: "azure-native:cdn/v20240501preview:Origin" }, { type: "azure-native:cdn/v20240601preview:Origin" }, { type: "azure-native:cdn/v20240901:Origin" }, { type: "azure-native_cdn_v20150601:cdn:Origin" }, { type: "azure-native_cdn_v20160402:cdn:Origin" }, { type: "azure-native_cdn_v20191231:cdn:Origin" }, { type: "azure-native_cdn_v20200331:cdn:Origin" }, { type: "azure-native_cdn_v20200415:cdn:Origin" }, { type: "azure-native_cdn_v20200901:cdn:Origin" }, { type: "azure-native_cdn_v20210601:cdn:Origin" }, { type: "azure-native_cdn_v20220501preview:cdn:Origin" }, { type: "azure-native_cdn_v20221101preview:cdn:Origin" }, { type: "azure-native_cdn_v20230501:cdn:Origin" }, { type: "azure-native_cdn_v20230701preview:cdn:Origin" }, { type: "azure-native_cdn_v20240201:cdn:Origin" }, { type: "azure-native_cdn_v20240501preview:cdn:Origin" }, { type: "azure-native_cdn_v20240601preview:cdn:Origin" }, { type: "azure-native_cdn_v20240901:cdn:Origin" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Origin.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/originGroup.ts b/sdk/nodejs/cdn/originGroup.ts index 3a1be4d9d0c8..1a8414599459 100644 --- a/sdk/nodejs/cdn/originGroup.ts +++ b/sdk/nodejs/cdn/originGroup.ts @@ -132,7 +132,7 @@ export class OriginGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20191231:OriginGroup" }, { type: "azure-native:cdn/v20200331:OriginGroup" }, { type: "azure-native:cdn/v20200415:OriginGroup" }, { type: "azure-native:cdn/v20200901:OriginGroup" }, { type: "azure-native:cdn/v20210601:OriginGroup" }, { type: "azure-native:cdn/v20220501preview:OriginGroup" }, { type: "azure-native:cdn/v20221101preview:OriginGroup" }, { type: "azure-native:cdn/v20230501:OriginGroup" }, { type: "azure-native:cdn/v20230701preview:OriginGroup" }, { type: "azure-native:cdn/v20240201:OriginGroup" }, { type: "azure-native:cdn/v20240501preview:OriginGroup" }, { type: "azure-native:cdn/v20240601preview:OriginGroup" }, { type: "azure-native:cdn/v20240901:OriginGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230501:OriginGroup" }, { type: "azure-native:cdn/v20230701preview:OriginGroup" }, { type: "azure-native:cdn/v20240201:OriginGroup" }, { type: "azure-native:cdn/v20240501preview:OriginGroup" }, { type: "azure-native:cdn/v20240601preview:OriginGroup" }, { type: "azure-native:cdn/v20240901:OriginGroup" }, { type: "azure-native_cdn_v20191231:cdn:OriginGroup" }, { type: "azure-native_cdn_v20200331:cdn:OriginGroup" }, { type: "azure-native_cdn_v20200415:cdn:OriginGroup" }, { type: "azure-native_cdn_v20200901:cdn:OriginGroup" }, { type: "azure-native_cdn_v20210601:cdn:OriginGroup" }, { type: "azure-native_cdn_v20220501preview:cdn:OriginGroup" }, { type: "azure-native_cdn_v20221101preview:cdn:OriginGroup" }, { type: "azure-native_cdn_v20230501:cdn:OriginGroup" }, { type: "azure-native_cdn_v20230701preview:cdn:OriginGroup" }, { type: "azure-native_cdn_v20240201:cdn:OriginGroup" }, { type: "azure-native_cdn_v20240501preview:cdn:OriginGroup" }, { type: "azure-native_cdn_v20240601preview:cdn:OriginGroup" }, { type: "azure-native_cdn_v20240901:cdn:OriginGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OriginGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/policy.ts b/sdk/nodejs/cdn/policy.ts index 844e644abbe4..bc7701b6fafc 100644 --- a/sdk/nodejs/cdn/policy.ts +++ b/sdk/nodejs/cdn/policy.ts @@ -157,7 +157,7 @@ export class Policy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20190615:Policy" }, { type: "azure-native:cdn/v20190615preview:Policy" }, { type: "azure-native:cdn/v20200331:Policy" }, { type: "azure-native:cdn/v20200415:Policy" }, { type: "azure-native:cdn/v20200901:Policy" }, { type: "azure-native:cdn/v20210601:Policy" }, { type: "azure-native:cdn/v20220501preview:Policy" }, { type: "azure-native:cdn/v20221101preview:Policy" }, { type: "azure-native:cdn/v20230501:Policy" }, { type: "azure-native:cdn/v20230701preview:Policy" }, { type: "azure-native:cdn/v20240201:Policy" }, { type: "azure-native:cdn/v20240501preview:Policy" }, { type: "azure-native:cdn/v20240601preview:Policy" }, { type: "azure-native:cdn/v20240901:Policy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230501:Policy" }, { type: "azure-native:cdn/v20230701preview:Policy" }, { type: "azure-native:cdn/v20240201:Policy" }, { type: "azure-native:cdn/v20240501preview:Policy" }, { type: "azure-native:cdn/v20240601preview:Policy" }, { type: "azure-native:cdn/v20240901:Policy" }, { type: "azure-native_cdn_v20190615:cdn:Policy" }, { type: "azure-native_cdn_v20190615preview:cdn:Policy" }, { type: "azure-native_cdn_v20200331:cdn:Policy" }, { type: "azure-native_cdn_v20200415:cdn:Policy" }, { type: "azure-native_cdn_v20200901:cdn:Policy" }, { type: "azure-native_cdn_v20210601:cdn:Policy" }, { type: "azure-native_cdn_v20220501preview:cdn:Policy" }, { type: "azure-native_cdn_v20221101preview:cdn:Policy" }, { type: "azure-native_cdn_v20230501:cdn:Policy" }, { type: "azure-native_cdn_v20230701preview:cdn:Policy" }, { type: "azure-native_cdn_v20240201:cdn:Policy" }, { type: "azure-native_cdn_v20240501preview:cdn:Policy" }, { type: "azure-native_cdn_v20240601preview:cdn:Policy" }, { type: "azure-native_cdn_v20240901:cdn:Policy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Policy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/profile.ts b/sdk/nodejs/cdn/profile.ts index 9dd8f6061ee5..36295ef4360d 100644 --- a/sdk/nodejs/cdn/profile.ts +++ b/sdk/nodejs/cdn/profile.ts @@ -154,7 +154,7 @@ export class Profile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20150601:Profile" }, { type: "azure-native:cdn/v20160402:Profile" }, { type: "azure-native:cdn/v20161002:Profile" }, { type: "azure-native:cdn/v20170402:Profile" }, { type: "azure-native:cdn/v20171012:Profile" }, { type: "azure-native:cdn/v20190415:Profile" }, { type: "azure-native:cdn/v20190615:Profile" }, { type: "azure-native:cdn/v20190615preview:Profile" }, { type: "azure-native:cdn/v20191231:Profile" }, { type: "azure-native:cdn/v20200331:Profile" }, { type: "azure-native:cdn/v20200415:Profile" }, { type: "azure-native:cdn/v20200901:Profile" }, { type: "azure-native:cdn/v20210601:Profile" }, { type: "azure-native:cdn/v20220501preview:Profile" }, { type: "azure-native:cdn/v20221101preview:Profile" }, { type: "azure-native:cdn/v20230501:Profile" }, { type: "azure-native:cdn/v20230701preview:Profile" }, { type: "azure-native:cdn/v20240201:Profile" }, { type: "azure-native:cdn/v20240501preview:Profile" }, { type: "azure-native:cdn/v20240601preview:Profile" }, { type: "azure-native:cdn/v20240901:Profile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:Profile" }, { type: "azure-native:cdn/v20230501:Profile" }, { type: "azure-native:cdn/v20230701preview:Profile" }, { type: "azure-native:cdn/v20240201:Profile" }, { type: "azure-native:cdn/v20240501preview:Profile" }, { type: "azure-native:cdn/v20240601preview:Profile" }, { type: "azure-native:cdn/v20240901:Profile" }, { type: "azure-native_cdn_v20150601:cdn:Profile" }, { type: "azure-native_cdn_v20160402:cdn:Profile" }, { type: "azure-native_cdn_v20161002:cdn:Profile" }, { type: "azure-native_cdn_v20170402:cdn:Profile" }, { type: "azure-native_cdn_v20171012:cdn:Profile" }, { type: "azure-native_cdn_v20190415:cdn:Profile" }, { type: "azure-native_cdn_v20190615:cdn:Profile" }, { type: "azure-native_cdn_v20190615preview:cdn:Profile" }, { type: "azure-native_cdn_v20191231:cdn:Profile" }, { type: "azure-native_cdn_v20200331:cdn:Profile" }, { type: "azure-native_cdn_v20200415:cdn:Profile" }, { type: "azure-native_cdn_v20200901:cdn:Profile" }, { type: "azure-native_cdn_v20210601:cdn:Profile" }, { type: "azure-native_cdn_v20220501preview:cdn:Profile" }, { type: "azure-native_cdn_v20221101preview:cdn:Profile" }, { type: "azure-native_cdn_v20230501:cdn:Profile" }, { type: "azure-native_cdn_v20230701preview:cdn:Profile" }, { type: "azure-native_cdn_v20240201:cdn:Profile" }, { type: "azure-native_cdn_v20240501preview:cdn:Profile" }, { type: "azure-native_cdn_v20240601preview:cdn:Profile" }, { type: "azure-native_cdn_v20240901:cdn:Profile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Profile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/route.ts b/sdk/nodejs/cdn/route.ts index f6e8f6607be8..e463e87bc217 100644 --- a/sdk/nodejs/cdn/route.ts +++ b/sdk/nodejs/cdn/route.ts @@ -176,7 +176,7 @@ export class Route extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:Route" }, { type: "azure-native:cdn/v20210601:Route" }, { type: "azure-native:cdn/v20220501preview:Route" }, { type: "azure-native:cdn/v20221101preview:Route" }, { type: "azure-native:cdn/v20230501:Route" }, { type: "azure-native:cdn/v20230701preview:Route" }, { type: "azure-native:cdn/v20240201:Route" }, { type: "azure-native:cdn/v20240501preview:Route" }, { type: "azure-native:cdn/v20240601preview:Route" }, { type: "azure-native:cdn/v20240901:Route" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:Route" }, { type: "azure-native:cdn/v20230501:Route" }, { type: "azure-native:cdn/v20230701preview:Route" }, { type: "azure-native:cdn/v20240201:Route" }, { type: "azure-native:cdn/v20240501preview:Route" }, { type: "azure-native:cdn/v20240601preview:Route" }, { type: "azure-native:cdn/v20240901:Route" }, { type: "azure-native_cdn_v20200901:cdn:Route" }, { type: "azure-native_cdn_v20210601:cdn:Route" }, { type: "azure-native_cdn_v20220501preview:cdn:Route" }, { type: "azure-native_cdn_v20221101preview:cdn:Route" }, { type: "azure-native_cdn_v20230501:cdn:Route" }, { type: "azure-native_cdn_v20230701preview:cdn:Route" }, { type: "azure-native_cdn_v20240201:cdn:Route" }, { type: "azure-native_cdn_v20240501preview:cdn:Route" }, { type: "azure-native_cdn_v20240601preview:cdn:Route" }, { type: "azure-native_cdn_v20240901:cdn:Route" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Route.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/rule.ts b/sdk/nodejs/cdn/rule.ts index 5814dbdd83c2..0dcf7411975d 100644 --- a/sdk/nodejs/cdn/rule.ts +++ b/sdk/nodejs/cdn/rule.ts @@ -137,7 +137,7 @@ export class Rule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:Rule" }, { type: "azure-native:cdn/v20210601:Rule" }, { type: "azure-native:cdn/v20220501preview:Rule" }, { type: "azure-native:cdn/v20221101preview:Rule" }, { type: "azure-native:cdn/v20230501:Rule" }, { type: "azure-native:cdn/v20230701preview:Rule" }, { type: "azure-native:cdn/v20240201:Rule" }, { type: "azure-native:cdn/v20240501preview:Rule" }, { type: "azure-native:cdn/v20240601preview:Rule" }, { type: "azure-native:cdn/v20240901:Rule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230501:Rule" }, { type: "azure-native:cdn/v20230701preview:Rule" }, { type: "azure-native:cdn/v20240201:Rule" }, { type: "azure-native:cdn/v20240501preview:Rule" }, { type: "azure-native:cdn/v20240601preview:Rule" }, { type: "azure-native:cdn/v20240901:Rule" }, { type: "azure-native_cdn_v20200901:cdn:Rule" }, { type: "azure-native_cdn_v20210601:cdn:Rule" }, { type: "azure-native_cdn_v20220501preview:cdn:Rule" }, { type: "azure-native_cdn_v20221101preview:cdn:Rule" }, { type: "azure-native_cdn_v20230501:cdn:Rule" }, { type: "azure-native_cdn_v20230701preview:cdn:Rule" }, { type: "azure-native_cdn_v20240201:cdn:Rule" }, { type: "azure-native_cdn_v20240501preview:cdn:Rule" }, { type: "azure-native_cdn_v20240601preview:cdn:Rule" }, { type: "azure-native_cdn_v20240901:cdn:Rule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Rule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/ruleSet.ts b/sdk/nodejs/cdn/ruleSet.ts index 247b91095553..919a6efe074b 100644 --- a/sdk/nodejs/cdn/ruleSet.ts +++ b/sdk/nodejs/cdn/ruleSet.ts @@ -103,7 +103,7 @@ export class RuleSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:RuleSet" }, { type: "azure-native:cdn/v20210601:RuleSet" }, { type: "azure-native:cdn/v20220501preview:RuleSet" }, { type: "azure-native:cdn/v20221101preview:RuleSet" }, { type: "azure-native:cdn/v20230501:RuleSet" }, { type: "azure-native:cdn/v20230701preview:RuleSet" }, { type: "azure-native:cdn/v20240201:RuleSet" }, { type: "azure-native:cdn/v20240501preview:RuleSet" }, { type: "azure-native:cdn/v20240601preview:RuleSet" }, { type: "azure-native:cdn/v20240901:RuleSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230501:RuleSet" }, { type: "azure-native:cdn/v20230701preview:RuleSet" }, { type: "azure-native:cdn/v20240201:RuleSet" }, { type: "azure-native:cdn/v20240501preview:RuleSet" }, { type: "azure-native:cdn/v20240601preview:RuleSet" }, { type: "azure-native:cdn/v20240901:RuleSet" }, { type: "azure-native_cdn_v20200901:cdn:RuleSet" }, { type: "azure-native_cdn_v20210601:cdn:RuleSet" }, { type: "azure-native_cdn_v20220501preview:cdn:RuleSet" }, { type: "azure-native_cdn_v20221101preview:cdn:RuleSet" }, { type: "azure-native_cdn_v20230501:cdn:RuleSet" }, { type: "azure-native_cdn_v20230701preview:cdn:RuleSet" }, { type: "azure-native_cdn_v20240201:cdn:RuleSet" }, { type: "azure-native_cdn_v20240501preview:cdn:RuleSet" }, { type: "azure-native_cdn_v20240601preview:cdn:RuleSet" }, { type: "azure-native_cdn_v20240901:cdn:RuleSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RuleSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/secret.ts b/sdk/nodejs/cdn/secret.ts index 3171ba4c9fcd..2fa4d8c5b4d1 100644 --- a/sdk/nodejs/cdn/secret.ts +++ b/sdk/nodejs/cdn/secret.ts @@ -109,7 +109,7 @@ export class Secret extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:Secret" }, { type: "azure-native:cdn/v20210601:Secret" }, { type: "azure-native:cdn/v20220501preview:Secret" }, { type: "azure-native:cdn/v20221101preview:Secret" }, { type: "azure-native:cdn/v20230501:Secret" }, { type: "azure-native:cdn/v20230701preview:Secret" }, { type: "azure-native:cdn/v20240201:Secret" }, { type: "azure-native:cdn/v20240501preview:Secret" }, { type: "azure-native:cdn/v20240601preview:Secret" }, { type: "azure-native:cdn/v20240901:Secret" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230501:Secret" }, { type: "azure-native:cdn/v20230701preview:Secret" }, { type: "azure-native:cdn/v20240201:Secret" }, { type: "azure-native:cdn/v20240501preview:Secret" }, { type: "azure-native:cdn/v20240601preview:Secret" }, { type: "azure-native:cdn/v20240901:Secret" }, { type: "azure-native_cdn_v20200901:cdn:Secret" }, { type: "azure-native_cdn_v20210601:cdn:Secret" }, { type: "azure-native_cdn_v20220501preview:cdn:Secret" }, { type: "azure-native_cdn_v20221101preview:cdn:Secret" }, { type: "azure-native_cdn_v20230501:cdn:Secret" }, { type: "azure-native_cdn_v20230701preview:cdn:Secret" }, { type: "azure-native_cdn_v20240201:cdn:Secret" }, { type: "azure-native_cdn_v20240501preview:cdn:Secret" }, { type: "azure-native_cdn_v20240601preview:cdn:Secret" }, { type: "azure-native_cdn_v20240901:cdn:Secret" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Secret.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/securityPolicy.ts b/sdk/nodejs/cdn/securityPolicy.ts index 527c40fdd958..12e461510f68 100644 --- a/sdk/nodejs/cdn/securityPolicy.ts +++ b/sdk/nodejs/cdn/securityPolicy.ts @@ -109,7 +109,7 @@ export class SecurityPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20200901:SecurityPolicy" }, { type: "azure-native:cdn/v20210601:SecurityPolicy" }, { type: "azure-native:cdn/v20220501preview:SecurityPolicy" }, { type: "azure-native:cdn/v20221101preview:SecurityPolicy" }, { type: "azure-native:cdn/v20230501:SecurityPolicy" }, { type: "azure-native:cdn/v20230701preview:SecurityPolicy" }, { type: "azure-native:cdn/v20240201:SecurityPolicy" }, { type: "azure-native:cdn/v20240501preview:SecurityPolicy" }, { type: "azure-native:cdn/v20240601preview:SecurityPolicy" }, { type: "azure-native:cdn/v20240901:SecurityPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20230501:SecurityPolicy" }, { type: "azure-native:cdn/v20230701preview:SecurityPolicy" }, { type: "azure-native:cdn/v20240201:SecurityPolicy" }, { type: "azure-native:cdn/v20240501preview:SecurityPolicy" }, { type: "azure-native:cdn/v20240601preview:SecurityPolicy" }, { type: "azure-native:cdn/v20240901:SecurityPolicy" }, { type: "azure-native_cdn_v20200901:cdn:SecurityPolicy" }, { type: "azure-native_cdn_v20210601:cdn:SecurityPolicy" }, { type: "azure-native_cdn_v20220501preview:cdn:SecurityPolicy" }, { type: "azure-native_cdn_v20221101preview:cdn:SecurityPolicy" }, { type: "azure-native_cdn_v20230501:cdn:SecurityPolicy" }, { type: "azure-native_cdn_v20230701preview:cdn:SecurityPolicy" }, { type: "azure-native_cdn_v20240201:cdn:SecurityPolicy" }, { type: "azure-native_cdn_v20240501preview:cdn:SecurityPolicy" }, { type: "azure-native_cdn_v20240601preview:cdn:SecurityPolicy" }, { type: "azure-native_cdn_v20240901:cdn:SecurityPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cdn/tunnelPolicy.ts b/sdk/nodejs/cdn/tunnelPolicy.ts index b64dacff067d..b715d8a8e5e1 100644 --- a/sdk/nodejs/cdn/tunnelPolicy.ts +++ b/sdk/nodejs/cdn/tunnelPolicy.ts @@ -117,7 +117,7 @@ export class TunnelPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20240601preview:TunnelPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cdn/v20240601preview:TunnelPolicy" }, { type: "azure-native_cdn_v20240601preview:cdn:TunnelPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TunnelPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/certificateregistration/appServiceCertificateOrder.ts b/sdk/nodejs/certificateregistration/appServiceCertificateOrder.ts index 06646639bef7..9c6c0ff22be7 100644 --- a/sdk/nodejs/certificateregistration/appServiceCertificateOrder.ts +++ b/sdk/nodejs/certificateregistration/appServiceCertificateOrder.ts @@ -220,7 +220,7 @@ export class AppServiceCertificateOrder extends pulumi.CustomResource { resourceInputs["validityInYears"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:certificateregistration/v20150801:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20180201:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20190801:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20200601:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20200901:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20201001:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20201201:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20210101:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20210115:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20210201:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20210301:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20220301:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20220901:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20230101:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20231201:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20240401:AppServiceCertificateOrder" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:certificateregistration/v20201001:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20220901:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20230101:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20231201:AppServiceCertificateOrder" }, { type: "azure-native:certificateregistration/v20240401:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20150801:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20180201:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20190801:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20200601:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20200901:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20201001:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20201201:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20210101:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20210115:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20210201:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20210301:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20220301:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20220901:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20230101:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20231201:certificateregistration:AppServiceCertificateOrder" }, { type: "azure-native_certificateregistration_v20240401:certificateregistration:AppServiceCertificateOrder" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AppServiceCertificateOrder.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/certificateregistration/appServiceCertificateOrderCertificate.ts b/sdk/nodejs/certificateregistration/appServiceCertificateOrderCertificate.ts index 91a7d44bd2c6..e50be544f6ee 100644 --- a/sdk/nodejs/certificateregistration/appServiceCertificateOrderCertificate.ts +++ b/sdk/nodejs/certificateregistration/appServiceCertificateOrderCertificate.ts @@ -115,7 +115,7 @@ export class AppServiceCertificateOrderCertificate extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:certificateregistration/v20150801:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20180201:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20190801:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20200601:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20200901:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20201001:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20201201:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20210101:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20210115:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20210201:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20210301:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20220301:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20220901:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20230101:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20231201:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20240401:AppServiceCertificateOrderCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:certificateregistration/v20201001:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20220901:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20230101:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20231201:AppServiceCertificateOrderCertificate" }, { type: "azure-native:certificateregistration/v20240401:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20150801:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20180201:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20190801:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20200601:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20200901:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20201001:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20201201:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20210101:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20210115:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20210201:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20210301:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20220301:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20220901:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20230101:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20231201:certificateregistration:AppServiceCertificateOrderCertificate" }, { type: "azure-native_certificateregistration_v20240401:certificateregistration:AppServiceCertificateOrderCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AppServiceCertificateOrderCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/changeanalysis/configurationProfile.ts b/sdk/nodejs/changeanalysis/configurationProfile.ts index 20c0853bbc08..220d8c017191 100644 --- a/sdk/nodejs/changeanalysis/configurationProfile.ts +++ b/sdk/nodejs/changeanalysis/configurationProfile.ts @@ -97,7 +97,7 @@ export class ConfigurationProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:changeanalysis/v20200401preview:ConfigurationProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:changeanalysis/v20200401preview:ConfigurationProfile" }, { type: "azure-native_changeanalysis_v20200401preview:changeanalysis:ConfigurationProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/chaos/capability.ts b/sdk/nodejs/chaos/capability.ts index d23bbece5087..49ee190c6e62 100644 --- a/sdk/nodejs/chaos/capability.ts +++ b/sdk/nodejs/chaos/capability.ts @@ -107,7 +107,7 @@ export class Capability extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:chaos/v20210915preview:Capability" }, { type: "azure-native:chaos/v20220701preview:Capability" }, { type: "azure-native:chaos/v20221001preview:Capability" }, { type: "azure-native:chaos/v20230401preview:Capability" }, { type: "azure-native:chaos/v20230415preview:Capability" }, { type: "azure-native:chaos/v20230901preview:Capability" }, { type: "azure-native:chaos/v20231027preview:Capability" }, { type: "azure-native:chaos/v20231101:Capability" }, { type: "azure-native:chaos/v20240101:Capability" }, { type: "azure-native:chaos/v20240322preview:Capability" }, { type: "azure-native:chaos/v20241101preview:Capability" }, { type: "azure-native:chaos/v20250101:Capability" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:chaos/v20230415preview:Capability" }, { type: "azure-native:chaos/v20230901preview:Capability" }, { type: "azure-native:chaos/v20231027preview:Capability" }, { type: "azure-native:chaos/v20231101:Capability" }, { type: "azure-native:chaos/v20240101:Capability" }, { type: "azure-native:chaos/v20240322preview:Capability" }, { type: "azure-native:chaos/v20241101preview:Capability" }, { type: "azure-native_chaos_v20210915preview:chaos:Capability" }, { type: "azure-native_chaos_v20220701preview:chaos:Capability" }, { type: "azure-native_chaos_v20221001preview:chaos:Capability" }, { type: "azure-native_chaos_v20230401preview:chaos:Capability" }, { type: "azure-native_chaos_v20230415preview:chaos:Capability" }, { type: "azure-native_chaos_v20230901preview:chaos:Capability" }, { type: "azure-native_chaos_v20231027preview:chaos:Capability" }, { type: "azure-native_chaos_v20231101:chaos:Capability" }, { type: "azure-native_chaos_v20240101:chaos:Capability" }, { type: "azure-native_chaos_v20240322preview:chaos:Capability" }, { type: "azure-native_chaos_v20241101preview:chaos:Capability" }, { type: "azure-native_chaos_v20250101:chaos:Capability" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Capability.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/chaos/experiment.ts b/sdk/nodejs/chaos/experiment.ts index e45e6c728a4f..9f8c978ee20f 100644 --- a/sdk/nodejs/chaos/experiment.ts +++ b/sdk/nodejs/chaos/experiment.ts @@ -112,7 +112,7 @@ export class Experiment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:chaos/v20210915preview:Experiment" }, { type: "azure-native:chaos/v20220701preview:Experiment" }, { type: "azure-native:chaos/v20221001preview:Experiment" }, { type: "azure-native:chaos/v20230401preview:Experiment" }, { type: "azure-native:chaos/v20230415preview:Experiment" }, { type: "azure-native:chaos/v20230901preview:Experiment" }, { type: "azure-native:chaos/v20231027preview:Experiment" }, { type: "azure-native:chaos/v20231101:Experiment" }, { type: "azure-native:chaos/v20240101:Experiment" }, { type: "azure-native:chaos/v20240322preview:Experiment" }, { type: "azure-native:chaos/v20241101preview:Experiment" }, { type: "azure-native:chaos/v20250101:Experiment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:chaos/v20230415preview:Experiment" }, { type: "azure-native:chaos/v20230901preview:Experiment" }, { type: "azure-native:chaos/v20231027preview:Experiment" }, { type: "azure-native:chaos/v20231101:Experiment" }, { type: "azure-native:chaos/v20240101:Experiment" }, { type: "azure-native:chaos/v20240322preview:Experiment" }, { type: "azure-native:chaos/v20241101preview:Experiment" }, { type: "azure-native_chaos_v20210915preview:chaos:Experiment" }, { type: "azure-native_chaos_v20220701preview:chaos:Experiment" }, { type: "azure-native_chaos_v20221001preview:chaos:Experiment" }, { type: "azure-native_chaos_v20230401preview:chaos:Experiment" }, { type: "azure-native_chaos_v20230415preview:chaos:Experiment" }, { type: "azure-native_chaos_v20230901preview:chaos:Experiment" }, { type: "azure-native_chaos_v20231027preview:chaos:Experiment" }, { type: "azure-native_chaos_v20231101:chaos:Experiment" }, { type: "azure-native_chaos_v20240101:chaos:Experiment" }, { type: "azure-native_chaos_v20240322preview:chaos:Experiment" }, { type: "azure-native_chaos_v20241101preview:chaos:Experiment" }, { type: "azure-native_chaos_v20250101:chaos:Experiment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Experiment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/chaos/privateAccess.ts b/sdk/nodejs/chaos/privateAccess.ts index 2e0a2371a32b..ba8ca08e22a6 100644 --- a/sdk/nodejs/chaos/privateAccess.ts +++ b/sdk/nodejs/chaos/privateAccess.ts @@ -115,7 +115,7 @@ export class PrivateAccess extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:chaos/v20231027preview:PrivateAccess" }, { type: "azure-native:chaos/v20240322preview:PrivateAccess" }, { type: "azure-native:chaos/v20241101preview:PrivateAccess" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:chaos/v20231027preview:PrivateAccess" }, { type: "azure-native:chaos/v20240322preview:PrivateAccess" }, { type: "azure-native:chaos/v20241101preview:PrivateAccess" }, { type: "azure-native_chaos_v20231027preview:chaos:PrivateAccess" }, { type: "azure-native_chaos_v20240322preview:chaos:PrivateAccess" }, { type: "azure-native_chaos_v20241101preview:chaos:PrivateAccess" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateAccess.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/chaos/target.ts b/sdk/nodejs/chaos/target.ts index 1ac8bd88af9e..2e458f8ed3f9 100644 --- a/sdk/nodejs/chaos/target.ts +++ b/sdk/nodejs/chaos/target.ts @@ -112,7 +112,7 @@ export class Target extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:chaos/v20210915preview:Target" }, { type: "azure-native:chaos/v20220701preview:Target" }, { type: "azure-native:chaos/v20221001preview:Target" }, { type: "azure-native:chaos/v20230401preview:Target" }, { type: "azure-native:chaos/v20230415preview:Target" }, { type: "azure-native:chaos/v20230901preview:Target" }, { type: "azure-native:chaos/v20231027preview:Target" }, { type: "azure-native:chaos/v20231101:Target" }, { type: "azure-native:chaos/v20240101:Target" }, { type: "azure-native:chaos/v20240322preview:Target" }, { type: "azure-native:chaos/v20241101preview:Target" }, { type: "azure-native:chaos/v20250101:Target" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:chaos/v20230415preview:Target" }, { type: "azure-native:chaos/v20230901preview:Target" }, { type: "azure-native:chaos/v20231027preview:Target" }, { type: "azure-native:chaos/v20231101:Target" }, { type: "azure-native:chaos/v20240101:Target" }, { type: "azure-native:chaos/v20240322preview:Target" }, { type: "azure-native:chaos/v20241101preview:Target" }, { type: "azure-native_chaos_v20210915preview:chaos:Target" }, { type: "azure-native_chaos_v20220701preview:chaos:Target" }, { type: "azure-native_chaos_v20221001preview:chaos:Target" }, { type: "azure-native_chaos_v20230401preview:chaos:Target" }, { type: "azure-native_chaos_v20230415preview:chaos:Target" }, { type: "azure-native_chaos_v20230901preview:chaos:Target" }, { type: "azure-native_chaos_v20231027preview:chaos:Target" }, { type: "azure-native_chaos_v20231101:chaos:Target" }, { type: "azure-native_chaos_v20240101:chaos:Target" }, { type: "azure-native_chaos_v20240322preview:chaos:Target" }, { type: "azure-native_chaos_v20241101preview:chaos:Target" }, { type: "azure-native_chaos_v20250101:chaos:Target" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Target.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/certificateObjectGlobalRulestack.ts b/sdk/nodejs/cloudngfw/certificateObjectGlobalRulestack.ts index 83fac0c772b6..20fca7ae5802 100644 --- a/sdk/nodejs/cloudngfw/certificateObjectGlobalRulestack.ts +++ b/sdk/nodejs/cloudngfw/certificateObjectGlobalRulestack.ts @@ -123,7 +123,7 @@ export class CertificateObjectGlobalRulestack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20250206preview:CertificateObjectGlobalRulestack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:CertificateObjectGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:CertificateObjectGlobalRulestack" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:CertificateObjectGlobalRulestack" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:CertificateObjectGlobalRulestack" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:CertificateObjectGlobalRulestack" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:CertificateObjectGlobalRulestack" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:CertificateObjectGlobalRulestack" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:CertificateObjectGlobalRulestack" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:CertificateObjectGlobalRulestack" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:CertificateObjectGlobalRulestack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CertificateObjectGlobalRulestack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/certificateObjectLocalRulestack.ts b/sdk/nodejs/cloudngfw/certificateObjectLocalRulestack.ts index c5b49cd3d237..5499b17da645 100644 --- a/sdk/nodejs/cloudngfw/certificateObjectLocalRulestack.ts +++ b/sdk/nodejs/cloudngfw/certificateObjectLocalRulestack.ts @@ -127,7 +127,7 @@ export class CertificateObjectLocalRulestack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20250206preview:CertificateObjectLocalRulestack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:CertificateObjectLocalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:CertificateObjectLocalRulestack" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:CertificateObjectLocalRulestack" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:CertificateObjectLocalRulestack" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:CertificateObjectLocalRulestack" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:CertificateObjectLocalRulestack" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:CertificateObjectLocalRulestack" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:CertificateObjectLocalRulestack" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:CertificateObjectLocalRulestack" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:CertificateObjectLocalRulestack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CertificateObjectLocalRulestack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/firewall.ts b/sdk/nodejs/cloudngfw/firewall.ts index aa24be29756c..6a9215732209 100644 --- a/sdk/nodejs/cloudngfw/firewall.ts +++ b/sdk/nodejs/cloudngfw/firewall.ts @@ -187,7 +187,7 @@ export class Firewall extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:Firewall" }, { type: "azure-native:cloudngfw/v20220829preview:Firewall" }, { type: "azure-native:cloudngfw/v20230901:Firewall" }, { type: "azure-native:cloudngfw/v20230901preview:Firewall" }, { type: "azure-native:cloudngfw/v20231010preview:Firewall" }, { type: "azure-native:cloudngfw/v20240119preview:Firewall" }, { type: "azure-native:cloudngfw/v20240207preview:Firewall" }, { type: "azure-native:cloudngfw/v20250206preview:Firewall" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:Firewall" }, { type: "azure-native:cloudngfw/v20220829preview:Firewall" }, { type: "azure-native:cloudngfw/v20230901:Firewall" }, { type: "azure-native:cloudngfw/v20230901preview:Firewall" }, { type: "azure-native:cloudngfw/v20231010preview:Firewall" }, { type: "azure-native:cloudngfw/v20240119preview:Firewall" }, { type: "azure-native:cloudngfw/v20240207preview:Firewall" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:Firewall" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:Firewall" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:Firewall" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:Firewall" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:Firewall" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:Firewall" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:Firewall" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:Firewall" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Firewall.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/fqdnListGlobalRulestack.ts b/sdk/nodejs/cloudngfw/fqdnListGlobalRulestack.ts index 8f9238a384fe..e38452e53435 100644 --- a/sdk/nodejs/cloudngfw/fqdnListGlobalRulestack.ts +++ b/sdk/nodejs/cloudngfw/fqdnListGlobalRulestack.ts @@ -117,7 +117,7 @@ export class FqdnListGlobalRulestack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20250206preview:FqdnListGlobalRulestack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:FqdnListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:FqdnListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:FqdnListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:FqdnListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:FqdnListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:FqdnListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:FqdnListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:FqdnListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:FqdnListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:FqdnListGlobalRulestack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FqdnListGlobalRulestack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/fqdnListLocalRulestack.ts b/sdk/nodejs/cloudngfw/fqdnListLocalRulestack.ts index 1785f1938686..963f7e23836e 100644 --- a/sdk/nodejs/cloudngfw/fqdnListLocalRulestack.ts +++ b/sdk/nodejs/cloudngfw/fqdnListLocalRulestack.ts @@ -121,7 +121,7 @@ export class FqdnListLocalRulestack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20250206preview:FqdnListLocalRulestack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:FqdnListLocalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:FqdnListLocalRulestack" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:FqdnListLocalRulestack" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:FqdnListLocalRulestack" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:FqdnListLocalRulestack" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:FqdnListLocalRulestack" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:FqdnListLocalRulestack" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:FqdnListLocalRulestack" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:FqdnListLocalRulestack" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:FqdnListLocalRulestack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FqdnListLocalRulestack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/globalRulestack.ts b/sdk/nodejs/cloudngfw/globalRulestack.ts index 8dba348c9377..00ddc14399ab 100644 --- a/sdk/nodejs/cloudngfw/globalRulestack.ts +++ b/sdk/nodejs/cloudngfw/globalRulestack.ts @@ -147,7 +147,7 @@ export class GlobalRulestack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20250206preview:GlobalRulestack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:GlobalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:GlobalRulestack" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:GlobalRulestack" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:GlobalRulestack" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:GlobalRulestack" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:GlobalRulestack" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:GlobalRulestack" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:GlobalRulestack" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:GlobalRulestack" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:GlobalRulestack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GlobalRulestack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/localRule.ts b/sdk/nodejs/cloudngfw/localRule.ts index a7d9ba277fcb..b6148dcb619f 100644 --- a/sdk/nodejs/cloudngfw/localRule.ts +++ b/sdk/nodejs/cloudngfw/localRule.ts @@ -208,7 +208,7 @@ export class LocalRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:LocalRule" }, { type: "azure-native:cloudngfw/v20220829preview:LocalRule" }, { type: "azure-native:cloudngfw/v20230901:LocalRule" }, { type: "azure-native:cloudngfw/v20230901preview:LocalRule" }, { type: "azure-native:cloudngfw/v20231010preview:LocalRule" }, { type: "azure-native:cloudngfw/v20240119preview:LocalRule" }, { type: "azure-native:cloudngfw/v20240207preview:LocalRule" }, { type: "azure-native:cloudngfw/v20250206preview:LocalRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:LocalRule" }, { type: "azure-native:cloudngfw/v20220829preview:LocalRule" }, { type: "azure-native:cloudngfw/v20230901:LocalRule" }, { type: "azure-native:cloudngfw/v20230901preview:LocalRule" }, { type: "azure-native:cloudngfw/v20231010preview:LocalRule" }, { type: "azure-native:cloudngfw/v20240119preview:LocalRule" }, { type: "azure-native:cloudngfw/v20240207preview:LocalRule" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:LocalRule" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:LocalRule" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:LocalRule" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:LocalRule" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:LocalRule" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:LocalRule" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:LocalRule" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:LocalRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LocalRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/localRulestack.ts b/sdk/nodejs/cloudngfw/localRulestack.ts index fa1d98ac14ee..b55fa613d19a 100644 --- a/sdk/nodejs/cloudngfw/localRulestack.ts +++ b/sdk/nodejs/cloudngfw/localRulestack.ts @@ -157,7 +157,7 @@ export class LocalRulestack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:LocalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:LocalRulestack" }, { type: "azure-native:cloudngfw/v20230901:LocalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:LocalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:LocalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:LocalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:LocalRulestack" }, { type: "azure-native:cloudngfw/v20250206preview:LocalRulestack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:LocalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:LocalRulestack" }, { type: "azure-native:cloudngfw/v20230901:LocalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:LocalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:LocalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:LocalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:LocalRulestack" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:LocalRulestack" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:LocalRulestack" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:LocalRulestack" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:LocalRulestack" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:LocalRulestack" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:LocalRulestack" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:LocalRulestack" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:LocalRulestack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LocalRulestack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/postRule.ts b/sdk/nodejs/cloudngfw/postRule.ts index e22b65bcda5c..68e11ffd719f 100644 --- a/sdk/nodejs/cloudngfw/postRule.ts +++ b/sdk/nodejs/cloudngfw/postRule.ts @@ -204,7 +204,7 @@ export class PostRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:PostRule" }, { type: "azure-native:cloudngfw/v20220829preview:PostRule" }, { type: "azure-native:cloudngfw/v20230901:PostRule" }, { type: "azure-native:cloudngfw/v20230901preview:PostRule" }, { type: "azure-native:cloudngfw/v20231010preview:PostRule" }, { type: "azure-native:cloudngfw/v20240119preview:PostRule" }, { type: "azure-native:cloudngfw/v20240207preview:PostRule" }, { type: "azure-native:cloudngfw/v20250206preview:PostRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:PostRule" }, { type: "azure-native:cloudngfw/v20220829preview:PostRule" }, { type: "azure-native:cloudngfw/v20230901:PostRule" }, { type: "azure-native:cloudngfw/v20230901preview:PostRule" }, { type: "azure-native:cloudngfw/v20231010preview:PostRule" }, { type: "azure-native:cloudngfw/v20240119preview:PostRule" }, { type: "azure-native:cloudngfw/v20240207preview:PostRule" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:PostRule" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:PostRule" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:PostRule" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:PostRule" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:PostRule" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:PostRule" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:PostRule" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:PostRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PostRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/preRule.ts b/sdk/nodejs/cloudngfw/preRule.ts index 8756860c9a3c..e6a4fb994a09 100644 --- a/sdk/nodejs/cloudngfw/preRule.ts +++ b/sdk/nodejs/cloudngfw/preRule.ts @@ -204,7 +204,7 @@ export class PreRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:PreRule" }, { type: "azure-native:cloudngfw/v20220829preview:PreRule" }, { type: "azure-native:cloudngfw/v20230901:PreRule" }, { type: "azure-native:cloudngfw/v20230901preview:PreRule" }, { type: "azure-native:cloudngfw/v20231010preview:PreRule" }, { type: "azure-native:cloudngfw/v20240119preview:PreRule" }, { type: "azure-native:cloudngfw/v20240207preview:PreRule" }, { type: "azure-native:cloudngfw/v20250206preview:PreRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:PreRule" }, { type: "azure-native:cloudngfw/v20220829preview:PreRule" }, { type: "azure-native:cloudngfw/v20230901:PreRule" }, { type: "azure-native:cloudngfw/v20230901preview:PreRule" }, { type: "azure-native:cloudngfw/v20231010preview:PreRule" }, { type: "azure-native:cloudngfw/v20240119preview:PreRule" }, { type: "azure-native:cloudngfw/v20240207preview:PreRule" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:PreRule" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:PreRule" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:PreRule" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:PreRule" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:PreRule" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:PreRule" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:PreRule" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:PreRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PreRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/prefixListGlobalRulestack.ts b/sdk/nodejs/cloudngfw/prefixListGlobalRulestack.ts index 537b53934807..f79dcab2d8e9 100644 --- a/sdk/nodejs/cloudngfw/prefixListGlobalRulestack.ts +++ b/sdk/nodejs/cloudngfw/prefixListGlobalRulestack.ts @@ -117,7 +117,7 @@ export class PrefixListGlobalRulestack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20250206preview:PrefixListGlobalRulestack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:PrefixListGlobalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:PrefixListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:PrefixListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:PrefixListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:PrefixListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:PrefixListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:PrefixListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:PrefixListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:PrefixListGlobalRulestack" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:PrefixListGlobalRulestack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrefixListGlobalRulestack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cloudngfw/prefixListLocalRulestack.ts b/sdk/nodejs/cloudngfw/prefixListLocalRulestack.ts index dc3e270337c7..235757f5a287 100644 --- a/sdk/nodejs/cloudngfw/prefixListLocalRulestack.ts +++ b/sdk/nodejs/cloudngfw/prefixListLocalRulestack.ts @@ -121,7 +121,7 @@ export class PrefixListLocalRulestack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20250206preview:PrefixListLocalRulestack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cloudngfw/v20220829:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20220829preview:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20230901preview:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20231010preview:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20240119preview:PrefixListLocalRulestack" }, { type: "azure-native:cloudngfw/v20240207preview:PrefixListLocalRulestack" }, { type: "azure-native_cloudngfw_v20220829:cloudngfw:PrefixListLocalRulestack" }, { type: "azure-native_cloudngfw_v20220829preview:cloudngfw:PrefixListLocalRulestack" }, { type: "azure-native_cloudngfw_v20230901:cloudngfw:PrefixListLocalRulestack" }, { type: "azure-native_cloudngfw_v20230901preview:cloudngfw:PrefixListLocalRulestack" }, { type: "azure-native_cloudngfw_v20231010preview:cloudngfw:PrefixListLocalRulestack" }, { type: "azure-native_cloudngfw_v20240119preview:cloudngfw:PrefixListLocalRulestack" }, { type: "azure-native_cloudngfw_v20240207preview:cloudngfw:PrefixListLocalRulestack" }, { type: "azure-native_cloudngfw_v20250206preview:cloudngfw:PrefixListLocalRulestack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrefixListLocalRulestack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/codesigning/certificateProfile.ts b/sdk/nodejs/codesigning/certificateProfile.ts index 430f744f469f..e354216d8fcc 100644 --- a/sdk/nodejs/codesigning/certificateProfile.ts +++ b/sdk/nodejs/codesigning/certificateProfile.ts @@ -149,7 +149,7 @@ export class CertificateProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:codesigning/v20240205preview:CertificateProfile" }, { type: "azure-native:codesigning/v20240930preview:CertificateProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:codesigning/v20240205preview:CertificateProfile" }, { type: "azure-native:codesigning/v20240930preview:CertificateProfile" }, { type: "azure-native_codesigning_v20240205preview:codesigning:CertificateProfile" }, { type: "azure-native_codesigning_v20240930preview:codesigning:CertificateProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CertificateProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/codesigning/codeSigningAccount.ts b/sdk/nodejs/codesigning/codeSigningAccount.ts index e5daaf2a8bfc..b848f54d93a4 100644 --- a/sdk/nodejs/codesigning/codeSigningAccount.ts +++ b/sdk/nodejs/codesigning/codeSigningAccount.ts @@ -115,7 +115,7 @@ export class CodeSigningAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:codesigning/v20240205preview:CodeSigningAccount" }, { type: "azure-native:codesigning/v20240930preview:CodeSigningAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:codesigning/v20240205preview:CodeSigningAccount" }, { type: "azure-native:codesigning/v20240930preview:CodeSigningAccount" }, { type: "azure-native_codesigning_v20240205preview:codesigning:CodeSigningAccount" }, { type: "azure-native_codesigning_v20240930preview:codesigning:CodeSigningAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CodeSigningAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cognitiveservices/account.ts b/sdk/nodejs/cognitiveservices/account.ts index 0496eb3de53e..5349d212589f 100644 --- a/sdk/nodejs/cognitiveservices/account.ts +++ b/sdk/nodejs/cognitiveservices/account.ts @@ -127,7 +127,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20160201preview:Account" }, { type: "azure-native:cognitiveservices/v20170418:Account" }, { type: "azure-native:cognitiveservices/v20210430:Account" }, { type: "azure-native:cognitiveservices/v20211001:Account" }, { type: "azure-native:cognitiveservices/v20220301:Account" }, { type: "azure-native:cognitiveservices/v20221001:Account" }, { type: "azure-native:cognitiveservices/v20221201:Account" }, { type: "azure-native:cognitiveservices/v20230501:Account" }, { type: "azure-native:cognitiveservices/v20231001preview:Account" }, { type: "azure-native:cognitiveservices/v20240401preview:Account" }, { type: "azure-native:cognitiveservices/v20240601preview:Account" }, { type: "azure-native:cognitiveservices/v20241001:Account" }, { type: "azure-native:cognitiveservices/v20250401preview:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20170418:Account" }, { type: "azure-native:cognitiveservices/v20230501:Account" }, { type: "azure-native:cognitiveservices/v20231001preview:Account" }, { type: "azure-native:cognitiveservices/v20240401preview:Account" }, { type: "azure-native:cognitiveservices/v20240601preview:Account" }, { type: "azure-native:cognitiveservices/v20241001:Account" }, { type: "azure-native_cognitiveservices_v20160201preview:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20170418:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20210430:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20211001:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20220301:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20221001:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20221201:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20230501:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20231001preview:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20240401preview:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20240601preview:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20241001:cognitiveservices:Account" }, { type: "azure-native_cognitiveservices_v20250401preview:cognitiveservices:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cognitiveservices/commitmentPlan.ts b/sdk/nodejs/cognitiveservices/commitmentPlan.ts index 33ee9d434c75..61e69dfaba15 100644 --- a/sdk/nodejs/cognitiveservices/commitmentPlan.ts +++ b/sdk/nodejs/cognitiveservices/commitmentPlan.ts @@ -125,7 +125,7 @@ export class CommitmentPlan extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20211001:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20220301:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20221001:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20221201:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20230501:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20231001preview:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20240401preview:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20240601preview:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20241001:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20250401preview:CommitmentPlan" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20230501:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20231001preview:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20240401preview:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20240601preview:CommitmentPlan" }, { type: "azure-native:cognitiveservices/v20241001:CommitmentPlan" }, { type: "azure-native_cognitiveservices_v20211001:cognitiveservices:CommitmentPlan" }, { type: "azure-native_cognitiveservices_v20220301:cognitiveservices:CommitmentPlan" }, { type: "azure-native_cognitiveservices_v20221001:cognitiveservices:CommitmentPlan" }, { type: "azure-native_cognitiveservices_v20221201:cognitiveservices:CommitmentPlan" }, { type: "azure-native_cognitiveservices_v20230501:cognitiveservices:CommitmentPlan" }, { type: "azure-native_cognitiveservices_v20231001preview:cognitiveservices:CommitmentPlan" }, { type: "azure-native_cognitiveservices_v20240401preview:cognitiveservices:CommitmentPlan" }, { type: "azure-native_cognitiveservices_v20240601preview:cognitiveservices:CommitmentPlan" }, { type: "azure-native_cognitiveservices_v20241001:cognitiveservices:CommitmentPlan" }, { type: "azure-native_cognitiveservices_v20250401preview:cognitiveservices:CommitmentPlan" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CommitmentPlan.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cognitiveservices/commitmentPlanAssociation.ts b/sdk/nodejs/cognitiveservices/commitmentPlanAssociation.ts index b6bdbb381af3..ff540fdfdc50 100644 --- a/sdk/nodejs/cognitiveservices/commitmentPlanAssociation.ts +++ b/sdk/nodejs/cognitiveservices/commitmentPlanAssociation.ts @@ -107,7 +107,7 @@ export class CommitmentPlanAssociation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20221201:CommitmentPlanAssociation" }, { type: "azure-native:cognitiveservices/v20230501:CommitmentPlanAssociation" }, { type: "azure-native:cognitiveservices/v20231001preview:CommitmentPlanAssociation" }, { type: "azure-native:cognitiveservices/v20240401preview:CommitmentPlanAssociation" }, { type: "azure-native:cognitiveservices/v20240601preview:CommitmentPlanAssociation" }, { type: "azure-native:cognitiveservices/v20241001:CommitmentPlanAssociation" }, { type: "azure-native:cognitiveservices/v20250401preview:CommitmentPlanAssociation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20230501:CommitmentPlanAssociation" }, { type: "azure-native:cognitiveservices/v20231001preview:CommitmentPlanAssociation" }, { type: "azure-native:cognitiveservices/v20240401preview:CommitmentPlanAssociation" }, { type: "azure-native:cognitiveservices/v20240601preview:CommitmentPlanAssociation" }, { type: "azure-native:cognitiveservices/v20241001:CommitmentPlanAssociation" }, { type: "azure-native_cognitiveservices_v20221201:cognitiveservices:CommitmentPlanAssociation" }, { type: "azure-native_cognitiveservices_v20230501:cognitiveservices:CommitmentPlanAssociation" }, { type: "azure-native_cognitiveservices_v20231001preview:cognitiveservices:CommitmentPlanAssociation" }, { type: "azure-native_cognitiveservices_v20240401preview:cognitiveservices:CommitmentPlanAssociation" }, { type: "azure-native_cognitiveservices_v20240601preview:cognitiveservices:CommitmentPlanAssociation" }, { type: "azure-native_cognitiveservices_v20241001:cognitiveservices:CommitmentPlanAssociation" }, { type: "azure-native_cognitiveservices_v20250401preview:cognitiveservices:CommitmentPlanAssociation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CommitmentPlanAssociation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cognitiveservices/deployment.ts b/sdk/nodejs/cognitiveservices/deployment.ts index 67f766dfd8fb..5c26429ae2a2 100644 --- a/sdk/nodejs/cognitiveservices/deployment.ts +++ b/sdk/nodejs/cognitiveservices/deployment.ts @@ -113,7 +113,7 @@ export class Deployment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20211001:Deployment" }, { type: "azure-native:cognitiveservices/v20220301:Deployment" }, { type: "azure-native:cognitiveservices/v20221001:Deployment" }, { type: "azure-native:cognitiveservices/v20221201:Deployment" }, { type: "azure-native:cognitiveservices/v20230501:Deployment" }, { type: "azure-native:cognitiveservices/v20231001preview:Deployment" }, { type: "azure-native:cognitiveservices/v20240401preview:Deployment" }, { type: "azure-native:cognitiveservices/v20240601preview:Deployment" }, { type: "azure-native:cognitiveservices/v20241001:Deployment" }, { type: "azure-native:cognitiveservices/v20250401preview:Deployment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20230501:Deployment" }, { type: "azure-native:cognitiveservices/v20231001preview:Deployment" }, { type: "azure-native:cognitiveservices/v20240401preview:Deployment" }, { type: "azure-native:cognitiveservices/v20240601preview:Deployment" }, { type: "azure-native:cognitiveservices/v20241001:Deployment" }, { type: "azure-native_cognitiveservices_v20211001:cognitiveservices:Deployment" }, { type: "azure-native_cognitiveservices_v20220301:cognitiveservices:Deployment" }, { type: "azure-native_cognitiveservices_v20221001:cognitiveservices:Deployment" }, { type: "azure-native_cognitiveservices_v20221201:cognitiveservices:Deployment" }, { type: "azure-native_cognitiveservices_v20230501:cognitiveservices:Deployment" }, { type: "azure-native_cognitiveservices_v20231001preview:cognitiveservices:Deployment" }, { type: "azure-native_cognitiveservices_v20240401preview:cognitiveservices:Deployment" }, { type: "azure-native_cognitiveservices_v20240601preview:cognitiveservices:Deployment" }, { type: "azure-native_cognitiveservices_v20241001:cognitiveservices:Deployment" }, { type: "azure-native_cognitiveservices_v20250401preview:cognitiveservices:Deployment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Deployment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cognitiveservices/encryptionScope.ts b/sdk/nodejs/cognitiveservices/encryptionScope.ts index 041ba539c0fc..2be4ec1d2bcc 100644 --- a/sdk/nodejs/cognitiveservices/encryptionScope.ts +++ b/sdk/nodejs/cognitiveservices/encryptionScope.ts @@ -107,7 +107,7 @@ export class EncryptionScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20231001preview:EncryptionScope" }, { type: "azure-native:cognitiveservices/v20240401preview:EncryptionScope" }, { type: "azure-native:cognitiveservices/v20240601preview:EncryptionScope" }, { type: "azure-native:cognitiveservices/v20241001:EncryptionScope" }, { type: "azure-native:cognitiveservices/v20250401preview:EncryptionScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20231001preview:EncryptionScope" }, { type: "azure-native:cognitiveservices/v20240401preview:EncryptionScope" }, { type: "azure-native:cognitiveservices/v20240601preview:EncryptionScope" }, { type: "azure-native:cognitiveservices/v20241001:EncryptionScope" }, { type: "azure-native_cognitiveservices_v20231001preview:cognitiveservices:EncryptionScope" }, { type: "azure-native_cognitiveservices_v20240401preview:cognitiveservices:EncryptionScope" }, { type: "azure-native_cognitiveservices_v20240601preview:cognitiveservices:EncryptionScope" }, { type: "azure-native_cognitiveservices_v20241001:cognitiveservices:EncryptionScope" }, { type: "azure-native_cognitiveservices_v20250401preview:cognitiveservices:EncryptionScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EncryptionScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cognitiveservices/privateEndpointConnection.ts b/sdk/nodejs/cognitiveservices/privateEndpointConnection.ts index 2da7389c9b38..8b7f54b0fd8a 100644 --- a/sdk/nodejs/cognitiveservices/privateEndpointConnection.ts +++ b/sdk/nodejs/cognitiveservices/privateEndpointConnection.ts @@ -107,7 +107,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20170418:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20210430:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20211001:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20220301:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20221001:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20221201:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20230501:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20231001preview:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20240401preview:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20241001:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20250401preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20230501:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20231001preview:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20240401preview:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native:cognitiveservices/v20241001:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20170418:cognitiveservices:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20210430:cognitiveservices:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20211001:cognitiveservices:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20220301:cognitiveservices:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20221001:cognitiveservices:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20221201:cognitiveservices:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20230501:cognitiveservices:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20231001preview:cognitiveservices:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20240401preview:cognitiveservices:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20240601preview:cognitiveservices:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20241001:cognitiveservices:PrivateEndpointConnection" }, { type: "azure-native_cognitiveservices_v20250401preview:cognitiveservices:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cognitiveservices/raiBlocklist.ts b/sdk/nodejs/cognitiveservices/raiBlocklist.ts index ad8f68be8c47..3900819784ca 100644 --- a/sdk/nodejs/cognitiveservices/raiBlocklist.ts +++ b/sdk/nodejs/cognitiveservices/raiBlocklist.ts @@ -107,7 +107,7 @@ export class RaiBlocklist extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20231001preview:RaiBlocklist" }, { type: "azure-native:cognitiveservices/v20240401preview:RaiBlocklist" }, { type: "azure-native:cognitiveservices/v20240601preview:RaiBlocklist" }, { type: "azure-native:cognitiveservices/v20241001:RaiBlocklist" }, { type: "azure-native:cognitiveservices/v20250401preview:RaiBlocklist" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20231001preview:RaiBlocklist" }, { type: "azure-native:cognitiveservices/v20240401preview:RaiBlocklist" }, { type: "azure-native:cognitiveservices/v20240601preview:RaiBlocklist" }, { type: "azure-native:cognitiveservices/v20241001:RaiBlocklist" }, { type: "azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiBlocklist" }, { type: "azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiBlocklist" }, { type: "azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiBlocklist" }, { type: "azure-native_cognitiveservices_v20241001:cognitiveservices:RaiBlocklist" }, { type: "azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiBlocklist" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RaiBlocklist.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cognitiveservices/raiBlocklistItem.ts b/sdk/nodejs/cognitiveservices/raiBlocklistItem.ts index c4714f69caf5..4e8be5b6e2f6 100644 --- a/sdk/nodejs/cognitiveservices/raiBlocklistItem.ts +++ b/sdk/nodejs/cognitiveservices/raiBlocklistItem.ts @@ -111,7 +111,7 @@ export class RaiBlocklistItem extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20231001preview:RaiBlocklistItem" }, { type: "azure-native:cognitiveservices/v20240401preview:RaiBlocklistItem" }, { type: "azure-native:cognitiveservices/v20240601preview:RaiBlocklistItem" }, { type: "azure-native:cognitiveservices/v20241001:RaiBlocklistItem" }, { type: "azure-native:cognitiveservices/v20250401preview:RaiBlocklistItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20231001preview:RaiBlocklistItem" }, { type: "azure-native:cognitiveservices/v20240401preview:RaiBlocklistItem" }, { type: "azure-native:cognitiveservices/v20240601preview:RaiBlocklistItem" }, { type: "azure-native:cognitiveservices/v20241001:RaiBlocklistItem" }, { type: "azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiBlocklistItem" }, { type: "azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiBlocklistItem" }, { type: "azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiBlocklistItem" }, { type: "azure-native_cognitiveservices_v20241001:cognitiveservices:RaiBlocklistItem" }, { type: "azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiBlocklistItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RaiBlocklistItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cognitiveservices/raiPolicy.ts b/sdk/nodejs/cognitiveservices/raiPolicy.ts index ecf8bf440327..6f8be70b7ad2 100644 --- a/sdk/nodejs/cognitiveservices/raiPolicy.ts +++ b/sdk/nodejs/cognitiveservices/raiPolicy.ts @@ -107,7 +107,7 @@ export class RaiPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20231001preview:RaiPolicy" }, { type: "azure-native:cognitiveservices/v20240401preview:RaiPolicy" }, { type: "azure-native:cognitiveservices/v20240601preview:RaiPolicy" }, { type: "azure-native:cognitiveservices/v20241001:RaiPolicy" }, { type: "azure-native:cognitiveservices/v20250401preview:RaiPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20231001preview:RaiPolicy" }, { type: "azure-native:cognitiveservices/v20240401preview:RaiPolicy" }, { type: "azure-native:cognitiveservices/v20240601preview:RaiPolicy" }, { type: "azure-native:cognitiveservices/v20241001:RaiPolicy" }, { type: "azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiPolicy" }, { type: "azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiPolicy" }, { type: "azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiPolicy" }, { type: "azure-native_cognitiveservices_v20241001:cognitiveservices:RaiPolicy" }, { type: "azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RaiPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cognitiveservices/sharedCommitmentPlan.ts b/sdk/nodejs/cognitiveservices/sharedCommitmentPlan.ts index 18705fe558d9..38c40dfd90ac 100644 --- a/sdk/nodejs/cognitiveservices/sharedCommitmentPlan.ts +++ b/sdk/nodejs/cognitiveservices/sharedCommitmentPlan.ts @@ -121,7 +121,7 @@ export class SharedCommitmentPlan extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20221201:SharedCommitmentPlan" }, { type: "azure-native:cognitiveservices/v20230501:SharedCommitmentPlan" }, { type: "azure-native:cognitiveservices/v20231001preview:SharedCommitmentPlan" }, { type: "azure-native:cognitiveservices/v20240401preview:SharedCommitmentPlan" }, { type: "azure-native:cognitiveservices/v20240601preview:SharedCommitmentPlan" }, { type: "azure-native:cognitiveservices/v20241001:SharedCommitmentPlan" }, { type: "azure-native:cognitiveservices/v20250401preview:SharedCommitmentPlan" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cognitiveservices/v20230501:SharedCommitmentPlan" }, { type: "azure-native:cognitiveservices/v20231001preview:SharedCommitmentPlan" }, { type: "azure-native:cognitiveservices/v20240401preview:SharedCommitmentPlan" }, { type: "azure-native:cognitiveservices/v20240601preview:SharedCommitmentPlan" }, { type: "azure-native:cognitiveservices/v20241001:SharedCommitmentPlan" }, { type: "azure-native_cognitiveservices_v20221201:cognitiveservices:SharedCommitmentPlan" }, { type: "azure-native_cognitiveservices_v20230501:cognitiveservices:SharedCommitmentPlan" }, { type: "azure-native_cognitiveservices_v20231001preview:cognitiveservices:SharedCommitmentPlan" }, { type: "azure-native_cognitiveservices_v20240401preview:cognitiveservices:SharedCommitmentPlan" }, { type: "azure-native_cognitiveservices_v20240601preview:cognitiveservices:SharedCommitmentPlan" }, { type: "azure-native_cognitiveservices_v20241001:cognitiveservices:SharedCommitmentPlan" }, { type: "azure-native_cognitiveservices_v20250401preview:cognitiveservices:SharedCommitmentPlan" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SharedCommitmentPlan.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/communication/communicationService.ts b/sdk/nodejs/communication/communicationService.ts index 825f6aef7278..491c303365e7 100644 --- a/sdk/nodejs/communication/communicationService.ts +++ b/sdk/nodejs/communication/communicationService.ts @@ -148,7 +148,7 @@ export class CommunicationService extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:communication/v20200820:CommunicationService" }, { type: "azure-native:communication/v20200820preview:CommunicationService" }, { type: "azure-native:communication/v20211001preview:CommunicationService" }, { type: "azure-native:communication/v20220701preview:CommunicationService" }, { type: "azure-native:communication/v20230301preview:CommunicationService" }, { type: "azure-native:communication/v20230331:CommunicationService" }, { type: "azure-native:communication/v20230401:CommunicationService" }, { type: "azure-native:communication/v20230401preview:CommunicationService" }, { type: "azure-native:communication/v20230601preview:CommunicationService" }, { type: "azure-native:communication/v20240901preview:CommunicationService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:communication/v20230331:CommunicationService" }, { type: "azure-native:communication/v20230401:CommunicationService" }, { type: "azure-native:communication/v20230401preview:CommunicationService" }, { type: "azure-native:communication/v20230601preview:CommunicationService" }, { type: "azure-native_communication_v20200820:communication:CommunicationService" }, { type: "azure-native_communication_v20200820preview:communication:CommunicationService" }, { type: "azure-native_communication_v20211001preview:communication:CommunicationService" }, { type: "azure-native_communication_v20220701preview:communication:CommunicationService" }, { type: "azure-native_communication_v20230301preview:communication:CommunicationService" }, { type: "azure-native_communication_v20230331:communication:CommunicationService" }, { type: "azure-native_communication_v20230401:communication:CommunicationService" }, { type: "azure-native_communication_v20230401preview:communication:CommunicationService" }, { type: "azure-native_communication_v20230601preview:communication:CommunicationService" }, { type: "azure-native_communication_v20240901preview:communication:CommunicationService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CommunicationService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/communication/domain.ts b/sdk/nodejs/communication/domain.ts index f173c9cec29c..9b2fb359dfc9 100644 --- a/sdk/nodejs/communication/domain.ts +++ b/sdk/nodejs/communication/domain.ts @@ -154,7 +154,7 @@ export class Domain extends pulumi.CustomResource { resourceInputs["verificationStates"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:communication/v20211001preview:Domain" }, { type: "azure-native:communication/v20220701preview:Domain" }, { type: "azure-native:communication/v20230301preview:Domain" }, { type: "azure-native:communication/v20230331:Domain" }, { type: "azure-native:communication/v20230401:Domain" }, { type: "azure-native:communication/v20230401preview:Domain" }, { type: "azure-native:communication/v20230601preview:Domain" }, { type: "azure-native:communication/v20240901preview:Domain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:communication/v20220701preview:Domain" }, { type: "azure-native:communication/v20230331:Domain" }, { type: "azure-native:communication/v20230401:Domain" }, { type: "azure-native:communication/v20230401preview:Domain" }, { type: "azure-native:communication/v20230601preview:Domain" }, { type: "azure-native_communication_v20211001preview:communication:Domain" }, { type: "azure-native_communication_v20220701preview:communication:Domain" }, { type: "azure-native_communication_v20230301preview:communication:Domain" }, { type: "azure-native_communication_v20230331:communication:Domain" }, { type: "azure-native_communication_v20230401:communication:Domain" }, { type: "azure-native_communication_v20230401preview:communication:Domain" }, { type: "azure-native_communication_v20230601preview:communication:Domain" }, { type: "azure-native_communication_v20240901preview:communication:Domain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Domain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/communication/emailService.ts b/sdk/nodejs/communication/emailService.ts index b1f58c30b899..bd7086191b66 100644 --- a/sdk/nodejs/communication/emailService.ts +++ b/sdk/nodejs/communication/emailService.ts @@ -112,7 +112,7 @@ export class EmailService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:communication/v20211001preview:EmailService" }, { type: "azure-native:communication/v20220701preview:EmailService" }, { type: "azure-native:communication/v20230301preview:EmailService" }, { type: "azure-native:communication/v20230331:EmailService" }, { type: "azure-native:communication/v20230401:EmailService" }, { type: "azure-native:communication/v20230401preview:EmailService" }, { type: "azure-native:communication/v20230601preview:EmailService" }, { type: "azure-native:communication/v20240901preview:EmailService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:communication/v20230331:EmailService" }, { type: "azure-native:communication/v20230401:EmailService" }, { type: "azure-native:communication/v20230401preview:EmailService" }, { type: "azure-native:communication/v20230601preview:EmailService" }, { type: "azure-native_communication_v20211001preview:communication:EmailService" }, { type: "azure-native_communication_v20220701preview:communication:EmailService" }, { type: "azure-native_communication_v20230301preview:communication:EmailService" }, { type: "azure-native_communication_v20230331:communication:EmailService" }, { type: "azure-native_communication_v20230401:communication:EmailService" }, { type: "azure-native_communication_v20230401preview:communication:EmailService" }, { type: "azure-native_communication_v20230601preview:communication:EmailService" }, { type: "azure-native_communication_v20240901preview:communication:EmailService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EmailService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/communication/senderUsername.ts b/sdk/nodejs/communication/senderUsername.ts index f1fdeea63a85..d33a06a6ceed 100644 --- a/sdk/nodejs/communication/senderUsername.ts +++ b/sdk/nodejs/communication/senderUsername.ts @@ -120,7 +120,7 @@ export class SenderUsername extends pulumi.CustomResource { resourceInputs["username"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:communication/v20230301preview:SenderUsername" }, { type: "azure-native:communication/v20230331:SenderUsername" }, { type: "azure-native:communication/v20230401:SenderUsername" }, { type: "azure-native:communication/v20230401preview:SenderUsername" }, { type: "azure-native:communication/v20230601preview:SenderUsername" }, { type: "azure-native:communication/v20240901preview:SenderUsername" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:communication/v20230331:SenderUsername" }, { type: "azure-native:communication/v20230401:SenderUsername" }, { type: "azure-native:communication/v20230401preview:SenderUsername" }, { type: "azure-native:communication/v20230601preview:SenderUsername" }, { type: "azure-native_communication_v20230301preview:communication:SenderUsername" }, { type: "azure-native_communication_v20230331:communication:SenderUsername" }, { type: "azure-native_communication_v20230401:communication:SenderUsername" }, { type: "azure-native_communication_v20230401preview:communication:SenderUsername" }, { type: "azure-native_communication_v20230601preview:communication:SenderUsername" }, { type: "azure-native_communication_v20240901preview:communication:SenderUsername" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SenderUsername.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/communication/suppressionList.ts b/sdk/nodejs/communication/suppressionList.ts index 92ff73e08987..ed7e8b8f1db9 100644 --- a/sdk/nodejs/communication/suppressionList.ts +++ b/sdk/nodejs/communication/suppressionList.ts @@ -117,7 +117,7 @@ export class SuppressionList extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:communication/v20230601preview:SuppressionList" }, { type: "azure-native:communication/v20240901preview:SuppressionList" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:communication/v20230601preview:SuppressionList" }, { type: "azure-native_communication_v20230601preview:communication:SuppressionList" }, { type: "azure-native_communication_v20240901preview:communication:SuppressionList" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SuppressionList.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/communication/suppressionListAddress.ts b/sdk/nodejs/communication/suppressionListAddress.ts index 8922b7aa9d25..7a22749cc400 100644 --- a/sdk/nodejs/communication/suppressionListAddress.ts +++ b/sdk/nodejs/communication/suppressionListAddress.ts @@ -136,7 +136,7 @@ export class SuppressionListAddress extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:communication/v20230601preview:SuppressionListAddress" }, { type: "azure-native:communication/v20240901preview:SuppressionListAddress" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:communication/v20230601preview:SuppressionListAddress" }, { type: "azure-native_communication_v20230601preview:communication:SuppressionListAddress" }, { type: "azure-native_communication_v20240901preview:communication:SuppressionListAddress" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SuppressionListAddress.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/community/communityTraining.ts b/sdk/nodejs/community/communityTraining.ts index d0c36bb4fd64..aece1932e012 100644 --- a/sdk/nodejs/community/communityTraining.ts +++ b/sdk/nodejs/community/communityTraining.ts @@ -170,7 +170,7 @@ export class CommunityTraining extends pulumi.CustomResource { resourceInputs["zoneRedundancyEnabled"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:community/v20231101:CommunityTraining" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:community/v20231101:CommunityTraining" }, { type: "azure-native_community_v20231101:community:CommunityTraining" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CommunityTraining.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/availabilitySet.ts b/sdk/nodejs/compute/availabilitySet.ts index 68c42182c5bb..ec1675123b5f 100644 --- a/sdk/nodejs/compute/availabilitySet.ts +++ b/sdk/nodejs/compute/availabilitySet.ts @@ -139,7 +139,7 @@ export class AvailabilitySet extends pulumi.CustomResource { resourceInputs["virtualMachines"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20150615:AvailabilitySet" }, { type: "azure-native:compute/v20160330:AvailabilitySet" }, { type: "azure-native:compute/v20160430preview:AvailabilitySet" }, { type: "azure-native:compute/v20170330:AvailabilitySet" }, { type: "azure-native:compute/v20171201:AvailabilitySet" }, { type: "azure-native:compute/v20180401:AvailabilitySet" }, { type: "azure-native:compute/v20180601:AvailabilitySet" }, { type: "azure-native:compute/v20181001:AvailabilitySet" }, { type: "azure-native:compute/v20190301:AvailabilitySet" }, { type: "azure-native:compute/v20190701:AvailabilitySet" }, { type: "azure-native:compute/v20191201:AvailabilitySet" }, { type: "azure-native:compute/v20200601:AvailabilitySet" }, { type: "azure-native:compute/v20201201:AvailabilitySet" }, { type: "azure-native:compute/v20210301:AvailabilitySet" }, { type: "azure-native:compute/v20210401:AvailabilitySet" }, { type: "azure-native:compute/v20210701:AvailabilitySet" }, { type: "azure-native:compute/v20211101:AvailabilitySet" }, { type: "azure-native:compute/v20220301:AvailabilitySet" }, { type: "azure-native:compute/v20220801:AvailabilitySet" }, { type: "azure-native:compute/v20221101:AvailabilitySet" }, { type: "azure-native:compute/v20230301:AvailabilitySet" }, { type: "azure-native:compute/v20230701:AvailabilitySet" }, { type: "azure-native:compute/v20230901:AvailabilitySet" }, { type: "azure-native:compute/v20240301:AvailabilitySet" }, { type: "azure-native:compute/v20240701:AvailabilitySet" }, { type: "azure-native:compute/v20241101:AvailabilitySet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:AvailabilitySet" }, { type: "azure-native:compute/v20230701:AvailabilitySet" }, { type: "azure-native:compute/v20230901:AvailabilitySet" }, { type: "azure-native:compute/v20240301:AvailabilitySet" }, { type: "azure-native:compute/v20240701:AvailabilitySet" }, { type: "azure-native_compute_v20150615:compute:AvailabilitySet" }, { type: "azure-native_compute_v20160330:compute:AvailabilitySet" }, { type: "azure-native_compute_v20160430preview:compute:AvailabilitySet" }, { type: "azure-native_compute_v20170330:compute:AvailabilitySet" }, { type: "azure-native_compute_v20171201:compute:AvailabilitySet" }, { type: "azure-native_compute_v20180401:compute:AvailabilitySet" }, { type: "azure-native_compute_v20180601:compute:AvailabilitySet" }, { type: "azure-native_compute_v20181001:compute:AvailabilitySet" }, { type: "azure-native_compute_v20190301:compute:AvailabilitySet" }, { type: "azure-native_compute_v20190701:compute:AvailabilitySet" }, { type: "azure-native_compute_v20191201:compute:AvailabilitySet" }, { type: "azure-native_compute_v20200601:compute:AvailabilitySet" }, { type: "azure-native_compute_v20201201:compute:AvailabilitySet" }, { type: "azure-native_compute_v20210301:compute:AvailabilitySet" }, { type: "azure-native_compute_v20210401:compute:AvailabilitySet" }, { type: "azure-native_compute_v20210701:compute:AvailabilitySet" }, { type: "azure-native_compute_v20211101:compute:AvailabilitySet" }, { type: "azure-native_compute_v20220301:compute:AvailabilitySet" }, { type: "azure-native_compute_v20220801:compute:AvailabilitySet" }, { type: "azure-native_compute_v20221101:compute:AvailabilitySet" }, { type: "azure-native_compute_v20230301:compute:AvailabilitySet" }, { type: "azure-native_compute_v20230701:compute:AvailabilitySet" }, { type: "azure-native_compute_v20230901:compute:AvailabilitySet" }, { type: "azure-native_compute_v20240301:compute:AvailabilitySet" }, { type: "azure-native_compute_v20240701:compute:AvailabilitySet" }, { type: "azure-native_compute_v20241101:compute:AvailabilitySet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AvailabilitySet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/capacityReservation.ts b/sdk/nodejs/compute/capacityReservation.ts index c0cdb79908d0..35770e901ceb 100644 --- a/sdk/nodejs/compute/capacityReservation.ts +++ b/sdk/nodejs/compute/capacityReservation.ts @@ -152,7 +152,7 @@ export class CapacityReservation extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20210401:CapacityReservation" }, { type: "azure-native:compute/v20210701:CapacityReservation" }, { type: "azure-native:compute/v20211101:CapacityReservation" }, { type: "azure-native:compute/v20220301:CapacityReservation" }, { type: "azure-native:compute/v20220801:CapacityReservation" }, { type: "azure-native:compute/v20221101:CapacityReservation" }, { type: "azure-native:compute/v20230301:CapacityReservation" }, { type: "azure-native:compute/v20230701:CapacityReservation" }, { type: "azure-native:compute/v20230901:CapacityReservation" }, { type: "azure-native:compute/v20240301:CapacityReservation" }, { type: "azure-native:compute/v20240701:CapacityReservation" }, { type: "azure-native:compute/v20241101:CapacityReservation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:CapacityReservation" }, { type: "azure-native:compute/v20230701:CapacityReservation" }, { type: "azure-native:compute/v20230901:CapacityReservation" }, { type: "azure-native:compute/v20240301:CapacityReservation" }, { type: "azure-native:compute/v20240701:CapacityReservation" }, { type: "azure-native_compute_v20210401:compute:CapacityReservation" }, { type: "azure-native_compute_v20210701:compute:CapacityReservation" }, { type: "azure-native_compute_v20211101:compute:CapacityReservation" }, { type: "azure-native_compute_v20220301:compute:CapacityReservation" }, { type: "azure-native_compute_v20220801:compute:CapacityReservation" }, { type: "azure-native_compute_v20221101:compute:CapacityReservation" }, { type: "azure-native_compute_v20230301:compute:CapacityReservation" }, { type: "azure-native_compute_v20230701:compute:CapacityReservation" }, { type: "azure-native_compute_v20230901:compute:CapacityReservation" }, { type: "azure-native_compute_v20240301:compute:CapacityReservation" }, { type: "azure-native_compute_v20240701:compute:CapacityReservation" }, { type: "azure-native_compute_v20241101:compute:CapacityReservation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CapacityReservation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/capacityReservationGroup.ts b/sdk/nodejs/compute/capacityReservationGroup.ts index cf719ad3c813..4b750aec6e29 100644 --- a/sdk/nodejs/compute/capacityReservationGroup.ts +++ b/sdk/nodejs/compute/capacityReservationGroup.ts @@ -121,7 +121,7 @@ export class CapacityReservationGroup extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20210401:CapacityReservationGroup" }, { type: "azure-native:compute/v20210701:CapacityReservationGroup" }, { type: "azure-native:compute/v20211101:CapacityReservationGroup" }, { type: "azure-native:compute/v20220301:CapacityReservationGroup" }, { type: "azure-native:compute/v20220801:CapacityReservationGroup" }, { type: "azure-native:compute/v20221101:CapacityReservationGroup" }, { type: "azure-native:compute/v20230301:CapacityReservationGroup" }, { type: "azure-native:compute/v20230701:CapacityReservationGroup" }, { type: "azure-native:compute/v20230901:CapacityReservationGroup" }, { type: "azure-native:compute/v20240301:CapacityReservationGroup" }, { type: "azure-native:compute/v20240701:CapacityReservationGroup" }, { type: "azure-native:compute/v20241101:CapacityReservationGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:CapacityReservationGroup" }, { type: "azure-native:compute/v20230701:CapacityReservationGroup" }, { type: "azure-native:compute/v20230901:CapacityReservationGroup" }, { type: "azure-native:compute/v20240301:CapacityReservationGroup" }, { type: "azure-native:compute/v20240701:CapacityReservationGroup" }, { type: "azure-native_compute_v20210401:compute:CapacityReservationGroup" }, { type: "azure-native_compute_v20210701:compute:CapacityReservationGroup" }, { type: "azure-native_compute_v20211101:compute:CapacityReservationGroup" }, { type: "azure-native_compute_v20220301:compute:CapacityReservationGroup" }, { type: "azure-native_compute_v20220801:compute:CapacityReservationGroup" }, { type: "azure-native_compute_v20221101:compute:CapacityReservationGroup" }, { type: "azure-native_compute_v20230301:compute:CapacityReservationGroup" }, { type: "azure-native_compute_v20230701:compute:CapacityReservationGroup" }, { type: "azure-native_compute_v20230901:compute:CapacityReservationGroup" }, { type: "azure-native_compute_v20240301:compute:CapacityReservationGroup" }, { type: "azure-native_compute_v20240701:compute:CapacityReservationGroup" }, { type: "azure-native_compute_v20241101:compute:CapacityReservationGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CapacityReservationGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/cloudService.ts b/sdk/nodejs/compute/cloudService.ts index 366d617df485..f2ce93f89c76 100644 --- a/sdk/nodejs/compute/cloudService.ts +++ b/sdk/nodejs/compute/cloudService.ts @@ -109,7 +109,7 @@ export class CloudService extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20201001preview:CloudService" }, { type: "azure-native:compute/v20210301:CloudService" }, { type: "azure-native:compute/v20220404:CloudService" }, { type: "azure-native:compute/v20220904:CloudService" }, { type: "azure-native:compute/v20241104:CloudService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20220904:CloudService" }, { type: "azure-native:compute/v20241104:CloudService" }, { type: "azure-native_compute_v20201001preview:compute:CloudService" }, { type: "azure-native_compute_v20210301:compute:CloudService" }, { type: "azure-native_compute_v20220404:compute:CloudService" }, { type: "azure-native_compute_v20220904:compute:CloudService" }, { type: "azure-native_compute_v20241104:compute:CloudService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/dedicatedHost.ts b/sdk/nodejs/compute/dedicatedHost.ts index e86c92c98844..5e0c91c76349 100644 --- a/sdk/nodejs/compute/dedicatedHost.ts +++ b/sdk/nodejs/compute/dedicatedHost.ts @@ -158,7 +158,7 @@ export class DedicatedHost extends pulumi.CustomResource { resourceInputs["virtualMachines"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20190301:DedicatedHost" }, { type: "azure-native:compute/v20190701:DedicatedHost" }, { type: "azure-native:compute/v20191201:DedicatedHost" }, { type: "azure-native:compute/v20200601:DedicatedHost" }, { type: "azure-native:compute/v20201201:DedicatedHost" }, { type: "azure-native:compute/v20210301:DedicatedHost" }, { type: "azure-native:compute/v20210401:DedicatedHost" }, { type: "azure-native:compute/v20210701:DedicatedHost" }, { type: "azure-native:compute/v20211101:DedicatedHost" }, { type: "azure-native:compute/v20220301:DedicatedHost" }, { type: "azure-native:compute/v20220801:DedicatedHost" }, { type: "azure-native:compute/v20221101:DedicatedHost" }, { type: "azure-native:compute/v20230301:DedicatedHost" }, { type: "azure-native:compute/v20230701:DedicatedHost" }, { type: "azure-native:compute/v20230901:DedicatedHost" }, { type: "azure-native:compute/v20240301:DedicatedHost" }, { type: "azure-native:compute/v20240701:DedicatedHost" }, { type: "azure-native:compute/v20241101:DedicatedHost" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:DedicatedHost" }, { type: "azure-native:compute/v20230701:DedicatedHost" }, { type: "azure-native:compute/v20230901:DedicatedHost" }, { type: "azure-native:compute/v20240301:DedicatedHost" }, { type: "azure-native:compute/v20240701:DedicatedHost" }, { type: "azure-native_compute_v20190301:compute:DedicatedHost" }, { type: "azure-native_compute_v20190701:compute:DedicatedHost" }, { type: "azure-native_compute_v20191201:compute:DedicatedHost" }, { type: "azure-native_compute_v20200601:compute:DedicatedHost" }, { type: "azure-native_compute_v20201201:compute:DedicatedHost" }, { type: "azure-native_compute_v20210301:compute:DedicatedHost" }, { type: "azure-native_compute_v20210401:compute:DedicatedHost" }, { type: "azure-native_compute_v20210701:compute:DedicatedHost" }, { type: "azure-native_compute_v20211101:compute:DedicatedHost" }, { type: "azure-native_compute_v20220301:compute:DedicatedHost" }, { type: "azure-native_compute_v20220801:compute:DedicatedHost" }, { type: "azure-native_compute_v20221101:compute:DedicatedHost" }, { type: "azure-native_compute_v20230301:compute:DedicatedHost" }, { type: "azure-native_compute_v20230701:compute:DedicatedHost" }, { type: "azure-native_compute_v20230901:compute:DedicatedHost" }, { type: "azure-native_compute_v20240301:compute:DedicatedHost" }, { type: "azure-native_compute_v20240701:compute:DedicatedHost" }, { type: "azure-native_compute_v20241101:compute:DedicatedHost" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DedicatedHost.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/dedicatedHostGroup.ts b/sdk/nodejs/compute/dedicatedHostGroup.ts index dd279328453e..b81dcc3284a9 100644 --- a/sdk/nodejs/compute/dedicatedHostGroup.ts +++ b/sdk/nodejs/compute/dedicatedHostGroup.ts @@ -130,7 +130,7 @@ export class DedicatedHostGroup extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20190301:DedicatedHostGroup" }, { type: "azure-native:compute/v20190701:DedicatedHostGroup" }, { type: "azure-native:compute/v20191201:DedicatedHostGroup" }, { type: "azure-native:compute/v20200601:DedicatedHostGroup" }, { type: "azure-native:compute/v20201201:DedicatedHostGroup" }, { type: "azure-native:compute/v20210301:DedicatedHostGroup" }, { type: "azure-native:compute/v20210401:DedicatedHostGroup" }, { type: "azure-native:compute/v20210701:DedicatedHostGroup" }, { type: "azure-native:compute/v20211101:DedicatedHostGroup" }, { type: "azure-native:compute/v20220301:DedicatedHostGroup" }, { type: "azure-native:compute/v20220801:DedicatedHostGroup" }, { type: "azure-native:compute/v20221101:DedicatedHostGroup" }, { type: "azure-native:compute/v20230301:DedicatedHostGroup" }, { type: "azure-native:compute/v20230701:DedicatedHostGroup" }, { type: "azure-native:compute/v20230901:DedicatedHostGroup" }, { type: "azure-native:compute/v20240301:DedicatedHostGroup" }, { type: "azure-native:compute/v20240701:DedicatedHostGroup" }, { type: "azure-native:compute/v20241101:DedicatedHostGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:DedicatedHostGroup" }, { type: "azure-native:compute/v20230701:DedicatedHostGroup" }, { type: "azure-native:compute/v20230901:DedicatedHostGroup" }, { type: "azure-native:compute/v20240301:DedicatedHostGroup" }, { type: "azure-native:compute/v20240701:DedicatedHostGroup" }, { type: "azure-native_compute_v20190301:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20190701:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20191201:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20200601:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20201201:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20210301:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20210401:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20210701:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20211101:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20220301:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20220801:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20221101:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20230301:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20230701:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20230901:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20240301:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20240701:compute:DedicatedHostGroup" }, { type: "azure-native_compute_v20241101:compute:DedicatedHostGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DedicatedHostGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/disk.ts b/sdk/nodejs/compute/disk.ts index 0a759786c78b..d8897a728759 100644 --- a/sdk/nodejs/compute/disk.ts +++ b/sdk/nodejs/compute/disk.ts @@ -316,7 +316,7 @@ export class Disk extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20160430preview:Disk" }, { type: "azure-native:compute/v20170330:Disk" }, { type: "azure-native:compute/v20180401:Disk" }, { type: "azure-native:compute/v20180601:Disk" }, { type: "azure-native:compute/v20180930:Disk" }, { type: "azure-native:compute/v20190301:Disk" }, { type: "azure-native:compute/v20190701:Disk" }, { type: "azure-native:compute/v20191101:Disk" }, { type: "azure-native:compute/v20200501:Disk" }, { type: "azure-native:compute/v20200630:Disk" }, { type: "azure-native:compute/v20200930:Disk" }, { type: "azure-native:compute/v20201201:Disk" }, { type: "azure-native:compute/v20210401:Disk" }, { type: "azure-native:compute/v20210801:Disk" }, { type: "azure-native:compute/v20211201:Disk" }, { type: "azure-native:compute/v20220302:Disk" }, { type: "azure-native:compute/v20220702:Disk" }, { type: "azure-native:compute/v20230102:Disk" }, { type: "azure-native:compute/v20230402:Disk" }, { type: "azure-native:compute/v20231002:Disk" }, { type: "azure-native:compute/v20240302:Disk" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20220702:Disk" }, { type: "azure-native:compute/v20230102:Disk" }, { type: "azure-native:compute/v20230402:Disk" }, { type: "azure-native:compute/v20231002:Disk" }, { type: "azure-native:compute/v20240302:Disk" }, { type: "azure-native_compute_v20160430preview:compute:Disk" }, { type: "azure-native_compute_v20170330:compute:Disk" }, { type: "azure-native_compute_v20180401:compute:Disk" }, { type: "azure-native_compute_v20180601:compute:Disk" }, { type: "azure-native_compute_v20180930:compute:Disk" }, { type: "azure-native_compute_v20190301:compute:Disk" }, { type: "azure-native_compute_v20190701:compute:Disk" }, { type: "azure-native_compute_v20191101:compute:Disk" }, { type: "azure-native_compute_v20200501:compute:Disk" }, { type: "azure-native_compute_v20200630:compute:Disk" }, { type: "azure-native_compute_v20200930:compute:Disk" }, { type: "azure-native_compute_v20201201:compute:Disk" }, { type: "azure-native_compute_v20210401:compute:Disk" }, { type: "azure-native_compute_v20210801:compute:Disk" }, { type: "azure-native_compute_v20211201:compute:Disk" }, { type: "azure-native_compute_v20220302:compute:Disk" }, { type: "azure-native_compute_v20220702:compute:Disk" }, { type: "azure-native_compute_v20230102:compute:Disk" }, { type: "azure-native_compute_v20230402:compute:Disk" }, { type: "azure-native_compute_v20231002:compute:Disk" }, { type: "azure-native_compute_v20240302:compute:Disk" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Disk.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/diskAccess.ts b/sdk/nodejs/compute/diskAccess.ts index cee18719fb6f..1b278c9e4a93 100644 --- a/sdk/nodejs/compute/diskAccess.ts +++ b/sdk/nodejs/compute/diskAccess.ts @@ -115,7 +115,7 @@ export class DiskAccess extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20200501:DiskAccess" }, { type: "azure-native:compute/v20200630:DiskAccess" }, { type: "azure-native:compute/v20200930:DiskAccess" }, { type: "azure-native:compute/v20201201:DiskAccess" }, { type: "azure-native:compute/v20210401:DiskAccess" }, { type: "azure-native:compute/v20210801:DiskAccess" }, { type: "azure-native:compute/v20211201:DiskAccess" }, { type: "azure-native:compute/v20220302:DiskAccess" }, { type: "azure-native:compute/v20220702:DiskAccess" }, { type: "azure-native:compute/v20230102:DiskAccess" }, { type: "azure-native:compute/v20230402:DiskAccess" }, { type: "azure-native:compute/v20231002:DiskAccess" }, { type: "azure-native:compute/v20240302:DiskAccess" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20220702:DiskAccess" }, { type: "azure-native:compute/v20230102:DiskAccess" }, { type: "azure-native:compute/v20230402:DiskAccess" }, { type: "azure-native:compute/v20231002:DiskAccess" }, { type: "azure-native:compute/v20240302:DiskAccess" }, { type: "azure-native_compute_v20200501:compute:DiskAccess" }, { type: "azure-native_compute_v20200630:compute:DiskAccess" }, { type: "azure-native_compute_v20200930:compute:DiskAccess" }, { type: "azure-native_compute_v20201201:compute:DiskAccess" }, { type: "azure-native_compute_v20210401:compute:DiskAccess" }, { type: "azure-native_compute_v20210801:compute:DiskAccess" }, { type: "azure-native_compute_v20211201:compute:DiskAccess" }, { type: "azure-native_compute_v20220302:compute:DiskAccess" }, { type: "azure-native_compute_v20220702:compute:DiskAccess" }, { type: "azure-native_compute_v20230102:compute:DiskAccess" }, { type: "azure-native_compute_v20230402:compute:DiskAccess" }, { type: "azure-native_compute_v20231002:compute:DiskAccess" }, { type: "azure-native_compute_v20240302:compute:DiskAccess" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DiskAccess.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/diskAccessAPrivateEndpointConnection.ts b/sdk/nodejs/compute/diskAccessAPrivateEndpointConnection.ts index 6792dc44ec79..92e5ca33a7c2 100644 --- a/sdk/nodejs/compute/diskAccessAPrivateEndpointConnection.ts +++ b/sdk/nodejs/compute/diskAccessAPrivateEndpointConnection.ts @@ -104,7 +104,7 @@ export class DiskAccessAPrivateEndpointConnection extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20200930:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20201201:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20210401:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20210801:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20211201:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20220302:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20220702:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20230102:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20230402:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20231002:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20240302:DiskAccessAPrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20220702:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20230102:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20230402:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20231002:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native:compute/v20240302:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native_compute_v20200930:compute:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native_compute_v20201201:compute:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native_compute_v20210401:compute:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native_compute_v20210801:compute:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native_compute_v20211201:compute:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native_compute_v20220302:compute:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native_compute_v20220702:compute:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native_compute_v20230102:compute:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native_compute_v20230402:compute:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native_compute_v20231002:compute:DiskAccessAPrivateEndpointConnection" }, { type: "azure-native_compute_v20240302:compute:DiskAccessAPrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DiskAccessAPrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/diskEncryptionSet.ts b/sdk/nodejs/compute/diskEncryptionSet.ts index 317b8a24377c..aad2060bf994 100644 --- a/sdk/nodejs/compute/diskEncryptionSet.ts +++ b/sdk/nodejs/compute/diskEncryptionSet.ts @@ -145,7 +145,7 @@ export class DiskEncryptionSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20190701:DiskEncryptionSet" }, { type: "azure-native:compute/v20191101:DiskEncryptionSet" }, { type: "azure-native:compute/v20200501:DiskEncryptionSet" }, { type: "azure-native:compute/v20200630:DiskEncryptionSet" }, { type: "azure-native:compute/v20200930:DiskEncryptionSet" }, { type: "azure-native:compute/v20201201:DiskEncryptionSet" }, { type: "azure-native:compute/v20210401:DiskEncryptionSet" }, { type: "azure-native:compute/v20210801:DiskEncryptionSet" }, { type: "azure-native:compute/v20211201:DiskEncryptionSet" }, { type: "azure-native:compute/v20220302:DiskEncryptionSet" }, { type: "azure-native:compute/v20220702:DiskEncryptionSet" }, { type: "azure-native:compute/v20230102:DiskEncryptionSet" }, { type: "azure-native:compute/v20230402:DiskEncryptionSet" }, { type: "azure-native:compute/v20231002:DiskEncryptionSet" }, { type: "azure-native:compute/v20240302:DiskEncryptionSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20220702:DiskEncryptionSet" }, { type: "azure-native:compute/v20230102:DiskEncryptionSet" }, { type: "azure-native:compute/v20230402:DiskEncryptionSet" }, { type: "azure-native:compute/v20231002:DiskEncryptionSet" }, { type: "azure-native:compute/v20240302:DiskEncryptionSet" }, { type: "azure-native_compute_v20190701:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20191101:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20200501:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20200630:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20200930:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20201201:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20210401:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20210801:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20211201:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20220302:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20220702:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20230102:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20230402:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20231002:compute:DiskEncryptionSet" }, { type: "azure-native_compute_v20240302:compute:DiskEncryptionSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DiskEncryptionSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/gallery.ts b/sdk/nodejs/compute/gallery.ts index ff9b44aa9f2f..1ccc40a0fcb9 100644 --- a/sdk/nodejs/compute/gallery.ts +++ b/sdk/nodejs/compute/gallery.ts @@ -133,7 +133,7 @@ export class Gallery extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20180601:Gallery" }, { type: "azure-native:compute/v20190301:Gallery" }, { type: "azure-native:compute/v20190701:Gallery" }, { type: "azure-native:compute/v20191201:Gallery" }, { type: "azure-native:compute/v20200930:Gallery" }, { type: "azure-native:compute/v20210701:Gallery" }, { type: "azure-native:compute/v20211001:Gallery" }, { type: "azure-native:compute/v20220103:Gallery" }, { type: "azure-native:compute/v20220303:Gallery" }, { type: "azure-native:compute/v20220803:Gallery" }, { type: "azure-native:compute/v20230703:Gallery" }, { type: "azure-native:compute/v20240303:Gallery" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20220303:Gallery" }, { type: "azure-native:compute/v20220803:Gallery" }, { type: "azure-native:compute/v20230703:Gallery" }, { type: "azure-native:compute/v20240303:Gallery" }, { type: "azure-native_compute_v20180601:compute:Gallery" }, { type: "azure-native_compute_v20190301:compute:Gallery" }, { type: "azure-native_compute_v20190701:compute:Gallery" }, { type: "azure-native_compute_v20191201:compute:Gallery" }, { type: "azure-native_compute_v20200930:compute:Gallery" }, { type: "azure-native_compute_v20210701:compute:Gallery" }, { type: "azure-native_compute_v20211001:compute:Gallery" }, { type: "azure-native_compute_v20220103:compute:Gallery" }, { type: "azure-native_compute_v20220303:compute:Gallery" }, { type: "azure-native_compute_v20220803:compute:Gallery" }, { type: "azure-native_compute_v20230703:compute:Gallery" }, { type: "azure-native_compute_v20240303:compute:Gallery" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Gallery.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/galleryApplication.ts b/sdk/nodejs/compute/galleryApplication.ts index feeaa73ca8cb..f60945944555 100644 --- a/sdk/nodejs/compute/galleryApplication.ts +++ b/sdk/nodejs/compute/galleryApplication.ts @@ -140,7 +140,7 @@ export class GalleryApplication extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20190301:GalleryApplication" }, { type: "azure-native:compute/v20190701:GalleryApplication" }, { type: "azure-native:compute/v20191201:GalleryApplication" }, { type: "azure-native:compute/v20200930:GalleryApplication" }, { type: "azure-native:compute/v20210701:GalleryApplication" }, { type: "azure-native:compute/v20211001:GalleryApplication" }, { type: "azure-native:compute/v20220103:GalleryApplication" }, { type: "azure-native:compute/v20220303:GalleryApplication" }, { type: "azure-native:compute/v20220803:GalleryApplication" }, { type: "azure-native:compute/v20230703:GalleryApplication" }, { type: "azure-native:compute/v20240303:GalleryApplication" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20220303:GalleryApplication" }, { type: "azure-native:compute/v20220803:GalleryApplication" }, { type: "azure-native:compute/v20230703:GalleryApplication" }, { type: "azure-native:compute/v20240303:GalleryApplication" }, { type: "azure-native_compute_v20190301:compute:GalleryApplication" }, { type: "azure-native_compute_v20190701:compute:GalleryApplication" }, { type: "azure-native_compute_v20191201:compute:GalleryApplication" }, { type: "azure-native_compute_v20200930:compute:GalleryApplication" }, { type: "azure-native_compute_v20210701:compute:GalleryApplication" }, { type: "azure-native_compute_v20211001:compute:GalleryApplication" }, { type: "azure-native_compute_v20220103:compute:GalleryApplication" }, { type: "azure-native_compute_v20220303:compute:GalleryApplication" }, { type: "azure-native_compute_v20220803:compute:GalleryApplication" }, { type: "azure-native_compute_v20230703:compute:GalleryApplication" }, { type: "azure-native_compute_v20240303:compute:GalleryApplication" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GalleryApplication.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/galleryApplicationVersion.ts b/sdk/nodejs/compute/galleryApplicationVersion.ts index fbb831ff2a8c..0e3e82424dc0 100644 --- a/sdk/nodejs/compute/galleryApplicationVersion.ts +++ b/sdk/nodejs/compute/galleryApplicationVersion.ts @@ -126,7 +126,7 @@ export class GalleryApplicationVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20190301:GalleryApplicationVersion" }, { type: "azure-native:compute/v20190701:GalleryApplicationVersion" }, { type: "azure-native:compute/v20191201:GalleryApplicationVersion" }, { type: "azure-native:compute/v20200930:GalleryApplicationVersion" }, { type: "azure-native:compute/v20210701:GalleryApplicationVersion" }, { type: "azure-native:compute/v20211001:GalleryApplicationVersion" }, { type: "azure-native:compute/v20220103:GalleryApplicationVersion" }, { type: "azure-native:compute/v20220303:GalleryApplicationVersion" }, { type: "azure-native:compute/v20220803:GalleryApplicationVersion" }, { type: "azure-native:compute/v20230703:GalleryApplicationVersion" }, { type: "azure-native:compute/v20240303:GalleryApplicationVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20220303:GalleryApplicationVersion" }, { type: "azure-native:compute/v20220803:GalleryApplicationVersion" }, { type: "azure-native:compute/v20230703:GalleryApplicationVersion" }, { type: "azure-native:compute/v20240303:GalleryApplicationVersion" }, { type: "azure-native_compute_v20190301:compute:GalleryApplicationVersion" }, { type: "azure-native_compute_v20190701:compute:GalleryApplicationVersion" }, { type: "azure-native_compute_v20191201:compute:GalleryApplicationVersion" }, { type: "azure-native_compute_v20200930:compute:GalleryApplicationVersion" }, { type: "azure-native_compute_v20210701:compute:GalleryApplicationVersion" }, { type: "azure-native_compute_v20211001:compute:GalleryApplicationVersion" }, { type: "azure-native_compute_v20220103:compute:GalleryApplicationVersion" }, { type: "azure-native_compute_v20220303:compute:GalleryApplicationVersion" }, { type: "azure-native_compute_v20220803:compute:GalleryApplicationVersion" }, { type: "azure-native_compute_v20230703:compute:GalleryApplicationVersion" }, { type: "azure-native_compute_v20240303:compute:GalleryApplicationVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GalleryApplicationVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/galleryImage.ts b/sdk/nodejs/compute/galleryImage.ts index 11eaa3b36280..4d6479407bb1 100644 --- a/sdk/nodejs/compute/galleryImage.ts +++ b/sdk/nodejs/compute/galleryImage.ts @@ -200,7 +200,7 @@ export class GalleryImage extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20180601:GalleryImage" }, { type: "azure-native:compute/v20190301:GalleryImage" }, { type: "azure-native:compute/v20190701:GalleryImage" }, { type: "azure-native:compute/v20191201:GalleryImage" }, { type: "azure-native:compute/v20200930:GalleryImage" }, { type: "azure-native:compute/v20210701:GalleryImage" }, { type: "azure-native:compute/v20211001:GalleryImage" }, { type: "azure-native:compute/v20220103:GalleryImage" }, { type: "azure-native:compute/v20220303:GalleryImage" }, { type: "azure-native:compute/v20220803:GalleryImage" }, { type: "azure-native:compute/v20230703:GalleryImage" }, { type: "azure-native:compute/v20240303:GalleryImage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20220303:GalleryImage" }, { type: "azure-native:compute/v20220803:GalleryImage" }, { type: "azure-native:compute/v20230703:GalleryImage" }, { type: "azure-native:compute/v20240303:GalleryImage" }, { type: "azure-native_compute_v20180601:compute:GalleryImage" }, { type: "azure-native_compute_v20190301:compute:GalleryImage" }, { type: "azure-native_compute_v20190701:compute:GalleryImage" }, { type: "azure-native_compute_v20191201:compute:GalleryImage" }, { type: "azure-native_compute_v20200930:compute:GalleryImage" }, { type: "azure-native_compute_v20210701:compute:GalleryImage" }, { type: "azure-native_compute_v20211001:compute:GalleryImage" }, { type: "azure-native_compute_v20220103:compute:GalleryImage" }, { type: "azure-native_compute_v20220303:compute:GalleryImage" }, { type: "azure-native_compute_v20220803:compute:GalleryImage" }, { type: "azure-native_compute_v20230703:compute:GalleryImage" }, { type: "azure-native_compute_v20240303:compute:GalleryImage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GalleryImage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/galleryImageVersion.ts b/sdk/nodejs/compute/galleryImageVersion.ts index 3d69186568ae..2a0cfcb8e714 100644 --- a/sdk/nodejs/compute/galleryImageVersion.ts +++ b/sdk/nodejs/compute/galleryImageVersion.ts @@ -150,7 +150,7 @@ export class GalleryImageVersion extends pulumi.CustomResource { resourceInputs["validationsProfile"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20180601:GalleryImageVersion" }, { type: "azure-native:compute/v20190301:GalleryImageVersion" }, { type: "azure-native:compute/v20190701:GalleryImageVersion" }, { type: "azure-native:compute/v20191201:GalleryImageVersion" }, { type: "azure-native:compute/v20200930:GalleryImageVersion" }, { type: "azure-native:compute/v20210701:GalleryImageVersion" }, { type: "azure-native:compute/v20211001:GalleryImageVersion" }, { type: "azure-native:compute/v20220103:GalleryImageVersion" }, { type: "azure-native:compute/v20220303:GalleryImageVersion" }, { type: "azure-native:compute/v20220803:GalleryImageVersion" }, { type: "azure-native:compute/v20230703:GalleryImageVersion" }, { type: "azure-native:compute/v20240303:GalleryImageVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20220303:GalleryImageVersion" }, { type: "azure-native:compute/v20220803:GalleryImageVersion" }, { type: "azure-native:compute/v20230703:GalleryImageVersion" }, { type: "azure-native:compute/v20240303:GalleryImageVersion" }, { type: "azure-native_compute_v20180601:compute:GalleryImageVersion" }, { type: "azure-native_compute_v20190301:compute:GalleryImageVersion" }, { type: "azure-native_compute_v20190701:compute:GalleryImageVersion" }, { type: "azure-native_compute_v20191201:compute:GalleryImageVersion" }, { type: "azure-native_compute_v20200930:compute:GalleryImageVersion" }, { type: "azure-native_compute_v20210701:compute:GalleryImageVersion" }, { type: "azure-native_compute_v20211001:compute:GalleryImageVersion" }, { type: "azure-native_compute_v20220103:compute:GalleryImageVersion" }, { type: "azure-native_compute_v20220303:compute:GalleryImageVersion" }, { type: "azure-native_compute_v20220803:compute:GalleryImageVersion" }, { type: "azure-native_compute_v20230703:compute:GalleryImageVersion" }, { type: "azure-native_compute_v20240303:compute:GalleryImageVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GalleryImageVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/galleryInVMAccessControlProfile.ts b/sdk/nodejs/compute/galleryInVMAccessControlProfile.ts index 4b4745b6a6ac..b4a8bdce9544 100644 --- a/sdk/nodejs/compute/galleryInVMAccessControlProfile.ts +++ b/sdk/nodejs/compute/galleryInVMAccessControlProfile.ts @@ -99,7 +99,7 @@ export class GalleryInVMAccessControlProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20240303:GalleryInVMAccessControlProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20240303:GalleryInVMAccessControlProfile" }, { type: "azure-native_compute_v20240303:compute:GalleryInVMAccessControlProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GalleryInVMAccessControlProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/galleryInVMAccessControlProfileVersion.ts b/sdk/nodejs/compute/galleryInVMAccessControlProfileVersion.ts index 6e1fd256ceda..d4f68eb9bd1f 100644 --- a/sdk/nodejs/compute/galleryInVMAccessControlProfileVersion.ts +++ b/sdk/nodejs/compute/galleryInVMAccessControlProfileVersion.ts @@ -151,7 +151,7 @@ export class GalleryInVMAccessControlProfileVersion extends pulumi.CustomResourc resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20240303:GalleryInVMAccessControlProfileVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20240303:GalleryInVMAccessControlProfileVersion" }, { type: "azure-native_compute_v20240303:compute:GalleryInVMAccessControlProfileVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GalleryInVMAccessControlProfileVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/image.ts b/sdk/nodejs/compute/image.ts index 9edcb8dfbb27..10f6dce817bc 100644 --- a/sdk/nodejs/compute/image.ts +++ b/sdk/nodejs/compute/image.ts @@ -121,7 +121,7 @@ export class Image extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20160430preview:Image" }, { type: "azure-native:compute/v20170330:Image" }, { type: "azure-native:compute/v20171201:Image" }, { type: "azure-native:compute/v20180401:Image" }, { type: "azure-native:compute/v20180601:Image" }, { type: "azure-native:compute/v20181001:Image" }, { type: "azure-native:compute/v20190301:Image" }, { type: "azure-native:compute/v20190701:Image" }, { type: "azure-native:compute/v20191201:Image" }, { type: "azure-native:compute/v20200601:Image" }, { type: "azure-native:compute/v20201201:Image" }, { type: "azure-native:compute/v20210301:Image" }, { type: "azure-native:compute/v20210401:Image" }, { type: "azure-native:compute/v20210701:Image" }, { type: "azure-native:compute/v20211101:Image" }, { type: "azure-native:compute/v20220301:Image" }, { type: "azure-native:compute/v20220801:Image" }, { type: "azure-native:compute/v20221101:Image" }, { type: "azure-native:compute/v20230301:Image" }, { type: "azure-native:compute/v20230701:Image" }, { type: "azure-native:compute/v20230901:Image" }, { type: "azure-native:compute/v20240301:Image" }, { type: "azure-native:compute/v20240701:Image" }, { type: "azure-native:compute/v20241101:Image" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:Image" }, { type: "azure-native:compute/v20230701:Image" }, { type: "azure-native:compute/v20230901:Image" }, { type: "azure-native:compute/v20240301:Image" }, { type: "azure-native:compute/v20240701:Image" }, { type: "azure-native_compute_v20160430preview:compute:Image" }, { type: "azure-native_compute_v20170330:compute:Image" }, { type: "azure-native_compute_v20171201:compute:Image" }, { type: "azure-native_compute_v20180401:compute:Image" }, { type: "azure-native_compute_v20180601:compute:Image" }, { type: "azure-native_compute_v20181001:compute:Image" }, { type: "azure-native_compute_v20190301:compute:Image" }, { type: "azure-native_compute_v20190701:compute:Image" }, { type: "azure-native_compute_v20191201:compute:Image" }, { type: "azure-native_compute_v20200601:compute:Image" }, { type: "azure-native_compute_v20201201:compute:Image" }, { type: "azure-native_compute_v20210301:compute:Image" }, { type: "azure-native_compute_v20210401:compute:Image" }, { type: "azure-native_compute_v20210701:compute:Image" }, { type: "azure-native_compute_v20211101:compute:Image" }, { type: "azure-native_compute_v20220301:compute:Image" }, { type: "azure-native_compute_v20220801:compute:Image" }, { type: "azure-native_compute_v20221101:compute:Image" }, { type: "azure-native_compute_v20230301:compute:Image" }, { type: "azure-native_compute_v20230701:compute:Image" }, { type: "azure-native_compute_v20230901:compute:Image" }, { type: "azure-native_compute_v20240301:compute:Image" }, { type: "azure-native_compute_v20240701:compute:Image" }, { type: "azure-native_compute_v20241101:compute:Image" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Image.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/proximityPlacementGroup.ts b/sdk/nodejs/compute/proximityPlacementGroup.ts index 23e6092bfb97..8e2ee3369821 100644 --- a/sdk/nodejs/compute/proximityPlacementGroup.ts +++ b/sdk/nodejs/compute/proximityPlacementGroup.ts @@ -133,7 +133,7 @@ export class ProximityPlacementGroup extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20180401:ProximityPlacementGroup" }, { type: "azure-native:compute/v20180601:ProximityPlacementGroup" }, { type: "azure-native:compute/v20181001:ProximityPlacementGroup" }, { type: "azure-native:compute/v20190301:ProximityPlacementGroup" }, { type: "azure-native:compute/v20190701:ProximityPlacementGroup" }, { type: "azure-native:compute/v20191201:ProximityPlacementGroup" }, { type: "azure-native:compute/v20200601:ProximityPlacementGroup" }, { type: "azure-native:compute/v20201201:ProximityPlacementGroup" }, { type: "azure-native:compute/v20210301:ProximityPlacementGroup" }, { type: "azure-native:compute/v20210401:ProximityPlacementGroup" }, { type: "azure-native:compute/v20210701:ProximityPlacementGroup" }, { type: "azure-native:compute/v20211101:ProximityPlacementGroup" }, { type: "azure-native:compute/v20220301:ProximityPlacementGroup" }, { type: "azure-native:compute/v20220801:ProximityPlacementGroup" }, { type: "azure-native:compute/v20221101:ProximityPlacementGroup" }, { type: "azure-native:compute/v20230301:ProximityPlacementGroup" }, { type: "azure-native:compute/v20230701:ProximityPlacementGroup" }, { type: "azure-native:compute/v20230901:ProximityPlacementGroup" }, { type: "azure-native:compute/v20240301:ProximityPlacementGroup" }, { type: "azure-native:compute/v20240701:ProximityPlacementGroup" }, { type: "azure-native:compute/v20241101:ProximityPlacementGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:ProximityPlacementGroup" }, { type: "azure-native:compute/v20230701:ProximityPlacementGroup" }, { type: "azure-native:compute/v20230901:ProximityPlacementGroup" }, { type: "azure-native:compute/v20240301:ProximityPlacementGroup" }, { type: "azure-native:compute/v20240701:ProximityPlacementGroup" }, { type: "azure-native_compute_v20180401:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20180601:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20181001:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20190301:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20190701:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20191201:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20200601:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20201201:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20210301:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20210401:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20210701:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20211101:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20220301:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20220801:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20221101:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20230301:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20230701:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20230901:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20240301:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20240701:compute:ProximityPlacementGroup" }, { type: "azure-native_compute_v20241101:compute:ProximityPlacementGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProximityPlacementGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/restorePoint.ts b/sdk/nodejs/compute/restorePoint.ts index c09afb3bc940..59a8e1cc125d 100644 --- a/sdk/nodejs/compute/restorePoint.ts +++ b/sdk/nodejs/compute/restorePoint.ts @@ -125,7 +125,7 @@ export class RestorePoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20210301:RestorePoint" }, { type: "azure-native:compute/v20210401:RestorePoint" }, { type: "azure-native:compute/v20210701:RestorePoint" }, { type: "azure-native:compute/v20211101:RestorePoint" }, { type: "azure-native:compute/v20220301:RestorePoint" }, { type: "azure-native:compute/v20220801:RestorePoint" }, { type: "azure-native:compute/v20221101:RestorePoint" }, { type: "azure-native:compute/v20230301:RestorePoint" }, { type: "azure-native:compute/v20230701:RestorePoint" }, { type: "azure-native:compute/v20230901:RestorePoint" }, { type: "azure-native:compute/v20240301:RestorePoint" }, { type: "azure-native:compute/v20240701:RestorePoint" }, { type: "azure-native:compute/v20241101:RestorePoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20211101:RestorePoint" }, { type: "azure-native:compute/v20221101:RestorePoint" }, { type: "azure-native:compute/v20230301:RestorePoint" }, { type: "azure-native:compute/v20230701:RestorePoint" }, { type: "azure-native:compute/v20230901:RestorePoint" }, { type: "azure-native:compute/v20240301:RestorePoint" }, { type: "azure-native:compute/v20240701:RestorePoint" }, { type: "azure-native_compute_v20210301:compute:RestorePoint" }, { type: "azure-native_compute_v20210401:compute:RestorePoint" }, { type: "azure-native_compute_v20210701:compute:RestorePoint" }, { type: "azure-native_compute_v20211101:compute:RestorePoint" }, { type: "azure-native_compute_v20220301:compute:RestorePoint" }, { type: "azure-native_compute_v20220801:compute:RestorePoint" }, { type: "azure-native_compute_v20221101:compute:RestorePoint" }, { type: "azure-native_compute_v20230301:compute:RestorePoint" }, { type: "azure-native_compute_v20230701:compute:RestorePoint" }, { type: "azure-native_compute_v20230901:compute:RestorePoint" }, { type: "azure-native_compute_v20240301:compute:RestorePoint" }, { type: "azure-native_compute_v20240701:compute:RestorePoint" }, { type: "azure-native_compute_v20241101:compute:RestorePoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RestorePoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/restorePointCollection.ts b/sdk/nodejs/compute/restorePointCollection.ts index e4682b9948f4..382480eaa143 100644 --- a/sdk/nodejs/compute/restorePointCollection.ts +++ b/sdk/nodejs/compute/restorePointCollection.ts @@ -115,7 +115,7 @@ export class RestorePointCollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20210301:RestorePointCollection" }, { type: "azure-native:compute/v20210401:RestorePointCollection" }, { type: "azure-native:compute/v20210701:RestorePointCollection" }, { type: "azure-native:compute/v20211101:RestorePointCollection" }, { type: "azure-native:compute/v20220301:RestorePointCollection" }, { type: "azure-native:compute/v20220801:RestorePointCollection" }, { type: "azure-native:compute/v20221101:RestorePointCollection" }, { type: "azure-native:compute/v20230301:RestorePointCollection" }, { type: "azure-native:compute/v20230701:RestorePointCollection" }, { type: "azure-native:compute/v20230901:RestorePointCollection" }, { type: "azure-native:compute/v20240301:RestorePointCollection" }, { type: "azure-native:compute/v20240701:RestorePointCollection" }, { type: "azure-native:compute/v20241101:RestorePointCollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:RestorePointCollection" }, { type: "azure-native:compute/v20230701:RestorePointCollection" }, { type: "azure-native:compute/v20230901:RestorePointCollection" }, { type: "azure-native:compute/v20240301:RestorePointCollection" }, { type: "azure-native:compute/v20240701:RestorePointCollection" }, { type: "azure-native_compute_v20210301:compute:RestorePointCollection" }, { type: "azure-native_compute_v20210401:compute:RestorePointCollection" }, { type: "azure-native_compute_v20210701:compute:RestorePointCollection" }, { type: "azure-native_compute_v20211101:compute:RestorePointCollection" }, { type: "azure-native_compute_v20220301:compute:RestorePointCollection" }, { type: "azure-native_compute_v20220801:compute:RestorePointCollection" }, { type: "azure-native_compute_v20221101:compute:RestorePointCollection" }, { type: "azure-native_compute_v20230301:compute:RestorePointCollection" }, { type: "azure-native_compute_v20230701:compute:RestorePointCollection" }, { type: "azure-native_compute_v20230901:compute:RestorePointCollection" }, { type: "azure-native_compute_v20240301:compute:RestorePointCollection" }, { type: "azure-native_compute_v20240701:compute:RestorePointCollection" }, { type: "azure-native_compute_v20241101:compute:RestorePointCollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RestorePointCollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/snapshot.ts b/sdk/nodejs/compute/snapshot.ts index 0938fcd55222..5163f2b9184c 100644 --- a/sdk/nodejs/compute/snapshot.ts +++ b/sdk/nodejs/compute/snapshot.ts @@ -250,7 +250,7 @@ export class Snapshot extends pulumi.CustomResource { resourceInputs["uniqueId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20160430preview:Snapshot" }, { type: "azure-native:compute/v20170330:Snapshot" }, { type: "azure-native:compute/v20180401:Snapshot" }, { type: "azure-native:compute/v20180601:Snapshot" }, { type: "azure-native:compute/v20180930:Snapshot" }, { type: "azure-native:compute/v20190301:Snapshot" }, { type: "azure-native:compute/v20190701:Snapshot" }, { type: "azure-native:compute/v20191101:Snapshot" }, { type: "azure-native:compute/v20200501:Snapshot" }, { type: "azure-native:compute/v20200630:Snapshot" }, { type: "azure-native:compute/v20200930:Snapshot" }, { type: "azure-native:compute/v20201201:Snapshot" }, { type: "azure-native:compute/v20210401:Snapshot" }, { type: "azure-native:compute/v20210801:Snapshot" }, { type: "azure-native:compute/v20211201:Snapshot" }, { type: "azure-native:compute/v20220302:Snapshot" }, { type: "azure-native:compute/v20220702:Snapshot" }, { type: "azure-native:compute/v20230102:Snapshot" }, { type: "azure-native:compute/v20230402:Snapshot" }, { type: "azure-native:compute/v20231002:Snapshot" }, { type: "azure-native:compute/v20240302:Snapshot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20220702:Snapshot" }, { type: "azure-native:compute/v20230102:Snapshot" }, { type: "azure-native:compute/v20230402:Snapshot" }, { type: "azure-native:compute/v20231002:Snapshot" }, { type: "azure-native:compute/v20240302:Snapshot" }, { type: "azure-native_compute_v20160430preview:compute:Snapshot" }, { type: "azure-native_compute_v20170330:compute:Snapshot" }, { type: "azure-native_compute_v20180401:compute:Snapshot" }, { type: "azure-native_compute_v20180601:compute:Snapshot" }, { type: "azure-native_compute_v20180930:compute:Snapshot" }, { type: "azure-native_compute_v20190301:compute:Snapshot" }, { type: "azure-native_compute_v20190701:compute:Snapshot" }, { type: "azure-native_compute_v20191101:compute:Snapshot" }, { type: "azure-native_compute_v20200501:compute:Snapshot" }, { type: "azure-native_compute_v20200630:compute:Snapshot" }, { type: "azure-native_compute_v20200930:compute:Snapshot" }, { type: "azure-native_compute_v20201201:compute:Snapshot" }, { type: "azure-native_compute_v20210401:compute:Snapshot" }, { type: "azure-native_compute_v20210801:compute:Snapshot" }, { type: "azure-native_compute_v20211201:compute:Snapshot" }, { type: "azure-native_compute_v20220302:compute:Snapshot" }, { type: "azure-native_compute_v20220702:compute:Snapshot" }, { type: "azure-native_compute_v20230102:compute:Snapshot" }, { type: "azure-native_compute_v20230402:compute:Snapshot" }, { type: "azure-native_compute_v20231002:compute:Snapshot" }, { type: "azure-native_compute_v20240302:compute:Snapshot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Snapshot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/sshPublicKey.ts b/sdk/nodejs/compute/sshPublicKey.ts index 8e626e3462e0..cfb0e57ff284 100644 --- a/sdk/nodejs/compute/sshPublicKey.ts +++ b/sdk/nodejs/compute/sshPublicKey.ts @@ -94,7 +94,7 @@ export class SshPublicKey extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20191201:SshPublicKey" }, { type: "azure-native:compute/v20200601:SshPublicKey" }, { type: "azure-native:compute/v20201201:SshPublicKey" }, { type: "azure-native:compute/v20210301:SshPublicKey" }, { type: "azure-native:compute/v20210401:SshPublicKey" }, { type: "azure-native:compute/v20210701:SshPublicKey" }, { type: "azure-native:compute/v20211101:SshPublicKey" }, { type: "azure-native:compute/v20220301:SshPublicKey" }, { type: "azure-native:compute/v20220801:SshPublicKey" }, { type: "azure-native:compute/v20221101:SshPublicKey" }, { type: "azure-native:compute/v20230301:SshPublicKey" }, { type: "azure-native:compute/v20230701:SshPublicKey" }, { type: "azure-native:compute/v20230901:SshPublicKey" }, { type: "azure-native:compute/v20240301:SshPublicKey" }, { type: "azure-native:compute/v20240701:SshPublicKey" }, { type: "azure-native:compute/v20241101:SshPublicKey" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:SshPublicKey" }, { type: "azure-native:compute/v20230701:SshPublicKey" }, { type: "azure-native:compute/v20230901:SshPublicKey" }, { type: "azure-native:compute/v20240301:SshPublicKey" }, { type: "azure-native:compute/v20240701:SshPublicKey" }, { type: "azure-native_compute_v20191201:compute:SshPublicKey" }, { type: "azure-native_compute_v20200601:compute:SshPublicKey" }, { type: "azure-native_compute_v20201201:compute:SshPublicKey" }, { type: "azure-native_compute_v20210301:compute:SshPublicKey" }, { type: "azure-native_compute_v20210401:compute:SshPublicKey" }, { type: "azure-native_compute_v20210701:compute:SshPublicKey" }, { type: "azure-native_compute_v20211101:compute:SshPublicKey" }, { type: "azure-native_compute_v20220301:compute:SshPublicKey" }, { type: "azure-native_compute_v20220801:compute:SshPublicKey" }, { type: "azure-native_compute_v20221101:compute:SshPublicKey" }, { type: "azure-native_compute_v20230301:compute:SshPublicKey" }, { type: "azure-native_compute_v20230701:compute:SshPublicKey" }, { type: "azure-native_compute_v20230901:compute:SshPublicKey" }, { type: "azure-native_compute_v20240301:compute:SshPublicKey" }, { type: "azure-native_compute_v20240701:compute:SshPublicKey" }, { type: "azure-native_compute_v20241101:compute:SshPublicKey" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SshPublicKey.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/virtualMachine.ts b/sdk/nodejs/compute/virtualMachine.ts index 1be342548225..07986f437628 100644 --- a/sdk/nodejs/compute/virtualMachine.ts +++ b/sdk/nodejs/compute/virtualMachine.ts @@ -301,7 +301,7 @@ export class VirtualMachine extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20150615:VirtualMachine" }, { type: "azure-native:compute/v20160330:VirtualMachine" }, { type: "azure-native:compute/v20160430preview:VirtualMachine" }, { type: "azure-native:compute/v20170330:VirtualMachine" }, { type: "azure-native:compute/v20171201:VirtualMachine" }, { type: "azure-native:compute/v20180401:VirtualMachine" }, { type: "azure-native:compute/v20180601:VirtualMachine" }, { type: "azure-native:compute/v20181001:VirtualMachine" }, { type: "azure-native:compute/v20190301:VirtualMachine" }, { type: "azure-native:compute/v20190701:VirtualMachine" }, { type: "azure-native:compute/v20191201:VirtualMachine" }, { type: "azure-native:compute/v20200601:VirtualMachine" }, { type: "azure-native:compute/v20201201:VirtualMachine" }, { type: "azure-native:compute/v20210301:VirtualMachine" }, { type: "azure-native:compute/v20210401:VirtualMachine" }, { type: "azure-native:compute/v20210701:VirtualMachine" }, { type: "azure-native:compute/v20211101:VirtualMachine" }, { type: "azure-native:compute/v20220301:VirtualMachine" }, { type: "azure-native:compute/v20220801:VirtualMachine" }, { type: "azure-native:compute/v20221101:VirtualMachine" }, { type: "azure-native:compute/v20230301:VirtualMachine" }, { type: "azure-native:compute/v20230701:VirtualMachine" }, { type: "azure-native:compute/v20230901:VirtualMachine" }, { type: "azure-native:compute/v20240301:VirtualMachine" }, { type: "azure-native:compute/v20240701:VirtualMachine" }, { type: "azure-native:compute/v20241101:VirtualMachine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:VirtualMachine" }, { type: "azure-native:compute/v20230701:VirtualMachine" }, { type: "azure-native:compute/v20230901:VirtualMachine" }, { type: "azure-native:compute/v20240301:VirtualMachine" }, { type: "azure-native:compute/v20240701:VirtualMachine" }, { type: "azure-native_compute_v20150615:compute:VirtualMachine" }, { type: "azure-native_compute_v20160330:compute:VirtualMachine" }, { type: "azure-native_compute_v20160430preview:compute:VirtualMachine" }, { type: "azure-native_compute_v20170330:compute:VirtualMachine" }, { type: "azure-native_compute_v20171201:compute:VirtualMachine" }, { type: "azure-native_compute_v20180401:compute:VirtualMachine" }, { type: "azure-native_compute_v20180601:compute:VirtualMachine" }, { type: "azure-native_compute_v20181001:compute:VirtualMachine" }, { type: "azure-native_compute_v20190301:compute:VirtualMachine" }, { type: "azure-native_compute_v20190701:compute:VirtualMachine" }, { type: "azure-native_compute_v20191201:compute:VirtualMachine" }, { type: "azure-native_compute_v20200601:compute:VirtualMachine" }, { type: "azure-native_compute_v20201201:compute:VirtualMachine" }, { type: "azure-native_compute_v20210301:compute:VirtualMachine" }, { type: "azure-native_compute_v20210401:compute:VirtualMachine" }, { type: "azure-native_compute_v20210701:compute:VirtualMachine" }, { type: "azure-native_compute_v20211101:compute:VirtualMachine" }, { type: "azure-native_compute_v20220301:compute:VirtualMachine" }, { type: "azure-native_compute_v20220801:compute:VirtualMachine" }, { type: "azure-native_compute_v20221101:compute:VirtualMachine" }, { type: "azure-native_compute_v20230301:compute:VirtualMachine" }, { type: "azure-native_compute_v20230701:compute:VirtualMachine" }, { type: "azure-native_compute_v20230901:compute:VirtualMachine" }, { type: "azure-native_compute_v20240301:compute:VirtualMachine" }, { type: "azure-native_compute_v20240701:compute:VirtualMachine" }, { type: "azure-native_compute_v20241101:compute:VirtualMachine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/virtualMachineExtension.ts b/sdk/nodejs/compute/virtualMachineExtension.ts index de7ea40464ef..7606544d7911 100644 --- a/sdk/nodejs/compute/virtualMachineExtension.ts +++ b/sdk/nodejs/compute/virtualMachineExtension.ts @@ -167,7 +167,7 @@ export class VirtualMachineExtension extends pulumi.CustomResource { resourceInputs["typeHandlerVersion"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20150615:VirtualMachineExtension" }, { type: "azure-native:compute/v20160330:VirtualMachineExtension" }, { type: "azure-native:compute/v20160430preview:VirtualMachineExtension" }, { type: "azure-native:compute/v20170330:VirtualMachineExtension" }, { type: "azure-native:compute/v20171201:VirtualMachineExtension" }, { type: "azure-native:compute/v20180401:VirtualMachineExtension" }, { type: "azure-native:compute/v20180601:VirtualMachineExtension" }, { type: "azure-native:compute/v20181001:VirtualMachineExtension" }, { type: "azure-native:compute/v20190301:VirtualMachineExtension" }, { type: "azure-native:compute/v20190701:VirtualMachineExtension" }, { type: "azure-native:compute/v20191201:VirtualMachineExtension" }, { type: "azure-native:compute/v20200601:VirtualMachineExtension" }, { type: "azure-native:compute/v20201201:VirtualMachineExtension" }, { type: "azure-native:compute/v20210301:VirtualMachineExtension" }, { type: "azure-native:compute/v20210401:VirtualMachineExtension" }, { type: "azure-native:compute/v20210701:VirtualMachineExtension" }, { type: "azure-native:compute/v20211101:VirtualMachineExtension" }, { type: "azure-native:compute/v20220301:VirtualMachineExtension" }, { type: "azure-native:compute/v20220801:VirtualMachineExtension" }, { type: "azure-native:compute/v20221101:VirtualMachineExtension" }, { type: "azure-native:compute/v20230301:VirtualMachineExtension" }, { type: "azure-native:compute/v20230701:VirtualMachineExtension" }, { type: "azure-native:compute/v20230901:VirtualMachineExtension" }, { type: "azure-native:compute/v20240301:VirtualMachineExtension" }, { type: "azure-native:compute/v20240701:VirtualMachineExtension" }, { type: "azure-native:compute/v20241101:VirtualMachineExtension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20211101:VirtualMachineExtension" }, { type: "azure-native:compute/v20230301:VirtualMachineExtension" }, { type: "azure-native:compute/v20230701:VirtualMachineExtension" }, { type: "azure-native:compute/v20230901:VirtualMachineExtension" }, { type: "azure-native:compute/v20240301:VirtualMachineExtension" }, { type: "azure-native:compute/v20240701:VirtualMachineExtension" }, { type: "azure-native_compute_v20150615:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20160330:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20160430preview:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20170330:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20171201:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20180401:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20180601:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20181001:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20190301:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20190701:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20191201:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20200601:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20201201:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20210301:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20210401:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20210701:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20211101:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20220301:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20220801:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20221101:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20230301:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20230701:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20230901:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20240301:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20240701:compute:VirtualMachineExtension" }, { type: "azure-native_compute_v20241101:compute:VirtualMachineExtension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineExtension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/virtualMachineRunCommandByVirtualMachine.ts b/sdk/nodejs/compute/virtualMachineRunCommandByVirtualMachine.ts index c1cea82bcee2..59e24ec75e71 100644 --- a/sdk/nodejs/compute/virtualMachineRunCommandByVirtualMachine.ts +++ b/sdk/nodejs/compute/virtualMachineRunCommandByVirtualMachine.ts @@ -179,7 +179,7 @@ export class VirtualMachineRunCommandByVirtualMachine extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20200601:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20201201:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20210301:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20210401:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20210701:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20211101:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20220301:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20220801:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20221101:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20230301:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20230701:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20230901:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20240301:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20240701:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20241101:VirtualMachineRunCommandByVirtualMachine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20230701:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20230901:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20240301:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native:compute/v20240701:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20200601:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20201201:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20210301:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20210401:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20210701:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20211101:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20220301:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20220801:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20221101:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20230301:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20230701:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20230901:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20240301:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20240701:compute:VirtualMachineRunCommandByVirtualMachine" }, { type: "azure-native_compute_v20241101:compute:VirtualMachineRunCommandByVirtualMachine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineRunCommandByVirtualMachine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/virtualMachineScaleSet.ts b/sdk/nodejs/compute/virtualMachineScaleSet.ts index c944cd0a9839..9d27c47f3975 100644 --- a/sdk/nodejs/compute/virtualMachineScaleSet.ts +++ b/sdk/nodejs/compute/virtualMachineScaleSet.ts @@ -265,7 +265,7 @@ export class VirtualMachineScaleSet extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20150615:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20160330:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20160430preview:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20170330:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20171201:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20180401:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20180601:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20181001:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20190301:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20190701:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20191201:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20200601:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20201201:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20210301:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20210401:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20210701:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20211101:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20220301:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20220801:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20221101:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20230301:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20230701:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20230901:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20240301:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20240701:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20241101:VirtualMachineScaleSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20230701:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20230901:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20240301:VirtualMachineScaleSet" }, { type: "azure-native:compute/v20240701:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20150615:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20160330:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20160430preview:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20170330:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20171201:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20180401:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20180601:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20181001:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20190301:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20190701:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20191201:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20200601:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20201201:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20210301:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20210401:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20210701:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20211101:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20220301:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20220801:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20221101:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20230301:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20230701:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20230901:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20240301:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20240701:compute:VirtualMachineScaleSet" }, { type: "azure-native_compute_v20241101:compute:VirtualMachineScaleSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineScaleSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/virtualMachineScaleSetExtension.ts b/sdk/nodejs/compute/virtualMachineScaleSetExtension.ts index b93aa376763e..d3d5a37c136c 100644 --- a/sdk/nodejs/compute/virtualMachineScaleSetExtension.ts +++ b/sdk/nodejs/compute/virtualMachineScaleSetExtension.ts @@ -149,7 +149,7 @@ export class VirtualMachineScaleSetExtension extends pulumi.CustomResource { resourceInputs["typeHandlerVersion"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20170330:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20171201:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20180401:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20180601:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20181001:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20190301:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20190701:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20191201:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20200601:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20201201:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20210301:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20210401:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20210701:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20211101:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20220301:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20220801:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20221101:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20230301:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20230701:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20230901:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20240301:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20240701:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20241101:VirtualMachineScaleSetExtension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20211101:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20230301:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20230701:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20230901:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20240301:VirtualMachineScaleSetExtension" }, { type: "azure-native:compute/v20240701:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20170330:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20171201:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20180401:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20180601:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20181001:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20190301:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20190701:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20191201:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20200601:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20201201:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20210301:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20210401:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20210701:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20211101:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20220301:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20220801:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20221101:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20230301:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20230701:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20230901:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20240301:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20240701:compute:VirtualMachineScaleSetExtension" }, { type: "azure-native_compute_v20241101:compute:VirtualMachineScaleSetExtension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineScaleSetExtension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/virtualMachineScaleSetVM.ts b/sdk/nodejs/compute/virtualMachineScaleSetVM.ts index 030c861d2c14..81ef98603af1 100644 --- a/sdk/nodejs/compute/virtualMachineScaleSetVM.ts +++ b/sdk/nodejs/compute/virtualMachineScaleSetVM.ts @@ -250,7 +250,7 @@ export class VirtualMachineScaleSetVM extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20171201:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20180401:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20180601:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20181001:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20190301:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20190701:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20191201:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20200601:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20201201:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20210301:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20210401:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20210701:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20211101:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20220301:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20220801:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20221101:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20230301:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20230701:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20230901:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20240301:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20240701:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20241101:VirtualMachineScaleSetVM" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20230701:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20230901:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20240301:VirtualMachineScaleSetVM" }, { type: "azure-native:compute/v20240701:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20171201:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20180401:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20180601:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20181001:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20190301:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20190701:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20191201:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20200601:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20201201:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20210301:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20210401:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20210701:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20211101:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20220301:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20220801:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20221101:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20230301:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20230701:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20230901:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20240301:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20240701:compute:VirtualMachineScaleSetVM" }, { type: "azure-native_compute_v20241101:compute:VirtualMachineScaleSetVM" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineScaleSetVM.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/virtualMachineScaleSetVMExtension.ts b/sdk/nodejs/compute/virtualMachineScaleSetVMExtension.ts index f17e09f17f4b..26dbebf21201 100644 --- a/sdk/nodejs/compute/virtualMachineScaleSetVMExtension.ts +++ b/sdk/nodejs/compute/virtualMachineScaleSetVMExtension.ts @@ -165,7 +165,7 @@ export class VirtualMachineScaleSetVMExtension extends pulumi.CustomResource { resourceInputs["typeHandlerVersion"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20190701:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20191201:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20200601:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20201201:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20210301:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20210401:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20210701:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20211101:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20220301:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20220801:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20221101:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20230301:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20230701:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20230901:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20240301:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20240701:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20241101:VirtualMachineScaleSetVMExtension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20211101:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20230301:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20230701:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20230901:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20240301:VirtualMachineScaleSetVMExtension" }, { type: "azure-native:compute/v20240701:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20190701:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20191201:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20200601:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20201201:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20210301:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20210401:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20210701:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20211101:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20220301:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20220801:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20221101:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20230301:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20230701:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20230901:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20240301:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20240701:compute:VirtualMachineScaleSetVMExtension" }, { type: "azure-native_compute_v20241101:compute:VirtualMachineScaleSetVMExtension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineScaleSetVMExtension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/compute/virtualMachineScaleSetVMRunCommand.ts b/sdk/nodejs/compute/virtualMachineScaleSetVMRunCommand.ts index 3290c3515112..a260f1833d81 100644 --- a/sdk/nodejs/compute/virtualMachineScaleSetVMRunCommand.ts +++ b/sdk/nodejs/compute/virtualMachineScaleSetVMRunCommand.ts @@ -183,7 +183,7 @@ export class VirtualMachineScaleSetVMRunCommand extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:compute/v20200601:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20201201:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20210301:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20210401:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20210701:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20211101:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20220301:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20220801:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20221101:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20230301:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20230701:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20230901:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20240301:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20240701:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20241101:VirtualMachineScaleSetVMRunCommand" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:compute/v20230301:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20230701:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20230901:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20240301:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native:compute/v20240701:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20200601:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20201201:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20210301:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20210401:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20210701:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20211101:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20220301:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20220801:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20221101:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20230301:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20230701:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20230901:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20240301:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20240701:compute:VirtualMachineScaleSetVMRunCommand" }, { type: "azure-native_compute_v20241101:compute:VirtualMachineScaleSetVMRunCommand" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineScaleSetVMRunCommand.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/confidentialledger/ledger.ts b/sdk/nodejs/confidentialledger/ledger.ts index feb4ea353d3d..cbea2efbf65d 100644 --- a/sdk/nodejs/confidentialledger/ledger.ts +++ b/sdk/nodejs/confidentialledger/ledger.ts @@ -103,7 +103,7 @@ export class Ledger extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:confidentialledger/v20201201preview:Ledger" }, { type: "azure-native:confidentialledger/v20210513preview:Ledger" }, { type: "azure-native:confidentialledger/v20220513:Ledger" }, { type: "azure-native:confidentialledger/v20220908preview:Ledger" }, { type: "azure-native:confidentialledger/v20230126preview:Ledger" }, { type: "azure-native:confidentialledger/v20230628preview:Ledger" }, { type: "azure-native:confidentialledger/v20240709preview:Ledger" }, { type: "azure-native:confidentialledger/v20240919preview:Ledger" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:confidentialledger/v20220513:Ledger" }, { type: "azure-native:confidentialledger/v20230126preview:Ledger" }, { type: "azure-native:confidentialledger/v20230628preview:Ledger" }, { type: "azure-native:confidentialledger/v20240709preview:Ledger" }, { type: "azure-native:confidentialledger/v20240919preview:Ledger" }, { type: "azure-native_confidentialledger_v20201201preview:confidentialledger:Ledger" }, { type: "azure-native_confidentialledger_v20210513preview:confidentialledger:Ledger" }, { type: "azure-native_confidentialledger_v20220513:confidentialledger:Ledger" }, { type: "azure-native_confidentialledger_v20220908preview:confidentialledger:Ledger" }, { type: "azure-native_confidentialledger_v20230126preview:confidentialledger:Ledger" }, { type: "azure-native_confidentialledger_v20230628preview:confidentialledger:Ledger" }, { type: "azure-native_confidentialledger_v20240709preview:confidentialledger:Ledger" }, { type: "azure-native_confidentialledger_v20240919preview:confidentialledger:Ledger" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ledger.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/confidentialledger/managedCCF.ts b/sdk/nodejs/confidentialledger/managedCCF.ts index 7d1c6a865583..e7695167ad07 100644 --- a/sdk/nodejs/confidentialledger/managedCCF.ts +++ b/sdk/nodejs/confidentialledger/managedCCF.ts @@ -103,7 +103,7 @@ export class ManagedCCF extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:confidentialledger/v20220908preview:ManagedCCF" }, { type: "azure-native:confidentialledger/v20230126preview:ManagedCCF" }, { type: "azure-native:confidentialledger/v20230628preview:ManagedCCF" }, { type: "azure-native:confidentialledger/v20240709preview:ManagedCCF" }, { type: "azure-native:confidentialledger/v20240919preview:ManagedCCF" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:confidentialledger/v20230126preview:ManagedCCF" }, { type: "azure-native:confidentialledger/v20230628preview:ManagedCCF" }, { type: "azure-native:confidentialledger/v20240709preview:ManagedCCF" }, { type: "azure-native:confidentialledger/v20240919preview:ManagedCCF" }, { type: "azure-native_confidentialledger_v20220908preview:confidentialledger:ManagedCCF" }, { type: "azure-native_confidentialledger_v20230126preview:confidentialledger:ManagedCCF" }, { type: "azure-native_confidentialledger_v20230628preview:confidentialledger:ManagedCCF" }, { type: "azure-native_confidentialledger_v20240709preview:confidentialledger:ManagedCCF" }, { type: "azure-native_confidentialledger_v20240919preview:confidentialledger:ManagedCCF" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedCCF.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/confluent/connector.ts b/sdk/nodejs/confluent/connector.ts index b8b6f64fb131..e811d6b258fc 100644 --- a/sdk/nodejs/confluent/connector.ts +++ b/sdk/nodejs/confluent/connector.ts @@ -113,7 +113,7 @@ export class Connector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:confluent/v20240701:Connector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:confluent/v20240701:Connector" }, { type: "azure-native_confluent_v20240701:confluent:Connector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Connector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/confluent/organization.ts b/sdk/nodejs/confluent/organization.ts index 37892afc6241..ac58420301e7 100644 --- a/sdk/nodejs/confluent/organization.ts +++ b/sdk/nodejs/confluent/organization.ts @@ -140,7 +140,7 @@ export class Organization extends pulumi.CustomResource { resourceInputs["userDetail"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:confluent/v20200301:Organization" }, { type: "azure-native:confluent/v20200301preview:Organization" }, { type: "azure-native:confluent/v20210301preview:Organization" }, { type: "azure-native:confluent/v20210901preview:Organization" }, { type: "azure-native:confluent/v20211201:Organization" }, { type: "azure-native:confluent/v20230822:Organization" }, { type: "azure-native:confluent/v20240213:Organization" }, { type: "azure-native:confluent/v20240701:Organization" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:confluent/v20200301preview:Organization" }, { type: "azure-native:confluent/v20211201:Organization" }, { type: "azure-native:confluent/v20230822:Organization" }, { type: "azure-native:confluent/v20240213:Organization" }, { type: "azure-native:confluent/v20240701:Organization" }, { type: "azure-native_confluent_v20200301:confluent:Organization" }, { type: "azure-native_confluent_v20200301preview:confluent:Organization" }, { type: "azure-native_confluent_v20210301preview:confluent:Organization" }, { type: "azure-native_confluent_v20210901preview:confluent:Organization" }, { type: "azure-native_confluent_v20211201:confluent:Organization" }, { type: "azure-native_confluent_v20230822:confluent:Organization" }, { type: "azure-native_confluent_v20240213:confluent:Organization" }, { type: "azure-native_confluent_v20240701:confluent:Organization" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Organization.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/confluent/organizationClusterById.ts b/sdk/nodejs/confluent/organizationClusterById.ts index 74869b3766da..b210dee68d29 100644 --- a/sdk/nodejs/confluent/organizationClusterById.ts +++ b/sdk/nodejs/confluent/organizationClusterById.ts @@ -110,7 +110,7 @@ export class OrganizationClusterById extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:confluent/v20240701:OrganizationClusterById" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:confluent/v20240701:OrganizationClusterById" }, { type: "azure-native_confluent_v20240701:confluent:OrganizationClusterById" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OrganizationClusterById.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/confluent/organizationEnvironmentById.ts b/sdk/nodejs/confluent/organizationEnvironmentById.ts index 8b56f8f33be7..6d77589bac2c 100644 --- a/sdk/nodejs/confluent/organizationEnvironmentById.ts +++ b/sdk/nodejs/confluent/organizationEnvironmentById.ts @@ -100,7 +100,7 @@ export class OrganizationEnvironmentById extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:confluent/v20240701:OrganizationEnvironmentById" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:confluent/v20240701:OrganizationEnvironmentById" }, { type: "azure-native_confluent_v20240701:confluent:OrganizationEnvironmentById" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OrganizationEnvironmentById.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/confluent/topic.ts b/sdk/nodejs/confluent/topic.ts index 328a5b30c290..553a8566a569 100644 --- a/sdk/nodejs/confluent/topic.ts +++ b/sdk/nodejs/confluent/topic.ts @@ -143,7 +143,7 @@ export class Topic extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:confluent/v20240701:Topic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:confluent/v20240701:Topic" }, { type: "azure-native_confluent_v20240701:confluent:Topic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Topic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedcache/cacheNodesOperation.ts b/sdk/nodejs/connectedcache/cacheNodesOperation.ts index 84e1d020123d..6890310b3176 100644 --- a/sdk/nodejs/connectedcache/cacheNodesOperation.ts +++ b/sdk/nodejs/connectedcache/cacheNodesOperation.ts @@ -101,7 +101,7 @@ export class CacheNodesOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:CacheNodesOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:CacheNodesOperation" }, { type: "azure-native_connectedcache_v20230501preview:connectedcache:CacheNodesOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CacheNodesOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedcache/enterpriseCustomerOperation.ts b/sdk/nodejs/connectedcache/enterpriseCustomerOperation.ts index bd96e50adbf3..a7cf4866d975 100644 --- a/sdk/nodejs/connectedcache/enterpriseCustomerOperation.ts +++ b/sdk/nodejs/connectedcache/enterpriseCustomerOperation.ts @@ -101,7 +101,7 @@ export class EnterpriseCustomerOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:EnterpriseCustomerOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:EnterpriseCustomerOperation" }, { type: "azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseCustomerOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EnterpriseCustomerOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedcache/enterpriseMccCacheNodesOperation.ts b/sdk/nodejs/connectedcache/enterpriseMccCacheNodesOperation.ts index 8fad98b36630..67df30541458 100644 --- a/sdk/nodejs/connectedcache/enterpriseMccCacheNodesOperation.ts +++ b/sdk/nodejs/connectedcache/enterpriseMccCacheNodesOperation.ts @@ -105,7 +105,7 @@ export class EnterpriseMccCacheNodesOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:EnterpriseMccCacheNodesOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:EnterpriseMccCacheNodesOperation" }, { type: "azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseMccCacheNodesOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EnterpriseMccCacheNodesOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedcache/enterpriseMccCustomer.ts b/sdk/nodejs/connectedcache/enterpriseMccCustomer.ts index a71e887b37ad..a113f10926d3 100644 --- a/sdk/nodejs/connectedcache/enterpriseMccCustomer.ts +++ b/sdk/nodejs/connectedcache/enterpriseMccCustomer.ts @@ -101,7 +101,7 @@ export class EnterpriseMccCustomer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:EnterpriseMccCustomer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:EnterpriseMccCustomer" }, { type: "azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseMccCustomer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EnterpriseMccCustomer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedcache/ispCacheNodesOperation.ts b/sdk/nodejs/connectedcache/ispCacheNodesOperation.ts index 5bcfa36408e5..dbe5f49430e4 100644 --- a/sdk/nodejs/connectedcache/ispCacheNodesOperation.ts +++ b/sdk/nodejs/connectedcache/ispCacheNodesOperation.ts @@ -105,7 +105,7 @@ export class IspCacheNodesOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:IspCacheNodesOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:IspCacheNodesOperation" }, { type: "azure-native_connectedcache_v20230501preview:connectedcache:IspCacheNodesOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IspCacheNodesOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedcache/ispCustomer.ts b/sdk/nodejs/connectedcache/ispCustomer.ts index f7e376893761..c66ac7021c13 100644 --- a/sdk/nodejs/connectedcache/ispCustomer.ts +++ b/sdk/nodejs/connectedcache/ispCustomer.ts @@ -101,7 +101,7 @@ export class IspCustomer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:IspCustomer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedcache/v20230501preview:IspCustomer" }, { type: "azure-native_connectedcache_v20230501preview:connectedcache:IspCustomer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IspCustomer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/cluster.ts b/sdk/nodejs/connectedvmwarevsphere/cluster.ts index d9eec4ccfb54..fe0730e44205 100644 --- a/sdk/nodejs/connectedvmwarevsphere/cluster.ts +++ b/sdk/nodejs/connectedvmwarevsphere/cluster.ts @@ -193,7 +193,7 @@ export class Cluster extends pulumi.CustomResource { resourceInputs["vCenterId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:Cluster" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:Cluster" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:Cluster" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:Cluster" }, { type: "azure-native:connectedvmwarevsphere/v20231001:Cluster" }, { type: "azure-native:connectedvmwarevsphere/v20231201:Cluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220715preview:Cluster" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:Cluster" }, { type: "azure-native:connectedvmwarevsphere/v20231001:Cluster" }, { type: "azure-native:connectedvmwarevsphere/v20231201:Cluster" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:Cluster" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:Cluster" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Cluster" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Cluster" }, { type: "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Cluster" }, { type: "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Cluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/datastore.ts b/sdk/nodejs/connectedvmwarevsphere/datastore.ts index 1bbcb6878ede..5f430c39f9ef 100644 --- a/sdk/nodejs/connectedvmwarevsphere/datastore.ts +++ b/sdk/nodejs/connectedvmwarevsphere/datastore.ts @@ -169,7 +169,7 @@ export class Datastore extends pulumi.CustomResource { resourceInputs["vCenterId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:Datastore" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:Datastore" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:Datastore" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:Datastore" }, { type: "azure-native:connectedvmwarevsphere/v20231001:Datastore" }, { type: "azure-native:connectedvmwarevsphere/v20231201:Datastore" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220715preview:Datastore" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:Datastore" }, { type: "azure-native:connectedvmwarevsphere/v20231001:Datastore" }, { type: "azure-native:connectedvmwarevsphere/v20231201:Datastore" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:Datastore" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:Datastore" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Datastore" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Datastore" }, { type: "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Datastore" }, { type: "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Datastore" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Datastore.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/guestAgent.ts b/sdk/nodejs/connectedvmwarevsphere/guestAgent.ts index d235a3ed8003..2f08a3d0ec75 100644 --- a/sdk/nodejs/connectedvmwarevsphere/guestAgent.ts +++ b/sdk/nodejs/connectedvmwarevsphere/guestAgent.ts @@ -142,7 +142,7 @@ export class GuestAgent extends pulumi.CustomResource { resourceInputs["uuid"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:GuestAgent" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:GuestAgent" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:GuestAgent" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:GuestAgent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220715preview:GuestAgent" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:GuestAgent" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:GuestAgent" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:GuestAgent" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:GuestAgent" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:GuestAgent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GuestAgent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/host.ts b/sdk/nodejs/connectedvmwarevsphere/host.ts index ee2980a488e8..fbae05c35e01 100644 --- a/sdk/nodejs/connectedvmwarevsphere/host.ts +++ b/sdk/nodejs/connectedvmwarevsphere/host.ts @@ -193,7 +193,7 @@ export class Host extends pulumi.CustomResource { resourceInputs["vCenterId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:Host" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:Host" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:Host" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:Host" }, { type: "azure-native:connectedvmwarevsphere/v20231001:Host" }, { type: "azure-native:connectedvmwarevsphere/v20231201:Host" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220715preview:Host" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:Host" }, { type: "azure-native:connectedvmwarevsphere/v20231001:Host" }, { type: "azure-native:connectedvmwarevsphere/v20231201:Host" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:Host" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:Host" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Host" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Host" }, { type: "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Host" }, { type: "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Host" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Host.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/hybridIdentityMetadatum.ts b/sdk/nodejs/connectedvmwarevsphere/hybridIdentityMetadatum.ts index 19e1b759628d..f3cd6b32cabe 100644 --- a/sdk/nodejs/connectedvmwarevsphere/hybridIdentityMetadatum.ts +++ b/sdk/nodejs/connectedvmwarevsphere/hybridIdentityMetadatum.ts @@ -113,7 +113,7 @@ export class HybridIdentityMetadatum extends pulumi.CustomResource { resourceInputs["vmId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:HybridIdentityMetadatum" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:HybridIdentityMetadatum" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:HybridIdentityMetadatum" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:HybridIdentityMetadatum" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220715preview:HybridIdentityMetadatum" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:HybridIdentityMetadatum" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:HybridIdentityMetadatum" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:HybridIdentityMetadatum" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:HybridIdentityMetadatum" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:HybridIdentityMetadatum" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HybridIdentityMetadatum.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/inventoryItem.ts b/sdk/nodejs/connectedvmwarevsphere/inventoryItem.ts index 113f66b7d1d1..5ab16bc61309 100644 --- a/sdk/nodejs/connectedvmwarevsphere/inventoryItem.ts +++ b/sdk/nodejs/connectedvmwarevsphere/inventoryItem.ts @@ -128,7 +128,7 @@ export class InventoryItem extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:InventoryItem" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:InventoryItem" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:InventoryItem" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:InventoryItem" }, { type: "azure-native:connectedvmwarevsphere/v20231001:InventoryItem" }, { type: "azure-native:connectedvmwarevsphere/v20231201:InventoryItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220715preview:InventoryItem" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:InventoryItem" }, { type: "azure-native:connectedvmwarevsphere/v20231001:InventoryItem" }, { type: "azure-native:connectedvmwarevsphere/v20231201:InventoryItem" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:InventoryItem" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:InventoryItem" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:InventoryItem" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:InventoryItem" }, { type: "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:InventoryItem" }, { type: "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:InventoryItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InventoryItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/machineExtension.ts b/sdk/nodejs/connectedvmwarevsphere/machineExtension.ts index 08d5ca15af77..8e0a3f133a69 100644 --- a/sdk/nodejs/connectedvmwarevsphere/machineExtension.ts +++ b/sdk/nodejs/connectedvmwarevsphere/machineExtension.ts @@ -155,7 +155,7 @@ export class MachineExtension extends pulumi.CustomResource { resourceInputs["typeHandlerVersion"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:MachineExtension" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:MachineExtension" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:MachineExtension" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:MachineExtension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220110preview:MachineExtension" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:MachineExtension" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:MachineExtension" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:MachineExtension" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:MachineExtension" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:MachineExtension" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:MachineExtension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MachineExtension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/resourcePool.ts b/sdk/nodejs/connectedvmwarevsphere/resourcePool.ts index 4ab94050de0a..04ace7f9b818 100644 --- a/sdk/nodejs/connectedvmwarevsphere/resourcePool.ts +++ b/sdk/nodejs/connectedvmwarevsphere/resourcePool.ts @@ -235,7 +235,7 @@ export class ResourcePool extends pulumi.CustomResource { resourceInputs["vCenterId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:ResourcePool" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:ResourcePool" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:ResourcePool" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:ResourcePool" }, { type: "azure-native:connectedvmwarevsphere/v20231001:ResourcePool" }, { type: "azure-native:connectedvmwarevsphere/v20231201:ResourcePool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220715preview:ResourcePool" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:ResourcePool" }, { type: "azure-native:connectedvmwarevsphere/v20231001:ResourcePool" }, { type: "azure-native:connectedvmwarevsphere/v20231201:ResourcePool" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:ResourcePool" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:ResourcePool" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:ResourcePool" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:ResourcePool" }, { type: "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:ResourcePool" }, { type: "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:ResourcePool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ResourcePool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/vcenter.ts b/sdk/nodejs/connectedvmwarevsphere/vcenter.ts index 52936026d112..b635f2818904 100644 --- a/sdk/nodejs/connectedvmwarevsphere/vcenter.ts +++ b/sdk/nodejs/connectedvmwarevsphere/vcenter.ts @@ -172,7 +172,7 @@ export class VCenter extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:VCenter" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:VCenter" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:VCenter" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:VCenter" }, { type: "azure-native:connectedvmwarevsphere/v20231001:VCenter" }, { type: "azure-native:connectedvmwarevsphere/v20231201:VCenter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220715preview:VCenter" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:VCenter" }, { type: "azure-native:connectedvmwarevsphere/v20231001:VCenter" }, { type: "azure-native:connectedvmwarevsphere/v20231201:VCenter" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VCenter" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VCenter" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VCenter" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VCenter" }, { type: "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VCenter" }, { type: "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VCenter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VCenter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/virtualMachine.ts b/sdk/nodejs/connectedvmwarevsphere/virtualMachine.ts index af020144ffc0..2512fad92b1c 100644 --- a/sdk/nodejs/connectedvmwarevsphere/virtualMachine.ts +++ b/sdk/nodejs/connectedvmwarevsphere/virtualMachine.ts @@ -254,7 +254,7 @@ export class VirtualMachine extends pulumi.CustomResource { resourceInputs["vmId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:VirtualMachine" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:VirtualMachine" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachine" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachine" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachine" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VirtualMachine" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VirtualMachine" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualMachine" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/virtualMachineInstance.ts b/sdk/nodejs/connectedvmwarevsphere/virtualMachineInstance.ts index 41d429cf968f..e3efd57d4a97 100644 --- a/sdk/nodejs/connectedvmwarevsphere/virtualMachineInstance.ts +++ b/sdk/nodejs/connectedvmwarevsphere/virtualMachineInstance.ts @@ -156,7 +156,7 @@ export class VirtualMachineInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineInstance" }, { type: "azure-native:connectedvmwarevsphere/v20231001:VirtualMachineInstance" }, { type: "azure-native:connectedvmwarevsphere/v20231201:VirtualMachineInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineInstance" }, { type: "azure-native:connectedvmwarevsphere/v20231001:VirtualMachineInstance" }, { type: "azure-native:connectedvmwarevsphere/v20231201:VirtualMachineInstance" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachineInstance" }, { type: "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualMachineInstance" }, { type: "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualMachineInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/virtualMachineTemplate.ts b/sdk/nodejs/connectedvmwarevsphere/virtualMachineTemplate.ts index 452eeed9b450..09980ec7d660 100644 --- a/sdk/nodejs/connectedvmwarevsphere/virtualMachineTemplate.ts +++ b/sdk/nodejs/connectedvmwarevsphere/virtualMachineTemplate.ts @@ -225,7 +225,7 @@ export class VirtualMachineTemplate extends pulumi.CustomResource { resourceInputs["vCenterId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:VirtualMachineTemplate" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:VirtualMachineTemplate" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachineTemplate" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineTemplate" }, { type: "azure-native:connectedvmwarevsphere/v20231001:VirtualMachineTemplate" }, { type: "azure-native:connectedvmwarevsphere/v20231201:VirtualMachineTemplate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachineTemplate" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineTemplate" }, { type: "azure-native:connectedvmwarevsphere/v20231001:VirtualMachineTemplate" }, { type: "azure-native:connectedvmwarevsphere/v20231201:VirtualMachineTemplate" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VirtualMachineTemplate" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VirtualMachineTemplate" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualMachineTemplate" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachineTemplate" }, { type: "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualMachineTemplate" }, { type: "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualMachineTemplate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineTemplate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/virtualNetwork.ts b/sdk/nodejs/connectedvmwarevsphere/virtualNetwork.ts index 0a3f8854b496..f8a3fe2b099c 100644 --- a/sdk/nodejs/connectedvmwarevsphere/virtualNetwork.ts +++ b/sdk/nodejs/connectedvmwarevsphere/virtualNetwork.ts @@ -157,7 +157,7 @@ export class VirtualNetwork extends pulumi.CustomResource { resourceInputs["vCenterId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20201001preview:VirtualNetwork" }, { type: "azure-native:connectedvmwarevsphere/v20220110preview:VirtualNetwork" }, { type: "azure-native:connectedvmwarevsphere/v20220715preview:VirtualNetwork" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:VirtualNetwork" }, { type: "azure-native:connectedvmwarevsphere/v20231001:VirtualNetwork" }, { type: "azure-native:connectedvmwarevsphere/v20231201:VirtualNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20220715preview:VirtualNetwork" }, { type: "azure-native:connectedvmwarevsphere/v20230301preview:VirtualNetwork" }, { type: "azure-native:connectedvmwarevsphere/v20231001:VirtualNetwork" }, { type: "azure-native:connectedvmwarevsphere/v20231201:VirtualNetwork" }, { type: "azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VirtualNetwork" }, { type: "azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VirtualNetwork" }, { type: "azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualNetwork" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualNetwork" }, { type: "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualNetwork" }, { type: "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/connectedvmwarevsphere/vminstanceGuestAgent.ts b/sdk/nodejs/connectedvmwarevsphere/vminstanceGuestAgent.ts index fe9b3103536c..05ae38e0aac6 100644 --- a/sdk/nodejs/connectedvmwarevsphere/vminstanceGuestAgent.ts +++ b/sdk/nodejs/connectedvmwarevsphere/vminstanceGuestAgent.ts @@ -138,7 +138,7 @@ export class VMInstanceGuestAgent extends pulumi.CustomResource { resourceInputs["uuid"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20230301preview:VMInstanceGuestAgent" }, { type: "azure-native:connectedvmwarevsphere/v20231001:VMInstanceGuestAgent" }, { type: "azure-native:connectedvmwarevsphere/v20231201:VMInstanceGuestAgent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:connectedvmwarevsphere/v20230301preview:VMInstanceGuestAgent" }, { type: "azure-native:connectedvmwarevsphere/v20231001:VMInstanceGuestAgent" }, { type: "azure-native:connectedvmwarevsphere/v20231201:VMInstanceGuestAgent" }, { type: "azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VMInstanceGuestAgent" }, { type: "azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VMInstanceGuestAgent" }, { type: "azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VMInstanceGuestAgent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VMInstanceGuestAgent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/consumption/budget.ts b/sdk/nodejs/consumption/budget.ts index 4656f59dc6b8..90472ee7da2b 100644 --- a/sdk/nodejs/consumption/budget.ts +++ b/sdk/nodejs/consumption/budget.ts @@ -145,7 +145,7 @@ export class Budget extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:consumption/v20190101:Budget" }, { type: "azure-native:consumption/v20190401preview:Budget" }, { type: "azure-native:consumption/v20190501:Budget" }, { type: "azure-native:consumption/v20190501preview:Budget" }, { type: "azure-native:consumption/v20190601:Budget" }, { type: "azure-native:consumption/v20191001:Budget" }, { type: "azure-native:consumption/v20191101:Budget" }, { type: "azure-native:consumption/v20210501:Budget" }, { type: "azure-native:consumption/v20211001:Budget" }, { type: "azure-native:consumption/v20220901:Budget" }, { type: "azure-native:consumption/v20230301:Budget" }, { type: "azure-native:consumption/v20230501:Budget" }, { type: "azure-native:consumption/v20231101:Budget" }, { type: "azure-native:consumption/v20240801:Budget" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:consumption/v20230501:Budget" }, { type: "azure-native:consumption/v20231101:Budget" }, { type: "azure-native:consumption/v20240801:Budget" }, { type: "azure-native_consumption_v20190101:consumption:Budget" }, { type: "azure-native_consumption_v20190401preview:consumption:Budget" }, { type: "azure-native_consumption_v20190501:consumption:Budget" }, { type: "azure-native_consumption_v20190501preview:consumption:Budget" }, { type: "azure-native_consumption_v20190601:consumption:Budget" }, { type: "azure-native_consumption_v20191001:consumption:Budget" }, { type: "azure-native_consumption_v20191101:consumption:Budget" }, { type: "azure-native_consumption_v20210501:consumption:Budget" }, { type: "azure-native_consumption_v20211001:consumption:Budget" }, { type: "azure-native_consumption_v20220901:consumption:Budget" }, { type: "azure-native_consumption_v20230301:consumption:Budget" }, { type: "azure-native_consumption_v20230501:consumption:Budget" }, { type: "azure-native_consumption_v20231101:consumption:Budget" }, { type: "azure-native_consumption_v20240801:consumption:Budget" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Budget.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerinstance/containerGroup.ts b/sdk/nodejs/containerinstance/containerGroup.ts index a919bf240fc3..e03ae726ab59 100644 --- a/sdk/nodejs/containerinstance/containerGroup.ts +++ b/sdk/nodejs/containerinstance/containerGroup.ts @@ -229,7 +229,7 @@ export class ContainerGroup extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerinstance/v20170801preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20171001preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20171201preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20180201preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20180401:ContainerGroup" }, { type: "azure-native:containerinstance/v20180601:ContainerGroup" }, { type: "azure-native:containerinstance/v20180901:ContainerGroup" }, { type: "azure-native:containerinstance/v20181001:ContainerGroup" }, { type: "azure-native:containerinstance/v20191201:ContainerGroup" }, { type: "azure-native:containerinstance/v20201101:ContainerGroup" }, { type: "azure-native:containerinstance/v20210301:ContainerGroup" }, { type: "azure-native:containerinstance/v20210701:ContainerGroup" }, { type: "azure-native:containerinstance/v20210901:ContainerGroup" }, { type: "azure-native:containerinstance/v20211001:ContainerGroup" }, { type: "azure-native:containerinstance/v20220901:ContainerGroup" }, { type: "azure-native:containerinstance/v20221001preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20230201preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20230501:ContainerGroup" }, { type: "azure-native:containerinstance/v20240501preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20240901preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20241001preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20241101preview:ContainerGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerinstance/v20210301:ContainerGroup" }, { type: "azure-native:containerinstance/v20210701:ContainerGroup" }, { type: "azure-native:containerinstance/v20230201preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20230501:ContainerGroup" }, { type: "azure-native:containerinstance/v20240501preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20240901preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20241001preview:ContainerGroup" }, { type: "azure-native:containerinstance/v20241101preview:ContainerGroup" }, { type: "azure-native_containerinstance_v20170801preview:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20171001preview:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20171201preview:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20180201preview:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20180401:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20180601:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20180901:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20181001:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20191201:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20201101:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20210301:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20210701:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20210901:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20211001:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20220901:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20221001preview:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20230201preview:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20230501:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20240501preview:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20240901preview:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20241001preview:containerinstance:ContainerGroup" }, { type: "azure-native_containerinstance_v20241101preview:containerinstance:ContainerGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContainerGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerinstance/containerGroupProfile.ts b/sdk/nodejs/containerinstance/containerGroupProfile.ts index 0b5e0e518ba8..7b03855fbedf 100644 --- a/sdk/nodejs/containerinstance/containerGroupProfile.ts +++ b/sdk/nodejs/containerinstance/containerGroupProfile.ts @@ -188,7 +188,7 @@ export class ContainerGroupProfile extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerinstance/v20240501preview:ContainerGroupProfile" }, { type: "azure-native:containerinstance/v20241101preview:CGProfile" }, { type: "azure-native:containerinstance/v20241101preview:ContainerGroupProfile" }, { type: "azure-native:containerinstance:CGProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerinstance/v20240501preview:ContainerGroupProfile" }, { type: "azure-native:containerinstance/v20241101preview:CGProfile" }, { type: "azure-native:containerinstance:CGProfile" }, { type: "azure-native_containerinstance_v20240501preview:containerinstance:ContainerGroupProfile" }, { type: "azure-native_containerinstance_v20241101preview:containerinstance:ContainerGroupProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContainerGroupProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/agentPool.ts b/sdk/nodejs/containerregistry/agentPool.ts index 830d591830e3..e46bde254c4f 100644 --- a/sdk/nodejs/containerregistry/agentPool.ts +++ b/sdk/nodejs/containerregistry/agentPool.ts @@ -130,7 +130,7 @@ export class AgentPool extends pulumi.CustomResource { resourceInputs["virtualNetworkSubnetResourceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20190601preview:AgentPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20190601preview:AgentPool" }, { type: "azure-native_containerregistry_v20190601preview:containerregistry:AgentPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AgentPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/archife.ts b/sdk/nodejs/containerregistry/archife.ts index f12076fcba7b..bc02b94fdfb2 100644 --- a/sdk/nodejs/containerregistry/archife.ts +++ b/sdk/nodejs/containerregistry/archife.ts @@ -117,7 +117,7 @@ export class Archife extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230601preview:Archife" }, { type: "azure-native:containerregistry/v20230801preview:Archife" }, { type: "azure-native:containerregistry/v20231101preview:Archife" }, { type: "azure-native:containerregistry/v20241101preview:Archife" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230601preview:Archife" }, { type: "azure-native:containerregistry/v20230801preview:Archife" }, { type: "azure-native:containerregistry/v20231101preview:Archife" }, { type: "azure-native:containerregistry/v20241101preview:Archife" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:Archife" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:Archife" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:Archife" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:Archife" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Archife.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/archiveVersion.ts b/sdk/nodejs/containerregistry/archiveVersion.ts index 43c39de3fd9d..4f45fdc4a700 100644 --- a/sdk/nodejs/containerregistry/archiveVersion.ts +++ b/sdk/nodejs/containerregistry/archiveVersion.ts @@ -109,7 +109,7 @@ export class ArchiveVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230601preview:ArchiveVersion" }, { type: "azure-native:containerregistry/v20230801preview:ArchiveVersion" }, { type: "azure-native:containerregistry/v20231101preview:ArchiveVersion" }, { type: "azure-native:containerregistry/v20241101preview:ArchiveVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230601preview:ArchiveVersion" }, { type: "azure-native:containerregistry/v20230801preview:ArchiveVersion" }, { type: "azure-native:containerregistry/v20231101preview:ArchiveVersion" }, { type: "azure-native:containerregistry/v20241101preview:ArchiveVersion" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:ArchiveVersion" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:ArchiveVersion" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:ArchiveVersion" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:ArchiveVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ArchiveVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/cacheRule.ts b/sdk/nodejs/containerregistry/cacheRule.ts index 45173e9d2fcb..e2c77056ffc7 100644 --- a/sdk/nodejs/containerregistry/cacheRule.ts +++ b/sdk/nodejs/containerregistry/cacheRule.ts @@ -120,7 +120,7 @@ export class CacheRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230101preview:CacheRule" }, { type: "azure-native:containerregistry/v20230601preview:CacheRule" }, { type: "azure-native:containerregistry/v20230701:CacheRule" }, { type: "azure-native:containerregistry/v20230801preview:CacheRule" }, { type: "azure-native:containerregistry/v20231101preview:CacheRule" }, { type: "azure-native:containerregistry/v20241101preview:CacheRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230101preview:CacheRule" }, { type: "azure-native:containerregistry/v20230601preview:CacheRule" }, { type: "azure-native:containerregistry/v20230701:CacheRule" }, { type: "azure-native:containerregistry/v20230801preview:CacheRule" }, { type: "azure-native:containerregistry/v20231101preview:CacheRule" }, { type: "azure-native:containerregistry/v20241101preview:CacheRule" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:CacheRule" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:CacheRule" }, { type: "azure-native_containerregistry_v20230701:containerregistry:CacheRule" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:CacheRule" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:CacheRule" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:CacheRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CacheRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/connectedRegistry.ts b/sdk/nodejs/containerregistry/connectedRegistry.ts index ea18bdd47c76..04e44492f4cd 100644 --- a/sdk/nodejs/containerregistry/connectedRegistry.ts +++ b/sdk/nodejs/containerregistry/connectedRegistry.ts @@ -173,7 +173,7 @@ export class ConnectedRegistry extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20201101preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20210601preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20210801preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20211201preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20220201preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20230101preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20230601preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20230801preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20231101preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20241101preview:ConnectedRegistry" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230101preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20230601preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20230801preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20231101preview:ConnectedRegistry" }, { type: "azure-native:containerregistry/v20241101preview:ConnectedRegistry" }, { type: "azure-native_containerregistry_v20201101preview:containerregistry:ConnectedRegistry" }, { type: "azure-native_containerregistry_v20210601preview:containerregistry:ConnectedRegistry" }, { type: "azure-native_containerregistry_v20210801preview:containerregistry:ConnectedRegistry" }, { type: "azure-native_containerregistry_v20211201preview:containerregistry:ConnectedRegistry" }, { type: "azure-native_containerregistry_v20220201preview:containerregistry:ConnectedRegistry" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:ConnectedRegistry" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:ConnectedRegistry" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:ConnectedRegistry" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:ConnectedRegistry" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:ConnectedRegistry" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectedRegistry.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/credentialSet.ts b/sdk/nodejs/containerregistry/credentialSet.ts index 67f8beac2587..4794e60ed5a2 100644 --- a/sdk/nodejs/containerregistry/credentialSet.ts +++ b/sdk/nodejs/containerregistry/credentialSet.ts @@ -120,7 +120,7 @@ export class CredentialSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230101preview:CredentialSet" }, { type: "azure-native:containerregistry/v20230601preview:CredentialSet" }, { type: "azure-native:containerregistry/v20230701:CredentialSet" }, { type: "azure-native:containerregistry/v20230801preview:CredentialSet" }, { type: "azure-native:containerregistry/v20231101preview:CredentialSet" }, { type: "azure-native:containerregistry/v20241101preview:CredentialSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230101preview:CredentialSet" }, { type: "azure-native:containerregistry/v20230601preview:CredentialSet" }, { type: "azure-native:containerregistry/v20230701:CredentialSet" }, { type: "azure-native:containerregistry/v20230801preview:CredentialSet" }, { type: "azure-native:containerregistry/v20231101preview:CredentialSet" }, { type: "azure-native:containerregistry/v20241101preview:CredentialSet" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:CredentialSet" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:CredentialSet" }, { type: "azure-native_containerregistry_v20230701:containerregistry:CredentialSet" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:CredentialSet" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:CredentialSet" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:CredentialSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CredentialSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/exportPipeline.ts b/sdk/nodejs/containerregistry/exportPipeline.ts index ebd91db47adb..a4290facc18b 100644 --- a/sdk/nodejs/containerregistry/exportPipeline.ts +++ b/sdk/nodejs/containerregistry/exportPipeline.ts @@ -122,7 +122,7 @@ export class ExportPipeline extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20191201preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20201101preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20210601preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20210801preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20211201preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20220201preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20230101preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20230601preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20230801preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20231101preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20241101preview:ExportPipeline" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230101preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20230601preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20230801preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20231101preview:ExportPipeline" }, { type: "azure-native:containerregistry/v20241101preview:ExportPipeline" }, { type: "azure-native_containerregistry_v20191201preview:containerregistry:ExportPipeline" }, { type: "azure-native_containerregistry_v20201101preview:containerregistry:ExportPipeline" }, { type: "azure-native_containerregistry_v20210601preview:containerregistry:ExportPipeline" }, { type: "azure-native_containerregistry_v20210801preview:containerregistry:ExportPipeline" }, { type: "azure-native_containerregistry_v20211201preview:containerregistry:ExportPipeline" }, { type: "azure-native_containerregistry_v20220201preview:containerregistry:ExportPipeline" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:ExportPipeline" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:ExportPipeline" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:ExportPipeline" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:ExportPipeline" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:ExportPipeline" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExportPipeline.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/importPipeline.ts b/sdk/nodejs/containerregistry/importPipeline.ts index 9ea850fc969c..6569f6911f2c 100644 --- a/sdk/nodejs/containerregistry/importPipeline.ts +++ b/sdk/nodejs/containerregistry/importPipeline.ts @@ -128,7 +128,7 @@ export class ImportPipeline extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20191201preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20201101preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20210601preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20210801preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20211201preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20220201preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20230101preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20230601preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20230801preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20231101preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20241101preview:ImportPipeline" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230101preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20230601preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20230801preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20231101preview:ImportPipeline" }, { type: "azure-native:containerregistry/v20241101preview:ImportPipeline" }, { type: "azure-native_containerregistry_v20191201preview:containerregistry:ImportPipeline" }, { type: "azure-native_containerregistry_v20201101preview:containerregistry:ImportPipeline" }, { type: "azure-native_containerregistry_v20210601preview:containerregistry:ImportPipeline" }, { type: "azure-native_containerregistry_v20210801preview:containerregistry:ImportPipeline" }, { type: "azure-native_containerregistry_v20211201preview:containerregistry:ImportPipeline" }, { type: "azure-native_containerregistry_v20220201preview:containerregistry:ImportPipeline" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:ImportPipeline" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:ImportPipeline" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:ImportPipeline" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:ImportPipeline" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:ImportPipeline" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ImportPipeline.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/pipelineRun.ts b/sdk/nodejs/containerregistry/pipelineRun.ts index 40bf17fda694..701819ea7f82 100644 --- a/sdk/nodejs/containerregistry/pipelineRun.ts +++ b/sdk/nodejs/containerregistry/pipelineRun.ts @@ -113,7 +113,7 @@ export class PipelineRun extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20191201preview:PipelineRun" }, { type: "azure-native:containerregistry/v20201101preview:PipelineRun" }, { type: "azure-native:containerregistry/v20210601preview:PipelineRun" }, { type: "azure-native:containerregistry/v20210801preview:PipelineRun" }, { type: "azure-native:containerregistry/v20211201preview:PipelineRun" }, { type: "azure-native:containerregistry/v20220201preview:PipelineRun" }, { type: "azure-native:containerregistry/v20230101preview:PipelineRun" }, { type: "azure-native:containerregistry/v20230601preview:PipelineRun" }, { type: "azure-native:containerregistry/v20230801preview:PipelineRun" }, { type: "azure-native:containerregistry/v20231101preview:PipelineRun" }, { type: "azure-native:containerregistry/v20241101preview:PipelineRun" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20230101preview:PipelineRun" }, { type: "azure-native:containerregistry/v20230601preview:PipelineRun" }, { type: "azure-native:containerregistry/v20230801preview:PipelineRun" }, { type: "azure-native:containerregistry/v20231101preview:PipelineRun" }, { type: "azure-native:containerregistry/v20241101preview:PipelineRun" }, { type: "azure-native_containerregistry_v20191201preview:containerregistry:PipelineRun" }, { type: "azure-native_containerregistry_v20201101preview:containerregistry:PipelineRun" }, { type: "azure-native_containerregistry_v20210601preview:containerregistry:PipelineRun" }, { type: "azure-native_containerregistry_v20210801preview:containerregistry:PipelineRun" }, { type: "azure-native_containerregistry_v20211201preview:containerregistry:PipelineRun" }, { type: "azure-native_containerregistry_v20220201preview:containerregistry:PipelineRun" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:PipelineRun" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:PipelineRun" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:PipelineRun" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:PipelineRun" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:PipelineRun" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PipelineRun.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/privateEndpointConnection.ts b/sdk/nodejs/containerregistry/privateEndpointConnection.ts index b166c7edb5b1..0bd20d5ed8e9 100644 --- a/sdk/nodejs/containerregistry/privateEndpointConnection.ts +++ b/sdk/nodejs/containerregistry/privateEndpointConnection.ts @@ -107,7 +107,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20191201preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20201101preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20210601preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20210801preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20210901:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20211201preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20220201preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20221201:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20230101preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20230601preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20230701:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20230801preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20231101preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20241101preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20221201:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20230101preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20230601preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20230701:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20230801preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20231101preview:PrivateEndpointConnection" }, { type: "azure-native:containerregistry/v20241101preview:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20191201preview:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20201101preview:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20210601preview:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20210801preview:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20210901:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20211201preview:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20220201preview:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20221201:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20230701:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:PrivateEndpointConnection" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/registry.ts b/sdk/nodejs/containerregistry/registry.ts index 60b2ea59935c..c50fac71fc59 100644 --- a/sdk/nodejs/containerregistry/registry.ts +++ b/sdk/nodejs/containerregistry/registry.ts @@ -202,7 +202,7 @@ export class Registry extends pulumi.CustomResource { resourceInputs["zoneRedundancy"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20170301:Registry" }, { type: "azure-native:containerregistry/v20171001:Registry" }, { type: "azure-native:containerregistry/v20190501:Registry" }, { type: "azure-native:containerregistry/v20191201preview:Registry" }, { type: "azure-native:containerregistry/v20201101preview:Registry" }, { type: "azure-native:containerregistry/v20210601preview:Registry" }, { type: "azure-native:containerregistry/v20210801preview:Registry" }, { type: "azure-native:containerregistry/v20210901:Registry" }, { type: "azure-native:containerregistry/v20211201preview:Registry" }, { type: "azure-native:containerregistry/v20220201preview:Registry" }, { type: "azure-native:containerregistry/v20221201:Registry" }, { type: "azure-native:containerregistry/v20230101preview:Registry" }, { type: "azure-native:containerregistry/v20230601preview:Registry" }, { type: "azure-native:containerregistry/v20230701:Registry" }, { type: "azure-native:containerregistry/v20230801preview:Registry" }, { type: "azure-native:containerregistry/v20231101preview:Registry" }, { type: "azure-native:containerregistry/v20241101preview:Registry" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20170301:Registry" }, { type: "azure-native:containerregistry/v20190501:Registry" }, { type: "azure-native:containerregistry/v20221201:Registry" }, { type: "azure-native:containerregistry/v20230101preview:Registry" }, { type: "azure-native:containerregistry/v20230601preview:Registry" }, { type: "azure-native:containerregistry/v20230701:Registry" }, { type: "azure-native:containerregistry/v20230801preview:Registry" }, { type: "azure-native:containerregistry/v20231101preview:Registry" }, { type: "azure-native:containerregistry/v20241101preview:Registry" }, { type: "azure-native_containerregistry_v20170301:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20171001:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20190501:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20191201preview:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20201101preview:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20210601preview:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20210801preview:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20210901:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20211201preview:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20220201preview:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20221201:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20230701:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:Registry" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:Registry" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Registry.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/replication.ts b/sdk/nodejs/containerregistry/replication.ts index d40f7f0c06b1..62f1eff119d7 100644 --- a/sdk/nodejs/containerregistry/replication.ts +++ b/sdk/nodejs/containerregistry/replication.ts @@ -125,7 +125,7 @@ export class Replication extends pulumi.CustomResource { resourceInputs["zoneRedundancy"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20171001:Replication" }, { type: "azure-native:containerregistry/v20190501:Replication" }, { type: "azure-native:containerregistry/v20191201preview:Replication" }, { type: "azure-native:containerregistry/v20201101preview:Replication" }, { type: "azure-native:containerregistry/v20210601preview:Replication" }, { type: "azure-native:containerregistry/v20210801preview:Replication" }, { type: "azure-native:containerregistry/v20210901:Replication" }, { type: "azure-native:containerregistry/v20211201preview:Replication" }, { type: "azure-native:containerregistry/v20220201preview:Replication" }, { type: "azure-native:containerregistry/v20221201:Replication" }, { type: "azure-native:containerregistry/v20230101preview:Replication" }, { type: "azure-native:containerregistry/v20230601preview:Replication" }, { type: "azure-native:containerregistry/v20230701:Replication" }, { type: "azure-native:containerregistry/v20230801preview:Replication" }, { type: "azure-native:containerregistry/v20231101preview:Replication" }, { type: "azure-native:containerregistry/v20241101preview:Replication" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20221201:Replication" }, { type: "azure-native:containerregistry/v20230101preview:Replication" }, { type: "azure-native:containerregistry/v20230601preview:Replication" }, { type: "azure-native:containerregistry/v20230701:Replication" }, { type: "azure-native:containerregistry/v20230801preview:Replication" }, { type: "azure-native:containerregistry/v20231101preview:Replication" }, { type: "azure-native:containerregistry/v20241101preview:Replication" }, { type: "azure-native_containerregistry_v20171001:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20190501:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20191201preview:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20201101preview:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20210601preview:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20210801preview:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20210901:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20211201preview:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20220201preview:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20221201:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20230701:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:Replication" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:Replication" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Replication.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/scopeMap.ts b/sdk/nodejs/containerregistry/scopeMap.ts index 673a34bd8cf1..d9170fa31b69 100644 --- a/sdk/nodejs/containerregistry/scopeMap.ts +++ b/sdk/nodejs/containerregistry/scopeMap.ts @@ -118,7 +118,7 @@ export class ScopeMap extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20190501preview:ScopeMap" }, { type: "azure-native:containerregistry/v20201101preview:ScopeMap" }, { type: "azure-native:containerregistry/v20210601preview:ScopeMap" }, { type: "azure-native:containerregistry/v20210801preview:ScopeMap" }, { type: "azure-native:containerregistry/v20211201preview:ScopeMap" }, { type: "azure-native:containerregistry/v20220201preview:ScopeMap" }, { type: "azure-native:containerregistry/v20221201:ScopeMap" }, { type: "azure-native:containerregistry/v20230101preview:ScopeMap" }, { type: "azure-native:containerregistry/v20230601preview:ScopeMap" }, { type: "azure-native:containerregistry/v20230701:ScopeMap" }, { type: "azure-native:containerregistry/v20230801preview:ScopeMap" }, { type: "azure-native:containerregistry/v20231101preview:ScopeMap" }, { type: "azure-native:containerregistry/v20241101preview:ScopeMap" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20221201:ScopeMap" }, { type: "azure-native:containerregistry/v20230101preview:ScopeMap" }, { type: "azure-native:containerregistry/v20230601preview:ScopeMap" }, { type: "azure-native:containerregistry/v20230701:ScopeMap" }, { type: "azure-native:containerregistry/v20230801preview:ScopeMap" }, { type: "azure-native:containerregistry/v20231101preview:ScopeMap" }, { type: "azure-native:containerregistry/v20241101preview:ScopeMap" }, { type: "azure-native_containerregistry_v20190501preview:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20201101preview:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20210601preview:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20210801preview:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20211201preview:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20220201preview:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20221201:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20230701:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:ScopeMap" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:ScopeMap" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScopeMap.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/task.ts b/sdk/nodejs/containerregistry/task.ts index 9b375ac4dddb..6e36dc5725eb 100644 --- a/sdk/nodejs/containerregistry/task.ts +++ b/sdk/nodejs/containerregistry/task.ts @@ -178,7 +178,7 @@ export class Task extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20180901:Task" }, { type: "azure-native:containerregistry/v20190401:Task" }, { type: "azure-native:containerregistry/v20190601preview:Task" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20180901:Task" }, { type: "azure-native:containerregistry/v20190401:Task" }, { type: "azure-native:containerregistry/v20190601preview:Task" }, { type: "azure-native_containerregistry_v20180901:containerregistry:Task" }, { type: "azure-native_containerregistry_v20190401:containerregistry:Task" }, { type: "azure-native_containerregistry_v20190601preview:containerregistry:Task" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Task.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/taskRun.ts b/sdk/nodejs/containerregistry/taskRun.ts index d4bc660d68b2..c24ed2d4df5e 100644 --- a/sdk/nodejs/containerregistry/taskRun.ts +++ b/sdk/nodejs/containerregistry/taskRun.ts @@ -124,7 +124,7 @@ export class TaskRun extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20190601preview:TaskRun" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20190601preview:TaskRun" }, { type: "azure-native_containerregistry_v20190601preview:containerregistry:TaskRun" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TaskRun.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/token.ts b/sdk/nodejs/containerregistry/token.ts index 7b4d5dcfdc3c..e19099cf69c8 100644 --- a/sdk/nodejs/containerregistry/token.ts +++ b/sdk/nodejs/containerregistry/token.ts @@ -119,7 +119,7 @@ export class Token extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20190501preview:Token" }, { type: "azure-native:containerregistry/v20201101preview:Token" }, { type: "azure-native:containerregistry/v20210601preview:Token" }, { type: "azure-native:containerregistry/v20210801preview:Token" }, { type: "azure-native:containerregistry/v20211201preview:Token" }, { type: "azure-native:containerregistry/v20220201preview:Token" }, { type: "azure-native:containerregistry/v20221201:Token" }, { type: "azure-native:containerregistry/v20230101preview:Token" }, { type: "azure-native:containerregistry/v20230601preview:Token" }, { type: "azure-native:containerregistry/v20230701:Token" }, { type: "azure-native:containerregistry/v20230801preview:Token" }, { type: "azure-native:containerregistry/v20231101preview:Token" }, { type: "azure-native:containerregistry/v20241101preview:Token" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20221201:Token" }, { type: "azure-native:containerregistry/v20230101preview:Token" }, { type: "azure-native:containerregistry/v20230601preview:Token" }, { type: "azure-native:containerregistry/v20230701:Token" }, { type: "azure-native:containerregistry/v20230801preview:Token" }, { type: "azure-native:containerregistry/v20231101preview:Token" }, { type: "azure-native:containerregistry/v20241101preview:Token" }, { type: "azure-native_containerregistry_v20190501preview:containerregistry:Token" }, { type: "azure-native_containerregistry_v20201101preview:containerregistry:Token" }, { type: "azure-native_containerregistry_v20210601preview:containerregistry:Token" }, { type: "azure-native_containerregistry_v20210801preview:containerregistry:Token" }, { type: "azure-native_containerregistry_v20211201preview:containerregistry:Token" }, { type: "azure-native_containerregistry_v20220201preview:containerregistry:Token" }, { type: "azure-native_containerregistry_v20221201:containerregistry:Token" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:Token" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:Token" }, { type: "azure-native_containerregistry_v20230701:containerregistry:Token" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:Token" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:Token" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:Token" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Token.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerregistry/webhook.ts b/sdk/nodejs/containerregistry/webhook.ts index 5ccce15677c3..ed42b4fbc4e8 100644 --- a/sdk/nodejs/containerregistry/webhook.ts +++ b/sdk/nodejs/containerregistry/webhook.ts @@ -133,7 +133,7 @@ export class Webhook extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20171001:Webhook" }, { type: "azure-native:containerregistry/v20190501:Webhook" }, { type: "azure-native:containerregistry/v20191201preview:Webhook" }, { type: "azure-native:containerregistry/v20201101preview:Webhook" }, { type: "azure-native:containerregistry/v20210601preview:Webhook" }, { type: "azure-native:containerregistry/v20210801preview:Webhook" }, { type: "azure-native:containerregistry/v20210901:Webhook" }, { type: "azure-native:containerregistry/v20211201preview:Webhook" }, { type: "azure-native:containerregistry/v20220201preview:Webhook" }, { type: "azure-native:containerregistry/v20221201:Webhook" }, { type: "azure-native:containerregistry/v20230101preview:Webhook" }, { type: "azure-native:containerregistry/v20230601preview:Webhook" }, { type: "azure-native:containerregistry/v20230701:Webhook" }, { type: "azure-native:containerregistry/v20230801preview:Webhook" }, { type: "azure-native:containerregistry/v20231101preview:Webhook" }, { type: "azure-native:containerregistry/v20241101preview:Webhook" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerregistry/v20221201:Webhook" }, { type: "azure-native:containerregistry/v20230101preview:Webhook" }, { type: "azure-native:containerregistry/v20230601preview:Webhook" }, { type: "azure-native:containerregistry/v20230701:Webhook" }, { type: "azure-native:containerregistry/v20230801preview:Webhook" }, { type: "azure-native:containerregistry/v20231101preview:Webhook" }, { type: "azure-native:containerregistry/v20241101preview:Webhook" }, { type: "azure-native_containerregistry_v20171001:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20190501:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20191201preview:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20201101preview:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20210601preview:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20210801preview:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20210901:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20211201preview:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20220201preview:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20221201:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20230101preview:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20230601preview:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20230701:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20230801preview:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20231101preview:containerregistry:Webhook" }, { type: "azure-native_containerregistry_v20241101preview:containerregistry:Webhook" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Webhook.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/agentPool.ts b/sdk/nodejs/containerservice/agentPool.ts index 5d6281b81238..46bb6a8b553f 100644 --- a/sdk/nodejs/containerservice/agentPool.ts +++ b/sdk/nodejs/containerservice/agentPool.ts @@ -359,7 +359,7 @@ export class AgentPool extends pulumi.CustomResource { resourceInputs["workloadRuntime"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20190201:AgentPool" }, { type: "azure-native:containerservice/v20190401:AgentPool" }, { type: "azure-native:containerservice/v20190601:AgentPool" }, { type: "azure-native:containerservice/v20190801:AgentPool" }, { type: "azure-native:containerservice/v20191001:AgentPool" }, { type: "azure-native:containerservice/v20191101:AgentPool" }, { type: "azure-native:containerservice/v20200101:AgentPool" }, { type: "azure-native:containerservice/v20200201:AgentPool" }, { type: "azure-native:containerservice/v20200301:AgentPool" }, { type: "azure-native:containerservice/v20200401:AgentPool" }, { type: "azure-native:containerservice/v20200601:AgentPool" }, { type: "azure-native:containerservice/v20200701:AgentPool" }, { type: "azure-native:containerservice/v20200901:AgentPool" }, { type: "azure-native:containerservice/v20201101:AgentPool" }, { type: "azure-native:containerservice/v20201201:AgentPool" }, { type: "azure-native:containerservice/v20210201:AgentPool" }, { type: "azure-native:containerservice/v20210301:AgentPool" }, { type: "azure-native:containerservice/v20210501:AgentPool" }, { type: "azure-native:containerservice/v20210701:AgentPool" }, { type: "azure-native:containerservice/v20210801:AgentPool" }, { type: "azure-native:containerservice/v20210901:AgentPool" }, { type: "azure-native:containerservice/v20211001:AgentPool" }, { type: "azure-native:containerservice/v20211101preview:AgentPool" }, { type: "azure-native:containerservice/v20220101:AgentPool" }, { type: "azure-native:containerservice/v20220102preview:AgentPool" }, { type: "azure-native:containerservice/v20220201:AgentPool" }, { type: "azure-native:containerservice/v20220202preview:AgentPool" }, { type: "azure-native:containerservice/v20220301:AgentPool" }, { type: "azure-native:containerservice/v20220302preview:AgentPool" }, { type: "azure-native:containerservice/v20220401:AgentPool" }, { type: "azure-native:containerservice/v20220402preview:AgentPool" }, { type: "azure-native:containerservice/v20220502preview:AgentPool" }, { type: "azure-native:containerservice/v20220601:AgentPool" }, { type: "azure-native:containerservice/v20220602preview:AgentPool" }, { type: "azure-native:containerservice/v20220701:AgentPool" }, { type: "azure-native:containerservice/v20220702preview:AgentPool" }, { type: "azure-native:containerservice/v20220802preview:AgentPool" }, { type: "azure-native:containerservice/v20220803preview:AgentPool" }, { type: "azure-native:containerservice/v20220901:AgentPool" }, { type: "azure-native:containerservice/v20220902preview:AgentPool" }, { type: "azure-native:containerservice/v20221002preview:AgentPool" }, { type: "azure-native:containerservice/v20221101:AgentPool" }, { type: "azure-native:containerservice/v20221102preview:AgentPool" }, { type: "azure-native:containerservice/v20230101:AgentPool" }, { type: "azure-native:containerservice/v20230102preview:AgentPool" }, { type: "azure-native:containerservice/v20230201:AgentPool" }, { type: "azure-native:containerservice/v20230202preview:AgentPool" }, { type: "azure-native:containerservice/v20230301:AgentPool" }, { type: "azure-native:containerservice/v20230302preview:AgentPool" }, { type: "azure-native:containerservice/v20230401:AgentPool" }, { type: "azure-native:containerservice/v20230402preview:AgentPool" }, { type: "azure-native:containerservice/v20230501:AgentPool" }, { type: "azure-native:containerservice/v20230502preview:AgentPool" }, { type: "azure-native:containerservice/v20230601:AgentPool" }, { type: "azure-native:containerservice/v20230602preview:AgentPool" }, { type: "azure-native:containerservice/v20230701:AgentPool" }, { type: "azure-native:containerservice/v20230702preview:AgentPool" }, { type: "azure-native:containerservice/v20230801:AgentPool" }, { type: "azure-native:containerservice/v20230802preview:AgentPool" }, { type: "azure-native:containerservice/v20230901:AgentPool" }, { type: "azure-native:containerservice/v20230902preview:AgentPool" }, { type: "azure-native:containerservice/v20231001:AgentPool" }, { type: "azure-native:containerservice/v20231002preview:AgentPool" }, { type: "azure-native:containerservice/v20231101:AgentPool" }, { type: "azure-native:containerservice/v20231102preview:AgentPool" }, { type: "azure-native:containerservice/v20240101:AgentPool" }, { type: "azure-native:containerservice/v20240102preview:AgentPool" }, { type: "azure-native:containerservice/v20240201:AgentPool" }, { type: "azure-native:containerservice/v20240202preview:AgentPool" }, { type: "azure-native:containerservice/v20240302preview:AgentPool" }, { type: "azure-native:containerservice/v20240402preview:AgentPool" }, { type: "azure-native:containerservice/v20240501:AgentPool" }, { type: "azure-native:containerservice/v20240502preview:AgentPool" }, { type: "azure-native:containerservice/v20240602preview:AgentPool" }, { type: "azure-native:containerservice/v20240701:AgentPool" }, { type: "azure-native:containerservice/v20240702preview:AgentPool" }, { type: "azure-native:containerservice/v20240801:AgentPool" }, { type: "azure-native:containerservice/v20240901:AgentPool" }, { type: "azure-native:containerservice/v20240902preview:AgentPool" }, { type: "azure-native:containerservice/v20241001:AgentPool" }, { type: "azure-native:containerservice/v20241002preview:AgentPool" }, { type: "azure-native:containerservice/v20250101:AgentPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20200601:AgentPool" }, { type: "azure-native:containerservice/v20210201:AgentPool" }, { type: "azure-native:containerservice/v20210801:AgentPool" }, { type: "azure-native:containerservice/v20220402preview:AgentPool" }, { type: "azure-native:containerservice/v20230401:AgentPool" }, { type: "azure-native:containerservice/v20230502preview:AgentPool" }, { type: "azure-native:containerservice/v20230601:AgentPool" }, { type: "azure-native:containerservice/v20230602preview:AgentPool" }, { type: "azure-native:containerservice/v20230701:AgentPool" }, { type: "azure-native:containerservice/v20230702preview:AgentPool" }, { type: "azure-native:containerservice/v20230801:AgentPool" }, { type: "azure-native:containerservice/v20230802preview:AgentPool" }, { type: "azure-native:containerservice/v20230901:AgentPool" }, { type: "azure-native:containerservice/v20230902preview:AgentPool" }, { type: "azure-native:containerservice/v20231001:AgentPool" }, { type: "azure-native:containerservice/v20231002preview:AgentPool" }, { type: "azure-native:containerservice/v20231101:AgentPool" }, { type: "azure-native:containerservice/v20231102preview:AgentPool" }, { type: "azure-native:containerservice/v20240101:AgentPool" }, { type: "azure-native:containerservice/v20240102preview:AgentPool" }, { type: "azure-native:containerservice/v20240201:AgentPool" }, { type: "azure-native:containerservice/v20240202preview:AgentPool" }, { type: "azure-native:containerservice/v20240302preview:AgentPool" }, { type: "azure-native:containerservice/v20240402preview:AgentPool" }, { type: "azure-native:containerservice/v20240501:AgentPool" }, { type: "azure-native:containerservice/v20240502preview:AgentPool" }, { type: "azure-native:containerservice/v20240602preview:AgentPool" }, { type: "azure-native:containerservice/v20240701:AgentPool" }, { type: "azure-native:containerservice/v20240702preview:AgentPool" }, { type: "azure-native:containerservice/v20240801:AgentPool" }, { type: "azure-native:containerservice/v20240901:AgentPool" }, { type: "azure-native:containerservice/v20240902preview:AgentPool" }, { type: "azure-native_containerservice_v20190201:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20190401:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20190601:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20190801:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20191001:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20191101:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20200101:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20200201:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20200301:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20200401:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20200601:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20200701:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20200901:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20201101:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20201201:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20210201:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20210301:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20210501:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20210701:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20210801:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20210901:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20211001:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20211101preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220101:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220102preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220201:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220202preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220301:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220302preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220401:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220402preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220502preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220601:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220602preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220701:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220702preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220802preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220803preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220901:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20220902preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20221002preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20221101:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20221102preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230101:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230102preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230201:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230202preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230301:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230302preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230401:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230402preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230501:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230502preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230601:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230602preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230701:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230702preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230801:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230802preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230901:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20230902preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20231001:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20231002preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20231101:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20231102preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240101:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240102preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240201:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240202preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240302preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240402preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240501:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240502preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240602preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240701:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240702preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240801:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240901:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20240902preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20241001:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20241002preview:containerservice:AgentPool" }, { type: "azure-native_containerservice_v20250101:containerservice:AgentPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AgentPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/autoUpgradeProfile.ts b/sdk/nodejs/containerservice/autoUpgradeProfile.ts index b2cb71e84fd1..705b19a9bd5c 100644 --- a/sdk/nodejs/containerservice/autoUpgradeProfile.ts +++ b/sdk/nodejs/containerservice/autoUpgradeProfile.ts @@ -129,7 +129,7 @@ export class AutoUpgradeProfile extends pulumi.CustomResource { resourceInputs["updateStrategyId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20240502preview:AutoUpgradeProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20240502preview:AutoUpgradeProfile" }, { type: "azure-native_containerservice_v20240502preview:containerservice:AutoUpgradeProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AutoUpgradeProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/fleet.ts b/sdk/nodejs/containerservice/fleet.ts index 7bc2269c43a3..e1bed14aa0e0 100644 --- a/sdk/nodejs/containerservice/fleet.ts +++ b/sdk/nodejs/containerservice/fleet.ts @@ -121,7 +121,7 @@ export class Fleet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20220602preview:Fleet" }, { type: "azure-native:containerservice/v20220702preview:Fleet" }, { type: "azure-native:containerservice/v20220902preview:Fleet" }, { type: "azure-native:containerservice/v20230315preview:Fleet" }, { type: "azure-native:containerservice/v20230615preview:Fleet" }, { type: "azure-native:containerservice/v20230815preview:Fleet" }, { type: "azure-native:containerservice/v20231015:Fleet" }, { type: "azure-native:containerservice/v20240202preview:Fleet" }, { type: "azure-native:containerservice/v20240401:Fleet" }, { type: "azure-native:containerservice/v20240502preview:Fleet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20220702preview:Fleet" }, { type: "azure-native:containerservice/v20230315preview:Fleet" }, { type: "azure-native:containerservice/v20230615preview:Fleet" }, { type: "azure-native:containerservice/v20230815preview:Fleet" }, { type: "azure-native:containerservice/v20231015:Fleet" }, { type: "azure-native:containerservice/v20240202preview:Fleet" }, { type: "azure-native:containerservice/v20240401:Fleet" }, { type: "azure-native:containerservice/v20240502preview:Fleet" }, { type: "azure-native_containerservice_v20220602preview:containerservice:Fleet" }, { type: "azure-native_containerservice_v20220702preview:containerservice:Fleet" }, { type: "azure-native_containerservice_v20220902preview:containerservice:Fleet" }, { type: "azure-native_containerservice_v20230315preview:containerservice:Fleet" }, { type: "azure-native_containerservice_v20230615preview:containerservice:Fleet" }, { type: "azure-native_containerservice_v20230815preview:containerservice:Fleet" }, { type: "azure-native_containerservice_v20231015:containerservice:Fleet" }, { type: "azure-native_containerservice_v20240202preview:containerservice:Fleet" }, { type: "azure-native_containerservice_v20240401:containerservice:Fleet" }, { type: "azure-native_containerservice_v20240502preview:containerservice:Fleet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Fleet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/fleetMember.ts b/sdk/nodejs/containerservice/fleetMember.ts index b7dfa77d5612..dfb9c7176065 100644 --- a/sdk/nodejs/containerservice/fleetMember.ts +++ b/sdk/nodejs/containerservice/fleetMember.ts @@ -116,7 +116,7 @@ export class FleetMember extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20220602preview:FleetMember" }, { type: "azure-native:containerservice/v20220702preview:FleetMember" }, { type: "azure-native:containerservice/v20220902preview:FleetMember" }, { type: "azure-native:containerservice/v20230315preview:FleetMember" }, { type: "azure-native:containerservice/v20230615preview:FleetMember" }, { type: "azure-native:containerservice/v20230815preview:FleetMember" }, { type: "azure-native:containerservice/v20231015:FleetMember" }, { type: "azure-native:containerservice/v20240202preview:FleetMember" }, { type: "azure-native:containerservice/v20240401:FleetMember" }, { type: "azure-native:containerservice/v20240502preview:FleetMember" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20220702preview:FleetMember" }, { type: "azure-native:containerservice/v20230315preview:FleetMember" }, { type: "azure-native:containerservice/v20230615preview:FleetMember" }, { type: "azure-native:containerservice/v20230815preview:FleetMember" }, { type: "azure-native:containerservice/v20231015:FleetMember" }, { type: "azure-native:containerservice/v20240202preview:FleetMember" }, { type: "azure-native:containerservice/v20240401:FleetMember" }, { type: "azure-native:containerservice/v20240502preview:FleetMember" }, { type: "azure-native_containerservice_v20220602preview:containerservice:FleetMember" }, { type: "azure-native_containerservice_v20220702preview:containerservice:FleetMember" }, { type: "azure-native_containerservice_v20220902preview:containerservice:FleetMember" }, { type: "azure-native_containerservice_v20230315preview:containerservice:FleetMember" }, { type: "azure-native_containerservice_v20230615preview:containerservice:FleetMember" }, { type: "azure-native_containerservice_v20230815preview:containerservice:FleetMember" }, { type: "azure-native_containerservice_v20231015:containerservice:FleetMember" }, { type: "azure-native_containerservice_v20240202preview:containerservice:FleetMember" }, { type: "azure-native_containerservice_v20240401:containerservice:FleetMember" }, { type: "azure-native_containerservice_v20240502preview:containerservice:FleetMember" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FleetMember.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/fleetUpdateStrategy.ts b/sdk/nodejs/containerservice/fleetUpdateStrategy.ts index a8c24564029a..6b5ce84c6cb7 100644 --- a/sdk/nodejs/containerservice/fleetUpdateStrategy.ts +++ b/sdk/nodejs/containerservice/fleetUpdateStrategy.ts @@ -110,7 +110,7 @@ export class FleetUpdateStrategy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20230815preview:FleetUpdateStrategy" }, { type: "azure-native:containerservice/v20231015:FleetUpdateStrategy" }, { type: "azure-native:containerservice/v20240202preview:FleetUpdateStrategy" }, { type: "azure-native:containerservice/v20240401:FleetUpdateStrategy" }, { type: "azure-native:containerservice/v20240502preview:FleetUpdateStrategy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20230815preview:FleetUpdateStrategy" }, { type: "azure-native:containerservice/v20231015:FleetUpdateStrategy" }, { type: "azure-native:containerservice/v20240202preview:FleetUpdateStrategy" }, { type: "azure-native:containerservice/v20240401:FleetUpdateStrategy" }, { type: "azure-native:containerservice/v20240502preview:FleetUpdateStrategy" }, { type: "azure-native_containerservice_v20230815preview:containerservice:FleetUpdateStrategy" }, { type: "azure-native_containerservice_v20231015:containerservice:FleetUpdateStrategy" }, { type: "azure-native_containerservice_v20240202preview:containerservice:FleetUpdateStrategy" }, { type: "azure-native_containerservice_v20240401:containerservice:FleetUpdateStrategy" }, { type: "azure-native_containerservice_v20240502preview:containerservice:FleetUpdateStrategy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FleetUpdateStrategy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/loadBalancer.ts b/sdk/nodejs/containerservice/loadBalancer.ts index 8018f34c254e..decc0a10cf3f 100644 --- a/sdk/nodejs/containerservice/loadBalancer.ts +++ b/sdk/nodejs/containerservice/loadBalancer.ts @@ -131,7 +131,7 @@ export class LoadBalancer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20240302preview:LoadBalancer" }, { type: "azure-native:containerservice/v20240402preview:LoadBalancer" }, { type: "azure-native:containerservice/v20240502preview:LoadBalancer" }, { type: "azure-native:containerservice/v20240602preview:LoadBalancer" }, { type: "azure-native:containerservice/v20240702preview:LoadBalancer" }, { type: "azure-native:containerservice/v20240902preview:LoadBalancer" }, { type: "azure-native:containerservice/v20241002preview:LoadBalancer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20240302preview:LoadBalancer" }, { type: "azure-native:containerservice/v20240402preview:LoadBalancer" }, { type: "azure-native:containerservice/v20240502preview:LoadBalancer" }, { type: "azure-native:containerservice/v20240602preview:LoadBalancer" }, { type: "azure-native:containerservice/v20240702preview:LoadBalancer" }, { type: "azure-native:containerservice/v20240902preview:LoadBalancer" }, { type: "azure-native_containerservice_v20240302preview:containerservice:LoadBalancer" }, { type: "azure-native_containerservice_v20240402preview:containerservice:LoadBalancer" }, { type: "azure-native_containerservice_v20240502preview:containerservice:LoadBalancer" }, { type: "azure-native_containerservice_v20240602preview:containerservice:LoadBalancer" }, { type: "azure-native_containerservice_v20240702preview:containerservice:LoadBalancer" }, { type: "azure-native_containerservice_v20240902preview:containerservice:LoadBalancer" }, { type: "azure-native_containerservice_v20241002preview:containerservice:LoadBalancer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LoadBalancer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/maintenanceConfiguration.ts b/sdk/nodejs/containerservice/maintenanceConfiguration.ts index 02475dce4f86..3f035f934ac4 100644 --- a/sdk/nodejs/containerservice/maintenanceConfiguration.ts +++ b/sdk/nodejs/containerservice/maintenanceConfiguration.ts @@ -107,7 +107,7 @@ export class MaintenanceConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20201201:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20210201:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20210301:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20210501:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20210701:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20210801:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20210901:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20211001:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20211101preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220101:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220102preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220201:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220202preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220301:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220302preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220401:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220402preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220502preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220601:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220602preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220701:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220702preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220802preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220803preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220901:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20220902preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20221002preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20221101:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20221102preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230101:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230102preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230201:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230202preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230301:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230302preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230401:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230402preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230501:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230502preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230601:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230602preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230701:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230702preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230801:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230802preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230901:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230902preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20231001:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20231002preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20231101:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20231102preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240101:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240102preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240201:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240202preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240302preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240402preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240501:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240502preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240602preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240701:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240702preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240801:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240901:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240902preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20241001:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20241002preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20250101:MaintenanceConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20230401:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230502preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230601:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230602preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230701:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230702preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230801:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230802preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230901:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20230902preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20231001:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20231002preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20231101:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20231102preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240101:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240102preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240201:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240202preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240302preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240402preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240501:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240502preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240602preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240701:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240702preview:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240801:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240901:MaintenanceConfiguration" }, { type: "azure-native:containerservice/v20240902preview:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20201201:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20210201:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20210301:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20210501:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20210701:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20210801:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20210901:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20211001:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20211101preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220101:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220102preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220201:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220202preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220301:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220302preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220401:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220402preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220502preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220601:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220602preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220701:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220702preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220802preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220803preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220901:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20220902preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20221002preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20221101:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20221102preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230101:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230102preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230201:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230202preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230301:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230302preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230401:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230402preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230501:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230502preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230601:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230602preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230701:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230702preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230801:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230802preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230901:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20230902preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20231001:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20231002preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20231101:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20231102preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240101:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240102preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240201:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240202preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240302preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240402preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240501:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240502preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240602preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240701:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240702preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240801:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240901:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20240902preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20241001:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20241002preview:containerservice:MaintenanceConfiguration" }, { type: "azure-native_containerservice_v20250101:containerservice:MaintenanceConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MaintenanceConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/managedCluster.ts b/sdk/nodejs/containerservice/managedCluster.ts index 1226de9d978d..49d6a5105ac3 100644 --- a/sdk/nodejs/containerservice/managedCluster.ts +++ b/sdk/nodejs/containerservice/managedCluster.ts @@ -375,7 +375,7 @@ export class ManagedCluster extends pulumi.CustomResource { resourceInputs["workloadAutoScalerProfile"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20170831:ManagedCluster" }, { type: "azure-native:containerservice/v20180331:ManagedCluster" }, { type: "azure-native:containerservice/v20180801preview:ManagedCluster" }, { type: "azure-native:containerservice/v20190201:ManagedCluster" }, { type: "azure-native:containerservice/v20190401:ManagedCluster" }, { type: "azure-native:containerservice/v20190601:ManagedCluster" }, { type: "azure-native:containerservice/v20190801:ManagedCluster" }, { type: "azure-native:containerservice/v20191001:ManagedCluster" }, { type: "azure-native:containerservice/v20191101:ManagedCluster" }, { type: "azure-native:containerservice/v20200101:ManagedCluster" }, { type: "azure-native:containerservice/v20200201:ManagedCluster" }, { type: "azure-native:containerservice/v20200301:ManagedCluster" }, { type: "azure-native:containerservice/v20200401:ManagedCluster" }, { type: "azure-native:containerservice/v20200601:ManagedCluster" }, { type: "azure-native:containerservice/v20200701:ManagedCluster" }, { type: "azure-native:containerservice/v20200901:ManagedCluster" }, { type: "azure-native:containerservice/v20201101:ManagedCluster" }, { type: "azure-native:containerservice/v20201201:ManagedCluster" }, { type: "azure-native:containerservice/v20210201:ManagedCluster" }, { type: "azure-native:containerservice/v20210301:ManagedCluster" }, { type: "azure-native:containerservice/v20210501:ManagedCluster" }, { type: "azure-native:containerservice/v20210701:ManagedCluster" }, { type: "azure-native:containerservice/v20210801:ManagedCluster" }, { type: "azure-native:containerservice/v20210901:ManagedCluster" }, { type: "azure-native:containerservice/v20211001:ManagedCluster" }, { type: "azure-native:containerservice/v20211101preview:ManagedCluster" }, { type: "azure-native:containerservice/v20220101:ManagedCluster" }, { type: "azure-native:containerservice/v20220102preview:ManagedCluster" }, { type: "azure-native:containerservice/v20220201:ManagedCluster" }, { type: "azure-native:containerservice/v20220202preview:ManagedCluster" }, { type: "azure-native:containerservice/v20220301:ManagedCluster" }, { type: "azure-native:containerservice/v20220302preview:ManagedCluster" }, { type: "azure-native:containerservice/v20220401:ManagedCluster" }, { type: "azure-native:containerservice/v20220402preview:ManagedCluster" }, { type: "azure-native:containerservice/v20220502preview:ManagedCluster" }, { type: "azure-native:containerservice/v20220601:ManagedCluster" }, { type: "azure-native:containerservice/v20220602preview:ManagedCluster" }, { type: "azure-native:containerservice/v20220701:ManagedCluster" }, { type: "azure-native:containerservice/v20220702preview:ManagedCluster" }, { type: "azure-native:containerservice/v20220802preview:ManagedCluster" }, { type: "azure-native:containerservice/v20220803preview:ManagedCluster" }, { type: "azure-native:containerservice/v20220901:ManagedCluster" }, { type: "azure-native:containerservice/v20220902preview:ManagedCluster" }, { type: "azure-native:containerservice/v20221002preview:ManagedCluster" }, { type: "azure-native:containerservice/v20221101:ManagedCluster" }, { type: "azure-native:containerservice/v20221102preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230101:ManagedCluster" }, { type: "azure-native:containerservice/v20230102preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230201:ManagedCluster" }, { type: "azure-native:containerservice/v20230202preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230301:ManagedCluster" }, { type: "azure-native:containerservice/v20230302preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230401:ManagedCluster" }, { type: "azure-native:containerservice/v20230402preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230501:ManagedCluster" }, { type: "azure-native:containerservice/v20230502preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230601:ManagedCluster" }, { type: "azure-native:containerservice/v20230602preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230701:ManagedCluster" }, { type: "azure-native:containerservice/v20230702preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230801:ManagedCluster" }, { type: "azure-native:containerservice/v20230802preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230901:ManagedCluster" }, { type: "azure-native:containerservice/v20230902preview:ManagedCluster" }, { type: "azure-native:containerservice/v20231001:ManagedCluster" }, { type: "azure-native:containerservice/v20231002preview:ManagedCluster" }, { type: "azure-native:containerservice/v20231101:ManagedCluster" }, { type: "azure-native:containerservice/v20231102preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240101:ManagedCluster" }, { type: "azure-native:containerservice/v20240102preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240201:ManagedCluster" }, { type: "azure-native:containerservice/v20240202preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240302preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240402preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240501:ManagedCluster" }, { type: "azure-native:containerservice/v20240502preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240602preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240701:ManagedCluster" }, { type: "azure-native:containerservice/v20240702preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240801:ManagedCluster" }, { type: "azure-native:containerservice/v20240901:ManagedCluster" }, { type: "azure-native:containerservice/v20240902preview:ManagedCluster" }, { type: "azure-native:containerservice/v20241001:ManagedCluster" }, { type: "azure-native:containerservice/v20241002preview:ManagedCluster" }, { type: "azure-native:containerservice/v20250101:ManagedCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20190601:ManagedCluster" }, { type: "azure-native:containerservice/v20210501:ManagedCluster" }, { type: "azure-native:containerservice/v20230401:ManagedCluster" }, { type: "azure-native:containerservice/v20230502preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230601:ManagedCluster" }, { type: "azure-native:containerservice/v20230602preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230701:ManagedCluster" }, { type: "azure-native:containerservice/v20230702preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230801:ManagedCluster" }, { type: "azure-native:containerservice/v20230802preview:ManagedCluster" }, { type: "azure-native:containerservice/v20230901:ManagedCluster" }, { type: "azure-native:containerservice/v20230902preview:ManagedCluster" }, { type: "azure-native:containerservice/v20231001:ManagedCluster" }, { type: "azure-native:containerservice/v20231002preview:ManagedCluster" }, { type: "azure-native:containerservice/v20231101:ManagedCluster" }, { type: "azure-native:containerservice/v20231102preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240101:ManagedCluster" }, { type: "azure-native:containerservice/v20240102preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240201:ManagedCluster" }, { type: "azure-native:containerservice/v20240202preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240302preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240402preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240501:ManagedCluster" }, { type: "azure-native:containerservice/v20240502preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240602preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240701:ManagedCluster" }, { type: "azure-native:containerservice/v20240702preview:ManagedCluster" }, { type: "azure-native:containerservice/v20240801:ManagedCluster" }, { type: "azure-native:containerservice/v20240901:ManagedCluster" }, { type: "azure-native:containerservice/v20240902preview:ManagedCluster" }, { type: "azure-native_containerservice_v20170831:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20180331:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20180801preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20190201:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20190401:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20190601:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20190801:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20191001:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20191101:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20200101:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20200201:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20200301:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20200401:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20200601:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20200701:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20200901:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20201101:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20201201:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20210201:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20210301:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20210501:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20210701:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20210801:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20210901:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20211001:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20211101preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220101:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220102preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220201:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220202preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220301:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220302preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220401:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220402preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220502preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220601:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220602preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220701:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220702preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220802preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220803preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220901:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20220902preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20221002preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20221101:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20221102preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230101:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230102preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230201:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230202preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230301:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230302preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230401:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230402preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230501:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230502preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230601:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230602preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230701:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230702preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230801:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230802preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230901:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20230902preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20231001:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20231002preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20231101:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20231102preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240101:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240102preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240201:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240202preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240302preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240402preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240501:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240502preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240602preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240701:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240702preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240801:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240901:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20240902preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20241001:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20241002preview:containerservice:ManagedCluster" }, { type: "azure-native_containerservice_v20250101:containerservice:ManagedCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/managedClusterSnapshot.ts b/sdk/nodejs/containerservice/managedClusterSnapshot.ts index 86000c6631bc..a60c1a47a4ae 100644 --- a/sdk/nodejs/containerservice/managedClusterSnapshot.ts +++ b/sdk/nodejs/containerservice/managedClusterSnapshot.ts @@ -115,7 +115,7 @@ export class ManagedClusterSnapshot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20220202preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20220302preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20220402preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20220502preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20220602preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20220702preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20220802preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20220803preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20220902preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20221002preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20221102preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230102preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230202preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230302preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230402preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230502preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230602preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230702preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230802preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230902preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20231002preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20231102preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240102preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240202preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240302preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240402preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240502preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240602preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240702preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240902preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20241002preview:ManagedClusterSnapshot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20230502preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230602preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230702preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230802preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20230902preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20231002preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20231102preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240102preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240202preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240302preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240402preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240502preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240602preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240702preview:ManagedClusterSnapshot" }, { type: "azure-native:containerservice/v20240902preview:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20220202preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20220302preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20220402preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20220502preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20220602preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20220702preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20220802preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20220803preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20220902preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20221002preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20221102preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20230102preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20230202preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20230302preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20230402preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20230502preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20230602preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20230702preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20230802preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20230902preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20231002preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20231102preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20240102preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20240202preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20240302preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20240402preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20240502preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20240602preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20240702preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20240902preview:containerservice:ManagedClusterSnapshot" }, { type: "azure-native_containerservice_v20241002preview:containerservice:ManagedClusterSnapshot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedClusterSnapshot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/privateEndpointConnection.ts b/sdk/nodejs/containerservice/privateEndpointConnection.ts index 4681ffbcd3c8..ade20008a826 100644 --- a/sdk/nodejs/containerservice/privateEndpointConnection.ts +++ b/sdk/nodejs/containerservice/privateEndpointConnection.ts @@ -104,7 +104,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20200601:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20200701:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20200901:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20201101:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20201201:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20210201:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20210301:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20210501:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20210701:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20210801:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20210901:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20211001:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20211101preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220101:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220102preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220201:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220202preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220301:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220302preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220401:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220402preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220502preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220601:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220602preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220701:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220702preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220802preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220803preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220901:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20220902preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20221002preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20221101:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20221102preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230101:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230102preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230201:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230202preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230301:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230302preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230401:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230402preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230501:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230502preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230601:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230602preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230701:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230702preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230801:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230802preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230901:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230902preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20231001:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20231002preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20231101:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20231102preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240101:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240102preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240201:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240202preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240302preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240402preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240501:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240502preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240602preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240701:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240702preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240801:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240901:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240902preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20241001:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20241002preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20250101:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20230401:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230502preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230601:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230602preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230701:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230702preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230801:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230802preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230901:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20230902preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20231001:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20231002preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20231101:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20231102preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240101:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240102preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240201:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240202preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240302preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240402preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240501:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240502preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240602preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240701:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240702preview:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240801:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240901:PrivateEndpointConnection" }, { type: "azure-native:containerservice/v20240902preview:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20200601:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20200701:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20200901:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20201101:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20201201:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20210201:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20210301:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20210501:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20210701:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20210801:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20210901:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20211001:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20211101preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220101:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220102preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220201:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220202preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220301:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220302preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220401:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220402preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220502preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220601:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220602preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220701:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220702preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220802preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220803preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220901:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20220902preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20221002preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20221101:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20221102preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230101:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230102preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230201:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230202preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230301:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230302preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230401:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230402preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230501:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230502preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230601:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230602preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230701:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230702preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230801:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230802preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230901:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20230902preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20231001:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20231002preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20231101:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20231102preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240101:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240102preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240201:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240202preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240302preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240402preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240501:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240502preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240602preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240701:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240702preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240801:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240901:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20240902preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20241001:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20241002preview:containerservice:PrivateEndpointConnection" }, { type: "azure-native_containerservice_v20250101:containerservice:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/snapshot.ts b/sdk/nodejs/containerservice/snapshot.ts index b0be81af6cb8..c65c6be626ef 100644 --- a/sdk/nodejs/containerservice/snapshot.ts +++ b/sdk/nodejs/containerservice/snapshot.ts @@ -145,7 +145,7 @@ export class Snapshot extends pulumi.CustomResource { resourceInputs["vmSize"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20210801:Snapshot" }, { type: "azure-native:containerservice/v20210901:Snapshot" }, { type: "azure-native:containerservice/v20211001:Snapshot" }, { type: "azure-native:containerservice/v20211101preview:Snapshot" }, { type: "azure-native:containerservice/v20220101:Snapshot" }, { type: "azure-native:containerservice/v20220102preview:Snapshot" }, { type: "azure-native:containerservice/v20220201:Snapshot" }, { type: "azure-native:containerservice/v20220202preview:Snapshot" }, { type: "azure-native:containerservice/v20220301:Snapshot" }, { type: "azure-native:containerservice/v20220302preview:Snapshot" }, { type: "azure-native:containerservice/v20220401:Snapshot" }, { type: "azure-native:containerservice/v20220402preview:Snapshot" }, { type: "azure-native:containerservice/v20220502preview:Snapshot" }, { type: "azure-native:containerservice/v20220601:Snapshot" }, { type: "azure-native:containerservice/v20220602preview:Snapshot" }, { type: "azure-native:containerservice/v20220701:Snapshot" }, { type: "azure-native:containerservice/v20220702preview:Snapshot" }, { type: "azure-native:containerservice/v20220802preview:Snapshot" }, { type: "azure-native:containerservice/v20220803preview:Snapshot" }, { type: "azure-native:containerservice/v20220901:Snapshot" }, { type: "azure-native:containerservice/v20220902preview:Snapshot" }, { type: "azure-native:containerservice/v20221002preview:Snapshot" }, { type: "azure-native:containerservice/v20221101:Snapshot" }, { type: "azure-native:containerservice/v20221102preview:Snapshot" }, { type: "azure-native:containerservice/v20230101:Snapshot" }, { type: "azure-native:containerservice/v20230102preview:Snapshot" }, { type: "azure-native:containerservice/v20230201:Snapshot" }, { type: "azure-native:containerservice/v20230202preview:Snapshot" }, { type: "azure-native:containerservice/v20230301:Snapshot" }, { type: "azure-native:containerservice/v20230302preview:Snapshot" }, { type: "azure-native:containerservice/v20230401:Snapshot" }, { type: "azure-native:containerservice/v20230402preview:Snapshot" }, { type: "azure-native:containerservice/v20230501:Snapshot" }, { type: "azure-native:containerservice/v20230502preview:Snapshot" }, { type: "azure-native:containerservice/v20230601:Snapshot" }, { type: "azure-native:containerservice/v20230602preview:Snapshot" }, { type: "azure-native:containerservice/v20230701:Snapshot" }, { type: "azure-native:containerservice/v20230702preview:Snapshot" }, { type: "azure-native:containerservice/v20230801:Snapshot" }, { type: "azure-native:containerservice/v20230802preview:Snapshot" }, { type: "azure-native:containerservice/v20230901:Snapshot" }, { type: "azure-native:containerservice/v20230902preview:Snapshot" }, { type: "azure-native:containerservice/v20231001:Snapshot" }, { type: "azure-native:containerservice/v20231002preview:Snapshot" }, { type: "azure-native:containerservice/v20231101:Snapshot" }, { type: "azure-native:containerservice/v20231102preview:Snapshot" }, { type: "azure-native:containerservice/v20240101:Snapshot" }, { type: "azure-native:containerservice/v20240102preview:Snapshot" }, { type: "azure-native:containerservice/v20240201:Snapshot" }, { type: "azure-native:containerservice/v20240202preview:Snapshot" }, { type: "azure-native:containerservice/v20240302preview:Snapshot" }, { type: "azure-native:containerservice/v20240402preview:Snapshot" }, { type: "azure-native:containerservice/v20240501:Snapshot" }, { type: "azure-native:containerservice/v20240502preview:Snapshot" }, { type: "azure-native:containerservice/v20240602preview:Snapshot" }, { type: "azure-native:containerservice/v20240701:Snapshot" }, { type: "azure-native:containerservice/v20240702preview:Snapshot" }, { type: "azure-native:containerservice/v20240801:Snapshot" }, { type: "azure-native:containerservice/v20240901:Snapshot" }, { type: "azure-native:containerservice/v20240902preview:Snapshot" }, { type: "azure-native:containerservice/v20241001:Snapshot" }, { type: "azure-native:containerservice/v20241002preview:Snapshot" }, { type: "azure-native:containerservice/v20250101:Snapshot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20230401:Snapshot" }, { type: "azure-native:containerservice/v20230502preview:Snapshot" }, { type: "azure-native:containerservice/v20230601:Snapshot" }, { type: "azure-native:containerservice/v20230602preview:Snapshot" }, { type: "azure-native:containerservice/v20230701:Snapshot" }, { type: "azure-native:containerservice/v20230702preview:Snapshot" }, { type: "azure-native:containerservice/v20230801:Snapshot" }, { type: "azure-native:containerservice/v20230802preview:Snapshot" }, { type: "azure-native:containerservice/v20230901:Snapshot" }, { type: "azure-native:containerservice/v20230902preview:Snapshot" }, { type: "azure-native:containerservice/v20231001:Snapshot" }, { type: "azure-native:containerservice/v20231002preview:Snapshot" }, { type: "azure-native:containerservice/v20231101:Snapshot" }, { type: "azure-native:containerservice/v20231102preview:Snapshot" }, { type: "azure-native:containerservice/v20240101:Snapshot" }, { type: "azure-native:containerservice/v20240102preview:Snapshot" }, { type: "azure-native:containerservice/v20240201:Snapshot" }, { type: "azure-native:containerservice/v20240202preview:Snapshot" }, { type: "azure-native:containerservice/v20240302preview:Snapshot" }, { type: "azure-native:containerservice/v20240402preview:Snapshot" }, { type: "azure-native:containerservice/v20240501:Snapshot" }, { type: "azure-native:containerservice/v20240502preview:Snapshot" }, { type: "azure-native:containerservice/v20240602preview:Snapshot" }, { type: "azure-native:containerservice/v20240701:Snapshot" }, { type: "azure-native:containerservice/v20240702preview:Snapshot" }, { type: "azure-native:containerservice/v20240801:Snapshot" }, { type: "azure-native:containerservice/v20240901:Snapshot" }, { type: "azure-native:containerservice/v20240902preview:Snapshot" }, { type: "azure-native_containerservice_v20210801:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20210901:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20211001:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20211101preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220101:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220102preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220201:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220202preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220301:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220302preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220401:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220402preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220502preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220601:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220602preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220701:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220702preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220802preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220803preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220901:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20220902preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20221002preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20221101:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20221102preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230101:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230102preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230201:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230202preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230301:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230302preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230401:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230402preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230501:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230502preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230601:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230602preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230701:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230702preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230801:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230802preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230901:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20230902preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20231001:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20231002preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20231101:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20231102preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240101:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240102preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240201:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240202preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240302preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240402preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240501:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240502preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240602preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240701:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240702preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240801:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240901:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20240902preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20241001:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20241002preview:containerservice:Snapshot" }, { type: "azure-native_containerservice_v20250101:containerservice:Snapshot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Snapshot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/trustedAccessRoleBinding.ts b/sdk/nodejs/containerservice/trustedAccessRoleBinding.ts index 38c381f1a94d..199122fca126 100644 --- a/sdk/nodejs/containerservice/trustedAccessRoleBinding.ts +++ b/sdk/nodejs/containerservice/trustedAccessRoleBinding.ts @@ -113,7 +113,7 @@ export class TrustedAccessRoleBinding extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20220402preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20220502preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20220602preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20220702preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20220802preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20220803preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20220902preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20221002preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20221102preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230102preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230202preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230302preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230402preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230502preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230602preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230702preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230802preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230901:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230902preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20231001:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20231002preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20231101:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20231102preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240101:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240102preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240201:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240202preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240302preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240402preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240501:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240502preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240602preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240701:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240702preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240801:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240901:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240902preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20241001:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20241002preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20250101:TrustedAccessRoleBinding" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20230502preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230602preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230702preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230802preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230901:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20230902preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20231001:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20231002preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20231101:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20231102preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240101:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240102preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240201:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240202preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240302preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240402preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240501:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240502preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240602preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240701:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240702preview:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240801:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240901:TrustedAccessRoleBinding" }, { type: "azure-native:containerservice/v20240902preview:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20220402preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20220502preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20220602preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20220702preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20220802preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20220803preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20220902preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20221002preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20221102preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20230102preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20230202preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20230302preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20230402preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20230502preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20230602preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20230702preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20230802preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20230901:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20230902preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20231001:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20231002preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20231101:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20231102preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240101:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240102preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240201:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240202preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240302preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240402preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240501:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240502preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240602preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240701:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240702preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240801:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240901:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20240902preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20241001:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20241002preview:containerservice:TrustedAccessRoleBinding" }, { type: "azure-native_containerservice_v20250101:containerservice:TrustedAccessRoleBinding" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TrustedAccessRoleBinding.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerservice/updateRun.ts b/sdk/nodejs/containerservice/updateRun.ts index 0ac907806641..f2cb9a129a64 100644 --- a/sdk/nodejs/containerservice/updateRun.ts +++ b/sdk/nodejs/containerservice/updateRun.ts @@ -141,7 +141,7 @@ export class UpdateRun extends pulumi.CustomResource { resourceInputs["updateStrategyId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20230315preview:UpdateRun" }, { type: "azure-native:containerservice/v20230615preview:UpdateRun" }, { type: "azure-native:containerservice/v20230815preview:UpdateRun" }, { type: "azure-native:containerservice/v20231015:UpdateRun" }, { type: "azure-native:containerservice/v20240202preview:UpdateRun" }, { type: "azure-native:containerservice/v20240401:UpdateRun" }, { type: "azure-native:containerservice/v20240502preview:UpdateRun" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerservice/v20230315preview:UpdateRun" }, { type: "azure-native:containerservice/v20230615preview:UpdateRun" }, { type: "azure-native:containerservice/v20230815preview:UpdateRun" }, { type: "azure-native:containerservice/v20231015:UpdateRun" }, { type: "azure-native:containerservice/v20240202preview:UpdateRun" }, { type: "azure-native:containerservice/v20240401:UpdateRun" }, { type: "azure-native:containerservice/v20240502preview:UpdateRun" }, { type: "azure-native_containerservice_v20230315preview:containerservice:UpdateRun" }, { type: "azure-native_containerservice_v20230615preview:containerservice:UpdateRun" }, { type: "azure-native_containerservice_v20230815preview:containerservice:UpdateRun" }, { type: "azure-native_containerservice_v20231015:containerservice:UpdateRun" }, { type: "azure-native_containerservice_v20240202preview:containerservice:UpdateRun" }, { type: "azure-native_containerservice_v20240401:containerservice:UpdateRun" }, { type: "azure-native_containerservice_v20240502preview:containerservice:UpdateRun" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(UpdateRun.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerstorage/pool.ts b/sdk/nodejs/containerstorage/pool.ts index ba6ecf147d83..6245079178fa 100644 --- a/sdk/nodejs/containerstorage/pool.ts +++ b/sdk/nodejs/containerstorage/pool.ts @@ -140,7 +140,7 @@ export class Pool extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerstorage/v20230701preview:Pool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerstorage/v20230701preview:Pool" }, { type: "azure-native_containerstorage_v20230701preview:containerstorage:Pool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Pool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerstorage/snapshot.ts b/sdk/nodejs/containerstorage/snapshot.ts index e8814b3b1098..22dc8132d738 100644 --- a/sdk/nodejs/containerstorage/snapshot.ts +++ b/sdk/nodejs/containerstorage/snapshot.ts @@ -108,7 +108,7 @@ export class Snapshot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerstorage/v20230701preview:Snapshot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerstorage/v20230701preview:Snapshot" }, { type: "azure-native_containerstorage_v20230701preview:containerstorage:Snapshot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Snapshot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/containerstorage/volume.ts b/sdk/nodejs/containerstorage/volume.ts index 55fb581dae06..4afa30d2bb76 100644 --- a/sdk/nodejs/containerstorage/volume.ts +++ b/sdk/nodejs/containerstorage/volume.ts @@ -123,7 +123,7 @@ export class Volume extends pulumi.CustomResource { resourceInputs["volumeType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:containerstorage/v20230701preview:Volume" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:containerstorage/v20230701preview:Volume" }, { type: "azure-native_containerstorage_v20230701preview:containerstorage:Volume" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Volume.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/contoso/employee.ts b/sdk/nodejs/contoso/employee.ts index abd5074df7e5..c10398727237 100644 --- a/sdk/nodejs/contoso/employee.ts +++ b/sdk/nodejs/contoso/employee.ts @@ -103,7 +103,7 @@ export class Employee extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:contoso/v20211001preview:Employee" }, { type: "azure-native:contoso/v20211101:Employee" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:contoso/v20211001preview:Employee" }, { type: "azure-native_contoso_v20211001preview:contoso:Employee" }, { type: "azure-native_contoso_v20211101:contoso:Employee" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Employee.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/cassandraCluster.ts b/sdk/nodejs/cosmosdb/cassandraCluster.ts index 0ae5cec1853e..4cc2115affc4 100644 --- a/sdk/nodejs/cosmosdb/cassandraCluster.ts +++ b/sdk/nodejs/cosmosdb/cassandraCluster.ts @@ -103,7 +103,7 @@ export class CassandraCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20210301preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20210401preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20210701preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20211015:CassandraCluster" }, { type: "azure-native:cosmosdb/v20211015preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20211115preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20220215preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20220515:CassandraCluster" }, { type: "azure-native:cosmosdb/v20220515preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20220815:CassandraCluster" }, { type: "azure-native:cosmosdb/v20220815preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20221115:CassandraCluster" }, { type: "azure-native:cosmosdb/v20221115preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20230301preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20230315:CassandraCluster" }, { type: "azure-native:cosmosdb/v20230315preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20230415:CassandraCluster" }, { type: "azure-native:cosmosdb/v20230915:CassandraCluster" }, { type: "azure-native:cosmosdb/v20230915preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20231115:CassandraCluster" }, { type: "azure-native:cosmosdb/v20231115preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20240215preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20240515:CassandraCluster" }, { type: "azure-native:cosmosdb/v20240515preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20240815:CassandraCluster" }, { type: "azure-native:cosmosdb/v20240901preview:CassandraCluster" }, { type: "azure-native:cosmosdb/v20241115:CassandraCluster" }, { type: "azure-native:cosmosdb/v20241201preview:CassandraCluster" }, { type: "azure-native:documentdb/v20210701preview:CassandraCluster" }, { type: "azure-native:documentdb/v20230415:CassandraCluster" }, { type: "azure-native:documentdb/v20230915:CassandraCluster" }, { type: "azure-native:documentdb/v20230915preview:CassandraCluster" }, { type: "azure-native:documentdb/v20231115:CassandraCluster" }, { type: "azure-native:documentdb/v20231115preview:CassandraCluster" }, { type: "azure-native:documentdb/v20240215preview:CassandraCluster" }, { type: "azure-native:documentdb/v20240515:CassandraCluster" }, { type: "azure-native:documentdb/v20240515preview:CassandraCluster" }, { type: "azure-native:documentdb/v20240815:CassandraCluster" }, { type: "azure-native:documentdb/v20240901preview:CassandraCluster" }, { type: "azure-native:documentdb/v20241115:CassandraCluster" }, { type: "azure-native:documentdb/v20241201preview:CassandraCluster" }, { type: "azure-native:documentdb:CassandraCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20210701preview:CassandraCluster" }, { type: "azure-native:documentdb/v20230415:CassandraCluster" }, { type: "azure-native:documentdb/v20230915:CassandraCluster" }, { type: "azure-native:documentdb/v20230915preview:CassandraCluster" }, { type: "azure-native:documentdb/v20231115:CassandraCluster" }, { type: "azure-native:documentdb/v20231115preview:CassandraCluster" }, { type: "azure-native:documentdb/v20240215preview:CassandraCluster" }, { type: "azure-native:documentdb/v20240515:CassandraCluster" }, { type: "azure-native:documentdb/v20240515preview:CassandraCluster" }, { type: "azure-native:documentdb/v20240815:CassandraCluster" }, { type: "azure-native:documentdb/v20240901preview:CassandraCluster" }, { type: "azure-native:documentdb/v20241115:CassandraCluster" }, { type: "azure-native:documentdb/v20241201preview:CassandraCluster" }, { type: "azure-native:documentdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:CassandraCluster" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CassandraCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/cassandraDataCenter.ts b/sdk/nodejs/cosmosdb/cassandraDataCenter.ts index fad29367a2ce..e7224a89e83f 100644 --- a/sdk/nodejs/cosmosdb/cassandraDataCenter.ts +++ b/sdk/nodejs/cosmosdb/cassandraDataCenter.ts @@ -89,7 +89,7 @@ export class CassandraDataCenter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20210301preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20210401preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20210701preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20211015:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20211015preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20211115preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20220215preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20220515:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20220515preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20220815:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20220815preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20221115:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20221115preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20230301preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20230315:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20230315preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20230415:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20230915:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20230915preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20231115:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20231115preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20240215preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20240515:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20240515preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20240815:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20240901preview:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20241115:CassandraDataCenter" }, { type: "azure-native:cosmosdb/v20241201preview:CassandraDataCenter" }, { type: "azure-native:documentdb/v20230415:CassandraDataCenter" }, { type: "azure-native:documentdb/v20230915:CassandraDataCenter" }, { type: "azure-native:documentdb/v20230915preview:CassandraDataCenter" }, { type: "azure-native:documentdb/v20231115:CassandraDataCenter" }, { type: "azure-native:documentdb/v20231115preview:CassandraDataCenter" }, { type: "azure-native:documentdb/v20240215preview:CassandraDataCenter" }, { type: "azure-native:documentdb/v20240515:CassandraDataCenter" }, { type: "azure-native:documentdb/v20240515preview:CassandraDataCenter" }, { type: "azure-native:documentdb/v20240815:CassandraDataCenter" }, { type: "azure-native:documentdb/v20240901preview:CassandraDataCenter" }, { type: "azure-native:documentdb/v20241115:CassandraDataCenter" }, { type: "azure-native:documentdb/v20241201preview:CassandraDataCenter" }, { type: "azure-native:documentdb:CassandraDataCenter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230415:CassandraDataCenter" }, { type: "azure-native:documentdb/v20230915:CassandraDataCenter" }, { type: "azure-native:documentdb/v20230915preview:CassandraDataCenter" }, { type: "azure-native:documentdb/v20231115:CassandraDataCenter" }, { type: "azure-native:documentdb/v20231115preview:CassandraDataCenter" }, { type: "azure-native:documentdb/v20240215preview:CassandraDataCenter" }, { type: "azure-native:documentdb/v20240515:CassandraDataCenter" }, { type: "azure-native:documentdb/v20240515preview:CassandraDataCenter" }, { type: "azure-native:documentdb/v20240815:CassandraDataCenter" }, { type: "azure-native:documentdb/v20240901preview:CassandraDataCenter" }, { type: "azure-native:documentdb/v20241115:CassandraDataCenter" }, { type: "azure-native:documentdb/v20241201preview:CassandraDataCenter" }, { type: "azure-native:documentdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:CassandraDataCenter" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraDataCenter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CassandraDataCenter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/cassandraResourceCassandraKeyspace.ts b/sdk/nodejs/cosmosdb/cassandraResourceCassandraKeyspace.ts index eb3a8a08c132..c3632967d77b 100644 --- a/sdk/nodejs/cosmosdb/cassandraResourceCassandraKeyspace.ts +++ b/sdk/nodejs/cosmosdb/cassandraResourceCassandraKeyspace.ts @@ -104,7 +104,7 @@ export class CassandraResourceCassandraKeyspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20150408:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20151106:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20160319:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20160331:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20190801:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20191212:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20200301:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20200401:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20200601preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20200901:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210301preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210315:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210401preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210415:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210515:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210615:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20211015:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20220515:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20220815:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20221115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230315:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230415:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230915:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20231115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20240515:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20240815:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20241115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230315preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230415:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230915:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230915preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20231115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20231115preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240215preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240515:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240515preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240815:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240901preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20241115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20241201preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb:CassandraResourceCassandraKeyspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230415:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230915:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230915preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20231115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20231115preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240215preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240515:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240515preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240815:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240901preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20241115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20241201preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraKeyspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CassandraResourceCassandraKeyspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/cassandraResourceCassandraTable.ts b/sdk/nodejs/cosmosdb/cassandraResourceCassandraTable.ts index 0812d6f0da04..b81e6d8034f8 100644 --- a/sdk/nodejs/cosmosdb/cassandraResourceCassandraTable.ts +++ b/sdk/nodejs/cosmosdb/cassandraResourceCassandraTable.ts @@ -108,7 +108,7 @@ export class CassandraResourceCassandraTable extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20150408:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20151106:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20160319:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20160331:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20190801:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20191212:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20200301:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20200401:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20200601preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20200901:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20210115:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20210301preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20210315:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20210401preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20210415:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20210515:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20210615:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20211015:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20220515:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20220815:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20221115:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20230315:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20230415:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20230915:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20231115:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20240515:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20240815:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20241115:CassandraResourceCassandraTable" }, { type: "azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230315preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230415:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230915:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230915preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20231115:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20231115preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240215preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240515:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240515preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240815:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240901preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20241115:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20241201preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb:CassandraResourceCassandraTable" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230415:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230915:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230915preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20231115:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20231115preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240215preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240515:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240515preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240815:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240901preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20241115:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20241201preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraTable" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CassandraResourceCassandraTable.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/cassandraResourceCassandraView.ts b/sdk/nodejs/cosmosdb/cassandraResourceCassandraView.ts index d11842af0486..551d900be2d1 100644 --- a/sdk/nodejs/cosmosdb/cassandraResourceCassandraView.ts +++ b/sdk/nodejs/cosmosdb/cassandraResourceCassandraView.ts @@ -114,7 +114,7 @@ export class CassandraResourceCassandraView extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraView" }, { type: "azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20230315preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20230915preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20231115preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20240215preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20240515preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20240901preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20241201preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb:CassandraResourceCassandraView" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20230915preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20231115preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20240215preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20240515preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20240901preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb/v20241201preview:CassandraResourceCassandraView" }, { type: "azure-native:documentdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraView" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraView" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CassandraResourceCassandraView.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/databaseAccount.ts b/sdk/nodejs/cosmosdb/databaseAccount.ts index 533b3da76bc9..f1df8c1e4850 100644 --- a/sdk/nodejs/cosmosdb/databaseAccount.ts +++ b/sdk/nodejs/cosmosdb/databaseAccount.ts @@ -355,7 +355,7 @@ export class DatabaseAccount extends pulumi.CustomResource { resourceInputs["writeLocations"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20150408:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20151106:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20160319:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20160331:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20190801:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20191212:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20200301:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20200401:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20200601preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20200901:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20210115:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20210301preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20210315:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20210401preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20210415:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20210515:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20210615:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20210701preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20211015:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20211015preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20211115preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20220215preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20220515:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20220515preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20220815:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20220815preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20221115:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20221115preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20230301preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20230315:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20230315preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20230415:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20230915:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20230915preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20231115:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20231115preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20240215preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20240515:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20240515preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20240815:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20240901preview:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20241115:DatabaseAccount" }, { type: "azure-native:cosmosdb/v20241201preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20210401preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20230315preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20230415:DatabaseAccount" }, { type: "azure-native:documentdb/v20230915:DatabaseAccount" }, { type: "azure-native:documentdb/v20230915preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20231115:DatabaseAccount" }, { type: "azure-native:documentdb/v20231115preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20240215preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20240515:DatabaseAccount" }, { type: "azure-native:documentdb/v20240515preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20240815:DatabaseAccount" }, { type: "azure-native:documentdb/v20240901preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20241115:DatabaseAccount" }, { type: "azure-native:documentdb/v20241201preview:DatabaseAccount" }, { type: "azure-native:documentdb:DatabaseAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20210401preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20230315preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20230415:DatabaseAccount" }, { type: "azure-native:documentdb/v20230915:DatabaseAccount" }, { type: "azure-native:documentdb/v20230915preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20231115:DatabaseAccount" }, { type: "azure-native:documentdb/v20231115preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20240215preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20240515:DatabaseAccount" }, { type: "azure-native:documentdb/v20240515preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20240815:DatabaseAccount" }, { type: "azure-native:documentdb/v20240901preview:DatabaseAccount" }, { type: "azure-native:documentdb/v20241115:DatabaseAccount" }, { type: "azure-native:documentdb/v20241201preview:DatabaseAccount" }, { type: "azure-native:documentdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccount" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/databaseAccountCassandraKeyspace.ts b/sdk/nodejs/cosmosdb/databaseAccountCassandraKeyspace.ts index a5f6c849f1f3..ccc00f921218 100644 --- a/sdk/nodejs/cosmosdb/databaseAccountCassandraKeyspace.ts +++ b/sdk/nodejs/cosmosdb/databaseAccountCassandraKeyspace.ts @@ -103,7 +103,7 @@ export class DatabaseAccountCassandraKeyspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20150408:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20151106:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20160319:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20160331:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20190801:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20191212:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20200301:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20200401:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20200601preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20200901:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210115:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210301preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210315:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210401preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210415:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210515:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210615:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20210701preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20211015:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20211015preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20211115preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20220215preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20220515:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20220515preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20220815:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20220815preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20221115:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20221115preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230301preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230315:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230315preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230415:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230915:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20230915preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20231115:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20231115preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20240215preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20240515:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20240515preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20240815:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20240901preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20241115:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:cosmosdb/v20241201preview:DatabaseAccountCassandraKeyspace" }, { type: "azure-native:documentdb/v20230315preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230415:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230915:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230915preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20231115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20231115preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240215preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240515:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240515preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240815:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240901preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20241115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20241201preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb:CassandraResourceCassandraKeyspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230415:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230915:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20230915preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20231115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20231115preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240215preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240515:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240515preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240815:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20240901preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20241115:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb/v20241201preview:CassandraResourceCassandraKeyspace" }, { type: "azure-native:documentdb:CassandraResourceCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountCassandraKeyspace" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountCassandraKeyspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseAccountCassandraKeyspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/databaseAccountCassandraTable.ts b/sdk/nodejs/cosmosdb/databaseAccountCassandraTable.ts index c3e951d1650b..aa013c789856 100644 --- a/sdk/nodejs/cosmosdb/databaseAccountCassandraTable.ts +++ b/sdk/nodejs/cosmosdb/databaseAccountCassandraTable.ts @@ -119,7 +119,7 @@ export class DatabaseAccountCassandraTable extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20150408:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20151106:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20160319:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20160331:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20190801:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20191212:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20200301:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20200401:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20200601preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20200901:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20210115:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20210301preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20210315:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20210401preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20210415:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20210515:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20210615:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20210701preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20211015:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20211015preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20211115preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20220215preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20220515:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20220515preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20220815:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20220815preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20221115:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20221115preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20230301preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20230315:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20230315preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20230415:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20230915:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20230915preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20231115:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20231115preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20240215preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20240515:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20240515preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20240815:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20240901preview:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20241115:DatabaseAccountCassandraTable" }, { type: "azure-native:cosmosdb/v20241201preview:DatabaseAccountCassandraTable" }, { type: "azure-native:documentdb/v20230315preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230415:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230915:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230915preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20231115:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20231115preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240215preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240515:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240515preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240815:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240901preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20241115:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20241201preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb:CassandraResourceCassandraTable" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230415:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230915:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20230915preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20231115:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20231115preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240215preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240515:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240515preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240815:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20240901preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20241115:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb/v20241201preview:CassandraResourceCassandraTable" }, { type: "azure-native:documentdb:CassandraResourceCassandraTable" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountCassandraTable" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountCassandraTable" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseAccountCassandraTable.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/databaseAccountGremlinDatabase.ts b/sdk/nodejs/cosmosdb/databaseAccountGremlinDatabase.ts index 212f5eae65f9..1c67adbbc27d 100644 --- a/sdk/nodejs/cosmosdb/databaseAccountGremlinDatabase.ts +++ b/sdk/nodejs/cosmosdb/databaseAccountGremlinDatabase.ts @@ -121,7 +121,7 @@ export class DatabaseAccountGremlinDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20150408:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20151106:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20160319:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20160331:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20190801:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20191212:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20200301:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20200401:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20200601preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20200901:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210115:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210301preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210315:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210401preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210415:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210515:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210615:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210701preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20211015:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20211015preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20211115preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20220215preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20220515:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20220515preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20220815:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20220815preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20221115:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20221115preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230301preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230315:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230315preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230415:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230915:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230915preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20231115:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20231115preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20240215preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20240515:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20240515preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20240815:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20240901preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20241115:DatabaseAccountGremlinDatabase" }, { type: "azure-native:cosmosdb/v20241201preview:DatabaseAccountGremlinDatabase" }, { type: "azure-native:documentdb/v20230315preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230415:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230915:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230915preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20231115:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20231115preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240215preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240515:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240515preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240815:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240901preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20241115:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20241201preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb:GremlinResourceGremlinDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230415:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230915:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230915preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20231115:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20231115preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240215preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240515:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240515preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240815:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240901preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20241115:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20241201preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountGremlinDatabase" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountGremlinDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseAccountGremlinDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/databaseAccountGremlinGraph.ts b/sdk/nodejs/cosmosdb/databaseAccountGremlinGraph.ts index a00d27eff65b..805392f54f64 100644 --- a/sdk/nodejs/cosmosdb/databaseAccountGremlinGraph.ts +++ b/sdk/nodejs/cosmosdb/databaseAccountGremlinGraph.ts @@ -155,7 +155,7 @@ export class DatabaseAccountGremlinGraph extends pulumi.CustomResource { resourceInputs["uniqueKeyPolicy"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20150408:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20151106:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20160319:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20160331:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20190801:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20191212:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20200301:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20200401:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20200601preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20200901:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20210115:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20210301preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20210315:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20210401preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20210415:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20210515:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20210615:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20210701preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20211015:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20211015preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20211115preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20220215preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20220515:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20220515preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20220815:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20220815preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20221115:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20221115preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20230301preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20230315:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20230315preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20230415:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20230915:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20230915preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20231115:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20231115preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20240215preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20240515:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20240515preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20240815:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20240901preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20241115:DatabaseAccountGremlinGraph" }, { type: "azure-native:cosmosdb/v20241201preview:DatabaseAccountGremlinGraph" }, { type: "azure-native:documentdb/v20230315preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230415:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230915:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230915preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20231115:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20231115preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240215preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240515:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240515preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240815:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240901preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20241115:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20241201preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb:GremlinResourceGremlinGraph" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230415:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230915:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230915preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20231115:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20231115preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240215preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240515:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240515preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240815:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240901preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20241115:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20241201preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountGremlinGraph" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountGremlinGraph" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseAccountGremlinGraph.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/databaseAccountMongoDBCollection.ts b/sdk/nodejs/cosmosdb/databaseAccountMongoDBCollection.ts index d80c0eb01d44..e759b1c7f1ec 100644 --- a/sdk/nodejs/cosmosdb/databaseAccountMongoDBCollection.ts +++ b/sdk/nodejs/cosmosdb/databaseAccountMongoDBCollection.ts @@ -119,7 +119,7 @@ export class DatabaseAccountMongoDBCollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20150408:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20151106:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20160319:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20160331:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20190801:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20191212:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20200301:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20200401:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20200601preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20200901:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210115:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210301preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210315:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210401preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210415:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210515:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210615:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210701preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20211015:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20211015preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20211115preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20220215preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20220515:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20220515preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20220815:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20220815preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20221115:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20221115preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230301preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230315:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230315preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230415:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230915:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230915preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20231115:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20231115preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20240215preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20240515:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20240515preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20240815:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20240901preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20241115:DatabaseAccountMongoDBCollection" }, { type: "azure-native:cosmosdb/v20241201preview:DatabaseAccountMongoDBCollection" }, { type: "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230415:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb:MongoDBResourceMongoDBCollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230415:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountMongoDBCollection" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountMongoDBCollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseAccountMongoDBCollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/databaseAccountMongoDBDatabase.ts b/sdk/nodejs/cosmosdb/databaseAccountMongoDBDatabase.ts index 2c9046d29dc9..85c3c4ef2fce 100644 --- a/sdk/nodejs/cosmosdb/databaseAccountMongoDBDatabase.ts +++ b/sdk/nodejs/cosmosdb/databaseAccountMongoDBDatabase.ts @@ -103,7 +103,7 @@ export class DatabaseAccountMongoDBDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20150408:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20151106:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20160319:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20160331:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20190801:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20191212:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20200301:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20200401:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20200601preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20200901:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210115:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210301preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210315:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210401preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210415:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210515:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210615:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210701preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20211015:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20211015preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20211115preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20220215preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20220515:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20220515preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20220815:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20220815preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20221115:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20221115preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230301preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230315:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230315preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230415:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230915:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230915preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20231115:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20231115preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20240215preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20240515:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20240515preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20240815:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20240901preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20241115:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20241201preview:DatabaseAccountMongoDBDatabase" }, { type: "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230415:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb:MongoDBResourceMongoDBDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230415:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountMongoDBDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseAccountMongoDBDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/databaseAccountSqlContainer.ts b/sdk/nodejs/cosmosdb/databaseAccountSqlContainer.ts index af185428a77e..96d8ed6bda17 100644 --- a/sdk/nodejs/cosmosdb/databaseAccountSqlContainer.ts +++ b/sdk/nodejs/cosmosdb/databaseAccountSqlContainer.ts @@ -155,7 +155,7 @@ export class DatabaseAccountSqlContainer extends pulumi.CustomResource { resourceInputs["uniqueKeyPolicy"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20150408:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20151106:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20160319:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20160331:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20190801:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20191212:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20200301:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20200401:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20200601preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20200901:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20210115:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20210301preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20210315:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20210401preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20210415:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20210515:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20210615:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20210701preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20211015:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20211015preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20211115preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20220215preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20220515:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20220515preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20220815:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20220815preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20221115:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20221115preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20230301preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20230315:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20230315preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20230415:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20230915:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20230915preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20231115:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20231115preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20240215preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20240515:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20240515preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20240815:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20240901preview:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20241115:DatabaseAccountSqlContainer" }, { type: "azure-native:cosmosdb/v20241201preview:DatabaseAccountSqlContainer" }, { type: "azure-native:documentdb/v20230315preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb:SqlResourceSqlContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountSqlContainer" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountSqlContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseAccountSqlContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/databaseAccountSqlDatabase.ts b/sdk/nodejs/cosmosdb/databaseAccountSqlDatabase.ts index d833449d10d4..141671356dae 100644 --- a/sdk/nodejs/cosmosdb/databaseAccountSqlDatabase.ts +++ b/sdk/nodejs/cosmosdb/databaseAccountSqlDatabase.ts @@ -133,7 +133,7 @@ export class DatabaseAccountSqlDatabase extends pulumi.CustomResource { resourceInputs["users"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20150408:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20151106:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20160319:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20160331:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20190801:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20191212:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20200301:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20200401:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20200601preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20200901:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20210115:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20210301preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20210315:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20210401preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20210415:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20210515:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20210615:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20210701preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20211015:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20211015preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20211115preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20220215preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20220515:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20220515preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20220815:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20220815preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20221115:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20221115preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20230301preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20230315:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20230315preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20230415:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20230915:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20230915preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20231115:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20231115preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20240215preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20240515:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20240515preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20240815:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20240901preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20241115:DatabaseAccountSqlDatabase" }, { type: "azure-native:cosmosdb/v20241201preview:DatabaseAccountSqlDatabase" }, { type: "azure-native:documentdb/v20230315preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb:SqlResourceSqlDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountSqlDatabase" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountSqlDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseAccountSqlDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/databaseAccountTable.ts b/sdk/nodejs/cosmosdb/databaseAccountTable.ts index 95213e50613b..f181ca5a007b 100644 --- a/sdk/nodejs/cosmosdb/databaseAccountTable.ts +++ b/sdk/nodejs/cosmosdb/databaseAccountTable.ts @@ -103,7 +103,7 @@ export class DatabaseAccountTable extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20150408:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20151106:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20160319:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20160331:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20190801:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20191212:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20200301:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20200401:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20200601preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20200901:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20210115:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20210301preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20210315:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20210401preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20210415:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20210515:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20210615:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20210701preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20211015:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20211015preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20211115preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20220215preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20220515:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20220515preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20220815:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20220815preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20221115:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20221115preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20230301preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20230315:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20230315preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20230415:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20230915:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20230915preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20231115:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20231115preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20240215preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20240515:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20240515preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20240815:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20240901preview:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20241115:DatabaseAccountTable" }, { type: "azure-native:cosmosdb/v20241201preview:DatabaseAccountTable" }, { type: "azure-native:documentdb/v20230315preview:TableResourceTable" }, { type: "azure-native:documentdb/v20230415:TableResourceTable" }, { type: "azure-native:documentdb/v20230915:TableResourceTable" }, { type: "azure-native:documentdb/v20230915preview:TableResourceTable" }, { type: "azure-native:documentdb/v20231115:TableResourceTable" }, { type: "azure-native:documentdb/v20231115preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240215preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240515:TableResourceTable" }, { type: "azure-native:documentdb/v20240515preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240815:TableResourceTable" }, { type: "azure-native:documentdb/v20240901preview:TableResourceTable" }, { type: "azure-native:documentdb/v20241115:TableResourceTable" }, { type: "azure-native:documentdb/v20241201preview:TableResourceTable" }, { type: "azure-native:documentdb:TableResourceTable" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:TableResourceTable" }, { type: "azure-native:documentdb/v20230415:TableResourceTable" }, { type: "azure-native:documentdb/v20230915:TableResourceTable" }, { type: "azure-native:documentdb/v20230915preview:TableResourceTable" }, { type: "azure-native:documentdb/v20231115:TableResourceTable" }, { type: "azure-native:documentdb/v20231115preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240215preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240515:TableResourceTable" }, { type: "azure-native:documentdb/v20240515preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240815:TableResourceTable" }, { type: "azure-native:documentdb/v20240901preview:TableResourceTable" }, { type: "azure-native:documentdb/v20241115:TableResourceTable" }, { type: "azure-native:documentdb/v20241201preview:TableResourceTable" }, { type: "azure-native:documentdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountTable" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountTable" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseAccountTable.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/graphResourceGraph.ts b/sdk/nodejs/cosmosdb/graphResourceGraph.ts index 94a40b17b795..11a52b559c9a 100644 --- a/sdk/nodejs/cosmosdb/graphResourceGraph.ts +++ b/sdk/nodejs/cosmosdb/graphResourceGraph.ts @@ -110,7 +110,7 @@ export class GraphResourceGraph extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20210701preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20211015preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20211115preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20220215preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20220515preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20220815preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20221115preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20230301preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20230315preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20230915preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20231115preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20240215preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20240515preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20240901preview:GraphResourceGraph" }, { type: "azure-native:cosmosdb/v20241201preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20230315preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20230915preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20231115preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20240215preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20240515preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20240901preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20241201preview:GraphResourceGraph" }, { type: "azure-native:documentdb:GraphResourceGraph" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20230915preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20231115preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20240215preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20240515preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20240901preview:GraphResourceGraph" }, { type: "azure-native:documentdb/v20241201preview:GraphResourceGraph" }, { type: "azure-native:documentdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:GraphResourceGraph" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:GraphResourceGraph" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GraphResourceGraph.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/gremlinResourceGremlinDatabase.ts b/sdk/nodejs/cosmosdb/gremlinResourceGremlinDatabase.ts index 92a42e48679e..3f9b5e44b7b4 100644 --- a/sdk/nodejs/cosmosdb/gremlinResourceGremlinDatabase.ts +++ b/sdk/nodejs/cosmosdb/gremlinResourceGremlinDatabase.ts @@ -104,7 +104,7 @@ export class GremlinResourceGremlinDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20150408:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20151106:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20160319:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20160331:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20190801:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20191212:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20200301:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20200401:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20200601preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20200901:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210115:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210301preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210315:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210401preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210415:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210515:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210615:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20210701preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20211015:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20211015preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20211115preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20220215preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20220515:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20220515preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20220815:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20220815preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20221115:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20221115preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230301preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230315:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230315preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230415:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230915:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20230915preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20231115:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20231115preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20240215preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20240515:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20240515preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20240815:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20240901preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20241115:GremlinResourceGremlinDatabase" }, { type: "azure-native:cosmosdb/v20241201preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230315preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230415:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230915:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230915preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20231115:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20231115preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240215preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240515:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240515preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240815:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240901preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20241115:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20241201preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb:GremlinResourceGremlinDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230415:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230915:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20230915preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20231115:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20231115preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240215preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240515:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240515preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240815:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20240901preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20241115:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb/v20241201preview:GremlinResourceGremlinDatabase" }, { type: "azure-native:documentdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:GremlinResourceGremlinDatabase" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:GremlinResourceGremlinDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GremlinResourceGremlinDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/gremlinResourceGremlinGraph.ts b/sdk/nodejs/cosmosdb/gremlinResourceGremlinGraph.ts index fdbda8bcbb9f..6b31b18d9e1c 100644 --- a/sdk/nodejs/cosmosdb/gremlinResourceGremlinGraph.ts +++ b/sdk/nodejs/cosmosdb/gremlinResourceGremlinGraph.ts @@ -108,7 +108,7 @@ export class GremlinResourceGremlinGraph extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20150408:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20151106:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20160319:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20160331:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20190801:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20191212:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20200301:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20200401:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20200601preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20200901:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20210115:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20210301preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20210315:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20210401preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20210415:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20210515:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20210615:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20210701preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20211015:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20211015preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20211115preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20220215preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20220515:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20220515preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20220815:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20220815preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20221115:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20221115preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20230301preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20230315:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20230315preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20230415:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20230915:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20230915preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20231115:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20231115preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20240215preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20240515:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20240515preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20240815:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20240901preview:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20241115:GremlinResourceGremlinGraph" }, { type: "azure-native:cosmosdb/v20241201preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230315preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230415:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230915:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230915preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20231115:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20231115preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240215preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240515:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240515preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240815:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240901preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20241115:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20241201preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb:GremlinResourceGremlinGraph" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230415:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230915:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20230915preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20231115:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20231115preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240215preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240515:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240515preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240815:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20240901preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20241115:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb/v20241201preview:GremlinResourceGremlinGraph" }, { type: "azure-native:documentdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:GremlinResourceGremlinGraph" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:GremlinResourceGremlinGraph" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GremlinResourceGremlinGraph.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/mongoCluster.ts b/sdk/nodejs/cosmosdb/mongoCluster.ts index b6af12f8bedb..851321e2d259 100644 --- a/sdk/nodejs/cosmosdb/mongoCluster.ts +++ b/sdk/nodejs/cosmosdb/mongoCluster.ts @@ -142,7 +142,7 @@ export class MongoCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20230301preview:MongoCluster" }, { type: "azure-native:cosmosdb/v20230315preview:MongoCluster" }, { type: "azure-native:cosmosdb/v20230915preview:MongoCluster" }, { type: "azure-native:cosmosdb/v20231115preview:MongoCluster" }, { type: "azure-native:cosmosdb/v20240215preview:MongoCluster" }, { type: "azure-native:documentdb/v20230315preview:MongoCluster" }, { type: "azure-native:documentdb/v20230915preview:MongoCluster" }, { type: "azure-native:documentdb/v20231115preview:MongoCluster" }, { type: "azure-native:documentdb/v20240215preview:MongoCluster" }, { type: "azure-native:documentdb/v20240301preview:MongoCluster" }, { type: "azure-native:documentdb/v20240601preview:MongoCluster" }, { type: "azure-native:documentdb/v20240701:MongoCluster" }, { type: "azure-native:documentdb/v20241001preview:MongoCluster" }, { type: "azure-native:documentdb:MongoCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:MongoCluster" }, { type: "azure-native:documentdb/v20230915preview:MongoCluster" }, { type: "azure-native:documentdb/v20231115preview:MongoCluster" }, { type: "azure-native:documentdb/v20240215preview:MongoCluster" }, { type: "azure-native:documentdb/v20240301preview:MongoCluster" }, { type: "azure-native:documentdb/v20240601preview:MongoCluster" }, { type: "azure-native:documentdb/v20240701:MongoCluster" }, { type: "azure-native:documentdb/v20241001preview:MongoCluster" }, { type: "azure-native:documentdb:MongoCluster" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoCluster" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoCluster" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoCluster" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoCluster" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MongoCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/mongoClusterFirewallRule.ts b/sdk/nodejs/cosmosdb/mongoClusterFirewallRule.ts index 57a4cade3788..d5b75e3c10b6 100644 --- a/sdk/nodejs/cosmosdb/mongoClusterFirewallRule.ts +++ b/sdk/nodejs/cosmosdb/mongoClusterFirewallRule.ts @@ -113,7 +113,7 @@ export class MongoClusterFirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20230301preview:MongoClusterFirewallRule" }, { type: "azure-native:cosmosdb/v20230315preview:MongoClusterFirewallRule" }, { type: "azure-native:cosmosdb/v20230915preview:MongoClusterFirewallRule" }, { type: "azure-native:cosmosdb/v20231115preview:MongoClusterFirewallRule" }, { type: "azure-native:cosmosdb/v20240215preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20230315preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20230915preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20231115preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20240215preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20240301preview:FirewallRule" }, { type: "azure-native:documentdb/v20240601preview:FirewallRule" }, { type: "azure-native:documentdb/v20240701:FirewallRule" }, { type: "azure-native:documentdb/v20241001preview:FirewallRule" }, { type: "azure-native:documentdb:FirewallRule" }, { type: "azure-native:documentdb:MongoClusterFirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20230915preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20231115preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20240215preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20240301preview:FirewallRule" }, { type: "azure-native:documentdb/v20240601preview:FirewallRule" }, { type: "azure-native:documentdb/v20240701:FirewallRule" }, { type: "azure-native:documentdb/v20241001preview:FirewallRule" }, { type: "azure-native:documentdb:FirewallRule" }, { type: "azure-native:documentdb:MongoClusterFirewallRule" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoClusterFirewallRule" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoClusterFirewallRule" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoClusterFirewallRule" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoClusterFirewallRule" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoClusterFirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MongoClusterFirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/mongoDBResourceMongoDBCollection.ts b/sdk/nodejs/cosmosdb/mongoDBResourceMongoDBCollection.ts index 4966138d6abb..ebbcbe0cc223 100644 --- a/sdk/nodejs/cosmosdb/mongoDBResourceMongoDBCollection.ts +++ b/sdk/nodejs/cosmosdb/mongoDBResourceMongoDBCollection.ts @@ -108,7 +108,7 @@ export class MongoDBResourceMongoDBCollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20150408:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20151106:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20160319:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20160331:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20190801:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20191212:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20200301:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20200401:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20200601preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20200901:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210301preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210315:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210401preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210415:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210515:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210615:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20210701preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20211015:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20220515:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20220815:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20221115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230315:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230415:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230915:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20231115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20240515:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20240815:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20241115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230415:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb:MongoDBResourceMongoDBCollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230415:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBCollection" }, { type: "azure-native:documentdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoDBCollection" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoDBCollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MongoDBResourceMongoDBCollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/mongoDBResourceMongoDBDatabase.ts b/sdk/nodejs/cosmosdb/mongoDBResourceMongoDBDatabase.ts index 81bcc1cb04f8..80ea80b7434e 100644 --- a/sdk/nodejs/cosmosdb/mongoDBResourceMongoDBDatabase.ts +++ b/sdk/nodejs/cosmosdb/mongoDBResourceMongoDBDatabase.ts @@ -104,7 +104,7 @@ export class MongoDBResourceMongoDBDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20150408:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20151106:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20160319:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20160331:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20190801:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20191212:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20200301:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20200401:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20200601preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20200901:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210301preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210315:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210401preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210415:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210515:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210615:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20210701preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20211015:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20220515:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20220815:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20221115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230315:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230415:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230915:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20231115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20240515:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20240815:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20241115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230415:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb:MongoDBResourceMongoDBDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230415:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBDatabase" }, { type: "azure-native:documentdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoDBDatabase" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoDBDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MongoDBResourceMongoDBDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/mongoDBResourceMongoRoleDefinition.ts b/sdk/nodejs/cosmosdb/mongoDBResourceMongoRoleDefinition.ts index eb10df755617..40c4a2459ee7 100644 --- a/sdk/nodejs/cosmosdb/mongoDBResourceMongoRoleDefinition.ts +++ b/sdk/nodejs/cosmosdb/mongoDBResourceMongoRoleDefinition.ts @@ -107,7 +107,7 @@ export class MongoDBResourceMongoRoleDefinition extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20220815:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20221115:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20230315:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20230415:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20230915:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20231115:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20240515:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20240815:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20241115:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20230301preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20230415:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb:MongoDBResourceMongoRoleDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230301preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20230415:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native:documentdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoRoleDefinition" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoRoleDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MongoDBResourceMongoRoleDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/mongoDBResourceMongoUserDefinition.ts b/sdk/nodejs/cosmosdb/mongoDBResourceMongoUserDefinition.ts index c55de0146917..152d6f2e8bbe 100644 --- a/sdk/nodejs/cosmosdb/mongoDBResourceMongoUserDefinition.ts +++ b/sdk/nodejs/cosmosdb/mongoDBResourceMongoUserDefinition.ts @@ -119,7 +119,7 @@ export class MongoDBResourceMongoUserDefinition extends pulumi.CustomResource { resourceInputs["userName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20220815:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20221115:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20230315:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20230415:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20230915:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20231115:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20240515:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20240815:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20241115:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20230415:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb:MongoDBResourceMongoUserDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230415:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20230915:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20230915preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20231115:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20231115preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20240215preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20240515:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20240515preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20240815:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20240901preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20241115:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb/v20241201preview:MongoDBResourceMongoUserDefinition" }, { type: "azure-native:documentdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoUserDefinition" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoUserDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MongoDBResourceMongoUserDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/notebookWorkspace.ts b/sdk/nodejs/cosmosdb/notebookWorkspace.ts index 6b28aa94b7e3..28ee7b9e885b 100644 --- a/sdk/nodejs/cosmosdb/notebookWorkspace.ts +++ b/sdk/nodejs/cosmosdb/notebookWorkspace.ts @@ -92,7 +92,7 @@ export class NotebookWorkspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20190801:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20191212:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20200301:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20200401:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20200601preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20200901:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20210115:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20210301preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20210315:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20210401preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20210415:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20210515:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20210615:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20210701preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20211015:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20211015preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20211115preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20220215preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20220515:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20220515preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20220815:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20220815preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20221115:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20221115preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20230301preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20230315:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20230315preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20230415:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20230915:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20230915preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20231115:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20231115preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20240215preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20240515:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20240515preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20240815:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20240901preview:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20241115:NotebookWorkspace" }, { type: "azure-native:cosmosdb/v20241201preview:NotebookWorkspace" }, { type: "azure-native:documentdb/v20230415:NotebookWorkspace" }, { type: "azure-native:documentdb/v20230915:NotebookWorkspace" }, { type: "azure-native:documentdb/v20230915preview:NotebookWorkspace" }, { type: "azure-native:documentdb/v20231115:NotebookWorkspace" }, { type: "azure-native:documentdb/v20231115preview:NotebookWorkspace" }, { type: "azure-native:documentdb/v20240215preview:NotebookWorkspace" }, { type: "azure-native:documentdb/v20240515:NotebookWorkspace" }, { type: "azure-native:documentdb/v20240515preview:NotebookWorkspace" }, { type: "azure-native:documentdb/v20240815:NotebookWorkspace" }, { type: "azure-native:documentdb/v20240901preview:NotebookWorkspace" }, { type: "azure-native:documentdb/v20241115:NotebookWorkspace" }, { type: "azure-native:documentdb/v20241201preview:NotebookWorkspace" }, { type: "azure-native:documentdb:NotebookWorkspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230415:NotebookWorkspace" }, { type: "azure-native:documentdb/v20230915:NotebookWorkspace" }, { type: "azure-native:documentdb/v20230915preview:NotebookWorkspace" }, { type: "azure-native:documentdb/v20231115:NotebookWorkspace" }, { type: "azure-native:documentdb/v20231115preview:NotebookWorkspace" }, { type: "azure-native:documentdb/v20240215preview:NotebookWorkspace" }, { type: "azure-native:documentdb/v20240515:NotebookWorkspace" }, { type: "azure-native:documentdb/v20240515preview:NotebookWorkspace" }, { type: "azure-native:documentdb/v20240815:NotebookWorkspace" }, { type: "azure-native:documentdb/v20240901preview:NotebookWorkspace" }, { type: "azure-native:documentdb/v20241115:NotebookWorkspace" }, { type: "azure-native:documentdb/v20241201preview:NotebookWorkspace" }, { type: "azure-native:documentdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:NotebookWorkspace" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:NotebookWorkspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NotebookWorkspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/privateEndpointConnection.ts b/sdk/nodejs/cosmosdb/privateEndpointConnection.ts index 2dc8777f4a6d..5efe566558bd 100644 --- a/sdk/nodejs/cosmosdb/privateEndpointConnection.ts +++ b/sdk/nodejs/cosmosdb/privateEndpointConnection.ts @@ -107,7 +107,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20190801preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20210115:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20210301preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20210315:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20210401preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20210415:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20210515:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20210615:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20210701preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20211015:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20211015preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20211115preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20220215preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20220515:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20220515preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20220815:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20220815preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20221115:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20221115preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20230301preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20230315:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20230315preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20230415:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20230915:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20230915preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20231115:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20231115preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20240215preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20240515:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20240515preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20240815:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20240901preview:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20241115:PrivateEndpointConnection" }, { type: "azure-native:cosmosdb/v20241201preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20230415:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20230915:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20230915preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20231115:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20231115preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240215preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240515:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240515preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240815:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240901preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20241115:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20241201preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230415:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20230915:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20230915preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20231115:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20231115preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240215preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240515:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240515preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240815:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240901preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20241115:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20241201preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20190801preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:PrivateEndpointConnection" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/service.ts b/sdk/nodejs/cosmosdb/service.ts index 8c5e41f8db39..3826020b25f1 100644 --- a/sdk/nodejs/cosmosdb/service.ts +++ b/sdk/nodejs/cosmosdb/service.ts @@ -89,7 +89,7 @@ export class Service extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20210401preview:Service" }, { type: "azure-native:cosmosdb/v20210701preview:Service" }, { type: "azure-native:cosmosdb/v20211015preview:Service" }, { type: "azure-native:cosmosdb/v20211115preview:Service" }, { type: "azure-native:cosmosdb/v20220215preview:Service" }, { type: "azure-native:cosmosdb/v20220515:Service" }, { type: "azure-native:cosmosdb/v20220515preview:Service" }, { type: "azure-native:cosmosdb/v20220815:Service" }, { type: "azure-native:cosmosdb/v20220815preview:Service" }, { type: "azure-native:cosmosdb/v20221115:Service" }, { type: "azure-native:cosmosdb/v20221115preview:Service" }, { type: "azure-native:cosmosdb/v20230301preview:Service" }, { type: "azure-native:cosmosdb/v20230315:Service" }, { type: "azure-native:cosmosdb/v20230315preview:Service" }, { type: "azure-native:cosmosdb/v20230415:Service" }, { type: "azure-native:cosmosdb/v20230915:Service" }, { type: "azure-native:cosmosdb/v20230915preview:Service" }, { type: "azure-native:cosmosdb/v20231115:Service" }, { type: "azure-native:cosmosdb/v20231115preview:Service" }, { type: "azure-native:cosmosdb/v20240215preview:Service" }, { type: "azure-native:cosmosdb/v20240515:Service" }, { type: "azure-native:cosmosdb/v20240515preview:Service" }, { type: "azure-native:cosmosdb/v20240815:Service" }, { type: "azure-native:cosmosdb/v20240901preview:Service" }, { type: "azure-native:cosmosdb/v20241115:Service" }, { type: "azure-native:cosmosdb/v20241201preview:Service" }, { type: "azure-native:documentdb/v20230415:Service" }, { type: "azure-native:documentdb/v20230915:Service" }, { type: "azure-native:documentdb/v20230915preview:Service" }, { type: "azure-native:documentdb/v20231115:Service" }, { type: "azure-native:documentdb/v20231115preview:Service" }, { type: "azure-native:documentdb/v20240215preview:Service" }, { type: "azure-native:documentdb/v20240515:Service" }, { type: "azure-native:documentdb/v20240515preview:Service" }, { type: "azure-native:documentdb/v20240815:Service" }, { type: "azure-native:documentdb/v20240901preview:Service" }, { type: "azure-native:documentdb/v20241115:Service" }, { type: "azure-native:documentdb/v20241201preview:Service" }, { type: "azure-native:documentdb:Service" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230415:Service" }, { type: "azure-native:documentdb/v20230915:Service" }, { type: "azure-native:documentdb/v20230915preview:Service" }, { type: "azure-native:documentdb/v20231115:Service" }, { type: "azure-native:documentdb/v20231115preview:Service" }, { type: "azure-native:documentdb/v20240215preview:Service" }, { type: "azure-native:documentdb/v20240515:Service" }, { type: "azure-native:documentdb/v20240515preview:Service" }, { type: "azure-native:documentdb/v20240815:Service" }, { type: "azure-native:documentdb/v20240901preview:Service" }, { type: "azure-native:documentdb/v20241115:Service" }, { type: "azure-native:documentdb/v20241201preview:Service" }, { type: "azure-native:documentdb:Service" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:Service" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:Service" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Service.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/sqlResourceSqlContainer.ts b/sdk/nodejs/cosmosdb/sqlResourceSqlContainer.ts index b87082242057..8257c0cb7e63 100644 --- a/sdk/nodejs/cosmosdb/sqlResourceSqlContainer.ts +++ b/sdk/nodejs/cosmosdb/sqlResourceSqlContainer.ts @@ -108,7 +108,7 @@ export class SqlResourceSqlContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20150408:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20151106:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20160319:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20160331:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20190801:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20191212:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20200301:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20200401:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20200601preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20200901:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20210115:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20210301preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20210315:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20210401preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20210415:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20210515:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20210615:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20210701preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20211015:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20211015preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20211115preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20220215preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20220515:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20220515preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20220815:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20220815preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20221115:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20221115preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20230301preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20230315:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20230315preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20230415:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20230915:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20230915preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20231115:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20231115preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20240215preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20240515:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20240515preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20240815:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20240901preview:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20241115:SqlResourceSqlContainer" }, { type: "azure-native:cosmosdb/v20241201preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230315preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb:SqlResourceSqlContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlContainer" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlContainer" }, { type: "azure-native:documentdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlContainer" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlResourceSqlContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/sqlResourceSqlDatabase.ts b/sdk/nodejs/cosmosdb/sqlResourceSqlDatabase.ts index 35f3a3870c7e..e77435465c20 100644 --- a/sdk/nodejs/cosmosdb/sqlResourceSqlDatabase.ts +++ b/sdk/nodejs/cosmosdb/sqlResourceSqlDatabase.ts @@ -104,7 +104,7 @@ export class SqlResourceSqlDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20150408:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20151106:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20160319:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20160331:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20190801:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20191212:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20200301:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20200401:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20200601preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20200901:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20210115:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20210301preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20210315:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20210401preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20210415:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20210515:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20210615:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20210701preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20211015:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20211015preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20211115preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20220215preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20220515:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20220515preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20220815:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20220815preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20221115:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20221115preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20230301preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20230315:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20230315preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20230415:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20230915:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20230915preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20231115:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20231115preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20240215preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20240515:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20240515preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20240815:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20240901preview:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20241115:SqlResourceSqlDatabase" }, { type: "azure-native:cosmosdb/v20241201preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230315preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb:SqlResourceSqlDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlDatabase" }, { type: "azure-native:documentdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlDatabase" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlResourceSqlDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/sqlResourceSqlRoleAssignment.ts b/sdk/nodejs/cosmosdb/sqlResourceSqlRoleAssignment.ts index ec9343efe0cc..f76d9617c5c1 100644 --- a/sdk/nodejs/cosmosdb/sqlResourceSqlRoleAssignment.ts +++ b/sdk/nodejs/cosmosdb/sqlResourceSqlRoleAssignment.ts @@ -98,7 +98,7 @@ export class SqlResourceSqlRoleAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20200601preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20210301preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20210401preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20210415:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20210515:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20210615:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20210701preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20211015:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20211015preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20211115preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20220215preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20220515:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20220515preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20220815:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20220815preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20221115:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20221115preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20230301preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20230315:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20230315preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20230415:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20230915:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20230915preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20231115:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20231115preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20240215preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20240515:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20240515preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20240815:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20240901preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20241115:SqlResourceSqlRoleAssignment" }, { type: "azure-native:cosmosdb/v20241201preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb:SqlResourceSqlRoleAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230415:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlRoleAssignment" }, { type: "azure-native:documentdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlRoleAssignment" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlRoleAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlResourceSqlRoleAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/sqlResourceSqlRoleDefinition.ts b/sdk/nodejs/cosmosdb/sqlResourceSqlRoleDefinition.ts index b0df8556478c..ce59480522b8 100644 --- a/sdk/nodejs/cosmosdb/sqlResourceSqlRoleDefinition.ts +++ b/sdk/nodejs/cosmosdb/sqlResourceSqlRoleDefinition.ts @@ -101,7 +101,7 @@ export class SqlResourceSqlRoleDefinition extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20200601preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20210301preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20210401preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20210415:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20210515:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20210615:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20210701preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20211015:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20211015preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20211115preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20220215preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20220515:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20220515preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20220815:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20220815preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20221115:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20221115preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20230301preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20230315:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20230315preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20230415:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20230915:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20230915preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20231115:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20231115preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20240215preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20240515:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20240515preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20240815:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20240901preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20241115:SqlResourceSqlRoleDefinition" }, { type: "azure-native:cosmosdb/v20241201preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb:SqlResourceSqlRoleDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230415:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlRoleDefinition" }, { type: "azure-native:documentdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlRoleDefinition" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlRoleDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlResourceSqlRoleDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/sqlResourceSqlStoredProcedure.ts b/sdk/nodejs/cosmosdb/sqlResourceSqlStoredProcedure.ts index 4022cb0f721b..63ca28432f11 100644 --- a/sdk/nodejs/cosmosdb/sqlResourceSqlStoredProcedure.ts +++ b/sdk/nodejs/cosmosdb/sqlResourceSqlStoredProcedure.ts @@ -110,7 +110,7 @@ export class SqlResourceSqlStoredProcedure extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20190801:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20191212:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20200301:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20200401:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20200601preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20200901:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20210115:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20210301preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20210315:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20210401preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20210415:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20210515:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20210615:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20210701preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20211015:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20211015preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20211115preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20220215preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20220515:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20220515preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20220815:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20220815preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20221115:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20221115preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20230301preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20230315:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20230315preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20230415:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20230915:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20230915preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20231115:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20231115preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20240215preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20240515:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20240515preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20240815:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20240901preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20241115:SqlResourceSqlStoredProcedure" }, { type: "azure-native:cosmosdb/v20241201preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20230315preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb:SqlResourceSqlStoredProcedure" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlStoredProcedure" }, { type: "azure-native:documentdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlStoredProcedure" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlStoredProcedure" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlResourceSqlStoredProcedure.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/sqlResourceSqlTrigger.ts b/sdk/nodejs/cosmosdb/sqlResourceSqlTrigger.ts index 2693dcb70168..a7d52ee04553 100644 --- a/sdk/nodejs/cosmosdb/sqlResourceSqlTrigger.ts +++ b/sdk/nodejs/cosmosdb/sqlResourceSqlTrigger.ts @@ -110,7 +110,7 @@ export class SqlResourceSqlTrigger extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20190801:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20191212:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20200301:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20200401:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20200601preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20200901:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20210115:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20210301preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20210315:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20210401preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20210415:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20210515:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20210615:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20210701preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20211015:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20211015preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20211115preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20220215preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20220515:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20220515preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20220815:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20220815preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20221115:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20221115preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20230301preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20230315:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20230315preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20230415:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20230915:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20230915preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20231115:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20231115preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20240215preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20240515:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20240515preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20240815:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20240901preview:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20241115:SqlResourceSqlTrigger" }, { type: "azure-native:cosmosdb/v20241201preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20230315preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb:SqlResourceSqlTrigger" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlTrigger" }, { type: "azure-native:documentdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlTrigger" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlTrigger" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlResourceSqlTrigger.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/sqlResourceSqlUserDefinedFunction.ts b/sdk/nodejs/cosmosdb/sqlResourceSqlUserDefinedFunction.ts index cab65a181ece..bf09b515ebed 100644 --- a/sdk/nodejs/cosmosdb/sqlResourceSqlUserDefinedFunction.ts +++ b/sdk/nodejs/cosmosdb/sqlResourceSqlUserDefinedFunction.ts @@ -110,7 +110,7 @@ export class SqlResourceSqlUserDefinedFunction extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20190801:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20191212:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20200301:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20200401:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20200601preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20200901:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20210115:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20210301preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20210315:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20210401preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20210415:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20210515:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20210615:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20210701preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20211015:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20211015preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20211115preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20220215preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20220515:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20220515preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20220815:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20220815preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20221115:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20221115preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20230301preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20230315:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20230315preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20230415:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20230915:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20230915preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20231115:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20231115preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20240215preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20240515:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20240515preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20240815:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20240901preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20241115:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:cosmosdb/v20241201preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20230315preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb:SqlResourceSqlUserDefinedFunction" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20230415:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20230915:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20230915preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20231115:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20231115preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20240215preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20240515:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20240515preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20240815:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20240901preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20241115:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb/v20241201preview:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native:documentdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlUserDefinedFunction" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlUserDefinedFunction" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlResourceSqlUserDefinedFunction.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/tableResourceTable.ts b/sdk/nodejs/cosmosdb/tableResourceTable.ts index a3be53f7c46a..0f582103ccae 100644 --- a/sdk/nodejs/cosmosdb/tableResourceTable.ts +++ b/sdk/nodejs/cosmosdb/tableResourceTable.ts @@ -104,7 +104,7 @@ export class TableResourceTable extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20150401:TableResourceTable" }, { type: "azure-native:cosmosdb/v20150408:TableResourceTable" }, { type: "azure-native:cosmosdb/v20151106:TableResourceTable" }, { type: "azure-native:cosmosdb/v20160319:TableResourceTable" }, { type: "azure-native:cosmosdb/v20160331:TableResourceTable" }, { type: "azure-native:cosmosdb/v20190801:TableResourceTable" }, { type: "azure-native:cosmosdb/v20191212:TableResourceTable" }, { type: "azure-native:cosmosdb/v20200301:TableResourceTable" }, { type: "azure-native:cosmosdb/v20200401:TableResourceTable" }, { type: "azure-native:cosmosdb/v20200601preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20200901:TableResourceTable" }, { type: "azure-native:cosmosdb/v20210115:TableResourceTable" }, { type: "azure-native:cosmosdb/v20210301preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20210315:TableResourceTable" }, { type: "azure-native:cosmosdb/v20210401preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20210415:TableResourceTable" }, { type: "azure-native:cosmosdb/v20210515:TableResourceTable" }, { type: "azure-native:cosmosdb/v20210615:TableResourceTable" }, { type: "azure-native:cosmosdb/v20210701preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20211015:TableResourceTable" }, { type: "azure-native:cosmosdb/v20211015preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20211115preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20220215preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20220515:TableResourceTable" }, { type: "azure-native:cosmosdb/v20220515preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20220815:TableResourceTable" }, { type: "azure-native:cosmosdb/v20220815preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20221115:TableResourceTable" }, { type: "azure-native:cosmosdb/v20221115preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20230301preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20230315:TableResourceTable" }, { type: "azure-native:cosmosdb/v20230315preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20230415:TableResourceTable" }, { type: "azure-native:cosmosdb/v20230915:TableResourceTable" }, { type: "azure-native:cosmosdb/v20230915preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20231115:TableResourceTable" }, { type: "azure-native:cosmosdb/v20231115preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20240215preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20240515:TableResourceTable" }, { type: "azure-native:cosmosdb/v20240515preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20240815:TableResourceTable" }, { type: "azure-native:cosmosdb/v20240901preview:TableResourceTable" }, { type: "azure-native:cosmosdb/v20241115:TableResourceTable" }, { type: "azure-native:cosmosdb/v20241201preview:TableResourceTable" }, { type: "azure-native:documentdb/v20230315preview:TableResourceTable" }, { type: "azure-native:documentdb/v20230415:TableResourceTable" }, { type: "azure-native:documentdb/v20230915:TableResourceTable" }, { type: "azure-native:documentdb/v20230915preview:TableResourceTable" }, { type: "azure-native:documentdb/v20231115:TableResourceTable" }, { type: "azure-native:documentdb/v20231115preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240215preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240515:TableResourceTable" }, { type: "azure-native:documentdb/v20240515preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240815:TableResourceTable" }, { type: "azure-native:documentdb/v20240901preview:TableResourceTable" }, { type: "azure-native:documentdb/v20241115:TableResourceTable" }, { type: "azure-native:documentdb/v20241201preview:TableResourceTable" }, { type: "azure-native:documentdb:TableResourceTable" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:TableResourceTable" }, { type: "azure-native:documentdb/v20230415:TableResourceTable" }, { type: "azure-native:documentdb/v20230915:TableResourceTable" }, { type: "azure-native:documentdb/v20230915preview:TableResourceTable" }, { type: "azure-native:documentdb/v20231115:TableResourceTable" }, { type: "azure-native:documentdb/v20231115preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240215preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240515:TableResourceTable" }, { type: "azure-native:documentdb/v20240515preview:TableResourceTable" }, { type: "azure-native:documentdb/v20240815:TableResourceTable" }, { type: "azure-native:documentdb/v20240901preview:TableResourceTable" }, { type: "azure-native:documentdb/v20241115:TableResourceTable" }, { type: "azure-native:documentdb/v20241201preview:TableResourceTable" }, { type: "azure-native:documentdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20150401:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20150408:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20151106:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20160319:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20160331:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20190801:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20191212:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20200301:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20200401:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20200601preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20200901:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20210115:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20210301preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20210315:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20210401preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20210415:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20210515:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20210615:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20210701preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20211015:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20211015preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20211115preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20220215preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20220515:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20220515preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20220815:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20220815preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20221115:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20221115preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20230301preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20230315:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20230315preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20230415:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20230915:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20230915preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20231115:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20240515:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20240815:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20241115:cosmosdb:TableResourceTable" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTable" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TableResourceTable.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/tableResourceTableRoleAssignment.ts b/sdk/nodejs/cosmosdb/tableResourceTableRoleAssignment.ts index f2f5af3bb2de..b7d3d532ee60 100644 --- a/sdk/nodejs/cosmosdb/tableResourceTableRoleAssignment.ts +++ b/sdk/nodejs/cosmosdb/tableResourceTableRoleAssignment.ts @@ -111,7 +111,7 @@ export class TableResourceTableRoleAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20241201preview:TableResourceTableRoleAssignment" }, { type: "azure-native:documentdb/v20241201preview:TableResourceTableRoleAssignment" }, { type: "azure-native:documentdb:TableResourceTableRoleAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20241201preview:TableResourceTableRoleAssignment" }, { type: "azure-native:documentdb:TableResourceTableRoleAssignment" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTableRoleAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TableResourceTableRoleAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/tableResourceTableRoleDefinition.ts b/sdk/nodejs/cosmosdb/tableResourceTableRoleDefinition.ts index 8af69fab5fc2..d37002b960a7 100644 --- a/sdk/nodejs/cosmosdb/tableResourceTableRoleDefinition.ts +++ b/sdk/nodejs/cosmosdb/tableResourceTableRoleDefinition.ts @@ -106,7 +106,7 @@ export class TableResourceTableRoleDefinition extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20241201preview:TableResourceTableRoleDefinition" }, { type: "azure-native:documentdb/v20241201preview:TableResourceTableRoleDefinition" }, { type: "azure-native:documentdb:TableResourceTableRoleDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20241201preview:TableResourceTableRoleDefinition" }, { type: "azure-native:documentdb:TableResourceTableRoleDefinition" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTableRoleDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TableResourceTableRoleDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/throughputPool.ts b/sdk/nodejs/cosmosdb/throughputPool.ts index dd097257762c..887f48b4d26f 100644 --- a/sdk/nodejs/cosmosdb/throughputPool.ts +++ b/sdk/nodejs/cosmosdb/throughputPool.ts @@ -109,7 +109,7 @@ export class ThroughputPool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20231115preview:ThroughputPool" }, { type: "azure-native:cosmosdb/v20240215preview:ThroughputPool" }, { type: "azure-native:cosmosdb/v20240515preview:ThroughputPool" }, { type: "azure-native:cosmosdb/v20240901preview:ThroughputPool" }, { type: "azure-native:cosmosdb/v20241201preview:ThroughputPool" }, { type: "azure-native:documentdb/v20231115preview:ThroughputPool" }, { type: "azure-native:documentdb/v20240215preview:ThroughputPool" }, { type: "azure-native:documentdb/v20240515preview:ThroughputPool" }, { type: "azure-native:documentdb/v20240901preview:ThroughputPool" }, { type: "azure-native:documentdb/v20241201preview:ThroughputPool" }, { type: "azure-native:documentdb:ThroughputPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20231115preview:ThroughputPool" }, { type: "azure-native:documentdb/v20240215preview:ThroughputPool" }, { type: "azure-native:documentdb/v20240515preview:ThroughputPool" }, { type: "azure-native:documentdb/v20240901preview:ThroughputPool" }, { type: "azure-native:documentdb/v20241201preview:ThroughputPool" }, { type: "azure-native:documentdb:ThroughputPool" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:ThroughputPool" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:ThroughputPool" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:ThroughputPool" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:ThroughputPool" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:ThroughputPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ThroughputPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/cosmosdb/throughputPoolAccount.ts b/sdk/nodejs/cosmosdb/throughputPoolAccount.ts index 6669501cb0d0..c3368af5a370 100644 --- a/sdk/nodejs/cosmosdb/throughputPoolAccount.ts +++ b/sdk/nodejs/cosmosdb/throughputPoolAccount.ts @@ -113,7 +113,7 @@ export class ThroughputPoolAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cosmosdb/v20231115preview:ThroughputPoolAccount" }, { type: "azure-native:cosmosdb/v20240215preview:ThroughputPoolAccount" }, { type: "azure-native:cosmosdb/v20240515preview:ThroughputPoolAccount" }, { type: "azure-native:cosmosdb/v20240901preview:ThroughputPoolAccount" }, { type: "azure-native:cosmosdb/v20241201preview:ThroughputPoolAccount" }, { type: "azure-native:documentdb/v20231115preview:ThroughputPoolAccount" }, { type: "azure-native:documentdb/v20240215preview:ThroughputPoolAccount" }, { type: "azure-native:documentdb/v20240515preview:ThroughputPoolAccount" }, { type: "azure-native:documentdb/v20240901preview:ThroughputPoolAccount" }, { type: "azure-native:documentdb/v20241201preview:ThroughputPoolAccount" }, { type: "azure-native:documentdb:ThroughputPoolAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20231115preview:ThroughputPoolAccount" }, { type: "azure-native:documentdb/v20240215preview:ThroughputPoolAccount" }, { type: "azure-native:documentdb/v20240515preview:ThroughputPoolAccount" }, { type: "azure-native:documentdb/v20240901preview:ThroughputPoolAccount" }, { type: "azure-native:documentdb/v20241201preview:ThroughputPoolAccount" }, { type: "azure-native:documentdb:ThroughputPoolAccount" }, { type: "azure-native_cosmosdb_v20231115preview:cosmosdb:ThroughputPoolAccount" }, { type: "azure-native_cosmosdb_v20240215preview:cosmosdb:ThroughputPoolAccount" }, { type: "azure-native_cosmosdb_v20240515preview:cosmosdb:ThroughputPoolAccount" }, { type: "azure-native_cosmosdb_v20240901preview:cosmosdb:ThroughputPoolAccount" }, { type: "azure-native_cosmosdb_v20241201preview:cosmosdb:ThroughputPoolAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ThroughputPoolAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/budget.ts b/sdk/nodejs/costmanagement/budget.ts index b50253371bb0..646153ad389b 100644 --- a/sdk/nodejs/costmanagement/budget.ts +++ b/sdk/nodejs/costmanagement/budget.ts @@ -182,7 +182,7 @@ export class Budget extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20190401preview:Budget" }, { type: "azure-native:costmanagement/v20230401preview:Budget" }, { type: "azure-native:costmanagement/v20230801:Budget" }, { type: "azure-native:costmanagement/v20230901:Budget" }, { type: "azure-native:costmanagement/v20231101:Budget" }, { type: "azure-native:costmanagement/v20240801:Budget" }, { type: "azure-native:costmanagement/v20241001preview:Budget" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20190401preview:Budget" }, { type: "azure-native:costmanagement/v20230401preview:Budget" }, { type: "azure-native:costmanagement/v20230801:Budget" }, { type: "azure-native:costmanagement/v20230901:Budget" }, { type: "azure-native:costmanagement/v20231101:Budget" }, { type: "azure-native:costmanagement/v20240801:Budget" }, { type: "azure-native_costmanagement_v20190401preview:costmanagement:Budget" }, { type: "azure-native_costmanagement_v20230401preview:costmanagement:Budget" }, { type: "azure-native_costmanagement_v20230801:costmanagement:Budget" }, { type: "azure-native_costmanagement_v20230901:costmanagement:Budget" }, { type: "azure-native_costmanagement_v20231101:costmanagement:Budget" }, { type: "azure-native_costmanagement_v20240801:costmanagement:Budget" }, { type: "azure-native_costmanagement_v20241001preview:costmanagement:Budget" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Budget.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/cloudConnector.ts b/sdk/nodejs/costmanagement/cloudConnector.ts index be91e13418bc..2fcb3f31585c 100644 --- a/sdk/nodejs/costmanagement/cloudConnector.ts +++ b/sdk/nodejs/costmanagement/cloudConnector.ts @@ -164,7 +164,7 @@ export class CloudConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:CloudConnector" }, { type: "azure-native:costmanagement/v20180801preview:Connector" }, { type: "azure-native:costmanagement/v20190301preview:CloudConnector" }, { type: "azure-native:costmanagement:Connector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:Connector" }, { type: "azure-native:costmanagement/v20190301preview:CloudConnector" }, { type: "azure-native:costmanagement:Connector" }, { type: "azure-native_costmanagement_v20180801preview:costmanagement:CloudConnector" }, { type: "azure-native_costmanagement_v20190301preview:costmanagement:CloudConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/connector.ts b/sdk/nodejs/costmanagement/connector.ts index 27891f6c0c5d..7b06dec75fe1 100644 --- a/sdk/nodejs/costmanagement/connector.ts +++ b/sdk/nodejs/costmanagement/connector.ts @@ -144,7 +144,7 @@ export class Connector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:Connector" }, { type: "azure-native:costmanagement/v20190301preview:CloudConnector" }, { type: "azure-native:costmanagement/v20190301preview:Connector" }, { type: "azure-native:costmanagement:CloudConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:Connector" }, { type: "azure-native:costmanagement/v20190301preview:CloudConnector" }, { type: "azure-native:costmanagement:CloudConnector" }, { type: "azure-native_costmanagement_v20180801preview:costmanagement:Connector" }, { type: "azure-native_costmanagement_v20190301preview:costmanagement:Connector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Connector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/costAllocationRule.ts b/sdk/nodejs/costmanagement/costAllocationRule.ts index 20e39a36bd67..9f851308136d 100644 --- a/sdk/nodejs/costmanagement/costAllocationRule.ts +++ b/sdk/nodejs/costmanagement/costAllocationRule.ts @@ -85,7 +85,7 @@ export class CostAllocationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20200301preview:CostAllocationRule" }, { type: "azure-native:costmanagement/v20230801:CostAllocationRule" }, { type: "azure-native:costmanagement/v20230901:CostAllocationRule" }, { type: "azure-native:costmanagement/v20231101:CostAllocationRule" }, { type: "azure-native:costmanagement/v20240801:CostAllocationRule" }, { type: "azure-native:costmanagement/v20241001preview:CostAllocationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20200301preview:CostAllocationRule" }, { type: "azure-native:costmanagement/v20230801:CostAllocationRule" }, { type: "azure-native:costmanagement/v20230901:CostAllocationRule" }, { type: "azure-native:costmanagement/v20231101:CostAllocationRule" }, { type: "azure-native:costmanagement/v20240801:CostAllocationRule" }, { type: "azure-native_costmanagement_v20200301preview:costmanagement:CostAllocationRule" }, { type: "azure-native_costmanagement_v20230801:costmanagement:CostAllocationRule" }, { type: "azure-native_costmanagement_v20230901:costmanagement:CostAllocationRule" }, { type: "azure-native_costmanagement_v20231101:costmanagement:CostAllocationRule" }, { type: "azure-native_costmanagement_v20240801:costmanagement:CostAllocationRule" }, { type: "azure-native_costmanagement_v20241001preview:costmanagement:CostAllocationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CostAllocationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/export.ts b/sdk/nodejs/costmanagement/export.ts index 77714d3c491d..75f9314a90e4 100644 --- a/sdk/nodejs/costmanagement/export.ts +++ b/sdk/nodejs/costmanagement/export.ts @@ -145,7 +145,7 @@ export class Export extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20190101:Export" }, { type: "azure-native:costmanagement/v20190901:Export" }, { type: "azure-native:costmanagement/v20191001:Export" }, { type: "azure-native:costmanagement/v20191101:Export" }, { type: "azure-native:costmanagement/v20200601:Export" }, { type: "azure-native:costmanagement/v20201201preview:Export" }, { type: "azure-native:costmanagement/v20210101:Export" }, { type: "azure-native:costmanagement/v20211001:Export" }, { type: "azure-native:costmanagement/v20221001:Export" }, { type: "azure-native:costmanagement/v20230301:Export" }, { type: "azure-native:costmanagement/v20230401preview:Export" }, { type: "azure-native:costmanagement/v20230701preview:Export" }, { type: "azure-native:costmanagement/v20230801:Export" }, { type: "azure-native:costmanagement/v20230901:Export" }, { type: "azure-native:costmanagement/v20231101:Export" }, { type: "azure-native:costmanagement/v20240801:Export" }, { type: "azure-native:costmanagement/v20241001preview:Export" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20191001:Export" }, { type: "azure-native:costmanagement/v20230301:Export" }, { type: "azure-native:costmanagement/v20230401preview:Export" }, { type: "azure-native:costmanagement/v20230701preview:Export" }, { type: "azure-native:costmanagement/v20230801:Export" }, { type: "azure-native:costmanagement/v20230901:Export" }, { type: "azure-native:costmanagement/v20231101:Export" }, { type: "azure-native:costmanagement/v20240801:Export" }, { type: "azure-native_costmanagement_v20190101:costmanagement:Export" }, { type: "azure-native_costmanagement_v20190901:costmanagement:Export" }, { type: "azure-native_costmanagement_v20191001:costmanagement:Export" }, { type: "azure-native_costmanagement_v20191101:costmanagement:Export" }, { type: "azure-native_costmanagement_v20200601:costmanagement:Export" }, { type: "azure-native_costmanagement_v20201201preview:costmanagement:Export" }, { type: "azure-native_costmanagement_v20210101:costmanagement:Export" }, { type: "azure-native_costmanagement_v20211001:costmanagement:Export" }, { type: "azure-native_costmanagement_v20221001:costmanagement:Export" }, { type: "azure-native_costmanagement_v20230301:costmanagement:Export" }, { type: "azure-native_costmanagement_v20230401preview:costmanagement:Export" }, { type: "azure-native_costmanagement_v20230701preview:costmanagement:Export" }, { type: "azure-native_costmanagement_v20230801:costmanagement:Export" }, { type: "azure-native_costmanagement_v20230901:costmanagement:Export" }, { type: "azure-native_costmanagement_v20231101:costmanagement:Export" }, { type: "azure-native_costmanagement_v20240801:costmanagement:Export" }, { type: "azure-native_costmanagement_v20241001preview:costmanagement:Export" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Export.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/markupRule.ts b/sdk/nodejs/costmanagement/markupRule.ts index 9ff04ce54905..efe672b5900b 100644 --- a/sdk/nodejs/costmanagement/markupRule.ts +++ b/sdk/nodejs/costmanagement/markupRule.ts @@ -125,7 +125,7 @@ export class MarkupRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20221005preview:MarkupRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20221005preview:MarkupRule" }, { type: "azure-native_costmanagement_v20221005preview:costmanagement:MarkupRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MarkupRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/report.ts b/sdk/nodejs/costmanagement/report.ts index ca463605aa57..3b096ca3adff 100644 --- a/sdk/nodejs/costmanagement/report.ts +++ b/sdk/nodejs/costmanagement/report.ts @@ -109,7 +109,7 @@ export class Report extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:Report" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:Report" }, { type: "azure-native_costmanagement_v20180801preview:costmanagement:Report" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Report.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/reportByBillingAccount.ts b/sdk/nodejs/costmanagement/reportByBillingAccount.ts index 875a6595453b..bbb20f43a898 100644 --- a/sdk/nodejs/costmanagement/reportByBillingAccount.ts +++ b/sdk/nodejs/costmanagement/reportByBillingAccount.ts @@ -113,7 +113,7 @@ export class ReportByBillingAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:ReportByBillingAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:ReportByBillingAccount" }, { type: "azure-native_costmanagement_v20180801preview:costmanagement:ReportByBillingAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReportByBillingAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/reportByDepartment.ts b/sdk/nodejs/costmanagement/reportByDepartment.ts index 11cfee68454b..d096deec37f3 100644 --- a/sdk/nodejs/costmanagement/reportByDepartment.ts +++ b/sdk/nodejs/costmanagement/reportByDepartment.ts @@ -113,7 +113,7 @@ export class ReportByDepartment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:ReportByDepartment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:ReportByDepartment" }, { type: "azure-native_costmanagement_v20180801preview:costmanagement:ReportByDepartment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReportByDepartment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/reportByResourceGroupName.ts b/sdk/nodejs/costmanagement/reportByResourceGroupName.ts index bad49a84f7ea..90eb1c006e73 100644 --- a/sdk/nodejs/costmanagement/reportByResourceGroupName.ts +++ b/sdk/nodejs/costmanagement/reportByResourceGroupName.ts @@ -113,7 +113,7 @@ export class ReportByResourceGroupName extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:ReportByResourceGroupName" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20180801preview:ReportByResourceGroupName" }, { type: "azure-native_costmanagement_v20180801preview:costmanagement:ReportByResourceGroupName" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReportByResourceGroupName.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/scheduledAction.ts b/sdk/nodejs/costmanagement/scheduledAction.ts index 4c93637cc63d..3c02d625084f 100644 --- a/sdk/nodejs/costmanagement/scheduledAction.ts +++ b/sdk/nodejs/costmanagement/scheduledAction.ts @@ -155,7 +155,7 @@ export class ScheduledAction extends pulumi.CustomResource { resourceInputs["viewId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20220401preview:ScheduledAction" }, { type: "azure-native:costmanagement/v20220601preview:ScheduledAction" }, { type: "azure-native:costmanagement/v20221001:ScheduledAction" }, { type: "azure-native:costmanagement/v20230301:ScheduledAction" }, { type: "azure-native:costmanagement/v20230401preview:ScheduledAction" }, { type: "azure-native:costmanagement/v20230701preview:ScheduledAction" }, { type: "azure-native:costmanagement/v20230801:ScheduledAction" }, { type: "azure-native:costmanagement/v20230901:ScheduledAction" }, { type: "azure-native:costmanagement/v20231101:ScheduledAction" }, { type: "azure-native:costmanagement/v20240801:ScheduledAction" }, { type: "azure-native:costmanagement/v20241001preview:ScheduledAction" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20230301:ScheduledAction" }, { type: "azure-native:costmanagement/v20230401preview:ScheduledAction" }, { type: "azure-native:costmanagement/v20230701preview:ScheduledAction" }, { type: "azure-native:costmanagement/v20230801:ScheduledAction" }, { type: "azure-native:costmanagement/v20230901:ScheduledAction" }, { type: "azure-native:costmanagement/v20231101:ScheduledAction" }, { type: "azure-native:costmanagement/v20240801:ScheduledAction" }, { type: "azure-native_costmanagement_v20220401preview:costmanagement:ScheduledAction" }, { type: "azure-native_costmanagement_v20220601preview:costmanagement:ScheduledAction" }, { type: "azure-native_costmanagement_v20221001:costmanagement:ScheduledAction" }, { type: "azure-native_costmanagement_v20230301:costmanagement:ScheduledAction" }, { type: "azure-native_costmanagement_v20230401preview:costmanagement:ScheduledAction" }, { type: "azure-native_costmanagement_v20230701preview:costmanagement:ScheduledAction" }, { type: "azure-native_costmanagement_v20230801:costmanagement:ScheduledAction" }, { type: "azure-native_costmanagement_v20230901:costmanagement:ScheduledAction" }, { type: "azure-native_costmanagement_v20231101:costmanagement:ScheduledAction" }, { type: "azure-native_costmanagement_v20240801:costmanagement:ScheduledAction" }, { type: "azure-native_costmanagement_v20241001preview:costmanagement:ScheduledAction" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScheduledAction.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/scheduledActionByScope.ts b/sdk/nodejs/costmanagement/scheduledActionByScope.ts index 5263e4d47e8b..b58ca119ac9a 100644 --- a/sdk/nodejs/costmanagement/scheduledActionByScope.ts +++ b/sdk/nodejs/costmanagement/scheduledActionByScope.ts @@ -158,7 +158,7 @@ export class ScheduledActionByScope extends pulumi.CustomResource { resourceInputs["viewId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20220401preview:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20220601preview:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20221001:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20230301:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20230401preview:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20230701preview:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20230801:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20230901:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20231101:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20240801:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20241001preview:ScheduledActionByScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20230301:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20230401preview:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20230701preview:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20230801:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20230901:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20231101:ScheduledActionByScope" }, { type: "azure-native:costmanagement/v20240801:ScheduledActionByScope" }, { type: "azure-native_costmanagement_v20220401preview:costmanagement:ScheduledActionByScope" }, { type: "azure-native_costmanagement_v20220601preview:costmanagement:ScheduledActionByScope" }, { type: "azure-native_costmanagement_v20221001:costmanagement:ScheduledActionByScope" }, { type: "azure-native_costmanagement_v20230301:costmanagement:ScheduledActionByScope" }, { type: "azure-native_costmanagement_v20230401preview:costmanagement:ScheduledActionByScope" }, { type: "azure-native_costmanagement_v20230701preview:costmanagement:ScheduledActionByScope" }, { type: "azure-native_costmanagement_v20230801:costmanagement:ScheduledActionByScope" }, { type: "azure-native_costmanagement_v20230901:costmanagement:ScheduledActionByScope" }, { type: "azure-native_costmanagement_v20231101:costmanagement:ScheduledActionByScope" }, { type: "azure-native_costmanagement_v20240801:costmanagement:ScheduledActionByScope" }, { type: "azure-native_costmanagement_v20241001preview:costmanagement:ScheduledActionByScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScheduledActionByScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/setting.ts b/sdk/nodejs/costmanagement/setting.ts index 645449c12cb4..9999787556fd 100644 --- a/sdk/nodejs/costmanagement/setting.ts +++ b/sdk/nodejs/costmanagement/setting.ts @@ -100,7 +100,7 @@ export class Setting extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20191101:Setting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20191101:Setting" }, { type: "azure-native_costmanagement_v20191101:costmanagement:Setting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Setting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/tagInheritanceSetting.ts b/sdk/nodejs/costmanagement/tagInheritanceSetting.ts index d9bf851a2a35..780eea65c04b 100644 --- a/sdk/nodejs/costmanagement/tagInheritanceSetting.ts +++ b/sdk/nodejs/costmanagement/tagInheritanceSetting.ts @@ -92,7 +92,7 @@ export class TagInheritanceSetting extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20221001preview:TagInheritanceSetting" }, { type: "azure-native:costmanagement/v20221005preview:TagInheritanceSetting" }, { type: "azure-native:costmanagement/v20230801:TagInheritanceSetting" }, { type: "azure-native:costmanagement/v20230901:TagInheritanceSetting" }, { type: "azure-native:costmanagement/v20231101:TagInheritanceSetting" }, { type: "azure-native:costmanagement/v20240801:TagInheritanceSetting" }, { type: "azure-native:costmanagement/v20241001preview:TagInheritanceSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20221005preview:TagInheritanceSetting" }, { type: "azure-native:costmanagement/v20230801:TagInheritanceSetting" }, { type: "azure-native:costmanagement/v20230901:TagInheritanceSetting" }, { type: "azure-native:costmanagement/v20231101:TagInheritanceSetting" }, { type: "azure-native:costmanagement/v20240801:TagInheritanceSetting" }, { type: "azure-native_costmanagement_v20221001preview:costmanagement:TagInheritanceSetting" }, { type: "azure-native_costmanagement_v20221005preview:costmanagement:TagInheritanceSetting" }, { type: "azure-native_costmanagement_v20230801:costmanagement:TagInheritanceSetting" }, { type: "azure-native_costmanagement_v20230901:costmanagement:TagInheritanceSetting" }, { type: "azure-native_costmanagement_v20231101:costmanagement:TagInheritanceSetting" }, { type: "azure-native_costmanagement_v20240801:costmanagement:TagInheritanceSetting" }, { type: "azure-native_costmanagement_v20241001preview:costmanagement:TagInheritanceSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TagInheritanceSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/view.ts b/sdk/nodejs/costmanagement/view.ts index 9213dd08bba3..a2bfd01003e9 100644 --- a/sdk/nodejs/costmanagement/view.ts +++ b/sdk/nodejs/costmanagement/view.ts @@ -177,7 +177,7 @@ export class View extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20190401preview:View" }, { type: "azure-native:costmanagement/v20191101:View" }, { type: "azure-native:costmanagement/v20200601:View" }, { type: "azure-native:costmanagement/v20211001:View" }, { type: "azure-native:costmanagement/v20220801preview:View" }, { type: "azure-native:costmanagement/v20221001:View" }, { type: "azure-native:costmanagement/v20221001preview:View" }, { type: "azure-native:costmanagement/v20221005preview:View" }, { type: "azure-native:costmanagement/v20230301:View" }, { type: "azure-native:costmanagement/v20230401preview:View" }, { type: "azure-native:costmanagement/v20230701preview:View" }, { type: "azure-native:costmanagement/v20230801:View" }, { type: "azure-native:costmanagement/v20230901:View" }, { type: "azure-native:costmanagement/v20231101:View" }, { type: "azure-native:costmanagement/v20240801:View" }, { type: "azure-native:costmanagement/v20241001preview:View" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20191101:View" }, { type: "azure-native:costmanagement/v20200601:View" }, { type: "azure-native:costmanagement/v20221001:View" }, { type: "azure-native:costmanagement/v20221005preview:View" }, { type: "azure-native:costmanagement/v20230301:View" }, { type: "azure-native:costmanagement/v20230401preview:View" }, { type: "azure-native:costmanagement/v20230701preview:View" }, { type: "azure-native:costmanagement/v20230801:View" }, { type: "azure-native:costmanagement/v20230901:View" }, { type: "azure-native:costmanagement/v20231101:View" }, { type: "azure-native:costmanagement/v20240801:View" }, { type: "azure-native_costmanagement_v20190401preview:costmanagement:View" }, { type: "azure-native_costmanagement_v20191101:costmanagement:View" }, { type: "azure-native_costmanagement_v20200601:costmanagement:View" }, { type: "azure-native_costmanagement_v20211001:costmanagement:View" }, { type: "azure-native_costmanagement_v20220801preview:costmanagement:View" }, { type: "azure-native_costmanagement_v20221001:costmanagement:View" }, { type: "azure-native_costmanagement_v20221001preview:costmanagement:View" }, { type: "azure-native_costmanagement_v20221005preview:costmanagement:View" }, { type: "azure-native_costmanagement_v20230301:costmanagement:View" }, { type: "azure-native_costmanagement_v20230401preview:costmanagement:View" }, { type: "azure-native_costmanagement_v20230701preview:costmanagement:View" }, { type: "azure-native_costmanagement_v20230801:costmanagement:View" }, { type: "azure-native_costmanagement_v20230901:costmanagement:View" }, { type: "azure-native_costmanagement_v20231101:costmanagement:View" }, { type: "azure-native_costmanagement_v20240801:costmanagement:View" }, { type: "azure-native_costmanagement_v20241001preview:costmanagement:View" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(View.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/costmanagement/viewByScope.ts b/sdk/nodejs/costmanagement/viewByScope.ts index 59d49aeb8cc3..41b26fbffe51 100644 --- a/sdk/nodejs/costmanagement/viewByScope.ts +++ b/sdk/nodejs/costmanagement/viewByScope.ts @@ -180,7 +180,7 @@ export class ViewByScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20190401preview:ViewByScope" }, { type: "azure-native:costmanagement/v20191101:ViewByScope" }, { type: "azure-native:costmanagement/v20200601:ViewByScope" }, { type: "azure-native:costmanagement/v20211001:ViewByScope" }, { type: "azure-native:costmanagement/v20220801preview:ViewByScope" }, { type: "azure-native:costmanagement/v20221001:ViewByScope" }, { type: "azure-native:costmanagement/v20221001preview:ViewByScope" }, { type: "azure-native:costmanagement/v20221005preview:ViewByScope" }, { type: "azure-native:costmanagement/v20230301:ViewByScope" }, { type: "azure-native:costmanagement/v20230401preview:ViewByScope" }, { type: "azure-native:costmanagement/v20230701preview:ViewByScope" }, { type: "azure-native:costmanagement/v20230801:ViewByScope" }, { type: "azure-native:costmanagement/v20230901:ViewByScope" }, { type: "azure-native:costmanagement/v20231101:ViewByScope" }, { type: "azure-native:costmanagement/v20240801:ViewByScope" }, { type: "azure-native:costmanagement/v20241001preview:ViewByScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:costmanagement/v20191101:ViewByScope" }, { type: "azure-native:costmanagement/v20200601:ViewByScope" }, { type: "azure-native:costmanagement/v20221001:ViewByScope" }, { type: "azure-native:costmanagement/v20221005preview:ViewByScope" }, { type: "azure-native:costmanagement/v20230301:ViewByScope" }, { type: "azure-native:costmanagement/v20230401preview:ViewByScope" }, { type: "azure-native:costmanagement/v20230701preview:ViewByScope" }, { type: "azure-native:costmanagement/v20230801:ViewByScope" }, { type: "azure-native:costmanagement/v20230901:ViewByScope" }, { type: "azure-native:costmanagement/v20231101:ViewByScope" }, { type: "azure-native:costmanagement/v20240801:ViewByScope" }, { type: "azure-native_costmanagement_v20190401preview:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20191101:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20200601:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20211001:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20220801preview:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20221001:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20221001preview:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20221005preview:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20230301:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20230401preview:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20230701preview:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20230801:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20230901:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20231101:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20240801:costmanagement:ViewByScope" }, { type: "azure-native_costmanagement_v20241001preview:costmanagement:ViewByScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ViewByScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customerinsights/connector.ts b/sdk/nodejs/customerinsights/connector.ts index 2c2ccc2205a9..172ef1d023b4 100644 --- a/sdk/nodejs/customerinsights/connector.ts +++ b/sdk/nodejs/customerinsights/connector.ts @@ -152,7 +152,7 @@ export class Connector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170101:Connector" }, { type: "azure-native:customerinsights/v20170426:Connector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:Connector" }, { type: "azure-native_customerinsights_v20170101:customerinsights:Connector" }, { type: "azure-native_customerinsights_v20170426:customerinsights:Connector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Connector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customerinsights/connectorMapping.ts b/sdk/nodejs/customerinsights/connectorMapping.ts index 9feb4917843e..43244713c002 100644 --- a/sdk/nodejs/customerinsights/connectorMapping.ts +++ b/sdk/nodejs/customerinsights/connectorMapping.ts @@ -183,7 +183,7 @@ export class ConnectorMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170101:ConnectorMapping" }, { type: "azure-native:customerinsights/v20170426:ConnectorMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:ConnectorMapping" }, { type: "azure-native_customerinsights_v20170101:customerinsights:ConnectorMapping" }, { type: "azure-native_customerinsights_v20170426:customerinsights:ConnectorMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectorMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customerinsights/hub.ts b/sdk/nodejs/customerinsights/hub.ts index 39922281aa7e..63fdfab2dc4b 100644 --- a/sdk/nodejs/customerinsights/hub.ts +++ b/sdk/nodejs/customerinsights/hub.ts @@ -119,7 +119,7 @@ export class Hub extends pulumi.CustomResource { resourceInputs["webEndpoint"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170101:Hub" }, { type: "azure-native:customerinsights/v20170426:Hub" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:Hub" }, { type: "azure-native_customerinsights_v20170101:customerinsights:Hub" }, { type: "azure-native_customerinsights_v20170426:customerinsights:Hub" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Hub.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customerinsights/kpi.ts b/sdk/nodejs/customerinsights/kpi.ts index 31f4fde43eeb..62ebe5b4e6ea 100644 --- a/sdk/nodejs/customerinsights/kpi.ts +++ b/sdk/nodejs/customerinsights/kpi.ts @@ -209,7 +209,7 @@ export class Kpi extends pulumi.CustomResource { resourceInputs["unit"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170101:Kpi" }, { type: "azure-native:customerinsights/v20170426:Kpi" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:Kpi" }, { type: "azure-native_customerinsights_v20170101:customerinsights:Kpi" }, { type: "azure-native_customerinsights_v20170426:customerinsights:Kpi" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Kpi.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customerinsights/link.ts b/sdk/nodejs/customerinsights/link.ts index 87b336c6004e..99b9fefe6747 100644 --- a/sdk/nodejs/customerinsights/link.ts +++ b/sdk/nodejs/customerinsights/link.ts @@ -173,7 +173,7 @@ export class Link extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170101:Link" }, { type: "azure-native:customerinsights/v20170426:Link" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:Link" }, { type: "azure-native_customerinsights_v20170101:customerinsights:Link" }, { type: "azure-native_customerinsights_v20170426:customerinsights:Link" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Link.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customerinsights/prediction.ts b/sdk/nodejs/customerinsights/prediction.ts index 37347a02a972..1effe4f3534b 100644 --- a/sdk/nodejs/customerinsights/prediction.ts +++ b/sdk/nodejs/customerinsights/prediction.ts @@ -203,7 +203,7 @@ export class Prediction extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:Prediction" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:Prediction" }, { type: "azure-native_customerinsights_v20170426:customerinsights:Prediction" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Prediction.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customerinsights/profile.ts b/sdk/nodejs/customerinsights/profile.ts index cbf666ba435b..aee0d5e4d7e5 100644 --- a/sdk/nodejs/customerinsights/profile.ts +++ b/sdk/nodejs/customerinsights/profile.ts @@ -189,7 +189,7 @@ export class Profile extends pulumi.CustomResource { resourceInputs["typeName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170101:Profile" }, { type: "azure-native:customerinsights/v20170426:Profile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:Profile" }, { type: "azure-native_customerinsights_v20170101:customerinsights:Profile" }, { type: "azure-native_customerinsights_v20170426:customerinsights:Profile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Profile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customerinsights/relationship.ts b/sdk/nodejs/customerinsights/relationship.ts index a79e6792b5f1..4f6df5fe47c6 100644 --- a/sdk/nodejs/customerinsights/relationship.ts +++ b/sdk/nodejs/customerinsights/relationship.ts @@ -158,7 +158,7 @@ export class Relationship extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170101:Relationship" }, { type: "azure-native:customerinsights/v20170426:Relationship" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:Relationship" }, { type: "azure-native_customerinsights_v20170101:customerinsights:Relationship" }, { type: "azure-native_customerinsights_v20170426:customerinsights:Relationship" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Relationship.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customerinsights/relationshipLink.ts b/sdk/nodejs/customerinsights/relationshipLink.ts index 922d822ee1d1..f00231219a73 100644 --- a/sdk/nodejs/customerinsights/relationshipLink.ts +++ b/sdk/nodejs/customerinsights/relationshipLink.ts @@ -159,7 +159,7 @@ export class RelationshipLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170101:RelationshipLink" }, { type: "azure-native:customerinsights/v20170426:RelationshipLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:RelationshipLink" }, { type: "azure-native_customerinsights_v20170101:customerinsights:RelationshipLink" }, { type: "azure-native_customerinsights_v20170426:customerinsights:RelationshipLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RelationshipLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customerinsights/roleAssignment.ts b/sdk/nodejs/customerinsights/roleAssignment.ts index b9b1a3a309a3..d3f51633d9af 100644 --- a/sdk/nodejs/customerinsights/roleAssignment.ts +++ b/sdk/nodejs/customerinsights/roleAssignment.ts @@ -206,7 +206,7 @@ export class RoleAssignment extends pulumi.CustomResource { resourceInputs["widgetTypes"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170101:RoleAssignment" }, { type: "azure-native:customerinsights/v20170426:RoleAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:RoleAssignment" }, { type: "azure-native_customerinsights_v20170101:customerinsights:RoleAssignment" }, { type: "azure-native_customerinsights_v20170426:customerinsights:RoleAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RoleAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customerinsights/view.ts b/sdk/nodejs/customerinsights/view.ts index a4654cf6aaad..583db5561e3d 100644 --- a/sdk/nodejs/customerinsights/view.ts +++ b/sdk/nodejs/customerinsights/view.ts @@ -122,7 +122,7 @@ export class View extends pulumi.CustomResource { resourceInputs["viewName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170101:View" }, { type: "azure-native:customerinsights/v20170426:View" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customerinsights/v20170426:View" }, { type: "azure-native_customerinsights_v20170101:customerinsights:View" }, { type: "azure-native_customerinsights_v20170426:customerinsights:View" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(View.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customproviders/association.ts b/sdk/nodejs/customproviders/association.ts index 1cf86c4cf8dd..e0825af0889b 100644 --- a/sdk/nodejs/customproviders/association.ts +++ b/sdk/nodejs/customproviders/association.ts @@ -86,7 +86,7 @@ export class Association extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customproviders/v20180901preview:Association" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customproviders/v20180901preview:Association" }, { type: "azure-native_customproviders_v20180901preview:customproviders:Association" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Association.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/customproviders/customResourceProvider.ts b/sdk/nodejs/customproviders/customResourceProvider.ts index d92874c09bf7..ba262de07ede 100644 --- a/sdk/nodejs/customproviders/customResourceProvider.ts +++ b/sdk/nodejs/customproviders/customResourceProvider.ts @@ -113,7 +113,7 @@ export class CustomResourceProvider extends pulumi.CustomResource { resourceInputs["validations"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:customproviders/v20180901preview:CustomResourceProvider" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:customproviders/v20180901preview:CustomResourceProvider" }, { type: "azure-native_customproviders_v20180901preview:customproviders:CustomResourceProvider" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomResourceProvider.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dashboard/grafana.ts b/sdk/nodejs/dashboard/grafana.ts index f6bfa54cfc3b..46b9742c36de 100644 --- a/sdk/nodejs/dashboard/grafana.ts +++ b/sdk/nodejs/dashboard/grafana.ts @@ -115,7 +115,7 @@ export class Grafana extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dashboard/v20210901preview:Grafana" }, { type: "azure-native:dashboard/v20220501preview:Grafana" }, { type: "azure-native:dashboard/v20220801:Grafana" }, { type: "azure-native:dashboard/v20221001preview:Grafana" }, { type: "azure-native:dashboard/v20230901:Grafana" }, { type: "azure-native:dashboard/v20231001preview:Grafana" }, { type: "azure-native:dashboard/v20241001:Grafana" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dashboard/v20210901preview:Grafana" }, { type: "azure-native:dashboard/v20220801:Grafana" }, { type: "azure-native:dashboard/v20221001preview:Grafana" }, { type: "azure-native:dashboard/v20230901:Grafana" }, { type: "azure-native:dashboard/v20231001preview:Grafana" }, { type: "azure-native:dashboard/v20241001:Grafana" }, { type: "azure-native_dashboard_v20210901preview:dashboard:Grafana" }, { type: "azure-native_dashboard_v20220501preview:dashboard:Grafana" }, { type: "azure-native_dashboard_v20220801:dashboard:Grafana" }, { type: "azure-native_dashboard_v20221001preview:dashboard:Grafana" }, { type: "azure-native_dashboard_v20230901:dashboard:Grafana" }, { type: "azure-native_dashboard_v20231001preview:dashboard:Grafana" }, { type: "azure-native_dashboard_v20241001:dashboard:Grafana" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Grafana.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dashboard/integrationFabric.ts b/sdk/nodejs/dashboard/integrationFabric.ts index ab9ced8ee95f..4908adfe0533 100644 --- a/sdk/nodejs/dashboard/integrationFabric.ts +++ b/sdk/nodejs/dashboard/integrationFabric.ts @@ -104,7 +104,7 @@ export class IntegrationFabric extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dashboard/v20231001preview:IntegrationFabric" }, { type: "azure-native:dashboard/v20241001:IntegrationFabric" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dashboard/v20231001preview:IntegrationFabric" }, { type: "azure-native:dashboard/v20241001:IntegrationFabric" }, { type: "azure-native_dashboard_v20231001preview:dashboard:IntegrationFabric" }, { type: "azure-native_dashboard_v20241001:dashboard:IntegrationFabric" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationFabric.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dashboard/managedPrivateEndpoint.ts b/sdk/nodejs/dashboard/managedPrivateEndpoint.ts index 944f42efbbb0..a57cf16156b8 100644 --- a/sdk/nodejs/dashboard/managedPrivateEndpoint.ts +++ b/sdk/nodejs/dashboard/managedPrivateEndpoint.ts @@ -149,7 +149,7 @@ export class ManagedPrivateEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dashboard/v20221001preview:ManagedPrivateEndpoint" }, { type: "azure-native:dashboard/v20230901:ManagedPrivateEndpoint" }, { type: "azure-native:dashboard/v20231001preview:ManagedPrivateEndpoint" }, { type: "azure-native:dashboard/v20241001:ManagedPrivateEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dashboard/v20221001preview:ManagedPrivateEndpoint" }, { type: "azure-native:dashboard/v20230901:ManagedPrivateEndpoint" }, { type: "azure-native:dashboard/v20231001preview:ManagedPrivateEndpoint" }, { type: "azure-native:dashboard/v20241001:ManagedPrivateEndpoint" }, { type: "azure-native_dashboard_v20221001preview:dashboard:ManagedPrivateEndpoint" }, { type: "azure-native_dashboard_v20230901:dashboard:ManagedPrivateEndpoint" }, { type: "azure-native_dashboard_v20231001preview:dashboard:ManagedPrivateEndpoint" }, { type: "azure-native_dashboard_v20241001:dashboard:ManagedPrivateEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedPrivateEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dashboard/privateEndpointConnection.ts b/sdk/nodejs/dashboard/privateEndpointConnection.ts index c2066a9e9fc3..bab79423c618 100644 --- a/sdk/nodejs/dashboard/privateEndpointConnection.ts +++ b/sdk/nodejs/dashboard/privateEndpointConnection.ts @@ -116,7 +116,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dashboard/v20220501preview:PrivateEndpointConnection" }, { type: "azure-native:dashboard/v20220801:PrivateEndpointConnection" }, { type: "azure-native:dashboard/v20221001preview:PrivateEndpointConnection" }, { type: "azure-native:dashboard/v20230901:PrivateEndpointConnection" }, { type: "azure-native:dashboard/v20231001preview:PrivateEndpointConnection" }, { type: "azure-native:dashboard/v20241001:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dashboard/v20220801:PrivateEndpointConnection" }, { type: "azure-native:dashboard/v20221001preview:PrivateEndpointConnection" }, { type: "azure-native:dashboard/v20230901:PrivateEndpointConnection" }, { type: "azure-native:dashboard/v20231001preview:PrivateEndpointConnection" }, { type: "azure-native:dashboard/v20241001:PrivateEndpointConnection" }, { type: "azure-native_dashboard_v20220501preview:dashboard:PrivateEndpointConnection" }, { type: "azure-native_dashboard_v20220801:dashboard:PrivateEndpointConnection" }, { type: "azure-native_dashboard_v20221001preview:dashboard:PrivateEndpointConnection" }, { type: "azure-native_dashboard_v20230901:dashboard:PrivateEndpointConnection" }, { type: "azure-native_dashboard_v20231001preview:dashboard:PrivateEndpointConnection" }, { type: "azure-native_dashboard_v20241001:dashboard:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databasefleetmanager/firewallRule.ts b/sdk/nodejs/databasefleetmanager/firewallRule.ts index b149347512b4..6d4a935c60bd 100644 --- a/sdk/nodejs/databasefleetmanager/firewallRule.ts +++ b/sdk/nodejs/databasefleetmanager/firewallRule.ts @@ -97,7 +97,7 @@ export class FirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databasefleetmanager/v20250201preview:FirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databasefleetmanager/fleet.ts b/sdk/nodejs/databasefleetmanager/fleet.ts index 9f04da8d9427..797295b20ef6 100644 --- a/sdk/nodejs/databasefleetmanager/fleet.ts +++ b/sdk/nodejs/databasefleetmanager/fleet.ts @@ -101,7 +101,7 @@ export class Fleet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databasefleetmanager/v20250201preview:Fleet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:Fleet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Fleet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databasefleetmanager/fleetDatabase.ts b/sdk/nodejs/databasefleetmanager/fleetDatabase.ts index 8817b83eb618..db360c6c1e41 100644 --- a/sdk/nodejs/databasefleetmanager/fleetDatabase.ts +++ b/sdk/nodejs/databasefleetmanager/fleetDatabase.ts @@ -97,7 +97,7 @@ export class FleetDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databasefleetmanager/v20250201preview:FleetDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FleetDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FleetDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databasefleetmanager/fleetTier.ts b/sdk/nodejs/databasefleetmanager/fleetTier.ts index 0d4c633fd9e1..33285448e9a4 100644 --- a/sdk/nodejs/databasefleetmanager/fleetTier.ts +++ b/sdk/nodejs/databasefleetmanager/fleetTier.ts @@ -93,7 +93,7 @@ export class FleetTier extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databasefleetmanager/v20250201preview:FleetTier" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FleetTier" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FleetTier.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databasefleetmanager/fleetspace.ts b/sdk/nodejs/databasefleetmanager/fleetspace.ts index d0a41f1616d1..c57ccc08ae89 100644 --- a/sdk/nodejs/databasefleetmanager/fleetspace.ts +++ b/sdk/nodejs/databasefleetmanager/fleetspace.ts @@ -93,7 +93,7 @@ export class Fleetspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databasefleetmanager/v20250201preview:Fleetspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:Fleetspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Fleetspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databasewatcher/alertRuleResource.ts b/sdk/nodejs/databasewatcher/alertRuleResource.ts index b5bde03947a6..ccf4d13587dd 100644 --- a/sdk/nodejs/databasewatcher/alertRuleResource.ts +++ b/sdk/nodejs/databasewatcher/alertRuleResource.ts @@ -140,7 +140,7 @@ export class AlertRuleResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databasewatcher/v20240719preview:AlertRuleResource" }, { type: "azure-native:databasewatcher/v20241001preview:AlertRuleResource" }, { type: "azure-native:databasewatcher/v20250102:AlertRuleResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databasewatcher/v20240719preview:AlertRuleResource" }, { type: "azure-native:databasewatcher/v20241001preview:AlertRuleResource" }, { type: "azure-native:databasewatcher/v20250102:AlertRuleResource" }, { type: "azure-native_databasewatcher_v20240719preview:databasewatcher:AlertRuleResource" }, { type: "azure-native_databasewatcher_v20241001preview:databasewatcher:AlertRuleResource" }, { type: "azure-native_databasewatcher_v20250102:databasewatcher:AlertRuleResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AlertRuleResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databasewatcher/sharedPrivateLinkResource.ts b/sdk/nodejs/databasewatcher/sharedPrivateLinkResource.ts index c7030d865cdf..333a876e2d0d 100644 --- a/sdk/nodejs/databasewatcher/sharedPrivateLinkResource.ts +++ b/sdk/nodejs/databasewatcher/sharedPrivateLinkResource.ts @@ -134,7 +134,7 @@ export class SharedPrivateLinkResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databasewatcher/v20230901preview:SharedPrivateLinkResource" }, { type: "azure-native:databasewatcher/v20240719preview:SharedPrivateLinkResource" }, { type: "azure-native:databasewatcher/v20241001preview:SharedPrivateLinkResource" }, { type: "azure-native:databasewatcher/v20250102:SharedPrivateLinkResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databasewatcher/v20230901preview:SharedPrivateLinkResource" }, { type: "azure-native:databasewatcher/v20240719preview:SharedPrivateLinkResource" }, { type: "azure-native:databasewatcher/v20241001preview:SharedPrivateLinkResource" }, { type: "azure-native:databasewatcher/v20250102:SharedPrivateLinkResource" }, { type: "azure-native_databasewatcher_v20230901preview:databasewatcher:SharedPrivateLinkResource" }, { type: "azure-native_databasewatcher_v20240719preview:databasewatcher:SharedPrivateLinkResource" }, { type: "azure-native_databasewatcher_v20241001preview:databasewatcher:SharedPrivateLinkResource" }, { type: "azure-native_databasewatcher_v20250102:databasewatcher:SharedPrivateLinkResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SharedPrivateLinkResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databasewatcher/target.ts b/sdk/nodejs/databasewatcher/target.ts index 330159ef8c6c..500b4188e147 100644 --- a/sdk/nodejs/databasewatcher/target.ts +++ b/sdk/nodejs/databasewatcher/target.ts @@ -128,7 +128,7 @@ export class Target extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databasewatcher/v20230901preview:Target" }, { type: "azure-native:databasewatcher/v20240719preview:Target" }, { type: "azure-native:databasewatcher/v20241001preview:Target" }, { type: "azure-native:databasewatcher/v20250102:Target" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databasewatcher/v20230901preview:Target" }, { type: "azure-native:databasewatcher/v20240719preview:Target" }, { type: "azure-native:databasewatcher/v20241001preview:Target" }, { type: "azure-native:databasewatcher/v20250102:Target" }, { type: "azure-native_databasewatcher_v20230901preview:databasewatcher:Target" }, { type: "azure-native_databasewatcher_v20240719preview:databasewatcher:Target" }, { type: "azure-native_databasewatcher_v20241001preview:databasewatcher:Target" }, { type: "azure-native_databasewatcher_v20250102:databasewatcher:Target" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Target.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databasewatcher/watcher.ts b/sdk/nodejs/databasewatcher/watcher.ts index 5a5573bb9bbb..3c2c0b345c39 100644 --- a/sdk/nodejs/databasewatcher/watcher.ts +++ b/sdk/nodejs/databasewatcher/watcher.ts @@ -127,7 +127,7 @@ export class Watcher extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databasewatcher/v20230901preview:Watcher" }, { type: "azure-native:databasewatcher/v20240719preview:Watcher" }, { type: "azure-native:databasewatcher/v20241001preview:Watcher" }, { type: "azure-native:databasewatcher/v20250102:Watcher" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databasewatcher/v20230901preview:Watcher" }, { type: "azure-native:databasewatcher/v20240719preview:Watcher" }, { type: "azure-native:databasewatcher/v20241001preview:Watcher" }, { type: "azure-native:databasewatcher/v20250102:Watcher" }, { type: "azure-native_databasewatcher_v20230901preview:databasewatcher:Watcher" }, { type: "azure-native_databasewatcher_v20240719preview:databasewatcher:Watcher" }, { type: "azure-native_databasewatcher_v20241001preview:databasewatcher:Watcher" }, { type: "azure-native_databasewatcher_v20250102:databasewatcher:Watcher" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Watcher.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databox/job.ts b/sdk/nodejs/databox/job.ts index 868dbd588cb8..11efbc625a44 100644 --- a/sdk/nodejs/databox/job.ts +++ b/sdk/nodejs/databox/job.ts @@ -217,7 +217,7 @@ export class Job extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databox/v20180101:Job" }, { type: "azure-native:databox/v20190901:Job" }, { type: "azure-native:databox/v20200401:Job" }, { type: "azure-native:databox/v20201101:Job" }, { type: "azure-native:databox/v20210301:Job" }, { type: "azure-native:databox/v20210501:Job" }, { type: "azure-native:databox/v20210801preview:Job" }, { type: "azure-native:databox/v20211201:Job" }, { type: "azure-native:databox/v20220201:Job" }, { type: "azure-native:databox/v20220901:Job" }, { type: "azure-native:databox/v20221001:Job" }, { type: "azure-native:databox/v20221201:Job" }, { type: "azure-native:databox/v20230301:Job" }, { type: "azure-native:databox/v20231201:Job" }, { type: "azure-native:databox/v20240201preview:Job" }, { type: "azure-native:databox/v20240301preview:Job" }, { type: "azure-native:databox/v20250201:Job" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databox/v20221201:Job" }, { type: "azure-native:databox/v20230301:Job" }, { type: "azure-native:databox/v20231201:Job" }, { type: "azure-native:databox/v20240201preview:Job" }, { type: "azure-native:databox/v20240301preview:Job" }, { type: "azure-native_databox_v20180101:databox:Job" }, { type: "azure-native_databox_v20190901:databox:Job" }, { type: "azure-native_databox_v20200401:databox:Job" }, { type: "azure-native_databox_v20201101:databox:Job" }, { type: "azure-native_databox_v20210301:databox:Job" }, { type: "azure-native_databox_v20210501:databox:Job" }, { type: "azure-native_databox_v20210801preview:databox:Job" }, { type: "azure-native_databox_v20211201:databox:Job" }, { type: "azure-native_databox_v20220201:databox:Job" }, { type: "azure-native_databox_v20220901:databox:Job" }, { type: "azure-native_databox_v20221001:databox:Job" }, { type: "azure-native_databox_v20221201:databox:Job" }, { type: "azure-native_databox_v20230301:databox:Job" }, { type: "azure-native_databox_v20231201:databox:Job" }, { type: "azure-native_databox_v20240201preview:databox:Job" }, { type: "azure-native_databox_v20240301preview:databox:Job" }, { type: "azure-native_databox_v20250201:databox:Job" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Job.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/arcAddon.ts b/sdk/nodejs/databoxedge/arcAddon.ts index eb196b311cbc..6b3f6f7ac62e 100644 --- a/sdk/nodejs/databoxedge/arcAddon.ts +++ b/sdk/nodejs/databoxedge/arcAddon.ts @@ -157,7 +157,7 @@ export class ArcAddon extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20200901:ArcAddon" }, { type: "azure-native:databoxedge/v20200901preview:ArcAddon" }, { type: "azure-native:databoxedge/v20201201:ArcAddon" }, { type: "azure-native:databoxedge/v20210201:ArcAddon" }, { type: "azure-native:databoxedge/v20210201preview:ArcAddon" }, { type: "azure-native:databoxedge/v20210601:ArcAddon" }, { type: "azure-native:databoxedge/v20210601preview:ArcAddon" }, { type: "azure-native:databoxedge/v20220301:ArcAddon" }, { type: "azure-native:databoxedge/v20220301:IoTAddon" }, { type: "azure-native:databoxedge/v20220401preview:ArcAddon" }, { type: "azure-native:databoxedge/v20221201preview:ArcAddon" }, { type: "azure-native:databoxedge/v20230101preview:ArcAddon" }, { type: "azure-native:databoxedge/v20230701:ArcAddon" }, { type: "azure-native:databoxedge/v20230701:IoTAddon" }, { type: "azure-native:databoxedge/v20231201:ArcAddon" }, { type: "azure-native:databoxedge/v20231201:IoTAddon" }, { type: "azure-native:databoxedge:IoTAddon" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20220301:IoTAddon" }, { type: "azure-native:databoxedge/v20230101preview:ArcAddon" }, { type: "azure-native:databoxedge/v20230701:ArcAddon" }, { type: "azure-native:databoxedge/v20230701:IoTAddon" }, { type: "azure-native:databoxedge/v20231201:ArcAddon" }, { type: "azure-native:databoxedge/v20231201:IoTAddon" }, { type: "azure-native:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20200901:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20201201:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20210201:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20210601:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20220301:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20230701:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20231201:databoxedge:ArcAddon" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ArcAddon.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/bandwidthSchedule.ts b/sdk/nodejs/databoxedge/bandwidthSchedule.ts index b61601faa402..1adba11f0972 100644 --- a/sdk/nodejs/databoxedge/bandwidthSchedule.ts +++ b/sdk/nodejs/databoxedge/bandwidthSchedule.ts @@ -124,7 +124,7 @@ export class BandwidthSchedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20190701:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20190801:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20200501preview:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20200901:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20200901preview:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20201201:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20210201:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20210201preview:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20210601:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20210601preview:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20220301:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20220401preview:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20221201preview:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20230101preview:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20230701:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20231201:BandwidthSchedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20220301:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20230101preview:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20230701:BandwidthSchedule" }, { type: "azure-native:databoxedge/v20231201:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20190301:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20190701:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20190801:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20200901:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20201201:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20210201:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20210601:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20220301:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20230701:databoxedge:BandwidthSchedule" }, { type: "azure-native_databoxedge_v20231201:databoxedge:BandwidthSchedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BandwidthSchedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/cloudEdgeManagementRole.ts b/sdk/nodejs/databoxedge/cloudEdgeManagementRole.ts index 7cee9928920f..746acd37f17a 100644 --- a/sdk/nodejs/databoxedge/cloudEdgeManagementRole.ts +++ b/sdk/nodejs/databoxedge/cloudEdgeManagementRole.ts @@ -119,7 +119,7 @@ export class CloudEdgeManagementRole extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20190701:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20190801:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20200501preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20200901:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20200901preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20201201:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20210201:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20210201preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20210601:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20210601preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20220301:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20220401preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20221201preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230101preview:IoTRole" }, { type: "azure-native:databoxedge/v20230101preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20230101preview:MECRole" }, { type: "azure-native:databoxedge/v20230701:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230701:IoTRole" }, { type: "azure-native:databoxedge/v20230701:KubernetesRole" }, { type: "azure-native:databoxedge/v20230701:MECRole" }, { type: "azure-native:databoxedge/v20231201:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20231201:IoTRole" }, { type: "azure-native:databoxedge/v20231201:KubernetesRole" }, { type: "azure-native:databoxedge/v20231201:MECRole" }, { type: "azure-native:databoxedge:IoTRole" }, { type: "azure-native:databoxedge:KubernetesRole" }, { type: "azure-native:databoxedge:MECRole" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230101preview:IoTRole" }, { type: "azure-native:databoxedge/v20230101preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20230101preview:MECRole" }, { type: "azure-native:databoxedge/v20230701:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230701:IoTRole" }, { type: "azure-native:databoxedge/v20230701:KubernetesRole" }, { type: "azure-native:databoxedge/v20230701:MECRole" }, { type: "azure-native:databoxedge/v20231201:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20231201:IoTRole" }, { type: "azure-native:databoxedge/v20231201:KubernetesRole" }, { type: "azure-native:databoxedge/v20231201:MECRole" }, { type: "azure-native:databoxedge:IoTRole" }, { type: "azure-native:databoxedge:KubernetesRole" }, { type: "azure-native:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20190301:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20190701:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20190801:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20200901:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20201201:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20210201:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20210601:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20220301:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20230701:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native_databoxedge_v20231201:databoxedge:CloudEdgeManagementRole" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudEdgeManagementRole.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/container.ts b/sdk/nodejs/databoxedge/container.ts index 9ffd87733b0e..ec40484abc5a 100644 --- a/sdk/nodejs/databoxedge/container.ts +++ b/sdk/nodejs/databoxedge/container.ts @@ -120,7 +120,7 @@ export class Container extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190801:Container" }, { type: "azure-native:databoxedge/v20200501preview:Container" }, { type: "azure-native:databoxedge/v20200901:Container" }, { type: "azure-native:databoxedge/v20200901preview:Container" }, { type: "azure-native:databoxedge/v20201201:Container" }, { type: "azure-native:databoxedge/v20210201:Container" }, { type: "azure-native:databoxedge/v20210201preview:Container" }, { type: "azure-native:databoxedge/v20210601:Container" }, { type: "azure-native:databoxedge/v20210601preview:Container" }, { type: "azure-native:databoxedge/v20220301:Container" }, { type: "azure-native:databoxedge/v20220401preview:Container" }, { type: "azure-native:databoxedge/v20221201preview:Container" }, { type: "azure-native:databoxedge/v20230101preview:Container" }, { type: "azure-native:databoxedge/v20230701:Container" }, { type: "azure-native:databoxedge/v20231201:Container" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20220301:Container" }, { type: "azure-native:databoxedge/v20230101preview:Container" }, { type: "azure-native:databoxedge/v20230701:Container" }, { type: "azure-native:databoxedge/v20231201:Container" }, { type: "azure-native_databoxedge_v20190801:databoxedge:Container" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:Container" }, { type: "azure-native_databoxedge_v20200901:databoxedge:Container" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:Container" }, { type: "azure-native_databoxedge_v20201201:databoxedge:Container" }, { type: "azure-native_databoxedge_v20210201:databoxedge:Container" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:Container" }, { type: "azure-native_databoxedge_v20210601:databoxedge:Container" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:Container" }, { type: "azure-native_databoxedge_v20220301:databoxedge:Container" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:Container" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:Container" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:Container" }, { type: "azure-native_databoxedge_v20230701:databoxedge:Container" }, { type: "azure-native_databoxedge_v20231201:databoxedge:Container" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Container.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/device.ts b/sdk/nodejs/databoxedge/device.ts index dc783cd8ab4b..07286199b070 100644 --- a/sdk/nodejs/databoxedge/device.ts +++ b/sdk/nodejs/databoxedge/device.ts @@ -229,7 +229,7 @@ export class Device extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:Device" }, { type: "azure-native:databoxedge/v20190701:Device" }, { type: "azure-native:databoxedge/v20190801:Device" }, { type: "azure-native:databoxedge/v20200501preview:Device" }, { type: "azure-native:databoxedge/v20200901:Device" }, { type: "azure-native:databoxedge/v20200901preview:Device" }, { type: "azure-native:databoxedge/v20201201:Device" }, { type: "azure-native:databoxedge/v20210201:Device" }, { type: "azure-native:databoxedge/v20210201preview:Device" }, { type: "azure-native:databoxedge/v20210601:Device" }, { type: "azure-native:databoxedge/v20210601preview:Device" }, { type: "azure-native:databoxedge/v20220301:Device" }, { type: "azure-native:databoxedge/v20220401preview:Device" }, { type: "azure-native:databoxedge/v20221201preview:Device" }, { type: "azure-native:databoxedge/v20230101preview:Device" }, { type: "azure-native:databoxedge/v20230701:Device" }, { type: "azure-native:databoxedge/v20231201:Device" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20210201:Device" }, { type: "azure-native:databoxedge/v20210201preview:Device" }, { type: "azure-native:databoxedge/v20220301:Device" }, { type: "azure-native:databoxedge/v20220401preview:Device" }, { type: "azure-native:databoxedge/v20230101preview:Device" }, { type: "azure-native:databoxedge/v20230701:Device" }, { type: "azure-native:databoxedge/v20231201:Device" }, { type: "azure-native_databoxedge_v20190301:databoxedge:Device" }, { type: "azure-native_databoxedge_v20190701:databoxedge:Device" }, { type: "azure-native_databoxedge_v20190801:databoxedge:Device" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:Device" }, { type: "azure-native_databoxedge_v20200901:databoxedge:Device" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:Device" }, { type: "azure-native_databoxedge_v20201201:databoxedge:Device" }, { type: "azure-native_databoxedge_v20210201:databoxedge:Device" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:Device" }, { type: "azure-native_databoxedge_v20210601:databoxedge:Device" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:Device" }, { type: "azure-native_databoxedge_v20220301:databoxedge:Device" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:Device" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:Device" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:Device" }, { type: "azure-native_databoxedge_v20230701:databoxedge:Device" }, { type: "azure-native_databoxedge_v20231201:databoxedge:Device" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Device.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/fileEventTrigger.ts b/sdk/nodejs/databoxedge/fileEventTrigger.ts index e463bc3af529..2f4737c9eef3 100644 --- a/sdk/nodejs/databoxedge/fileEventTrigger.ts +++ b/sdk/nodejs/databoxedge/fileEventTrigger.ts @@ -120,7 +120,7 @@ export class FileEventTrigger extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:FileEventTrigger" }, { type: "azure-native:databoxedge/v20190701:FileEventTrigger" }, { type: "azure-native:databoxedge/v20190801:FileEventTrigger" }, { type: "azure-native:databoxedge/v20200501preview:FileEventTrigger" }, { type: "azure-native:databoxedge/v20200901:FileEventTrigger" }, { type: "azure-native:databoxedge/v20200901preview:FileEventTrigger" }, { type: "azure-native:databoxedge/v20201201:FileEventTrigger" }, { type: "azure-native:databoxedge/v20210201:FileEventTrigger" }, { type: "azure-native:databoxedge/v20210201preview:FileEventTrigger" }, { type: "azure-native:databoxedge/v20210601:FileEventTrigger" }, { type: "azure-native:databoxedge/v20210601preview:FileEventTrigger" }, { type: "azure-native:databoxedge/v20220301:FileEventTrigger" }, { type: "azure-native:databoxedge/v20220401preview:FileEventTrigger" }, { type: "azure-native:databoxedge/v20221201preview:FileEventTrigger" }, { type: "azure-native:databoxedge/v20230101preview:FileEventTrigger" }, { type: "azure-native:databoxedge/v20230101preview:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20230701:FileEventTrigger" }, { type: "azure-native:databoxedge/v20230701:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20231201:FileEventTrigger" }, { type: "azure-native:databoxedge/v20231201:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge:PeriodicTimerEventTrigger" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20230101preview:FileEventTrigger" }, { type: "azure-native:databoxedge/v20230101preview:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20230701:FileEventTrigger" }, { type: "azure-native:databoxedge/v20230701:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20231201:FileEventTrigger" }, { type: "azure-native:databoxedge/v20231201:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20190301:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20190701:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20190801:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20200901:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20201201:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20210201:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20210601:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20220301:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20230701:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20231201:databoxedge:FileEventTrigger" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FileEventTrigger.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/ioTAddon.ts b/sdk/nodejs/databoxedge/ioTAddon.ts index 5d0e8c62357a..fde40f05889c 100644 --- a/sdk/nodejs/databoxedge/ioTAddon.ts +++ b/sdk/nodejs/databoxedge/ioTAddon.ts @@ -143,7 +143,7 @@ export class IoTAddon extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20200901:IoTAddon" }, { type: "azure-native:databoxedge/v20200901preview:IoTAddon" }, { type: "azure-native:databoxedge/v20201201:IoTAddon" }, { type: "azure-native:databoxedge/v20210201:IoTAddon" }, { type: "azure-native:databoxedge/v20210201preview:IoTAddon" }, { type: "azure-native:databoxedge/v20210601:IoTAddon" }, { type: "azure-native:databoxedge/v20210601preview:IoTAddon" }, { type: "azure-native:databoxedge/v20220301:IoTAddon" }, { type: "azure-native:databoxedge/v20220401preview:IoTAddon" }, { type: "azure-native:databoxedge/v20221201preview:IoTAddon" }, { type: "azure-native:databoxedge/v20230101preview:ArcAddon" }, { type: "azure-native:databoxedge/v20230101preview:IoTAddon" }, { type: "azure-native:databoxedge/v20230701:ArcAddon" }, { type: "azure-native:databoxedge/v20230701:IoTAddon" }, { type: "azure-native:databoxedge/v20231201:ArcAddon" }, { type: "azure-native:databoxedge/v20231201:IoTAddon" }, { type: "azure-native:databoxedge:ArcAddon" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20220301:IoTAddon" }, { type: "azure-native:databoxedge/v20230101preview:ArcAddon" }, { type: "azure-native:databoxedge/v20230701:ArcAddon" }, { type: "azure-native:databoxedge/v20230701:IoTAddon" }, { type: "azure-native:databoxedge/v20231201:ArcAddon" }, { type: "azure-native:databoxedge/v20231201:IoTAddon" }, { type: "azure-native:databoxedge:ArcAddon" }, { type: "azure-native_databoxedge_v20200901:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20201201:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20210201:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20210601:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20220301:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20230701:databoxedge:IoTAddon" }, { type: "azure-native_databoxedge_v20231201:databoxedge:IoTAddon" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IoTAddon.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/ioTRole.ts b/sdk/nodejs/databoxedge/ioTRole.ts index 52e61c922f13..594dfa4dd12f 100644 --- a/sdk/nodejs/databoxedge/ioTRole.ts +++ b/sdk/nodejs/databoxedge/ioTRole.ts @@ -156,7 +156,7 @@ export class IoTRole extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:IoTRole" }, { type: "azure-native:databoxedge/v20190701:IoTRole" }, { type: "azure-native:databoxedge/v20190801:IoTRole" }, { type: "azure-native:databoxedge/v20200501preview:IoTRole" }, { type: "azure-native:databoxedge/v20200901:IoTRole" }, { type: "azure-native:databoxedge/v20200901preview:IoTRole" }, { type: "azure-native:databoxedge/v20201201:IoTRole" }, { type: "azure-native:databoxedge/v20210201:IoTRole" }, { type: "azure-native:databoxedge/v20210201preview:IoTRole" }, { type: "azure-native:databoxedge/v20210601:IoTRole" }, { type: "azure-native:databoxedge/v20210601preview:IoTRole" }, { type: "azure-native:databoxedge/v20220301:IoTRole" }, { type: "azure-native:databoxedge/v20220401preview:IoTRole" }, { type: "azure-native:databoxedge/v20221201preview:IoTRole" }, { type: "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230101preview:IoTRole" }, { type: "azure-native:databoxedge/v20230101preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20230101preview:MECRole" }, { type: "azure-native:databoxedge/v20230701:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230701:IoTRole" }, { type: "azure-native:databoxedge/v20230701:KubernetesRole" }, { type: "azure-native:databoxedge/v20230701:MECRole" }, { type: "azure-native:databoxedge/v20231201:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20231201:IoTRole" }, { type: "azure-native:databoxedge/v20231201:KubernetesRole" }, { type: "azure-native:databoxedge/v20231201:MECRole" }, { type: "azure-native:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge:KubernetesRole" }, { type: "azure-native:databoxedge:MECRole" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230101preview:IoTRole" }, { type: "azure-native:databoxedge/v20230101preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20230101preview:MECRole" }, { type: "azure-native:databoxedge/v20230701:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230701:IoTRole" }, { type: "azure-native:databoxedge/v20230701:KubernetesRole" }, { type: "azure-native:databoxedge/v20230701:MECRole" }, { type: "azure-native:databoxedge/v20231201:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20231201:IoTRole" }, { type: "azure-native:databoxedge/v20231201:KubernetesRole" }, { type: "azure-native:databoxedge/v20231201:MECRole" }, { type: "azure-native:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge:KubernetesRole" }, { type: "azure-native:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20190301:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20190701:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20190801:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20200901:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20201201:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20210201:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20210601:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20220301:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20230701:databoxedge:IoTRole" }, { type: "azure-native_databoxedge_v20231201:databoxedge:IoTRole" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IoTRole.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/kubernetesRole.ts b/sdk/nodejs/databoxedge/kubernetesRole.ts index 61b2fd38d084..7bc348409cef 100644 --- a/sdk/nodejs/databoxedge/kubernetesRole.ts +++ b/sdk/nodejs/databoxedge/kubernetesRole.ts @@ -151,7 +151,7 @@ export class KubernetesRole extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:KubernetesRole" }, { type: "azure-native:databoxedge/v20190701:KubernetesRole" }, { type: "azure-native:databoxedge/v20190801:KubernetesRole" }, { type: "azure-native:databoxedge/v20200501preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20200901:KubernetesRole" }, { type: "azure-native:databoxedge/v20200901preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20201201:KubernetesRole" }, { type: "azure-native:databoxedge/v20210201:KubernetesRole" }, { type: "azure-native:databoxedge/v20210201preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20210601:KubernetesRole" }, { type: "azure-native:databoxedge/v20210601preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20220301:KubernetesRole" }, { type: "azure-native:databoxedge/v20220401preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20221201preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230101preview:IoTRole" }, { type: "azure-native:databoxedge/v20230101preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20230101preview:MECRole" }, { type: "azure-native:databoxedge/v20230701:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230701:IoTRole" }, { type: "azure-native:databoxedge/v20230701:KubernetesRole" }, { type: "azure-native:databoxedge/v20230701:MECRole" }, { type: "azure-native:databoxedge/v20231201:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20231201:IoTRole" }, { type: "azure-native:databoxedge/v20231201:KubernetesRole" }, { type: "azure-native:databoxedge/v20231201:MECRole" }, { type: "azure-native:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge:IoTRole" }, { type: "azure-native:databoxedge:MECRole" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230101preview:IoTRole" }, { type: "azure-native:databoxedge/v20230101preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20230101preview:MECRole" }, { type: "azure-native:databoxedge/v20230701:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230701:IoTRole" }, { type: "azure-native:databoxedge/v20230701:KubernetesRole" }, { type: "azure-native:databoxedge/v20230701:MECRole" }, { type: "azure-native:databoxedge/v20231201:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20231201:IoTRole" }, { type: "azure-native:databoxedge/v20231201:KubernetesRole" }, { type: "azure-native:databoxedge/v20231201:MECRole" }, { type: "azure-native:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge:IoTRole" }, { type: "azure-native:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20190301:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20190701:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20190801:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20200901:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20201201:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20210201:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20210601:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20220301:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20230701:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20231201:databoxedge:KubernetesRole" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KubernetesRole.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/mecrole.ts b/sdk/nodejs/databoxedge/mecrole.ts index bee2116df179..42e117806a57 100644 --- a/sdk/nodejs/databoxedge/mecrole.ts +++ b/sdk/nodejs/databoxedge/mecrole.ts @@ -123,7 +123,7 @@ export class MECRole extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:MECRole" }, { type: "azure-native:databoxedge/v20190701:MECRole" }, { type: "azure-native:databoxedge/v20190801:MECRole" }, { type: "azure-native:databoxedge/v20200501preview:MECRole" }, { type: "azure-native:databoxedge/v20200901:MECRole" }, { type: "azure-native:databoxedge/v20200901preview:MECRole" }, { type: "azure-native:databoxedge/v20201201:MECRole" }, { type: "azure-native:databoxedge/v20210201:MECRole" }, { type: "azure-native:databoxedge/v20210201preview:MECRole" }, { type: "azure-native:databoxedge/v20210601:MECRole" }, { type: "azure-native:databoxedge/v20210601preview:MECRole" }, { type: "azure-native:databoxedge/v20220301:MECRole" }, { type: "azure-native:databoxedge/v20220401preview:MECRole" }, { type: "azure-native:databoxedge/v20221201preview:MECRole" }, { type: "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230101preview:IoTRole" }, { type: "azure-native:databoxedge/v20230101preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20230101preview:MECRole" }, { type: "azure-native:databoxedge/v20230701:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230701:IoTRole" }, { type: "azure-native:databoxedge/v20230701:KubernetesRole" }, { type: "azure-native:databoxedge/v20230701:MECRole" }, { type: "azure-native:databoxedge/v20231201:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20231201:IoTRole" }, { type: "azure-native:databoxedge/v20231201:KubernetesRole" }, { type: "azure-native:databoxedge/v20231201:MECRole" }, { type: "azure-native:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge:IoTRole" }, { type: "azure-native:databoxedge:KubernetesRole" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230101preview:IoTRole" }, { type: "azure-native:databoxedge/v20230101preview:KubernetesRole" }, { type: "azure-native:databoxedge/v20230101preview:MECRole" }, { type: "azure-native:databoxedge/v20230701:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20230701:IoTRole" }, { type: "azure-native:databoxedge/v20230701:KubernetesRole" }, { type: "azure-native:databoxedge/v20230701:MECRole" }, { type: "azure-native:databoxedge/v20231201:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge/v20231201:IoTRole" }, { type: "azure-native:databoxedge/v20231201:KubernetesRole" }, { type: "azure-native:databoxedge/v20231201:MECRole" }, { type: "azure-native:databoxedge:CloudEdgeManagementRole" }, { type: "azure-native:databoxedge:IoTRole" }, { type: "azure-native:databoxedge:KubernetesRole" }, { type: "azure-native_databoxedge_v20190301:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20190701:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20190801:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20200901:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20201201:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20210201:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20210601:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20220301:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20230701:databoxedge:MECRole" }, { type: "azure-native_databoxedge_v20231201:databoxedge:MECRole" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MECRole.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/monitoringConfig.ts b/sdk/nodejs/databoxedge/monitoringConfig.ts index dc087a4980da..886b5e58e8c7 100644 --- a/sdk/nodejs/databoxedge/monitoringConfig.ts +++ b/sdk/nodejs/databoxedge/monitoringConfig.ts @@ -101,7 +101,7 @@ export class MonitoringConfig extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20200901:MonitoringConfig" }, { type: "azure-native:databoxedge/v20200901preview:MonitoringConfig" }, { type: "azure-native:databoxedge/v20201201:MonitoringConfig" }, { type: "azure-native:databoxedge/v20210201:MonitoringConfig" }, { type: "azure-native:databoxedge/v20210201preview:MonitoringConfig" }, { type: "azure-native:databoxedge/v20210601:MonitoringConfig" }, { type: "azure-native:databoxedge/v20210601preview:MonitoringConfig" }, { type: "azure-native:databoxedge/v20220301:MonitoringConfig" }, { type: "azure-native:databoxedge/v20220401preview:MonitoringConfig" }, { type: "azure-native:databoxedge/v20221201preview:MonitoringConfig" }, { type: "azure-native:databoxedge/v20230101preview:MonitoringConfig" }, { type: "azure-native:databoxedge/v20230701:MonitoringConfig" }, { type: "azure-native:databoxedge/v20231201:MonitoringConfig" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20220301:MonitoringConfig" }, { type: "azure-native:databoxedge/v20230101preview:MonitoringConfig" }, { type: "azure-native:databoxedge/v20230701:MonitoringConfig" }, { type: "azure-native:databoxedge/v20231201:MonitoringConfig" }, { type: "azure-native_databoxedge_v20200901:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20201201:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20210201:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20210601:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20220301:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20230701:databoxedge:MonitoringConfig" }, { type: "azure-native_databoxedge_v20231201:databoxedge:MonitoringConfig" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MonitoringConfig.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/order.ts b/sdk/nodejs/databoxedge/order.ts index f7e56bba9e8c..29ecebc690a2 100644 --- a/sdk/nodejs/databoxedge/order.ts +++ b/sdk/nodejs/databoxedge/order.ts @@ -151,7 +151,7 @@ export class Order extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:Order" }, { type: "azure-native:databoxedge/v20190701:Order" }, { type: "azure-native:databoxedge/v20190801:Order" }, { type: "azure-native:databoxedge/v20200501preview:Order" }, { type: "azure-native:databoxedge/v20200901:Order" }, { type: "azure-native:databoxedge/v20200901preview:Order" }, { type: "azure-native:databoxedge/v20201201:Order" }, { type: "azure-native:databoxedge/v20210201:Order" }, { type: "azure-native:databoxedge/v20210201preview:Order" }, { type: "azure-native:databoxedge/v20210601:Order" }, { type: "azure-native:databoxedge/v20210601preview:Order" }, { type: "azure-native:databoxedge/v20220301:Order" }, { type: "azure-native:databoxedge/v20220401preview:Order" }, { type: "azure-native:databoxedge/v20221201preview:Order" }, { type: "azure-native:databoxedge/v20230101preview:Order" }, { type: "azure-native:databoxedge/v20230701:Order" }, { type: "azure-native:databoxedge/v20231201:Order" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20220301:Order" }, { type: "azure-native:databoxedge/v20220401preview:Order" }, { type: "azure-native:databoxedge/v20230101preview:Order" }, { type: "azure-native:databoxedge/v20230701:Order" }, { type: "azure-native:databoxedge/v20231201:Order" }, { type: "azure-native_databoxedge_v20190301:databoxedge:Order" }, { type: "azure-native_databoxedge_v20190701:databoxedge:Order" }, { type: "azure-native_databoxedge_v20190801:databoxedge:Order" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:Order" }, { type: "azure-native_databoxedge_v20200901:databoxedge:Order" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:Order" }, { type: "azure-native_databoxedge_v20201201:databoxedge:Order" }, { type: "azure-native_databoxedge_v20210201:databoxedge:Order" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:Order" }, { type: "azure-native_databoxedge_v20210601:databoxedge:Order" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:Order" }, { type: "azure-native_databoxedge_v20220301:databoxedge:Order" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:Order" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:Order" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:Order" }, { type: "azure-native_databoxedge_v20230701:databoxedge:Order" }, { type: "azure-native_databoxedge_v20231201:databoxedge:Order" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Order.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/periodicTimerEventTrigger.ts b/sdk/nodejs/databoxedge/periodicTimerEventTrigger.ts index 39e218de8f33..cfb322d01fc7 100644 --- a/sdk/nodejs/databoxedge/periodicTimerEventTrigger.ts +++ b/sdk/nodejs/databoxedge/periodicTimerEventTrigger.ts @@ -120,7 +120,7 @@ export class PeriodicTimerEventTrigger extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20190701:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20190801:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20200501preview:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20200901:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20200901preview:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20201201:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20210201:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20210201preview:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20210601:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20210601preview:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20220301:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20220401preview:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20221201preview:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20230101preview:FileEventTrigger" }, { type: "azure-native:databoxedge/v20230101preview:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20230701:FileEventTrigger" }, { type: "azure-native:databoxedge/v20230701:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20231201:FileEventTrigger" }, { type: "azure-native:databoxedge/v20231201:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge:FileEventTrigger" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20230101preview:FileEventTrigger" }, { type: "azure-native:databoxedge/v20230101preview:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20230701:FileEventTrigger" }, { type: "azure-native:databoxedge/v20230701:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge/v20231201:FileEventTrigger" }, { type: "azure-native:databoxedge/v20231201:PeriodicTimerEventTrigger" }, { type: "azure-native:databoxedge:FileEventTrigger" }, { type: "azure-native_databoxedge_v20190301:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20190701:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20190801:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20200901:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20201201:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20210201:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20210601:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20220301:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20230701:databoxedge:PeriodicTimerEventTrigger" }, { type: "azure-native_databoxedge_v20231201:databoxedge:PeriodicTimerEventTrigger" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PeriodicTimerEventTrigger.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/share.ts b/sdk/nodejs/databoxedge/share.ts index a1ad5cee8774..e2f96ce6777c 100644 --- a/sdk/nodejs/databoxedge/share.ts +++ b/sdk/nodejs/databoxedge/share.ts @@ -157,7 +157,7 @@ export class Share extends pulumi.CustomResource { resourceInputs["userAccessRights"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:Share" }, { type: "azure-native:databoxedge/v20190701:Share" }, { type: "azure-native:databoxedge/v20190801:Share" }, { type: "azure-native:databoxedge/v20200501preview:Share" }, { type: "azure-native:databoxedge/v20200901:Share" }, { type: "azure-native:databoxedge/v20200901preview:Share" }, { type: "azure-native:databoxedge/v20201201:Share" }, { type: "azure-native:databoxedge/v20210201:Share" }, { type: "azure-native:databoxedge/v20210201preview:Share" }, { type: "azure-native:databoxedge/v20210601:Share" }, { type: "azure-native:databoxedge/v20210601preview:Share" }, { type: "azure-native:databoxedge/v20220301:Share" }, { type: "azure-native:databoxedge/v20220401preview:Share" }, { type: "azure-native:databoxedge/v20221201preview:Share" }, { type: "azure-native:databoxedge/v20230101preview:Share" }, { type: "azure-native:databoxedge/v20230701:Share" }, { type: "azure-native:databoxedge/v20231201:Share" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20220301:Share" }, { type: "azure-native:databoxedge/v20230101preview:Share" }, { type: "azure-native:databoxedge/v20230701:Share" }, { type: "azure-native:databoxedge/v20231201:Share" }, { type: "azure-native_databoxedge_v20190301:databoxedge:Share" }, { type: "azure-native_databoxedge_v20190701:databoxedge:Share" }, { type: "azure-native_databoxedge_v20190801:databoxedge:Share" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:Share" }, { type: "azure-native_databoxedge_v20200901:databoxedge:Share" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:Share" }, { type: "azure-native_databoxedge_v20201201:databoxedge:Share" }, { type: "azure-native_databoxedge_v20210201:databoxedge:Share" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:Share" }, { type: "azure-native_databoxedge_v20210601:databoxedge:Share" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:Share" }, { type: "azure-native_databoxedge_v20220301:databoxedge:Share" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:Share" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:Share" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:Share" }, { type: "azure-native_databoxedge_v20230701:databoxedge:Share" }, { type: "azure-native_databoxedge_v20231201:databoxedge:Share" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Share.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/storageAccount.ts b/sdk/nodejs/databoxedge/storageAccount.ts index 0986d0bb927e..9f3eb206d07d 100644 --- a/sdk/nodejs/databoxedge/storageAccount.ts +++ b/sdk/nodejs/databoxedge/storageAccount.ts @@ -128,7 +128,7 @@ export class StorageAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190801:StorageAccount" }, { type: "azure-native:databoxedge/v20200501preview:StorageAccount" }, { type: "azure-native:databoxedge/v20200901:StorageAccount" }, { type: "azure-native:databoxedge/v20200901preview:StorageAccount" }, { type: "azure-native:databoxedge/v20201201:StorageAccount" }, { type: "azure-native:databoxedge/v20210201:StorageAccount" }, { type: "azure-native:databoxedge/v20210201preview:StorageAccount" }, { type: "azure-native:databoxedge/v20210601:StorageAccount" }, { type: "azure-native:databoxedge/v20210601preview:StorageAccount" }, { type: "azure-native:databoxedge/v20220301:StorageAccount" }, { type: "azure-native:databoxedge/v20220401preview:StorageAccount" }, { type: "azure-native:databoxedge/v20221201preview:StorageAccount" }, { type: "azure-native:databoxedge/v20230101preview:StorageAccount" }, { type: "azure-native:databoxedge/v20230701:StorageAccount" }, { type: "azure-native:databoxedge/v20231201:StorageAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20220301:StorageAccount" }, { type: "azure-native:databoxedge/v20230101preview:StorageAccount" }, { type: "azure-native:databoxedge/v20230701:StorageAccount" }, { type: "azure-native:databoxedge/v20231201:StorageAccount" }, { type: "azure-native_databoxedge_v20190801:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20200901:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20201201:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20210201:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20210601:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20220301:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20230701:databoxedge:StorageAccount" }, { type: "azure-native_databoxedge_v20231201:databoxedge:StorageAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/storageAccountCredential.ts b/sdk/nodejs/databoxedge/storageAccountCredential.ts index 992d78e770f0..5be4fb615a46 100644 --- a/sdk/nodejs/databoxedge/storageAccountCredential.ts +++ b/sdk/nodejs/databoxedge/storageAccountCredential.ts @@ -145,7 +145,7 @@ export class StorageAccountCredential extends pulumi.CustomResource { resourceInputs["userName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20190701:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20190801:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20200501preview:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20200901:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20200901preview:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20201201:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20210201:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20210201preview:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20210601:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20210601preview:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20220301:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20220401preview:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20221201preview:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20230101preview:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20230701:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20231201:StorageAccountCredential" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20220301:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20230101preview:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20230701:StorageAccountCredential" }, { type: "azure-native:databoxedge/v20231201:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20190301:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20190701:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20190801:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20200901:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20201201:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20210201:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20210601:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20220301:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20230701:databoxedge:StorageAccountCredential" }, { type: "azure-native_databoxedge_v20231201:databoxedge:StorageAccountCredential" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageAccountCredential.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databoxedge/user.ts b/sdk/nodejs/databoxedge/user.ts index f5fe2f0c78f8..5d00b2df759d 100644 --- a/sdk/nodejs/databoxedge/user.ts +++ b/sdk/nodejs/databoxedge/user.ts @@ -109,7 +109,7 @@ export class User extends pulumi.CustomResource { resourceInputs["userType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20190301:User" }, { type: "azure-native:databoxedge/v20190701:User" }, { type: "azure-native:databoxedge/v20190801:User" }, { type: "azure-native:databoxedge/v20200501preview:User" }, { type: "azure-native:databoxedge/v20200901:User" }, { type: "azure-native:databoxedge/v20200901preview:User" }, { type: "azure-native:databoxedge/v20201201:User" }, { type: "azure-native:databoxedge/v20210201:User" }, { type: "azure-native:databoxedge/v20210201preview:User" }, { type: "azure-native:databoxedge/v20210601:User" }, { type: "azure-native:databoxedge/v20210601preview:User" }, { type: "azure-native:databoxedge/v20220301:User" }, { type: "azure-native:databoxedge/v20220401preview:User" }, { type: "azure-native:databoxedge/v20221201preview:User" }, { type: "azure-native:databoxedge/v20230101preview:User" }, { type: "azure-native:databoxedge/v20230701:User" }, { type: "azure-native:databoxedge/v20231201:User" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databoxedge/v20210201preview:User" }, { type: "azure-native:databoxedge/v20220301:User" }, { type: "azure-native:databoxedge/v20230101preview:User" }, { type: "azure-native:databoxedge/v20230701:User" }, { type: "azure-native:databoxedge/v20231201:User" }, { type: "azure-native_databoxedge_v20190301:databoxedge:User" }, { type: "azure-native_databoxedge_v20190701:databoxedge:User" }, { type: "azure-native_databoxedge_v20190801:databoxedge:User" }, { type: "azure-native_databoxedge_v20200501preview:databoxedge:User" }, { type: "azure-native_databoxedge_v20200901:databoxedge:User" }, { type: "azure-native_databoxedge_v20200901preview:databoxedge:User" }, { type: "azure-native_databoxedge_v20201201:databoxedge:User" }, { type: "azure-native_databoxedge_v20210201:databoxedge:User" }, { type: "azure-native_databoxedge_v20210201preview:databoxedge:User" }, { type: "azure-native_databoxedge_v20210601:databoxedge:User" }, { type: "azure-native_databoxedge_v20210601preview:databoxedge:User" }, { type: "azure-native_databoxedge_v20220301:databoxedge:User" }, { type: "azure-native_databoxedge_v20220401preview:databoxedge:User" }, { type: "azure-native_databoxedge_v20221201preview:databoxedge:User" }, { type: "azure-native_databoxedge_v20230101preview:databoxedge:User" }, { type: "azure-native_databoxedge_v20230701:databoxedge:User" }, { type: "azure-native_databoxedge_v20231201:databoxedge:User" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(User.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databricks/accessConnector.ts b/sdk/nodejs/databricks/accessConnector.ts index cb800958c675..8453f2d8236d 100644 --- a/sdk/nodejs/databricks/accessConnector.ts +++ b/sdk/nodejs/databricks/accessConnector.ts @@ -109,7 +109,7 @@ export class AccessConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databricks/v20220401preview:AccessConnector" }, { type: "azure-native:databricks/v20221001preview:AccessConnector" }, { type: "azure-native:databricks/v20230501:AccessConnector" }, { type: "azure-native:databricks/v20240501:AccessConnector" }, { type: "azure-native:databricks/v20240901preview:AccessConnector" }, { type: "azure-native:databricks/v20250301preview:AccessConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databricks/v20220401preview:AccessConnector" }, { type: "azure-native:databricks/v20230501:AccessConnector" }, { type: "azure-native:databricks/v20240501:AccessConnector" }, { type: "azure-native:databricks/v20240901preview:AccessConnector" }, { type: "azure-native_databricks_v20220401preview:databricks:AccessConnector" }, { type: "azure-native_databricks_v20221001preview:databricks:AccessConnector" }, { type: "azure-native_databricks_v20230501:databricks:AccessConnector" }, { type: "azure-native_databricks_v20240501:databricks:AccessConnector" }, { type: "azure-native_databricks_v20240901preview:databricks:AccessConnector" }, { type: "azure-native_databricks_v20250301preview:databricks:AccessConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccessConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databricks/privateEndpointConnection.ts b/sdk/nodejs/databricks/privateEndpointConnection.ts index 2713ba5eea62..73f640ff1530 100644 --- a/sdk/nodejs/databricks/privateEndpointConnection.ts +++ b/sdk/nodejs/databricks/privateEndpointConnection.ts @@ -92,7 +92,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databricks/v20210401preview:PrivateEndpointConnection" }, { type: "azure-native:databricks/v20220401preview:PrivateEndpointConnection" }, { type: "azure-native:databricks/v20230201:PrivateEndpointConnection" }, { type: "azure-native:databricks/v20230915preview:PrivateEndpointConnection" }, { type: "azure-native:databricks/v20240501:PrivateEndpointConnection" }, { type: "azure-native:databricks/v20240901preview:PrivateEndpointConnection" }, { type: "azure-native:databricks/v20250301preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databricks/v20230201:PrivateEndpointConnection" }, { type: "azure-native:databricks/v20230915preview:PrivateEndpointConnection" }, { type: "azure-native:databricks/v20240501:PrivateEndpointConnection" }, { type: "azure-native:databricks/v20240901preview:PrivateEndpointConnection" }, { type: "azure-native_databricks_v20210401preview:databricks:PrivateEndpointConnection" }, { type: "azure-native_databricks_v20220401preview:databricks:PrivateEndpointConnection" }, { type: "azure-native_databricks_v20230201:databricks:PrivateEndpointConnection" }, { type: "azure-native_databricks_v20230915preview:databricks:PrivateEndpointConnection" }, { type: "azure-native_databricks_v20240501:databricks:PrivateEndpointConnection" }, { type: "azure-native_databricks_v20240901preview:databricks:PrivateEndpointConnection" }, { type: "azure-native_databricks_v20250301preview:databricks:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databricks/vnetPeering.ts b/sdk/nodejs/databricks/vnetPeering.ts index 1fd35c12fd9a..31142430efcc 100644 --- a/sdk/nodejs/databricks/vnetPeering.ts +++ b/sdk/nodejs/databricks/vnetPeering.ts @@ -146,7 +146,7 @@ export class VNetPeering extends pulumi.CustomResource { resourceInputs["useRemoteGateways"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databricks/v20180401:VNetPeering" }, { type: "azure-native:databricks/v20210401preview:VNetPeering" }, { type: "azure-native:databricks/v20220401preview:VNetPeering" }, { type: "azure-native:databricks/v20230201:VNetPeering" }, { type: "azure-native:databricks/v20230915preview:VNetPeering" }, { type: "azure-native:databricks/v20240501:VNetPeering" }, { type: "azure-native:databricks/v20240901preview:VNetPeering" }, { type: "azure-native:databricks/v20250301preview:VNetPeering" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databricks/v20230201:VNetPeering" }, { type: "azure-native:databricks/v20230915preview:VNetPeering" }, { type: "azure-native:databricks/v20240501:VNetPeering" }, { type: "azure-native:databricks/v20240901preview:VNetPeering" }, { type: "azure-native_databricks_v20180401:databricks:VNetPeering" }, { type: "azure-native_databricks_v20210401preview:databricks:VNetPeering" }, { type: "azure-native_databricks_v20220401preview:databricks:VNetPeering" }, { type: "azure-native_databricks_v20230201:databricks:VNetPeering" }, { type: "azure-native_databricks_v20230915preview:databricks:VNetPeering" }, { type: "azure-native_databricks_v20240501:databricks:VNetPeering" }, { type: "azure-native_databricks_v20240901preview:databricks:VNetPeering" }, { type: "azure-native_databricks_v20250301preview:databricks:VNetPeering" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VNetPeering.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/databricks/workspace.ts b/sdk/nodejs/databricks/workspace.ts index db5693027241..c7ac2e04159a 100644 --- a/sdk/nodejs/databricks/workspace.ts +++ b/sdk/nodejs/databricks/workspace.ts @@ -238,7 +238,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["workspaceUrl"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:databricks/v20180401:Workspace" }, { type: "azure-native:databricks/v20210401preview:Workspace" }, { type: "azure-native:databricks/v20220401preview:Workspace" }, { type: "azure-native:databricks/v20230201:Workspace" }, { type: "azure-native:databricks/v20230915preview:Workspace" }, { type: "azure-native:databricks/v20240501:Workspace" }, { type: "azure-native:databricks/v20240901preview:Workspace" }, { type: "azure-native:databricks/v20250301preview:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:databricks/v20230201:Workspace" }, { type: "azure-native:databricks/v20230915preview:Workspace" }, { type: "azure-native:databricks/v20240501:Workspace" }, { type: "azure-native:databricks/v20240901preview:Workspace" }, { type: "azure-native_databricks_v20180401:databricks:Workspace" }, { type: "azure-native_databricks_v20210401preview:databricks:Workspace" }, { type: "azure-native_databricks_v20220401preview:databricks:Workspace" }, { type: "azure-native_databricks_v20230201:databricks:Workspace" }, { type: "azure-native_databricks_v20230915preview:databricks:Workspace" }, { type: "azure-native_databricks_v20240501:databricks:Workspace" }, { type: "azure-native_databricks_v20240901preview:databricks:Workspace" }, { type: "azure-native_databricks_v20250301preview:databricks:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datacatalog/adccatalog.ts b/sdk/nodejs/datacatalog/adccatalog.ts index 2b990b2e2663..1ddd7c792114 100644 --- a/sdk/nodejs/datacatalog/adccatalog.ts +++ b/sdk/nodejs/datacatalog/adccatalog.ts @@ -131,7 +131,7 @@ export class ADCCatalog extends pulumi.CustomResource { resourceInputs["users"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datacatalog/v20160330:ADCCatalog" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datacatalog/v20160330:ADCCatalog" }, { type: "azure-native_datacatalog_v20160330:datacatalog:ADCCatalog" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ADCCatalog.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datadog/monitor.ts b/sdk/nodejs/datadog/monitor.ts index afc084e0d395..163c60aab11e 100644 --- a/sdk/nodejs/datadog/monitor.ts +++ b/sdk/nodejs/datadog/monitor.ts @@ -101,7 +101,7 @@ export class Monitor extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datadog/v20200201preview:Monitor" }, { type: "azure-native:datadog/v20210301:Monitor" }, { type: "azure-native:datadog/v20220601:Monitor" }, { type: "azure-native:datadog/v20220801:Monitor" }, { type: "azure-native:datadog/v20230101:Monitor" }, { type: "azure-native:datadog/v20230707:Monitor" }, { type: "azure-native:datadog/v20231020:Monitor" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datadog/v20220601:Monitor" }, { type: "azure-native:datadog/v20220801:Monitor" }, { type: "azure-native:datadog/v20230101:Monitor" }, { type: "azure-native:datadog/v20230707:Monitor" }, { type: "azure-native:datadog/v20231020:Monitor" }, { type: "azure-native_datadog_v20200201preview:datadog:Monitor" }, { type: "azure-native_datadog_v20210301:datadog:Monitor" }, { type: "azure-native_datadog_v20220601:datadog:Monitor" }, { type: "azure-native_datadog_v20220801:datadog:Monitor" }, { type: "azure-native_datadog_v20230101:datadog:Monitor" }, { type: "azure-native_datadog_v20230707:datadog:Monitor" }, { type: "azure-native_datadog_v20231020:datadog:Monitor" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Monitor.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datadog/monitoredSubscription.ts b/sdk/nodejs/datadog/monitoredSubscription.ts index bd8a0a6dd82f..46ce514eed85 100644 --- a/sdk/nodejs/datadog/monitoredSubscription.ts +++ b/sdk/nodejs/datadog/monitoredSubscription.ts @@ -89,7 +89,7 @@ export class MonitoredSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datadog/v20230101:MonitoredSubscription" }, { type: "azure-native:datadog/v20230707:MonitoredSubscription" }, { type: "azure-native:datadog/v20231020:MonitoredSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datadog/v20230101:MonitoredSubscription" }, { type: "azure-native:datadog/v20230707:MonitoredSubscription" }, { type: "azure-native:datadog/v20231020:MonitoredSubscription" }, { type: "azure-native_datadog_v20230101:datadog:MonitoredSubscription" }, { type: "azure-native_datadog_v20230707:datadog:MonitoredSubscription" }, { type: "azure-native_datadog_v20231020:datadog:MonitoredSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MonitoredSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/changeDataCapture.ts b/sdk/nodejs/datafactory/changeDataCapture.ts index 20fa54eb46e3..985f2b891444 100644 --- a/sdk/nodejs/datafactory/changeDataCapture.ts +++ b/sdk/nodejs/datafactory/changeDataCapture.ts @@ -138,7 +138,7 @@ export class ChangeDataCapture extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:ChangeDataCapture" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:ChangeDataCapture" }, { type: "azure-native_datafactory_v20180601:datafactory:ChangeDataCapture" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ChangeDataCapture.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/credentialOperation.ts b/sdk/nodejs/datafactory/credentialOperation.ts index 94503cc4e336..3189b141f7e5 100644 --- a/sdk/nodejs/datafactory/credentialOperation.ts +++ b/sdk/nodejs/datafactory/credentialOperation.ts @@ -96,7 +96,7 @@ export class CredentialOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:CredentialOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:CredentialOperation" }, { type: "azure-native_datafactory_v20180601:datafactory:CredentialOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CredentialOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/dataFlow.ts b/sdk/nodejs/datafactory/dataFlow.ts index a0da15efd158..fd1bed5bdfd1 100644 --- a/sdk/nodejs/datafactory/dataFlow.ts +++ b/sdk/nodejs/datafactory/dataFlow.ts @@ -96,7 +96,7 @@ export class DataFlow extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:DataFlow" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:DataFlow" }, { type: "azure-native_datafactory_v20180601:datafactory:DataFlow" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataFlow.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/dataset.ts b/sdk/nodejs/datafactory/dataset.ts index 6a511b74d79a..55f4f9569a44 100644 --- a/sdk/nodejs/datafactory/dataset.ts +++ b/sdk/nodejs/datafactory/dataset.ts @@ -96,7 +96,7 @@ export class Dataset extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20170901preview:Dataset" }, { type: "azure-native:datafactory/v20180601:Dataset" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:Dataset" }, { type: "azure-native_datafactory_v20170901preview:datafactory:Dataset" }, { type: "azure-native_datafactory_v20180601:datafactory:Dataset" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Dataset.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/factory.ts b/sdk/nodejs/datafactory/factory.ts index 16cf38ae4a2e..192b3fbb9f17 100644 --- a/sdk/nodejs/datafactory/factory.ts +++ b/sdk/nodejs/datafactory/factory.ts @@ -149,7 +149,7 @@ export class Factory extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20170901preview:Factory" }, { type: "azure-native:datafactory/v20180601:Factory" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:Factory" }, { type: "azure-native_datafactory_v20170901preview:datafactory:Factory" }, { type: "azure-native_datafactory_v20180601:datafactory:Factory" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Factory.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/globalParameter.ts b/sdk/nodejs/datafactory/globalParameter.ts index 735e2ee02ccf..681febf443b5 100644 --- a/sdk/nodejs/datafactory/globalParameter.ts +++ b/sdk/nodejs/datafactory/globalParameter.ts @@ -96,7 +96,7 @@ export class GlobalParameter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:GlobalParameter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:GlobalParameter" }, { type: "azure-native_datafactory_v20180601:datafactory:GlobalParameter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GlobalParameter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/integrationRuntime.ts b/sdk/nodejs/datafactory/integrationRuntime.ts index c90758f0e444..311cc847150e 100644 --- a/sdk/nodejs/datafactory/integrationRuntime.ts +++ b/sdk/nodejs/datafactory/integrationRuntime.ts @@ -96,7 +96,7 @@ export class IntegrationRuntime extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20170901preview:IntegrationRuntime" }, { type: "azure-native:datafactory/v20180601:IntegrationRuntime" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:IntegrationRuntime" }, { type: "azure-native_datafactory_v20170901preview:datafactory:IntegrationRuntime" }, { type: "azure-native_datafactory_v20180601:datafactory:IntegrationRuntime" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationRuntime.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/linkedService.ts b/sdk/nodejs/datafactory/linkedService.ts index a3ad63d4e82f..79143e419b75 100644 --- a/sdk/nodejs/datafactory/linkedService.ts +++ b/sdk/nodejs/datafactory/linkedService.ts @@ -96,7 +96,7 @@ export class LinkedService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20170901preview:LinkedService" }, { type: "azure-native:datafactory/v20180601:LinkedService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:LinkedService" }, { type: "azure-native_datafactory_v20170901preview:datafactory:LinkedService" }, { type: "azure-native_datafactory_v20180601:datafactory:LinkedService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LinkedService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/managedPrivateEndpoint.ts b/sdk/nodejs/datafactory/managedPrivateEndpoint.ts index 9ff13db59e76..c74c7c6f183c 100644 --- a/sdk/nodejs/datafactory/managedPrivateEndpoint.ts +++ b/sdk/nodejs/datafactory/managedPrivateEndpoint.ts @@ -100,7 +100,7 @@ export class ManagedPrivateEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:ManagedPrivateEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:ManagedPrivateEndpoint" }, { type: "azure-native_datafactory_v20180601:datafactory:ManagedPrivateEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedPrivateEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/pipeline.ts b/sdk/nodejs/datafactory/pipeline.ts index dcef14dde54e..c683c5af8561 100644 --- a/sdk/nodejs/datafactory/pipeline.ts +++ b/sdk/nodejs/datafactory/pipeline.ts @@ -141,7 +141,7 @@ export class Pipeline extends pulumi.CustomResource { resourceInputs["variables"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20170901preview:Pipeline" }, { type: "azure-native:datafactory/v20180601:Pipeline" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:Pipeline" }, { type: "azure-native_datafactory_v20170901preview:datafactory:Pipeline" }, { type: "azure-native_datafactory_v20180601:datafactory:Pipeline" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Pipeline.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/privateEndpointConnection.ts b/sdk/nodejs/datafactory/privateEndpointConnection.ts index 3c0830c930a3..050e8a4fa711 100644 --- a/sdk/nodejs/datafactory/privateEndpointConnection.ts +++ b/sdk/nodejs/datafactory/privateEndpointConnection.ts @@ -93,7 +93,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:PrivateEndpointConnection" }, { type: "azure-native_datafactory_v20180601:datafactory:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datafactory/trigger.ts b/sdk/nodejs/datafactory/trigger.ts index 39f21b169df1..64549fd350cf 100644 --- a/sdk/nodejs/datafactory/trigger.ts +++ b/sdk/nodejs/datafactory/trigger.ts @@ -96,7 +96,7 @@ export class Trigger extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20170901preview:Trigger" }, { type: "azure-native:datafactory/v20180601:Trigger" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datafactory/v20180601:Trigger" }, { type: "azure-native_datafactory_v20170901preview:datafactory:Trigger" }, { type: "azure-native_datafactory_v20180601:datafactory:Trigger" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Trigger.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datalakeanalytics/account.ts b/sdk/nodejs/datalakeanalytics/account.ts index 8e1149c492d6..2680a37089cd 100644 --- a/sdk/nodejs/datalakeanalytics/account.ts +++ b/sdk/nodejs/datalakeanalytics/account.ts @@ -275,7 +275,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["virtualNetworkRules"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datalakeanalytics/v20151001preview:Account" }, { type: "azure-native:datalakeanalytics/v20161101:Account" }, { type: "azure-native:datalakeanalytics/v20191101preview:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datalakeanalytics/v20191101preview:Account" }, { type: "azure-native_datalakeanalytics_v20151001preview:datalakeanalytics:Account" }, { type: "azure-native_datalakeanalytics_v20161101:datalakeanalytics:Account" }, { type: "azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datalakeanalytics/computePolicy.ts b/sdk/nodejs/datalakeanalytics/computePolicy.ts index be75b73fa6bd..53f3576f4b7d 100644 --- a/sdk/nodejs/datalakeanalytics/computePolicy.ts +++ b/sdk/nodejs/datalakeanalytics/computePolicy.ts @@ -111,7 +111,7 @@ export class ComputePolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datalakeanalytics/v20151001preview:ComputePolicy" }, { type: "azure-native:datalakeanalytics/v20161101:ComputePolicy" }, { type: "azure-native:datalakeanalytics/v20191101preview:ComputePolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datalakeanalytics/v20191101preview:ComputePolicy" }, { type: "azure-native_datalakeanalytics_v20151001preview:datalakeanalytics:ComputePolicy" }, { type: "azure-native_datalakeanalytics_v20161101:datalakeanalytics:ComputePolicy" }, { type: "azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:ComputePolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ComputePolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datalakeanalytics/firewallRule.ts b/sdk/nodejs/datalakeanalytics/firewallRule.ts index 56a0bf73f01b..7e709ccbec24 100644 --- a/sdk/nodejs/datalakeanalytics/firewallRule.ts +++ b/sdk/nodejs/datalakeanalytics/firewallRule.ts @@ -96,7 +96,7 @@ export class FirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datalakeanalytics/v20151001preview:FirewallRule" }, { type: "azure-native:datalakeanalytics/v20161101:FirewallRule" }, { type: "azure-native:datalakeanalytics/v20191101preview:FirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datalakeanalytics/v20191101preview:FirewallRule" }, { type: "azure-native_datalakeanalytics_v20151001preview:datalakeanalytics:FirewallRule" }, { type: "azure-native_datalakeanalytics_v20161101:datalakeanalytics:FirewallRule" }, { type: "azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:FirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datalakestore/account.ts b/sdk/nodejs/datalakestore/account.ts index 7f812d4144bb..395646d47203 100644 --- a/sdk/nodejs/datalakestore/account.ts +++ b/sdk/nodejs/datalakestore/account.ts @@ -203,7 +203,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["virtualNetworkRules"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datalakestore/v20161101:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datalakestore/v20161101:Account" }, { type: "azure-native_datalakestore_v20161101:datalakestore:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datalakestore/firewallRule.ts b/sdk/nodejs/datalakestore/firewallRule.ts index dd561e97f970..c48e963638b3 100644 --- a/sdk/nodejs/datalakestore/firewallRule.ts +++ b/sdk/nodejs/datalakestore/firewallRule.ts @@ -96,7 +96,7 @@ export class FirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datalakestore/v20161101:FirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datalakestore/v20161101:FirewallRule" }, { type: "azure-native_datalakestore_v20161101:datalakestore:FirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datalakestore/trustedIdProvider.ts b/sdk/nodejs/datalakestore/trustedIdProvider.ts index 04ebd8805ff9..7d69241f172c 100644 --- a/sdk/nodejs/datalakestore/trustedIdProvider.ts +++ b/sdk/nodejs/datalakestore/trustedIdProvider.ts @@ -87,7 +87,7 @@ export class TrustedIdProvider extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datalakestore/v20161101:TrustedIdProvider" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datalakestore/v20161101:TrustedIdProvider" }, { type: "azure-native_datalakestore_v20161101:datalakestore:TrustedIdProvider" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TrustedIdProvider.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datalakestore/virtualNetworkRule.ts b/sdk/nodejs/datalakestore/virtualNetworkRule.ts index 796a784c81b6..703033f28db1 100644 --- a/sdk/nodejs/datalakestore/virtualNetworkRule.ts +++ b/sdk/nodejs/datalakestore/virtualNetworkRule.ts @@ -87,7 +87,7 @@ export class VirtualNetworkRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datalakestore/v20161101:VirtualNetworkRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datalakestore/v20161101:VirtualNetworkRule" }, { type: "azure-native_datalakestore_v20161101:datalakestore:VirtualNetworkRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetworkRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datamigration/databaseMigrationsMongoToCosmosDbRUMongo.ts b/sdk/nodejs/datamigration/databaseMigrationsMongoToCosmosDbRUMongo.ts index cda58e39c302..bd1e45952f3a 100644 --- a/sdk/nodejs/datamigration/databaseMigrationsMongoToCosmosDbRUMongo.ts +++ b/sdk/nodejs/datamigration/databaseMigrationsMongoToCosmosDbRUMongo.ts @@ -169,7 +169,7 @@ export class DatabaseMigrationsMongoToCosmosDbRUMongo extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbRUMongo" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbRUMongo" }, { type: "azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsMongoToCosmosDbRUMongo" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseMigrationsMongoToCosmosDbRUMongo.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datamigration/databaseMigrationsMongoToCosmosDbvCoreMongo.ts b/sdk/nodejs/datamigration/databaseMigrationsMongoToCosmosDbvCoreMongo.ts index 9c5e3e117702..39de1806a7c7 100644 --- a/sdk/nodejs/datamigration/databaseMigrationsMongoToCosmosDbvCoreMongo.ts +++ b/sdk/nodejs/datamigration/databaseMigrationsMongoToCosmosDbvCoreMongo.ts @@ -169,7 +169,7 @@ export class DatabaseMigrationsMongoToCosmosDbvCoreMongo extends pulumi.CustomRe resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbvCoreMongo" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbvCoreMongo" }, { type: "azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsMongoToCosmosDbvCoreMongo" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseMigrationsMongoToCosmosDbvCoreMongo.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datamigration/databaseMigrationsSqlDb.ts b/sdk/nodejs/datamigration/databaseMigrationsSqlDb.ts index 3abc99698a75..4d34c786a5a6 100644 --- a/sdk/nodejs/datamigration/databaseMigrationsSqlDb.ts +++ b/sdk/nodejs/datamigration/databaseMigrationsSqlDb.ts @@ -89,7 +89,7 @@ export class DatabaseMigrationsSqlDb extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20220330preview:DatabaseMigrationsSqlDb" }, { type: "azure-native:datamigration/v20230715preview:DatabaseMigrationsSqlDb" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20220330preview:DatabaseMigrationsSqlDb" }, { type: "azure-native:datamigration/v20230715preview:DatabaseMigrationsSqlDb" }, { type: "azure-native_datamigration_v20220330preview:datamigration:DatabaseMigrationsSqlDb" }, { type: "azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsSqlDb" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseMigrationsSqlDb.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datamigration/file.ts b/sdk/nodejs/datamigration/file.ts index 0af4d8d02590..8e193c9f42ef 100644 --- a/sdk/nodejs/datamigration/file.ts +++ b/sdk/nodejs/datamigration/file.ts @@ -105,7 +105,7 @@ export class File extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20180715preview:File" }, { type: "azure-native:datamigration/v20210630:File" }, { type: "azure-native:datamigration/v20211030preview:File" }, { type: "azure-native:datamigration/v20220130preview:File" }, { type: "azure-native:datamigration/v20220330preview:File" }, { type: "azure-native:datamigration/v20230715preview:File" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20210630:File" }, { type: "azure-native:datamigration/v20220330preview:File" }, { type: "azure-native:datamigration/v20230715preview:File" }, { type: "azure-native_datamigration_v20180715preview:datamigration:File" }, { type: "azure-native_datamigration_v20210630:datamigration:File" }, { type: "azure-native_datamigration_v20211030preview:datamigration:File" }, { type: "azure-native_datamigration_v20220130preview:datamigration:File" }, { type: "azure-native_datamigration_v20220330preview:datamigration:File" }, { type: "azure-native_datamigration_v20230715preview:datamigration:File" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(File.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datamigration/migrationService.ts b/sdk/nodejs/datamigration/migrationService.ts index bec7e258b013..d5e723bb0080 100644 --- a/sdk/nodejs/datamigration/migrationService.ts +++ b/sdk/nodejs/datamigration/migrationService.ts @@ -107,7 +107,7 @@ export class MigrationService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20230715preview:MigrationService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20230715preview:MigrationService" }, { type: "azure-native_datamigration_v20230715preview:datamigration:MigrationService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MigrationService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datamigration/project.ts b/sdk/nodejs/datamigration/project.ts index a1b3d91ed0b2..1504f72c3ec6 100644 --- a/sdk/nodejs/datamigration/project.ts +++ b/sdk/nodejs/datamigration/project.ts @@ -146,7 +146,7 @@ export class Project extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20171115preview:Project" }, { type: "azure-native:datamigration/v20180315preview:Project" }, { type: "azure-native:datamigration/v20180331preview:Project" }, { type: "azure-native:datamigration/v20180419:Project" }, { type: "azure-native:datamigration/v20180715preview:Project" }, { type: "azure-native:datamigration/v20210630:Project" }, { type: "azure-native:datamigration/v20211030preview:Project" }, { type: "azure-native:datamigration/v20220130preview:Project" }, { type: "azure-native:datamigration/v20220330preview:Project" }, { type: "azure-native:datamigration/v20230715preview:Project" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20210630:Project" }, { type: "azure-native:datamigration/v20211030preview:Project" }, { type: "azure-native:datamigration/v20220330preview:Project" }, { type: "azure-native:datamigration/v20230715preview:Project" }, { type: "azure-native_datamigration_v20171115preview:datamigration:Project" }, { type: "azure-native_datamigration_v20180315preview:datamigration:Project" }, { type: "azure-native_datamigration_v20180331preview:datamigration:Project" }, { type: "azure-native_datamigration_v20180419:datamigration:Project" }, { type: "azure-native_datamigration_v20180715preview:datamigration:Project" }, { type: "azure-native_datamigration_v20210630:datamigration:Project" }, { type: "azure-native_datamigration_v20211030preview:datamigration:Project" }, { type: "azure-native_datamigration_v20220130preview:datamigration:Project" }, { type: "azure-native_datamigration_v20220330preview:datamigration:Project" }, { type: "azure-native_datamigration_v20230715preview:datamigration:Project" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Project.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datamigration/service.ts b/sdk/nodejs/datamigration/service.ts index b982b79d16b9..e43f4426fc2c 100644 --- a/sdk/nodejs/datamigration/service.ts +++ b/sdk/nodejs/datamigration/service.ts @@ -136,7 +136,7 @@ export class Service extends pulumi.CustomResource { resourceInputs["virtualSubnetId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20171115preview:Service" }, { type: "azure-native:datamigration/v20180315preview:Service" }, { type: "azure-native:datamigration/v20180331preview:Service" }, { type: "azure-native:datamigration/v20180419:Service" }, { type: "azure-native:datamigration/v20180715preview:Service" }, { type: "azure-native:datamigration/v20210630:Service" }, { type: "azure-native:datamigration/v20211030preview:Service" }, { type: "azure-native:datamigration/v20220130preview:Service" }, { type: "azure-native:datamigration/v20220330preview:Service" }, { type: "azure-native:datamigration/v20230715preview:Service" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20210630:Service" }, { type: "azure-native:datamigration/v20220330preview:Service" }, { type: "azure-native:datamigration/v20230715preview:Service" }, { type: "azure-native_datamigration_v20171115preview:datamigration:Service" }, { type: "azure-native_datamigration_v20180315preview:datamigration:Service" }, { type: "azure-native_datamigration_v20180331preview:datamigration:Service" }, { type: "azure-native_datamigration_v20180419:datamigration:Service" }, { type: "azure-native_datamigration_v20180715preview:datamigration:Service" }, { type: "azure-native_datamigration_v20210630:datamigration:Service" }, { type: "azure-native_datamigration_v20211030preview:datamigration:Service" }, { type: "azure-native_datamigration_v20220130preview:datamigration:Service" }, { type: "azure-native_datamigration_v20220330preview:datamigration:Service" }, { type: "azure-native_datamigration_v20230715preview:datamigration:Service" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Service.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datamigration/serviceTask.ts b/sdk/nodejs/datamigration/serviceTask.ts index 4c7d2ddf27ee..625c9f23ef8a 100644 --- a/sdk/nodejs/datamigration/serviceTask.ts +++ b/sdk/nodejs/datamigration/serviceTask.ts @@ -101,7 +101,7 @@ export class ServiceTask extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20180715preview:ServiceTask" }, { type: "azure-native:datamigration/v20210630:ServiceTask" }, { type: "azure-native:datamigration/v20211030preview:ServiceTask" }, { type: "azure-native:datamigration/v20220130preview:ServiceTask" }, { type: "azure-native:datamigration/v20220330preview:ServiceTask" }, { type: "azure-native:datamigration/v20230715preview:ServiceTask" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20210630:ServiceTask" }, { type: "azure-native:datamigration/v20220330preview:ServiceTask" }, { type: "azure-native:datamigration/v20230715preview:ServiceTask" }, { type: "azure-native_datamigration_v20180715preview:datamigration:ServiceTask" }, { type: "azure-native_datamigration_v20210630:datamigration:ServiceTask" }, { type: "azure-native_datamigration_v20211030preview:datamigration:ServiceTask" }, { type: "azure-native_datamigration_v20220130preview:datamigration:ServiceTask" }, { type: "azure-native_datamigration_v20220330preview:datamigration:ServiceTask" }, { type: "azure-native_datamigration_v20230715preview:datamigration:ServiceTask" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServiceTask.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datamigration/sqlMigrationService.ts b/sdk/nodejs/datamigration/sqlMigrationService.ts index 905398035863..e3e090d9c546 100644 --- a/sdk/nodejs/datamigration/sqlMigrationService.ts +++ b/sdk/nodejs/datamigration/sqlMigrationService.ts @@ -94,7 +94,7 @@ export class SqlMigrationService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20211030preview:SqlMigrationService" }, { type: "azure-native:datamigration/v20220130preview:SqlMigrationService" }, { type: "azure-native:datamigration/v20220330preview:SqlMigrationService" }, { type: "azure-native:datamigration/v20230715preview:SqlMigrationService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20220330preview:SqlMigrationService" }, { type: "azure-native:datamigration/v20230715preview:SqlMigrationService" }, { type: "azure-native_datamigration_v20211030preview:datamigration:SqlMigrationService" }, { type: "azure-native_datamigration_v20220130preview:datamigration:SqlMigrationService" }, { type: "azure-native_datamigration_v20220330preview:datamigration:SqlMigrationService" }, { type: "azure-native_datamigration_v20230715preview:datamigration:SqlMigrationService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlMigrationService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datamigration/task.ts b/sdk/nodejs/datamigration/task.ts index ba4754f26b2d..091c667191d3 100644 --- a/sdk/nodejs/datamigration/task.ts +++ b/sdk/nodejs/datamigration/task.ts @@ -105,7 +105,7 @@ export class Task extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20171115preview:Task" }, { type: "azure-native:datamigration/v20180315preview:Task" }, { type: "azure-native:datamigration/v20180331preview:Task" }, { type: "azure-native:datamigration/v20180419:Task" }, { type: "azure-native:datamigration/v20180715preview:Task" }, { type: "azure-native:datamigration/v20210630:Task" }, { type: "azure-native:datamigration/v20211030preview:Task" }, { type: "azure-native:datamigration/v20220130preview:Task" }, { type: "azure-native:datamigration/v20220330preview:Task" }, { type: "azure-native:datamigration/v20230715preview:Task" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datamigration/v20210630:Task" }, { type: "azure-native:datamigration/v20220330preview:Task" }, { type: "azure-native:datamigration/v20230715preview:Task" }, { type: "azure-native_datamigration_v20171115preview:datamigration:Task" }, { type: "azure-native_datamigration_v20180315preview:datamigration:Task" }, { type: "azure-native_datamigration_v20180331preview:datamigration:Task" }, { type: "azure-native_datamigration_v20180419:datamigration:Task" }, { type: "azure-native_datamigration_v20180715preview:datamigration:Task" }, { type: "azure-native_datamigration_v20210630:datamigration:Task" }, { type: "azure-native_datamigration_v20211030preview:datamigration:Task" }, { type: "azure-native_datamigration_v20220130preview:datamigration:Task" }, { type: "azure-native_datamigration_v20220330preview:datamigration:Task" }, { type: "azure-native_datamigration_v20230715preview:datamigration:Task" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Task.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dataprotection/backupInstance.ts b/sdk/nodejs/dataprotection/backupInstance.ts index ac30c17e6b55..de95e2b7b42b 100644 --- a/sdk/nodejs/dataprotection/backupInstance.ts +++ b/sdk/nodejs/dataprotection/backupInstance.ts @@ -101,7 +101,7 @@ export class BackupInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dataprotection/v20210101:BackupInstance" }, { type: "azure-native:dataprotection/v20210201preview:BackupInstance" }, { type: "azure-native:dataprotection/v20210601preview:BackupInstance" }, { type: "azure-native:dataprotection/v20210701:BackupInstance" }, { type: "azure-native:dataprotection/v20211001preview:BackupInstance" }, { type: "azure-native:dataprotection/v20211201preview:BackupInstance" }, { type: "azure-native:dataprotection/v20220101:BackupInstance" }, { type: "azure-native:dataprotection/v20220201preview:BackupInstance" }, { type: "azure-native:dataprotection/v20220301:BackupInstance" }, { type: "azure-native:dataprotection/v20220331preview:BackupInstance" }, { type: "azure-native:dataprotection/v20220401:BackupInstance" }, { type: "azure-native:dataprotection/v20220501:BackupInstance" }, { type: "azure-native:dataprotection/v20220901preview:BackupInstance" }, { type: "azure-native:dataprotection/v20221001preview:BackupInstance" }, { type: "azure-native:dataprotection/v20221101preview:BackupInstance" }, { type: "azure-native:dataprotection/v20221201:BackupInstance" }, { type: "azure-native:dataprotection/v20230101:BackupInstance" }, { type: "azure-native:dataprotection/v20230401preview:BackupInstance" }, { type: "azure-native:dataprotection/v20230501:BackupInstance" }, { type: "azure-native:dataprotection/v20230601preview:BackupInstance" }, { type: "azure-native:dataprotection/v20230801preview:BackupInstance" }, { type: "azure-native:dataprotection/v20231101:BackupInstance" }, { type: "azure-native:dataprotection/v20231201:BackupInstance" }, { type: "azure-native:dataprotection/v20240201preview:BackupInstance" }, { type: "azure-native:dataprotection/v20240301:BackupInstance" }, { type: "azure-native:dataprotection/v20240401:BackupInstance" }, { type: "azure-native:dataprotection/v20250101:BackupInstance" }, { type: "azure-native:dataprotection/v20250201:BackupInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dataprotection/v20230101:BackupInstance" }, { type: "azure-native:dataprotection/v20230401preview:BackupInstance" }, { type: "azure-native:dataprotection/v20230501:BackupInstance" }, { type: "azure-native:dataprotection/v20230601preview:BackupInstance" }, { type: "azure-native:dataprotection/v20230801preview:BackupInstance" }, { type: "azure-native:dataprotection/v20231101:BackupInstance" }, { type: "azure-native:dataprotection/v20231201:BackupInstance" }, { type: "azure-native:dataprotection/v20240201preview:BackupInstance" }, { type: "azure-native:dataprotection/v20240301:BackupInstance" }, { type: "azure-native:dataprotection/v20240401:BackupInstance" }, { type: "azure-native_dataprotection_v20210101:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20210201preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20210601preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20210701:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20211001preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20211201preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20220101:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20220201preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20220301:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20220331preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20220401:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20220501:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20220901preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20221001preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20221101preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20221201:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20230101:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20230401preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20230501:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20230601preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20230801preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20231101:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20231201:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20240201preview:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20240301:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20240401:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20250101:dataprotection:BackupInstance" }, { type: "azure-native_dataprotection_v20250201:dataprotection:BackupInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BackupInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dataprotection/backupPolicy.ts b/sdk/nodejs/dataprotection/backupPolicy.ts index d71066b5cf28..70057e16790a 100644 --- a/sdk/nodejs/dataprotection/backupPolicy.ts +++ b/sdk/nodejs/dataprotection/backupPolicy.ts @@ -95,7 +95,7 @@ export class BackupPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dataprotection/v20210101:BackupPolicy" }, { type: "azure-native:dataprotection/v20210201preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20210601preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20210701:BackupPolicy" }, { type: "azure-native:dataprotection/v20211001preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20211201preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20220101:BackupPolicy" }, { type: "azure-native:dataprotection/v20220201preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20220301:BackupPolicy" }, { type: "azure-native:dataprotection/v20220331preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20220401:BackupPolicy" }, { type: "azure-native:dataprotection/v20220501:BackupPolicy" }, { type: "azure-native:dataprotection/v20220901preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20221001preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20221101preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20221201:BackupPolicy" }, { type: "azure-native:dataprotection/v20230101:BackupPolicy" }, { type: "azure-native:dataprotection/v20230401preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20230501:BackupPolicy" }, { type: "azure-native:dataprotection/v20230601preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20230801preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20231101:BackupPolicy" }, { type: "azure-native:dataprotection/v20231201:BackupPolicy" }, { type: "azure-native:dataprotection/v20240201preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20240301:BackupPolicy" }, { type: "azure-native:dataprotection/v20240401:BackupPolicy" }, { type: "azure-native:dataprotection/v20250101:BackupPolicy" }, { type: "azure-native:dataprotection/v20250201:BackupPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dataprotection/v20230101:BackupPolicy" }, { type: "azure-native:dataprotection/v20230401preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20230501:BackupPolicy" }, { type: "azure-native:dataprotection/v20230601preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20230801preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20231101:BackupPolicy" }, { type: "azure-native:dataprotection/v20231201:BackupPolicy" }, { type: "azure-native:dataprotection/v20240201preview:BackupPolicy" }, { type: "azure-native:dataprotection/v20240301:BackupPolicy" }, { type: "azure-native:dataprotection/v20240401:BackupPolicy" }, { type: "azure-native_dataprotection_v20210101:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20210201preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20210601preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20210701:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20211001preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20211201preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20220101:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20220201preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20220301:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20220331preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20220401:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20220501:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20220901preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20221001preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20221101preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20221201:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20230101:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20230401preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20230501:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20230601preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20230801preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20231101:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20231201:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20240201preview:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20240301:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20240401:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20250101:dataprotection:BackupPolicy" }, { type: "azure-native_dataprotection_v20250201:dataprotection:BackupPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BackupPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dataprotection/backupVault.ts b/sdk/nodejs/dataprotection/backupVault.ts index 18e61dc462f9..0dc3c2404cb0 100644 --- a/sdk/nodejs/dataprotection/backupVault.ts +++ b/sdk/nodejs/dataprotection/backupVault.ts @@ -118,7 +118,7 @@ export class BackupVault extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dataprotection/v20210101:BackupVault" }, { type: "azure-native:dataprotection/v20210201preview:BackupVault" }, { type: "azure-native:dataprotection/v20210601preview:BackupVault" }, { type: "azure-native:dataprotection/v20210701:BackupVault" }, { type: "azure-native:dataprotection/v20211001preview:BackupVault" }, { type: "azure-native:dataprotection/v20211201preview:BackupVault" }, { type: "azure-native:dataprotection/v20220101:BackupVault" }, { type: "azure-native:dataprotection/v20220201preview:BackupVault" }, { type: "azure-native:dataprotection/v20220301:BackupVault" }, { type: "azure-native:dataprotection/v20220331preview:BackupVault" }, { type: "azure-native:dataprotection/v20220401:BackupVault" }, { type: "azure-native:dataprotection/v20220501:BackupVault" }, { type: "azure-native:dataprotection/v20220901preview:BackupVault" }, { type: "azure-native:dataprotection/v20221001preview:BackupVault" }, { type: "azure-native:dataprotection/v20221101preview:BackupVault" }, { type: "azure-native:dataprotection/v20221201:BackupVault" }, { type: "azure-native:dataprotection/v20230101:BackupVault" }, { type: "azure-native:dataprotection/v20230401preview:BackupVault" }, { type: "azure-native:dataprotection/v20230501:BackupVault" }, { type: "azure-native:dataprotection/v20230601preview:BackupVault" }, { type: "azure-native:dataprotection/v20230801preview:BackupVault" }, { type: "azure-native:dataprotection/v20231101:BackupVault" }, { type: "azure-native:dataprotection/v20231201:BackupVault" }, { type: "azure-native:dataprotection/v20240201preview:BackupVault" }, { type: "azure-native:dataprotection/v20240301:BackupVault" }, { type: "azure-native:dataprotection/v20240401:BackupVault" }, { type: "azure-native:dataprotection/v20250101:BackupVault" }, { type: "azure-native:dataprotection/v20250201:BackupVault" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dataprotection/v20230101:BackupVault" }, { type: "azure-native:dataprotection/v20230401preview:BackupVault" }, { type: "azure-native:dataprotection/v20230501:BackupVault" }, { type: "azure-native:dataprotection/v20230601preview:BackupVault" }, { type: "azure-native:dataprotection/v20230801preview:BackupVault" }, { type: "azure-native:dataprotection/v20231101:BackupVault" }, { type: "azure-native:dataprotection/v20231201:BackupVault" }, { type: "azure-native:dataprotection/v20240201preview:BackupVault" }, { type: "azure-native:dataprotection/v20240301:BackupVault" }, { type: "azure-native:dataprotection/v20240401:BackupVault" }, { type: "azure-native_dataprotection_v20210101:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20210201preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20210601preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20210701:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20211001preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20211201preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20220101:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20220201preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20220301:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20220331preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20220401:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20220501:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20220901preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20221001preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20221101preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20221201:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20230101:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20230401preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20230501:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20230601preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20230801preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20231101:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20231201:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20240201preview:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20240301:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20240401:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20250101:dataprotection:BackupVault" }, { type: "azure-native_dataprotection_v20250201:dataprotection:BackupVault" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BackupVault.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dataprotection/dppResourceGuardProxy.ts b/sdk/nodejs/dataprotection/dppResourceGuardProxy.ts index cfb9fa360033..8774e017ceaf 100644 --- a/sdk/nodejs/dataprotection/dppResourceGuardProxy.ts +++ b/sdk/nodejs/dataprotection/dppResourceGuardProxy.ts @@ -95,7 +95,7 @@ export class DppResourceGuardProxy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dataprotection/v20220901preview:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20221001preview:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20221101preview:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20230101:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20230401preview:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20230501:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20230601preview:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20230801preview:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20231101:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20231201:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20240201preview:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20240301:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20240401:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20250101:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20250201:DppResourceGuardProxy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dataprotection/v20230101:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20230401preview:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20230501:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20230601preview:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20230801preview:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20231101:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20231201:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20240201preview:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20240301:DppResourceGuardProxy" }, { type: "azure-native:dataprotection/v20240401:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20220901preview:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20221001preview:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20221101preview:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20230101:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20230401preview:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20230501:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20230601preview:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20230801preview:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20231101:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20231201:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20240201preview:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20240301:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20240401:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20250101:dataprotection:DppResourceGuardProxy" }, { type: "azure-native_dataprotection_v20250201:dataprotection:DppResourceGuardProxy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DppResourceGuardProxy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dataprotection/resourceGuard.ts b/sdk/nodejs/dataprotection/resourceGuard.ts index e443f84b7f84..21a1d4535dd5 100644 --- a/sdk/nodejs/dataprotection/resourceGuard.ts +++ b/sdk/nodejs/dataprotection/resourceGuard.ts @@ -107,7 +107,7 @@ export class ResourceGuard extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dataprotection/v20210701:ResourceGuard" }, { type: "azure-native:dataprotection/v20211001preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20211201preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20220101:ResourceGuard" }, { type: "azure-native:dataprotection/v20220201preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20220301:ResourceGuard" }, { type: "azure-native:dataprotection/v20220331preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20220401:ResourceGuard" }, { type: "azure-native:dataprotection/v20220501:ResourceGuard" }, { type: "azure-native:dataprotection/v20220901preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20221001preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20221101preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20221201:ResourceGuard" }, { type: "azure-native:dataprotection/v20230101:ResourceGuard" }, { type: "azure-native:dataprotection/v20230401preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20230501:ResourceGuard" }, { type: "azure-native:dataprotection/v20230601preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20230801preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20231101:ResourceGuard" }, { type: "azure-native:dataprotection/v20231201:ResourceGuard" }, { type: "azure-native:dataprotection/v20240201preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20240301:ResourceGuard" }, { type: "azure-native:dataprotection/v20240401:ResourceGuard" }, { type: "azure-native:dataprotection/v20250101:ResourceGuard" }, { type: "azure-native:dataprotection/v20250201:ResourceGuard" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dataprotection/v20221101preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20230101:ResourceGuard" }, { type: "azure-native:dataprotection/v20230401preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20230501:ResourceGuard" }, { type: "azure-native:dataprotection/v20230601preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20230801preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20231101:ResourceGuard" }, { type: "azure-native:dataprotection/v20231201:ResourceGuard" }, { type: "azure-native:dataprotection/v20240201preview:ResourceGuard" }, { type: "azure-native:dataprotection/v20240301:ResourceGuard" }, { type: "azure-native:dataprotection/v20240401:ResourceGuard" }, { type: "azure-native_dataprotection_v20210701:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20211001preview:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20211201preview:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20220101:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20220201preview:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20220301:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20220331preview:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20220401:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20220501:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20220901preview:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20221001preview:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20221101preview:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20221201:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20230101:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20230401preview:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20230501:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20230601preview:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20230801preview:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20231101:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20231201:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20240201preview:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20240301:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20240401:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20250101:dataprotection:ResourceGuard" }, { type: "azure-native_dataprotection_v20250201:dataprotection:ResourceGuard" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ResourceGuard.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datareplication/dra.ts b/sdk/nodejs/datareplication/dra.ts index 0b3bc985893b..8cd3c69af0cb 100644 --- a/sdk/nodejs/datareplication/dra.ts +++ b/sdk/nodejs/datareplication/dra.ts @@ -93,7 +93,7 @@ export class Dra extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:Dra" }, { type: "azure-native:datareplication/v20240901:Dra" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:Dra" }, { type: "azure-native_datareplication_v20210216preview:datareplication:Dra" }, { type: "azure-native_datareplication_v20240901:datareplication:Dra" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Dra.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datareplication/fabric.ts b/sdk/nodejs/datareplication/fabric.ts index 838d2d481591..82e4921351e4 100644 --- a/sdk/nodejs/datareplication/fabric.ts +++ b/sdk/nodejs/datareplication/fabric.ts @@ -103,7 +103,7 @@ export class Fabric extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:Fabric" }, { type: "azure-native:datareplication/v20240901:Fabric" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:Fabric" }, { type: "azure-native_datareplication_v20210216preview:datareplication:Fabric" }, { type: "azure-native_datareplication_v20240901:datareplication:Fabric" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Fabric.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datareplication/policy.ts b/sdk/nodejs/datareplication/policy.ts index 3b2d518811c5..e2bf40b800a7 100644 --- a/sdk/nodejs/datareplication/policy.ts +++ b/sdk/nodejs/datareplication/policy.ts @@ -95,7 +95,7 @@ export class Policy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:Policy" }, { type: "azure-native:datareplication/v20240901:Policy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:Policy" }, { type: "azure-native_datareplication_v20210216preview:datareplication:Policy" }, { type: "azure-native_datareplication_v20240901:datareplication:Policy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Policy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datareplication/protectedItem.ts b/sdk/nodejs/datareplication/protectedItem.ts index 869860f0bdf8..af3eb9f6a8b6 100644 --- a/sdk/nodejs/datareplication/protectedItem.ts +++ b/sdk/nodejs/datareplication/protectedItem.ts @@ -95,7 +95,7 @@ export class ProtectedItem extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:ProtectedItem" }, { type: "azure-native:datareplication/v20240901:ProtectedItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:ProtectedItem" }, { type: "azure-native_datareplication_v20210216preview:datareplication:ProtectedItem" }, { type: "azure-native_datareplication_v20240901:datareplication:ProtectedItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProtectedItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datareplication/replicationExtension.ts b/sdk/nodejs/datareplication/replicationExtension.ts index c311545b1143..76697fc7e06c 100644 --- a/sdk/nodejs/datareplication/replicationExtension.ts +++ b/sdk/nodejs/datareplication/replicationExtension.ts @@ -95,7 +95,7 @@ export class ReplicationExtension extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:ReplicationExtension" }, { type: "azure-native:datareplication/v20240901:ReplicationExtension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:ReplicationExtension" }, { type: "azure-native_datareplication_v20210216preview:datareplication:ReplicationExtension" }, { type: "azure-native_datareplication_v20240901:datareplication:ReplicationExtension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationExtension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datareplication/vault.ts b/sdk/nodejs/datareplication/vault.ts index 1033df000e0a..33ebaccf9cde 100644 --- a/sdk/nodejs/datareplication/vault.ts +++ b/sdk/nodejs/datareplication/vault.ts @@ -100,7 +100,7 @@ export class Vault extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:Vault" }, { type: "azure-native:datareplication/v20240901:Vault" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datareplication/v20210216preview:Vault" }, { type: "azure-native_datareplication_v20210216preview:datareplication:Vault" }, { type: "azure-native_datareplication_v20240901:datareplication:Vault" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Vault.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/account.ts b/sdk/nodejs/datashare/account.ts index 9e8687b42b77..84d850c25332 100644 --- a/sdk/nodejs/datashare/account.ts +++ b/sdk/nodejs/datashare/account.ts @@ -128,7 +128,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["userName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:Account" }, { type: "azure-native:datashare/v20191101:Account" }, { type: "azure-native:datashare/v20200901:Account" }, { type: "azure-native:datashare/v20201001preview:Account" }, { type: "azure-native:datashare/v20210801:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20210801:Account" }, { type: "azure-native_datashare_v20181101preview:datashare:Account" }, { type: "azure-native_datashare_v20191101:datashare:Account" }, { type: "azure-native_datashare_v20200901:datashare:Account" }, { type: "azure-native_datashare_v20201001preview:datashare:Account" }, { type: "azure-native_datashare_v20210801:datashare:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/adlsgen1FileDataSet.ts b/sdk/nodejs/datashare/adlsgen1FileDataSet.ts index 1c204aab442d..ac9a6acc8c08 100644 --- a/sdk/nodejs/datashare/adlsgen1FileDataSet.ts +++ b/sdk/nodejs/datashare/adlsgen1FileDataSet.ts @@ -148,7 +148,7 @@ export class ADLSGen1FileDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20191101:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20200901:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:ADLSGen1FileDataSet" }, { type: "azure-native_datashare_v20191101:datashare:ADLSGen1FileDataSet" }, { type: "azure-native_datashare_v20200901:datashare:ADLSGen1FileDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:ADLSGen1FileDataSet" }, { type: "azure-native_datashare_v20210801:datashare:ADLSGen1FileDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ADLSGen1FileDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/adlsgen1FolderDataSet.ts b/sdk/nodejs/datashare/adlsgen1FolderDataSet.ts index 934125655f6a..8d04161dd584 100644 --- a/sdk/nodejs/datashare/adlsgen1FolderDataSet.ts +++ b/sdk/nodejs/datashare/adlsgen1FolderDataSet.ts @@ -139,7 +139,7 @@ export class ADLSGen1FolderDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20191101:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20200901:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native_datashare_v20191101:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native_datashare_v20200901:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native_datashare_v20210801:datashare:ADLSGen1FolderDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ADLSGen1FolderDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/adlsgen2FileDataSet.ts b/sdk/nodejs/datashare/adlsgen2FileDataSet.ts index a982368e3d6c..f8da154688be 100644 --- a/sdk/nodejs/datashare/adlsgen2FileDataSet.ts +++ b/sdk/nodejs/datashare/adlsgen2FileDataSet.ts @@ -152,7 +152,7 @@ export class ADLSGen2FileDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20191101:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20200901:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:ADLSGen2FileDataSet" }, { type: "azure-native_datashare_v20191101:datashare:ADLSGen2FileDataSet" }, { type: "azure-native_datashare_v20200901:datashare:ADLSGen2FileDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:ADLSGen2FileDataSet" }, { type: "azure-native_datashare_v20210801:datashare:ADLSGen2FileDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ADLSGen2FileDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/adlsgen2FileDataSetMapping.ts b/sdk/nodejs/datashare/adlsgen2FileDataSetMapping.ts index e6fd37fc333a..a1b18decc1b1 100644 --- a/sdk/nodejs/datashare/adlsgen2FileDataSetMapping.ts +++ b/sdk/nodejs/datashare/adlsgen2FileDataSetMapping.ts @@ -173,7 +173,7 @@ export class ADLSGen2FileDataSetMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20191101:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20200901:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:ADLSGen2FileDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ADLSGen2FileDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/adlsgen2FileSystemDataSet.ts b/sdk/nodejs/datashare/adlsgen2FileSystemDataSet.ts index fc072dfb5aa0..560cae6f30d5 100644 --- a/sdk/nodejs/datashare/adlsgen2FileSystemDataSet.ts +++ b/sdk/nodejs/datashare/adlsgen2FileSystemDataSet.ts @@ -143,7 +143,7 @@ export class ADLSGen2FileSystemDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20191101:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20200901:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native_datashare_v20191101:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native_datashare_v20200901:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native_datashare_v20210801:datashare:ADLSGen2FileSystemDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ADLSGen2FileSystemDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/adlsgen2FileSystemDataSetMapping.ts b/sdk/nodejs/datashare/adlsgen2FileSystemDataSetMapping.ts index a0de637d769a..8a86d1289ce3 100644 --- a/sdk/nodejs/datashare/adlsgen2FileSystemDataSetMapping.ts +++ b/sdk/nodejs/datashare/adlsgen2FileSystemDataSetMapping.ts @@ -158,7 +158,7 @@ export class ADLSGen2FileSystemDataSetMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20191101:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20200901:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:ADLSGen2FileSystemDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ADLSGen2FileSystemDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/adlsgen2FolderDataSet.ts b/sdk/nodejs/datashare/adlsgen2FolderDataSet.ts index 543414de4ccc..966a3fecdcf0 100644 --- a/sdk/nodejs/datashare/adlsgen2FolderDataSet.ts +++ b/sdk/nodejs/datashare/adlsgen2FolderDataSet.ts @@ -152,7 +152,7 @@ export class ADLSGen2FolderDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20191101:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20200901:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native_datashare_v20191101:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native_datashare_v20200901:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native_datashare_v20210801:datashare:ADLSGen2FolderDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ADLSGen2FolderDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/adlsgen2FolderDataSetMapping.ts b/sdk/nodejs/datashare/adlsgen2FolderDataSetMapping.ts index a206b490dd8b..48770a03761a 100644 --- a/sdk/nodejs/datashare/adlsgen2FolderDataSetMapping.ts +++ b/sdk/nodejs/datashare/adlsgen2FolderDataSetMapping.ts @@ -167,7 +167,7 @@ export class ADLSGen2FolderDataSetMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20191101:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20200901:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:ADLSGen2FolderDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ADLSGen2FolderDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/blobContainerDataSet.ts b/sdk/nodejs/datashare/blobContainerDataSet.ts index 3d81f6dc9ff1..cc824e45f619 100644 --- a/sdk/nodejs/datashare/blobContainerDataSet.ts +++ b/sdk/nodejs/datashare/blobContainerDataSet.ts @@ -143,7 +143,7 @@ export class BlobContainerDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:BlobContainerDataSet" }, { type: "azure-native:datashare/v20191101:BlobContainerDataSet" }, { type: "azure-native:datashare/v20200901:BlobContainerDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobContainerDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:BlobContainerDataSet" }, { type: "azure-native_datashare_v20191101:datashare:BlobContainerDataSet" }, { type: "azure-native_datashare_v20200901:datashare:BlobContainerDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:BlobContainerDataSet" }, { type: "azure-native_datashare_v20210801:datashare:BlobContainerDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BlobContainerDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/blobContainerDataSetMapping.ts b/sdk/nodejs/datashare/blobContainerDataSetMapping.ts index 15680dcd5e6b..785b5b8e702f 100644 --- a/sdk/nodejs/datashare/blobContainerDataSetMapping.ts +++ b/sdk/nodejs/datashare/blobContainerDataSetMapping.ts @@ -158,7 +158,7 @@ export class BlobContainerDataSetMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20191101:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20200901:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:BlobContainerDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:BlobContainerDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:BlobContainerDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:BlobContainerDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:BlobContainerDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BlobContainerDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/blobDataSet.ts b/sdk/nodejs/datashare/blobDataSet.ts index 80a93900249b..8ce58aa3c22d 100644 --- a/sdk/nodejs/datashare/blobDataSet.ts +++ b/sdk/nodejs/datashare/blobDataSet.ts @@ -152,7 +152,7 @@ export class BlobDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:BlobDataSet" }, { type: "azure-native:datashare/v20191101:BlobDataSet" }, { type: "azure-native:datashare/v20200901:BlobDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:BlobDataSet" }, { type: "azure-native_datashare_v20191101:datashare:BlobDataSet" }, { type: "azure-native_datashare_v20200901:datashare:BlobDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:BlobDataSet" }, { type: "azure-native_datashare_v20210801:datashare:BlobDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BlobDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/blobDataSetMapping.ts b/sdk/nodejs/datashare/blobDataSetMapping.ts index da93060aca76..be14882c0d82 100644 --- a/sdk/nodejs/datashare/blobDataSetMapping.ts +++ b/sdk/nodejs/datashare/blobDataSetMapping.ts @@ -173,7 +173,7 @@ export class BlobDataSetMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:BlobDataSetMapping" }, { type: "azure-native:datashare/v20191101:BlobDataSetMapping" }, { type: "azure-native:datashare/v20200901:BlobDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:BlobDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:BlobDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:BlobDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:BlobDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:BlobDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BlobDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/blobFolderDataSet.ts b/sdk/nodejs/datashare/blobFolderDataSet.ts index 82a441ce887b..ac1c36ead11e 100644 --- a/sdk/nodejs/datashare/blobFolderDataSet.ts +++ b/sdk/nodejs/datashare/blobFolderDataSet.ts @@ -152,7 +152,7 @@ export class BlobFolderDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:BlobFolderDataSet" }, { type: "azure-native:datashare/v20191101:BlobFolderDataSet" }, { type: "azure-native:datashare/v20200901:BlobFolderDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobFolderDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:BlobFolderDataSet" }, { type: "azure-native_datashare_v20191101:datashare:BlobFolderDataSet" }, { type: "azure-native_datashare_v20200901:datashare:BlobFolderDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:BlobFolderDataSet" }, { type: "azure-native_datashare_v20210801:datashare:BlobFolderDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BlobFolderDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/blobFolderDataSetMapping.ts b/sdk/nodejs/datashare/blobFolderDataSetMapping.ts index 4e414dc9ee00..5196aab36c32 100644 --- a/sdk/nodejs/datashare/blobFolderDataSetMapping.ts +++ b/sdk/nodejs/datashare/blobFolderDataSetMapping.ts @@ -167,7 +167,7 @@ export class BlobFolderDataSetMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20191101:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20200901:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:BlobFolderDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:BlobFolderDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:BlobFolderDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:BlobFolderDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:BlobFolderDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BlobFolderDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/invitation.ts b/sdk/nodejs/datashare/invitation.ts index 3123243208e8..f1d0344248af 100644 --- a/sdk/nodejs/datashare/invitation.ts +++ b/sdk/nodejs/datashare/invitation.ts @@ -153,7 +153,7 @@ export class Invitation extends pulumi.CustomResource { resourceInputs["userName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:Invitation" }, { type: "azure-native:datashare/v20191101:Invitation" }, { type: "azure-native:datashare/v20200901:Invitation" }, { type: "azure-native:datashare/v20201001preview:Invitation" }, { type: "azure-native:datashare/v20210801:Invitation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20210801:Invitation" }, { type: "azure-native_datashare_v20181101preview:datashare:Invitation" }, { type: "azure-native_datashare_v20191101:datashare:Invitation" }, { type: "azure-native_datashare_v20200901:datashare:Invitation" }, { type: "azure-native_datashare_v20201001preview:datashare:Invitation" }, { type: "azure-native_datashare_v20210801:datashare:Invitation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Invitation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/kustoClusterDataSet.ts b/sdk/nodejs/datashare/kustoClusterDataSet.ts index 42c370044e1b..e0453cd8efe8 100644 --- a/sdk/nodejs/datashare/kustoClusterDataSet.ts +++ b/sdk/nodejs/datashare/kustoClusterDataSet.ts @@ -128,7 +128,7 @@ export class KustoClusterDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:KustoClusterDataSet" }, { type: "azure-native:datashare/v20191101:KustoClusterDataSet" }, { type: "azure-native:datashare/v20200901:KustoClusterDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:KustoClusterDataSet" }, { type: "azure-native_datashare_v20191101:datashare:KustoClusterDataSet" }, { type: "azure-native_datashare_v20200901:datashare:KustoClusterDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:KustoClusterDataSet" }, { type: "azure-native_datashare_v20210801:datashare:KustoClusterDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KustoClusterDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/kustoClusterDataSetMapping.ts b/sdk/nodejs/datashare/kustoClusterDataSetMapping.ts index fbe8e6281abc..24c79d9c08af 100644 --- a/sdk/nodejs/datashare/kustoClusterDataSetMapping.ts +++ b/sdk/nodejs/datashare/kustoClusterDataSetMapping.ts @@ -137,7 +137,7 @@ export class KustoClusterDataSetMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20191101:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20200901:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:KustoClusterDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:KustoClusterDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:KustoClusterDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:KustoClusterDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:KustoClusterDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KustoClusterDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/kustoDatabaseDataSet.ts b/sdk/nodejs/datashare/kustoDatabaseDataSet.ts index 035ac3f125d8..fbc3a9a8618e 100644 --- a/sdk/nodejs/datashare/kustoDatabaseDataSet.ts +++ b/sdk/nodejs/datashare/kustoDatabaseDataSet.ts @@ -128,7 +128,7 @@ export class KustoDatabaseDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20191101:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20200901:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:KustoDatabaseDataSet" }, { type: "azure-native_datashare_v20191101:datashare:KustoDatabaseDataSet" }, { type: "azure-native_datashare_v20200901:datashare:KustoDatabaseDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:KustoDatabaseDataSet" }, { type: "azure-native_datashare_v20210801:datashare:KustoDatabaseDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KustoDatabaseDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/kustoDatabaseDataSetMapping.ts b/sdk/nodejs/datashare/kustoDatabaseDataSetMapping.ts index 51a849cbf4cc..929e5b3d59f8 100644 --- a/sdk/nodejs/datashare/kustoDatabaseDataSetMapping.ts +++ b/sdk/nodejs/datashare/kustoDatabaseDataSetMapping.ts @@ -137,7 +137,7 @@ export class KustoDatabaseDataSetMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20191101:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20200901:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:KustoDatabaseDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KustoDatabaseDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/kustoTableDataSet.ts b/sdk/nodejs/datashare/kustoTableDataSet.ts index 380026bd668d..2a7bfc9e2ac0 100644 --- a/sdk/nodejs/datashare/kustoTableDataSet.ts +++ b/sdk/nodejs/datashare/kustoTableDataSet.ts @@ -137,7 +137,7 @@ export class KustoTableDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:KustoTableDataSet" }, { type: "azure-native:datashare/v20191101:KustoTableDataSet" }, { type: "azure-native:datashare/v20200901:KustoTableDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:KustoTableDataSet" }, { type: "azure-native_datashare_v20191101:datashare:KustoTableDataSet" }, { type: "azure-native_datashare_v20200901:datashare:KustoTableDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:KustoTableDataSet" }, { type: "azure-native_datashare_v20210801:datashare:KustoTableDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KustoTableDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/kustoTableDataSetMapping.ts b/sdk/nodejs/datashare/kustoTableDataSetMapping.ts index 5cf90eab5d0e..a8b78b41af0f 100644 --- a/sdk/nodejs/datashare/kustoTableDataSetMapping.ts +++ b/sdk/nodejs/datashare/kustoTableDataSetMapping.ts @@ -137,7 +137,7 @@ export class KustoTableDataSetMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20191101:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20200901:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:KustoTableDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:KustoTableDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:KustoTableDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:KustoTableDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:KustoTableDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KustoTableDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/scheduledSynchronizationSetting.ts b/sdk/nodejs/datashare/scheduledSynchronizationSetting.ts index 5a37e58bc3f9..530029d835a7 100644 --- a/sdk/nodejs/datashare/scheduledSynchronizationSetting.ts +++ b/sdk/nodejs/datashare/scheduledSynchronizationSetting.ts @@ -137,7 +137,7 @@ export class ScheduledSynchronizationSetting extends pulumi.CustomResource { resourceInputs["userName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:ScheduledSynchronizationSetting" }, { type: "azure-native:datashare/v20191101:ScheduledSynchronizationSetting" }, { type: "azure-native:datashare/v20200901:ScheduledSynchronizationSetting" }, { type: "azure-native:datashare/v20201001preview:ScheduledSynchronizationSetting" }, { type: "azure-native:datashare/v20210801:ScheduledSynchronizationSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20210801:ScheduledSynchronizationSetting" }, { type: "azure-native_datashare_v20181101preview:datashare:ScheduledSynchronizationSetting" }, { type: "azure-native_datashare_v20191101:datashare:ScheduledSynchronizationSetting" }, { type: "azure-native_datashare_v20200901:datashare:ScheduledSynchronizationSetting" }, { type: "azure-native_datashare_v20201001preview:datashare:ScheduledSynchronizationSetting" }, { type: "azure-native_datashare_v20210801:datashare:ScheduledSynchronizationSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScheduledSynchronizationSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/scheduledTrigger.ts b/sdk/nodejs/datashare/scheduledTrigger.ts index 1b739c2afc16..b1e2ca03dffe 100644 --- a/sdk/nodejs/datashare/scheduledTrigger.ts +++ b/sdk/nodejs/datashare/scheduledTrigger.ts @@ -149,7 +149,7 @@ export class ScheduledTrigger extends pulumi.CustomResource { resourceInputs["userName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:ScheduledTrigger" }, { type: "azure-native:datashare/v20191101:ScheduledTrigger" }, { type: "azure-native:datashare/v20200901:ScheduledTrigger" }, { type: "azure-native:datashare/v20201001preview:ScheduledTrigger" }, { type: "azure-native:datashare/v20210801:ScheduledTrigger" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20210801:ScheduledTrigger" }, { type: "azure-native_datashare_v20181101preview:datashare:ScheduledTrigger" }, { type: "azure-native_datashare_v20191101:datashare:ScheduledTrigger" }, { type: "azure-native_datashare_v20200901:datashare:ScheduledTrigger" }, { type: "azure-native_datashare_v20201001preview:datashare:ScheduledTrigger" }, { type: "azure-native_datashare_v20210801:datashare:ScheduledTrigger" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScheduledTrigger.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/share.ts b/sdk/nodejs/datashare/share.ts index 5399d9757173..af25156ed96f 100644 --- a/sdk/nodejs/datashare/share.ts +++ b/sdk/nodejs/datashare/share.ts @@ -129,7 +129,7 @@ export class Share extends pulumi.CustomResource { resourceInputs["userName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:Share" }, { type: "azure-native:datashare/v20191101:Share" }, { type: "azure-native:datashare/v20200901:Share" }, { type: "azure-native:datashare/v20201001preview:Share" }, { type: "azure-native:datashare/v20210801:Share" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20210801:Share" }, { type: "azure-native_datashare_v20181101preview:datashare:Share" }, { type: "azure-native_datashare_v20191101:datashare:Share" }, { type: "azure-native_datashare_v20200901:datashare:Share" }, { type: "azure-native_datashare_v20201001preview:datashare:Share" }, { type: "azure-native_datashare_v20210801:datashare:Share" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Share.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/shareSubscription.ts b/sdk/nodejs/datashare/shareSubscription.ts index 75cfbd32dfed..2d06f55578cf 100644 --- a/sdk/nodejs/datashare/shareSubscription.ts +++ b/sdk/nodejs/datashare/shareSubscription.ts @@ -183,7 +183,7 @@ export class ShareSubscription extends pulumi.CustomResource { resourceInputs["userName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:ShareSubscription" }, { type: "azure-native:datashare/v20191101:ShareSubscription" }, { type: "azure-native:datashare/v20200901:ShareSubscription" }, { type: "azure-native:datashare/v20201001preview:ShareSubscription" }, { type: "azure-native:datashare/v20210801:ShareSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20210801:ShareSubscription" }, { type: "azure-native_datashare_v20181101preview:datashare:ShareSubscription" }, { type: "azure-native_datashare_v20191101:datashare:ShareSubscription" }, { type: "azure-native_datashare_v20200901:datashare:ShareSubscription" }, { type: "azure-native_datashare_v20201001preview:datashare:ShareSubscription" }, { type: "azure-native_datashare_v20210801:datashare:ShareSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ShareSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/sqlDBTableDataSet.ts b/sdk/nodejs/datashare/sqlDBTableDataSet.ts index d472bf1f30cb..93ee89d4c5f3 100644 --- a/sdk/nodejs/datashare/sqlDBTableDataSet.ts +++ b/sdk/nodejs/datashare/sqlDBTableDataSet.ts @@ -143,7 +143,7 @@ export class SqlDBTableDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20191101:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20200901:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:SqlDBTableDataSet" }, { type: "azure-native_datashare_v20191101:datashare:SqlDBTableDataSet" }, { type: "azure-native_datashare_v20200901:datashare:SqlDBTableDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:SqlDBTableDataSet" }, { type: "azure-native_datashare_v20210801:datashare:SqlDBTableDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlDBTableDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/sqlDBTableDataSetMapping.ts b/sdk/nodejs/datashare/sqlDBTableDataSetMapping.ts index 361f9fe1801a..6d2823b3576f 100644 --- a/sdk/nodejs/datashare/sqlDBTableDataSetMapping.ts +++ b/sdk/nodejs/datashare/sqlDBTableDataSetMapping.ts @@ -158,7 +158,7 @@ export class SqlDBTableDataSetMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20191101:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20200901:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:SqlDBTableDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlDBTableDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/sqlDWTableDataSet.ts b/sdk/nodejs/datashare/sqlDWTableDataSet.ts index 98a6c3297c20..93c26d8faa69 100644 --- a/sdk/nodejs/datashare/sqlDWTableDataSet.ts +++ b/sdk/nodejs/datashare/sqlDWTableDataSet.ts @@ -143,7 +143,7 @@ export class SqlDWTableDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20191101:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20200901:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:SqlDWTableDataSet" }, { type: "azure-native_datashare_v20191101:datashare:SqlDWTableDataSet" }, { type: "azure-native_datashare_v20200901:datashare:SqlDWTableDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:SqlDWTableDataSet" }, { type: "azure-native_datashare_v20210801:datashare:SqlDWTableDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlDWTableDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/sqlDWTableDataSetMapping.ts b/sdk/nodejs/datashare/sqlDWTableDataSetMapping.ts index 0bb6430a5416..db2e7ab2ac01 100644 --- a/sdk/nodejs/datashare/sqlDWTableDataSetMapping.ts +++ b/sdk/nodejs/datashare/sqlDWTableDataSetMapping.ts @@ -158,7 +158,7 @@ export class SqlDWTableDataSetMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20191101:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20200901:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:SqlDWTableDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlDWTableDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/synapseWorkspaceSqlPoolTableDataSet.ts b/sdk/nodejs/datashare/synapseWorkspaceSqlPoolTableDataSet.ts index 59797aab6bfb..4ec9b767ca6b 100644 --- a/sdk/nodejs/datashare/synapseWorkspaceSqlPoolTableDataSet.ts +++ b/sdk/nodejs/datashare/synapseWorkspaceSqlPoolTableDataSet.ts @@ -116,7 +116,7 @@ export class SynapseWorkspaceSqlPoolTableDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare/v20191101:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare/v20200901:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSet" }, { type: "azure-native:datashare/v20210801:BlobDataSet" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSet" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSet" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSet" }, { type: "azure-native:datashare/v20210801:KustoTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSet" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSet" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native:datashare:ADLSGen1FileDataSet" }, { type: "azure-native:datashare:ADLSGen1FolderDataSet" }, { type: "azure-native:datashare:ADLSGen2FileDataSet" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSet" }, { type: "azure-native:datashare:ADLSGen2FolderDataSet" }, { type: "azure-native:datashare:BlobContainerDataSet" }, { type: "azure-native:datashare:BlobDataSet" }, { type: "azure-native:datashare:BlobFolderDataSet" }, { type: "azure-native:datashare:KustoClusterDataSet" }, { type: "azure-native:datashare:KustoDatabaseDataSet" }, { type: "azure-native:datashare:KustoTableDataSet" }, { type: "azure-native:datashare:SqlDBTableDataSet" }, { type: "azure-native:datashare:SqlDWTableDataSet" }, { type: "azure-native_datashare_v20181101preview:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20191101:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20200901:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20201001preview:datashare:SynapseWorkspaceSqlPoolTableDataSet" }, { type: "azure-native_datashare_v20210801:datashare:SynapseWorkspaceSqlPoolTableDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SynapseWorkspaceSqlPoolTableDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/datashare/synapseWorkspaceSqlPoolTableDataSetMapping.ts b/sdk/nodejs/datashare/synapseWorkspaceSqlPoolTableDataSetMapping.ts index 346e5549ffd2..780bd5bf90b6 100644 --- a/sdk/nodejs/datashare/synapseWorkspaceSqlPoolTableDataSetMapping.ts +++ b/sdk/nodejs/datashare/synapseWorkspaceSqlPoolTableDataSetMapping.ts @@ -131,7 +131,7 @@ export class SynapseWorkspaceSqlPoolTableDataSetMapping extends pulumi.CustomRes resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20181101preview:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare/v20191101:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare/v20200901:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobContainerDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobDataSetMapping" }, { type: "azure-native:datashare/v20210801:BlobFolderDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoClusterDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare/v20210801:KustoTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SqlDWTableDataSetMapping" }, { type: "azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FileSystemDataSetMapping" }, { type: "azure-native:datashare:ADLSGen2FolderDataSetMapping" }, { type: "azure-native:datashare:BlobContainerDataSetMapping" }, { type: "azure-native:datashare:BlobDataSetMapping" }, { type: "azure-native:datashare:BlobFolderDataSetMapping" }, { type: "azure-native:datashare:KustoClusterDataSetMapping" }, { type: "azure-native:datashare:KustoDatabaseDataSetMapping" }, { type: "azure-native:datashare:KustoTableDataSetMapping" }, { type: "azure-native:datashare:SqlDBTableDataSetMapping" }, { type: "azure-native:datashare:SqlDWTableDataSetMapping" }, { type: "azure-native_datashare_v20181101preview:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20191101:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20200901:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20201001preview:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }, { type: "azure-native_datashare_v20210801:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SynapseWorkspaceSqlPoolTableDataSetMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformariadb/configuration.ts b/sdk/nodejs/dbformariadb/configuration.ts index ecc7f2a3dc26..f16ee032df81 100644 --- a/sdk/nodejs/dbformariadb/configuration.ts +++ b/sdk/nodejs/dbformariadb/configuration.ts @@ -114,7 +114,7 @@ export class Configuration extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:Configuration" }, { type: "azure-native:dbformariadb/v20180601preview:Configuration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:Configuration" }, { type: "azure-native:dbformariadb/v20180601preview:Configuration" }, { type: "azure-native_dbformariadb_v20180601:dbformariadb:Configuration" }, { type: "azure-native_dbformariadb_v20180601preview:dbformariadb:Configuration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Configuration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformariadb/database.ts b/sdk/nodejs/dbformariadb/database.ts index 71ddd4f67aee..9a8ea99e4f71 100644 --- a/sdk/nodejs/dbformariadb/database.ts +++ b/sdk/nodejs/dbformariadb/database.ts @@ -90,7 +90,7 @@ export class Database extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:Database" }, { type: "azure-native:dbformariadb/v20180601preview:Database" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:Database" }, { type: "azure-native:dbformariadb/v20180601preview:Database" }, { type: "azure-native_dbformariadb_v20180601:dbformariadb:Database" }, { type: "azure-native_dbformariadb_v20180601preview:dbformariadb:Database" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Database.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformariadb/firewallRule.ts b/sdk/nodejs/dbformariadb/firewallRule.ts index 6b030faf919a..581cc5d594c0 100644 --- a/sdk/nodejs/dbformariadb/firewallRule.ts +++ b/sdk/nodejs/dbformariadb/firewallRule.ts @@ -96,7 +96,7 @@ export class FirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:FirewallRule" }, { type: "azure-native:dbformariadb/v20180601preview:FirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:FirewallRule" }, { type: "azure-native:dbformariadb/v20180601preview:FirewallRule" }, { type: "azure-native_dbformariadb_v20180601:dbformariadb:FirewallRule" }, { type: "azure-native_dbformariadb_v20180601preview:dbformariadb:FirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformariadb/privateEndpointConnection.ts b/sdk/nodejs/dbformariadb/privateEndpointConnection.ts index f9ecef7d3268..b454469e2226 100644 --- a/sdk/nodejs/dbformariadb/privateEndpointConnection.ts +++ b/sdk/nodejs/dbformariadb/privateEndpointConnection.ts @@ -99,7 +99,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:PrivateEndpointConnection" }, { type: "azure-native:dbformariadb/v20180601privatepreview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:PrivateEndpointConnection" }, { type: "azure-native:dbformariadb/v20180601privatepreview:PrivateEndpointConnection" }, { type: "azure-native_dbformariadb_v20180601:dbformariadb:PrivateEndpointConnection" }, { type: "azure-native_dbformariadb_v20180601privatepreview:dbformariadb:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformariadb/server.ts b/sdk/nodejs/dbformariadb/server.ts index e643237eeb10..29f8ab6fc016 100644 --- a/sdk/nodejs/dbformariadb/server.ts +++ b/sdk/nodejs/dbformariadb/server.ts @@ -177,7 +177,7 @@ export class Server extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:Server" }, { type: "azure-native:dbformariadb/v20180601preview:Server" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:Server" }, { type: "azure-native:dbformariadb/v20180601preview:Server" }, { type: "azure-native_dbformariadb_v20180601:dbformariadb:Server" }, { type: "azure-native_dbformariadb_v20180601preview:dbformariadb:Server" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Server.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformariadb/virtualNetworkRule.ts b/sdk/nodejs/dbformariadb/virtualNetworkRule.ts index 61f13733896b..d58d81817685 100644 --- a/sdk/nodejs/dbformariadb/virtualNetworkRule.ts +++ b/sdk/nodejs/dbformariadb/virtualNetworkRule.ts @@ -99,7 +99,7 @@ export class VirtualNetworkRule extends pulumi.CustomResource { resourceInputs["virtualNetworkSubnetId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:VirtualNetworkRule" }, { type: "azure-native:dbformariadb/v20180601preview:VirtualNetworkRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformariadb/v20180601:VirtualNetworkRule" }, { type: "azure-native:dbformariadb/v20180601preview:VirtualNetworkRule" }, { type: "azure-native_dbformariadb_v20180601:dbformariadb:VirtualNetworkRule" }, { type: "azure-native_dbformariadb_v20180601preview:dbformariadb:VirtualNetworkRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetworkRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/azureADAdministrator.ts b/sdk/nodejs/dbformysql/azureADAdministrator.ts index d0ef0d109f0e..dd6f24b5901e 100644 --- a/sdk/nodejs/dbformysql/azureADAdministrator.ts +++ b/sdk/nodejs/dbformysql/azureADAdministrator.ts @@ -119,7 +119,7 @@ export class AzureADAdministrator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20211201preview:AzureADAdministrator" }, { type: "azure-native:dbformysql/v20220101:AzureADAdministrator" }, { type: "azure-native:dbformysql/v20230601preview:AzureADAdministrator" }, { type: "azure-native:dbformysql/v20230630:AzureADAdministrator" }, { type: "azure-native:dbformysql/v20231230:AzureADAdministrator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20220101:AzureADAdministrator" }, { type: "azure-native:dbformysql/v20230601preview:AzureADAdministrator" }, { type: "azure-native:dbformysql/v20230630:AzureADAdministrator" }, { type: "azure-native:dbformysql/v20231230:AzureADAdministrator" }, { type: "azure-native_dbformysql_v20211201preview:dbformysql:AzureADAdministrator" }, { type: "azure-native_dbformysql_v20220101:dbformysql:AzureADAdministrator" }, { type: "azure-native_dbformysql_v20230601preview:dbformysql:AzureADAdministrator" }, { type: "azure-native_dbformysql_v20230630:dbformysql:AzureADAdministrator" }, { type: "azure-native_dbformysql_v20231230:dbformysql:AzureADAdministrator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzureADAdministrator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/configuration.ts b/sdk/nodejs/dbformysql/configuration.ts index 81f41fe4a864..ca95d7e3577e 100644 --- a/sdk/nodejs/dbformysql/configuration.ts +++ b/sdk/nodejs/dbformysql/configuration.ts @@ -155,7 +155,7 @@ export class Configuration extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:Configuration" }, { type: "azure-native:dbformysql/v20200701preview:Configuration" }, { type: "azure-native:dbformysql/v20200701privatepreview:Configuration" }, { type: "azure-native:dbformysql/v20210501:Configuration" }, { type: "azure-native:dbformysql/v20210501preview:Configuration" }, { type: "azure-native:dbformysql/v20211201preview:Configuration" }, { type: "azure-native:dbformysql/v20220101:Configuration" }, { type: "azure-native:dbformysql/v20230601preview:Configuration" }, { type: "azure-native:dbformysql/v20230630:Configuration" }, { type: "azure-native:dbformysql/v20231230:Configuration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20200701privatepreview:Configuration" }, { type: "azure-native:dbformysql/v20220101:Configuration" }, { type: "azure-native:dbformysql/v20230601preview:Configuration" }, { type: "azure-native:dbformysql/v20230630:Configuration" }, { type: "azure-native:dbformysql/v20231230:Configuration" }, { type: "azure-native_dbformysql_v20200701preview:dbformysql:Configuration" }, { type: "azure-native_dbformysql_v20200701privatepreview:dbformysql:Configuration" }, { type: "azure-native_dbformysql_v20210501:dbformysql:Configuration" }, { type: "azure-native_dbformysql_v20210501preview:dbformysql:Configuration" }, { type: "azure-native_dbformysql_v20211201preview:dbformysql:Configuration" }, { type: "azure-native_dbformysql_v20220101:dbformysql:Configuration" }, { type: "azure-native_dbformysql_v20230601preview:dbformysql:Configuration" }, { type: "azure-native_dbformysql_v20230630:dbformysql:Configuration" }, { type: "azure-native_dbformysql_v20231230:dbformysql:Configuration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Configuration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/database.ts b/sdk/nodejs/dbformysql/database.ts index 6bd3946e862b..8c02cb783a01 100644 --- a/sdk/nodejs/dbformysql/database.ts +++ b/sdk/nodejs/dbformysql/database.ts @@ -101,7 +101,7 @@ export class Database extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:Database" }, { type: "azure-native:dbformysql/v20200701preview:Database" }, { type: "azure-native:dbformysql/v20200701privatepreview:Database" }, { type: "azure-native:dbformysql/v20210501:Database" }, { type: "azure-native:dbformysql/v20210501preview:Database" }, { type: "azure-native:dbformysql/v20211201preview:Database" }, { type: "azure-native:dbformysql/v20220101:Database" }, { type: "azure-native:dbformysql/v20230601preview:Database" }, { type: "azure-native:dbformysql/v20230630:Database" }, { type: "azure-native:dbformysql/v20231230:Database" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20220101:Database" }, { type: "azure-native:dbformysql/v20230601preview:Database" }, { type: "azure-native:dbformysql/v20230630:Database" }, { type: "azure-native:dbformysql/v20231230:Database" }, { type: "azure-native_dbformysql_v20200701preview:dbformysql:Database" }, { type: "azure-native_dbformysql_v20200701privatepreview:dbformysql:Database" }, { type: "azure-native_dbformysql_v20210501:dbformysql:Database" }, { type: "azure-native_dbformysql_v20210501preview:dbformysql:Database" }, { type: "azure-native_dbformysql_v20211201preview:dbformysql:Database" }, { type: "azure-native_dbformysql_v20220101:dbformysql:Database" }, { type: "azure-native_dbformysql_v20230601preview:dbformysql:Database" }, { type: "azure-native_dbformysql_v20230630:dbformysql:Database" }, { type: "azure-native_dbformysql_v20231230:dbformysql:Database" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Database.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/firewallRule.ts b/sdk/nodejs/dbformysql/firewallRule.ts index af356baacd33..e40a67468f7e 100644 --- a/sdk/nodejs/dbformysql/firewallRule.ts +++ b/sdk/nodejs/dbformysql/firewallRule.ts @@ -107,7 +107,7 @@ export class FirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:FirewallRule" }, { type: "azure-native:dbformysql/v20200701preview:FirewallRule" }, { type: "azure-native:dbformysql/v20200701privatepreview:FirewallRule" }, { type: "azure-native:dbformysql/v20210501:FirewallRule" }, { type: "azure-native:dbformysql/v20210501preview:FirewallRule" }, { type: "azure-native:dbformysql/v20211201preview:FirewallRule" }, { type: "azure-native:dbformysql/v20220101:FirewallRule" }, { type: "azure-native:dbformysql/v20230601preview:FirewallRule" }, { type: "azure-native:dbformysql/v20230630:FirewallRule" }, { type: "azure-native:dbformysql/v20231230:FirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20220101:FirewallRule" }, { type: "azure-native:dbformysql/v20230601preview:FirewallRule" }, { type: "azure-native:dbformysql/v20230630:FirewallRule" }, { type: "azure-native:dbformysql/v20231230:FirewallRule" }, { type: "azure-native_dbformysql_v20200701preview:dbformysql:FirewallRule" }, { type: "azure-native_dbformysql_v20200701privatepreview:dbformysql:FirewallRule" }, { type: "azure-native_dbformysql_v20210501:dbformysql:FirewallRule" }, { type: "azure-native_dbformysql_v20210501preview:dbformysql:FirewallRule" }, { type: "azure-native_dbformysql_v20211201preview:dbformysql:FirewallRule" }, { type: "azure-native_dbformysql_v20220101:dbformysql:FirewallRule" }, { type: "azure-native_dbformysql_v20230601preview:dbformysql:FirewallRule" }, { type: "azure-native_dbformysql_v20230630:dbformysql:FirewallRule" }, { type: "azure-native_dbformysql_v20231230:dbformysql:FirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/privateEndpointConnection.ts b/sdk/nodejs/dbformysql/privateEndpointConnection.ts index 214fd8d7bb70..0311ce1f5184 100644 --- a/sdk/nodejs/dbformysql/privateEndpointConnection.ts +++ b/sdk/nodejs/dbformysql/privateEndpointConnection.ts @@ -116,7 +116,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20180601privatepreview:PrivateEndpointConnection" }, { type: "azure-native:dbformysql/v20220930preview:PrivateEndpointConnection" }, { type: "azure-native:dbformysql/v20230630:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20220930preview:PrivateEndpointConnection" }, { type: "azure-native:dbformysql/v20230630:PrivateEndpointConnection" }, { type: "azure-native_dbformysql_v20220930preview:dbformysql:PrivateEndpointConnection" }, { type: "azure-native_dbformysql_v20230630:dbformysql:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/server.ts b/sdk/nodejs/dbformysql/server.ts index b9f00c7fe1c1..a779cdbd7e3b 100644 --- a/sdk/nodejs/dbformysql/server.ts +++ b/sdk/nodejs/dbformysql/server.ts @@ -208,7 +208,7 @@ export class Server extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:Server" }, { type: "azure-native:dbformysql/v20180601privatepreview:Server" }, { type: "azure-native:dbformysql/v20200701preview:Server" }, { type: "azure-native:dbformysql/v20200701privatepreview:Server" }, { type: "azure-native:dbformysql/v20210501:Server" }, { type: "azure-native:dbformysql/v20210501preview:Server" }, { type: "azure-native:dbformysql/v20211201preview:Server" }, { type: "azure-native:dbformysql/v20220101:Server" }, { type: "azure-native:dbformysql/v20220930preview:Server" }, { type: "azure-native:dbformysql/v20230601preview:Server" }, { type: "azure-native:dbformysql/v20230630:Server" }, { type: "azure-native:dbformysql/v20231001preview:Server" }, { type: "azure-native:dbformysql/v20231201preview:Server" }, { type: "azure-native:dbformysql/v20231230:Server" }, { type: "azure-native:dbformysql/v20240201preview:Server" }, { type: "azure-native:dbformysql/v20240601preview:Server" }, { type: "azure-native:dbformysql/v20241001preview:Server" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20200701preview:Server" }, { type: "azure-native:dbformysql/v20200701privatepreview:Server" }, { type: "azure-native:dbformysql/v20220101:Server" }, { type: "azure-native:dbformysql/v20220930preview:Server" }, { type: "azure-native:dbformysql/v20230601preview:Server" }, { type: "azure-native:dbformysql/v20230630:Server" }, { type: "azure-native:dbformysql/v20231001preview:Server" }, { type: "azure-native:dbformysql/v20231201preview:Server" }, { type: "azure-native:dbformysql/v20231230:Server" }, { type: "azure-native:dbformysql/v20240201preview:Server" }, { type: "azure-native:dbformysql/v20240601preview:Server" }, { type: "azure-native:dbformysql/v20241001preview:Server" }, { type: "azure-native_dbformysql_v20200701preview:dbformysql:Server" }, { type: "azure-native_dbformysql_v20200701privatepreview:dbformysql:Server" }, { type: "azure-native_dbformysql_v20210501:dbformysql:Server" }, { type: "azure-native_dbformysql_v20210501preview:dbformysql:Server" }, { type: "azure-native_dbformysql_v20211201preview:dbformysql:Server" }, { type: "azure-native_dbformysql_v20220101:dbformysql:Server" }, { type: "azure-native_dbformysql_v20220930preview:dbformysql:Server" }, { type: "azure-native_dbformysql_v20230601preview:dbformysql:Server" }, { type: "azure-native_dbformysql_v20230630:dbformysql:Server" }, { type: "azure-native_dbformysql_v20231001preview:dbformysql:Server" }, { type: "azure-native_dbformysql_v20231201preview:dbformysql:Server" }, { type: "azure-native_dbformysql_v20231230:dbformysql:Server" }, { type: "azure-native_dbformysql_v20240201preview:dbformysql:Server" }, { type: "azure-native_dbformysql_v20240601preview:dbformysql:Server" }, { type: "azure-native_dbformysql_v20241001preview:dbformysql:Server" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Server.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/singleServer.ts b/sdk/nodejs/dbformysql/singleServer.ts index a9764aacdabe..b5ba675ef434 100644 --- a/sdk/nodejs/dbformysql/singleServer.ts +++ b/sdk/nodejs/dbformysql/singleServer.ts @@ -195,7 +195,7 @@ export class SingleServer extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:Server" }, { type: "azure-native:dbformysql/v20171201:SingleServer" }, { type: "azure-native:dbformysql/v20171201preview:SingleServer" }, { type: "azure-native:dbformysql/v20180601privatepreview:Server" }, { type: "azure-native:dbformysql/v20180601privatepreview:SingleServer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:Server" }, { type: "azure-native:dbformysql/v20180601privatepreview:Server" }, { type: "azure-native_dbformysql_v20171201:dbformysql:SingleServer" }, { type: "azure-native_dbformysql_v20171201preview:dbformysql:SingleServer" }, { type: "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/singleServerConfiguration.ts b/sdk/nodejs/dbformysql/singleServerConfiguration.ts index 0aa00fb13267..e26d796c384e 100644 --- a/sdk/nodejs/dbformysql/singleServerConfiguration.ts +++ b/sdk/nodejs/dbformysql/singleServerConfiguration.ts @@ -114,7 +114,7 @@ export class SingleServerConfiguration extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:Configuration" }, { type: "azure-native:dbformysql/v20171201:SingleServerConfiguration" }, { type: "azure-native:dbformysql/v20171201preview:SingleServerConfiguration" }, { type: "azure-native:dbformysql/v20180601privatepreview:SingleServerConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:Configuration" }, { type: "azure-native_dbformysql_v20171201:dbformysql:SingleServerConfiguration" }, { type: "azure-native_dbformysql_v20171201preview:dbformysql:SingleServerConfiguration" }, { type: "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServerConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/singleServerDatabase.ts b/sdk/nodejs/dbformysql/singleServerDatabase.ts index 21efc7a335a8..fe758c9f8c03 100644 --- a/sdk/nodejs/dbformysql/singleServerDatabase.ts +++ b/sdk/nodejs/dbformysql/singleServerDatabase.ts @@ -90,7 +90,7 @@ export class SingleServerDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:Database" }, { type: "azure-native:dbformysql/v20171201:SingleServerDatabase" }, { type: "azure-native:dbformysql/v20171201preview:SingleServerDatabase" }, { type: "azure-native:dbformysql/v20180601privatepreview:SingleServerDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:Database" }, { type: "azure-native_dbformysql_v20171201:dbformysql:SingleServerDatabase" }, { type: "azure-native_dbformysql_v20171201preview:dbformysql:SingleServerDatabase" }, { type: "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServerDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/singleServerFirewallRule.ts b/sdk/nodejs/dbformysql/singleServerFirewallRule.ts index e76c6fe0bb63..51a9e36f684d 100644 --- a/sdk/nodejs/dbformysql/singleServerFirewallRule.ts +++ b/sdk/nodejs/dbformysql/singleServerFirewallRule.ts @@ -96,7 +96,7 @@ export class SingleServerFirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:FirewallRule" }, { type: "azure-native:dbformysql/v20171201:SingleServerFirewallRule" }, { type: "azure-native:dbformysql/v20171201preview:SingleServerFirewallRule" }, { type: "azure-native:dbformysql/v20180601privatepreview:SingleServerFirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:FirewallRule" }, { type: "azure-native_dbformysql_v20171201:dbformysql:SingleServerFirewallRule" }, { type: "azure-native_dbformysql_v20171201preview:dbformysql:SingleServerFirewallRule" }, { type: "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerFirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServerFirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/singleServerServerAdministrator.ts b/sdk/nodejs/dbformysql/singleServerServerAdministrator.ts index 13745cae74da..4764ebf96da5 100644 --- a/sdk/nodejs/dbformysql/singleServerServerAdministrator.ts +++ b/sdk/nodejs/dbformysql/singleServerServerAdministrator.ts @@ -116,7 +116,7 @@ export class SingleServerServerAdministrator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:ServerAdministrator" }, { type: "azure-native:dbformysql/v20171201:SingleServerServerAdministrator" }, { type: "azure-native:dbformysql/v20171201preview:SingleServerServerAdministrator" }, { type: "azure-native:dbformysql/v20180601privatepreview:ServerAdministrator" }, { type: "azure-native:dbformysql/v20180601privatepreview:SingleServerServerAdministrator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:ServerAdministrator" }, { type: "azure-native:dbformysql/v20180601privatepreview:ServerAdministrator" }, { type: "azure-native_dbformysql_v20171201:dbformysql:SingleServerServerAdministrator" }, { type: "azure-native_dbformysql_v20171201preview:dbformysql:SingleServerServerAdministrator" }, { type: "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerServerAdministrator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServerServerAdministrator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbformysql/singleServerVirtualNetworkRule.ts b/sdk/nodejs/dbformysql/singleServerVirtualNetworkRule.ts index 316d2fda000a..397aa692c34d 100644 --- a/sdk/nodejs/dbformysql/singleServerVirtualNetworkRule.ts +++ b/sdk/nodejs/dbformysql/singleServerVirtualNetworkRule.ts @@ -99,7 +99,7 @@ export class SingleServerVirtualNetworkRule extends pulumi.CustomResource { resourceInputs["virtualNetworkSubnetId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:SingleServerVirtualNetworkRule" }, { type: "azure-native:dbformysql/v20171201:VirtualNetworkRule" }, { type: "azure-native:dbformysql/v20171201preview:SingleServerVirtualNetworkRule" }, { type: "azure-native:dbformysql/v20180601privatepreview:SingleServerVirtualNetworkRule" }, { type: "azure-native:dbformysql/v20180601privatepreview:VirtualNetworkRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbformysql/v20171201:VirtualNetworkRule" }, { type: "azure-native:dbformysql/v20180601privatepreview:VirtualNetworkRule" }, { type: "azure-native_dbformysql_v20171201:dbformysql:SingleServerVirtualNetworkRule" }, { type: "azure-native_dbformysql_v20171201preview:dbformysql:SingleServerVirtualNetworkRule" }, { type: "azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerVirtualNetworkRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServerVirtualNetworkRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/administrator.ts b/sdk/nodejs/dbforpostgresql/administrator.ts index 0e2ae7ac1952..7c2b96648d6c 100644 --- a/sdk/nodejs/dbforpostgresql/administrator.ts +++ b/sdk/nodejs/dbforpostgresql/administrator.ts @@ -112,7 +112,7 @@ export class Administrator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20220308preview:Administrator" }, { type: "azure-native:dbforpostgresql/v20221201:Administrator" }, { type: "azure-native:dbforpostgresql/v20230301preview:Administrator" }, { type: "azure-native:dbforpostgresql/v20230601preview:Administrator" }, { type: "azure-native:dbforpostgresql/v20231201preview:Administrator" }, { type: "azure-native:dbforpostgresql/v20240301preview:Administrator" }, { type: "azure-native:dbforpostgresql/v20240801:Administrator" }, { type: "azure-native:dbforpostgresql/v20241101preview:Administrator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20221201:Administrator" }, { type: "azure-native:dbforpostgresql/v20230301preview:Administrator" }, { type: "azure-native:dbforpostgresql/v20230601preview:Administrator" }, { type: "azure-native:dbforpostgresql/v20231201preview:Administrator" }, { type: "azure-native:dbforpostgresql/v20240301preview:Administrator" }, { type: "azure-native:dbforpostgresql/v20240801:Administrator" }, { type: "azure-native:dbforpostgresql/v20241101preview:Administrator" }, { type: "azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Administrator" }, { type: "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Administrator" }, { type: "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Administrator" }, { type: "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Administrator" }, { type: "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Administrator" }, { type: "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Administrator" }, { type: "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Administrator" }, { type: "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Administrator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Administrator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/backup.ts b/sdk/nodejs/dbforpostgresql/backup.ts index ce57d042f32e..3d8398f5afae 100644 --- a/sdk/nodejs/dbforpostgresql/backup.ts +++ b/sdk/nodejs/dbforpostgresql/backup.ts @@ -107,7 +107,7 @@ export class Backup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20240301preview:Backup" }, { type: "azure-native:dbforpostgresql/v20240801:Backup" }, { type: "azure-native:dbforpostgresql/v20241101preview:Backup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20240301preview:Backup" }, { type: "azure-native:dbforpostgresql/v20240801:Backup" }, { type: "azure-native:dbforpostgresql/v20241101preview:Backup" }, { type: "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Backup" }, { type: "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Backup" }, { type: "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Backup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Backup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/configuration.ts b/sdk/nodejs/dbforpostgresql/configuration.ts index bc0f0d381a68..d291d01cf979 100644 --- a/sdk/nodejs/dbforpostgresql/configuration.ts +++ b/sdk/nodejs/dbforpostgresql/configuration.ts @@ -155,7 +155,7 @@ export class Configuration extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:Configuration" }, { type: "azure-native:dbforpostgresql/v20210601:Configuration" }, { type: "azure-native:dbforpostgresql/v20210601preview:Configuration" }, { type: "azure-native:dbforpostgresql/v20210615privatepreview:Configuration" }, { type: "azure-native:dbforpostgresql/v20220120preview:Configuration" }, { type: "azure-native:dbforpostgresql/v20220308preview:Configuration" }, { type: "azure-native:dbforpostgresql/v20221201:Configuration" }, { type: "azure-native:dbforpostgresql/v20230301preview:Configuration" }, { type: "azure-native:dbforpostgresql/v20230601preview:Configuration" }, { type: "azure-native:dbforpostgresql/v20231201preview:Configuration" }, { type: "azure-native:dbforpostgresql/v20240301preview:Configuration" }, { type: "azure-native:dbforpostgresql/v20240801:Configuration" }, { type: "azure-native:dbforpostgresql/v20241101preview:Configuration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20221201:Configuration" }, { type: "azure-native:dbforpostgresql/v20230301preview:Configuration" }, { type: "azure-native:dbforpostgresql/v20230601preview:Configuration" }, { type: "azure-native:dbforpostgresql/v20231201preview:Configuration" }, { type: "azure-native:dbforpostgresql/v20240301preview:Configuration" }, { type: "azure-native:dbforpostgresql/v20240801:Configuration" }, { type: "azure-native:dbforpostgresql/v20241101preview:Configuration" }, { type: "azure-native_dbforpostgresql_v20210601:dbforpostgresql:Configuration" }, { type: "azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:Configuration" }, { type: "azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:Configuration" }, { type: "azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:Configuration" }, { type: "azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Configuration" }, { type: "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Configuration" }, { type: "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Configuration" }, { type: "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Configuration" }, { type: "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Configuration" }, { type: "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Configuration" }, { type: "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Configuration" }, { type: "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Configuration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Configuration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/database.ts b/sdk/nodejs/dbforpostgresql/database.ts index 89031f55249e..b9d332f13cf0 100644 --- a/sdk/nodejs/dbforpostgresql/database.ts +++ b/sdk/nodejs/dbforpostgresql/database.ts @@ -101,7 +101,7 @@ export class Database extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:Database" }, { type: "azure-native:dbforpostgresql/v20201105preview:Database" }, { type: "azure-native:dbforpostgresql/v20210601:Database" }, { type: "azure-native:dbforpostgresql/v20210601preview:Database" }, { type: "azure-native:dbforpostgresql/v20220120preview:Database" }, { type: "azure-native:dbforpostgresql/v20220308preview:Database" }, { type: "azure-native:dbforpostgresql/v20221201:Database" }, { type: "azure-native:dbforpostgresql/v20230301preview:Database" }, { type: "azure-native:dbforpostgresql/v20230601preview:Database" }, { type: "azure-native:dbforpostgresql/v20231201preview:Database" }, { type: "azure-native:dbforpostgresql/v20240301preview:Database" }, { type: "azure-native:dbforpostgresql/v20240801:Database" }, { type: "azure-native:dbforpostgresql/v20241101preview:Database" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20221201:Database" }, { type: "azure-native:dbforpostgresql/v20230301preview:Database" }, { type: "azure-native:dbforpostgresql/v20230601preview:Database" }, { type: "azure-native:dbforpostgresql/v20231201preview:Database" }, { type: "azure-native:dbforpostgresql/v20240301preview:Database" }, { type: "azure-native:dbforpostgresql/v20240801:Database" }, { type: "azure-native:dbforpostgresql/v20241101preview:Database" }, { type: "azure-native_dbforpostgresql_v20201105preview:dbforpostgresql:Database" }, { type: "azure-native_dbforpostgresql_v20210601:dbforpostgresql:Database" }, { type: "azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:Database" }, { type: "azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:Database" }, { type: "azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Database" }, { type: "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Database" }, { type: "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Database" }, { type: "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Database" }, { type: "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Database" }, { type: "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Database" }, { type: "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Database" }, { type: "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Database" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Database.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/firewallRule.ts b/sdk/nodejs/dbforpostgresql/firewallRule.ts index be6b9419b271..5190aa4dcd96 100644 --- a/sdk/nodejs/dbforpostgresql/firewallRule.ts +++ b/sdk/nodejs/dbforpostgresql/firewallRule.ts @@ -107,7 +107,7 @@ export class FirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20200214preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20200214privatepreview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20201005privatepreview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20210410privatepreview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20210601:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20210601preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20210615privatepreview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20220120preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20220308preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20221108:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20221201:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20230301preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20230302preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20230601preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20231201preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20240301preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20240801:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20241101preview:FirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20221201:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20230301preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20230601preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20231201preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20240301preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20240801:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20241101preview:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20200214preview:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20200214privatepreview:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20210410privatepreview:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20210601:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20221201:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20240801:dbforpostgresql:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:FirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/migration.ts b/sdk/nodejs/dbforpostgresql/migration.ts index abb4a5847c96..c7d897d698b7 100644 --- a/sdk/nodejs/dbforpostgresql/migration.ts +++ b/sdk/nodejs/dbforpostgresql/migration.ts @@ -247,7 +247,7 @@ export class Migration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20210615privatepreview:Migration" }, { type: "azure-native:dbforpostgresql/v20220501preview:Migration" }, { type: "azure-native:dbforpostgresql/v20230301preview:Migration" }, { type: "azure-native:dbforpostgresql/v20230601preview:Migration" }, { type: "azure-native:dbforpostgresql/v20231201preview:Migration" }, { type: "azure-native:dbforpostgresql/v20240301preview:Migration" }, { type: "azure-native:dbforpostgresql/v20240801:Migration" }, { type: "azure-native:dbforpostgresql/v20241101preview:Migration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20210615privatepreview:Migration" }, { type: "azure-native:dbforpostgresql/v20220501preview:Migration" }, { type: "azure-native:dbforpostgresql/v20230301preview:Migration" }, { type: "azure-native:dbforpostgresql/v20230601preview:Migration" }, { type: "azure-native:dbforpostgresql/v20231201preview:Migration" }, { type: "azure-native:dbforpostgresql/v20240301preview:Migration" }, { type: "azure-native:dbforpostgresql/v20240801:Migration" }, { type: "azure-native:dbforpostgresql/v20241101preview:Migration" }, { type: "azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:Migration" }, { type: "azure-native_dbforpostgresql_v20220501preview:dbforpostgresql:Migration" }, { type: "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Migration" }, { type: "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Migration" }, { type: "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Migration" }, { type: "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Migration" }, { type: "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Migration" }, { type: "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Migration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Migration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/privateEndpointConnection.ts b/sdk/nodejs/dbforpostgresql/privateEndpointConnection.ts index ea6b7f2ca67c..27f478c2afe3 100644 --- a/sdk/nodejs/dbforpostgresql/privateEndpointConnection.ts +++ b/sdk/nodejs/dbforpostgresql/privateEndpointConnection.ts @@ -116,7 +116,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20180601privatepreview:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20221108:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20230302preview:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20230601preview:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20231201preview:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20240301preview:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20240801:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20241101preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20230601preview:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20231201preview:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20240301preview:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20240801:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20241101preview:PrivateEndpointConnection" }, { type: "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:PrivateEndpointConnection" }, { type: "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:PrivateEndpointConnection" }, { type: "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:PrivateEndpointConnection" }, { type: "azure-native_dbforpostgresql_v20240801:dbforpostgresql:PrivateEndpointConnection" }, { type: "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/server.ts b/sdk/nodejs/dbforpostgresql/server.ts index 186f83d53f25..728fbc72af50 100644 --- a/sdk/nodejs/dbforpostgresql/server.ts +++ b/sdk/nodejs/dbforpostgresql/server.ts @@ -220,7 +220,7 @@ export class Server extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:Server" }, { type: "azure-native:dbforpostgresql/v20171201preview:Server" }, { type: "azure-native:dbforpostgresql/v20200214preview:Server" }, { type: "azure-native:dbforpostgresql/v20200214privatepreview:Server" }, { type: "azure-native:dbforpostgresql/v20210410privatepreview:Server" }, { type: "azure-native:dbforpostgresql/v20210601:Server" }, { type: "azure-native:dbforpostgresql/v20210601preview:Server" }, { type: "azure-native:dbforpostgresql/v20210615privatepreview:Server" }, { type: "azure-native:dbforpostgresql/v20220120preview:Server" }, { type: "azure-native:dbforpostgresql/v20220308preview:Server" }, { type: "azure-native:dbforpostgresql/v20221201:Server" }, { type: "azure-native:dbforpostgresql/v20230301preview:Server" }, { type: "azure-native:dbforpostgresql/v20230601preview:Server" }, { type: "azure-native:dbforpostgresql/v20231201preview:Server" }, { type: "azure-native:dbforpostgresql/v20240301preview:Server" }, { type: "azure-native:dbforpostgresql/v20240801:Server" }, { type: "azure-native:dbforpostgresql/v20241101preview:Server" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20200214preview:Server" }, { type: "azure-native:dbforpostgresql/v20210410privatepreview:Server" }, { type: "azure-native:dbforpostgresql/v20210615privatepreview:Server" }, { type: "azure-native:dbforpostgresql/v20220308preview:Server" }, { type: "azure-native:dbforpostgresql/v20221201:Server" }, { type: "azure-native:dbforpostgresql/v20230301preview:Server" }, { type: "azure-native:dbforpostgresql/v20230601preview:Server" }, { type: "azure-native:dbforpostgresql/v20231201preview:Server" }, { type: "azure-native:dbforpostgresql/v20240301preview:Server" }, { type: "azure-native:dbforpostgresql/v20240801:Server" }, { type: "azure-native:dbforpostgresql/v20241101preview:Server" }, { type: "azure-native_dbforpostgresql_v20200214preview:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20200214privatepreview:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20210410privatepreview:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20210601:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20221201:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20240801:dbforpostgresql:Server" }, { type: "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Server" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Server.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/serverGroupCluster.ts b/sdk/nodejs/dbforpostgresql/serverGroupCluster.ts index 4d4baa4798c4..b2d99ae52f16 100644 --- a/sdk/nodejs/dbforpostgresql/serverGroupCluster.ts +++ b/sdk/nodejs/dbforpostgresql/serverGroupCluster.ts @@ -290,7 +290,7 @@ export class ServerGroupCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20201005privatepreview:ServerGroup" }, { type: "azure-native:dbforpostgresql/v20201005privatepreview:ServerGroupCluster" }, { type: "azure-native:dbforpostgresql/v20221108:Cluster" }, { type: "azure-native:dbforpostgresql/v20221108:ServerGroupCluster" }, { type: "azure-native:dbforpostgresql/v20230302preview:Cluster" }, { type: "azure-native:dbforpostgresql/v20230302preview:ServerGroupCluster" }, { type: "azure-native:dbforpostgresql:Cluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20201005privatepreview:ServerGroup" }, { type: "azure-native:dbforpostgresql/v20221108:Cluster" }, { type: "azure-native:dbforpostgresql/v20230302preview:Cluster" }, { type: "azure-native:dbforpostgresql:Cluster" }, { type: "azure-native_dbforpostgresql_v20201005privatepreview:dbforpostgresql:ServerGroupCluster" }, { type: "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupCluster" }, { type: "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerGroupCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/serverGroupFirewallRule.ts b/sdk/nodejs/dbforpostgresql/serverGroupFirewallRule.ts index d3917b590ad0..1bce405262ea 100644 --- a/sdk/nodejs/dbforpostgresql/serverGroupFirewallRule.ts +++ b/sdk/nodejs/dbforpostgresql/serverGroupFirewallRule.ts @@ -113,7 +113,7 @@ export class ServerGroupFirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20201005privatepreview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20201005privatepreview:ServerGroupFirewallRule" }, { type: "azure-native:dbforpostgresql/v20221108:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20221108:ServerGroupFirewallRule" }, { type: "azure-native:dbforpostgresql/v20230302preview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20230302preview:ServerGroupFirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20201005privatepreview:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20221108:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20230302preview:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20201005privatepreview:dbforpostgresql:ServerGroupFirewallRule" }, { type: "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupFirewallRule" }, { type: "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupFirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerGroupFirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/serverGroupPrivateEndpointConnection.ts b/sdk/nodejs/dbforpostgresql/serverGroupPrivateEndpointConnection.ts index 5f7a1c3c6ff5..794da9d2c00b 100644 --- a/sdk/nodejs/dbforpostgresql/serverGroupPrivateEndpointConnection.ts +++ b/sdk/nodejs/dbforpostgresql/serverGroupPrivateEndpointConnection.ts @@ -116,7 +116,7 @@ export class ServerGroupPrivateEndpointConnection extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20221108:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20221108:ServerGroupPrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20230302preview:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20230302preview:ServerGroupPrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20221108:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql/v20230302preview:PrivateEndpointConnection" }, { type: "azure-native:dbforpostgresql:PrivateEndpointConnection" }, { type: "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupPrivateEndpointConnection" }, { type: "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupPrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerGroupPrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/serverGroupRole.ts b/sdk/nodejs/dbforpostgresql/serverGroupRole.ts index bbe2651514e9..784a8334e291 100644 --- a/sdk/nodejs/dbforpostgresql/serverGroupRole.ts +++ b/sdk/nodejs/dbforpostgresql/serverGroupRole.ts @@ -114,7 +114,7 @@ export class ServerGroupRole extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20221108:Role" }, { type: "azure-native:dbforpostgresql/v20221108:ServerGroupRole" }, { type: "azure-native:dbforpostgresql/v20230302preview:Role" }, { type: "azure-native:dbforpostgresql/v20230302preview:ServerGroupRole" }, { type: "azure-native:dbforpostgresql:Role" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20221108:Role" }, { type: "azure-native:dbforpostgresql/v20230302preview:Role" }, { type: "azure-native:dbforpostgresql:Role" }, { type: "azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupRole" }, { type: "azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupRole" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerGroupRole.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/singleServer.ts b/sdk/nodejs/dbforpostgresql/singleServer.ts index 001962af8f57..9ce69e1e73a3 100644 --- a/sdk/nodejs/dbforpostgresql/singleServer.ts +++ b/sdk/nodejs/dbforpostgresql/singleServer.ts @@ -195,7 +195,7 @@ export class SingleServer extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:Server" }, { type: "azure-native:dbforpostgresql/v20171201:SingleServer" }, { type: "azure-native:dbforpostgresql/v20171201preview:Server" }, { type: "azure-native:dbforpostgresql/v20171201preview:SingleServer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:Server" }, { type: "azure-native:dbforpostgresql/v20171201preview:Server" }, { type: "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServer" }, { type: "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/singleServerConfiguration.ts b/sdk/nodejs/dbforpostgresql/singleServerConfiguration.ts index 21a3e095d599..dd7c74da223a 100644 --- a/sdk/nodejs/dbforpostgresql/singleServerConfiguration.ts +++ b/sdk/nodejs/dbforpostgresql/singleServerConfiguration.ts @@ -114,7 +114,7 @@ export class SingleServerConfiguration extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:Configuration" }, { type: "azure-native:dbforpostgresql/v20171201:SingleServerConfiguration" }, { type: "azure-native:dbforpostgresql/v20171201preview:SingleServerConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:Configuration" }, { type: "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerConfiguration" }, { type: "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServerConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/singleServerDatabase.ts b/sdk/nodejs/dbforpostgresql/singleServerDatabase.ts index 6078ff2e906e..cccfe6f23fbc 100644 --- a/sdk/nodejs/dbforpostgresql/singleServerDatabase.ts +++ b/sdk/nodejs/dbforpostgresql/singleServerDatabase.ts @@ -90,7 +90,7 @@ export class SingleServerDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:Database" }, { type: "azure-native:dbforpostgresql/v20171201:SingleServerDatabase" }, { type: "azure-native:dbforpostgresql/v20171201preview:SingleServerDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:Database" }, { type: "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerDatabase" }, { type: "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServerDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/singleServerFirewallRule.ts b/sdk/nodejs/dbforpostgresql/singleServerFirewallRule.ts index 1f4b237cebba..ef80919f2c77 100644 --- a/sdk/nodejs/dbforpostgresql/singleServerFirewallRule.ts +++ b/sdk/nodejs/dbforpostgresql/singleServerFirewallRule.ts @@ -96,7 +96,7 @@ export class SingleServerFirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:FirewallRule" }, { type: "azure-native:dbforpostgresql/v20171201:SingleServerFirewallRule" }, { type: "azure-native:dbforpostgresql/v20171201preview:SingleServerFirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:FirewallRule" }, { type: "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerFirewallRule" }, { type: "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerFirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServerFirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/singleServerServerAdministrator.ts b/sdk/nodejs/dbforpostgresql/singleServerServerAdministrator.ts index 298df18f57b9..f47cf1f98f9f 100644 --- a/sdk/nodejs/dbforpostgresql/singleServerServerAdministrator.ts +++ b/sdk/nodejs/dbforpostgresql/singleServerServerAdministrator.ts @@ -116,7 +116,7 @@ export class SingleServerServerAdministrator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:ServerAdministrator" }, { type: "azure-native:dbforpostgresql/v20171201:SingleServerServerAdministrator" }, { type: "azure-native:dbforpostgresql/v20171201preview:ServerAdministrator" }, { type: "azure-native:dbforpostgresql/v20171201preview:SingleServerServerAdministrator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:ServerAdministrator" }, { type: "azure-native:dbforpostgresql/v20171201preview:ServerAdministrator" }, { type: "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerServerAdministrator" }, { type: "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerServerAdministrator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServerServerAdministrator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/singleServerServerSecurityAlertPolicy.ts b/sdk/nodejs/dbforpostgresql/singleServerServerSecurityAlertPolicy.ts index 30d5057ac4d7..abd124e39949 100644 --- a/sdk/nodejs/dbforpostgresql/singleServerServerSecurityAlertPolicy.ts +++ b/sdk/nodejs/dbforpostgresql/singleServerServerSecurityAlertPolicy.ts @@ -126,7 +126,7 @@ export class SingleServerServerSecurityAlertPolicy extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:ServerSecurityAlertPolicy" }, { type: "azure-native:dbforpostgresql/v20171201:SingleServerServerSecurityAlertPolicy" }, { type: "azure-native:dbforpostgresql/v20171201preview:ServerSecurityAlertPolicy" }, { type: "azure-native:dbforpostgresql/v20171201preview:SingleServerServerSecurityAlertPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:ServerSecurityAlertPolicy" }, { type: "azure-native:dbforpostgresql/v20171201preview:ServerSecurityAlertPolicy" }, { type: "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerServerSecurityAlertPolicy" }, { type: "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerServerSecurityAlertPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServerServerSecurityAlertPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/singleServerVirtualNetworkRule.ts b/sdk/nodejs/dbforpostgresql/singleServerVirtualNetworkRule.ts index 9727454647b8..13e8eb010d69 100644 --- a/sdk/nodejs/dbforpostgresql/singleServerVirtualNetworkRule.ts +++ b/sdk/nodejs/dbforpostgresql/singleServerVirtualNetworkRule.ts @@ -99,7 +99,7 @@ export class SingleServerVirtualNetworkRule extends pulumi.CustomResource { resourceInputs["virtualNetworkSubnetId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:SingleServerVirtualNetworkRule" }, { type: "azure-native:dbforpostgresql/v20171201:VirtualNetworkRule" }, { type: "azure-native:dbforpostgresql/v20171201preview:SingleServerVirtualNetworkRule" }, { type: "azure-native:dbforpostgresql/v20171201preview:VirtualNetworkRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20171201:VirtualNetworkRule" }, { type: "azure-native:dbforpostgresql/v20171201preview:VirtualNetworkRule" }, { type: "azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerVirtualNetworkRule" }, { type: "azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerVirtualNetworkRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SingleServerVirtualNetworkRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dbforpostgresql/virtualEndpoint.ts b/sdk/nodejs/dbforpostgresql/virtualEndpoint.ts index b2195fb791d4..7e80a1b87f42 100644 --- a/sdk/nodejs/dbforpostgresql/virtualEndpoint.ts +++ b/sdk/nodejs/dbforpostgresql/virtualEndpoint.ts @@ -107,7 +107,7 @@ export class VirtualEndpoint extends pulumi.CustomResource { resourceInputs["virtualEndpoints"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20230601preview:VirtualEndpoint" }, { type: "azure-native:dbforpostgresql/v20231201preview:VirtualEndpoint" }, { type: "azure-native:dbforpostgresql/v20240301preview:VirtualEndpoint" }, { type: "azure-native:dbforpostgresql/v20240801:VirtualEndpoint" }, { type: "azure-native:dbforpostgresql/v20241101preview:VirtualEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dbforpostgresql/v20230601preview:VirtualEndpoint" }, { type: "azure-native:dbforpostgresql/v20231201preview:VirtualEndpoint" }, { type: "azure-native:dbforpostgresql/v20240301preview:VirtualEndpoint" }, { type: "azure-native:dbforpostgresql/v20240801:VirtualEndpoint" }, { type: "azure-native:dbforpostgresql/v20241101preview:VirtualEndpoint" }, { type: "azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:VirtualEndpoint" }, { type: "azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:VirtualEndpoint" }, { type: "azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:VirtualEndpoint" }, { type: "azure-native_dbforpostgresql_v20240801:dbforpostgresql:VirtualEndpoint" }, { type: "azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:VirtualEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/delegatednetwork/controllerDetails.ts b/sdk/nodejs/delegatednetwork/controllerDetails.ts index 6988943a374a..8067a8ee795f 100644 --- a/sdk/nodejs/delegatednetwork/controllerDetails.ts +++ b/sdk/nodejs/delegatednetwork/controllerDetails.ts @@ -127,7 +127,7 @@ export class ControllerDetails extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:delegatednetwork/v20200808preview:ControllerDetails" }, { type: "azure-native:delegatednetwork/v20210315:ControllerDetails" }, { type: "azure-native:delegatednetwork/v20230518preview:ControllerDetails" }, { type: "azure-native:delegatednetwork/v20230627preview:ControllerDetails" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:delegatednetwork/v20210315:ControllerDetails" }, { type: "azure-native:delegatednetwork/v20230518preview:ControllerDetails" }, { type: "azure-native:delegatednetwork/v20230627preview:ControllerDetails" }, { type: "azure-native_delegatednetwork_v20200808preview:delegatednetwork:ControllerDetails" }, { type: "azure-native_delegatednetwork_v20210315:delegatednetwork:ControllerDetails" }, { type: "azure-native_delegatednetwork_v20230518preview:delegatednetwork:ControllerDetails" }, { type: "azure-native_delegatednetwork_v20230627preview:delegatednetwork:ControllerDetails" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ControllerDetails.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/delegatednetwork/delegatedSubnetServiceDetails.ts b/sdk/nodejs/delegatednetwork/delegatedSubnetServiceDetails.ts index 53f03c9edfc0..c5a0f72a7b3d 100644 --- a/sdk/nodejs/delegatednetwork/delegatedSubnetServiceDetails.ts +++ b/sdk/nodejs/delegatednetwork/delegatedSubnetServiceDetails.ts @@ -122,7 +122,7 @@ export class DelegatedSubnetServiceDetails extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:delegatednetwork/v20200808preview:DelegatedSubnetServiceDetails" }, { type: "azure-native:delegatednetwork/v20210315:DelegatedSubnetServiceDetails" }, { type: "azure-native:delegatednetwork/v20230518preview:DelegatedSubnetServiceDetails" }, { type: "azure-native:delegatednetwork/v20230627preview:DelegatedSubnetServiceDetails" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:delegatednetwork/v20210315:DelegatedSubnetServiceDetails" }, { type: "azure-native:delegatednetwork/v20230518preview:DelegatedSubnetServiceDetails" }, { type: "azure-native:delegatednetwork/v20230627preview:DelegatedSubnetServiceDetails" }, { type: "azure-native_delegatednetwork_v20200808preview:delegatednetwork:DelegatedSubnetServiceDetails" }, { type: "azure-native_delegatednetwork_v20210315:delegatednetwork:DelegatedSubnetServiceDetails" }, { type: "azure-native_delegatednetwork_v20230518preview:delegatednetwork:DelegatedSubnetServiceDetails" }, { type: "azure-native_delegatednetwork_v20230627preview:delegatednetwork:DelegatedSubnetServiceDetails" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DelegatedSubnetServiceDetails.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/delegatednetwork/orchestratorInstanceServiceDetails.ts b/sdk/nodejs/delegatednetwork/orchestratorInstanceServiceDetails.ts index 369cedc1eda3..658a9282cdc1 100644 --- a/sdk/nodejs/delegatednetwork/orchestratorInstanceServiceDetails.ts +++ b/sdk/nodejs/delegatednetwork/orchestratorInstanceServiceDetails.ts @@ -157,7 +157,7 @@ export class OrchestratorInstanceServiceDetails extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:delegatednetwork/v20200808preview:OrchestratorInstanceServiceDetails" }, { type: "azure-native:delegatednetwork/v20210315:OrchestratorInstanceServiceDetails" }, { type: "azure-native:delegatednetwork/v20230518preview:OrchestratorInstanceServiceDetails" }, { type: "azure-native:delegatednetwork/v20230627preview:OrchestratorInstanceServiceDetails" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:delegatednetwork/v20210315:OrchestratorInstanceServiceDetails" }, { type: "azure-native:delegatednetwork/v20230518preview:OrchestratorInstanceServiceDetails" }, { type: "azure-native:delegatednetwork/v20230627preview:OrchestratorInstanceServiceDetails" }, { type: "azure-native_delegatednetwork_v20200808preview:delegatednetwork:OrchestratorInstanceServiceDetails" }, { type: "azure-native_delegatednetwork_v20210315:delegatednetwork:OrchestratorInstanceServiceDetails" }, { type: "azure-native_delegatednetwork_v20230518preview:delegatednetwork:OrchestratorInstanceServiceDetails" }, { type: "azure-native_delegatednetwork_v20230627preview:delegatednetwork:OrchestratorInstanceServiceDetails" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OrchestratorInstanceServiceDetails.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dependencymap/discoverySource.ts b/sdk/nodejs/dependencymap/discoverySource.ts index 75615db9ab9b..c60b815aa11d 100644 --- a/sdk/nodejs/dependencymap/discoverySource.ts +++ b/sdk/nodejs/dependencymap/discoverySource.ts @@ -123,7 +123,7 @@ export class DiscoverySource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dependencymap/v20250131preview:DiscoverySource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_dependencymap_v20250131preview:dependencymap:DiscoverySource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DiscoverySource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dependencymap/map.ts b/sdk/nodejs/dependencymap/map.ts index f35666c4b4a8..34e71a28fa43 100644 --- a/sdk/nodejs/dependencymap/map.ts +++ b/sdk/nodejs/dependencymap/map.ts @@ -101,7 +101,7 @@ export class Map extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dependencymap/v20250131preview:Map" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_dependencymap_v20250131preview:dependencymap:Map" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Map.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/desktopvirtualization/appAttachPackage.ts b/sdk/nodejs/desktopvirtualization/appAttachPackage.ts index 70be63c21494..84d338e311c1 100644 --- a/sdk/nodejs/desktopvirtualization/appAttachPackage.ts +++ b/sdk/nodejs/desktopvirtualization/appAttachPackage.ts @@ -106,7 +106,7 @@ export class AppAttachPackage extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20231004preview:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20231101preview:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20240116preview:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20240306preview:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20240403:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20240408preview:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20240808preview:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20241101preview:AppAttachPackage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20231004preview:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20231101preview:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20240116preview:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20240306preview:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20240403:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20240408preview:AppAttachPackage" }, { type: "azure-native:desktopvirtualization/v20240808preview:AppAttachPackage" }, { type: "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:AppAttachPackage" }, { type: "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:AppAttachPackage" }, { type: "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:AppAttachPackage" }, { type: "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:AppAttachPackage" }, { type: "azure-native_desktopvirtualization_v20240403:desktopvirtualization:AppAttachPackage" }, { type: "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:AppAttachPackage" }, { type: "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:AppAttachPackage" }, { type: "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:AppAttachPackage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AppAttachPackage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/desktopvirtualization/application.ts b/sdk/nodejs/desktopvirtualization/application.ts index f06bd3f76e28..3b16cba6aa25 100644 --- a/sdk/nodejs/desktopvirtualization/application.ts +++ b/sdk/nodejs/desktopvirtualization/application.ts @@ -176,7 +176,7 @@ export class Application extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20190123preview:Application" }, { type: "azure-native:desktopvirtualization/v20190924preview:Application" }, { type: "azure-native:desktopvirtualization/v20191210preview:Application" }, { type: "azure-native:desktopvirtualization/v20200921preview:Application" }, { type: "azure-native:desktopvirtualization/v20201019preview:Application" }, { type: "azure-native:desktopvirtualization/v20201102preview:Application" }, { type: "azure-native:desktopvirtualization/v20201110preview:Application" }, { type: "azure-native:desktopvirtualization/v20210114preview:Application" }, { type: "azure-native:desktopvirtualization/v20210201preview:Application" }, { type: "azure-native:desktopvirtualization/v20210309preview:Application" }, { type: "azure-native:desktopvirtualization/v20210401preview:Application" }, { type: "azure-native:desktopvirtualization/v20210712:Application" }, { type: "azure-native:desktopvirtualization/v20210903preview:Application" }, { type: "azure-native:desktopvirtualization/v20220210preview:Application" }, { type: "azure-native:desktopvirtualization/v20220401preview:Application" }, { type: "azure-native:desktopvirtualization/v20220909:Application" }, { type: "azure-native:desktopvirtualization/v20221014preview:Application" }, { type: "azure-native:desktopvirtualization/v20230707preview:Application" }, { type: "azure-native:desktopvirtualization/v20230905:Application" }, { type: "azure-native:desktopvirtualization/v20231004preview:Application" }, { type: "azure-native:desktopvirtualization/v20231101preview:Application" }, { type: "azure-native:desktopvirtualization/v20240116preview:Application" }, { type: "azure-native:desktopvirtualization/v20240306preview:Application" }, { type: "azure-native:desktopvirtualization/v20240403:Application" }, { type: "azure-native:desktopvirtualization/v20240408preview:Application" }, { type: "azure-native:desktopvirtualization/v20240808preview:Application" }, { type: "azure-native:desktopvirtualization/v20241101preview:Application" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20220909:Application" }, { type: "azure-native:desktopvirtualization/v20221014preview:Application" }, { type: "azure-native:desktopvirtualization/v20230707preview:Application" }, { type: "azure-native:desktopvirtualization/v20230905:Application" }, { type: "azure-native:desktopvirtualization/v20231004preview:Application" }, { type: "azure-native:desktopvirtualization/v20231101preview:Application" }, { type: "azure-native:desktopvirtualization/v20240116preview:Application" }, { type: "azure-native:desktopvirtualization/v20240306preview:Application" }, { type: "azure-native:desktopvirtualization/v20240403:Application" }, { type: "azure-native:desktopvirtualization/v20240408preview:Application" }, { type: "azure-native:desktopvirtualization/v20240808preview:Application" }, { type: "azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20210712:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20220909:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20230905:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20240403:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:Application" }, { type: "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:Application" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Application.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/desktopvirtualization/applicationGroup.ts b/sdk/nodejs/desktopvirtualization/applicationGroup.ts index 8260bf7caaa2..16cab30e1316 100644 --- a/sdk/nodejs/desktopvirtualization/applicationGroup.ts +++ b/sdk/nodejs/desktopvirtualization/applicationGroup.ts @@ -178,7 +178,7 @@ export class ApplicationGroup extends pulumi.CustomResource { resourceInputs["workspaceArmPath"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20190123preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20190924preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20191210preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20200921preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20201019preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20201102preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20201110preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20210114preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20210201preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20210309preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20210401preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20210712:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20210903preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20220210preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20220401preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20220909:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20221014preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20230707preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20230905:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20231004preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20231101preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20240116preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20240306preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20240403:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20240408preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20240808preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20241101preview:ApplicationGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20220401preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20220909:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20221014preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20230707preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20230905:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20231004preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20231101preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20240116preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20240306preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20240403:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20240408preview:ApplicationGroup" }, { type: "azure-native:desktopvirtualization/v20240808preview:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20210712:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20220909:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ApplicationGroup" }, { type: "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ApplicationGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/desktopvirtualization/hostPool.ts b/sdk/nodejs/desktopvirtualization/hostPool.ts index eec58f46c791..f1d7e3827f92 100644 --- a/sdk/nodejs/desktopvirtualization/hostPool.ts +++ b/sdk/nodejs/desktopvirtualization/hostPool.ts @@ -277,7 +277,7 @@ export class HostPool extends pulumi.CustomResource { resourceInputs["vmTemplate"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20190123preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20190924preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20191210preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20200921preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20201019preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20201102preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20201110preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20210114preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20210201preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20210309preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20210401preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20210712:HostPool" }, { type: "azure-native:desktopvirtualization/v20210903preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20220210preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20220401preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20220909:HostPool" }, { type: "azure-native:desktopvirtualization/v20221014preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20230707preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20230905:HostPool" }, { type: "azure-native:desktopvirtualization/v20231004preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20231101preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20240116preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20240306preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20240403:HostPool" }, { type: "azure-native:desktopvirtualization/v20240408preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20240808preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20241101preview:HostPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20220401preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20220909:HostPool" }, { type: "azure-native:desktopvirtualization/v20221014preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20230707preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20230905:HostPool" }, { type: "azure-native:desktopvirtualization/v20231004preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20231101preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20240116preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20240306preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20240403:HostPool" }, { type: "azure-native:desktopvirtualization/v20240408preview:HostPool" }, { type: "azure-native:desktopvirtualization/v20240808preview:HostPool" }, { type: "azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20210712:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20220909:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20230905:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20240403:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:HostPool" }, { type: "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:HostPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HostPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/desktopvirtualization/msixpackage.ts b/sdk/nodejs/desktopvirtualization/msixpackage.ts index 0abcec065770..f9fa1d45aedb 100644 --- a/sdk/nodejs/desktopvirtualization/msixpackage.ts +++ b/sdk/nodejs/desktopvirtualization/msixpackage.ts @@ -155,7 +155,7 @@ export class MSIXPackage extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20200921preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20201019preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20201102preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20201110preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20210114preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20210201preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20210309preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20210401preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20210712:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20210903preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20220210preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20220401preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20220909:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20221014preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20230707preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20230905:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20231004preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20231101preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20240116preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20240306preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20240403:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20240408preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20240808preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20241101preview:MSIXPackage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20220909:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20221014preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20230707preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20230905:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20231004preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20231101preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20240116preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20240306preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20240403:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20240408preview:MSIXPackage" }, { type: "azure-native:desktopvirtualization/v20240808preview:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20210712:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20220909:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20230905:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20240403:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:MSIXPackage" }, { type: "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:MSIXPackage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MSIXPackage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/desktopvirtualization/privateEndpointConnectionByHostPool.ts b/sdk/nodejs/desktopvirtualization/privateEndpointConnectionByHostPool.ts index 757256113749..6e4ee3e50ec5 100644 --- a/sdk/nodejs/desktopvirtualization/privateEndpointConnectionByHostPool.ts +++ b/sdk/nodejs/desktopvirtualization/privateEndpointConnectionByHostPool.ts @@ -116,7 +116,7 @@ export class PrivateEndpointConnectionByHostPool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20210401preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20210903preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20220210preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20220401preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20230707preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20231004preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20231101preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20240116preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20240306preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20241101preview:PrivateEndpointConnectionByHostPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20230707preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20231004preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20231101preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20240116preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20240306preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20230905:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20240403:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }, { type: "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:PrivateEndpointConnectionByHostPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionByHostPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/desktopvirtualization/privateEndpointConnectionByWorkspace.ts b/sdk/nodejs/desktopvirtualization/privateEndpointConnectionByWorkspace.ts index c39a66ad2abb..1038c9ad1772 100644 --- a/sdk/nodejs/desktopvirtualization/privateEndpointConnectionByWorkspace.ts +++ b/sdk/nodejs/desktopvirtualization/privateEndpointConnectionByWorkspace.ts @@ -116,7 +116,7 @@ export class PrivateEndpointConnectionByWorkspace extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20210401preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20210903preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20220210preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20220401preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20230707preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20231004preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20231101preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20240116preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20240306preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20241101preview:PrivateEndpointConnectionByWorkspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20230707preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20231004preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20231101preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20240116preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20240306preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20230905:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20240403:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }, { type: "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionByWorkspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/desktopvirtualization/scalingPlan.ts b/sdk/nodejs/desktopvirtualization/scalingPlan.ts index 363c74c09751..c39b4156bba6 100644 --- a/sdk/nodejs/desktopvirtualization/scalingPlan.ts +++ b/sdk/nodejs/desktopvirtualization/scalingPlan.ts @@ -175,7 +175,7 @@ export class ScalingPlan extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20201110preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20210114preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20210201preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20210309preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20210401preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20210712:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20210903preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20220210preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20220401preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20220909:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20221014preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20230707preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20230905:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20231004preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20231101preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20240116preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20240306preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20240403:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20240408preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20240808preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20241101preview:ScalingPlan" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20210201preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20220210preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20220909:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20221014preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20230707preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20230905:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20231004preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20231101preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20240116preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20240306preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20240403:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20240408preview:ScalingPlan" }, { type: "azure-native:desktopvirtualization/v20240808preview:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20210712:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20220909:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlan" }, { type: "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlan" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScalingPlan.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/desktopvirtualization/scalingPlanPersonalSchedule.ts b/sdk/nodejs/desktopvirtualization/scalingPlanPersonalSchedule.ts index d3713048c6d4..41db9a1117ea 100644 --- a/sdk/nodejs/desktopvirtualization/scalingPlanPersonalSchedule.ts +++ b/sdk/nodejs/desktopvirtualization/scalingPlanPersonalSchedule.ts @@ -245,7 +245,7 @@ export class ScalingPlanPersonalSchedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20230905:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20231004preview:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20231101preview:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20240116preview:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20240306preview:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20240403:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20240408preview:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20240808preview:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20241101preview:ScalingPlanPersonalSchedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20230905:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20231004preview:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20231101preview:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20240116preview:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20240306preview:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20240403:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20240408preview:ScalingPlanPersonalSchedule" }, { type: "azure-native:desktopvirtualization/v20240808preview:ScalingPlanPersonalSchedule" }, { type: "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlanPersonalSchedule" }, { type: "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, { type: "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, { type: "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, { type: "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, { type: "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlanPersonalSchedule" }, { type: "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, { type: "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlanPersonalSchedule" }, { type: "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlanPersonalSchedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScalingPlanPersonalSchedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/desktopvirtualization/scalingPlanPooledSchedule.ts b/sdk/nodejs/desktopvirtualization/scalingPlanPooledSchedule.ts index 7e1b4e1a960e..f64557b2cac1 100644 --- a/sdk/nodejs/desktopvirtualization/scalingPlanPooledSchedule.ts +++ b/sdk/nodejs/desktopvirtualization/scalingPlanPooledSchedule.ts @@ -191,7 +191,7 @@ export class ScalingPlanPooledSchedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20220401preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20220909:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20221014preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20230707preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20230905:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20231004preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20231101preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20240116preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20240306preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20240403:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20240408preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20240808preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20241101preview:ScalingPlanPooledSchedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20220909:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20221014preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20230707preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20230905:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20231004preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20231101preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20240116preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20240306preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20240403:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20240408preview:ScalingPlanPooledSchedule" }, { type: "azure-native:desktopvirtualization/v20240808preview:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20220909:desktopvirtualization:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlanPooledSchedule" }, { type: "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlanPooledSchedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScalingPlanPooledSchedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/desktopvirtualization/workspace.ts b/sdk/nodejs/desktopvirtualization/workspace.ts index 2740c60a7ef7..6c40827b50a2 100644 --- a/sdk/nodejs/desktopvirtualization/workspace.ts +++ b/sdk/nodejs/desktopvirtualization/workspace.ts @@ -166,7 +166,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20190123preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20190924preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20191210preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20200921preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20201019preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20201102preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20201110preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20210114preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20210201preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20210309preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20210401preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20210712:Workspace" }, { type: "azure-native:desktopvirtualization/v20210903preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20220210preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20220401preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20220909:Workspace" }, { type: "azure-native:desktopvirtualization/v20221014preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20230707preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20230905:Workspace" }, { type: "azure-native:desktopvirtualization/v20231004preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20231101preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20240116preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20240306preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20240403:Workspace" }, { type: "azure-native:desktopvirtualization/v20240408preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20240808preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20241101preview:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:desktopvirtualization/v20220909:Workspace" }, { type: "azure-native:desktopvirtualization/v20221014preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20230707preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20230905:Workspace" }, { type: "azure-native:desktopvirtualization/v20231004preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20231101preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20240116preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20240306preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20240403:Workspace" }, { type: "azure-native:desktopvirtualization/v20240408preview:Workspace" }, { type: "azure-native:desktopvirtualization/v20240808preview:Workspace" }, { type: "azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20210712:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20220909:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20230905:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20240403:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:Workspace" }, { type: "azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/attachedNetworkByDevCenter.ts b/sdk/nodejs/devcenter/attachedNetworkByDevCenter.ts index b19f911cb9d0..fd83cce03226 100644 --- a/sdk/nodejs/devcenter/attachedNetworkByDevCenter.ts +++ b/sdk/nodejs/devcenter/attachedNetworkByDevCenter.ts @@ -122,7 +122,7 @@ export class AttachedNetworkByDevCenter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20220801preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20220901preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20221012preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20221111preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20230101preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20230401:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20230801preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20231001preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20240201:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20240501preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20240601preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20240701preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20240801preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20241001preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20250201:AttachedNetworkByDevCenter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20230401:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20230801preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20231001preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20240201:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20240501preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20240601preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20240701preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20240801preview:AttachedNetworkByDevCenter" }, { type: "azure-native:devcenter/v20241001preview:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20220801preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20220901preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20221012preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20221111preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20230101preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20230401:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20230801preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20231001preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20240201:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20240501preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20240601preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20240701preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20240801preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20241001preview:devcenter:AttachedNetworkByDevCenter" }, { type: "azure-native_devcenter_v20250201:devcenter:AttachedNetworkByDevCenter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AttachedNetworkByDevCenter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/catalog.ts b/sdk/nodejs/devcenter/catalog.ts index 8345ecf1fbbe..25429f536298 100644 --- a/sdk/nodejs/devcenter/catalog.ts +++ b/sdk/nodejs/devcenter/catalog.ts @@ -149,7 +149,7 @@ export class Catalog extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20220801preview:Catalog" }, { type: "azure-native:devcenter/v20220901preview:Catalog" }, { type: "azure-native:devcenter/v20221012preview:Catalog" }, { type: "azure-native:devcenter/v20221111preview:Catalog" }, { type: "azure-native:devcenter/v20230101preview:Catalog" }, { type: "azure-native:devcenter/v20230401:Catalog" }, { type: "azure-native:devcenter/v20230801preview:Catalog" }, { type: "azure-native:devcenter/v20231001preview:Catalog" }, { type: "azure-native:devcenter/v20240201:Catalog" }, { type: "azure-native:devcenter/v20240501preview:Catalog" }, { type: "azure-native:devcenter/v20240601preview:Catalog" }, { type: "azure-native:devcenter/v20240701preview:Catalog" }, { type: "azure-native:devcenter/v20240801preview:Catalog" }, { type: "azure-native:devcenter/v20241001preview:Catalog" }, { type: "azure-native:devcenter/v20250201:Catalog" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20230401:Catalog" }, { type: "azure-native:devcenter/v20230801preview:Catalog" }, { type: "azure-native:devcenter/v20231001preview:Catalog" }, { type: "azure-native:devcenter/v20240201:Catalog" }, { type: "azure-native:devcenter/v20240501preview:Catalog" }, { type: "azure-native:devcenter/v20240601preview:Catalog" }, { type: "azure-native:devcenter/v20240701preview:Catalog" }, { type: "azure-native:devcenter/v20240801preview:Catalog" }, { type: "azure-native:devcenter/v20241001preview:Catalog" }, { type: "azure-native_devcenter_v20220801preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20220901preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20221012preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20221111preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20230101preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20230401:devcenter:Catalog" }, { type: "azure-native_devcenter_v20230801preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20231001preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20240201:devcenter:Catalog" }, { type: "azure-native_devcenter_v20240501preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20240601preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20240701preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20240801preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20241001preview:devcenter:Catalog" }, { type: "azure-native_devcenter_v20250201:devcenter:Catalog" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Catalog.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/curationProfile.ts b/sdk/nodejs/devcenter/curationProfile.ts index 65c46016f835..71716b24ef1e 100644 --- a/sdk/nodejs/devcenter/curationProfile.ts +++ b/sdk/nodejs/devcenter/curationProfile.ts @@ -107,7 +107,7 @@ export class CurationProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20240801preview:CurationProfile" }, { type: "azure-native:devcenter/v20241001preview:CurationProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20240801preview:CurationProfile" }, { type: "azure-native:devcenter/v20241001preview:CurationProfile" }, { type: "azure-native_devcenter_v20240801preview:devcenter:CurationProfile" }, { type: "azure-native_devcenter_v20241001preview:devcenter:CurationProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CurationProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/devBoxDefinition.ts b/sdk/nodejs/devcenter/devBoxDefinition.ts index 74a9d5bd4e4a..850e0756e2c4 100644 --- a/sdk/nodejs/devcenter/devBoxDefinition.ts +++ b/sdk/nodejs/devcenter/devBoxDefinition.ts @@ -161,7 +161,7 @@ export class DevBoxDefinition extends pulumi.CustomResource { resourceInputs["validationStatus"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20220801preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20220901preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20221012preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20221111preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20230101preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20230401:DevBoxDefinition" }, { type: "azure-native:devcenter/v20230801preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20231001preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20240201:DevBoxDefinition" }, { type: "azure-native:devcenter/v20240501preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20240601preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20240701preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20240801preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20241001preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20250201:DevBoxDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20221111preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20230401:DevBoxDefinition" }, { type: "azure-native:devcenter/v20230801preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20231001preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20240201:DevBoxDefinition" }, { type: "azure-native:devcenter/v20240501preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20240601preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20240701preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20240801preview:DevBoxDefinition" }, { type: "azure-native:devcenter/v20241001preview:DevBoxDefinition" }, { type: "azure-native_devcenter_v20220801preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20220901preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20221012preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20221111preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20230101preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20230401:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20230801preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20231001preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20240201:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20240501preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20240601preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20240701preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20240801preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20241001preview:devcenter:DevBoxDefinition" }, { type: "azure-native_devcenter_v20250201:devcenter:DevBoxDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DevBoxDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/devCenter.ts b/sdk/nodejs/devcenter/devCenter.ts index 48df2b5d8d9e..85e7c5f25c74 100644 --- a/sdk/nodejs/devcenter/devCenter.ts +++ b/sdk/nodejs/devcenter/devCenter.ts @@ -133,7 +133,7 @@ export class DevCenter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20220801preview:DevCenter" }, { type: "azure-native:devcenter/v20220901preview:DevCenter" }, { type: "azure-native:devcenter/v20221012preview:DevCenter" }, { type: "azure-native:devcenter/v20221111preview:DevCenter" }, { type: "azure-native:devcenter/v20230101preview:DevCenter" }, { type: "azure-native:devcenter/v20230401:DevCenter" }, { type: "azure-native:devcenter/v20230801preview:DevCenter" }, { type: "azure-native:devcenter/v20231001preview:DevCenter" }, { type: "azure-native:devcenter/v20240201:DevCenter" }, { type: "azure-native:devcenter/v20240501preview:DevCenter" }, { type: "azure-native:devcenter/v20240601preview:DevCenter" }, { type: "azure-native:devcenter/v20240701preview:DevCenter" }, { type: "azure-native:devcenter/v20240801preview:DevCenter" }, { type: "azure-native:devcenter/v20241001preview:DevCenter" }, { type: "azure-native:devcenter/v20250201:DevCenter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20230401:DevCenter" }, { type: "azure-native:devcenter/v20230801preview:DevCenter" }, { type: "azure-native:devcenter/v20231001preview:DevCenter" }, { type: "azure-native:devcenter/v20240201:DevCenter" }, { type: "azure-native:devcenter/v20240501preview:DevCenter" }, { type: "azure-native:devcenter/v20240601preview:DevCenter" }, { type: "azure-native:devcenter/v20240701preview:DevCenter" }, { type: "azure-native:devcenter/v20240801preview:DevCenter" }, { type: "azure-native:devcenter/v20241001preview:DevCenter" }, { type: "azure-native_devcenter_v20220801preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20220901preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20221012preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20221111preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20230101preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20230401:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20230801preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20231001preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20240201:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20240501preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20240601preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20240701preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20240801preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20241001preview:devcenter:DevCenter" }, { type: "azure-native_devcenter_v20250201:devcenter:DevCenter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DevCenter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/encryptionSet.ts b/sdk/nodejs/devcenter/encryptionSet.ts index f0fbe0d1c4c5..c12d5de4dd76 100644 --- a/sdk/nodejs/devcenter/encryptionSet.ts +++ b/sdk/nodejs/devcenter/encryptionSet.ts @@ -125,7 +125,7 @@ export class EncryptionSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20240501preview:EncryptionSet" }, { type: "azure-native:devcenter/v20240601preview:EncryptionSet" }, { type: "azure-native:devcenter/v20240701preview:EncryptionSet" }, { type: "azure-native:devcenter/v20240801preview:EncryptionSet" }, { type: "azure-native:devcenter/v20241001preview:EncryptionSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20240501preview:EncryptionSet" }, { type: "azure-native:devcenter/v20240601preview:EncryptionSet" }, { type: "azure-native:devcenter/v20240701preview:EncryptionSet" }, { type: "azure-native:devcenter/v20240801preview:EncryptionSet" }, { type: "azure-native:devcenter/v20241001preview:EncryptionSet" }, { type: "azure-native_devcenter_v20240501preview:devcenter:EncryptionSet" }, { type: "azure-native_devcenter_v20240601preview:devcenter:EncryptionSet" }, { type: "azure-native_devcenter_v20240701preview:devcenter:EncryptionSet" }, { type: "azure-native_devcenter_v20240801preview:devcenter:EncryptionSet" }, { type: "azure-native_devcenter_v20241001preview:devcenter:EncryptionSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EncryptionSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/environmentType.ts b/sdk/nodejs/devcenter/environmentType.ts index 7b712c0db855..4283844d67d4 100644 --- a/sdk/nodejs/devcenter/environmentType.ts +++ b/sdk/nodejs/devcenter/environmentType.ts @@ -107,7 +107,7 @@ export class EnvironmentType extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20220801preview:EnvironmentType" }, { type: "azure-native:devcenter/v20220901preview:EnvironmentType" }, { type: "azure-native:devcenter/v20221012preview:EnvironmentType" }, { type: "azure-native:devcenter/v20221111preview:EnvironmentType" }, { type: "azure-native:devcenter/v20230101preview:EnvironmentType" }, { type: "azure-native:devcenter/v20230401:EnvironmentType" }, { type: "azure-native:devcenter/v20230801preview:EnvironmentType" }, { type: "azure-native:devcenter/v20231001preview:EnvironmentType" }, { type: "azure-native:devcenter/v20240201:EnvironmentType" }, { type: "azure-native:devcenter/v20240501preview:EnvironmentType" }, { type: "azure-native:devcenter/v20240601preview:EnvironmentType" }, { type: "azure-native:devcenter/v20240701preview:EnvironmentType" }, { type: "azure-native:devcenter/v20240801preview:EnvironmentType" }, { type: "azure-native:devcenter/v20241001preview:EnvironmentType" }, { type: "azure-native:devcenter/v20250201:EnvironmentType" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20230401:EnvironmentType" }, { type: "azure-native:devcenter/v20230801preview:EnvironmentType" }, { type: "azure-native:devcenter/v20231001preview:EnvironmentType" }, { type: "azure-native:devcenter/v20240201:EnvironmentType" }, { type: "azure-native:devcenter/v20240501preview:EnvironmentType" }, { type: "azure-native:devcenter/v20240601preview:EnvironmentType" }, { type: "azure-native:devcenter/v20240701preview:EnvironmentType" }, { type: "azure-native:devcenter/v20240801preview:EnvironmentType" }, { type: "azure-native:devcenter/v20241001preview:EnvironmentType" }, { type: "azure-native_devcenter_v20220801preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20220901preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20221012preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20221111preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20230101preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20230401:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20230801preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20231001preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20240201:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20240501preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20240601preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20240701preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20240801preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20241001preview:devcenter:EnvironmentType" }, { type: "azure-native_devcenter_v20250201:devcenter:EnvironmentType" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EnvironmentType.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/gallery.ts b/sdk/nodejs/devcenter/gallery.ts index 9852f9aebfa2..7d0e4132c55c 100644 --- a/sdk/nodejs/devcenter/gallery.ts +++ b/sdk/nodejs/devcenter/gallery.ts @@ -104,7 +104,7 @@ export class Gallery extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20220801preview:Gallery" }, { type: "azure-native:devcenter/v20220901preview:Gallery" }, { type: "azure-native:devcenter/v20221012preview:Gallery" }, { type: "azure-native:devcenter/v20221111preview:Gallery" }, { type: "azure-native:devcenter/v20230101preview:Gallery" }, { type: "azure-native:devcenter/v20230401:Gallery" }, { type: "azure-native:devcenter/v20230801preview:Gallery" }, { type: "azure-native:devcenter/v20231001preview:Gallery" }, { type: "azure-native:devcenter/v20240201:Gallery" }, { type: "azure-native:devcenter/v20240501preview:Gallery" }, { type: "azure-native:devcenter/v20240601preview:Gallery" }, { type: "azure-native:devcenter/v20240701preview:Gallery" }, { type: "azure-native:devcenter/v20240801preview:Gallery" }, { type: "azure-native:devcenter/v20241001preview:Gallery" }, { type: "azure-native:devcenter/v20250201:Gallery" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20230401:Gallery" }, { type: "azure-native:devcenter/v20230801preview:Gallery" }, { type: "azure-native:devcenter/v20231001preview:Gallery" }, { type: "azure-native:devcenter/v20240201:Gallery" }, { type: "azure-native:devcenter/v20240501preview:Gallery" }, { type: "azure-native:devcenter/v20240601preview:Gallery" }, { type: "azure-native:devcenter/v20240701preview:Gallery" }, { type: "azure-native:devcenter/v20240801preview:Gallery" }, { type: "azure-native:devcenter/v20241001preview:Gallery" }, { type: "azure-native_devcenter_v20220801preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20220901preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20221012preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20221111preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20230101preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20230401:devcenter:Gallery" }, { type: "azure-native_devcenter_v20230801preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20231001preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20240201:devcenter:Gallery" }, { type: "azure-native_devcenter_v20240501preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20240601preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20240701preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20240801preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20241001preview:devcenter:Gallery" }, { type: "azure-native_devcenter_v20250201:devcenter:Gallery" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Gallery.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/networkConnection.ts b/sdk/nodejs/devcenter/networkConnection.ts index 6ffec74ab3c2..7f8561021728 100644 --- a/sdk/nodejs/devcenter/networkConnection.ts +++ b/sdk/nodejs/devcenter/networkConnection.ts @@ -157,7 +157,7 @@ export class NetworkConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20220801preview:NetworkConnection" }, { type: "azure-native:devcenter/v20220901preview:NetworkConnection" }, { type: "azure-native:devcenter/v20221012preview:NetworkConnection" }, { type: "azure-native:devcenter/v20221111preview:NetworkConnection" }, { type: "azure-native:devcenter/v20230101preview:NetworkConnection" }, { type: "azure-native:devcenter/v20230401:NetworkConnection" }, { type: "azure-native:devcenter/v20230801preview:NetworkConnection" }, { type: "azure-native:devcenter/v20231001preview:NetworkConnection" }, { type: "azure-native:devcenter/v20240201:NetworkConnection" }, { type: "azure-native:devcenter/v20240501preview:NetworkConnection" }, { type: "azure-native:devcenter/v20240601preview:NetworkConnection" }, { type: "azure-native:devcenter/v20240701preview:NetworkConnection" }, { type: "azure-native:devcenter/v20240801preview:NetworkConnection" }, { type: "azure-native:devcenter/v20241001preview:NetworkConnection" }, { type: "azure-native:devcenter/v20250201:NetworkConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20230401:NetworkConnection" }, { type: "azure-native:devcenter/v20230801preview:NetworkConnection" }, { type: "azure-native:devcenter/v20231001preview:NetworkConnection" }, { type: "azure-native:devcenter/v20240201:NetworkConnection" }, { type: "azure-native:devcenter/v20240501preview:NetworkConnection" }, { type: "azure-native:devcenter/v20240601preview:NetworkConnection" }, { type: "azure-native:devcenter/v20240701preview:NetworkConnection" }, { type: "azure-native:devcenter/v20240801preview:NetworkConnection" }, { type: "azure-native:devcenter/v20241001preview:NetworkConnection" }, { type: "azure-native_devcenter_v20220801preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20220901preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20221012preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20221111preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20230101preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20230401:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20230801preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20231001preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20240201:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20240501preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20240601preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20240701preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20240801preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20241001preview:devcenter:NetworkConnection" }, { type: "azure-native_devcenter_v20250201:devcenter:NetworkConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/plan.ts b/sdk/nodejs/devcenter/plan.ts index 1bebf6e3eee4..88f626f47e1d 100644 --- a/sdk/nodejs/devcenter/plan.ts +++ b/sdk/nodejs/devcenter/plan.ts @@ -109,7 +109,7 @@ export class Plan extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20240501preview:Plan" }, { type: "azure-native:devcenter/v20240601preview:Plan" }, { type: "azure-native:devcenter/v20240701preview:Plan" }, { type: "azure-native:devcenter/v20240801preview:Plan" }, { type: "azure-native:devcenter/v20241001preview:Plan" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20240501preview:Plan" }, { type: "azure-native:devcenter/v20240601preview:Plan" }, { type: "azure-native:devcenter/v20240701preview:Plan" }, { type: "azure-native:devcenter/v20240801preview:Plan" }, { type: "azure-native:devcenter/v20241001preview:Plan" }, { type: "azure-native_devcenter_v20240501preview:devcenter:Plan" }, { type: "azure-native_devcenter_v20240601preview:devcenter:Plan" }, { type: "azure-native_devcenter_v20240701preview:devcenter:Plan" }, { type: "azure-native_devcenter_v20240801preview:devcenter:Plan" }, { type: "azure-native_devcenter_v20241001preview:devcenter:Plan" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Plan.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/planMember.ts b/sdk/nodejs/devcenter/planMember.ts index d2dc8ce57d01..60606435a36f 100644 --- a/sdk/nodejs/devcenter/planMember.ts +++ b/sdk/nodejs/devcenter/planMember.ts @@ -125,7 +125,7 @@ export class PlanMember extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20240501preview:PlanMember" }, { type: "azure-native:devcenter/v20240601preview:PlanMember" }, { type: "azure-native:devcenter/v20240701preview:PlanMember" }, { type: "azure-native:devcenter/v20240801preview:PlanMember" }, { type: "azure-native:devcenter/v20241001preview:PlanMember" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20240501preview:PlanMember" }, { type: "azure-native:devcenter/v20240601preview:PlanMember" }, { type: "azure-native:devcenter/v20240701preview:PlanMember" }, { type: "azure-native:devcenter/v20240801preview:PlanMember" }, { type: "azure-native:devcenter/v20241001preview:PlanMember" }, { type: "azure-native_devcenter_v20240501preview:devcenter:PlanMember" }, { type: "azure-native_devcenter_v20240601preview:devcenter:PlanMember" }, { type: "azure-native_devcenter_v20240701preview:devcenter:PlanMember" }, { type: "azure-native_devcenter_v20240801preview:devcenter:PlanMember" }, { type: "azure-native_devcenter_v20241001preview:devcenter:PlanMember" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PlanMember.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/pool.ts b/sdk/nodejs/devcenter/pool.ts index 81b78a3ce8f0..9da62666dedf 100644 --- a/sdk/nodejs/devcenter/pool.ts +++ b/sdk/nodejs/devcenter/pool.ts @@ -191,7 +191,7 @@ export class Pool extends pulumi.CustomResource { resourceInputs["virtualNetworkType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20220801preview:Pool" }, { type: "azure-native:devcenter/v20220901preview:Pool" }, { type: "azure-native:devcenter/v20221012preview:Pool" }, { type: "azure-native:devcenter/v20221111preview:Pool" }, { type: "azure-native:devcenter/v20230101preview:Pool" }, { type: "azure-native:devcenter/v20230401:Pool" }, { type: "azure-native:devcenter/v20230801preview:Pool" }, { type: "azure-native:devcenter/v20231001preview:Pool" }, { type: "azure-native:devcenter/v20240201:Pool" }, { type: "azure-native:devcenter/v20240501preview:Pool" }, { type: "azure-native:devcenter/v20240601preview:Pool" }, { type: "azure-native:devcenter/v20240701preview:Pool" }, { type: "azure-native:devcenter/v20240801preview:Pool" }, { type: "azure-native:devcenter/v20241001preview:Pool" }, { type: "azure-native:devcenter/v20250201:Pool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20230401:Pool" }, { type: "azure-native:devcenter/v20230801preview:Pool" }, { type: "azure-native:devcenter/v20231001preview:Pool" }, { type: "azure-native:devcenter/v20240201:Pool" }, { type: "azure-native:devcenter/v20240501preview:Pool" }, { type: "azure-native:devcenter/v20240601preview:Pool" }, { type: "azure-native:devcenter/v20240701preview:Pool" }, { type: "azure-native:devcenter/v20240801preview:Pool" }, { type: "azure-native:devcenter/v20241001preview:Pool" }, { type: "azure-native_devcenter_v20220801preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20220901preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20221012preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20221111preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20230101preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20230401:devcenter:Pool" }, { type: "azure-native_devcenter_v20230801preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20231001preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20240201:devcenter:Pool" }, { type: "azure-native_devcenter_v20240501preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20240601preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20240701preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20240801preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20241001preview:devcenter:Pool" }, { type: "azure-native_devcenter_v20250201:devcenter:Pool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Pool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/project.ts b/sdk/nodejs/devcenter/project.ts index a24e80176ee5..2e8a47965b05 100644 --- a/sdk/nodejs/devcenter/project.ts +++ b/sdk/nodejs/devcenter/project.ts @@ -145,7 +145,7 @@ export class Project extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20220801preview:Project" }, { type: "azure-native:devcenter/v20220901preview:Project" }, { type: "azure-native:devcenter/v20221012preview:Project" }, { type: "azure-native:devcenter/v20221111preview:Project" }, { type: "azure-native:devcenter/v20230101preview:Project" }, { type: "azure-native:devcenter/v20230401:Project" }, { type: "azure-native:devcenter/v20230801preview:Project" }, { type: "azure-native:devcenter/v20231001preview:Project" }, { type: "azure-native:devcenter/v20240201:Project" }, { type: "azure-native:devcenter/v20240501preview:Project" }, { type: "azure-native:devcenter/v20240601preview:Project" }, { type: "azure-native:devcenter/v20240701preview:Project" }, { type: "azure-native:devcenter/v20240801preview:Project" }, { type: "azure-native:devcenter/v20241001preview:Project" }, { type: "azure-native:devcenter/v20250201:Project" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20230401:Project" }, { type: "azure-native:devcenter/v20230801preview:Project" }, { type: "azure-native:devcenter/v20231001preview:Project" }, { type: "azure-native:devcenter/v20240201:Project" }, { type: "azure-native:devcenter/v20240501preview:Project" }, { type: "azure-native:devcenter/v20240601preview:Project" }, { type: "azure-native:devcenter/v20240701preview:Project" }, { type: "azure-native:devcenter/v20240801preview:Project" }, { type: "azure-native:devcenter/v20241001preview:Project" }, { type: "azure-native_devcenter_v20220801preview:devcenter:Project" }, { type: "azure-native_devcenter_v20220901preview:devcenter:Project" }, { type: "azure-native_devcenter_v20221012preview:devcenter:Project" }, { type: "azure-native_devcenter_v20221111preview:devcenter:Project" }, { type: "azure-native_devcenter_v20230101preview:devcenter:Project" }, { type: "azure-native_devcenter_v20230401:devcenter:Project" }, { type: "azure-native_devcenter_v20230801preview:devcenter:Project" }, { type: "azure-native_devcenter_v20231001preview:devcenter:Project" }, { type: "azure-native_devcenter_v20240201:devcenter:Project" }, { type: "azure-native_devcenter_v20240501preview:devcenter:Project" }, { type: "azure-native_devcenter_v20240601preview:devcenter:Project" }, { type: "azure-native_devcenter_v20240701preview:devcenter:Project" }, { type: "azure-native_devcenter_v20240801preview:devcenter:Project" }, { type: "azure-native_devcenter_v20241001preview:devcenter:Project" }, { type: "azure-native_devcenter_v20250201:devcenter:Project" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Project.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/projectCatalog.ts b/sdk/nodejs/devcenter/projectCatalog.ts index eb198b699925..bf70a3ecaf3a 100644 --- a/sdk/nodejs/devcenter/projectCatalog.ts +++ b/sdk/nodejs/devcenter/projectCatalog.ts @@ -149,7 +149,7 @@ export class ProjectCatalog extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20240201:ProjectCatalog" }, { type: "azure-native:devcenter/v20240501preview:ProjectCatalog" }, { type: "azure-native:devcenter/v20240601preview:ProjectCatalog" }, { type: "azure-native:devcenter/v20240701preview:ProjectCatalog" }, { type: "azure-native:devcenter/v20240801preview:ProjectCatalog" }, { type: "azure-native:devcenter/v20241001preview:ProjectCatalog" }, { type: "azure-native:devcenter/v20250201:ProjectCatalog" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20240201:ProjectCatalog" }, { type: "azure-native:devcenter/v20240501preview:ProjectCatalog" }, { type: "azure-native:devcenter/v20240601preview:ProjectCatalog" }, { type: "azure-native:devcenter/v20240701preview:ProjectCatalog" }, { type: "azure-native:devcenter/v20240801preview:ProjectCatalog" }, { type: "azure-native:devcenter/v20241001preview:ProjectCatalog" }, { type: "azure-native_devcenter_v20240201:devcenter:ProjectCatalog" }, { type: "azure-native_devcenter_v20240501preview:devcenter:ProjectCatalog" }, { type: "azure-native_devcenter_v20240601preview:devcenter:ProjectCatalog" }, { type: "azure-native_devcenter_v20240701preview:devcenter:ProjectCatalog" }, { type: "azure-native_devcenter_v20240801preview:devcenter:ProjectCatalog" }, { type: "azure-native_devcenter_v20241001preview:devcenter:ProjectCatalog" }, { type: "azure-native_devcenter_v20250201:devcenter:ProjectCatalog" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProjectCatalog.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/projectEnvironmentType.ts b/sdk/nodejs/devcenter/projectEnvironmentType.ts index c2e941dd5418..78d7a052f5c8 100644 --- a/sdk/nodejs/devcenter/projectEnvironmentType.ts +++ b/sdk/nodejs/devcenter/projectEnvironmentType.ts @@ -149,7 +149,7 @@ export class ProjectEnvironmentType extends pulumi.CustomResource { resourceInputs["userRoleAssignments"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20220801preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20220901preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20221012preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20221111preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20230101preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20230401:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20230801preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20231001preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20240201:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20240501preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20240601preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20240701preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20240801preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20241001preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20250201:ProjectEnvironmentType" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20230401:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20230801preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20231001preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20240201:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20240501preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20240601preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20240701preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20240801preview:ProjectEnvironmentType" }, { type: "azure-native:devcenter/v20241001preview:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20220801preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20220901preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20221012preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20221111preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20230101preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20230401:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20230801preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20231001preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20240201:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20240501preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20240601preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20240701preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20240801preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20241001preview:devcenter:ProjectEnvironmentType" }, { type: "azure-native_devcenter_v20250201:devcenter:ProjectEnvironmentType" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProjectEnvironmentType.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/projectPolicy.ts b/sdk/nodejs/devcenter/projectPolicy.ts index 1efaeff4eaff..c7b5eebb6cdf 100644 --- a/sdk/nodejs/devcenter/projectPolicy.ts +++ b/sdk/nodejs/devcenter/projectPolicy.ts @@ -107,7 +107,7 @@ export class ProjectPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20241001preview:ProjectPolicy" }, { type: "azure-native:devcenter/v20250201:ProjectPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20241001preview:ProjectPolicy" }, { type: "azure-native_devcenter_v20241001preview:devcenter:ProjectPolicy" }, { type: "azure-native_devcenter_v20250201:devcenter:ProjectPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProjectPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devcenter/schedule.ts b/sdk/nodejs/devcenter/schedule.ts index c1cd87525b83..62e4eeecd460 100644 --- a/sdk/nodejs/devcenter/schedule.ts +++ b/sdk/nodejs/devcenter/schedule.ts @@ -148,7 +148,7 @@ export class Schedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20220801preview:Schedule" }, { type: "azure-native:devcenter/v20220901preview:Schedule" }, { type: "azure-native:devcenter/v20221012preview:Schedule" }, { type: "azure-native:devcenter/v20221111preview:Schedule" }, { type: "azure-native:devcenter/v20230101preview:Schedule" }, { type: "azure-native:devcenter/v20230401:Schedule" }, { type: "azure-native:devcenter/v20230801preview:Schedule" }, { type: "azure-native:devcenter/v20231001preview:Schedule" }, { type: "azure-native:devcenter/v20240201:Schedule" }, { type: "azure-native:devcenter/v20240501preview:Schedule" }, { type: "azure-native:devcenter/v20240601preview:Schedule" }, { type: "azure-native:devcenter/v20240701preview:Schedule" }, { type: "azure-native:devcenter/v20240801preview:Schedule" }, { type: "azure-native:devcenter/v20241001preview:Schedule" }, { type: "azure-native:devcenter/v20250201:Schedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devcenter/v20230401:Schedule" }, { type: "azure-native:devcenter/v20230801preview:Schedule" }, { type: "azure-native:devcenter/v20231001preview:Schedule" }, { type: "azure-native:devcenter/v20240201:Schedule" }, { type: "azure-native:devcenter/v20240501preview:Schedule" }, { type: "azure-native:devcenter/v20240601preview:Schedule" }, { type: "azure-native:devcenter/v20240701preview:Schedule" }, { type: "azure-native:devcenter/v20240801preview:Schedule" }, { type: "azure-native:devcenter/v20241001preview:Schedule" }, { type: "azure-native_devcenter_v20220801preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20220901preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20221012preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20221111preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20230101preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20230401:devcenter:Schedule" }, { type: "azure-native_devcenter_v20230801preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20231001preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20240201:devcenter:Schedule" }, { type: "azure-native_devcenter_v20240501preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20240601preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20240701preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20240801preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20241001preview:devcenter:Schedule" }, { type: "azure-native_devcenter_v20250201:devcenter:Schedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Schedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devhub/iacProfile.ts b/sdk/nodejs/devhub/iacProfile.ts index 27006bdf244a..6614d5c470b6 100644 --- a/sdk/nodejs/devhub/iacProfile.ts +++ b/sdk/nodejs/devhub/iacProfile.ts @@ -175,7 +175,7 @@ export class IacProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devhub/v20240501preview:IacProfile" }, { type: "azure-native:devhub/v20240801preview:IacProfile" }, { type: "azure-native:devhub/v20250301preview:IacProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devhub/v20240501preview:IacProfile" }, { type: "azure-native:devhub/v20240801preview:IacProfile" }, { type: "azure-native_devhub_v20240501preview:devhub:IacProfile" }, { type: "azure-native_devhub_v20240801preview:devhub:IacProfile" }, { type: "azure-native_devhub_v20250301preview:devhub:IacProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IacProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devhub/workflow.ts b/sdk/nodejs/devhub/workflow.ts index 7126f97066ed..5e307067d570 100644 --- a/sdk/nodejs/devhub/workflow.ts +++ b/sdk/nodejs/devhub/workflow.ts @@ -181,7 +181,7 @@ export class Workflow extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devhub/v20220401preview:Workflow" }, { type: "azure-native:devhub/v20221011preview:Workflow" }, { type: "azure-native:devhub/v20230801:Workflow" }, { type: "azure-native:devhub/v20240501preview:Workflow" }, { type: "azure-native:devhub/v20240801preview:Workflow" }, { type: "azure-native:devhub/v20250301preview:Workflow" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devhub/v20221011preview:Workflow" }, { type: "azure-native:devhub/v20230801:Workflow" }, { type: "azure-native:devhub/v20240501preview:Workflow" }, { type: "azure-native:devhub/v20240801preview:Workflow" }, { type: "azure-native_devhub_v20220401preview:devhub:Workflow" }, { type: "azure-native_devhub_v20221011preview:devhub:Workflow" }, { type: "azure-native_devhub_v20230801:devhub:Workflow" }, { type: "azure-native_devhub_v20240501preview:devhub:Workflow" }, { type: "azure-native_devhub_v20240801preview:devhub:Workflow" }, { type: "azure-native_devhub_v20250301preview:devhub:Workflow" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workflow.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceprovisioningservices/dpsCertificate.ts b/sdk/nodejs/deviceprovisioningservices/dpsCertificate.ts index ec2acdbc53dd..2cec9370c9bb 100644 --- a/sdk/nodejs/deviceprovisioningservices/dpsCertificate.ts +++ b/sdk/nodejs/deviceprovisioningservices/dpsCertificate.ts @@ -101,7 +101,7 @@ export class DpsCertificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceprovisioningservices/v20170821preview:DpsCertificate" }, { type: "azure-native:deviceprovisioningservices/v20171115:DpsCertificate" }, { type: "azure-native:deviceprovisioningservices/v20180122:DpsCertificate" }, { type: "azure-native:deviceprovisioningservices/v20200101:DpsCertificate" }, { type: "azure-native:deviceprovisioningservices/v20200301:DpsCertificate" }, { type: "azure-native:deviceprovisioningservices/v20200901preview:DpsCertificate" }, { type: "azure-native:deviceprovisioningservices/v20211015:DpsCertificate" }, { type: "azure-native:deviceprovisioningservices/v20220205:DpsCertificate" }, { type: "azure-native:deviceprovisioningservices/v20221212:DpsCertificate" }, { type: "azure-native:deviceprovisioningservices/v20230301preview:DpsCertificate" }, { type: "azure-native:deviceprovisioningservices/v20250201preview:DpsCertificate" }, { type: "azure-native:devices/v20211015:DpsCertificate" }, { type: "azure-native:devices/v20221212:DpsCertificate" }, { type: "azure-native:devices/v20230301preview:DpsCertificate" }, { type: "azure-native:devices/v20250201preview:DpsCertificate" }, { type: "azure-native:devices:DpsCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devices/v20211015:DpsCertificate" }, { type: "azure-native:devices/v20221212:DpsCertificate" }, { type: "azure-native:devices/v20230301preview:DpsCertificate" }, { type: "azure-native:devices/v20250201preview:DpsCertificate" }, { type: "azure-native:devices:DpsCertificate" }, { type: "azure-native_deviceprovisioningservices_v20170821preview:deviceprovisioningservices:DpsCertificate" }, { type: "azure-native_deviceprovisioningservices_v20171115:deviceprovisioningservices:DpsCertificate" }, { type: "azure-native_deviceprovisioningservices_v20180122:deviceprovisioningservices:DpsCertificate" }, { type: "azure-native_deviceprovisioningservices_v20200101:deviceprovisioningservices:DpsCertificate" }, { type: "azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:DpsCertificate" }, { type: "azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:DpsCertificate" }, { type: "azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:DpsCertificate" }, { type: "azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:DpsCertificate" }, { type: "azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:DpsCertificate" }, { type: "azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:DpsCertificate" }, { type: "azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:DpsCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DpsCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceprovisioningservices/iotDpsResource.ts b/sdk/nodejs/deviceprovisioningservices/iotDpsResource.ts index 608f8a6f8005..ac013805313a 100644 --- a/sdk/nodejs/deviceprovisioningservices/iotDpsResource.ts +++ b/sdk/nodejs/deviceprovisioningservices/iotDpsResource.ts @@ -139,7 +139,7 @@ export class IotDpsResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceprovisioningservices/v20170821preview:IotDpsResource" }, { type: "azure-native:deviceprovisioningservices/v20171115:IotDpsResource" }, { type: "azure-native:deviceprovisioningservices/v20180122:IotDpsResource" }, { type: "azure-native:deviceprovisioningservices/v20200101:IotDpsResource" }, { type: "azure-native:deviceprovisioningservices/v20200301:IotDpsResource" }, { type: "azure-native:deviceprovisioningservices/v20200901preview:IotDpsResource" }, { type: "azure-native:deviceprovisioningservices/v20211015:IotDpsResource" }, { type: "azure-native:deviceprovisioningservices/v20220205:IotDpsResource" }, { type: "azure-native:deviceprovisioningservices/v20221212:IotDpsResource" }, { type: "azure-native:deviceprovisioningservices/v20230301preview:IotDpsResource" }, { type: "azure-native:deviceprovisioningservices/v20250201preview:IotDpsResource" }, { type: "azure-native:devices/v20200901preview:IotDpsResource" }, { type: "azure-native:devices/v20221212:IotDpsResource" }, { type: "azure-native:devices/v20230301preview:IotDpsResource" }, { type: "azure-native:devices/v20250201preview:IotDpsResource" }, { type: "azure-native:devices:IotDpsResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devices/v20200901preview:IotDpsResource" }, { type: "azure-native:devices/v20221212:IotDpsResource" }, { type: "azure-native:devices/v20230301preview:IotDpsResource" }, { type: "azure-native:devices/v20250201preview:IotDpsResource" }, { type: "azure-native:devices:IotDpsResource" }, { type: "azure-native_deviceprovisioningservices_v20170821preview:deviceprovisioningservices:IotDpsResource" }, { type: "azure-native_deviceprovisioningservices_v20171115:deviceprovisioningservices:IotDpsResource" }, { type: "azure-native_deviceprovisioningservices_v20180122:deviceprovisioningservices:IotDpsResource" }, { type: "azure-native_deviceprovisioningservices_v20200101:deviceprovisioningservices:IotDpsResource" }, { type: "azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:IotDpsResource" }, { type: "azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:IotDpsResource" }, { type: "azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:IotDpsResource" }, { type: "azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:IotDpsResource" }, { type: "azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:IotDpsResource" }, { type: "azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:IotDpsResource" }, { type: "azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:IotDpsResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IotDpsResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceprovisioningservices/iotDpsResourcePrivateEndpointConnection.ts b/sdk/nodejs/deviceprovisioningservices/iotDpsResourcePrivateEndpointConnection.ts index d8f5f15dd7dd..f5e57d9f6fb4 100644 --- a/sdk/nodejs/deviceprovisioningservices/iotDpsResourcePrivateEndpointConnection.ts +++ b/sdk/nodejs/deviceprovisioningservices/iotDpsResourcePrivateEndpointConnection.ts @@ -98,7 +98,7 @@ export class IotDpsResourcePrivateEndpointConnection extends pulumi.CustomResour resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceprovisioningservices/v20200301:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:deviceprovisioningservices/v20200901preview:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:deviceprovisioningservices/v20211015:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:deviceprovisioningservices/v20220205:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:deviceprovisioningservices/v20221212:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:deviceprovisioningservices/v20230301preview:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:deviceprovisioningservices/v20250201preview:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:devices/v20221212:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:devices/v20230301preview:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:devices/v20250201preview:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:devices:IotDpsResourcePrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devices/v20221212:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:devices/v20230301preview:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:devices/v20250201preview:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native:devices:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }, { type: "azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IotDpsResourcePrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceregistry/asset.ts b/sdk/nodejs/deviceregistry/asset.ts index 386359d88f1c..07b1e5698fab 100644 --- a/sdk/nodejs/deviceregistry/asset.ts +++ b/sdk/nodejs/deviceregistry/asset.ts @@ -253,7 +253,7 @@ export class Asset extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20231101preview:Asset" }, { type: "azure-native:deviceregistry/v20240901preview:Asset" }, { type: "azure-native:deviceregistry/v20241101:Asset" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20231101preview:Asset" }, { type: "azure-native:deviceregistry/v20240901preview:Asset" }, { type: "azure-native:deviceregistry/v20241101:Asset" }, { type: "azure-native_deviceregistry_v20231101preview:deviceregistry:Asset" }, { type: "azure-native_deviceregistry_v20240901preview:deviceregistry:Asset" }, { type: "azure-native_deviceregistry_v20241101:deviceregistry:Asset" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Asset.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceregistry/assetEndpointProfile.ts b/sdk/nodejs/deviceregistry/assetEndpointProfile.ts index edcab6dbaf78..959ae30d1326 100644 --- a/sdk/nodejs/deviceregistry/assetEndpointProfile.ts +++ b/sdk/nodejs/deviceregistry/assetEndpointProfile.ts @@ -160,7 +160,7 @@ export class AssetEndpointProfile extends pulumi.CustomResource { resourceInputs["uuid"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20231101preview:AssetEndpointProfile" }, { type: "azure-native:deviceregistry/v20240901preview:AssetEndpointProfile" }, { type: "azure-native:deviceregistry/v20241101:AssetEndpointProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20231101preview:AssetEndpointProfile" }, { type: "azure-native:deviceregistry/v20240901preview:AssetEndpointProfile" }, { type: "azure-native:deviceregistry/v20241101:AssetEndpointProfile" }, { type: "azure-native_deviceregistry_v20231101preview:deviceregistry:AssetEndpointProfile" }, { type: "azure-native_deviceregistry_v20240901preview:deviceregistry:AssetEndpointProfile" }, { type: "azure-native_deviceregistry_v20241101:deviceregistry:AssetEndpointProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AssetEndpointProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceregistry/discoveredAsset.ts b/sdk/nodejs/deviceregistry/discoveredAsset.ts index c52f3e1753b2..97c47d85890d 100644 --- a/sdk/nodejs/deviceregistry/discoveredAsset.ts +++ b/sdk/nodejs/deviceregistry/discoveredAsset.ts @@ -215,7 +215,7 @@ export class DiscoveredAsset extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20240901preview:DiscoveredAsset" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20240901preview:DiscoveredAsset" }, { type: "azure-native_deviceregistry_v20240901preview:deviceregistry:DiscoveredAsset" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DiscoveredAsset.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceregistry/discoveredAssetEndpointProfile.ts b/sdk/nodejs/deviceregistry/discoveredAssetEndpointProfile.ts index 91ddda270f1d..52981dcea746 100644 --- a/sdk/nodejs/deviceregistry/discoveredAssetEndpointProfile.ts +++ b/sdk/nodejs/deviceregistry/discoveredAssetEndpointProfile.ts @@ -158,7 +158,7 @@ export class DiscoveredAssetEndpointProfile extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20240901preview:DiscoveredAssetEndpointProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20240901preview:DiscoveredAssetEndpointProfile" }, { type: "azure-native_deviceregistry_v20240901preview:deviceregistry:DiscoveredAssetEndpointProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DiscoveredAssetEndpointProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceregistry/schema.ts b/sdk/nodejs/deviceregistry/schema.ts index 552cb1c826ad..dd6f7ec7db54 100644 --- a/sdk/nodejs/deviceregistry/schema.ts +++ b/sdk/nodejs/deviceregistry/schema.ts @@ -135,7 +135,7 @@ export class Schema extends pulumi.CustomResource { resourceInputs["uuid"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20240901preview:Schema" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20240901preview:Schema" }, { type: "azure-native_deviceregistry_v20240901preview:deviceregistry:Schema" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Schema.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceregistry/schemaRegistry.ts b/sdk/nodejs/deviceregistry/schemaRegistry.ts index 87c1558cd94e..ce76df70e180 100644 --- a/sdk/nodejs/deviceregistry/schemaRegistry.ts +++ b/sdk/nodejs/deviceregistry/schemaRegistry.ts @@ -143,7 +143,7 @@ export class SchemaRegistry extends pulumi.CustomResource { resourceInputs["uuid"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20240901preview:SchemaRegistry" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20240901preview:SchemaRegistry" }, { type: "azure-native_deviceregistry_v20240901preview:deviceregistry:SchemaRegistry" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SchemaRegistry.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceregistry/schemaVersion.ts b/sdk/nodejs/deviceregistry/schemaVersion.ts index 6cf314f73eb6..c864c90c85f0 100644 --- a/sdk/nodejs/deviceregistry/schemaVersion.ts +++ b/sdk/nodejs/deviceregistry/schemaVersion.ts @@ -124,7 +124,7 @@ export class SchemaVersion extends pulumi.CustomResource { resourceInputs["uuid"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20240901preview:SchemaVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:deviceregistry/v20240901preview:SchemaVersion" }, { type: "azure-native_deviceregistry_v20240901preview:deviceregistry:SchemaVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SchemaVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceupdate/account.ts b/sdk/nodejs/deviceupdate/account.ts index b6bc960a80cf..cfb2b5f812ef 100644 --- a/sdk/nodejs/deviceupdate/account.ts +++ b/sdk/nodejs/deviceupdate/account.ts @@ -143,7 +143,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceupdate/v20200301preview:Account" }, { type: "azure-native:deviceupdate/v20220401preview:Account" }, { type: "azure-native:deviceupdate/v20221001:Account" }, { type: "azure-native:deviceupdate/v20221201preview:Account" }, { type: "azure-native:deviceupdate/v20230701:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:deviceupdate/v20230701:Account" }, { type: "azure-native_deviceupdate_v20200301preview:deviceupdate:Account" }, { type: "azure-native_deviceupdate_v20220401preview:deviceupdate:Account" }, { type: "azure-native_deviceupdate_v20221001:deviceupdate:Account" }, { type: "azure-native_deviceupdate_v20221201preview:deviceupdate:Account" }, { type: "azure-native_deviceupdate_v20230701:deviceupdate:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceupdate/instance.ts b/sdk/nodejs/deviceupdate/instance.ts index ea72eab658df..53de9f8ee4e6 100644 --- a/sdk/nodejs/deviceupdate/instance.ts +++ b/sdk/nodejs/deviceupdate/instance.ts @@ -128,7 +128,7 @@ export class Instance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceupdate/v20200301preview:Instance" }, { type: "azure-native:deviceupdate/v20220401preview:Instance" }, { type: "azure-native:deviceupdate/v20221001:Instance" }, { type: "azure-native:deviceupdate/v20221201preview:Instance" }, { type: "azure-native:deviceupdate/v20230701:Instance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:deviceupdate/v20230701:Instance" }, { type: "azure-native_deviceupdate_v20200301preview:deviceupdate:Instance" }, { type: "azure-native_deviceupdate_v20220401preview:deviceupdate:Instance" }, { type: "azure-native_deviceupdate_v20221001:deviceupdate:Instance" }, { type: "azure-native_deviceupdate_v20221201preview:deviceupdate:Instance" }, { type: "azure-native_deviceupdate_v20230701:deviceupdate:Instance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Instance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceupdate/privateEndpointConnection.ts b/sdk/nodejs/deviceupdate/privateEndpointConnection.ts index b8f221dc724f..cec0dbccebd3 100644 --- a/sdk/nodejs/deviceupdate/privateEndpointConnection.ts +++ b/sdk/nodejs/deviceupdate/privateEndpointConnection.ts @@ -114,7 +114,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceupdate/v20200301preview:PrivateEndpointConnection" }, { type: "azure-native:deviceupdate/v20220401preview:PrivateEndpointConnection" }, { type: "azure-native:deviceupdate/v20221001:PrivateEndpointConnection" }, { type: "azure-native:deviceupdate/v20221201preview:PrivateEndpointConnection" }, { type: "azure-native:deviceupdate/v20230701:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:deviceupdate/v20230701:PrivateEndpointConnection" }, { type: "azure-native_deviceupdate_v20200301preview:deviceupdate:PrivateEndpointConnection" }, { type: "azure-native_deviceupdate_v20220401preview:deviceupdate:PrivateEndpointConnection" }, { type: "azure-native_deviceupdate_v20221001:deviceupdate:PrivateEndpointConnection" }, { type: "azure-native_deviceupdate_v20221201preview:deviceupdate:PrivateEndpointConnection" }, { type: "azure-native_deviceupdate_v20230701:deviceupdate:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/deviceupdate/privateEndpointConnectionProxy.ts b/sdk/nodejs/deviceupdate/privateEndpointConnectionProxy.ts index fa1f2caeb132..83877f2daa04 100644 --- a/sdk/nodejs/deviceupdate/privateEndpointConnectionProxy.ts +++ b/sdk/nodejs/deviceupdate/privateEndpointConnectionProxy.ts @@ -111,7 +111,7 @@ export class PrivateEndpointConnectionProxy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:deviceupdate/v20200301preview:PrivateEndpointConnectionProxy" }, { type: "azure-native:deviceupdate/v20220401preview:PrivateEndpointConnectionProxy" }, { type: "azure-native:deviceupdate/v20221001:PrivateEndpointConnectionProxy" }, { type: "azure-native:deviceupdate/v20221201preview:PrivateEndpointConnectionProxy" }, { type: "azure-native:deviceupdate/v20230701:PrivateEndpointConnectionProxy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:deviceupdate/v20230701:PrivateEndpointConnectionProxy" }, { type: "azure-native_deviceupdate_v20200301preview:deviceupdate:PrivateEndpointConnectionProxy" }, { type: "azure-native_deviceupdate_v20220401preview:deviceupdate:PrivateEndpointConnectionProxy" }, { type: "azure-native_deviceupdate_v20221001:deviceupdate:PrivateEndpointConnectionProxy" }, { type: "azure-native_deviceupdate_v20221201preview:deviceupdate:PrivateEndpointConnectionProxy" }, { type: "azure-native_deviceupdate_v20230701:deviceupdate:PrivateEndpointConnectionProxy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionProxy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devopsinfrastructure/pool.ts b/sdk/nodejs/devopsinfrastructure/pool.ts index a57f49cbb827..6c558887ffb2 100644 --- a/sdk/nodejs/devopsinfrastructure/pool.ts +++ b/sdk/nodejs/devopsinfrastructure/pool.ts @@ -154,7 +154,7 @@ export class Pool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devopsinfrastructure/v20231030preview:Pool" }, { type: "azure-native:devopsinfrastructure/v20231213preview:Pool" }, { type: "azure-native:devopsinfrastructure/v20240326preview:Pool" }, { type: "azure-native:devopsinfrastructure/v20240404preview:Pool" }, { type: "azure-native:devopsinfrastructure/v20241019:Pool" }, { type: "azure-native:devopsinfrastructure/v20250121:Pool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devopsinfrastructure/v20231030preview:Pool" }, { type: "azure-native:devopsinfrastructure/v20231213preview:Pool" }, { type: "azure-native:devopsinfrastructure/v20240326preview:Pool" }, { type: "azure-native:devopsinfrastructure/v20240404preview:Pool" }, { type: "azure-native:devopsinfrastructure/v20241019:Pool" }, { type: "azure-native:devopsinfrastructure/v20250121:Pool" }, { type: "azure-native_devopsinfrastructure_v20231030preview:devopsinfrastructure:Pool" }, { type: "azure-native_devopsinfrastructure_v20231213preview:devopsinfrastructure:Pool" }, { type: "azure-native_devopsinfrastructure_v20240326preview:devopsinfrastructure:Pool" }, { type: "azure-native_devopsinfrastructure_v20240404preview:devopsinfrastructure:Pool" }, { type: "azure-native_devopsinfrastructure_v20241019:devopsinfrastructure:Pool" }, { type: "azure-native_devopsinfrastructure_v20250121:devopsinfrastructure:Pool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Pool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devspaces/controller.ts b/sdk/nodejs/devspaces/controller.ts index b867bed29d9a..c8635dd4bbdf 100644 --- a/sdk/nodejs/devspaces/controller.ts +++ b/sdk/nodejs/devspaces/controller.ts @@ -132,7 +132,7 @@ export class Controller extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devspaces/v20190401:Controller" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devspaces/v20190401:Controller" }, { type: "azure-native_devspaces_v20190401:devspaces:Controller" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Controller.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/artifactSource.ts b/sdk/nodejs/devtestlab/artifactSource.ts index 9c003a7c7755..94d2b2d0ace5 100644 --- a/sdk/nodejs/devtestlab/artifactSource.ts +++ b/sdk/nodejs/devtestlab/artifactSource.ts @@ -158,7 +158,7 @@ export class ArtifactSource extends pulumi.CustomResource { resourceInputs["uri"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20150521preview:ArtifactSource" }, { type: "azure-native:devtestlab/v20160515:ArtifactSource" }, { type: "azure-native:devtestlab/v20180915:ArtifactSource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:ArtifactSource" }, { type: "azure-native_devtestlab_v20150521preview:devtestlab:ArtifactSource" }, { type: "azure-native_devtestlab_v20160515:devtestlab:ArtifactSource" }, { type: "azure-native_devtestlab_v20180915:devtestlab:ArtifactSource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ArtifactSource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/customImage.ts b/sdk/nodejs/devtestlab/customImage.ts index 5f9003fc0c02..6e6076444ddc 100644 --- a/sdk/nodejs/devtestlab/customImage.ts +++ b/sdk/nodejs/devtestlab/customImage.ts @@ -164,7 +164,7 @@ export class CustomImage extends pulumi.CustomResource { resourceInputs["vm"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20150521preview:CustomImage" }, { type: "azure-native:devtestlab/v20160515:CustomImage" }, { type: "azure-native:devtestlab/v20180915:CustomImage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:CustomImage" }, { type: "azure-native_devtestlab_v20150521preview:devtestlab:CustomImage" }, { type: "azure-native_devtestlab_v20160515:devtestlab:CustomImage" }, { type: "azure-native_devtestlab_v20180915:devtestlab:CustomImage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomImage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/disk.ts b/sdk/nodejs/devtestlab/disk.ts index 87e42e4b2c88..415dcfc5560b 100644 --- a/sdk/nodejs/devtestlab/disk.ts +++ b/sdk/nodejs/devtestlab/disk.ts @@ -162,7 +162,7 @@ export class Disk extends pulumi.CustomResource { resourceInputs["uniqueIdentifier"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20160515:Disk" }, { type: "azure-native:devtestlab/v20180915:Disk" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:Disk" }, { type: "azure-native_devtestlab_v20160515:devtestlab:Disk" }, { type: "azure-native_devtestlab_v20180915:devtestlab:Disk" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Disk.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/environment.ts b/sdk/nodejs/devtestlab/environment.ts index 93b532e9e319..4c1633e290fa 100644 --- a/sdk/nodejs/devtestlab/environment.ts +++ b/sdk/nodejs/devtestlab/environment.ts @@ -132,7 +132,7 @@ export class Environment extends pulumi.CustomResource { resourceInputs["uniqueIdentifier"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20160515:Environment" }, { type: "azure-native:devtestlab/v20180915:Environment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:Environment" }, { type: "azure-native_devtestlab_v20160515:devtestlab:Environment" }, { type: "azure-native_devtestlab_v20180915:devtestlab:Environment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Environment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/formula.ts b/sdk/nodejs/devtestlab/formula.ts index 2e51433cdac0..de32ee98e241 100644 --- a/sdk/nodejs/devtestlab/formula.ts +++ b/sdk/nodejs/devtestlab/formula.ts @@ -140,7 +140,7 @@ export class Formula extends pulumi.CustomResource { resourceInputs["vm"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20150521preview:Formula" }, { type: "azure-native:devtestlab/v20160515:Formula" }, { type: "azure-native:devtestlab/v20180915:Formula" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:Formula" }, { type: "azure-native_devtestlab_v20150521preview:devtestlab:Formula" }, { type: "azure-native_devtestlab_v20160515:devtestlab:Formula" }, { type: "azure-native_devtestlab_v20180915:devtestlab:Formula" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Formula.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/globalSchedule.ts b/sdk/nodejs/devtestlab/globalSchedule.ts index 9daace45c69c..f36fd8fbe687 100644 --- a/sdk/nodejs/devtestlab/globalSchedule.ts +++ b/sdk/nodejs/devtestlab/globalSchedule.ts @@ -154,7 +154,7 @@ export class GlobalSchedule extends pulumi.CustomResource { resourceInputs["weeklyRecurrence"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20160515:GlobalSchedule" }, { type: "azure-native:devtestlab/v20180915:GlobalSchedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:GlobalSchedule" }, { type: "azure-native_devtestlab_v20160515:devtestlab:GlobalSchedule" }, { type: "azure-native_devtestlab_v20180915:devtestlab:GlobalSchedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GlobalSchedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/lab.ts b/sdk/nodejs/devtestlab/lab.ts index 92ef4f5d2584..1ff7d74c5144 100644 --- a/sdk/nodejs/devtestlab/lab.ts +++ b/sdk/nodejs/devtestlab/lab.ts @@ -210,7 +210,7 @@ export class Lab extends pulumi.CustomResource { resourceInputs["vmCreationResourceGroup"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20150521preview:Lab" }, { type: "azure-native:devtestlab/v20160515:Lab" }, { type: "azure-native:devtestlab/v20180915:Lab" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:Lab" }, { type: "azure-native_devtestlab_v20150521preview:devtestlab:Lab" }, { type: "azure-native_devtestlab_v20160515:devtestlab:Lab" }, { type: "azure-native_devtestlab_v20180915:devtestlab:Lab" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Lab.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/notificationChannel.ts b/sdk/nodejs/devtestlab/notificationChannel.ts index 483748a0df99..1a15129d1e23 100644 --- a/sdk/nodejs/devtestlab/notificationChannel.ts +++ b/sdk/nodejs/devtestlab/notificationChannel.ts @@ -140,7 +140,7 @@ export class NotificationChannel extends pulumi.CustomResource { resourceInputs["webHookUrl"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20160515:NotificationChannel" }, { type: "azure-native:devtestlab/v20180915:NotificationChannel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:NotificationChannel" }, { type: "azure-native_devtestlab_v20160515:devtestlab:NotificationChannel" }, { type: "azure-native_devtestlab_v20180915:devtestlab:NotificationChannel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NotificationChannel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/policy.ts b/sdk/nodejs/devtestlab/policy.ts index 164fc367b168..271e80e353e1 100644 --- a/sdk/nodejs/devtestlab/policy.ts +++ b/sdk/nodejs/devtestlab/policy.ts @@ -150,7 +150,7 @@ export class Policy extends pulumi.CustomResource { resourceInputs["uniqueIdentifier"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20150521preview:Policy" }, { type: "azure-native:devtestlab/v20160515:Policy" }, { type: "azure-native:devtestlab/v20180915:Policy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:Policy" }, { type: "azure-native_devtestlab_v20150521preview:devtestlab:Policy" }, { type: "azure-native_devtestlab_v20160515:devtestlab:Policy" }, { type: "azure-native_devtestlab_v20180915:devtestlab:Policy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Policy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/schedule.ts b/sdk/nodejs/devtestlab/schedule.ts index c79f7add5c32..31b928c58f9e 100644 --- a/sdk/nodejs/devtestlab/schedule.ts +++ b/sdk/nodejs/devtestlab/schedule.ts @@ -158,7 +158,7 @@ export class Schedule extends pulumi.CustomResource { resourceInputs["weeklyRecurrence"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20150521preview:Schedule" }, { type: "azure-native:devtestlab/v20160515:Schedule" }, { type: "azure-native:devtestlab/v20180915:Schedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:Schedule" }, { type: "azure-native_devtestlab_v20150521preview:devtestlab:Schedule" }, { type: "azure-native_devtestlab_v20160515:devtestlab:Schedule" }, { type: "azure-native_devtestlab_v20180915:devtestlab:Schedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Schedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/secret.ts b/sdk/nodejs/devtestlab/secret.ts index 0725fe623414..dadc7a027156 100644 --- a/sdk/nodejs/devtestlab/secret.ts +++ b/sdk/nodejs/devtestlab/secret.ts @@ -111,7 +111,7 @@ export class Secret extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20160515:Secret" }, { type: "azure-native:devtestlab/v20180915:Secret" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:Secret" }, { type: "azure-native_devtestlab_v20160515:devtestlab:Secret" }, { type: "azure-native_devtestlab_v20180915:devtestlab:Secret" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Secret.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/serviceFabric.ts b/sdk/nodejs/devtestlab/serviceFabric.ts index e6a958778cd5..fdd2f88f5273 100644 --- a/sdk/nodejs/devtestlab/serviceFabric.ts +++ b/sdk/nodejs/devtestlab/serviceFabric.ts @@ -126,7 +126,7 @@ export class ServiceFabric extends pulumi.CustomResource { resourceInputs["uniqueIdentifier"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:ServiceFabric" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:ServiceFabric" }, { type: "azure-native_devtestlab_v20180915:devtestlab:ServiceFabric" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServiceFabric.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/serviceFabricSchedule.ts b/sdk/nodejs/devtestlab/serviceFabricSchedule.ts index 271ce25c744e..b5d35bc74fb2 100644 --- a/sdk/nodejs/devtestlab/serviceFabricSchedule.ts +++ b/sdk/nodejs/devtestlab/serviceFabricSchedule.ts @@ -166,7 +166,7 @@ export class ServiceFabricSchedule extends pulumi.CustomResource { resourceInputs["weeklyRecurrence"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:ServiceFabricSchedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:ServiceFabricSchedule" }, { type: "azure-native_devtestlab_v20180915:devtestlab:ServiceFabricSchedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServiceFabricSchedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/serviceRunner.ts b/sdk/nodejs/devtestlab/serviceRunner.ts index 225729b53143..d983b9f7aefe 100644 --- a/sdk/nodejs/devtestlab/serviceRunner.ts +++ b/sdk/nodejs/devtestlab/serviceRunner.ts @@ -98,7 +98,7 @@ export class ServiceRunner extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20160515:ServiceRunner" }, { type: "azure-native:devtestlab/v20180915:ServiceRunner" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:ServiceRunner" }, { type: "azure-native_devtestlab_v20160515:devtestlab:ServiceRunner" }, { type: "azure-native_devtestlab_v20180915:devtestlab:ServiceRunner" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServiceRunner.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/user.ts b/sdk/nodejs/devtestlab/user.ts index d86164abdda4..69e07fc74049 100644 --- a/sdk/nodejs/devtestlab/user.ts +++ b/sdk/nodejs/devtestlab/user.ts @@ -122,7 +122,7 @@ export class User extends pulumi.CustomResource { resourceInputs["uniqueIdentifier"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20160515:User" }, { type: "azure-native:devtestlab/v20180915:User" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:User" }, { type: "azure-native_devtestlab_v20160515:devtestlab:User" }, { type: "azure-native_devtestlab_v20180915:devtestlab:User" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(User.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/virtualMachine.ts b/sdk/nodejs/devtestlab/virtualMachine.ts index 8fcd104bcc5e..c7406d8a6bf7 100644 --- a/sdk/nodejs/devtestlab/virtualMachine.ts +++ b/sdk/nodejs/devtestlab/virtualMachine.ts @@ -302,7 +302,7 @@ export class VirtualMachine extends pulumi.CustomResource { resourceInputs["virtualMachineCreationSource"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20150521preview:VirtualMachine" }, { type: "azure-native:devtestlab/v20160515:VirtualMachine" }, { type: "azure-native:devtestlab/v20180915:VirtualMachine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:VirtualMachine" }, { type: "azure-native_devtestlab_v20150521preview:devtestlab:VirtualMachine" }, { type: "azure-native_devtestlab_v20160515:devtestlab:VirtualMachine" }, { type: "azure-native_devtestlab_v20180915:devtestlab:VirtualMachine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/virtualMachineSchedule.ts b/sdk/nodejs/devtestlab/virtualMachineSchedule.ts index c17e47728196..20f80a209784 100644 --- a/sdk/nodejs/devtestlab/virtualMachineSchedule.ts +++ b/sdk/nodejs/devtestlab/virtualMachineSchedule.ts @@ -162,7 +162,7 @@ export class VirtualMachineSchedule extends pulumi.CustomResource { resourceInputs["weeklyRecurrence"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20160515:VirtualMachineSchedule" }, { type: "azure-native:devtestlab/v20180915:VirtualMachineSchedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:VirtualMachineSchedule" }, { type: "azure-native_devtestlab_v20160515:devtestlab:VirtualMachineSchedule" }, { type: "azure-native_devtestlab_v20180915:devtestlab:VirtualMachineSchedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineSchedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/devtestlab/virtualNetwork.ts b/sdk/nodejs/devtestlab/virtualNetwork.ts index efe958fa24b8..940c238887c1 100644 --- a/sdk/nodejs/devtestlab/virtualNetwork.ts +++ b/sdk/nodejs/devtestlab/virtualNetwork.ts @@ -140,7 +140,7 @@ export class VirtualNetwork extends pulumi.CustomResource { resourceInputs["uniqueIdentifier"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20150521preview:VirtualNetwork" }, { type: "azure-native:devtestlab/v20160515:VirtualNetwork" }, { type: "azure-native:devtestlab/v20180915:VirtualNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devtestlab/v20180915:VirtualNetwork" }, { type: "azure-native_devtestlab_v20150521preview:devtestlab:VirtualNetwork" }, { type: "azure-native_devtestlab_v20160515:devtestlab:VirtualNetwork" }, { type: "azure-native_devtestlab_v20180915:devtestlab:VirtualNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/digitaltwins/digitalTwin.ts b/sdk/nodejs/digitaltwins/digitalTwin.ts index d58493f9f6df..4f79ffb7d62e 100644 --- a/sdk/nodejs/digitaltwins/digitalTwin.ts +++ b/sdk/nodejs/digitaltwins/digitalTwin.ts @@ -137,7 +137,7 @@ export class DigitalTwin extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:digitaltwins/v20200301preview:DigitalTwin" }, { type: "azure-native:digitaltwins/v20201031:DigitalTwin" }, { type: "azure-native:digitaltwins/v20201201:DigitalTwin" }, { type: "azure-native:digitaltwins/v20210630preview:DigitalTwin" }, { type: "azure-native:digitaltwins/v20220531:DigitalTwin" }, { type: "azure-native:digitaltwins/v20221031:DigitalTwin" }, { type: "azure-native:digitaltwins/v20230131:DigitalTwin" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:digitaltwins/v20230131:DigitalTwin" }, { type: "azure-native_digitaltwins_v20200301preview:digitaltwins:DigitalTwin" }, { type: "azure-native_digitaltwins_v20201031:digitaltwins:DigitalTwin" }, { type: "azure-native_digitaltwins_v20201201:digitaltwins:DigitalTwin" }, { type: "azure-native_digitaltwins_v20210630preview:digitaltwins:DigitalTwin" }, { type: "azure-native_digitaltwins_v20220531:digitaltwins:DigitalTwin" }, { type: "azure-native_digitaltwins_v20221031:digitaltwins:DigitalTwin" }, { type: "azure-native_digitaltwins_v20230131:digitaltwins:DigitalTwin" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DigitalTwin.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/digitaltwins/digitalTwinsEndpoint.ts b/sdk/nodejs/digitaltwins/digitalTwinsEndpoint.ts index cf9caa01ab3e..46190145e8cf 100644 --- a/sdk/nodejs/digitaltwins/digitalTwinsEndpoint.ts +++ b/sdk/nodejs/digitaltwins/digitalTwinsEndpoint.ts @@ -96,7 +96,7 @@ export class DigitalTwinsEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:digitaltwins/v20200301preview:DigitalTwinsEndpoint" }, { type: "azure-native:digitaltwins/v20201031:DigitalTwinsEndpoint" }, { type: "azure-native:digitaltwins/v20201201:DigitalTwinsEndpoint" }, { type: "azure-native:digitaltwins/v20210630preview:DigitalTwinsEndpoint" }, { type: "azure-native:digitaltwins/v20220531:DigitalTwinsEndpoint" }, { type: "azure-native:digitaltwins/v20221031:DigitalTwinsEndpoint" }, { type: "azure-native:digitaltwins/v20230131:DigitalTwinsEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:digitaltwins/v20230131:DigitalTwinsEndpoint" }, { type: "azure-native_digitaltwins_v20200301preview:digitaltwins:DigitalTwinsEndpoint" }, { type: "azure-native_digitaltwins_v20201031:digitaltwins:DigitalTwinsEndpoint" }, { type: "azure-native_digitaltwins_v20201201:digitaltwins:DigitalTwinsEndpoint" }, { type: "azure-native_digitaltwins_v20210630preview:digitaltwins:DigitalTwinsEndpoint" }, { type: "azure-native_digitaltwins_v20220531:digitaltwins:DigitalTwinsEndpoint" }, { type: "azure-native_digitaltwins_v20221031:digitaltwins:DigitalTwinsEndpoint" }, { type: "azure-native_digitaltwins_v20230131:digitaltwins:DigitalTwinsEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DigitalTwinsEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/digitaltwins/privateEndpointConnection.ts b/sdk/nodejs/digitaltwins/privateEndpointConnection.ts index bb9a26638b0f..9c4b0dae55eb 100644 --- a/sdk/nodejs/digitaltwins/privateEndpointConnection.ts +++ b/sdk/nodejs/digitaltwins/privateEndpointConnection.ts @@ -96,7 +96,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:digitaltwins/v20201201:PrivateEndpointConnection" }, { type: "azure-native:digitaltwins/v20210630preview:PrivateEndpointConnection" }, { type: "azure-native:digitaltwins/v20220531:PrivateEndpointConnection" }, { type: "azure-native:digitaltwins/v20221031:PrivateEndpointConnection" }, { type: "azure-native:digitaltwins/v20230131:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:digitaltwins/v20201201:PrivateEndpointConnection" }, { type: "azure-native:digitaltwins/v20230131:PrivateEndpointConnection" }, { type: "azure-native_digitaltwins_v20201201:digitaltwins:PrivateEndpointConnection" }, { type: "azure-native_digitaltwins_v20210630preview:digitaltwins:PrivateEndpointConnection" }, { type: "azure-native_digitaltwins_v20220531:digitaltwins:PrivateEndpointConnection" }, { type: "azure-native_digitaltwins_v20221031:digitaltwins:PrivateEndpointConnection" }, { type: "azure-native_digitaltwins_v20230131:digitaltwins:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/digitaltwins/timeSeriesDatabaseConnection.ts b/sdk/nodejs/digitaltwins/timeSeriesDatabaseConnection.ts index 668abc3163de..3ab60c0d99fa 100644 --- a/sdk/nodejs/digitaltwins/timeSeriesDatabaseConnection.ts +++ b/sdk/nodejs/digitaltwins/timeSeriesDatabaseConnection.ts @@ -93,7 +93,7 @@ export class TimeSeriesDatabaseConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:digitaltwins/v20210630preview:TimeSeriesDatabaseConnection" }, { type: "azure-native:digitaltwins/v20220531:TimeSeriesDatabaseConnection" }, { type: "azure-native:digitaltwins/v20221031:TimeSeriesDatabaseConnection" }, { type: "azure-native:digitaltwins/v20230131:TimeSeriesDatabaseConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:digitaltwins/v20230131:TimeSeriesDatabaseConnection" }, { type: "azure-native_digitaltwins_v20210630preview:digitaltwins:TimeSeriesDatabaseConnection" }, { type: "azure-native_digitaltwins_v20220531:digitaltwins:TimeSeriesDatabaseConnection" }, { type: "azure-native_digitaltwins_v20221031:digitaltwins:TimeSeriesDatabaseConnection" }, { type: "azure-native_digitaltwins_v20230131:digitaltwins:TimeSeriesDatabaseConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TimeSeriesDatabaseConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dns/dnssecConfig.ts b/sdk/nodejs/dns/dnssecConfig.ts index cf300995c369..55f67e9acca0 100644 --- a/sdk/nodejs/dns/dnssecConfig.ts +++ b/sdk/nodejs/dns/dnssecConfig.ts @@ -104,7 +104,7 @@ export class DnssecConfig extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dns/v20230701preview:DnssecConfig" }, { type: "azure-native:network/v20230701preview:DnssecConfig" }, { type: "azure-native:network:DnssecConfig" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230701preview:DnssecConfig" }, { type: "azure-native:network:DnssecConfig" }, { type: "azure-native_dns_v20230701preview:dns:DnssecConfig" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DnssecConfig.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dns/recordSet.ts b/sdk/nodejs/dns/recordSet.ts index e34ebf608e61..63f4db9994d3 100644 --- a/sdk/nodejs/dns/recordSet.ts +++ b/sdk/nodejs/dns/recordSet.ts @@ -207,7 +207,7 @@ export class RecordSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dns/v20150504preview:RecordSet" }, { type: "azure-native:dns/v20160401:RecordSet" }, { type: "azure-native:dns/v20170901:RecordSet" }, { type: "azure-native:dns/v20171001:RecordSet" }, { type: "azure-native:dns/v20180301preview:RecordSet" }, { type: "azure-native:dns/v20180501:RecordSet" }, { type: "azure-native:dns/v20230701preview:RecordSet" }, { type: "azure-native:network/v20180501:RecordSet" }, { type: "azure-native:network/v20230701preview:RecordSet" }, { type: "azure-native:network:RecordSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20180501:RecordSet" }, { type: "azure-native:network/v20230701preview:RecordSet" }, { type: "azure-native:network:RecordSet" }, { type: "azure-native_dns_v20150504preview:dns:RecordSet" }, { type: "azure-native_dns_v20160401:dns:RecordSet" }, { type: "azure-native_dns_v20170901:dns:RecordSet" }, { type: "azure-native_dns_v20171001:dns:RecordSet" }, { type: "azure-native_dns_v20180301preview:dns:RecordSet" }, { type: "azure-native_dns_v20180501:dns:RecordSet" }, { type: "azure-native_dns_v20230701preview:dns:RecordSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RecordSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dns/zone.ts b/sdk/nodejs/dns/zone.ts index b581bc2663d5..832f9c33721f 100644 --- a/sdk/nodejs/dns/zone.ts +++ b/sdk/nodejs/dns/zone.ts @@ -151,7 +151,7 @@ export class Zone extends pulumi.CustomResource { resourceInputs["zoneType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dns/v20150504preview:Zone" }, { type: "azure-native:dns/v20160401:Zone" }, { type: "azure-native:dns/v20170901:Zone" }, { type: "azure-native:dns/v20171001:Zone" }, { type: "azure-native:dns/v20180301preview:Zone" }, { type: "azure-native:dns/v20180501:Zone" }, { type: "azure-native:dns/v20230701preview:Zone" }, { type: "azure-native:network/v20180501:Zone" }, { type: "azure-native:network/v20230701preview:Zone" }, { type: "azure-native:network:Zone" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20180501:Zone" }, { type: "azure-native:network/v20230701preview:Zone" }, { type: "azure-native:network:Zone" }, { type: "azure-native_dns_v20150504preview:dns:Zone" }, { type: "azure-native_dns_v20160401:dns:Zone" }, { type: "azure-native_dns_v20170901:dns:Zone" }, { type: "azure-native_dns_v20171001:dns:Zone" }, { type: "azure-native_dns_v20180301preview:dns:Zone" }, { type: "azure-native_dns_v20180501:dns:Zone" }, { type: "azure-native_dns_v20230701preview:dns:Zone" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Zone.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dnsresolver/dnsForwardingRuleset.ts b/sdk/nodejs/dnsresolver/dnsForwardingRuleset.ts index b5835080cb63..883f8463fec8 100644 --- a/sdk/nodejs/dnsresolver/dnsForwardingRuleset.ts +++ b/sdk/nodejs/dnsresolver/dnsForwardingRuleset.ts @@ -124,7 +124,7 @@ export class DnsForwardingRuleset extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dnsresolver/v20200401preview:DnsForwardingRuleset" }, { type: "azure-native:dnsresolver/v20220701:DnsForwardingRuleset" }, { type: "azure-native:dnsresolver/v20230701preview:DnsForwardingRuleset" }, { type: "azure-native:network/v20200401preview:DnsForwardingRuleset" }, { type: "azure-native:network/v20220701:DnsForwardingRuleset" }, { type: "azure-native:network/v20230701preview:DnsForwardingRuleset" }, { type: "azure-native:network:DnsForwardingRuleset" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200401preview:DnsForwardingRuleset" }, { type: "azure-native:network/v20220701:DnsForwardingRuleset" }, { type: "azure-native:network/v20230701preview:DnsForwardingRuleset" }, { type: "azure-native:network:DnsForwardingRuleset" }, { type: "azure-native_dnsresolver_v20200401preview:dnsresolver:DnsForwardingRuleset" }, { type: "azure-native_dnsresolver_v20220701:dnsresolver:DnsForwardingRuleset" }, { type: "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsForwardingRuleset" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DnsForwardingRuleset.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dnsresolver/dnsResolver.ts b/sdk/nodejs/dnsresolver/dnsResolver.ts index 7fec92890ee1..6795630bea4b 100644 --- a/sdk/nodejs/dnsresolver/dnsResolver.ts +++ b/sdk/nodejs/dnsresolver/dnsResolver.ts @@ -130,7 +130,7 @@ export class DnsResolver extends pulumi.CustomResource { resourceInputs["virtualNetwork"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dnsresolver/v20200401preview:DnsResolver" }, { type: "azure-native:dnsresolver/v20220701:DnsResolver" }, { type: "azure-native:dnsresolver/v20230701preview:DnsResolver" }, { type: "azure-native:network/v20220701:DnsResolver" }, { type: "azure-native:network/v20230701preview:DnsResolver" }, { type: "azure-native:network:DnsResolver" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20220701:DnsResolver" }, { type: "azure-native:network/v20230701preview:DnsResolver" }, { type: "azure-native:network:DnsResolver" }, { type: "azure-native_dnsresolver_v20200401preview:dnsresolver:DnsResolver" }, { type: "azure-native_dnsresolver_v20220701:dnsresolver:DnsResolver" }, { type: "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolver" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DnsResolver.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dnsresolver/dnsResolverDomainList.ts b/sdk/nodejs/dnsresolver/dnsResolverDomainList.ts index efdab06369e0..714f4f389c72 100644 --- a/sdk/nodejs/dnsresolver/dnsResolverDomainList.ts +++ b/sdk/nodejs/dnsresolver/dnsResolverDomainList.ts @@ -122,7 +122,7 @@ export class DnsResolverDomainList extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dnsresolver/v20230701preview:DnsResolverDomainList" }, { type: "azure-native:network/v20230701preview:DnsResolverDomainList" }, { type: "azure-native:network:DnsResolverDomainList" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230701preview:DnsResolverDomainList" }, { type: "azure-native:network:DnsResolverDomainList" }, { type: "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverDomainList" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DnsResolverDomainList.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dnsresolver/dnsResolverPolicy.ts b/sdk/nodejs/dnsresolver/dnsResolverPolicy.ts index 1f71304d181f..97594e0054f4 100644 --- a/sdk/nodejs/dnsresolver/dnsResolverPolicy.ts +++ b/sdk/nodejs/dnsresolver/dnsResolverPolicy.ts @@ -113,7 +113,7 @@ export class DnsResolverPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dnsresolver/v20230701preview:DnsResolverPolicy" }, { type: "azure-native:network/v20230701preview:DnsResolverPolicy" }, { type: "azure-native:network:DnsResolverPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230701preview:DnsResolverPolicy" }, { type: "azure-native:network:DnsResolverPolicy" }, { type: "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DnsResolverPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dnsresolver/dnsResolverPolicyVirtualNetworkLink.ts b/sdk/nodejs/dnsresolver/dnsResolverPolicyVirtualNetworkLink.ts index 44994b3cb4cb..cbbd9a14d56b 100644 --- a/sdk/nodejs/dnsresolver/dnsResolverPolicyVirtualNetworkLink.ts +++ b/sdk/nodejs/dnsresolver/dnsResolverPolicyVirtualNetworkLink.ts @@ -120,7 +120,7 @@ export class DnsResolverPolicyVirtualNetworkLink extends pulumi.CustomResource { resourceInputs["virtualNetwork"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dnsresolver/v20230701preview:DnsResolverPolicyVirtualNetworkLink" }, { type: "azure-native:network/v20230701preview:DnsResolverPolicyVirtualNetworkLink" }, { type: "azure-native:network:DnsResolverPolicyVirtualNetworkLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230701preview:DnsResolverPolicyVirtualNetworkLink" }, { type: "azure-native:network:DnsResolverPolicyVirtualNetworkLink" }, { type: "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverPolicyVirtualNetworkLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DnsResolverPolicyVirtualNetworkLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dnsresolver/dnsSecurityRule.ts b/sdk/nodejs/dnsresolver/dnsSecurityRule.ts index 1396905ed3f0..18142a5e1c4d 100644 --- a/sdk/nodejs/dnsresolver/dnsSecurityRule.ts +++ b/sdk/nodejs/dnsresolver/dnsSecurityRule.ts @@ -144,7 +144,7 @@ export class DnsSecurityRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dnsresolver/v20230701preview:DnsSecurityRule" }, { type: "azure-native:network/v20230701preview:DnsSecurityRule" }, { type: "azure-native:network:DnsSecurityRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230701preview:DnsSecurityRule" }, { type: "azure-native:network:DnsSecurityRule" }, { type: "azure-native_dnsresolver_v20230701preview:dnsresolver:DnsSecurityRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DnsSecurityRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dnsresolver/forwardingRule.ts b/sdk/nodejs/dnsresolver/forwardingRule.ts index 4239142e1501..efbae1aa1e67 100644 --- a/sdk/nodejs/dnsresolver/forwardingRule.ts +++ b/sdk/nodejs/dnsresolver/forwardingRule.ts @@ -131,7 +131,7 @@ export class ForwardingRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dnsresolver/v20200401preview:ForwardingRule" }, { type: "azure-native:dnsresolver/v20220701:ForwardingRule" }, { type: "azure-native:dnsresolver/v20230701preview:ForwardingRule" }, { type: "azure-native:network/v20220701:ForwardingRule" }, { type: "azure-native:network/v20230701preview:ForwardingRule" }, { type: "azure-native:network:ForwardingRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20220701:ForwardingRule" }, { type: "azure-native:network/v20230701preview:ForwardingRule" }, { type: "azure-native:network:ForwardingRule" }, { type: "azure-native_dnsresolver_v20200401preview:dnsresolver:ForwardingRule" }, { type: "azure-native_dnsresolver_v20220701:dnsresolver:ForwardingRule" }, { type: "azure-native_dnsresolver_v20230701preview:dnsresolver:ForwardingRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ForwardingRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dnsresolver/inboundEndpoint.ts b/sdk/nodejs/dnsresolver/inboundEndpoint.ts index 73e96b42d885..26681cf5c7c9 100644 --- a/sdk/nodejs/dnsresolver/inboundEndpoint.ts +++ b/sdk/nodejs/dnsresolver/inboundEndpoint.ts @@ -128,7 +128,7 @@ export class InboundEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dnsresolver/v20200401preview:InboundEndpoint" }, { type: "azure-native:dnsresolver/v20220701:InboundEndpoint" }, { type: "azure-native:dnsresolver/v20230701preview:InboundEndpoint" }, { type: "azure-native:network/v20200401preview:InboundEndpoint" }, { type: "azure-native:network/v20220701:InboundEndpoint" }, { type: "azure-native:network/v20230701preview:InboundEndpoint" }, { type: "azure-native:network:InboundEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200401preview:InboundEndpoint" }, { type: "azure-native:network/v20220701:InboundEndpoint" }, { type: "azure-native:network/v20230701preview:InboundEndpoint" }, { type: "azure-native:network:InboundEndpoint" }, { type: "azure-native_dnsresolver_v20200401preview:dnsresolver:InboundEndpoint" }, { type: "azure-native_dnsresolver_v20220701:dnsresolver:InboundEndpoint" }, { type: "azure-native_dnsresolver_v20230701preview:dnsresolver:InboundEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InboundEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dnsresolver/outboundEndpoint.ts b/sdk/nodejs/dnsresolver/outboundEndpoint.ts index a0f685259c4f..22246a9ed112 100644 --- a/sdk/nodejs/dnsresolver/outboundEndpoint.ts +++ b/sdk/nodejs/dnsresolver/outboundEndpoint.ts @@ -128,7 +128,7 @@ export class OutboundEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dnsresolver/v20200401preview:OutboundEndpoint" }, { type: "azure-native:dnsresolver/v20220701:OutboundEndpoint" }, { type: "azure-native:dnsresolver/v20230701preview:OutboundEndpoint" }, { type: "azure-native:network/v20200401preview:OutboundEndpoint" }, { type: "azure-native:network/v20220701:OutboundEndpoint" }, { type: "azure-native:network/v20230701preview:OutboundEndpoint" }, { type: "azure-native:network:OutboundEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200401preview:OutboundEndpoint" }, { type: "azure-native:network/v20220701:OutboundEndpoint" }, { type: "azure-native:network/v20230701preview:OutboundEndpoint" }, { type: "azure-native:network:OutboundEndpoint" }, { type: "azure-native_dnsresolver_v20200401preview:dnsresolver:OutboundEndpoint" }, { type: "azure-native_dnsresolver_v20220701:dnsresolver:OutboundEndpoint" }, { type: "azure-native_dnsresolver_v20230701preview:dnsresolver:OutboundEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OutboundEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dnsresolver/privateResolverVirtualNetworkLink.ts b/sdk/nodejs/dnsresolver/privateResolverVirtualNetworkLink.ts index 0c712c652e30..cdecc40d4f95 100644 --- a/sdk/nodejs/dnsresolver/privateResolverVirtualNetworkLink.ts +++ b/sdk/nodejs/dnsresolver/privateResolverVirtualNetworkLink.ts @@ -116,7 +116,7 @@ export class PrivateResolverVirtualNetworkLink extends pulumi.CustomResource { resourceInputs["virtualNetwork"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dnsresolver/v20200401preview:PrivateResolverVirtualNetworkLink" }, { type: "azure-native:dnsresolver/v20220701:PrivateResolverVirtualNetworkLink" }, { type: "azure-native:dnsresolver/v20230701preview:PrivateResolverVirtualNetworkLink" }, { type: "azure-native:network/v20200401preview:PrivateResolverVirtualNetworkLink" }, { type: "azure-native:network/v20220701:PrivateResolverVirtualNetworkLink" }, { type: "azure-native:network/v20230701preview:PrivateResolverVirtualNetworkLink" }, { type: "azure-native:network:PrivateResolverVirtualNetworkLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200401preview:PrivateResolverVirtualNetworkLink" }, { type: "azure-native:network/v20220701:PrivateResolverVirtualNetworkLink" }, { type: "azure-native:network/v20230701preview:PrivateResolverVirtualNetworkLink" }, { type: "azure-native:network:PrivateResolverVirtualNetworkLink" }, { type: "azure-native_dnsresolver_v20200401preview:dnsresolver:PrivateResolverVirtualNetworkLink" }, { type: "azure-native_dnsresolver_v20220701:dnsresolver:PrivateResolverVirtualNetworkLink" }, { type: "azure-native_dnsresolver_v20230701preview:dnsresolver:PrivateResolverVirtualNetworkLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateResolverVirtualNetworkLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/domainregistration/domain.ts b/sdk/nodejs/domainregistration/domain.ts index 3099592ed85e..4f66259d5765 100644 --- a/sdk/nodejs/domainregistration/domain.ts +++ b/sdk/nodejs/domainregistration/domain.ts @@ -205,7 +205,7 @@ export class Domain extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:domainregistration/v20150401:Domain" }, { type: "azure-native:domainregistration/v20180201:Domain" }, { type: "azure-native:domainregistration/v20190801:Domain" }, { type: "azure-native:domainregistration/v20200601:Domain" }, { type: "azure-native:domainregistration/v20200901:Domain" }, { type: "azure-native:domainregistration/v20201001:Domain" }, { type: "azure-native:domainregistration/v20201201:Domain" }, { type: "azure-native:domainregistration/v20210101:Domain" }, { type: "azure-native:domainregistration/v20210115:Domain" }, { type: "azure-native:domainregistration/v20210201:Domain" }, { type: "azure-native:domainregistration/v20210301:Domain" }, { type: "azure-native:domainregistration/v20220301:Domain" }, { type: "azure-native:domainregistration/v20220901:Domain" }, { type: "azure-native:domainregistration/v20230101:Domain" }, { type: "azure-native:domainregistration/v20231201:Domain" }, { type: "azure-native:domainregistration/v20240401:Domain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:domainregistration/v20201001:Domain" }, { type: "azure-native:domainregistration/v20220901:Domain" }, { type: "azure-native:domainregistration/v20230101:Domain" }, { type: "azure-native:domainregistration/v20231201:Domain" }, { type: "azure-native:domainregistration/v20240401:Domain" }, { type: "azure-native_domainregistration_v20150401:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20180201:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20190801:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20200601:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20200901:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20201001:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20201201:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20210101:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20210115:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20210201:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20210301:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20220301:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20220901:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20230101:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20231201:domainregistration:Domain" }, { type: "azure-native_domainregistration_v20240401:domainregistration:Domain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Domain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/domainregistration/domainOwnershipIdentifier.ts b/sdk/nodejs/domainregistration/domainOwnershipIdentifier.ts index a7c9e7696d64..13c07897150c 100644 --- a/sdk/nodejs/domainregistration/domainOwnershipIdentifier.ts +++ b/sdk/nodejs/domainregistration/domainOwnershipIdentifier.ts @@ -91,7 +91,7 @@ export class DomainOwnershipIdentifier extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:domainregistration/v20150401:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20180201:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20190801:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20200601:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20200901:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20201001:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20201201:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20210101:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20210115:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20210201:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20210301:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20220301:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20220901:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20230101:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20231201:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20240401:DomainOwnershipIdentifier" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:domainregistration/v20201001:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20220901:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20230101:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20231201:DomainOwnershipIdentifier" }, { type: "azure-native:domainregistration/v20240401:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20150401:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20180201:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20190801:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20200601:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20200901:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20201001:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20201201:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20210101:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20210115:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20210201:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20210301:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20220301:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20220901:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20230101:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20231201:domainregistration:DomainOwnershipIdentifier" }, { type: "azure-native_domainregistration_v20240401:domainregistration:DomainOwnershipIdentifier" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DomainOwnershipIdentifier.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/durabletask/scheduler.ts b/sdk/nodejs/durabletask/scheduler.ts index 39996686be7d..ea2d31cec57a 100644 --- a/sdk/nodejs/durabletask/scheduler.ts +++ b/sdk/nodejs/durabletask/scheduler.ts @@ -101,7 +101,7 @@ export class Scheduler extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:durabletask/v20241001preview:Scheduler" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:durabletask/v20241001preview:Scheduler" }, { type: "azure-native_durabletask_v20241001preview:durabletask:Scheduler" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Scheduler.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/durabletask/taskHub.ts b/sdk/nodejs/durabletask/taskHub.ts index d6c4834a1693..e94061f8ff55 100644 --- a/sdk/nodejs/durabletask/taskHub.ts +++ b/sdk/nodejs/durabletask/taskHub.ts @@ -93,7 +93,7 @@ export class TaskHub extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:durabletask/v20241001preview:TaskHub" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:durabletask/v20241001preview:TaskHub" }, { type: "azure-native_durabletask_v20241001preview:durabletask:TaskHub" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TaskHub.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/dynamics365fraudprotection/instanceDetails.ts b/sdk/nodejs/dynamics365fraudprotection/instanceDetails.ts index c766f1b23b6a..3c897b2f9753 100644 --- a/sdk/nodejs/dynamics365fraudprotection/instanceDetails.ts +++ b/sdk/nodejs/dynamics365fraudprotection/instanceDetails.ts @@ -107,7 +107,7 @@ export class InstanceDetails extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:dynamics365fraudprotection/v20210201preview:InstanceDetails" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:dynamics365fraudprotection/v20210201preview:InstanceDetails" }, { type: "azure-native_dynamics365fraudprotection_v20210201preview:dynamics365fraudprotection:InstanceDetails" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InstanceDetails.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/easm/labelByWorkspace.ts b/sdk/nodejs/easm/labelByWorkspace.ts index 05a169ae5706..da577918d716 100644 --- a/sdk/nodejs/easm/labelByWorkspace.ts +++ b/sdk/nodejs/easm/labelByWorkspace.ts @@ -105,7 +105,7 @@ export class LabelByWorkspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:easm/v20220401preview:LabelByWorkspace" }, { type: "azure-native:easm/v20230401preview:LabelByWorkspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:easm/v20230401preview:LabelByWorkspace" }, { type: "azure-native_easm_v20220401preview:easm:LabelByWorkspace" }, { type: "azure-native_easm_v20230401preview:easm:LabelByWorkspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LabelByWorkspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/easm/workspace.ts b/sdk/nodejs/easm/workspace.ts index a24a48fb05bb..3b34612e57c0 100644 --- a/sdk/nodejs/easm/workspace.ts +++ b/sdk/nodejs/easm/workspace.ts @@ -107,7 +107,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:easm/v20220401preview:Workspace" }, { type: "azure-native:easm/v20230401preview:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:easm/v20230401preview:Workspace" }, { type: "azure-native_easm_v20220401preview:easm:Workspace" }, { type: "azure-native_easm_v20230401preview:easm:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/edge/site.ts b/sdk/nodejs/edge/site.ts index 3dcdd147eabc..0c2dae79a6cf 100644 --- a/sdk/nodejs/edge/site.ts +++ b/sdk/nodejs/edge/site.ts @@ -89,7 +89,7 @@ export class Site extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:edge/v20240201preview:Site" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:edge/v20240201preview:Site" }, { type: "azure-native_edge_v20240201preview:edge:Site" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Site.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/edge/sitesBySubscription.ts b/sdk/nodejs/edge/sitesBySubscription.ts index dbc3bbb299b3..4c2faeb994dc 100644 --- a/sdk/nodejs/edge/sitesBySubscription.ts +++ b/sdk/nodejs/edge/sitesBySubscription.ts @@ -85,7 +85,7 @@ export class SitesBySubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:edge/v20240201preview:SitesBySubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:edge/v20240201preview:SitesBySubscription" }, { type: "azure-native_edge_v20240201preview:edge:SitesBySubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SitesBySubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/edgeorder/address.ts b/sdk/nodejs/edgeorder/address.ts index 997aea4a5cc8..b18d27231703 100644 --- a/sdk/nodejs/edgeorder/address.ts +++ b/sdk/nodejs/edgeorder/address.ts @@ -127,7 +127,7 @@ export class Address extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:edgeorder/v20201201preview:Address" }, { type: "azure-native:edgeorder/v20211201:Address" }, { type: "azure-native:edgeorder/v20211201:AddressByName" }, { type: "azure-native:edgeorder/v20220501preview:Address" }, { type: "azure-native:edgeorder/v20240201:Address" }, { type: "azure-native:edgeorder:AddressByName" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:edgeorder/v20211201:AddressByName" }, { type: "azure-native:edgeorder/v20220501preview:Address" }, { type: "azure-native:edgeorder/v20240201:Address" }, { type: "azure-native:edgeorder:AddressByName" }, { type: "azure-native_edgeorder_v20201201preview:edgeorder:Address" }, { type: "azure-native_edgeorder_v20211201:edgeorder:Address" }, { type: "azure-native_edgeorder_v20220501preview:edgeorder:Address" }, { type: "azure-native_edgeorder_v20240201:edgeorder:Address" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Address.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/edgeorder/orderItem.ts b/sdk/nodejs/edgeorder/orderItem.ts index df4ffd1e4d8c..3d4c0f1ac181 100644 --- a/sdk/nodejs/edgeorder/orderItem.ts +++ b/sdk/nodejs/edgeorder/orderItem.ts @@ -139,7 +139,7 @@ export class OrderItem extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:edgeorder/v20201201preview:OrderItem" }, { type: "azure-native:edgeorder/v20211201:OrderItem" }, { type: "azure-native:edgeorder/v20211201:OrderItemByName" }, { type: "azure-native:edgeorder/v20220501preview:OrderItem" }, { type: "azure-native:edgeorder/v20240201:OrderItem" }, { type: "azure-native:edgeorder:OrderItemByName" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:edgeorder/v20211201:OrderItemByName" }, { type: "azure-native:edgeorder/v20220501preview:OrderItem" }, { type: "azure-native:edgeorder/v20240201:OrderItem" }, { type: "azure-native:edgeorder:OrderItemByName" }, { type: "azure-native_edgeorder_v20201201preview:edgeorder:OrderItem" }, { type: "azure-native_edgeorder_v20211201:edgeorder:OrderItem" }, { type: "azure-native_edgeorder_v20220501preview:edgeorder:OrderItem" }, { type: "azure-native_edgeorder_v20240201:edgeorder:OrderItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OrderItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/education/lab.ts b/sdk/nodejs/education/lab.ts index 32d89538b67e..298901d66098 100644 --- a/sdk/nodejs/education/lab.ts +++ b/sdk/nodejs/education/lab.ts @@ -168,7 +168,7 @@ export class Lab extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:education/v20211201preview:Lab" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:education/v20211201preview:Lab" }, { type: "azure-native_education_v20211201preview:education:Lab" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Lab.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/education/student.ts b/sdk/nodejs/education/student.ts index 427c8f349603..bde8faeb14b9 100644 --- a/sdk/nodejs/education/student.ts +++ b/sdk/nodejs/education/student.ts @@ -175,7 +175,7 @@ export class Student extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:education/v20211201preview:Student" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:education/v20211201preview:Student" }, { type: "azure-native_education_v20211201preview:education:Student" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Student.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/elastic/monitor.ts b/sdk/nodejs/elastic/monitor.ts index c159523e78a2..2d25e9eba18f 100644 --- a/sdk/nodejs/elastic/monitor.ts +++ b/sdk/nodejs/elastic/monitor.ts @@ -115,7 +115,7 @@ export class Monitor extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:elastic/v20200701:Monitor" }, { type: "azure-native:elastic/v20200701preview:Monitor" }, { type: "azure-native:elastic/v20210901preview:Monitor" }, { type: "azure-native:elastic/v20211001preview:Monitor" }, { type: "azure-native:elastic/v20220505preview:Monitor" }, { type: "azure-native:elastic/v20220701preview:Monitor" }, { type: "azure-native:elastic/v20220901preview:Monitor" }, { type: "azure-native:elastic/v20230201preview:Monitor" }, { type: "azure-native:elastic/v20230501preview:Monitor" }, { type: "azure-native:elastic/v20230601:Monitor" }, { type: "azure-native:elastic/v20230615preview:Monitor" }, { type: "azure-native:elastic/v20230701preview:Monitor" }, { type: "azure-native:elastic/v20231001preview:Monitor" }, { type: "azure-native:elastic/v20231101preview:Monitor" }, { type: "azure-native:elastic/v20240101preview:Monitor" }, { type: "azure-native:elastic/v20240301:Monitor" }, { type: "azure-native:elastic/v20240501preview:Monitor" }, { type: "azure-native:elastic/v20240615preview:Monitor" }, { type: "azure-native:elastic/v20241001preview:Monitor" }, { type: "azure-native:elastic/v20250115preview:Monitor" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:elastic/v20230601:Monitor" }, { type: "azure-native:elastic/v20230615preview:Monitor" }, { type: "azure-native:elastic/v20230701preview:Monitor" }, { type: "azure-native:elastic/v20231001preview:Monitor" }, { type: "azure-native:elastic/v20231101preview:Monitor" }, { type: "azure-native:elastic/v20240101preview:Monitor" }, { type: "azure-native:elastic/v20240301:Monitor" }, { type: "azure-native:elastic/v20240501preview:Monitor" }, { type: "azure-native:elastic/v20240615preview:Monitor" }, { type: "azure-native:elastic/v20241001preview:Monitor" }, { type: "azure-native_elastic_v20200701:elastic:Monitor" }, { type: "azure-native_elastic_v20200701preview:elastic:Monitor" }, { type: "azure-native_elastic_v20210901preview:elastic:Monitor" }, { type: "azure-native_elastic_v20211001preview:elastic:Monitor" }, { type: "azure-native_elastic_v20220505preview:elastic:Monitor" }, { type: "azure-native_elastic_v20220701preview:elastic:Monitor" }, { type: "azure-native_elastic_v20220901preview:elastic:Monitor" }, { type: "azure-native_elastic_v20230201preview:elastic:Monitor" }, { type: "azure-native_elastic_v20230501preview:elastic:Monitor" }, { type: "azure-native_elastic_v20230601:elastic:Monitor" }, { type: "azure-native_elastic_v20230615preview:elastic:Monitor" }, { type: "azure-native_elastic_v20230701preview:elastic:Monitor" }, { type: "azure-native_elastic_v20231001preview:elastic:Monitor" }, { type: "azure-native_elastic_v20231101preview:elastic:Monitor" }, { type: "azure-native_elastic_v20240101preview:elastic:Monitor" }, { type: "azure-native_elastic_v20240301:elastic:Monitor" }, { type: "azure-native_elastic_v20240501preview:elastic:Monitor" }, { type: "azure-native_elastic_v20240615preview:elastic:Monitor" }, { type: "azure-native_elastic_v20241001preview:elastic:Monitor" }, { type: "azure-native_elastic_v20250115preview:elastic:Monitor" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Monitor.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/elastic/monitoredSubscription.ts b/sdk/nodejs/elastic/monitoredSubscription.ts index ccfcd9e0abd4..77f108217616 100644 --- a/sdk/nodejs/elastic/monitoredSubscription.ts +++ b/sdk/nodejs/elastic/monitoredSubscription.ts @@ -89,7 +89,7 @@ export class MonitoredSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:elastic/v20240501preview:MonitoredSubscription" }, { type: "azure-native:elastic/v20240615preview:MonitoredSubscription" }, { type: "azure-native:elastic/v20241001preview:MonitoredSubscription" }, { type: "azure-native:elastic/v20250115preview:MonitoredSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:elastic/v20240501preview:MonitoredSubscription" }, { type: "azure-native:elastic/v20240615preview:MonitoredSubscription" }, { type: "azure-native:elastic/v20241001preview:MonitoredSubscription" }, { type: "azure-native_elastic_v20240501preview:elastic:MonitoredSubscription" }, { type: "azure-native_elastic_v20240615preview:elastic:MonitoredSubscription" }, { type: "azure-native_elastic_v20241001preview:elastic:MonitoredSubscription" }, { type: "azure-native_elastic_v20250115preview:elastic:MonitoredSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MonitoredSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/elastic/openAI.ts b/sdk/nodejs/elastic/openAI.ts index 6a4582073088..dc8ee424f63c 100644 --- a/sdk/nodejs/elastic/openAI.ts +++ b/sdk/nodejs/elastic/openAI.ts @@ -89,7 +89,7 @@ export class OpenAI extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:elastic/v20240101preview:OpenAI" }, { type: "azure-native:elastic/v20240301:OpenAI" }, { type: "azure-native:elastic/v20240501preview:OpenAI" }, { type: "azure-native:elastic/v20240615preview:OpenAI" }, { type: "azure-native:elastic/v20241001preview:OpenAI" }, { type: "azure-native:elastic/v20250115preview:OpenAI" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:elastic/v20240101preview:OpenAI" }, { type: "azure-native:elastic/v20240301:OpenAI" }, { type: "azure-native:elastic/v20240501preview:OpenAI" }, { type: "azure-native:elastic/v20240615preview:OpenAI" }, { type: "azure-native:elastic/v20241001preview:OpenAI" }, { type: "azure-native_elastic_v20240101preview:elastic:OpenAI" }, { type: "azure-native_elastic_v20240301:elastic:OpenAI" }, { type: "azure-native_elastic_v20240501preview:elastic:OpenAI" }, { type: "azure-native_elastic_v20240615preview:elastic:OpenAI" }, { type: "azure-native_elastic_v20241001preview:elastic:OpenAI" }, { type: "azure-native_elastic_v20250115preview:elastic:OpenAI" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OpenAI.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/elastic/tagRule.ts b/sdk/nodejs/elastic/tagRule.ts index b2ed8bcf6735..30ddfbf837e9 100644 --- a/sdk/nodejs/elastic/tagRule.ts +++ b/sdk/nodejs/elastic/tagRule.ts @@ -95,7 +95,7 @@ export class TagRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:elastic/v20200701:TagRule" }, { type: "azure-native:elastic/v20200701preview:TagRule" }, { type: "azure-native:elastic/v20210901preview:TagRule" }, { type: "azure-native:elastic/v20211001preview:TagRule" }, { type: "azure-native:elastic/v20220505preview:TagRule" }, { type: "azure-native:elastic/v20220701preview:TagRule" }, { type: "azure-native:elastic/v20220901preview:TagRule" }, { type: "azure-native:elastic/v20230201preview:TagRule" }, { type: "azure-native:elastic/v20230501preview:TagRule" }, { type: "azure-native:elastic/v20230601:TagRule" }, { type: "azure-native:elastic/v20230615preview:TagRule" }, { type: "azure-native:elastic/v20230701preview:TagRule" }, { type: "azure-native:elastic/v20231001preview:TagRule" }, { type: "azure-native:elastic/v20231101preview:TagRule" }, { type: "azure-native:elastic/v20240101preview:TagRule" }, { type: "azure-native:elastic/v20240301:TagRule" }, { type: "azure-native:elastic/v20240501preview:TagRule" }, { type: "azure-native:elastic/v20240615preview:TagRule" }, { type: "azure-native:elastic/v20241001preview:TagRule" }, { type: "azure-native:elastic/v20250115preview:TagRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:elastic/v20230601:TagRule" }, { type: "azure-native:elastic/v20230615preview:TagRule" }, { type: "azure-native:elastic/v20230701preview:TagRule" }, { type: "azure-native:elastic/v20231001preview:TagRule" }, { type: "azure-native:elastic/v20231101preview:TagRule" }, { type: "azure-native:elastic/v20240101preview:TagRule" }, { type: "azure-native:elastic/v20240301:TagRule" }, { type: "azure-native:elastic/v20240501preview:TagRule" }, { type: "azure-native:elastic/v20240615preview:TagRule" }, { type: "azure-native:elastic/v20241001preview:TagRule" }, { type: "azure-native_elastic_v20200701:elastic:TagRule" }, { type: "azure-native_elastic_v20200701preview:elastic:TagRule" }, { type: "azure-native_elastic_v20210901preview:elastic:TagRule" }, { type: "azure-native_elastic_v20211001preview:elastic:TagRule" }, { type: "azure-native_elastic_v20220505preview:elastic:TagRule" }, { type: "azure-native_elastic_v20220701preview:elastic:TagRule" }, { type: "azure-native_elastic_v20220901preview:elastic:TagRule" }, { type: "azure-native_elastic_v20230201preview:elastic:TagRule" }, { type: "azure-native_elastic_v20230501preview:elastic:TagRule" }, { type: "azure-native_elastic_v20230601:elastic:TagRule" }, { type: "azure-native_elastic_v20230615preview:elastic:TagRule" }, { type: "azure-native_elastic_v20230701preview:elastic:TagRule" }, { type: "azure-native_elastic_v20231001preview:elastic:TagRule" }, { type: "azure-native_elastic_v20231101preview:elastic:TagRule" }, { type: "azure-native_elastic_v20240101preview:elastic:TagRule" }, { type: "azure-native_elastic_v20240301:elastic:TagRule" }, { type: "azure-native_elastic_v20240501preview:elastic:TagRule" }, { type: "azure-native_elastic_v20240615preview:elastic:TagRule" }, { type: "azure-native_elastic_v20241001preview:elastic:TagRule" }, { type: "azure-native_elastic_v20250115preview:elastic:TagRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TagRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/elasticsan/elasticSan.ts b/sdk/nodejs/elasticsan/elasticSan.ts index 06dfbd7fb7df..d42e66b40238 100644 --- a/sdk/nodejs/elasticsan/elasticSan.ts +++ b/sdk/nodejs/elasticsan/elasticSan.ts @@ -178,7 +178,7 @@ export class ElasticSan extends pulumi.CustomResource { resourceInputs["volumeGroupCount"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:elasticsan/v20211120preview:ElasticSan" }, { type: "azure-native:elasticsan/v20221201preview:ElasticSan" }, { type: "azure-native:elasticsan/v20230101:ElasticSan" }, { type: "azure-native:elasticsan/v20240501:ElasticSan" }, { type: "azure-native:elasticsan/v20240601preview:ElasticSan" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:elasticsan/v20211120preview:ElasticSan" }, { type: "azure-native:elasticsan/v20221201preview:ElasticSan" }, { type: "azure-native:elasticsan/v20230101:ElasticSan" }, { type: "azure-native:elasticsan/v20240501:ElasticSan" }, { type: "azure-native:elasticsan/v20240601preview:ElasticSan" }, { type: "azure-native_elasticsan_v20211120preview:elasticsan:ElasticSan" }, { type: "azure-native_elasticsan_v20221201preview:elasticsan:ElasticSan" }, { type: "azure-native_elasticsan_v20230101:elasticsan:ElasticSan" }, { type: "azure-native_elasticsan_v20240501:elasticsan:ElasticSan" }, { type: "azure-native_elasticsan_v20240601preview:elasticsan:ElasticSan" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ElasticSan.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/elasticsan/privateEndpointConnection.ts b/sdk/nodejs/elasticsan/privateEndpointConnection.ts index 2cc929f6d038..f601509a62ea 100644 --- a/sdk/nodejs/elasticsan/privateEndpointConnection.ts +++ b/sdk/nodejs/elasticsan/privateEndpointConnection.ts @@ -116,7 +116,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:elasticsan/v20221201preview:PrivateEndpointConnection" }, { type: "azure-native:elasticsan/v20230101:PrivateEndpointConnection" }, { type: "azure-native:elasticsan/v20240501:PrivateEndpointConnection" }, { type: "azure-native:elasticsan/v20240601preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:elasticsan/v20221201preview:PrivateEndpointConnection" }, { type: "azure-native:elasticsan/v20230101:PrivateEndpointConnection" }, { type: "azure-native:elasticsan/v20240501:PrivateEndpointConnection" }, { type: "azure-native:elasticsan/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native_elasticsan_v20221201preview:elasticsan:PrivateEndpointConnection" }, { type: "azure-native_elasticsan_v20230101:elasticsan:PrivateEndpointConnection" }, { type: "azure-native_elasticsan_v20240501:elasticsan:PrivateEndpointConnection" }, { type: "azure-native_elasticsan_v20240601preview:elasticsan:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/elasticsan/volume.ts b/sdk/nodejs/elasticsan/volume.ts index 0b53e45cbd22..267cd9bb3a08 100644 --- a/sdk/nodejs/elasticsan/volume.ts +++ b/sdk/nodejs/elasticsan/volume.ts @@ -132,7 +132,7 @@ export class Volume extends pulumi.CustomResource { resourceInputs["volumeId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:elasticsan/v20211120preview:Volume" }, { type: "azure-native:elasticsan/v20221201preview:Volume" }, { type: "azure-native:elasticsan/v20230101:Volume" }, { type: "azure-native:elasticsan/v20240501:Volume" }, { type: "azure-native:elasticsan/v20240601preview:Volume" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:elasticsan/v20211120preview:Volume" }, { type: "azure-native:elasticsan/v20221201preview:Volume" }, { type: "azure-native:elasticsan/v20230101:Volume" }, { type: "azure-native:elasticsan/v20240501:Volume" }, { type: "azure-native:elasticsan/v20240601preview:Volume" }, { type: "azure-native_elasticsan_v20211120preview:elasticsan:Volume" }, { type: "azure-native_elasticsan_v20221201preview:elasticsan:Volume" }, { type: "azure-native_elasticsan_v20230101:elasticsan:Volume" }, { type: "azure-native_elasticsan_v20240501:elasticsan:Volume" }, { type: "azure-native_elasticsan_v20240601preview:elasticsan:Volume" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Volume.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/elasticsan/volumeGroup.ts b/sdk/nodejs/elasticsan/volumeGroup.ts index 544806b3d04b..264822457ca2 100644 --- a/sdk/nodejs/elasticsan/volumeGroup.ts +++ b/sdk/nodejs/elasticsan/volumeGroup.ts @@ -137,7 +137,7 @@ export class VolumeGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:elasticsan/v20211120preview:VolumeGroup" }, { type: "azure-native:elasticsan/v20221201preview:VolumeGroup" }, { type: "azure-native:elasticsan/v20230101:VolumeGroup" }, { type: "azure-native:elasticsan/v20240501:VolumeGroup" }, { type: "azure-native:elasticsan/v20240601preview:VolumeGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:elasticsan/v20211120preview:VolumeGroup" }, { type: "azure-native:elasticsan/v20221201preview:VolumeGroup" }, { type: "azure-native:elasticsan/v20230101:VolumeGroup" }, { type: "azure-native:elasticsan/v20240501:VolumeGroup" }, { type: "azure-native:elasticsan/v20240601preview:VolumeGroup" }, { type: "azure-native_elasticsan_v20211120preview:elasticsan:VolumeGroup" }, { type: "azure-native_elasticsan_v20221201preview:elasticsan:VolumeGroup" }, { type: "azure-native_elasticsan_v20230101:elasticsan:VolumeGroup" }, { type: "azure-native_elasticsan_v20240501:elasticsan:VolumeGroup" }, { type: "azure-native_elasticsan_v20240601preview:elasticsan:VolumeGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VolumeGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/elasticsan/volumeSnapshot.ts b/sdk/nodejs/elasticsan/volumeSnapshot.ts index c539b9375ba9..b38cba71a6e0 100644 --- a/sdk/nodejs/elasticsan/volumeSnapshot.ts +++ b/sdk/nodejs/elasticsan/volumeSnapshot.ts @@ -120,7 +120,7 @@ export class VolumeSnapshot extends pulumi.CustomResource { resourceInputs["volumeName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:elasticsan/v20230101:VolumeSnapshot" }, { type: "azure-native:elasticsan/v20240501:VolumeSnapshot" }, { type: "azure-native:elasticsan/v20240601preview:VolumeSnapshot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:elasticsan/v20230101:VolumeSnapshot" }, { type: "azure-native:elasticsan/v20240501:VolumeSnapshot" }, { type: "azure-native:elasticsan/v20240601preview:VolumeSnapshot" }, { type: "azure-native_elasticsan_v20230101:elasticsan:VolumeSnapshot" }, { type: "azure-native_elasticsan_v20240501:elasticsan:VolumeSnapshot" }, { type: "azure-native_elasticsan_v20240601preview:elasticsan:VolumeSnapshot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VolumeSnapshot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/engagementfabric/account.ts b/sdk/nodejs/engagementfabric/account.ts index b653997a4032..1964620756fe 100644 --- a/sdk/nodejs/engagementfabric/account.ts +++ b/sdk/nodejs/engagementfabric/account.ts @@ -98,7 +98,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:engagementfabric/v20180901preview:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:engagementfabric/v20180901preview:Account" }, { type: "azure-native_engagementfabric_v20180901preview:engagementfabric:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/engagementfabric/channel.ts b/sdk/nodejs/engagementfabric/channel.ts index 7e8a52c869cd..21a3791d80c6 100644 --- a/sdk/nodejs/engagementfabric/channel.ts +++ b/sdk/nodejs/engagementfabric/channel.ts @@ -99,7 +99,7 @@ export class Channel extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:engagementfabric/v20180901preview:Channel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:engagementfabric/v20180901preview:Channel" }, { type: "azure-native_engagementfabric_v20180901preview:engagementfabric:Channel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Channel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/enterpriseknowledgegraph/enterpriseKnowledgeGraph.ts b/sdk/nodejs/enterpriseknowledgegraph/enterpriseKnowledgeGraph.ts index c49fe2ab3445..a350a381f3e0 100644 --- a/sdk/nodejs/enterpriseknowledgegraph/enterpriseKnowledgeGraph.ts +++ b/sdk/nodejs/enterpriseknowledgegraph/enterpriseKnowledgeGraph.ts @@ -101,7 +101,7 @@ export class EnterpriseKnowledgeGraph extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:enterpriseknowledgegraph/v20181203:EnterpriseKnowledgeGraph" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:enterpriseknowledgegraph/v20181203:EnterpriseKnowledgeGraph" }, { type: "azure-native_enterpriseknowledgegraph_v20181203:enterpriseknowledgegraph:EnterpriseKnowledgeGraph" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EnterpriseKnowledgeGraph.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/caCertificate.ts b/sdk/nodejs/eventgrid/caCertificate.ts index bdbd19be51e4..720566662e81 100644 --- a/sdk/nodejs/eventgrid/caCertificate.ts +++ b/sdk/nodejs/eventgrid/caCertificate.ts @@ -119,7 +119,7 @@ export class CaCertificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:CaCertificate" }, { type: "azure-native:eventgrid/v20231215preview:CaCertificate" }, { type: "azure-native:eventgrid/v20240601preview:CaCertificate" }, { type: "azure-native:eventgrid/v20241215preview:CaCertificate" }, { type: "azure-native:eventgrid/v20250215:CaCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:CaCertificate" }, { type: "azure-native:eventgrid/v20231215preview:CaCertificate" }, { type: "azure-native:eventgrid/v20240601preview:CaCertificate" }, { type: "azure-native:eventgrid/v20241215preview:CaCertificate" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:CaCertificate" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:CaCertificate" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:CaCertificate" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:CaCertificate" }, { type: "azure-native_eventgrid_v20250215:eventgrid:CaCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CaCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/channel.ts b/sdk/nodejs/eventgrid/channel.ts index 1c5fb2896bc8..22ea483c87f2 100644 --- a/sdk/nodejs/eventgrid/channel.ts +++ b/sdk/nodejs/eventgrid/channel.ts @@ -126,7 +126,7 @@ export class Channel extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20211015preview:Channel" }, { type: "azure-native:eventgrid/v20220615:Channel" }, { type: "azure-native:eventgrid/v20230601preview:Channel" }, { type: "azure-native:eventgrid/v20231215preview:Channel" }, { type: "azure-native:eventgrid/v20240601preview:Channel" }, { type: "azure-native:eventgrid/v20241215preview:Channel" }, { type: "azure-native:eventgrid/v20250215:Channel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:Channel" }, { type: "azure-native:eventgrid/v20230601preview:Channel" }, { type: "azure-native:eventgrid/v20231215preview:Channel" }, { type: "azure-native:eventgrid/v20240601preview:Channel" }, { type: "azure-native:eventgrid/v20241215preview:Channel" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:Channel" }, { type: "azure-native_eventgrid_v20220615:eventgrid:Channel" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:Channel" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:Channel" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:Channel" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:Channel" }, { type: "azure-native_eventgrid_v20250215:eventgrid:Channel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Channel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/client.ts b/sdk/nodejs/eventgrid/client.ts index 4edf5b877e30..4103ef6a17e1 100644 --- a/sdk/nodejs/eventgrid/client.ts +++ b/sdk/nodejs/eventgrid/client.ts @@ -127,7 +127,7 @@ export class Client extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:Client" }, { type: "azure-native:eventgrid/v20231215preview:Client" }, { type: "azure-native:eventgrid/v20240601preview:Client" }, { type: "azure-native:eventgrid/v20241215preview:Client" }, { type: "azure-native:eventgrid/v20250215:Client" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:Client" }, { type: "azure-native:eventgrid/v20231215preview:Client" }, { type: "azure-native:eventgrid/v20240601preview:Client" }, { type: "azure-native:eventgrid/v20241215preview:Client" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:Client" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:Client" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:Client" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:Client" }, { type: "azure-native_eventgrid_v20250215:eventgrid:Client" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Client.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/clientGroup.ts b/sdk/nodejs/eventgrid/clientGroup.ts index 83f263c1c6dc..93b642365d11 100644 --- a/sdk/nodejs/eventgrid/clientGroup.ts +++ b/sdk/nodejs/eventgrid/clientGroup.ts @@ -108,7 +108,7 @@ export class ClientGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:ClientGroup" }, { type: "azure-native:eventgrid/v20231215preview:ClientGroup" }, { type: "azure-native:eventgrid/v20240601preview:ClientGroup" }, { type: "azure-native:eventgrid/v20241215preview:ClientGroup" }, { type: "azure-native:eventgrid/v20250215:ClientGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:ClientGroup" }, { type: "azure-native:eventgrid/v20231215preview:ClientGroup" }, { type: "azure-native:eventgrid/v20240601preview:ClientGroup" }, { type: "azure-native:eventgrid/v20241215preview:ClientGroup" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:ClientGroup" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:ClientGroup" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:ClientGroup" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:ClientGroup" }, { type: "azure-native_eventgrid_v20250215:eventgrid:ClientGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ClientGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/domain.ts b/sdk/nodejs/eventgrid/domain.ts index 111dac48a9cf..17bb93950e6b 100644 --- a/sdk/nodejs/eventgrid/domain.ts +++ b/sdk/nodejs/eventgrid/domain.ts @@ -201,7 +201,7 @@ export class Domain extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20180915preview:Domain" }, { type: "azure-native:eventgrid/v20190201preview:Domain" }, { type: "azure-native:eventgrid/v20190601:Domain" }, { type: "azure-native:eventgrid/v20200101preview:Domain" }, { type: "azure-native:eventgrid/v20200401preview:Domain" }, { type: "azure-native:eventgrid/v20200601:Domain" }, { type: "azure-native:eventgrid/v20201015preview:Domain" }, { type: "azure-native:eventgrid/v20210601preview:Domain" }, { type: "azure-native:eventgrid/v20211015preview:Domain" }, { type: "azure-native:eventgrid/v20211201:Domain" }, { type: "azure-native:eventgrid/v20220615:Domain" }, { type: "azure-native:eventgrid/v20230601preview:Domain" }, { type: "azure-native:eventgrid/v20231215preview:Domain" }, { type: "azure-native:eventgrid/v20240601preview:Domain" }, { type: "azure-native:eventgrid/v20241215preview:Domain" }, { type: "azure-native:eventgrid/v20250215:Domain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20200401preview:Domain" }, { type: "azure-native:eventgrid/v20220615:Domain" }, { type: "azure-native:eventgrid/v20230601preview:Domain" }, { type: "azure-native:eventgrid/v20231215preview:Domain" }, { type: "azure-native:eventgrid/v20240601preview:Domain" }, { type: "azure-native:eventgrid/v20241215preview:Domain" }, { type: "azure-native_eventgrid_v20180915preview:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20190201preview:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20190601:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20200101preview:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20200401preview:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20200601:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20201015preview:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20210601preview:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20211201:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20220615:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:Domain" }, { type: "azure-native_eventgrid_v20250215:eventgrid:Domain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Domain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/domainEventSubscription.ts b/sdk/nodejs/eventgrid/domainEventSubscription.ts index 6e464eb8ecc7..9b56ceefed41 100644 --- a/sdk/nodejs/eventgrid/domainEventSubscription.ts +++ b/sdk/nodejs/eventgrid/domainEventSubscription.ts @@ -159,7 +159,7 @@ export class DomainEventSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20211015preview:DomainEventSubscription" }, { type: "azure-native:eventgrid/v20220615:DomainEventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:DomainEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:DomainEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:DomainEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:DomainEventSubscription" }, { type: "azure-native:eventgrid/v20250215:DomainEventSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:DomainEventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:DomainEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:DomainEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:DomainEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:DomainEventSubscription" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:DomainEventSubscription" }, { type: "azure-native_eventgrid_v20220615:eventgrid:DomainEventSubscription" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:DomainEventSubscription" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:DomainEventSubscription" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:DomainEventSubscription" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:DomainEventSubscription" }, { type: "azure-native_eventgrid_v20250215:eventgrid:DomainEventSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DomainEventSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/domainTopic.ts b/sdk/nodejs/eventgrid/domainTopic.ts index 76146f63611c..a4dac92ad7d9 100644 --- a/sdk/nodejs/eventgrid/domainTopic.ts +++ b/sdk/nodejs/eventgrid/domainTopic.ts @@ -95,7 +95,7 @@ export class DomainTopic extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20190201preview:DomainTopic" }, { type: "azure-native:eventgrid/v20190601:DomainTopic" }, { type: "azure-native:eventgrid/v20200101preview:DomainTopic" }, { type: "azure-native:eventgrid/v20200401preview:DomainTopic" }, { type: "azure-native:eventgrid/v20200601:DomainTopic" }, { type: "azure-native:eventgrid/v20201015preview:DomainTopic" }, { type: "azure-native:eventgrid/v20210601preview:DomainTopic" }, { type: "azure-native:eventgrid/v20211015preview:DomainTopic" }, { type: "azure-native:eventgrid/v20211201:DomainTopic" }, { type: "azure-native:eventgrid/v20220615:DomainTopic" }, { type: "azure-native:eventgrid/v20230601preview:DomainTopic" }, { type: "azure-native:eventgrid/v20231215preview:DomainTopic" }, { type: "azure-native:eventgrid/v20240601preview:DomainTopic" }, { type: "azure-native:eventgrid/v20241215preview:DomainTopic" }, { type: "azure-native:eventgrid/v20250215:DomainTopic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:DomainTopic" }, { type: "azure-native:eventgrid/v20230601preview:DomainTopic" }, { type: "azure-native:eventgrid/v20231215preview:DomainTopic" }, { type: "azure-native:eventgrid/v20240601preview:DomainTopic" }, { type: "azure-native:eventgrid/v20241215preview:DomainTopic" }, { type: "azure-native_eventgrid_v20190201preview:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20190601:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20200101preview:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20200401preview:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20200601:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20201015preview:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20210601preview:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20211201:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20220615:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:DomainTopic" }, { type: "azure-native_eventgrid_v20250215:eventgrid:DomainTopic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DomainTopic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/domainTopicEventSubscription.ts b/sdk/nodejs/eventgrid/domainTopicEventSubscription.ts index c58786dd8557..dea22a29251f 100644 --- a/sdk/nodejs/eventgrid/domainTopicEventSubscription.ts +++ b/sdk/nodejs/eventgrid/domainTopicEventSubscription.ts @@ -163,7 +163,7 @@ export class DomainTopicEventSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20211015preview:DomainTopicEventSubscription" }, { type: "azure-native:eventgrid/v20220615:DomainTopicEventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:DomainTopicEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:DomainTopicEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:DomainTopicEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:DomainTopicEventSubscription" }, { type: "azure-native:eventgrid/v20250215:DomainTopicEventSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:DomainTopicEventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:DomainTopicEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:DomainTopicEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:DomainTopicEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:DomainTopicEventSubscription" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:DomainTopicEventSubscription" }, { type: "azure-native_eventgrid_v20220615:eventgrid:DomainTopicEventSubscription" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:DomainTopicEventSubscription" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:DomainTopicEventSubscription" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:DomainTopicEventSubscription" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:DomainTopicEventSubscription" }, { type: "azure-native_eventgrid_v20250215:eventgrid:DomainTopicEventSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DomainTopicEventSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/eventSubscription.ts b/sdk/nodejs/eventgrid/eventSubscription.ts index 1c543a972076..40626d991108 100644 --- a/sdk/nodejs/eventgrid/eventSubscription.ts +++ b/sdk/nodejs/eventgrid/eventSubscription.ts @@ -155,7 +155,7 @@ export class EventSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20170615preview:EventSubscription" }, { type: "azure-native:eventgrid/v20170915preview:EventSubscription" }, { type: "azure-native:eventgrid/v20180101:EventSubscription" }, { type: "azure-native:eventgrid/v20180501preview:EventSubscription" }, { type: "azure-native:eventgrid/v20180915preview:EventSubscription" }, { type: "azure-native:eventgrid/v20190101:EventSubscription" }, { type: "azure-native:eventgrid/v20190201preview:EventSubscription" }, { type: "azure-native:eventgrid/v20190601:EventSubscription" }, { type: "azure-native:eventgrid/v20200101preview:EventSubscription" }, { type: "azure-native:eventgrid/v20200401preview:EventSubscription" }, { type: "azure-native:eventgrid/v20200601:EventSubscription" }, { type: "azure-native:eventgrid/v20201015preview:EventSubscription" }, { type: "azure-native:eventgrid/v20210601preview:EventSubscription" }, { type: "azure-native:eventgrid/v20211015preview:EventSubscription" }, { type: "azure-native:eventgrid/v20211201:EventSubscription" }, { type: "azure-native:eventgrid/v20220615:EventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:EventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:EventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:EventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:EventSubscription" }, { type: "azure-native:eventgrid/v20250215:EventSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:EventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:EventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:EventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:EventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:EventSubscription" }, { type: "azure-native_eventgrid_v20170615preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20170915preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20180101:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20180501preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20180915preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20190101:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20190201preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20190601:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20200101preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20200401preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20200601:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20201015preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20210601preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20211201:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20220615:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:EventSubscription" }, { type: "azure-native_eventgrid_v20250215:eventgrid:EventSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EventSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/namespace.ts b/sdk/nodejs/eventgrid/namespace.ts index ea8f4f352371..d54a68454c30 100644 --- a/sdk/nodejs/eventgrid/namespace.ts +++ b/sdk/nodejs/eventgrid/namespace.ts @@ -162,7 +162,7 @@ export class Namespace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:Namespace" }, { type: "azure-native:eventgrid/v20231215preview:Namespace" }, { type: "azure-native:eventgrid/v20240601preview:Namespace" }, { type: "azure-native:eventgrid/v20241215preview:Namespace" }, { type: "azure-native:eventgrid/v20250215:Namespace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:Namespace" }, { type: "azure-native:eventgrid/v20231215preview:Namespace" }, { type: "azure-native:eventgrid/v20240601preview:Namespace" }, { type: "azure-native:eventgrid/v20241215preview:Namespace" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:Namespace" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:Namespace" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:Namespace" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:Namespace" }, { type: "azure-native_eventgrid_v20250215:eventgrid:Namespace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Namespace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/namespaceTopic.ts b/sdk/nodejs/eventgrid/namespaceTopic.ts index 7351fcbadce3..53085f6344f9 100644 --- a/sdk/nodejs/eventgrid/namespaceTopic.ts +++ b/sdk/nodejs/eventgrid/namespaceTopic.ts @@ -114,7 +114,7 @@ export class NamespaceTopic extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:NamespaceTopic" }, { type: "azure-native:eventgrid/v20231215preview:NamespaceTopic" }, { type: "azure-native:eventgrid/v20240601preview:NamespaceTopic" }, { type: "azure-native:eventgrid/v20241215preview:NamespaceTopic" }, { type: "azure-native:eventgrid/v20250215:NamespaceTopic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:NamespaceTopic" }, { type: "azure-native:eventgrid/v20231215preview:NamespaceTopic" }, { type: "azure-native:eventgrid/v20240601preview:NamespaceTopic" }, { type: "azure-native:eventgrid/v20241215preview:NamespaceTopic" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:NamespaceTopic" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:NamespaceTopic" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:NamespaceTopic" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:NamespaceTopic" }, { type: "azure-native_eventgrid_v20250215:eventgrid:NamespaceTopic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceTopic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/namespaceTopicEventSubscription.ts b/sdk/nodejs/eventgrid/namespaceTopicEventSubscription.ts index 490f851c04db..65cea11ed258 100644 --- a/sdk/nodejs/eventgrid/namespaceTopicEventSubscription.ts +++ b/sdk/nodejs/eventgrid/namespaceTopicEventSubscription.ts @@ -123,7 +123,7 @@ export class NamespaceTopicEventSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:NamespaceTopicEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:NamespaceTopicEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:NamespaceTopicEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:NamespaceTopicEventSubscription" }, { type: "azure-native:eventgrid/v20250215:NamespaceTopicEventSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:NamespaceTopicEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:NamespaceTopicEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:NamespaceTopicEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:NamespaceTopicEventSubscription" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:NamespaceTopicEventSubscription" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:NamespaceTopicEventSubscription" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:NamespaceTopicEventSubscription" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:NamespaceTopicEventSubscription" }, { type: "azure-native_eventgrid_v20250215:eventgrid:NamespaceTopicEventSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceTopicEventSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/partnerConfiguration.ts b/sdk/nodejs/eventgrid/partnerConfiguration.ts index 7cd8fb4c200d..aa2cdcb0890c 100644 --- a/sdk/nodejs/eventgrid/partnerConfiguration.ts +++ b/sdk/nodejs/eventgrid/partnerConfiguration.ts @@ -108,7 +108,7 @@ export class PartnerConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20211015preview:PartnerConfiguration" }, { type: "azure-native:eventgrid/v20220615:PartnerConfiguration" }, { type: "azure-native:eventgrid/v20230601preview:PartnerConfiguration" }, { type: "azure-native:eventgrid/v20231215preview:PartnerConfiguration" }, { type: "azure-native:eventgrid/v20240601preview:PartnerConfiguration" }, { type: "azure-native:eventgrid/v20241215preview:PartnerConfiguration" }, { type: "azure-native:eventgrid/v20250215:PartnerConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:PartnerConfiguration" }, { type: "azure-native:eventgrid/v20230601preview:PartnerConfiguration" }, { type: "azure-native:eventgrid/v20231215preview:PartnerConfiguration" }, { type: "azure-native:eventgrid/v20240601preview:PartnerConfiguration" }, { type: "azure-native:eventgrid/v20241215preview:PartnerConfiguration" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:PartnerConfiguration" }, { type: "azure-native_eventgrid_v20220615:eventgrid:PartnerConfiguration" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:PartnerConfiguration" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:PartnerConfiguration" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:PartnerConfiguration" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:PartnerConfiguration" }, { type: "azure-native_eventgrid_v20250215:eventgrid:PartnerConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PartnerConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/partnerDestination.ts b/sdk/nodejs/eventgrid/partnerDestination.ts index 1b666a5ef6cf..05e700b89214 100644 --- a/sdk/nodejs/eventgrid/partnerDestination.ts +++ b/sdk/nodejs/eventgrid/partnerDestination.ts @@ -140,7 +140,7 @@ export class PartnerDestination extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20211015preview:PartnerDestination" }, { type: "azure-native:eventgrid/v20230601preview:PartnerDestination" }, { type: "azure-native:eventgrid/v20231215preview:PartnerDestination" }, { type: "azure-native:eventgrid/v20240601preview:PartnerDestination" }, { type: "azure-native:eventgrid/v20241215preview:PartnerDestination" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20211015preview:PartnerDestination" }, { type: "azure-native:eventgrid/v20230601preview:PartnerDestination" }, { type: "azure-native:eventgrid/v20231215preview:PartnerDestination" }, { type: "azure-native:eventgrid/v20240601preview:PartnerDestination" }, { type: "azure-native:eventgrid/v20241215preview:PartnerDestination" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:PartnerDestination" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:PartnerDestination" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:PartnerDestination" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:PartnerDestination" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:PartnerDestination" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PartnerDestination.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/partnerNamespace.ts b/sdk/nodejs/eventgrid/partnerNamespace.ts index e40ed0aa7b1d..8e5450bca158 100644 --- a/sdk/nodejs/eventgrid/partnerNamespace.ts +++ b/sdk/nodejs/eventgrid/partnerNamespace.ts @@ -154,7 +154,7 @@ export class PartnerNamespace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20200401preview:PartnerNamespace" }, { type: "azure-native:eventgrid/v20201015preview:PartnerNamespace" }, { type: "azure-native:eventgrid/v20210601preview:PartnerNamespace" }, { type: "azure-native:eventgrid/v20211015preview:PartnerNamespace" }, { type: "azure-native:eventgrid/v20220615:PartnerNamespace" }, { type: "azure-native:eventgrid/v20230601preview:PartnerNamespace" }, { type: "azure-native:eventgrid/v20231215preview:PartnerNamespace" }, { type: "azure-native:eventgrid/v20240601preview:PartnerNamespace" }, { type: "azure-native:eventgrid/v20241215preview:PartnerNamespace" }, { type: "azure-native:eventgrid/v20250215:PartnerNamespace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:PartnerNamespace" }, { type: "azure-native:eventgrid/v20230601preview:PartnerNamespace" }, { type: "azure-native:eventgrid/v20231215preview:PartnerNamespace" }, { type: "azure-native:eventgrid/v20240601preview:PartnerNamespace" }, { type: "azure-native:eventgrid/v20241215preview:PartnerNamespace" }, { type: "azure-native_eventgrid_v20200401preview:eventgrid:PartnerNamespace" }, { type: "azure-native_eventgrid_v20201015preview:eventgrid:PartnerNamespace" }, { type: "azure-native_eventgrid_v20210601preview:eventgrid:PartnerNamespace" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:PartnerNamespace" }, { type: "azure-native_eventgrid_v20220615:eventgrid:PartnerNamespace" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:PartnerNamespace" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:PartnerNamespace" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:PartnerNamespace" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:PartnerNamespace" }, { type: "azure-native_eventgrid_v20250215:eventgrid:PartnerNamespace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PartnerNamespace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/partnerRegistration.ts b/sdk/nodejs/eventgrid/partnerRegistration.ts index ebf5f9ad2a49..e3bce1693ac9 100644 --- a/sdk/nodejs/eventgrid/partnerRegistration.ts +++ b/sdk/nodejs/eventgrid/partnerRegistration.ts @@ -110,7 +110,7 @@ export class PartnerRegistration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20200401preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20201015preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20210601preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20211015preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20220615:PartnerRegistration" }, { type: "azure-native:eventgrid/v20230601preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20231215preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20240601preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20241215preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20250215:PartnerRegistration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20211015preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20220615:PartnerRegistration" }, { type: "azure-native:eventgrid/v20230601preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20231215preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20240601preview:PartnerRegistration" }, { type: "azure-native:eventgrid/v20241215preview:PartnerRegistration" }, { type: "azure-native_eventgrid_v20200401preview:eventgrid:PartnerRegistration" }, { type: "azure-native_eventgrid_v20201015preview:eventgrid:PartnerRegistration" }, { type: "azure-native_eventgrid_v20210601preview:eventgrid:PartnerRegistration" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:PartnerRegistration" }, { type: "azure-native_eventgrid_v20220615:eventgrid:PartnerRegistration" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:PartnerRegistration" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:PartnerRegistration" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:PartnerRegistration" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:PartnerRegistration" }, { type: "azure-native_eventgrid_v20250215:eventgrid:PartnerRegistration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PartnerRegistration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/partnerTopic.ts b/sdk/nodejs/eventgrid/partnerTopic.ts index e930f0480fa1..ac06c993eb50 100644 --- a/sdk/nodejs/eventgrid/partnerTopic.ts +++ b/sdk/nodejs/eventgrid/partnerTopic.ts @@ -153,7 +153,7 @@ export class PartnerTopic extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20211015preview:PartnerTopic" }, { type: "azure-native:eventgrid/v20220615:PartnerTopic" }, { type: "azure-native:eventgrid/v20230601preview:PartnerTopic" }, { type: "azure-native:eventgrid/v20231215preview:PartnerTopic" }, { type: "azure-native:eventgrid/v20240601preview:PartnerTopic" }, { type: "azure-native:eventgrid/v20241215preview:PartnerTopic" }, { type: "azure-native:eventgrid/v20250215:PartnerTopic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:PartnerTopic" }, { type: "azure-native:eventgrid/v20230601preview:PartnerTopic" }, { type: "azure-native:eventgrid/v20231215preview:PartnerTopic" }, { type: "azure-native:eventgrid/v20240601preview:PartnerTopic" }, { type: "azure-native:eventgrid/v20241215preview:PartnerTopic" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:PartnerTopic" }, { type: "azure-native_eventgrid_v20220615:eventgrid:PartnerTopic" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:PartnerTopic" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:PartnerTopic" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:PartnerTopic" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:PartnerTopic" }, { type: "azure-native_eventgrid_v20250215:eventgrid:PartnerTopic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PartnerTopic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/partnerTopicEventSubscription.ts b/sdk/nodejs/eventgrid/partnerTopicEventSubscription.ts index 6cf93866c3e6..4bb7e05cc840 100644 --- a/sdk/nodejs/eventgrid/partnerTopicEventSubscription.ts +++ b/sdk/nodejs/eventgrid/partnerTopicEventSubscription.ts @@ -159,7 +159,7 @@ export class PartnerTopicEventSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20200401preview:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20201015preview:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20210601preview:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20211015preview:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20220615:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20250215:PartnerTopicEventSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:PartnerTopicEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:PartnerTopicEventSubscription" }, { type: "azure-native_eventgrid_v20200401preview:eventgrid:PartnerTopicEventSubscription" }, { type: "azure-native_eventgrid_v20201015preview:eventgrid:PartnerTopicEventSubscription" }, { type: "azure-native_eventgrid_v20210601preview:eventgrid:PartnerTopicEventSubscription" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:PartnerTopicEventSubscription" }, { type: "azure-native_eventgrid_v20220615:eventgrid:PartnerTopicEventSubscription" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:PartnerTopicEventSubscription" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:PartnerTopicEventSubscription" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:PartnerTopicEventSubscription" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:PartnerTopicEventSubscription" }, { type: "azure-native_eventgrid_v20250215:eventgrid:PartnerTopicEventSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PartnerTopicEventSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/permissionBinding.ts b/sdk/nodejs/eventgrid/permissionBinding.ts index c204a53bbb60..2a0c632bab68 100644 --- a/sdk/nodejs/eventgrid/permissionBinding.ts +++ b/sdk/nodejs/eventgrid/permissionBinding.ts @@ -121,7 +121,7 @@ export class PermissionBinding extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:PermissionBinding" }, { type: "azure-native:eventgrid/v20231215preview:PermissionBinding" }, { type: "azure-native:eventgrid/v20240601preview:PermissionBinding" }, { type: "azure-native:eventgrid/v20241215preview:PermissionBinding" }, { type: "azure-native:eventgrid/v20250215:PermissionBinding" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:PermissionBinding" }, { type: "azure-native:eventgrid/v20231215preview:PermissionBinding" }, { type: "azure-native:eventgrid/v20240601preview:PermissionBinding" }, { type: "azure-native:eventgrid/v20241215preview:PermissionBinding" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:PermissionBinding" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:PermissionBinding" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:PermissionBinding" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:PermissionBinding" }, { type: "azure-native_eventgrid_v20250215:eventgrid:PermissionBinding" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PermissionBinding.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/privateEndpointConnection.ts b/sdk/nodejs/eventgrid/privateEndpointConnection.ts index 251c6dadbb66..6dd83eac7510 100644 --- a/sdk/nodejs/eventgrid/privateEndpointConnection.ts +++ b/sdk/nodejs/eventgrid/privateEndpointConnection.ts @@ -109,7 +109,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20200401preview:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20200601:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20201015preview:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20210601preview:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20211015preview:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20211201:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20220615:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20230601preview:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20231215preview:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20241215preview:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20250215:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20230601preview:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20231215preview:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native:eventgrid/v20241215preview:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20200401preview:eventgrid:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20200601:eventgrid:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20201015preview:eventgrid:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20210601preview:eventgrid:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20211201:eventgrid:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20220615:eventgrid:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:PrivateEndpointConnection" }, { type: "azure-native_eventgrid_v20250215:eventgrid:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/systemTopic.ts b/sdk/nodejs/eventgrid/systemTopic.ts index d28060416163..5eb96520fd8d 100644 --- a/sdk/nodejs/eventgrid/systemTopic.ts +++ b/sdk/nodejs/eventgrid/systemTopic.ts @@ -127,7 +127,7 @@ export class SystemTopic extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20200401preview:SystemTopic" }, { type: "azure-native:eventgrid/v20201015preview:SystemTopic" }, { type: "azure-native:eventgrid/v20210601preview:SystemTopic" }, { type: "azure-native:eventgrid/v20211015preview:SystemTopic" }, { type: "azure-native:eventgrid/v20211201:SystemTopic" }, { type: "azure-native:eventgrid/v20220615:SystemTopic" }, { type: "azure-native:eventgrid/v20230601preview:SystemTopic" }, { type: "azure-native:eventgrid/v20231215preview:SystemTopic" }, { type: "azure-native:eventgrid/v20240601preview:SystemTopic" }, { type: "azure-native:eventgrid/v20241215preview:SystemTopic" }, { type: "azure-native:eventgrid/v20250215:SystemTopic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:SystemTopic" }, { type: "azure-native:eventgrid/v20230601preview:SystemTopic" }, { type: "azure-native:eventgrid/v20231215preview:SystemTopic" }, { type: "azure-native:eventgrid/v20240601preview:SystemTopic" }, { type: "azure-native:eventgrid/v20241215preview:SystemTopic" }, { type: "azure-native_eventgrid_v20200401preview:eventgrid:SystemTopic" }, { type: "azure-native_eventgrid_v20201015preview:eventgrid:SystemTopic" }, { type: "azure-native_eventgrid_v20210601preview:eventgrid:SystemTopic" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:SystemTopic" }, { type: "azure-native_eventgrid_v20211201:eventgrid:SystemTopic" }, { type: "azure-native_eventgrid_v20220615:eventgrid:SystemTopic" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:SystemTopic" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:SystemTopic" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:SystemTopic" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:SystemTopic" }, { type: "azure-native_eventgrid_v20250215:eventgrid:SystemTopic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SystemTopic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/systemTopicEventSubscription.ts b/sdk/nodejs/eventgrid/systemTopicEventSubscription.ts index 54b55fd799e1..e5c6222f30fd 100644 --- a/sdk/nodejs/eventgrid/systemTopicEventSubscription.ts +++ b/sdk/nodejs/eventgrid/systemTopicEventSubscription.ts @@ -159,7 +159,7 @@ export class SystemTopicEventSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20200401preview:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20201015preview:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20210601preview:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20211015preview:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20211201:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20220615:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20250215:SystemTopicEventSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:SystemTopicEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:SystemTopicEventSubscription" }, { type: "azure-native_eventgrid_v20200401preview:eventgrid:SystemTopicEventSubscription" }, { type: "azure-native_eventgrid_v20201015preview:eventgrid:SystemTopicEventSubscription" }, { type: "azure-native_eventgrid_v20210601preview:eventgrid:SystemTopicEventSubscription" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:SystemTopicEventSubscription" }, { type: "azure-native_eventgrid_v20211201:eventgrid:SystemTopicEventSubscription" }, { type: "azure-native_eventgrid_v20220615:eventgrid:SystemTopicEventSubscription" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:SystemTopicEventSubscription" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:SystemTopicEventSubscription" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:SystemTopicEventSubscription" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:SystemTopicEventSubscription" }, { type: "azure-native_eventgrid_v20250215:eventgrid:SystemTopicEventSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SystemTopicEventSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/topic.ts b/sdk/nodejs/eventgrid/topic.ts index 15f7f1d71975..1921b27238bc 100644 --- a/sdk/nodejs/eventgrid/topic.ts +++ b/sdk/nodejs/eventgrid/topic.ts @@ -177,7 +177,7 @@ export class Topic extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20170615preview:Topic" }, { type: "azure-native:eventgrid/v20170915preview:Topic" }, { type: "azure-native:eventgrid/v20180101:Topic" }, { type: "azure-native:eventgrid/v20180501preview:Topic" }, { type: "azure-native:eventgrid/v20180915preview:Topic" }, { type: "azure-native:eventgrid/v20190101:Topic" }, { type: "azure-native:eventgrid/v20190201preview:Topic" }, { type: "azure-native:eventgrid/v20190601:Topic" }, { type: "azure-native:eventgrid/v20200101preview:Topic" }, { type: "azure-native:eventgrid/v20200401preview:Topic" }, { type: "azure-native:eventgrid/v20200601:Topic" }, { type: "azure-native:eventgrid/v20201015preview:Topic" }, { type: "azure-native:eventgrid/v20210601preview:Topic" }, { type: "azure-native:eventgrid/v20211015preview:Topic" }, { type: "azure-native:eventgrid/v20211201:Topic" }, { type: "azure-native:eventgrid/v20220615:Topic" }, { type: "azure-native:eventgrid/v20230601preview:Topic" }, { type: "azure-native:eventgrid/v20231215preview:Topic" }, { type: "azure-native:eventgrid/v20240601preview:Topic" }, { type: "azure-native:eventgrid/v20241215preview:Topic" }, { type: "azure-native:eventgrid/v20250215:Topic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20200401preview:Topic" }, { type: "azure-native:eventgrid/v20220615:Topic" }, { type: "azure-native:eventgrid/v20230601preview:Topic" }, { type: "azure-native:eventgrid/v20231215preview:Topic" }, { type: "azure-native:eventgrid/v20240601preview:Topic" }, { type: "azure-native:eventgrid/v20241215preview:Topic" }, { type: "azure-native_eventgrid_v20170615preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20170915preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20180101:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20180501preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20180915preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20190101:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20190201preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20190601:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20200101preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20200401preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20200601:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20201015preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20210601preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20211201:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20220615:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:Topic" }, { type: "azure-native_eventgrid_v20250215:eventgrid:Topic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Topic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/topicEventSubscription.ts b/sdk/nodejs/eventgrid/topicEventSubscription.ts index 1e9da1184297..47c403dcc93f 100644 --- a/sdk/nodejs/eventgrid/topicEventSubscription.ts +++ b/sdk/nodejs/eventgrid/topicEventSubscription.ts @@ -159,7 +159,7 @@ export class TopicEventSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20211015preview:TopicEventSubscription" }, { type: "azure-native:eventgrid/v20220615:TopicEventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:TopicEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:TopicEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:TopicEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:TopicEventSubscription" }, { type: "azure-native:eventgrid/v20250215:TopicEventSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20220615:TopicEventSubscription" }, { type: "azure-native:eventgrid/v20230601preview:TopicEventSubscription" }, { type: "azure-native:eventgrid/v20231215preview:TopicEventSubscription" }, { type: "azure-native:eventgrid/v20240601preview:TopicEventSubscription" }, { type: "azure-native:eventgrid/v20241215preview:TopicEventSubscription" }, { type: "azure-native_eventgrid_v20211015preview:eventgrid:TopicEventSubscription" }, { type: "azure-native_eventgrid_v20220615:eventgrid:TopicEventSubscription" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:TopicEventSubscription" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:TopicEventSubscription" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:TopicEventSubscription" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:TopicEventSubscription" }, { type: "azure-native_eventgrid_v20250215:eventgrid:TopicEventSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TopicEventSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventgrid/topicSpace.ts b/sdk/nodejs/eventgrid/topicSpace.ts index 32d0652d3b29..c9374967c18a 100644 --- a/sdk/nodejs/eventgrid/topicSpace.ts +++ b/sdk/nodejs/eventgrid/topicSpace.ts @@ -111,7 +111,7 @@ export class TopicSpace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:TopicSpace" }, { type: "azure-native:eventgrid/v20231215preview:TopicSpace" }, { type: "azure-native:eventgrid/v20240601preview:TopicSpace" }, { type: "azure-native:eventgrid/v20241215preview:TopicSpace" }, { type: "azure-native:eventgrid/v20250215:TopicSpace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventgrid/v20230601preview:TopicSpace" }, { type: "azure-native:eventgrid/v20231215preview:TopicSpace" }, { type: "azure-native:eventgrid/v20240601preview:TopicSpace" }, { type: "azure-native:eventgrid/v20241215preview:TopicSpace" }, { type: "azure-native_eventgrid_v20230601preview:eventgrid:TopicSpace" }, { type: "azure-native_eventgrid_v20231215preview:eventgrid:TopicSpace" }, { type: "azure-native_eventgrid_v20240601preview:eventgrid:TopicSpace" }, { type: "azure-native_eventgrid_v20241215preview:eventgrid:TopicSpace" }, { type: "azure-native_eventgrid_v20250215:eventgrid:TopicSpace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TopicSpace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/applicationGroup.ts b/sdk/nodejs/eventhub/applicationGroup.ts index 7534231efdfb..236a8f022d72 100644 --- a/sdk/nodejs/eventhub/applicationGroup.ts +++ b/sdk/nodejs/eventhub/applicationGroup.ts @@ -116,7 +116,7 @@ export class ApplicationGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20220101preview:ApplicationGroup" }, { type: "azure-native:eventhub/v20221001preview:ApplicationGroup" }, { type: "azure-native:eventhub/v20230101preview:ApplicationGroup" }, { type: "azure-native:eventhub/v20240101:ApplicationGroup" }, { type: "azure-native:eventhub/v20240501preview:ApplicationGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20221001preview:ApplicationGroup" }, { type: "azure-native:eventhub/v20230101preview:ApplicationGroup" }, { type: "azure-native:eventhub/v20240101:ApplicationGroup" }, { type: "azure-native:eventhub/v20240501preview:ApplicationGroup" }, { type: "azure-native_eventhub_v20220101preview:eventhub:ApplicationGroup" }, { type: "azure-native_eventhub_v20221001preview:eventhub:ApplicationGroup" }, { type: "azure-native_eventhub_v20230101preview:eventhub:ApplicationGroup" }, { type: "azure-native_eventhub_v20240101:eventhub:ApplicationGroup" }, { type: "azure-native_eventhub_v20240501preview:eventhub:ApplicationGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/cluster.ts b/sdk/nodejs/eventhub/cluster.ts index 7d6308efd8ba..3787841bebde 100644 --- a/sdk/nodejs/eventhub/cluster.ts +++ b/sdk/nodejs/eventhub/cluster.ts @@ -139,7 +139,7 @@ export class Cluster extends pulumi.CustomResource { resourceInputs["updatedAt"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20180101preview:Cluster" }, { type: "azure-native:eventhub/v20210601preview:Cluster" }, { type: "azure-native:eventhub/v20211101:Cluster" }, { type: "azure-native:eventhub/v20220101preview:Cluster" }, { type: "azure-native:eventhub/v20221001preview:Cluster" }, { type: "azure-native:eventhub/v20230101preview:Cluster" }, { type: "azure-native:eventhub/v20240101:Cluster" }, { type: "azure-native:eventhub/v20240501preview:Cluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20221001preview:Cluster" }, { type: "azure-native:eventhub/v20230101preview:Cluster" }, { type: "azure-native:eventhub/v20240101:Cluster" }, { type: "azure-native:eventhub/v20240501preview:Cluster" }, { type: "azure-native_eventhub_v20180101preview:eventhub:Cluster" }, { type: "azure-native_eventhub_v20210601preview:eventhub:Cluster" }, { type: "azure-native_eventhub_v20211101:eventhub:Cluster" }, { type: "azure-native_eventhub_v20220101preview:eventhub:Cluster" }, { type: "azure-native_eventhub_v20221001preview:eventhub:Cluster" }, { type: "azure-native_eventhub_v20230101preview:eventhub:Cluster" }, { type: "azure-native_eventhub_v20240101:eventhub:Cluster" }, { type: "azure-native_eventhub_v20240501preview:eventhub:Cluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/consumerGroup.ts b/sdk/nodejs/eventhub/consumerGroup.ts index 196ceafd9773..dc35c0d95e52 100644 --- a/sdk/nodejs/eventhub/consumerGroup.ts +++ b/sdk/nodejs/eventhub/consumerGroup.ts @@ -117,7 +117,7 @@ export class ConsumerGroup extends pulumi.CustomResource { resourceInputs["userMetadata"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20140901:ConsumerGroup" }, { type: "azure-native:eventhub/v20150801:ConsumerGroup" }, { type: "azure-native:eventhub/v20170401:ConsumerGroup" }, { type: "azure-native:eventhub/v20180101preview:ConsumerGroup" }, { type: "azure-native:eventhub/v20210101preview:ConsumerGroup" }, { type: "azure-native:eventhub/v20210601preview:ConsumerGroup" }, { type: "azure-native:eventhub/v20211101:ConsumerGroup" }, { type: "azure-native:eventhub/v20220101preview:ConsumerGroup" }, { type: "azure-native:eventhub/v20221001preview:ConsumerGroup" }, { type: "azure-native:eventhub/v20230101preview:ConsumerGroup" }, { type: "azure-native:eventhub/v20240101:ConsumerGroup" }, { type: "azure-native:eventhub/v20240501preview:ConsumerGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20221001preview:ConsumerGroup" }, { type: "azure-native:eventhub/v20230101preview:ConsumerGroup" }, { type: "azure-native:eventhub/v20240101:ConsumerGroup" }, { type: "azure-native:eventhub/v20240501preview:ConsumerGroup" }, { type: "azure-native_eventhub_v20140901:eventhub:ConsumerGroup" }, { type: "azure-native_eventhub_v20150801:eventhub:ConsumerGroup" }, { type: "azure-native_eventhub_v20170401:eventhub:ConsumerGroup" }, { type: "azure-native_eventhub_v20180101preview:eventhub:ConsumerGroup" }, { type: "azure-native_eventhub_v20210101preview:eventhub:ConsumerGroup" }, { type: "azure-native_eventhub_v20210601preview:eventhub:ConsumerGroup" }, { type: "azure-native_eventhub_v20211101:eventhub:ConsumerGroup" }, { type: "azure-native_eventhub_v20220101preview:eventhub:ConsumerGroup" }, { type: "azure-native_eventhub_v20221001preview:eventhub:ConsumerGroup" }, { type: "azure-native_eventhub_v20230101preview:eventhub:ConsumerGroup" }, { type: "azure-native_eventhub_v20240101:eventhub:ConsumerGroup" }, { type: "azure-native_eventhub_v20240501preview:eventhub:ConsumerGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConsumerGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/disasterRecoveryConfig.ts b/sdk/nodejs/eventhub/disasterRecoveryConfig.ts index f077bcb3d351..112d8ca7d1f8 100644 --- a/sdk/nodejs/eventhub/disasterRecoveryConfig.ts +++ b/sdk/nodejs/eventhub/disasterRecoveryConfig.ts @@ -125,7 +125,7 @@ export class DisasterRecoveryConfig extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20170401:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20180101preview:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20210101preview:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20210601preview:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20211101:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20220101preview:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20221001preview:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20230101preview:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20240101:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20240501preview:DisasterRecoveryConfig" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20221001preview:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20230101preview:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20240101:DisasterRecoveryConfig" }, { type: "azure-native:eventhub/v20240501preview:DisasterRecoveryConfig" }, { type: "azure-native_eventhub_v20170401:eventhub:DisasterRecoveryConfig" }, { type: "azure-native_eventhub_v20180101preview:eventhub:DisasterRecoveryConfig" }, { type: "azure-native_eventhub_v20210101preview:eventhub:DisasterRecoveryConfig" }, { type: "azure-native_eventhub_v20210601preview:eventhub:DisasterRecoveryConfig" }, { type: "azure-native_eventhub_v20211101:eventhub:DisasterRecoveryConfig" }, { type: "azure-native_eventhub_v20220101preview:eventhub:DisasterRecoveryConfig" }, { type: "azure-native_eventhub_v20221001preview:eventhub:DisasterRecoveryConfig" }, { type: "azure-native_eventhub_v20230101preview:eventhub:DisasterRecoveryConfig" }, { type: "azure-native_eventhub_v20240101:eventhub:DisasterRecoveryConfig" }, { type: "azure-native_eventhub_v20240501preview:eventhub:DisasterRecoveryConfig" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DisasterRecoveryConfig.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/eventHub.ts b/sdk/nodejs/eventhub/eventHub.ts index 53be8b97a555..99c03f3f16d7 100644 --- a/sdk/nodejs/eventhub/eventHub.ts +++ b/sdk/nodejs/eventhub/eventHub.ts @@ -149,7 +149,7 @@ export class EventHub extends pulumi.CustomResource { resourceInputs["userMetadata"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20140901:EventHub" }, { type: "azure-native:eventhub/v20150801:EventHub" }, { type: "azure-native:eventhub/v20170401:EventHub" }, { type: "azure-native:eventhub/v20180101preview:EventHub" }, { type: "azure-native:eventhub/v20210101preview:EventHub" }, { type: "azure-native:eventhub/v20210601preview:EventHub" }, { type: "azure-native:eventhub/v20211101:EventHub" }, { type: "azure-native:eventhub/v20220101preview:EventHub" }, { type: "azure-native:eventhub/v20221001preview:EventHub" }, { type: "azure-native:eventhub/v20230101preview:EventHub" }, { type: "azure-native:eventhub/v20240101:EventHub" }, { type: "azure-native:eventhub/v20240501preview:EventHub" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20221001preview:EventHub" }, { type: "azure-native:eventhub/v20230101preview:EventHub" }, { type: "azure-native:eventhub/v20240101:EventHub" }, { type: "azure-native:eventhub/v20240501preview:EventHub" }, { type: "azure-native_eventhub_v20140901:eventhub:EventHub" }, { type: "azure-native_eventhub_v20150801:eventhub:EventHub" }, { type: "azure-native_eventhub_v20170401:eventhub:EventHub" }, { type: "azure-native_eventhub_v20180101preview:eventhub:EventHub" }, { type: "azure-native_eventhub_v20210101preview:eventhub:EventHub" }, { type: "azure-native_eventhub_v20210601preview:eventhub:EventHub" }, { type: "azure-native_eventhub_v20211101:eventhub:EventHub" }, { type: "azure-native_eventhub_v20220101preview:eventhub:EventHub" }, { type: "azure-native_eventhub_v20221001preview:eventhub:EventHub" }, { type: "azure-native_eventhub_v20230101preview:eventhub:EventHub" }, { type: "azure-native_eventhub_v20240101:eventhub:EventHub" }, { type: "azure-native_eventhub_v20240501preview:eventhub:EventHub" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EventHub.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/eventHubAuthorizationRule.ts b/sdk/nodejs/eventhub/eventHubAuthorizationRule.ts index ce3877334727..9f166ed43c7c 100644 --- a/sdk/nodejs/eventhub/eventHubAuthorizationRule.ts +++ b/sdk/nodejs/eventhub/eventHubAuthorizationRule.ts @@ -108,7 +108,7 @@ export class EventHubAuthorizationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20140901:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20150801:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20170401:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20180101preview:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20210101preview:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20210601preview:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20211101:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20220101preview:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20221001preview:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20230101preview:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20240101:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20240501preview:EventHubAuthorizationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20221001preview:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20230101preview:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20240101:EventHubAuthorizationRule" }, { type: "azure-native:eventhub/v20240501preview:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20140901:eventhub:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20150801:eventhub:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20170401:eventhub:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20180101preview:eventhub:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20210101preview:eventhub:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20210601preview:eventhub:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20211101:eventhub:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20220101preview:eventhub:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20221001preview:eventhub:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20230101preview:eventhub:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20240101:eventhub:EventHubAuthorizationRule" }, { type: "azure-native_eventhub_v20240501preview:eventhub:EventHubAuthorizationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EventHubAuthorizationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/namespace.ts b/sdk/nodejs/eventhub/namespace.ts index 5b78ca7d61f6..cf491b130482 100644 --- a/sdk/nodejs/eventhub/namespace.ts +++ b/sdk/nodejs/eventhub/namespace.ts @@ -211,7 +211,7 @@ export class Namespace extends pulumi.CustomResource { resourceInputs["zoneRedundant"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20140901:Namespace" }, { type: "azure-native:eventhub/v20150801:Namespace" }, { type: "azure-native:eventhub/v20170401:Namespace" }, { type: "azure-native:eventhub/v20180101preview:Namespace" }, { type: "azure-native:eventhub/v20210101preview:Namespace" }, { type: "azure-native:eventhub/v20210601preview:Namespace" }, { type: "azure-native:eventhub/v20211101:Namespace" }, { type: "azure-native:eventhub/v20220101preview:Namespace" }, { type: "azure-native:eventhub/v20221001preview:Namespace" }, { type: "azure-native:eventhub/v20230101preview:Namespace" }, { type: "azure-native:eventhub/v20240101:Namespace" }, { type: "azure-native:eventhub/v20240501preview:Namespace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20221001preview:Namespace" }, { type: "azure-native:eventhub/v20230101preview:Namespace" }, { type: "azure-native:eventhub/v20240101:Namespace" }, { type: "azure-native:eventhub/v20240501preview:Namespace" }, { type: "azure-native_eventhub_v20140901:eventhub:Namespace" }, { type: "azure-native_eventhub_v20150801:eventhub:Namespace" }, { type: "azure-native_eventhub_v20170401:eventhub:Namespace" }, { type: "azure-native_eventhub_v20180101preview:eventhub:Namespace" }, { type: "azure-native_eventhub_v20210101preview:eventhub:Namespace" }, { type: "azure-native_eventhub_v20210601preview:eventhub:Namespace" }, { type: "azure-native_eventhub_v20211101:eventhub:Namespace" }, { type: "azure-native_eventhub_v20220101preview:eventhub:Namespace" }, { type: "azure-native_eventhub_v20221001preview:eventhub:Namespace" }, { type: "azure-native_eventhub_v20230101preview:eventhub:Namespace" }, { type: "azure-native_eventhub_v20240101:eventhub:Namespace" }, { type: "azure-native_eventhub_v20240501preview:eventhub:Namespace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Namespace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/namespaceAuthorizationRule.ts b/sdk/nodejs/eventhub/namespaceAuthorizationRule.ts index 218f8b30e26e..e924004b6960 100644 --- a/sdk/nodejs/eventhub/namespaceAuthorizationRule.ts +++ b/sdk/nodejs/eventhub/namespaceAuthorizationRule.ts @@ -104,7 +104,7 @@ export class NamespaceAuthorizationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20140901:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20150801:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20170401:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20180101preview:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20210101preview:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20210601preview:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20211101:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20220101preview:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20221001preview:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20230101preview:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20240101:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20240501preview:NamespaceAuthorizationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20221001preview:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20230101preview:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20240101:NamespaceAuthorizationRule" }, { type: "azure-native:eventhub/v20240501preview:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20140901:eventhub:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20150801:eventhub:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20170401:eventhub:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20180101preview:eventhub:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20210101preview:eventhub:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20210601preview:eventhub:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20211101:eventhub:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20220101preview:eventhub:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20221001preview:eventhub:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20230101preview:eventhub:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20240101:eventhub:NamespaceAuthorizationRule" }, { type: "azure-native_eventhub_v20240501preview:eventhub:NamespaceAuthorizationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceAuthorizationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/namespaceIpFilterRule.ts b/sdk/nodejs/eventhub/namespaceIpFilterRule.ts index fb066bf17df5..cc0e892fdf99 100644 --- a/sdk/nodejs/eventhub/namespaceIpFilterRule.ts +++ b/sdk/nodejs/eventhub/namespaceIpFilterRule.ts @@ -99,7 +99,7 @@ export class NamespaceIpFilterRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20180101preview:NamespaceIpFilterRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20180101preview:NamespaceIpFilterRule" }, { type: "azure-native_eventhub_v20180101preview:eventhub:NamespaceIpFilterRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceIpFilterRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/namespaceNetworkRuleSet.ts b/sdk/nodejs/eventhub/namespaceNetworkRuleSet.ts index 270a69bcf849..7f316a500b78 100644 --- a/sdk/nodejs/eventhub/namespaceNetworkRuleSet.ts +++ b/sdk/nodejs/eventhub/namespaceNetworkRuleSet.ts @@ -124,7 +124,7 @@ export class NamespaceNetworkRuleSet extends pulumi.CustomResource { resourceInputs["virtualNetworkRules"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20170401:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20180101preview:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20210101preview:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20210601preview:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20211101:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20220101preview:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20221001preview:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20230101preview:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20240101:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20240501preview:NamespaceNetworkRuleSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20221001preview:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20230101preview:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20240101:NamespaceNetworkRuleSet" }, { type: "azure-native:eventhub/v20240501preview:NamespaceNetworkRuleSet" }, { type: "azure-native_eventhub_v20170401:eventhub:NamespaceNetworkRuleSet" }, { type: "azure-native_eventhub_v20180101preview:eventhub:NamespaceNetworkRuleSet" }, { type: "azure-native_eventhub_v20210101preview:eventhub:NamespaceNetworkRuleSet" }, { type: "azure-native_eventhub_v20210601preview:eventhub:NamespaceNetworkRuleSet" }, { type: "azure-native_eventhub_v20211101:eventhub:NamespaceNetworkRuleSet" }, { type: "azure-native_eventhub_v20220101preview:eventhub:NamespaceNetworkRuleSet" }, { type: "azure-native_eventhub_v20221001preview:eventhub:NamespaceNetworkRuleSet" }, { type: "azure-native_eventhub_v20230101preview:eventhub:NamespaceNetworkRuleSet" }, { type: "azure-native_eventhub_v20240101:eventhub:NamespaceNetworkRuleSet" }, { type: "azure-native_eventhub_v20240501preview:eventhub:NamespaceNetworkRuleSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceNetworkRuleSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/namespaceVirtualNetworkRule.ts b/sdk/nodejs/eventhub/namespaceVirtualNetworkRule.ts index 63d232e193e6..4164c8ffa509 100644 --- a/sdk/nodejs/eventhub/namespaceVirtualNetworkRule.ts +++ b/sdk/nodejs/eventhub/namespaceVirtualNetworkRule.ts @@ -84,7 +84,7 @@ export class NamespaceVirtualNetworkRule extends pulumi.CustomResource { resourceInputs["virtualNetworkSubnetId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20180101preview:NamespaceVirtualNetworkRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20180101preview:NamespaceVirtualNetworkRule" }, { type: "azure-native_eventhub_v20180101preview:eventhub:NamespaceVirtualNetworkRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceVirtualNetworkRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/privateEndpointConnection.ts b/sdk/nodejs/eventhub/privateEndpointConnection.ts index 9c32a51dc369..10d6dd6fea1e 100644 --- a/sdk/nodejs/eventhub/privateEndpointConnection.ts +++ b/sdk/nodejs/eventhub/privateEndpointConnection.ts @@ -113,7 +113,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20180101preview:PrivateEndpointConnection" }, { type: "azure-native:eventhub/v20210101preview:PrivateEndpointConnection" }, { type: "azure-native:eventhub/v20210601preview:PrivateEndpointConnection" }, { type: "azure-native:eventhub/v20211101:PrivateEndpointConnection" }, { type: "azure-native:eventhub/v20220101preview:PrivateEndpointConnection" }, { type: "azure-native:eventhub/v20221001preview:PrivateEndpointConnection" }, { type: "azure-native:eventhub/v20230101preview:PrivateEndpointConnection" }, { type: "azure-native:eventhub/v20240101:PrivateEndpointConnection" }, { type: "azure-native:eventhub/v20240501preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20221001preview:PrivateEndpointConnection" }, { type: "azure-native:eventhub/v20230101preview:PrivateEndpointConnection" }, { type: "azure-native:eventhub/v20240101:PrivateEndpointConnection" }, { type: "azure-native:eventhub/v20240501preview:PrivateEndpointConnection" }, { type: "azure-native_eventhub_v20180101preview:eventhub:PrivateEndpointConnection" }, { type: "azure-native_eventhub_v20210101preview:eventhub:PrivateEndpointConnection" }, { type: "azure-native_eventhub_v20210601preview:eventhub:PrivateEndpointConnection" }, { type: "azure-native_eventhub_v20211101:eventhub:PrivateEndpointConnection" }, { type: "azure-native_eventhub_v20220101preview:eventhub:PrivateEndpointConnection" }, { type: "azure-native_eventhub_v20221001preview:eventhub:PrivateEndpointConnection" }, { type: "azure-native_eventhub_v20230101preview:eventhub:PrivateEndpointConnection" }, { type: "azure-native_eventhub_v20240101:eventhub:PrivateEndpointConnection" }, { type: "azure-native_eventhub_v20240501preview:eventhub:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/eventhub/schemaRegistry.ts b/sdk/nodejs/eventhub/schemaRegistry.ts index 103e5f10153e..2a0a8fb3998c 100644 --- a/sdk/nodejs/eventhub/schemaRegistry.ts +++ b/sdk/nodejs/eventhub/schemaRegistry.ts @@ -125,7 +125,7 @@ export class SchemaRegistry extends pulumi.CustomResource { resourceInputs["updatedAtUtc"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20211101:SchemaRegistry" }, { type: "azure-native:eventhub/v20220101preview:SchemaRegistry" }, { type: "azure-native:eventhub/v20221001preview:SchemaRegistry" }, { type: "azure-native:eventhub/v20230101preview:SchemaRegistry" }, { type: "azure-native:eventhub/v20240101:SchemaRegistry" }, { type: "azure-native:eventhub/v20240501preview:SchemaRegistry" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:eventhub/v20221001preview:SchemaRegistry" }, { type: "azure-native:eventhub/v20230101preview:SchemaRegistry" }, { type: "azure-native:eventhub/v20240101:SchemaRegistry" }, { type: "azure-native:eventhub/v20240501preview:SchemaRegistry" }, { type: "azure-native_eventhub_v20211101:eventhub:SchemaRegistry" }, { type: "azure-native_eventhub_v20220101preview:eventhub:SchemaRegistry" }, { type: "azure-native_eventhub_v20221001preview:eventhub:SchemaRegistry" }, { type: "azure-native_eventhub_v20230101preview:eventhub:SchemaRegistry" }, { type: "azure-native_eventhub_v20240101:eventhub:SchemaRegistry" }, { type: "azure-native_eventhub_v20240501preview:eventhub:SchemaRegistry" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SchemaRegistry.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/extendedlocation/customLocation.ts b/sdk/nodejs/extendedlocation/customLocation.ts index aad7d8eb29e9..13fde85c8962 100644 --- a/sdk/nodejs/extendedlocation/customLocation.ts +++ b/sdk/nodejs/extendedlocation/customLocation.ts @@ -145,7 +145,7 @@ export class CustomLocation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:extendedlocation/v20210315preview:CustomLocation" }, { type: "azure-native:extendedlocation/v20210815:CustomLocation" }, { type: "azure-native:extendedlocation/v20210831preview:CustomLocation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:extendedlocation/v20210815:CustomLocation" }, { type: "azure-native:extendedlocation/v20210831preview:CustomLocation" }, { type: "azure-native_extendedlocation_v20210315preview:extendedlocation:CustomLocation" }, { type: "azure-native_extendedlocation_v20210815:extendedlocation:CustomLocation" }, { type: "azure-native_extendedlocation_v20210831preview:extendedlocation:CustomLocation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomLocation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/extendedlocation/resourceSyncRule.ts b/sdk/nodejs/extendedlocation/resourceSyncRule.ts index 4fff9934dd0f..1cc14a504340 100644 --- a/sdk/nodejs/extendedlocation/resourceSyncRule.ts +++ b/sdk/nodejs/extendedlocation/resourceSyncRule.ts @@ -123,7 +123,7 @@ export class ResourceSyncRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:extendedlocation/v20210831preview:ResourceSyncRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:extendedlocation/v20210831preview:ResourceSyncRule" }, { type: "azure-native_extendedlocation_v20210831preview:extendedlocation:ResourceSyncRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ResourceSyncRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/fabric/fabricCapacity.ts b/sdk/nodejs/fabric/fabricCapacity.ts index 890c45aff75f..e5e0e7889a03 100644 --- a/sdk/nodejs/fabric/fabricCapacity.ts +++ b/sdk/nodejs/fabric/fabricCapacity.ts @@ -127,7 +127,7 @@ export class FabricCapacity extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:fabric/v20231101:FabricCapacity" }, { type: "azure-native:fabric/v20250115preview:FabricCapacity" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:fabric/v20231101:FabricCapacity" }, { type: "azure-native:fabric/v20250115preview:FabricCapacity" }, { type: "azure-native_fabric_v20231101:fabric:FabricCapacity" }, { type: "azure-native_fabric_v20250115preview:fabric:FabricCapacity" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FabricCapacity.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/features/subscriptionFeatureRegistration.ts b/sdk/nodejs/features/subscriptionFeatureRegistration.ts index ac165261d22d..d2146c987df9 100644 --- a/sdk/nodejs/features/subscriptionFeatureRegistration.ts +++ b/sdk/nodejs/features/subscriptionFeatureRegistration.ts @@ -80,7 +80,7 @@ export class SubscriptionFeatureRegistration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:features/v20210701:SubscriptionFeatureRegistration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:features/v20210701:SubscriptionFeatureRegistration" }, { type: "azure-native_features_v20210701:features:SubscriptionFeatureRegistration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SubscriptionFeatureRegistration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/fluidrelay/fluidRelayServer.ts b/sdk/nodejs/fluidrelay/fluidRelayServer.ts index 4402af8fd5a1..e427983b3fb8 100644 --- a/sdk/nodejs/fluidrelay/fluidRelayServer.ts +++ b/sdk/nodejs/fluidrelay/fluidRelayServer.ts @@ -131,7 +131,7 @@ export class FluidRelayServer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:fluidrelay/v20210312preview:FluidRelayServer" }, { type: "azure-native:fluidrelay/v20210615preview:FluidRelayServer" }, { type: "azure-native:fluidrelay/v20210830preview:FluidRelayServer" }, { type: "azure-native:fluidrelay/v20210910preview:FluidRelayServer" }, { type: "azure-native:fluidrelay/v20220215:FluidRelayServer" }, { type: "azure-native:fluidrelay/v20220421:FluidRelayServer" }, { type: "azure-native:fluidrelay/v20220511:FluidRelayServer" }, { type: "azure-native:fluidrelay/v20220526:FluidRelayServer" }, { type: "azure-native:fluidrelay/v20220601:FluidRelayServer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:fluidrelay/v20210615preview:FluidRelayServer" }, { type: "azure-native:fluidrelay/v20220601:FluidRelayServer" }, { type: "azure-native_fluidrelay_v20210312preview:fluidrelay:FluidRelayServer" }, { type: "azure-native_fluidrelay_v20210615preview:fluidrelay:FluidRelayServer" }, { type: "azure-native_fluidrelay_v20210830preview:fluidrelay:FluidRelayServer" }, { type: "azure-native_fluidrelay_v20210910preview:fluidrelay:FluidRelayServer" }, { type: "azure-native_fluidrelay_v20220215:fluidrelay:FluidRelayServer" }, { type: "azure-native_fluidrelay_v20220421:fluidrelay:FluidRelayServer" }, { type: "azure-native_fluidrelay_v20220511:fluidrelay:FluidRelayServer" }, { type: "azure-native_fluidrelay_v20220526:fluidrelay:FluidRelayServer" }, { type: "azure-native_fluidrelay_v20220601:fluidrelay:FluidRelayServer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FluidRelayServer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/frontdoor/experiment.ts b/sdk/nodejs/frontdoor/experiment.ts index 7a57a778d07a..643cf6aad2d0 100644 --- a/sdk/nodejs/frontdoor/experiment.ts +++ b/sdk/nodejs/frontdoor/experiment.ts @@ -135,7 +135,7 @@ export class Experiment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:frontdoor/v20191101:Experiment" }, { type: "azure-native:network/v20191101:Experiment" }, { type: "azure-native:network:Experiment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20191101:Experiment" }, { type: "azure-native:network:Experiment" }, { type: "azure-native_frontdoor_v20191101:frontdoor:Experiment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Experiment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/frontdoor/frontDoor.ts b/sdk/nodejs/frontdoor/frontDoor.ts index d5406eb90c92..0142a9c44155 100644 --- a/sdk/nodejs/frontdoor/frontDoor.ts +++ b/sdk/nodejs/frontdoor/frontDoor.ts @@ -175,7 +175,7 @@ export class FrontDoor extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:frontdoor/v20190401:FrontDoor" }, { type: "azure-native:frontdoor/v20190501:FrontDoor" }, { type: "azure-native:frontdoor/v20200101:FrontDoor" }, { type: "azure-native:frontdoor/v20200401:FrontDoor" }, { type: "azure-native:frontdoor/v20200501:FrontDoor" }, { type: "azure-native:frontdoor/v20210601:FrontDoor" }, { type: "azure-native:network/v20210601:FrontDoor" }, { type: "azure-native:network:FrontDoor" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210601:FrontDoor" }, { type: "azure-native:network:FrontDoor" }, { type: "azure-native_frontdoor_v20190401:frontdoor:FrontDoor" }, { type: "azure-native_frontdoor_v20190501:frontdoor:FrontDoor" }, { type: "azure-native_frontdoor_v20200101:frontdoor:FrontDoor" }, { type: "azure-native_frontdoor_v20200401:frontdoor:FrontDoor" }, { type: "azure-native_frontdoor_v20200501:frontdoor:FrontDoor" }, { type: "azure-native_frontdoor_v20210601:frontdoor:FrontDoor" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FrontDoor.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/frontdoor/networkExperimentProfile.ts b/sdk/nodejs/frontdoor/networkExperimentProfile.ts index 7608947ac301..442e66cd6556 100644 --- a/sdk/nodejs/frontdoor/networkExperimentProfile.ts +++ b/sdk/nodejs/frontdoor/networkExperimentProfile.ts @@ -107,7 +107,7 @@ export class NetworkExperimentProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:frontdoor/v20191101:NetworkExperimentProfile" }, { type: "azure-native:network/v20191101:NetworkExperimentProfile" }, { type: "azure-native:network:NetworkExperimentProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20191101:NetworkExperimentProfile" }, { type: "azure-native:network:NetworkExperimentProfile" }, { type: "azure-native_frontdoor_v20191101:frontdoor:NetworkExperimentProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkExperimentProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/frontdoor/policy.ts b/sdk/nodejs/frontdoor/policy.ts index b369fc4a2925..ab86ac37a70d 100644 --- a/sdk/nodejs/frontdoor/policy.ts +++ b/sdk/nodejs/frontdoor/policy.ts @@ -148,7 +148,7 @@ export class Policy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:frontdoor/v20190301:Policy" }, { type: "azure-native:frontdoor/v20191001:Policy" }, { type: "azure-native:frontdoor/v20200401:Policy" }, { type: "azure-native:frontdoor/v20201101:Policy" }, { type: "azure-native:frontdoor/v20210601:Policy" }, { type: "azure-native:frontdoor/v20220501:Policy" }, { type: "azure-native:frontdoor/v20240201:Policy" }, { type: "azure-native:network/v20210601:Policy" }, { type: "azure-native:network/v20220501:Policy" }, { type: "azure-native:network/v20240201:Policy" }, { type: "azure-native:network:Policy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210601:Policy" }, { type: "azure-native:network/v20220501:Policy" }, { type: "azure-native:network/v20240201:Policy" }, { type: "azure-native:network:Policy" }, { type: "azure-native_frontdoor_v20190301:frontdoor:Policy" }, { type: "azure-native_frontdoor_v20191001:frontdoor:Policy" }, { type: "azure-native_frontdoor_v20200401:frontdoor:Policy" }, { type: "azure-native_frontdoor_v20201101:frontdoor:Policy" }, { type: "azure-native_frontdoor_v20210601:frontdoor:Policy" }, { type: "azure-native_frontdoor_v20220501:frontdoor:Policy" }, { type: "azure-native_frontdoor_v20240201:frontdoor:Policy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Policy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/frontdoor/rulesEngine.ts b/sdk/nodejs/frontdoor/rulesEngine.ts index a9ece47cd968..1e126f4b7308 100644 --- a/sdk/nodejs/frontdoor/rulesEngine.ts +++ b/sdk/nodejs/frontdoor/rulesEngine.ts @@ -95,7 +95,7 @@ export class RulesEngine extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:frontdoor/v20200101:RulesEngine" }, { type: "azure-native:frontdoor/v20200401:RulesEngine" }, { type: "azure-native:frontdoor/v20200501:RulesEngine" }, { type: "azure-native:frontdoor/v20210601:RulesEngine" }, { type: "azure-native:network/v20210601:RulesEngine" }, { type: "azure-native:network:RulesEngine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210601:RulesEngine" }, { type: "azure-native:network:RulesEngine" }, { type: "azure-native_frontdoor_v20200101:frontdoor:RulesEngine" }, { type: "azure-native_frontdoor_v20200401:frontdoor:RulesEngine" }, { type: "azure-native_frontdoor_v20200501:frontdoor:RulesEngine" }, { type: "azure-native_frontdoor_v20210601:frontdoor:RulesEngine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RulesEngine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/graphservices/account.ts b/sdk/nodejs/graphservices/account.ts index 04da7bf72c60..cd145b1cef81 100644 --- a/sdk/nodejs/graphservices/account.ts +++ b/sdk/nodejs/graphservices/account.ts @@ -104,7 +104,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:graphservices/v20220922preview:Account" }, { type: "azure-native:graphservices/v20230413:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:graphservices/v20230413:Account" }, { type: "azure-native_graphservices_v20220922preview:graphservices:Account" }, { type: "azure-native_graphservices_v20230413:graphservices:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/guestconfiguration/guestConfigurationAssignment.ts b/sdk/nodejs/guestconfiguration/guestConfigurationAssignment.ts index f772384ed012..1e8989217400 100644 --- a/sdk/nodejs/guestconfiguration/guestConfigurationAssignment.ts +++ b/sdk/nodejs/guestconfiguration/guestConfigurationAssignment.ts @@ -101,7 +101,7 @@ export class GuestConfigurationAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:guestconfiguration/v20180630preview:GuestConfigurationAssignment" }, { type: "azure-native:guestconfiguration/v20181120:GuestConfigurationAssignment" }, { type: "azure-native:guestconfiguration/v20200625:GuestConfigurationAssignment" }, { type: "azure-native:guestconfiguration/v20210125:GuestConfigurationAssignment" }, { type: "azure-native:guestconfiguration/v20220125:GuestConfigurationAssignment" }, { type: "azure-native:guestconfiguration/v20240405:GuestConfigurationAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:guestconfiguration/v20220125:GuestConfigurationAssignment" }, { type: "azure-native:guestconfiguration/v20240405:GuestConfigurationAssignment" }, { type: "azure-native_guestconfiguration_v20180630preview:guestconfiguration:GuestConfigurationAssignment" }, { type: "azure-native_guestconfiguration_v20181120:guestconfiguration:GuestConfigurationAssignment" }, { type: "azure-native_guestconfiguration_v20200625:guestconfiguration:GuestConfigurationAssignment" }, { type: "azure-native_guestconfiguration_v20210125:guestconfiguration:GuestConfigurationAssignment" }, { type: "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationAssignment" }, { type: "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GuestConfigurationAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/guestconfiguration/guestConfigurationAssignmentsVMSS.ts b/sdk/nodejs/guestconfiguration/guestConfigurationAssignmentsVMSS.ts index 26f5860ca2b2..45ca2385523e 100644 --- a/sdk/nodejs/guestconfiguration/guestConfigurationAssignmentsVMSS.ts +++ b/sdk/nodejs/guestconfiguration/guestConfigurationAssignmentsVMSS.ts @@ -100,7 +100,7 @@ export class GuestConfigurationAssignmentsVMSS extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:guestconfiguration/v20220125:GuestConfigurationAssignmentsVMSS" }, { type: "azure-native:guestconfiguration/v20240405:GuestConfigurationAssignmentsVMSS" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:guestconfiguration/v20220125:GuestConfigurationAssignmentsVMSS" }, { type: "azure-native:guestconfiguration/v20240405:GuestConfigurationAssignmentsVMSS" }, { type: "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationAssignmentsVMSS" }, { type: "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationAssignmentsVMSS" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GuestConfigurationAssignmentsVMSS.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/guestconfiguration/guestConfigurationConnectedVMwarevSphereAssignment.ts b/sdk/nodejs/guestconfiguration/guestConfigurationConnectedVMwarevSphereAssignment.ts index bd214c7ed762..4434828aba92 100644 --- a/sdk/nodejs/guestconfiguration/guestConfigurationConnectedVMwarevSphereAssignment.ts +++ b/sdk/nodejs/guestconfiguration/guestConfigurationConnectedVMwarevSphereAssignment.ts @@ -101,7 +101,7 @@ export class GuestConfigurationConnectedVMwarevSphereAssignment extends pulumi.C resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:guestconfiguration/v20200625:GuestConfigurationConnectedVMwarevSphereAssignment" }, { type: "azure-native:guestconfiguration/v20220125:GuestConfigurationConnectedVMwarevSphereAssignment" }, { type: "azure-native:guestconfiguration/v20240405:GuestConfigurationConnectedVMwarevSphereAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:guestconfiguration/v20220125:GuestConfigurationConnectedVMwarevSphereAssignment" }, { type: "azure-native:guestconfiguration/v20240405:GuestConfigurationConnectedVMwarevSphereAssignment" }, { type: "azure-native_guestconfiguration_v20200625:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment" }, { type: "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment" }, { type: "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GuestConfigurationConnectedVMwarevSphereAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/guestconfiguration/guestConfigurationHCRPAssignment.ts b/sdk/nodejs/guestconfiguration/guestConfigurationHCRPAssignment.ts index 39d66f775bfb..c0bfd5f7c605 100644 --- a/sdk/nodejs/guestconfiguration/guestConfigurationHCRPAssignment.ts +++ b/sdk/nodejs/guestconfiguration/guestConfigurationHCRPAssignment.ts @@ -101,7 +101,7 @@ export class GuestConfigurationHCRPAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:guestconfiguration/v20181120:GuestConfigurationHCRPAssignment" }, { type: "azure-native:guestconfiguration/v20200625:GuestConfigurationHCRPAssignment" }, { type: "azure-native:guestconfiguration/v20210125:GuestConfigurationHCRPAssignment" }, { type: "azure-native:guestconfiguration/v20220125:GuestConfigurationHCRPAssignment" }, { type: "azure-native:guestconfiguration/v20240405:GuestConfigurationHCRPAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:guestconfiguration/v20220125:GuestConfigurationHCRPAssignment" }, { type: "azure-native:guestconfiguration/v20240405:GuestConfigurationHCRPAssignment" }, { type: "azure-native_guestconfiguration_v20181120:guestconfiguration:GuestConfigurationHCRPAssignment" }, { type: "azure-native_guestconfiguration_v20200625:guestconfiguration:GuestConfigurationHCRPAssignment" }, { type: "azure-native_guestconfiguration_v20210125:guestconfiguration:GuestConfigurationHCRPAssignment" }, { type: "azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationHCRPAssignment" }, { type: "azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationHCRPAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GuestConfigurationHCRPAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hardwaresecuritymodules/cloudHsmCluster.ts b/sdk/nodejs/hardwaresecuritymodules/cloudHsmCluster.ts index 0abdeaff4e99..d0ad14d6d138 100644 --- a/sdk/nodejs/hardwaresecuritymodules/cloudHsmCluster.ts +++ b/sdk/nodejs/hardwaresecuritymodules/cloudHsmCluster.ts @@ -151,7 +151,7 @@ export class CloudHsmCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmCluster" }, { type: "azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmCluster" }, { type: "azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmCluster" }, { type: "azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmCluster" }, { type: "azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmCluster" }, { type: "azure-native_hardwaresecuritymodules_v20220831preview:hardwaresecuritymodules:CloudHsmCluster" }, { type: "azure-native_hardwaresecuritymodules_v20231210preview:hardwaresecuritymodules:CloudHsmCluster" }, { type: "azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:CloudHsmCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudHsmCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hardwaresecuritymodules/cloudHsmClusterPrivateEndpointConnection.ts b/sdk/nodejs/hardwaresecuritymodules/cloudHsmClusterPrivateEndpointConnection.ts index d8fbc0f0a4f1..bd075cc3e1ef 100644 --- a/sdk/nodejs/hardwaresecuritymodules/cloudHsmClusterPrivateEndpointConnection.ts +++ b/sdk/nodejs/hardwaresecuritymodules/cloudHsmClusterPrivateEndpointConnection.ts @@ -122,7 +122,7 @@ export class CloudHsmClusterPrivateEndpointConnection extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmClusterPrivateEndpointConnection" }, { type: "azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmClusterPrivateEndpointConnection" }, { type: "azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmClusterPrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmClusterPrivateEndpointConnection" }, { type: "azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmClusterPrivateEndpointConnection" }, { type: "azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmClusterPrivateEndpointConnection" }, { type: "azure-native_hardwaresecuritymodules_v20220831preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection" }, { type: "azure-native_hardwaresecuritymodules_v20231210preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection" }, { type: "azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudHsmClusterPrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hardwaresecuritymodules/dedicatedHsm.ts b/sdk/nodejs/hardwaresecuritymodules/dedicatedHsm.ts index 2cf33e0d2673..bdd7129285d1 100644 --- a/sdk/nodejs/hardwaresecuritymodules/dedicatedHsm.ts +++ b/sdk/nodejs/hardwaresecuritymodules/dedicatedHsm.ts @@ -141,7 +141,7 @@ export class DedicatedHsm extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hardwaresecuritymodules/v20181031preview:DedicatedHsm" }, { type: "azure-native:hardwaresecuritymodules/v20211130:DedicatedHsm" }, { type: "azure-native:hardwaresecuritymodules/v20240630preview:DedicatedHsm" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hardwaresecuritymodules/v20211130:DedicatedHsm" }, { type: "azure-native:hardwaresecuritymodules/v20240630preview:DedicatedHsm" }, { type: "azure-native_hardwaresecuritymodules_v20181031preview:hardwaresecuritymodules:DedicatedHsm" }, { type: "azure-native_hardwaresecuritymodules_v20211130:hardwaresecuritymodules:DedicatedHsm" }, { type: "azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:DedicatedHsm" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DedicatedHsm.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hdinsight/application.ts b/sdk/nodejs/hdinsight/application.ts index 5d1710adfabc..4ad4f529dea9 100644 --- a/sdk/nodejs/hdinsight/application.ts +++ b/sdk/nodejs/hdinsight/application.ts @@ -107,7 +107,7 @@ export class Application extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hdinsight/v20150301preview:Application" }, { type: "azure-native:hdinsight/v20180601preview:Application" }, { type: "azure-native:hdinsight/v20210601:Application" }, { type: "azure-native:hdinsight/v20230415preview:Application" }, { type: "azure-native:hdinsight/v20230815preview:Application" }, { type: "azure-native:hdinsight/v20240801preview:Application" }, { type: "azure-native:hdinsight/v20250115preview:Application" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hdinsight/v20210601:Application" }, { type: "azure-native:hdinsight/v20230415preview:Application" }, { type: "azure-native:hdinsight/v20230815preview:Application" }, { type: "azure-native:hdinsight/v20240801preview:Application" }, { type: "azure-native_hdinsight_v20150301preview:hdinsight:Application" }, { type: "azure-native_hdinsight_v20180601preview:hdinsight:Application" }, { type: "azure-native_hdinsight_v20210601:hdinsight:Application" }, { type: "azure-native_hdinsight_v20230415preview:hdinsight:Application" }, { type: "azure-native_hdinsight_v20230815preview:hdinsight:Application" }, { type: "azure-native_hdinsight_v20240801preview:hdinsight:Application" }, { type: "azure-native_hdinsight_v20250115preview:hdinsight:Application" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Application.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hdinsight/cluster.ts b/sdk/nodejs/hdinsight/cluster.ts index fb426a8b2cd6..a9ae33a7e579 100644 --- a/sdk/nodejs/hdinsight/cluster.ts +++ b/sdk/nodejs/hdinsight/cluster.ts @@ -121,7 +121,7 @@ export class Cluster extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hdinsight/v20150301preview:Cluster" }, { type: "azure-native:hdinsight/v20180601preview:Cluster" }, { type: "azure-native:hdinsight/v20210601:Cluster" }, { type: "azure-native:hdinsight/v20230415preview:Cluster" }, { type: "azure-native:hdinsight/v20230601preview:Cluster" }, { type: "azure-native:hdinsight/v20230815preview:Cluster" }, { type: "azure-native:hdinsight/v20231101preview:Cluster" }, { type: "azure-native:hdinsight/v20240501preview:Cluster" }, { type: "azure-native:hdinsight/v20240801preview:Cluster" }, { type: "azure-native:hdinsight/v20250115preview:Cluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hdinsight/v20210601:Cluster" }, { type: "azure-native:hdinsight/v20230415preview:Cluster" }, { type: "azure-native:hdinsight/v20230815preview:Cluster" }, { type: "azure-native:hdinsight/v20240801preview:Cluster" }, { type: "azure-native_hdinsight_v20150301preview:hdinsight:Cluster" }, { type: "azure-native_hdinsight_v20180601preview:hdinsight:Cluster" }, { type: "azure-native_hdinsight_v20210601:hdinsight:Cluster" }, { type: "azure-native_hdinsight_v20230415preview:hdinsight:Cluster" }, { type: "azure-native_hdinsight_v20230815preview:hdinsight:Cluster" }, { type: "azure-native_hdinsight_v20240801preview:hdinsight:Cluster" }, { type: "azure-native_hdinsight_v20250115preview:hdinsight:Cluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hdinsight/clusterPool.ts b/sdk/nodejs/hdinsight/clusterPool.ts index 286e9186aa38..9f2117a793e9 100644 --- a/sdk/nodejs/hdinsight/clusterPool.ts +++ b/sdk/nodejs/hdinsight/clusterPool.ts @@ -160,7 +160,7 @@ export class ClusterPool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hdinsight/v20230601preview:ClusterPool" }, { type: "azure-native:hdinsight/v20231101preview:ClusterPool" }, { type: "azure-native:hdinsight/v20240501preview:ClusterPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hdinsight/v20230601preview:ClusterPool" }, { type: "azure-native:hdinsight/v20231101preview:ClusterPool" }, { type: "azure-native:hdinsight/v20240501preview:ClusterPool" }, { type: "azure-native_hdinsight_v20230601preview:hdinsight:ClusterPool" }, { type: "azure-native_hdinsight_v20231101preview:hdinsight:ClusterPool" }, { type: "azure-native_hdinsight_v20240501preview:hdinsight:ClusterPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ClusterPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hdinsight/clusterPoolCluster.ts b/sdk/nodejs/hdinsight/clusterPoolCluster.ts index 029537b521fe..2f12f5ef36fb 100644 --- a/sdk/nodejs/hdinsight/clusterPoolCluster.ts +++ b/sdk/nodejs/hdinsight/clusterPoolCluster.ts @@ -146,7 +146,7 @@ export class ClusterPoolCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hdinsight/v20230601preview:Cluster" }, { type: "azure-native:hdinsight/v20230601preview:ClusterPoolCluster" }, { type: "azure-native:hdinsight/v20231101preview:Cluster" }, { type: "azure-native:hdinsight/v20231101preview:ClusterPoolCluster" }, { type: "azure-native:hdinsight/v20240501preview:Cluster" }, { type: "azure-native:hdinsight/v20240501preview:ClusterPoolCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hdinsight/v20230601preview:Cluster" }, { type: "azure-native:hdinsight/v20231101preview:Cluster" }, { type: "azure-native:hdinsight/v20240501preview:Cluster" }, { type: "azure-native_hdinsight_v20230601preview:hdinsight:ClusterPoolCluster" }, { type: "azure-native_hdinsight_v20231101preview:hdinsight:ClusterPoolCluster" }, { type: "azure-native_hdinsight_v20240501preview:hdinsight:ClusterPoolCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ClusterPoolCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hdinsight/privateEndpointConnection.ts b/sdk/nodejs/hdinsight/privateEndpointConnection.ts index 0c515dae11e5..38ad6a60383a 100644 --- a/sdk/nodejs/hdinsight/privateEndpointConnection.ts +++ b/sdk/nodejs/hdinsight/privateEndpointConnection.ts @@ -116,7 +116,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hdinsight/v20210601:PrivateEndpointConnection" }, { type: "azure-native:hdinsight/v20230415preview:PrivateEndpointConnection" }, { type: "azure-native:hdinsight/v20230815preview:PrivateEndpointConnection" }, { type: "azure-native:hdinsight/v20240801preview:PrivateEndpointConnection" }, { type: "azure-native:hdinsight/v20250115preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hdinsight/v20210601:PrivateEndpointConnection" }, { type: "azure-native:hdinsight/v20230415preview:PrivateEndpointConnection" }, { type: "azure-native:hdinsight/v20230815preview:PrivateEndpointConnection" }, { type: "azure-native:hdinsight/v20240801preview:PrivateEndpointConnection" }, { type: "azure-native_hdinsight_v20210601:hdinsight:PrivateEndpointConnection" }, { type: "azure-native_hdinsight_v20230415preview:hdinsight:PrivateEndpointConnection" }, { type: "azure-native_hdinsight_v20230815preview:hdinsight:PrivateEndpointConnection" }, { type: "azure-native_hdinsight_v20240801preview:hdinsight:PrivateEndpointConnection" }, { type: "azure-native_hdinsight_v20250115preview:hdinsight:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthbot/bot.ts b/sdk/nodejs/healthbot/bot.ts index e953935e6dbf..91a88d4710b1 100644 --- a/sdk/nodejs/healthbot/bot.ts +++ b/sdk/nodejs/healthbot/bot.ts @@ -118,7 +118,7 @@ export class Bot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthbot/v20201020:Bot" }, { type: "azure-native:healthbot/v20201020preview:Bot" }, { type: "azure-native:healthbot/v20201208:Bot" }, { type: "azure-native:healthbot/v20201208preview:Bot" }, { type: "azure-native:healthbot/v20210610:Bot" }, { type: "azure-native:healthbot/v20210824:Bot" }, { type: "azure-native:healthbot/v20220808:Bot" }, { type: "azure-native:healthbot/v20230501:Bot" }, { type: "azure-native:healthbot/v20240201:Bot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthbot/v20201208preview:Bot" }, { type: "azure-native:healthbot/v20230501:Bot" }, { type: "azure-native:healthbot/v20240201:Bot" }, { type: "azure-native_healthbot_v20201020:healthbot:Bot" }, { type: "azure-native_healthbot_v20201020preview:healthbot:Bot" }, { type: "azure-native_healthbot_v20201208:healthbot:Bot" }, { type: "azure-native_healthbot_v20201208preview:healthbot:Bot" }, { type: "azure-native_healthbot_v20210610:healthbot:Bot" }, { type: "azure-native_healthbot_v20210824:healthbot:Bot" }, { type: "azure-native_healthbot_v20220808:healthbot:Bot" }, { type: "azure-native_healthbot_v20230501:healthbot:Bot" }, { type: "azure-native_healthbot_v20240201:healthbot:Bot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Bot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthcareapis/analyticsConnector.ts b/sdk/nodejs/healthcareapis/analyticsConnector.ts index aadf5f77495d..0c480760e5f4 100644 --- a/sdk/nodejs/healthcareapis/analyticsConnector.ts +++ b/sdk/nodejs/healthcareapis/analyticsConnector.ts @@ -144,7 +144,7 @@ export class AnalyticsConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20221001preview:AnalyticsConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20221001preview:AnalyticsConnector" }, { type: "azure-native_healthcareapis_v20221001preview:healthcareapis:AnalyticsConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AnalyticsConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthcareapis/dicomService.ts b/sdk/nodejs/healthcareapis/dicomService.ts index 5d7d6ff32d99..1fc015a4f586 100644 --- a/sdk/nodejs/healthcareapis/dicomService.ts +++ b/sdk/nodejs/healthcareapis/dicomService.ts @@ -173,7 +173,7 @@ export class DicomService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20210601preview:DicomService" }, { type: "azure-native:healthcareapis/v20211101:DicomService" }, { type: "azure-native:healthcareapis/v20220131preview:DicomService" }, { type: "azure-native:healthcareapis/v20220515:DicomService" }, { type: "azure-native:healthcareapis/v20220601:DicomService" }, { type: "azure-native:healthcareapis/v20221001preview:DicomService" }, { type: "azure-native:healthcareapis/v20221201:DicomService" }, { type: "azure-native:healthcareapis/v20230228:DicomService" }, { type: "azure-native:healthcareapis/v20230906:DicomService" }, { type: "azure-native:healthcareapis/v20231101:DicomService" }, { type: "azure-native:healthcareapis/v20231201:DicomService" }, { type: "azure-native:healthcareapis/v20240301:DicomService" }, { type: "azure-native:healthcareapis/v20240331:DicomService" }, { type: "azure-native:healthcareapis/v20250301preview:DicomService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20230228:DicomService" }, { type: "azure-native:healthcareapis/v20230906:DicomService" }, { type: "azure-native:healthcareapis/v20231101:DicomService" }, { type: "azure-native:healthcareapis/v20231201:DicomService" }, { type: "azure-native:healthcareapis/v20240301:DicomService" }, { type: "azure-native:healthcareapis/v20240331:DicomService" }, { type: "azure-native_healthcareapis_v20210601preview:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20211101:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20220131preview:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20220515:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20220601:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20221001preview:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20221201:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20230228:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20230906:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20231101:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20231201:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20240301:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20240331:healthcareapis:DicomService" }, { type: "azure-native_healthcareapis_v20250301preview:healthcareapis:DicomService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DicomService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthcareapis/fhirService.ts b/sdk/nodejs/healthcareapis/fhirService.ts index cfa5fbcbfbe2..a322d1f79ef0 100644 --- a/sdk/nodejs/healthcareapis/fhirService.ts +++ b/sdk/nodejs/healthcareapis/fhirService.ts @@ -191,7 +191,7 @@ export class FhirService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20210601preview:FhirService" }, { type: "azure-native:healthcareapis/v20211101:FhirService" }, { type: "azure-native:healthcareapis/v20220131preview:FhirService" }, { type: "azure-native:healthcareapis/v20220515:FhirService" }, { type: "azure-native:healthcareapis/v20220601:FhirService" }, { type: "azure-native:healthcareapis/v20221001preview:FhirService" }, { type: "azure-native:healthcareapis/v20221201:FhirService" }, { type: "azure-native:healthcareapis/v20230228:FhirService" }, { type: "azure-native:healthcareapis/v20230906:FhirService" }, { type: "azure-native:healthcareapis/v20231101:FhirService" }, { type: "azure-native:healthcareapis/v20231201:FhirService" }, { type: "azure-native:healthcareapis/v20240301:FhirService" }, { type: "azure-native:healthcareapis/v20240331:FhirService" }, { type: "azure-native:healthcareapis/v20250301preview:FhirService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20230228:FhirService" }, { type: "azure-native:healthcareapis/v20230906:FhirService" }, { type: "azure-native:healthcareapis/v20231101:FhirService" }, { type: "azure-native:healthcareapis/v20231201:FhirService" }, { type: "azure-native:healthcareapis/v20240301:FhirService" }, { type: "azure-native:healthcareapis/v20240331:FhirService" }, { type: "azure-native_healthcareapis_v20210601preview:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20211101:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20220131preview:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20220515:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20220601:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20221001preview:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20221201:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20230228:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20230906:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20231101:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20231201:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20240301:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20240331:healthcareapis:FhirService" }, { type: "azure-native_healthcareapis_v20250301preview:healthcareapis:FhirService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FhirService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthcareapis/iotConnector.ts b/sdk/nodejs/healthcareapis/iotConnector.ts index 19fac9834d28..947f05b5a83f 100644 --- a/sdk/nodejs/healthcareapis/iotConnector.ts +++ b/sdk/nodejs/healthcareapis/iotConnector.ts @@ -131,7 +131,7 @@ export class IotConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20210601preview:IotConnector" }, { type: "azure-native:healthcareapis/v20211101:IotConnector" }, { type: "azure-native:healthcareapis/v20220131preview:IotConnector" }, { type: "azure-native:healthcareapis/v20220515:IotConnector" }, { type: "azure-native:healthcareapis/v20220601:IotConnector" }, { type: "azure-native:healthcareapis/v20221001preview:IotConnector" }, { type: "azure-native:healthcareapis/v20221201:IotConnector" }, { type: "azure-native:healthcareapis/v20230228:IotConnector" }, { type: "azure-native:healthcareapis/v20230906:IotConnector" }, { type: "azure-native:healthcareapis/v20231101:IotConnector" }, { type: "azure-native:healthcareapis/v20231201:IotConnector" }, { type: "azure-native:healthcareapis/v20240301:IotConnector" }, { type: "azure-native:healthcareapis/v20240331:IotConnector" }, { type: "azure-native:healthcareapis/v20250301preview:IotConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20230228:IotConnector" }, { type: "azure-native:healthcareapis/v20230906:IotConnector" }, { type: "azure-native:healthcareapis/v20231101:IotConnector" }, { type: "azure-native:healthcareapis/v20231201:IotConnector" }, { type: "azure-native:healthcareapis/v20240301:IotConnector" }, { type: "azure-native:healthcareapis/v20240331:IotConnector" }, { type: "azure-native_healthcareapis_v20210601preview:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20211101:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20220131preview:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20220515:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20220601:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20221001preview:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20221201:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20230228:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20230906:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20231101:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20231201:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20240301:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20240331:healthcareapis:IotConnector" }, { type: "azure-native_healthcareapis_v20250301preview:healthcareapis:IotConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IotConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthcareapis/iotConnectorFhirDestination.ts b/sdk/nodejs/healthcareapis/iotConnectorFhirDestination.ts index be86916939a2..d8da1793870a 100644 --- a/sdk/nodejs/healthcareapis/iotConnectorFhirDestination.ts +++ b/sdk/nodejs/healthcareapis/iotConnectorFhirDestination.ts @@ -132,7 +132,7 @@ export class IotConnectorFhirDestination extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20210601preview:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20211101:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20220131preview:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20220515:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20220601:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20221001preview:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20221201:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20230228:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20230906:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20231101:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20231201:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20240301:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20240331:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20250301preview:IotConnectorFhirDestination" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20230228:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20230906:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20231101:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20231201:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20240301:IotConnectorFhirDestination" }, { type: "azure-native:healthcareapis/v20240331:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20210601preview:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20211101:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20220131preview:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20220515:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20220601:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20221001preview:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20221201:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20230228:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20230906:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20231101:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20231201:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20240301:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20240331:healthcareapis:IotConnectorFhirDestination" }, { type: "azure-native_healthcareapis_v20250301preview:healthcareapis:IotConnectorFhirDestination" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IotConnectorFhirDestination.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthcareapis/privateEndpointConnection.ts b/sdk/nodejs/healthcareapis/privateEndpointConnection.ts index 94eac0039631..e662522e7521 100644 --- a/sdk/nodejs/healthcareapis/privateEndpointConnection.ts +++ b/sdk/nodejs/healthcareapis/privateEndpointConnection.ts @@ -110,7 +110,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20200330:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20210111:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20210601preview:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20211101:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20220131preview:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20220515:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20220601:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20221001preview:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20221201:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20230228:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20230906:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20231101:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20231201:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20240301:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20240331:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20250301preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20230228:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20230906:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20231101:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20231201:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20240301:PrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20240331:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20200330:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20210111:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20210601preview:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20211101:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20220131preview:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20220515:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20220601:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20221001preview:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20221201:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20230228:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20230906:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20231101:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20231201:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20240301:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20240331:healthcareapis:PrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20250301preview:healthcareapis:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthcareapis/service.ts b/sdk/nodejs/healthcareapis/service.ts index a6183ddea51d..2582303ed86c 100644 --- a/sdk/nodejs/healthcareapis/service.ts +++ b/sdk/nodejs/healthcareapis/service.ts @@ -124,7 +124,7 @@ export class Service extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20180820preview:Service" }, { type: "azure-native:healthcareapis/v20190916:Service" }, { type: "azure-native:healthcareapis/v20200315:Service" }, { type: "azure-native:healthcareapis/v20200330:Service" }, { type: "azure-native:healthcareapis/v20210111:Service" }, { type: "azure-native:healthcareapis/v20210601preview:Service" }, { type: "azure-native:healthcareapis/v20211101:Service" }, { type: "azure-native:healthcareapis/v20220131preview:Service" }, { type: "azure-native:healthcareapis/v20220515:Service" }, { type: "azure-native:healthcareapis/v20220601:Service" }, { type: "azure-native:healthcareapis/v20221001preview:Service" }, { type: "azure-native:healthcareapis/v20221201:Service" }, { type: "azure-native:healthcareapis/v20230228:Service" }, { type: "azure-native:healthcareapis/v20230906:Service" }, { type: "azure-native:healthcareapis/v20231101:Service" }, { type: "azure-native:healthcareapis/v20231201:Service" }, { type: "azure-native:healthcareapis/v20240301:Service" }, { type: "azure-native:healthcareapis/v20240331:Service" }, { type: "azure-native:healthcareapis/v20250301preview:Service" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20230228:Service" }, { type: "azure-native:healthcareapis/v20230906:Service" }, { type: "azure-native:healthcareapis/v20231101:Service" }, { type: "azure-native:healthcareapis/v20231201:Service" }, { type: "azure-native:healthcareapis/v20240301:Service" }, { type: "azure-native:healthcareapis/v20240331:Service" }, { type: "azure-native_healthcareapis_v20180820preview:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20190916:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20200315:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20200330:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20210111:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20210601preview:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20211101:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20220131preview:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20220515:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20220601:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20221001preview:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20221201:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20230228:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20230906:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20231101:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20231201:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20240301:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20240331:healthcareapis:Service" }, { type: "azure-native_healthcareapis_v20250301preview:healthcareapis:Service" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Service.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthcareapis/workspace.ts b/sdk/nodejs/healthcareapis/workspace.ts index 690f5ce9baae..e01817b8d0a7 100644 --- a/sdk/nodejs/healthcareapis/workspace.ts +++ b/sdk/nodejs/healthcareapis/workspace.ts @@ -109,7 +109,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20210601preview:Workspace" }, { type: "azure-native:healthcareapis/v20211101:Workspace" }, { type: "azure-native:healthcareapis/v20220131preview:Workspace" }, { type: "azure-native:healthcareapis/v20220515:Workspace" }, { type: "azure-native:healthcareapis/v20220601:Workspace" }, { type: "azure-native:healthcareapis/v20221001preview:Workspace" }, { type: "azure-native:healthcareapis/v20221201:Workspace" }, { type: "azure-native:healthcareapis/v20230228:Workspace" }, { type: "azure-native:healthcareapis/v20230906:Workspace" }, { type: "azure-native:healthcareapis/v20231101:Workspace" }, { type: "azure-native:healthcareapis/v20231201:Workspace" }, { type: "azure-native:healthcareapis/v20240301:Workspace" }, { type: "azure-native:healthcareapis/v20240331:Workspace" }, { type: "azure-native:healthcareapis/v20250301preview:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20230228:Workspace" }, { type: "azure-native:healthcareapis/v20230906:Workspace" }, { type: "azure-native:healthcareapis/v20231101:Workspace" }, { type: "azure-native:healthcareapis/v20231201:Workspace" }, { type: "azure-native:healthcareapis/v20240301:Workspace" }, { type: "azure-native:healthcareapis/v20240331:Workspace" }, { type: "azure-native_healthcareapis_v20210601preview:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20211101:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20220131preview:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20220515:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20220601:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20221001preview:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20221201:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20230228:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20230906:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20231101:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20231201:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20240301:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20240331:healthcareapis:Workspace" }, { type: "azure-native_healthcareapis_v20250301preview:healthcareapis:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthcareapis/workspacePrivateEndpointConnection.ts b/sdk/nodejs/healthcareapis/workspacePrivateEndpointConnection.ts index 0a4119552eb3..cd9b4541f8d1 100644 --- a/sdk/nodejs/healthcareapis/workspacePrivateEndpointConnection.ts +++ b/sdk/nodejs/healthcareapis/workspacePrivateEndpointConnection.ts @@ -110,7 +110,7 @@ export class WorkspacePrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20211101:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20220131preview:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20220515:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20220601:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20221001preview:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20221201:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20230228:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20230906:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20231101:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20231201:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20240301:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20240331:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20250301preview:WorkspacePrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthcareapis/v20230228:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20230906:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20231101:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20231201:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20240301:WorkspacePrivateEndpointConnection" }, { type: "azure-native:healthcareapis/v20240331:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20211101:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20220131preview:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20220515:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20220601:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20221001preview:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20221201:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20230228:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20230906:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20231101:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20231201:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20240301:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20240331:healthcareapis:WorkspacePrivateEndpointConnection" }, { type: "azure-native_healthcareapis_v20250301preview:healthcareapis:WorkspacePrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspacePrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthdataaiservices/deidService.ts b/sdk/nodejs/healthdataaiservices/deidService.ts index 68bc93ac403a..e61446229c7d 100644 --- a/sdk/nodejs/healthdataaiservices/deidService.ts +++ b/sdk/nodejs/healthdataaiservices/deidService.ts @@ -109,7 +109,7 @@ export class DeidService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthdataaiservices/v20240228preview:DeidService" }, { type: "azure-native:healthdataaiservices/v20240920:DeidService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthdataaiservices/v20240228preview:DeidService" }, { type: "azure-native:healthdataaiservices/v20240920:DeidService" }, { type: "azure-native_healthdataaiservices_v20240228preview:healthdataaiservices:DeidService" }, { type: "azure-native_healthdataaiservices_v20240920:healthdataaiservices:DeidService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DeidService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/healthdataaiservices/privateEndpointConnection.ts b/sdk/nodejs/healthdataaiservices/privateEndpointConnection.ts index 53d8ae6f9491..76b310c763a5 100644 --- a/sdk/nodejs/healthdataaiservices/privateEndpointConnection.ts +++ b/sdk/nodejs/healthdataaiservices/privateEndpointConnection.ts @@ -95,7 +95,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:healthdataaiservices/v20240228preview:PrivateEndpointConnection" }, { type: "azure-native:healthdataaiservices/v20240920:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:healthdataaiservices/v20240228preview:PrivateEndpointConnection" }, { type: "azure-native:healthdataaiservices/v20240920:PrivateEndpointConnection" }, { type: "azure-native_healthdataaiservices_v20240228preview:healthdataaiservices:PrivateEndpointConnection" }, { type: "azure-native_healthdataaiservices_v20240920:healthdataaiservices:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcloud/cloudConnection.ts b/sdk/nodejs/hybridcloud/cloudConnection.ts index 340a731daed5..3326c6b3d9bf 100644 --- a/sdk/nodejs/hybridcloud/cloudConnection.ts +++ b/sdk/nodejs/hybridcloud/cloudConnection.ts @@ -131,7 +131,7 @@ export class CloudConnection extends pulumi.CustomResource { resourceInputs["virtualHub"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcloud/v20230101preview:CloudConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcloud/v20230101preview:CloudConnection" }, { type: "azure-native_hybridcloud_v20230101preview:hybridcloud:CloudConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcloud/cloudConnector.ts b/sdk/nodejs/hybridcloud/cloudConnector.ts index 54e9ce8a018d..5d9deca8a1c0 100644 --- a/sdk/nodejs/hybridcloud/cloudConnector.ts +++ b/sdk/nodejs/hybridcloud/cloudConnector.ts @@ -119,7 +119,7 @@ export class CloudConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcloud/v20230101preview:CloudConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcloud/v20230101preview:CloudConnector" }, { type: "azure-native_hybridcloud_v20230101preview:hybridcloud:CloudConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcompute/gateway.ts b/sdk/nodejs/hybridcompute/gateway.ts index 437a66fb1bab..0a8f4027cee9 100644 --- a/sdk/nodejs/hybridcompute/gateway.ts +++ b/sdk/nodejs/hybridcompute/gateway.ts @@ -127,7 +127,7 @@ export class Gateway extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20240331preview:Gateway" }, { type: "azure-native:hybridcompute/v20240520preview:Gateway" }, { type: "azure-native:hybridcompute/v20240731preview:Gateway" }, { type: "azure-native:hybridcompute/v20240910preview:Gateway" }, { type: "azure-native:hybridcompute/v20241110preview:Gateway" }, { type: "azure-native:hybridcompute/v20250113:Gateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20240331preview:Gateway" }, { type: "azure-native:hybridcompute/v20240520preview:Gateway" }, { type: "azure-native:hybridcompute/v20240731preview:Gateway" }, { type: "azure-native:hybridcompute/v20240910preview:Gateway" }, { type: "azure-native:hybridcompute/v20241110preview:Gateway" }, { type: "azure-native_hybridcompute_v20240331preview:hybridcompute:Gateway" }, { type: "azure-native_hybridcompute_v20240520preview:hybridcompute:Gateway" }, { type: "azure-native_hybridcompute_v20240731preview:hybridcompute:Gateway" }, { type: "azure-native_hybridcompute_v20240910preview:hybridcompute:Gateway" }, { type: "azure-native_hybridcompute_v20241110preview:hybridcompute:Gateway" }, { type: "azure-native_hybridcompute_v20250113:hybridcompute:Gateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Gateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcompute/license.ts b/sdk/nodejs/hybridcompute/license.ts index e847a211357c..6928042a0389 100644 --- a/sdk/nodejs/hybridcompute/license.ts +++ b/sdk/nodejs/hybridcompute/license.ts @@ -121,7 +121,7 @@ export class License extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20230620preview:License" }, { type: "azure-native:hybridcompute/v20231003preview:License" }, { type: "azure-native:hybridcompute/v20240331preview:License" }, { type: "azure-native:hybridcompute/v20240520preview:License" }, { type: "azure-native:hybridcompute/v20240710:License" }, { type: "azure-native:hybridcompute/v20240731preview:License" }, { type: "azure-native:hybridcompute/v20240910preview:License" }, { type: "azure-native:hybridcompute/v20241110preview:License" }, { type: "azure-native:hybridcompute/v20250113:License" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20230620preview:License" }, { type: "azure-native:hybridcompute/v20231003preview:License" }, { type: "azure-native:hybridcompute/v20240331preview:License" }, { type: "azure-native:hybridcompute/v20240520preview:License" }, { type: "azure-native:hybridcompute/v20240710:License" }, { type: "azure-native:hybridcompute/v20240731preview:License" }, { type: "azure-native:hybridcompute/v20240910preview:License" }, { type: "azure-native:hybridcompute/v20241110preview:License" }, { type: "azure-native_hybridcompute_v20230620preview:hybridcompute:License" }, { type: "azure-native_hybridcompute_v20231003preview:hybridcompute:License" }, { type: "azure-native_hybridcompute_v20240331preview:hybridcompute:License" }, { type: "azure-native_hybridcompute_v20240520preview:hybridcompute:License" }, { type: "azure-native_hybridcompute_v20240710:hybridcompute:License" }, { type: "azure-native_hybridcompute_v20240731preview:hybridcompute:License" }, { type: "azure-native_hybridcompute_v20240910preview:hybridcompute:License" }, { type: "azure-native_hybridcompute_v20241110preview:hybridcompute:License" }, { type: "azure-native_hybridcompute_v20250113:hybridcompute:License" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(License.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcompute/licenseProfile.ts b/sdk/nodejs/hybridcompute/licenseProfile.ts index 2b249442efd9..1f78b622296a 100644 --- a/sdk/nodejs/hybridcompute/licenseProfile.ts +++ b/sdk/nodejs/hybridcompute/licenseProfile.ts @@ -197,7 +197,7 @@ export class LicenseProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20230620preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20231003preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20240331preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20240520preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20240710:LicenseProfile" }, { type: "azure-native:hybridcompute/v20240731preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20240910preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20241110preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20250113:LicenseProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20230620preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20231003preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20240331preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20240520preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20240710:LicenseProfile" }, { type: "azure-native:hybridcompute/v20240731preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20240910preview:LicenseProfile" }, { type: "azure-native:hybridcompute/v20241110preview:LicenseProfile" }, { type: "azure-native_hybridcompute_v20230620preview:hybridcompute:LicenseProfile" }, { type: "azure-native_hybridcompute_v20231003preview:hybridcompute:LicenseProfile" }, { type: "azure-native_hybridcompute_v20240331preview:hybridcompute:LicenseProfile" }, { type: "azure-native_hybridcompute_v20240520preview:hybridcompute:LicenseProfile" }, { type: "azure-native_hybridcompute_v20240710:hybridcompute:LicenseProfile" }, { type: "azure-native_hybridcompute_v20240731preview:hybridcompute:LicenseProfile" }, { type: "azure-native_hybridcompute_v20240910preview:hybridcompute:LicenseProfile" }, { type: "azure-native_hybridcompute_v20241110preview:hybridcompute:LicenseProfile" }, { type: "azure-native_hybridcompute_v20250113:hybridcompute:LicenseProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LicenseProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcompute/machine.ts b/sdk/nodejs/hybridcompute/machine.ts index fb50cfc021a0..e153304280a3 100644 --- a/sdk/nodejs/hybridcompute/machine.ts +++ b/sdk/nodejs/hybridcompute/machine.ts @@ -302,7 +302,7 @@ export class Machine extends pulumi.CustomResource { resourceInputs["vmUuid"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20190318preview:Machine" }, { type: "azure-native:hybridcompute/v20190802preview:Machine" }, { type: "azure-native:hybridcompute/v20191212:Machine" }, { type: "azure-native:hybridcompute/v20200730preview:Machine" }, { type: "azure-native:hybridcompute/v20200802:Machine" }, { type: "azure-native:hybridcompute/v20200815preview:Machine" }, { type: "azure-native:hybridcompute/v20210128preview:Machine" }, { type: "azure-native:hybridcompute/v20210325preview:Machine" }, { type: "azure-native:hybridcompute/v20210422preview:Machine" }, { type: "azure-native:hybridcompute/v20210517preview:Machine" }, { type: "azure-native:hybridcompute/v20210520:Machine" }, { type: "azure-native:hybridcompute/v20210610preview:Machine" }, { type: "azure-native:hybridcompute/v20211210preview:Machine" }, { type: "azure-native:hybridcompute/v20220310:Machine" }, { type: "azure-native:hybridcompute/v20220510preview:Machine" }, { type: "azure-native:hybridcompute/v20220811preview:Machine" }, { type: "azure-native:hybridcompute/v20221110:Machine" }, { type: "azure-native:hybridcompute/v20221227:Machine" }, { type: "azure-native:hybridcompute/v20221227preview:Machine" }, { type: "azure-native:hybridcompute/v20230315preview:Machine" }, { type: "azure-native:hybridcompute/v20230620preview:Machine" }, { type: "azure-native:hybridcompute/v20231003preview:Machine" }, { type: "azure-native:hybridcompute/v20240331preview:Machine" }, { type: "azure-native:hybridcompute/v20240520preview:Machine" }, { type: "azure-native:hybridcompute/v20240710:Machine" }, { type: "azure-native:hybridcompute/v20240731preview:Machine" }, { type: "azure-native:hybridcompute/v20240910preview:Machine" }, { type: "azure-native:hybridcompute/v20241110preview:Machine" }, { type: "azure-native:hybridcompute/v20250113:Machine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20200802:Machine" }, { type: "azure-native:hybridcompute/v20200815preview:Machine" }, { type: "azure-native:hybridcompute/v20220510preview:Machine" }, { type: "azure-native:hybridcompute/v20221227:Machine" }, { type: "azure-native:hybridcompute/v20230620preview:Machine" }, { type: "azure-native:hybridcompute/v20231003preview:Machine" }, { type: "azure-native:hybridcompute/v20240331preview:Machine" }, { type: "azure-native:hybridcompute/v20240520preview:Machine" }, { type: "azure-native:hybridcompute/v20240710:Machine" }, { type: "azure-native:hybridcompute/v20240731preview:Machine" }, { type: "azure-native:hybridcompute/v20240910preview:Machine" }, { type: "azure-native:hybridcompute/v20241110preview:Machine" }, { type: "azure-native_hybridcompute_v20190318preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20190802preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20191212:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20200730preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20200802:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20200815preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20210128preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20210325preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20210422preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20210517preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20210520:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20210610preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20211210preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20220310:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20220510preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20220811preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20221110:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20221227:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20221227preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20230315preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20230620preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20231003preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20240331preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20240520preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20240710:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20240731preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20240910preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20241110preview:hybridcompute:Machine" }, { type: "azure-native_hybridcompute_v20250113:hybridcompute:Machine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Machine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcompute/machineExtension.ts b/sdk/nodejs/hybridcompute/machineExtension.ts index b2b9981916ae..5981f59f91f1 100644 --- a/sdk/nodejs/hybridcompute/machineExtension.ts +++ b/sdk/nodejs/hybridcompute/machineExtension.ts @@ -107,7 +107,7 @@ export class MachineExtension extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20190802preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20191212:MachineExtension" }, { type: "azure-native:hybridcompute/v20200730preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20200802:MachineExtension" }, { type: "azure-native:hybridcompute/v20200815preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20210128preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20210325preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20210422preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20210517preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20210520:MachineExtension" }, { type: "azure-native:hybridcompute/v20210610preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20211210preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20220310:MachineExtension" }, { type: "azure-native:hybridcompute/v20220510preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20220811preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20221110:MachineExtension" }, { type: "azure-native:hybridcompute/v20221227:MachineExtension" }, { type: "azure-native:hybridcompute/v20221227preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20230315preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20230620preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20231003preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20240331preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20240520preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20240710:MachineExtension" }, { type: "azure-native:hybridcompute/v20240731preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20240910preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20241110preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20250113:MachineExtension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20200815preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20220510preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20221227:MachineExtension" }, { type: "azure-native:hybridcompute/v20230620preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20231003preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20240331preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20240520preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20240710:MachineExtension" }, { type: "azure-native:hybridcompute/v20240731preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20240910preview:MachineExtension" }, { type: "azure-native:hybridcompute/v20241110preview:MachineExtension" }, { type: "azure-native_hybridcompute_v20190802preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20191212:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20200730preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20200802:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20200815preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20210128preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20210325preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20210422preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20210517preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20210520:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20210610preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20211210preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20220310:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20220510preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20220811preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20221110:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20221227:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20221227preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20230315preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20230620preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20231003preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20240331preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20240520preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20240710:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20240731preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20240910preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20241110preview:hybridcompute:MachineExtension" }, { type: "azure-native_hybridcompute_v20250113:hybridcompute:MachineExtension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MachineExtension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcompute/machineRunCommand.ts b/sdk/nodejs/hybridcompute/machineRunCommand.ts index f79574cb7c1f..1f0e727e6690 100644 --- a/sdk/nodejs/hybridcompute/machineRunCommand.ts +++ b/sdk/nodejs/hybridcompute/machineRunCommand.ts @@ -179,7 +179,7 @@ export class MachineRunCommand extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20231003preview:MachineRunCommand" }, { type: "azure-native:hybridcompute/v20240331preview:MachineRunCommand" }, { type: "azure-native:hybridcompute/v20240520preview:MachineRunCommand" }, { type: "azure-native:hybridcompute/v20240731preview:MachineRunCommand" }, { type: "azure-native:hybridcompute/v20240910preview:MachineRunCommand" }, { type: "azure-native:hybridcompute/v20241110preview:MachineRunCommand" }, { type: "azure-native:hybridcompute/v20250113:MachineRunCommand" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20231003preview:MachineRunCommand" }, { type: "azure-native:hybridcompute/v20240331preview:MachineRunCommand" }, { type: "azure-native:hybridcompute/v20240520preview:MachineRunCommand" }, { type: "azure-native:hybridcompute/v20240731preview:MachineRunCommand" }, { type: "azure-native:hybridcompute/v20240910preview:MachineRunCommand" }, { type: "azure-native:hybridcompute/v20241110preview:MachineRunCommand" }, { type: "azure-native_hybridcompute_v20231003preview:hybridcompute:MachineRunCommand" }, { type: "azure-native_hybridcompute_v20240331preview:hybridcompute:MachineRunCommand" }, { type: "azure-native_hybridcompute_v20240520preview:hybridcompute:MachineRunCommand" }, { type: "azure-native_hybridcompute_v20240731preview:hybridcompute:MachineRunCommand" }, { type: "azure-native_hybridcompute_v20240910preview:hybridcompute:MachineRunCommand" }, { type: "azure-native_hybridcompute_v20241110preview:hybridcompute:MachineRunCommand" }, { type: "azure-native_hybridcompute_v20250113:hybridcompute:MachineRunCommand" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MachineRunCommand.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcompute/privateEndpointConnection.ts b/sdk/nodejs/hybridcompute/privateEndpointConnection.ts index 75db8a644b00..87b2404d755b 100644 --- a/sdk/nodejs/hybridcompute/privateEndpointConnection.ts +++ b/sdk/nodejs/hybridcompute/privateEndpointConnection.ts @@ -95,7 +95,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20200815preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20210128preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20210325preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20210422preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20210517preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20210520:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20210610preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20211210preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20220310:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20220510preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20220811preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20221110:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20221227:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20221227preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20230315preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20230620preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20231003preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20240331preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20240520preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20240710:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20240731preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20240910preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20241110preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20250113:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20200815preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20221227:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20230620preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20231003preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20240331preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20240520preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20240710:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20240731preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20240910preview:PrivateEndpointConnection" }, { type: "azure-native:hybridcompute/v20241110preview:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20210128preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20210325preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20210422preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20210517preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20210520:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20210610preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20211210preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20220310:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20220510preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20220811preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20221110:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20221227:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20221227preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20230315preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20230620preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20231003preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20240331preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20240520preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20240710:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20240731preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20240910preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20241110preview:hybridcompute:PrivateEndpointConnection" }, { type: "azure-native_hybridcompute_v20250113:hybridcompute:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcompute/privateLinkScope.ts b/sdk/nodejs/hybridcompute/privateLinkScope.ts index 51a60e62ea49..a43a8981f7b5 100644 --- a/sdk/nodejs/hybridcompute/privateLinkScope.ts +++ b/sdk/nodejs/hybridcompute/privateLinkScope.ts @@ -103,7 +103,7 @@ export class PrivateLinkScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20200815preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20210128preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20210325preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20210422preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20210517preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20210520:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20210610preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20211210preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20220310:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20220510preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20220811preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20221110:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20221227:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20221227preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20230315preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20230620preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20231003preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20240331preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20240520preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20240710:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20240731preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20240910preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20241110preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20250113:PrivateLinkScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20200815preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20221227:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20230620preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20231003preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20240331preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20240520preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20240710:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20240731preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20240910preview:PrivateLinkScope" }, { type: "azure-native:hybridcompute/v20241110preview:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20210128preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20210325preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20210422preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20210517preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20210520:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20210610preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20211210preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20220310:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20220510preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20220811preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20221110:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20221227:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20221227preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20230315preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20230620preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20231003preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20240331preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20240520preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20240710:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20240731preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20240910preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20241110preview:hybridcompute:PrivateLinkScope" }, { type: "azure-native_hybridcompute_v20250113:hybridcompute:PrivateLinkScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcompute/privateLinkScopedResource.ts b/sdk/nodejs/hybridcompute/privateLinkScopedResource.ts index cfa3079a0066..cbe224b82acd 100644 --- a/sdk/nodejs/hybridcompute/privateLinkScopedResource.ts +++ b/sdk/nodejs/hybridcompute/privateLinkScopedResource.ts @@ -89,7 +89,7 @@ export class PrivateLinkScopedResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20200815preview:PrivateLinkScopedResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcompute/v20200815preview:PrivateLinkScopedResource" }, { type: "azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateLinkScopedResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkScopedResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridconnectivity/endpoint.ts b/sdk/nodejs/hybridconnectivity/endpoint.ts index e1b4b710cf9d..79e4bbb39bfa 100644 --- a/sdk/nodejs/hybridconnectivity/endpoint.ts +++ b/sdk/nodejs/hybridconnectivity/endpoint.ts @@ -100,7 +100,7 @@ export class Endpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridconnectivity/v20211006preview:Endpoint" }, { type: "azure-native:hybridconnectivity/v20220501preview:Endpoint" }, { type: "azure-native:hybridconnectivity/v20230315:Endpoint" }, { type: "azure-native:hybridconnectivity/v20241201:Endpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridconnectivity/v20220501preview:Endpoint" }, { type: "azure-native:hybridconnectivity/v20230315:Endpoint" }, { type: "azure-native:hybridconnectivity/v20241201:Endpoint" }, { type: "azure-native_hybridconnectivity_v20211006preview:hybridconnectivity:Endpoint" }, { type: "azure-native_hybridconnectivity_v20220501preview:hybridconnectivity:Endpoint" }, { type: "azure-native_hybridconnectivity_v20230315:hybridconnectivity:Endpoint" }, { type: "azure-native_hybridconnectivity_v20241201:hybridconnectivity:Endpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Endpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridconnectivity/publicCloudConnector.ts b/sdk/nodejs/hybridconnectivity/publicCloudConnector.ts index 2b53845dba12..d741ca5149b5 100644 --- a/sdk/nodejs/hybridconnectivity/publicCloudConnector.ts +++ b/sdk/nodejs/hybridconnectivity/publicCloudConnector.ts @@ -125,7 +125,7 @@ export class PublicCloudConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridconnectivity/v20241201:PublicCloudConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridconnectivity/v20241201:PublicCloudConnector" }, { type: "azure-native_hybridconnectivity_v20241201:hybridconnectivity:PublicCloudConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PublicCloudConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridconnectivity/serviceConfiguration.ts b/sdk/nodejs/hybridconnectivity/serviceConfiguration.ts index 079852ae0e0d..a362c37714dd 100644 --- a/sdk/nodejs/hybridconnectivity/serviceConfiguration.ts +++ b/sdk/nodejs/hybridconnectivity/serviceConfiguration.ts @@ -116,7 +116,7 @@ export class ServiceConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridconnectivity/v20230315:ServiceConfiguration" }, { type: "azure-native:hybridconnectivity/v20241201:ServiceConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridconnectivity/v20230315:ServiceConfiguration" }, { type: "azure-native:hybridconnectivity/v20241201:ServiceConfiguration" }, { type: "azure-native_hybridconnectivity_v20230315:hybridconnectivity:ServiceConfiguration" }, { type: "azure-native_hybridconnectivity_v20241201:hybridconnectivity:ServiceConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServiceConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridconnectivity/solutionConfiguration.ts b/sdk/nodejs/hybridconnectivity/solutionConfiguration.ts index b45af0b533a3..91463ac3a244 100644 --- a/sdk/nodejs/hybridconnectivity/solutionConfiguration.ts +++ b/sdk/nodejs/hybridconnectivity/solutionConfiguration.ts @@ -122,7 +122,7 @@ export class SolutionConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridconnectivity/v20241201:SolutionConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridconnectivity/v20241201:SolutionConfiguration" }, { type: "azure-native_hybridconnectivity_v20241201:hybridconnectivity:SolutionConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SolutionConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcontainerservice/agentPool.ts b/sdk/nodejs/hybridcontainerservice/agentPool.ts index e96453bdfe14..98cd486d1dc3 100644 --- a/sdk/nodejs/hybridcontainerservice/agentPool.ts +++ b/sdk/nodejs/hybridcontainerservice/agentPool.ts @@ -183,7 +183,7 @@ export class AgentPool extends pulumi.CustomResource { resourceInputs["vmSize"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20220501preview:AgentPool" }, { type: "azure-native:hybridcontainerservice/v20220901preview:AgentPool" }, { type: "azure-native:hybridcontainerservice/v20231115preview:AgentPool" }, { type: "azure-native:hybridcontainerservice/v20240101:AgentPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20220501preview:AgentPool" }, { type: "azure-native:hybridcontainerservice/v20220901preview:AgentPool" }, { type: "azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:AgentPool" }, { type: "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:AgentPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AgentPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcontainerservice/clusterInstanceHybridIdentityMetadatum.ts b/sdk/nodejs/hybridcontainerservice/clusterInstanceHybridIdentityMetadatum.ts index 8a26ff45d330..c39a5a593684 100644 --- a/sdk/nodejs/hybridcontainerservice/clusterInstanceHybridIdentityMetadatum.ts +++ b/sdk/nodejs/hybridcontainerservice/clusterInstanceHybridIdentityMetadatum.ts @@ -102,7 +102,7 @@ export class ClusterInstanceHybridIdentityMetadatum extends pulumi.CustomResourc resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20231115preview:ClusterInstanceHybridIdentityMetadatum" }, { type: "azure-native:hybridcontainerservice/v20231115preview:HybridIdentityMetadatum" }, { type: "azure-native:hybridcontainerservice/v20240101:ClusterInstanceHybridIdentityMetadatum" }, { type: "azure-native:hybridcontainerservice/v20240101:HybridIdentityMetadatum" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20231115preview:HybridIdentityMetadatum" }, { type: "azure-native:hybridcontainerservice/v20240101:HybridIdentityMetadatum" }, { type: "azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:ClusterInstanceHybridIdentityMetadatum" }, { type: "azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:ClusterInstanceHybridIdentityMetadatum" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ClusterInstanceHybridIdentityMetadatum.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcontainerservice/hybridIdentityMetadatum.ts b/sdk/nodejs/hybridcontainerservice/hybridIdentityMetadatum.ts index 222c06f39c1a..9bcbe37e82a3 100644 --- a/sdk/nodejs/hybridcontainerservice/hybridIdentityMetadatum.ts +++ b/sdk/nodejs/hybridcontainerservice/hybridIdentityMetadatum.ts @@ -111,7 +111,7 @@ export class HybridIdentityMetadatum extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20220501preview:HybridIdentityMetadatum" }, { type: "azure-native:hybridcontainerservice/v20220901preview:HybridIdentityMetadatum" }, { type: "azure-native:hybridcontainerservice/v20231115preview:HybridIdentityMetadatum" }, { type: "azure-native:hybridcontainerservice/v20240101:HybridIdentityMetadatum" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20220501preview:HybridIdentityMetadatum" }, { type: "azure-native:hybridcontainerservice/v20220901preview:HybridIdentityMetadatum" }, { type: "azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:HybridIdentityMetadatum" }, { type: "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:HybridIdentityMetadatum" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HybridIdentityMetadatum.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcontainerservice/provisionedCluster.ts b/sdk/nodejs/hybridcontainerservice/provisionedCluster.ts index e2a6361c3a7c..0fe309755ffb 100644 --- a/sdk/nodejs/hybridcontainerservice/provisionedCluster.ts +++ b/sdk/nodejs/hybridcontainerservice/provisionedCluster.ts @@ -107,7 +107,7 @@ export class ProvisionedCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20220501preview:ProvisionedCluster" }, { type: "azure-native:hybridcontainerservice/v20220901preview:ProvisionedCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20220501preview:ProvisionedCluster" }, { type: "azure-native:hybridcontainerservice/v20220901preview:ProvisionedCluster" }, { type: "azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:ProvisionedCluster" }, { type: "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:ProvisionedCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProvisionedCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcontainerservice/storageSpaceRetrieve.ts b/sdk/nodejs/hybridcontainerservice/storageSpaceRetrieve.ts index 39c68b44c6d9..ec35c00fe167 100644 --- a/sdk/nodejs/hybridcontainerservice/storageSpaceRetrieve.ts +++ b/sdk/nodejs/hybridcontainerservice/storageSpaceRetrieve.ts @@ -104,7 +104,7 @@ export class StorageSpaceRetrieve extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20220501preview:StorageSpaceRetrieve" }, { type: "azure-native:hybridcontainerservice/v20220901preview:StorageSpaceRetrieve" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20220901preview:StorageSpaceRetrieve" }, { type: "azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:StorageSpaceRetrieve" }, { type: "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:StorageSpaceRetrieve" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageSpaceRetrieve.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridcontainerservice/virtualNetworkRetrieve.ts b/sdk/nodejs/hybridcontainerservice/virtualNetworkRetrieve.ts index f9d181406e4e..a1e7126870a3 100644 --- a/sdk/nodejs/hybridcontainerservice/virtualNetworkRetrieve.ts +++ b/sdk/nodejs/hybridcontainerservice/virtualNetworkRetrieve.ts @@ -106,7 +106,7 @@ export class VirtualNetworkRetrieve extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20220501preview:VirtualNetworkRetrieve" }, { type: "azure-native:hybridcontainerservice/v20220901preview:VirtualNetworkRetrieve" }, { type: "azure-native:hybridcontainerservice/v20231115preview:VirtualNetworkRetrieve" }, { type: "azure-native:hybridcontainerservice/v20240101:VirtualNetworkRetrieve" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridcontainerservice/v20220901preview:VirtualNetworkRetrieve" }, { type: "azure-native:hybridcontainerservice/v20231115preview:VirtualNetworkRetrieve" }, { type: "azure-native:hybridcontainerservice/v20240101:VirtualNetworkRetrieve" }, { type: "azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:VirtualNetworkRetrieve" }, { type: "azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:VirtualNetworkRetrieve" }, { type: "azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:VirtualNetworkRetrieve" }, { type: "azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:VirtualNetworkRetrieve" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetworkRetrieve.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybriddata/dataManager.ts b/sdk/nodejs/hybriddata/dataManager.ts index 759a0b116054..3a3edd30f1c0 100644 --- a/sdk/nodejs/hybriddata/dataManager.ts +++ b/sdk/nodejs/hybriddata/dataManager.ts @@ -104,7 +104,7 @@ export class DataManager extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybriddata/v20160601:DataManager" }, { type: "azure-native:hybriddata/v20190601:DataManager" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybriddata/v20190601:DataManager" }, { type: "azure-native_hybriddata_v20160601:hybriddata:DataManager" }, { type: "azure-native_hybriddata_v20190601:hybriddata:DataManager" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataManager.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybriddata/dataStore.ts b/sdk/nodejs/hybriddata/dataStore.ts index f78e20c176bc..8c744208ff32 100644 --- a/sdk/nodejs/hybriddata/dataStore.ts +++ b/sdk/nodejs/hybriddata/dataStore.ts @@ -117,7 +117,7 @@ export class DataStore extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybriddata/v20160601:DataStore" }, { type: "azure-native:hybriddata/v20190601:DataStore" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybriddata/v20190601:DataStore" }, { type: "azure-native_hybriddata_v20160601:hybriddata:DataStore" }, { type: "azure-native_hybriddata_v20190601:hybriddata:DataStore" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataStore.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybriddata/jobDefinition.ts b/sdk/nodejs/hybriddata/jobDefinition.ts index 9f434414e801..6b4c7fcd0aa8 100644 --- a/sdk/nodejs/hybriddata/jobDefinition.ts +++ b/sdk/nodejs/hybriddata/jobDefinition.ts @@ -148,7 +148,7 @@ export class JobDefinition extends pulumi.CustomResource { resourceInputs["userConfirmation"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybriddata/v20160601:JobDefinition" }, { type: "azure-native:hybriddata/v20190601:JobDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybriddata/v20190601:JobDefinition" }, { type: "azure-native_hybriddata_v20160601:hybriddata:JobDefinition" }, { type: "azure-native_hybriddata_v20190601:hybriddata:JobDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JobDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/artifactManifest.ts b/sdk/nodejs/hybridnetwork/artifactManifest.ts index aae000e46898..1c23e1b3f948 100644 --- a/sdk/nodejs/hybridnetwork/artifactManifest.ts +++ b/sdk/nodejs/hybridnetwork/artifactManifest.ts @@ -111,7 +111,7 @@ export class ArtifactManifest extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:ArtifactManifest" }, { type: "azure-native:hybridnetwork/v20240415:ArtifactManifest" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:ArtifactManifest" }, { type: "azure-native:hybridnetwork/v20240415:ArtifactManifest" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:ArtifactManifest" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:ArtifactManifest" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ArtifactManifest.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/artifactStore.ts b/sdk/nodejs/hybridnetwork/artifactStore.ts index 0fc810e774b2..19718eaf7f27 100644 --- a/sdk/nodejs/hybridnetwork/artifactStore.ts +++ b/sdk/nodejs/hybridnetwork/artifactStore.ts @@ -107,7 +107,7 @@ export class ArtifactStore extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:ArtifactStore" }, { type: "azure-native:hybridnetwork/v20240415:ArtifactStore" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:ArtifactStore" }, { type: "azure-native:hybridnetwork/v20240415:ArtifactStore" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:ArtifactStore" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:ArtifactStore" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ArtifactStore.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/configurationGroupSchema.ts b/sdk/nodejs/hybridnetwork/configurationGroupSchema.ts index 48ce54289c2f..ac5b99605670 100644 --- a/sdk/nodejs/hybridnetwork/configurationGroupSchema.ts +++ b/sdk/nodejs/hybridnetwork/configurationGroupSchema.ts @@ -107,7 +107,7 @@ export class ConfigurationGroupSchema extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:ConfigurationGroupSchema" }, { type: "azure-native:hybridnetwork/v20240415:ConfigurationGroupSchema" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:ConfigurationGroupSchema" }, { type: "azure-native:hybridnetwork/v20240415:ConfigurationGroupSchema" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:ConfigurationGroupSchema" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:ConfigurationGroupSchema" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationGroupSchema.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/configurationGroupValue.ts b/sdk/nodejs/hybridnetwork/configurationGroupValue.ts index d42fd5395f04..ad1601e13a7b 100644 --- a/sdk/nodejs/hybridnetwork/configurationGroupValue.ts +++ b/sdk/nodejs/hybridnetwork/configurationGroupValue.ts @@ -103,7 +103,7 @@ export class ConfigurationGroupValue extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:ConfigurationGroupValue" }, { type: "azure-native:hybridnetwork/v20240415:ConfigurationGroupValue" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:ConfigurationGroupValue" }, { type: "azure-native:hybridnetwork/v20240415:ConfigurationGroupValue" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:ConfigurationGroupValue" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:ConfigurationGroupValue" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationGroupValue.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/device.ts b/sdk/nodejs/hybridnetwork/device.ts index 76b23af2342a..ecc6142cf9a5 100644 --- a/sdk/nodejs/hybridnetwork/device.ts +++ b/sdk/nodejs/hybridnetwork/device.ts @@ -122,7 +122,7 @@ export class Device extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20200101preview:Device" }, { type: "azure-native:hybridnetwork/v20210501:Device" }, { type: "azure-native:hybridnetwork/v20220101preview:Device" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20220101preview:Device" }, { type: "azure-native_hybridnetwork_v20200101preview:hybridnetwork:Device" }, { type: "azure-native_hybridnetwork_v20210501:hybridnetwork:Device" }, { type: "azure-native_hybridnetwork_v20220101preview:hybridnetwork:Device" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Device.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/networkFunction.ts b/sdk/nodejs/hybridnetwork/networkFunction.ts index aaeef79e1565..565cea800cd5 100644 --- a/sdk/nodejs/hybridnetwork/networkFunction.ts +++ b/sdk/nodejs/hybridnetwork/networkFunction.ts @@ -115,7 +115,7 @@ export class NetworkFunction extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20200101preview:NetworkFunction" }, { type: "azure-native:hybridnetwork/v20210501:NetworkFunction" }, { type: "azure-native:hybridnetwork/v20220101preview:NetworkFunction" }, { type: "azure-native:hybridnetwork/v20230901:NetworkFunction" }, { type: "azure-native:hybridnetwork/v20240415:NetworkFunction" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20220101preview:NetworkFunction" }, { type: "azure-native:hybridnetwork/v20230901:NetworkFunction" }, { type: "azure-native:hybridnetwork/v20240415:NetworkFunction" }, { type: "azure-native_hybridnetwork_v20200101preview:hybridnetwork:NetworkFunction" }, { type: "azure-native_hybridnetwork_v20210501:hybridnetwork:NetworkFunction" }, { type: "azure-native_hybridnetwork_v20220101preview:hybridnetwork:NetworkFunction" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunction" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunction" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkFunction.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/networkFunctionDefinitionGroup.ts b/sdk/nodejs/hybridnetwork/networkFunctionDefinitionGroup.ts index 38ec4b2e28f8..060fad79cc60 100644 --- a/sdk/nodejs/hybridnetwork/networkFunctionDefinitionGroup.ts +++ b/sdk/nodejs/hybridnetwork/networkFunctionDefinitionGroup.ts @@ -107,7 +107,7 @@ export class NetworkFunctionDefinitionGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionGroup" }, { type: "azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionGroup" }, { type: "azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionGroup" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunctionDefinitionGroup" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunctionDefinitionGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkFunctionDefinitionGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/networkFunctionDefinitionVersion.ts b/sdk/nodejs/hybridnetwork/networkFunctionDefinitionVersion.ts index b39a633d7968..3c987a27d0dc 100644 --- a/sdk/nodejs/hybridnetwork/networkFunctionDefinitionVersion.ts +++ b/sdk/nodejs/hybridnetwork/networkFunctionDefinitionVersion.ts @@ -111,7 +111,7 @@ export class NetworkFunctionDefinitionVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionVersion" }, { type: "azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionVersion" }, { type: "azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionVersion" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunctionDefinitionVersion" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunctionDefinitionVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkFunctionDefinitionVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/networkServiceDesignGroup.ts b/sdk/nodejs/hybridnetwork/networkServiceDesignGroup.ts index 6addc74f2055..505c015f25bd 100644 --- a/sdk/nodejs/hybridnetwork/networkServiceDesignGroup.ts +++ b/sdk/nodejs/hybridnetwork/networkServiceDesignGroup.ts @@ -107,7 +107,7 @@ export class NetworkServiceDesignGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:NetworkServiceDesignGroup" }, { type: "azure-native:hybridnetwork/v20240415:NetworkServiceDesignGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:NetworkServiceDesignGroup" }, { type: "azure-native:hybridnetwork/v20240415:NetworkServiceDesignGroup" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkServiceDesignGroup" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkServiceDesignGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkServiceDesignGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/networkServiceDesignVersion.ts b/sdk/nodejs/hybridnetwork/networkServiceDesignVersion.ts index ca8c45e4a2fa..2f9cd092f391 100644 --- a/sdk/nodejs/hybridnetwork/networkServiceDesignVersion.ts +++ b/sdk/nodejs/hybridnetwork/networkServiceDesignVersion.ts @@ -111,7 +111,7 @@ export class NetworkServiceDesignVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:NetworkServiceDesignVersion" }, { type: "azure-native:hybridnetwork/v20240415:NetworkServiceDesignVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:NetworkServiceDesignVersion" }, { type: "azure-native:hybridnetwork/v20240415:NetworkServiceDesignVersion" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkServiceDesignVersion" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkServiceDesignVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkServiceDesignVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/publisher.ts b/sdk/nodejs/hybridnetwork/publisher.ts index 07176b70cbeb..6865657216b1 100644 --- a/sdk/nodejs/hybridnetwork/publisher.ts +++ b/sdk/nodejs/hybridnetwork/publisher.ts @@ -109,7 +109,7 @@ export class Publisher extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:Publisher" }, { type: "azure-native:hybridnetwork/v20240415:Publisher" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:Publisher" }, { type: "azure-native:hybridnetwork/v20240415:Publisher" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:Publisher" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:Publisher" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Publisher.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/site.ts b/sdk/nodejs/hybridnetwork/site.ts index ca215b577ad2..f42de06ec220 100644 --- a/sdk/nodejs/hybridnetwork/site.ts +++ b/sdk/nodejs/hybridnetwork/site.ts @@ -103,7 +103,7 @@ export class Site extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:Site" }, { type: "azure-native:hybridnetwork/v20240415:Site" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:Site" }, { type: "azure-native:hybridnetwork/v20240415:Site" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:Site" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:Site" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Site.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/siteNetworkService.ts b/sdk/nodejs/hybridnetwork/siteNetworkService.ts index aafd200260d5..fc7afb4cd1de 100644 --- a/sdk/nodejs/hybridnetwork/siteNetworkService.ts +++ b/sdk/nodejs/hybridnetwork/siteNetworkService.ts @@ -115,7 +115,7 @@ export class SiteNetworkService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:SiteNetworkService" }, { type: "azure-native:hybridnetwork/v20240415:SiteNetworkService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20230901:SiteNetworkService" }, { type: "azure-native:hybridnetwork/v20240415:SiteNetworkService" }, { type: "azure-native_hybridnetwork_v20230901:hybridnetwork:SiteNetworkService" }, { type: "azure-native_hybridnetwork_v20240415:hybridnetwork:SiteNetworkService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SiteNetworkService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/vendor.ts b/sdk/nodejs/hybridnetwork/vendor.ts index 9dc092860875..2c988a8d3462 100644 --- a/sdk/nodejs/hybridnetwork/vendor.ts +++ b/sdk/nodejs/hybridnetwork/vendor.ts @@ -91,7 +91,7 @@ export class Vendor extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20200101preview:Vendor" }, { type: "azure-native:hybridnetwork/v20210501:Vendor" }, { type: "azure-native:hybridnetwork/v20220101preview:Vendor" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20220101preview:Vendor" }, { type: "azure-native_hybridnetwork_v20200101preview:hybridnetwork:Vendor" }, { type: "azure-native_hybridnetwork_v20210501:hybridnetwork:Vendor" }, { type: "azure-native_hybridnetwork_v20220101preview:hybridnetwork:Vendor" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Vendor.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/vendorSkuPreview.ts b/sdk/nodejs/hybridnetwork/vendorSkuPreview.ts index 40a47b48ef1a..ed6f337dc16f 100644 --- a/sdk/nodejs/hybridnetwork/vendorSkuPreview.ts +++ b/sdk/nodejs/hybridnetwork/vendorSkuPreview.ts @@ -93,7 +93,7 @@ export class VendorSkuPreview extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20200101preview:VendorSkuPreview" }, { type: "azure-native:hybridnetwork/v20210501:VendorSkuPreview" }, { type: "azure-native:hybridnetwork/v20220101preview:VendorSkuPreview" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20220101preview:VendorSkuPreview" }, { type: "azure-native_hybridnetwork_v20200101preview:hybridnetwork:VendorSkuPreview" }, { type: "azure-native_hybridnetwork_v20210501:hybridnetwork:VendorSkuPreview" }, { type: "azure-native_hybridnetwork_v20220101preview:hybridnetwork:VendorSkuPreview" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VendorSkuPreview.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/hybridnetwork/vendorSkus.ts b/sdk/nodejs/hybridnetwork/vendorSkus.ts index 84c7ea72569b..f603c2948929 100644 --- a/sdk/nodejs/hybridnetwork/vendorSkus.ts +++ b/sdk/nodejs/hybridnetwork/vendorSkus.ts @@ -131,7 +131,7 @@ export class VendorSkus extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20200101preview:VendorSkus" }, { type: "azure-native:hybridnetwork/v20210501:VendorSkus" }, { type: "azure-native:hybridnetwork/v20220101preview:VendorSkus" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:hybridnetwork/v20220101preview:VendorSkus" }, { type: "azure-native_hybridnetwork_v20200101preview:hybridnetwork:VendorSkus" }, { type: "azure-native_hybridnetwork_v20210501:hybridnetwork:VendorSkus" }, { type: "azure-native_hybridnetwork_v20220101preview:hybridnetwork:VendorSkus" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VendorSkus.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/impact/connector.ts b/sdk/nodejs/impact/connector.ts index 2616690e31bb..d66b637d3e66 100644 --- a/sdk/nodejs/impact/connector.ts +++ b/sdk/nodejs/impact/connector.ts @@ -85,7 +85,7 @@ export class Connector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:impact/v20240501preview:Connector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:impact/v20240501preview:Connector" }, { type: "azure-native_impact_v20240501preview:impact:Connector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Connector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/impact/insight.ts b/sdk/nodejs/impact/insight.ts index 3520701df668..bd743337cbd8 100644 --- a/sdk/nodejs/impact/insight.ts +++ b/sdk/nodejs/impact/insight.ts @@ -89,7 +89,7 @@ export class Insight extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:impact/v20240501preview:Insight" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:impact/v20240501preview:Insight" }, { type: "azure-native_impact_v20240501preview:impact:Insight" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Insight.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/impact/workloadImpact.ts b/sdk/nodejs/impact/workloadImpact.ts index 6991577a7cd2..b64dc56dc0b3 100644 --- a/sdk/nodejs/impact/workloadImpact.ts +++ b/sdk/nodejs/impact/workloadImpact.ts @@ -85,7 +85,7 @@ export class WorkloadImpact extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:impact/v20240501preview:WorkloadImpact" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:impact/v20240501preview:WorkloadImpact" }, { type: "azure-native_impact_v20240501preview:impact:WorkloadImpact" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadImpact.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/importexport/job.ts b/sdk/nodejs/importexport/job.ts index 78d7ec977ab5..d03247f1ddc1 100644 --- a/sdk/nodejs/importexport/job.ts +++ b/sdk/nodejs/importexport/job.ts @@ -107,7 +107,7 @@ export class Job extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:importexport/v20161101:Job" }, { type: "azure-native:importexport/v20200801:Job" }, { type: "azure-native:importexport/v20210101:Job" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:importexport/v20210101:Job" }, { type: "azure-native_importexport_v20161101:importexport:Job" }, { type: "azure-native_importexport_v20200801:importexport:Job" }, { type: "azure-native_importexport_v20210101:importexport:Job" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Job.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/integrationspaces/application.ts b/sdk/nodejs/integrationspaces/application.ts index 26e07e87797d..595c479f51b1 100644 --- a/sdk/nodejs/integrationspaces/application.ts +++ b/sdk/nodejs/integrationspaces/application.ts @@ -117,7 +117,7 @@ export class Application extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:integrationspaces/v20231114preview:Application" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:integrationspaces/v20231114preview:Application" }, { type: "azure-native_integrationspaces_v20231114preview:integrationspaces:Application" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Application.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/integrationspaces/applicationResource.ts b/sdk/nodejs/integrationspaces/applicationResource.ts index 0ec0dc44f087..bbcaf5c5fc68 100644 --- a/sdk/nodejs/integrationspaces/applicationResource.ts +++ b/sdk/nodejs/integrationspaces/applicationResource.ts @@ -121,7 +121,7 @@ export class ApplicationResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:integrationspaces/v20231114preview:ApplicationResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:integrationspaces/v20231114preview:ApplicationResource" }, { type: "azure-native_integrationspaces_v20231114preview:integrationspaces:ApplicationResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/integrationspaces/businessProcess.ts b/sdk/nodejs/integrationspaces/businessProcess.ts index dcf0175f74b7..25220eabc259 100644 --- a/sdk/nodejs/integrationspaces/businessProcess.ts +++ b/sdk/nodejs/integrationspaces/businessProcess.ts @@ -139,7 +139,7 @@ export class BusinessProcess extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:integrationspaces/v20231114preview:BusinessProcess" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:integrationspaces/v20231114preview:BusinessProcess" }, { type: "azure-native_integrationspaces_v20231114preview:integrationspaces:BusinessProcess" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BusinessProcess.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/integrationspaces/infrastructureResource.ts b/sdk/nodejs/integrationspaces/infrastructureResource.ts index 20f3e4b97163..8fb664215c39 100644 --- a/sdk/nodejs/integrationspaces/infrastructureResource.ts +++ b/sdk/nodejs/integrationspaces/infrastructureResource.ts @@ -111,7 +111,7 @@ export class InfrastructureResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:integrationspaces/v20231114preview:InfrastructureResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:integrationspaces/v20231114preview:InfrastructureResource" }, { type: "azure-native_integrationspaces_v20231114preview:integrationspaces:InfrastructureResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InfrastructureResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/integrationspaces/space.ts b/sdk/nodejs/integrationspaces/space.ts index 431aa27f17e5..88ad2adddf75 100644 --- a/sdk/nodejs/integrationspaces/space.ts +++ b/sdk/nodejs/integrationspaces/space.ts @@ -107,7 +107,7 @@ export class Space extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:integrationspaces/v20231114preview:Space" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:integrationspaces/v20231114preview:Space" }, { type: "azure-native_integrationspaces_v20231114preview:integrationspaces:Space" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Space.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/intune/androidMAMPolicyByName.ts b/sdk/nodejs/intune/androidMAMPolicyByName.ts index 06491ac5ce27..07b6ead5d9af 100644 --- a/sdk/nodejs/intune/androidMAMPolicyByName.ts +++ b/sdk/nodejs/intune/androidMAMPolicyByName.ts @@ -149,7 +149,7 @@ export class AndroidMAMPolicyByName extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:intune/v20150114preview:AndroidMAMPolicyByName" }, { type: "azure-native:intune/v20150114privatepreview:AndroidMAMPolicyByName" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:intune/v20150114preview:AndroidMAMPolicyByName" }, { type: "azure-native:intune/v20150114privatepreview:AndroidMAMPolicyByName" }, { type: "azure-native_intune_v20150114preview:intune:AndroidMAMPolicyByName" }, { type: "azure-native_intune_v20150114privatepreview:intune:AndroidMAMPolicyByName" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AndroidMAMPolicyByName.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/intune/ioMAMPolicyByName.ts b/sdk/nodejs/intune/ioMAMPolicyByName.ts index e421f0aea66a..03ac4fbb9e70 100644 --- a/sdk/nodejs/intune/ioMAMPolicyByName.ts +++ b/sdk/nodejs/intune/ioMAMPolicyByName.ts @@ -149,7 +149,7 @@ export class IoMAMPolicyByName extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:intune/v20150114preview:IoMAMPolicyByName" }, { type: "azure-native:intune/v20150114privatepreview:IoMAMPolicyByName" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:intune/v20150114preview:IoMAMPolicyByName" }, { type: "azure-native:intune/v20150114privatepreview:IoMAMPolicyByName" }, { type: "azure-native_intune_v20150114preview:intune:IoMAMPolicyByName" }, { type: "azure-native_intune_v20150114privatepreview:intune:IoMAMPolicyByName" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IoMAMPolicyByName.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotcentral/app.ts b/sdk/nodejs/iotcentral/app.ts index 764feb7c1e62..83a5dafaf1e6 100644 --- a/sdk/nodejs/iotcentral/app.ts +++ b/sdk/nodejs/iotcentral/app.ts @@ -166,7 +166,7 @@ export class App extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotcentral/v20180901:App" }, { type: "azure-native:iotcentral/v20210601:App" }, { type: "azure-native:iotcentral/v20211101preview:App" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotcentral/v20210601:App" }, { type: "azure-native:iotcentral/v20211101preview:App" }, { type: "azure-native_iotcentral_v20180901:iotcentral:App" }, { type: "azure-native_iotcentral_v20210601:iotcentral:App" }, { type: "azure-native_iotcentral_v20211101preview:iotcentral:App" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(App.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotcentral/privateEndpointConnection.ts b/sdk/nodejs/iotcentral/privateEndpointConnection.ts index 1f0fa79e5738..eb5d57d6249b 100644 --- a/sdk/nodejs/iotcentral/privateEndpointConnection.ts +++ b/sdk/nodejs/iotcentral/privateEndpointConnection.ts @@ -114,7 +114,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotcentral/v20211101preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotcentral/v20211101preview:PrivateEndpointConnection" }, { type: "azure-native_iotcentral_v20211101preview:iotcentral:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotfirmwaredefense/firmware.ts b/sdk/nodejs/iotfirmwaredefense/firmware.ts index 8f57da0c39b2..06ed629e733a 100644 --- a/sdk/nodejs/iotfirmwaredefense/firmware.ts +++ b/sdk/nodejs/iotfirmwaredefense/firmware.ts @@ -143,7 +143,7 @@ export class Firmware extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotfirmwaredefense/v20230208preview:Firmware" }, { type: "azure-native:iotfirmwaredefense/v20240110:Firmware" }, { type: "azure-native:iotfirmwaredefense/v20250401preview:Firmware" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotfirmwaredefense/v20230208preview:Firmware" }, { type: "azure-native:iotfirmwaredefense/v20240110:Firmware" }, { type: "azure-native_iotfirmwaredefense_v20230208preview:iotfirmwaredefense:Firmware" }, { type: "azure-native_iotfirmwaredefense_v20240110:iotfirmwaredefense:Firmware" }, { type: "azure-native_iotfirmwaredefense_v20250401preview:iotfirmwaredefense:Firmware" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Firmware.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotfirmwaredefense/workspace.ts b/sdk/nodejs/iotfirmwaredefense/workspace.ts index 0f11d6863e3e..65536b1905e2 100644 --- a/sdk/nodejs/iotfirmwaredefense/workspace.ts +++ b/sdk/nodejs/iotfirmwaredefense/workspace.ts @@ -103,7 +103,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotfirmwaredefense/v20230208preview:Workspace" }, { type: "azure-native:iotfirmwaredefense/v20240110:Workspace" }, { type: "azure-native:iotfirmwaredefense/v20250401preview:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotfirmwaredefense/v20230208preview:Workspace" }, { type: "azure-native:iotfirmwaredefense/v20240110:Workspace" }, { type: "azure-native_iotfirmwaredefense_v20230208preview:iotfirmwaredefense:Workspace" }, { type: "azure-native_iotfirmwaredefense_v20240110:iotfirmwaredefense:Workspace" }, { type: "azure-native_iotfirmwaredefense_v20250401preview:iotfirmwaredefense:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iothub/certificate.ts b/sdk/nodejs/iothub/certificate.ts index 1ffb448235f5..8b0fd6f8a08a 100644 --- a/sdk/nodejs/iothub/certificate.ts +++ b/sdk/nodejs/iothub/certificate.ts @@ -95,7 +95,7 @@ export class Certificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devices/v20200401:Certificate" }, { type: "azure-native:devices/v20220430preview:Certificate" }, { type: "azure-native:devices/v20221115preview:Certificate" }, { type: "azure-native:devices/v20230630:Certificate" }, { type: "azure-native:devices/v20230630preview:Certificate" }, { type: "azure-native:devices:Certificate" }, { type: "azure-native:iothub/v20170701:Certificate" }, { type: "azure-native:iothub/v20180122:Certificate" }, { type: "azure-native:iothub/v20180401:Certificate" }, { type: "azure-native:iothub/v20181201preview:Certificate" }, { type: "azure-native:iothub/v20190322:Certificate" }, { type: "azure-native:iothub/v20190322preview:Certificate" }, { type: "azure-native:iothub/v20190701preview:Certificate" }, { type: "azure-native:iothub/v20191104:Certificate" }, { type: "azure-native:iothub/v20200301:Certificate" }, { type: "azure-native:iothub/v20200401:Certificate" }, { type: "azure-native:iothub/v20200615:Certificate" }, { type: "azure-native:iothub/v20200710preview:Certificate" }, { type: "azure-native:iothub/v20200801:Certificate" }, { type: "azure-native:iothub/v20200831:Certificate" }, { type: "azure-native:iothub/v20200831preview:Certificate" }, { type: "azure-native:iothub/v20210201preview:Certificate" }, { type: "azure-native:iothub/v20210303preview:Certificate" }, { type: "azure-native:iothub/v20210331:Certificate" }, { type: "azure-native:iothub/v20210701:Certificate" }, { type: "azure-native:iothub/v20210701preview:Certificate" }, { type: "azure-native:iothub/v20210702:Certificate" }, { type: "azure-native:iothub/v20210702preview:Certificate" }, { type: "azure-native:iothub/v20220430preview:Certificate" }, { type: "azure-native:iothub/v20221115preview:Certificate" }, { type: "azure-native:iothub/v20230630:Certificate" }, { type: "azure-native:iothub/v20230630preview:Certificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devices/v20200401:Certificate" }, { type: "azure-native:devices/v20220430preview:Certificate" }, { type: "azure-native:devices/v20221115preview:Certificate" }, { type: "azure-native:devices/v20230630:Certificate" }, { type: "azure-native:devices/v20230630preview:Certificate" }, { type: "azure-native:devices:Certificate" }, { type: "azure-native_iothub_v20170701:iothub:Certificate" }, { type: "azure-native_iothub_v20180122:iothub:Certificate" }, { type: "azure-native_iothub_v20180401:iothub:Certificate" }, { type: "azure-native_iothub_v20181201preview:iothub:Certificate" }, { type: "azure-native_iothub_v20190322:iothub:Certificate" }, { type: "azure-native_iothub_v20190322preview:iothub:Certificate" }, { type: "azure-native_iothub_v20190701preview:iothub:Certificate" }, { type: "azure-native_iothub_v20191104:iothub:Certificate" }, { type: "azure-native_iothub_v20200301:iothub:Certificate" }, { type: "azure-native_iothub_v20200401:iothub:Certificate" }, { type: "azure-native_iothub_v20200615:iothub:Certificate" }, { type: "azure-native_iothub_v20200710preview:iothub:Certificate" }, { type: "azure-native_iothub_v20200801:iothub:Certificate" }, { type: "azure-native_iothub_v20200831:iothub:Certificate" }, { type: "azure-native_iothub_v20200831preview:iothub:Certificate" }, { type: "azure-native_iothub_v20210201preview:iothub:Certificate" }, { type: "azure-native_iothub_v20210303preview:iothub:Certificate" }, { type: "azure-native_iothub_v20210331:iothub:Certificate" }, { type: "azure-native_iothub_v20210701:iothub:Certificate" }, { type: "azure-native_iothub_v20210701preview:iothub:Certificate" }, { type: "azure-native_iothub_v20210702:iothub:Certificate" }, { type: "azure-native_iothub_v20210702preview:iothub:Certificate" }, { type: "azure-native_iothub_v20220430preview:iothub:Certificate" }, { type: "azure-native_iothub_v20221115preview:iothub:Certificate" }, { type: "azure-native_iothub_v20230630:iothub:Certificate" }, { type: "azure-native_iothub_v20230630preview:iothub:Certificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Certificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iothub/iotHubResource.ts b/sdk/nodejs/iothub/iotHubResource.ts index 81532c2eba95..d2bc158d8d82 100644 --- a/sdk/nodejs/iothub/iotHubResource.ts +++ b/sdk/nodejs/iothub/iotHubResource.ts @@ -124,7 +124,7 @@ export class IotHubResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devices/v20220430preview:IotHubResource" }, { type: "azure-native:devices/v20221115preview:IotHubResource" }, { type: "azure-native:devices/v20230630:IotHubResource" }, { type: "azure-native:devices/v20230630preview:IotHubResource" }, { type: "azure-native:devices:IotHubResource" }, { type: "azure-native:iothub/v20160203:IotHubResource" }, { type: "azure-native:iothub/v20170119:IotHubResource" }, { type: "azure-native:iothub/v20170701:IotHubResource" }, { type: "azure-native:iothub/v20180122:IotHubResource" }, { type: "azure-native:iothub/v20180401:IotHubResource" }, { type: "azure-native:iothub/v20181201preview:IotHubResource" }, { type: "azure-native:iothub/v20190322:IotHubResource" }, { type: "azure-native:iothub/v20190322preview:IotHubResource" }, { type: "azure-native:iothub/v20190701preview:IotHubResource" }, { type: "azure-native:iothub/v20191104:IotHubResource" }, { type: "azure-native:iothub/v20200301:IotHubResource" }, { type: "azure-native:iothub/v20200401:IotHubResource" }, { type: "azure-native:iothub/v20200615:IotHubResource" }, { type: "azure-native:iothub/v20200710preview:IotHubResource" }, { type: "azure-native:iothub/v20200801:IotHubResource" }, { type: "azure-native:iothub/v20200831:IotHubResource" }, { type: "azure-native:iothub/v20200831preview:IotHubResource" }, { type: "azure-native:iothub/v20210201preview:IotHubResource" }, { type: "azure-native:iothub/v20210303preview:IotHubResource" }, { type: "azure-native:iothub/v20210331:IotHubResource" }, { type: "azure-native:iothub/v20210701:IotHubResource" }, { type: "azure-native:iothub/v20210701preview:IotHubResource" }, { type: "azure-native:iothub/v20210702:IotHubResource" }, { type: "azure-native:iothub/v20210702preview:IotHubResource" }, { type: "azure-native:iothub/v20220430preview:IotHubResource" }, { type: "azure-native:iothub/v20221115preview:IotHubResource" }, { type: "azure-native:iothub/v20230630:IotHubResource" }, { type: "azure-native:iothub/v20230630preview:IotHubResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devices/v20220430preview:IotHubResource" }, { type: "azure-native:devices/v20221115preview:IotHubResource" }, { type: "azure-native:devices/v20230630:IotHubResource" }, { type: "azure-native:devices/v20230630preview:IotHubResource" }, { type: "azure-native:devices:IotHubResource" }, { type: "azure-native_iothub_v20160203:iothub:IotHubResource" }, { type: "azure-native_iothub_v20170119:iothub:IotHubResource" }, { type: "azure-native_iothub_v20170701:iothub:IotHubResource" }, { type: "azure-native_iothub_v20180122:iothub:IotHubResource" }, { type: "azure-native_iothub_v20180401:iothub:IotHubResource" }, { type: "azure-native_iothub_v20181201preview:iothub:IotHubResource" }, { type: "azure-native_iothub_v20190322:iothub:IotHubResource" }, { type: "azure-native_iothub_v20190322preview:iothub:IotHubResource" }, { type: "azure-native_iothub_v20190701preview:iothub:IotHubResource" }, { type: "azure-native_iothub_v20191104:iothub:IotHubResource" }, { type: "azure-native_iothub_v20200301:iothub:IotHubResource" }, { type: "azure-native_iothub_v20200401:iothub:IotHubResource" }, { type: "azure-native_iothub_v20200615:iothub:IotHubResource" }, { type: "azure-native_iothub_v20200710preview:iothub:IotHubResource" }, { type: "azure-native_iothub_v20200801:iothub:IotHubResource" }, { type: "azure-native_iothub_v20200831:iothub:IotHubResource" }, { type: "azure-native_iothub_v20200831preview:iothub:IotHubResource" }, { type: "azure-native_iothub_v20210201preview:iothub:IotHubResource" }, { type: "azure-native_iothub_v20210303preview:iothub:IotHubResource" }, { type: "azure-native_iothub_v20210331:iothub:IotHubResource" }, { type: "azure-native_iothub_v20210701:iothub:IotHubResource" }, { type: "azure-native_iothub_v20210701preview:iothub:IotHubResource" }, { type: "azure-native_iothub_v20210702:iothub:IotHubResource" }, { type: "azure-native_iothub_v20210702preview:iothub:IotHubResource" }, { type: "azure-native_iothub_v20220430preview:iothub:IotHubResource" }, { type: "azure-native_iothub_v20221115preview:iothub:IotHubResource" }, { type: "azure-native_iothub_v20230630:iothub:IotHubResource" }, { type: "azure-native_iothub_v20230630preview:iothub:IotHubResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IotHubResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iothub/iotHubResourceEventHubConsumerGroup.ts b/sdk/nodejs/iothub/iotHubResourceEventHubConsumerGroup.ts index a2a7cbf54731..2bf9d8b78c51 100644 --- a/sdk/nodejs/iothub/iotHubResourceEventHubConsumerGroup.ts +++ b/sdk/nodejs/iothub/iotHubResourceEventHubConsumerGroup.ts @@ -101,7 +101,7 @@ export class IotHubResourceEventHubConsumerGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devices/v20210303preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:devices/v20220430preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:devices/v20221115preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:devices/v20230630:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:devices/v20230630preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:devices:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20160203:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20170119:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20170701:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20180122:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20180401:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20181201preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20190322:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20190322preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20190701preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20191104:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20200301:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20200401:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20200615:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20200710preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20200801:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20200831:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20200831preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20210201preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20210303preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20210331:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20210701:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20210701preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20210702:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20210702preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20220430preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20221115preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20230630:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:iothub/v20230630preview:IotHubResourceEventHubConsumerGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devices/v20210303preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:devices/v20220430preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:devices/v20221115preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:devices/v20230630:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:devices/v20230630preview:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native:devices:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20160203:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20170119:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20170701:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20180122:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20180401:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20181201preview:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20190322:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20190322preview:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20190701preview:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20191104:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20200301:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20200401:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20200615:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20200710preview:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20200801:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20200831:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20200831preview:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20210201preview:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20210303preview:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20210331:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20210701:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20210701preview:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20210702:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20210702preview:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20220430preview:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20221115preview:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20230630:iothub:IotHubResourceEventHubConsumerGroup" }, { type: "azure-native_iothub_v20230630preview:iothub:IotHubResourceEventHubConsumerGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IotHubResourceEventHubConsumerGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iothub/privateEndpointConnection.ts b/sdk/nodejs/iothub/privateEndpointConnection.ts index 227b43938fee..26e383fa25ee 100644 --- a/sdk/nodejs/iothub/privateEndpointConnection.ts +++ b/sdk/nodejs/iothub/privateEndpointConnection.ts @@ -92,7 +92,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:devices/v20220430preview:PrivateEndpointConnection" }, { type: "azure-native:devices/v20221115preview:PrivateEndpointConnection" }, { type: "azure-native:devices/v20230630:PrivateEndpointConnection" }, { type: "azure-native:devices/v20230630preview:PrivateEndpointConnection" }, { type: "azure-native:devices:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20200301:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20200401:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20200615:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20200710preview:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20200801:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20200831:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20200831preview:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20210201preview:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20210303preview:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20210331:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20210701:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20210701preview:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20210702:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20210702preview:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20220430preview:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20221115preview:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20230630:PrivateEndpointConnection" }, { type: "azure-native:iothub/v20230630preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:devices/v20220430preview:PrivateEndpointConnection" }, { type: "azure-native:devices/v20221115preview:PrivateEndpointConnection" }, { type: "azure-native:devices/v20230630:PrivateEndpointConnection" }, { type: "azure-native:devices/v20230630preview:PrivateEndpointConnection" }, { type: "azure-native:devices:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20200301:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20200401:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20200615:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20200710preview:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20200801:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20200831:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20200831preview:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20210201preview:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20210303preview:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20210331:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20210701:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20210701preview:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20210702:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20210702preview:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20220430preview:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20221115preview:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20230630:iothub:PrivateEndpointConnection" }, { type: "azure-native_iothub_v20230630preview:iothub:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperations/broker.ts b/sdk/nodejs/iotoperations/broker.ts index dff9c4b2ad29..70f30c415681 100644 --- a/sdk/nodejs/iotoperations/broker.ts +++ b/sdk/nodejs/iotoperations/broker.ts @@ -104,7 +104,7 @@ export class Broker extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:Broker" }, { type: "azure-native:iotoperations/v20240815preview:Broker" }, { type: "azure-native:iotoperations/v20240915preview:Broker" }, { type: "azure-native:iotoperations/v20241101:Broker" }, { type: "azure-native:iotoperations/v20250401:Broker" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:Broker" }, { type: "azure-native:iotoperations/v20240815preview:Broker" }, { type: "azure-native:iotoperations/v20240915preview:Broker" }, { type: "azure-native:iotoperations/v20241101:Broker" }, { type: "azure-native_iotoperations_v20240701preview:iotoperations:Broker" }, { type: "azure-native_iotoperations_v20240815preview:iotoperations:Broker" }, { type: "azure-native_iotoperations_v20240915preview:iotoperations:Broker" }, { type: "azure-native_iotoperations_v20241101:iotoperations:Broker" }, { type: "azure-native_iotoperations_v20250401:iotoperations:Broker" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Broker.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperations/brokerAuthentication.ts b/sdk/nodejs/iotoperations/brokerAuthentication.ts index 925970e14971..a269307004c3 100644 --- a/sdk/nodejs/iotoperations/brokerAuthentication.ts +++ b/sdk/nodejs/iotoperations/brokerAuthentication.ts @@ -108,7 +108,7 @@ export class BrokerAuthentication extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:BrokerAuthentication" }, { type: "azure-native:iotoperations/v20240815preview:BrokerAuthentication" }, { type: "azure-native:iotoperations/v20240915preview:BrokerAuthentication" }, { type: "azure-native:iotoperations/v20241101:BrokerAuthentication" }, { type: "azure-native:iotoperations/v20250401:BrokerAuthentication" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:BrokerAuthentication" }, { type: "azure-native:iotoperations/v20240815preview:BrokerAuthentication" }, { type: "azure-native:iotoperations/v20240915preview:BrokerAuthentication" }, { type: "azure-native:iotoperations/v20241101:BrokerAuthentication" }, { type: "azure-native_iotoperations_v20240701preview:iotoperations:BrokerAuthentication" }, { type: "azure-native_iotoperations_v20240815preview:iotoperations:BrokerAuthentication" }, { type: "azure-native_iotoperations_v20240915preview:iotoperations:BrokerAuthentication" }, { type: "azure-native_iotoperations_v20241101:iotoperations:BrokerAuthentication" }, { type: "azure-native_iotoperations_v20250401:iotoperations:BrokerAuthentication" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BrokerAuthentication.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperations/brokerAuthorization.ts b/sdk/nodejs/iotoperations/brokerAuthorization.ts index ffa7eef2e1c8..fee7d5f87521 100644 --- a/sdk/nodejs/iotoperations/brokerAuthorization.ts +++ b/sdk/nodejs/iotoperations/brokerAuthorization.ts @@ -108,7 +108,7 @@ export class BrokerAuthorization extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:BrokerAuthorization" }, { type: "azure-native:iotoperations/v20240815preview:BrokerAuthorization" }, { type: "azure-native:iotoperations/v20240915preview:BrokerAuthorization" }, { type: "azure-native:iotoperations/v20241101:BrokerAuthorization" }, { type: "azure-native:iotoperations/v20250401:BrokerAuthorization" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:BrokerAuthorization" }, { type: "azure-native:iotoperations/v20240815preview:BrokerAuthorization" }, { type: "azure-native:iotoperations/v20240915preview:BrokerAuthorization" }, { type: "azure-native:iotoperations/v20241101:BrokerAuthorization" }, { type: "azure-native_iotoperations_v20240701preview:iotoperations:BrokerAuthorization" }, { type: "azure-native_iotoperations_v20240815preview:iotoperations:BrokerAuthorization" }, { type: "azure-native_iotoperations_v20240915preview:iotoperations:BrokerAuthorization" }, { type: "azure-native_iotoperations_v20241101:iotoperations:BrokerAuthorization" }, { type: "azure-native_iotoperations_v20250401:iotoperations:BrokerAuthorization" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BrokerAuthorization.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperations/brokerListener.ts b/sdk/nodejs/iotoperations/brokerListener.ts index 237d00b95bdd..21e381753f93 100644 --- a/sdk/nodejs/iotoperations/brokerListener.ts +++ b/sdk/nodejs/iotoperations/brokerListener.ts @@ -108,7 +108,7 @@ export class BrokerListener extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:BrokerListener" }, { type: "azure-native:iotoperations/v20240815preview:BrokerListener" }, { type: "azure-native:iotoperations/v20240915preview:BrokerListener" }, { type: "azure-native:iotoperations/v20241101:BrokerListener" }, { type: "azure-native:iotoperations/v20250401:BrokerListener" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:BrokerListener" }, { type: "azure-native:iotoperations/v20240815preview:BrokerListener" }, { type: "azure-native:iotoperations/v20240915preview:BrokerListener" }, { type: "azure-native:iotoperations/v20241101:BrokerListener" }, { type: "azure-native_iotoperations_v20240701preview:iotoperations:BrokerListener" }, { type: "azure-native_iotoperations_v20240815preview:iotoperations:BrokerListener" }, { type: "azure-native_iotoperations_v20240915preview:iotoperations:BrokerListener" }, { type: "azure-native_iotoperations_v20241101:iotoperations:BrokerListener" }, { type: "azure-native_iotoperations_v20250401:iotoperations:BrokerListener" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BrokerListener.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperations/dataflow.ts b/sdk/nodejs/iotoperations/dataflow.ts index 5c174f6e20f4..7a747693edde 100644 --- a/sdk/nodejs/iotoperations/dataflow.ts +++ b/sdk/nodejs/iotoperations/dataflow.ts @@ -108,7 +108,7 @@ export class Dataflow extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:DataFlow" }, { type: "azure-native:iotoperations/v20240701preview:Dataflow" }, { type: "azure-native:iotoperations/v20240815preview:Dataflow" }, { type: "azure-native:iotoperations/v20240915preview:Dataflow" }, { type: "azure-native:iotoperations/v20241101:Dataflow" }, { type: "azure-native:iotoperations/v20250401:Dataflow" }, { type: "azure-native:iotoperations:DataFlow" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:DataFlow" }, { type: "azure-native:iotoperations/v20240815preview:Dataflow" }, { type: "azure-native:iotoperations/v20240915preview:Dataflow" }, { type: "azure-native:iotoperations/v20241101:Dataflow" }, { type: "azure-native:iotoperations:DataFlow" }, { type: "azure-native_iotoperations_v20240701preview:iotoperations:Dataflow" }, { type: "azure-native_iotoperations_v20240815preview:iotoperations:Dataflow" }, { type: "azure-native_iotoperations_v20240915preview:iotoperations:Dataflow" }, { type: "azure-native_iotoperations_v20241101:iotoperations:Dataflow" }, { type: "azure-native_iotoperations_v20250401:iotoperations:Dataflow" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Dataflow.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperations/dataflowEndpoint.ts b/sdk/nodejs/iotoperations/dataflowEndpoint.ts index 904b83f09ffa..e15c890bc4e8 100644 --- a/sdk/nodejs/iotoperations/dataflowEndpoint.ts +++ b/sdk/nodejs/iotoperations/dataflowEndpoint.ts @@ -104,7 +104,7 @@ export class DataflowEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:DataFlowEndpoint" }, { type: "azure-native:iotoperations/v20240701preview:DataflowEndpoint" }, { type: "azure-native:iotoperations/v20240815preview:DataflowEndpoint" }, { type: "azure-native:iotoperations/v20240915preview:DataflowEndpoint" }, { type: "azure-native:iotoperations/v20241101:DataflowEndpoint" }, { type: "azure-native:iotoperations/v20250401:DataflowEndpoint" }, { type: "azure-native:iotoperations:DataFlowEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:DataFlowEndpoint" }, { type: "azure-native:iotoperations/v20240815preview:DataflowEndpoint" }, { type: "azure-native:iotoperations/v20240915preview:DataflowEndpoint" }, { type: "azure-native:iotoperations/v20241101:DataflowEndpoint" }, { type: "azure-native:iotoperations:DataFlowEndpoint" }, { type: "azure-native_iotoperations_v20240701preview:iotoperations:DataflowEndpoint" }, { type: "azure-native_iotoperations_v20240815preview:iotoperations:DataflowEndpoint" }, { type: "azure-native_iotoperations_v20240915preview:iotoperations:DataflowEndpoint" }, { type: "azure-native_iotoperations_v20241101:iotoperations:DataflowEndpoint" }, { type: "azure-native_iotoperations_v20250401:iotoperations:DataflowEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataflowEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperations/dataflowProfile.ts b/sdk/nodejs/iotoperations/dataflowProfile.ts index 8b60ca8fdfd7..6a0d6cc7ca29 100644 --- a/sdk/nodejs/iotoperations/dataflowProfile.ts +++ b/sdk/nodejs/iotoperations/dataflowProfile.ts @@ -104,7 +104,7 @@ export class DataflowProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:DataFlowProfile" }, { type: "azure-native:iotoperations/v20240701preview:DataflowProfile" }, { type: "azure-native:iotoperations/v20240815preview:DataflowProfile" }, { type: "azure-native:iotoperations/v20240915preview:DataflowProfile" }, { type: "azure-native:iotoperations/v20241101:DataflowProfile" }, { type: "azure-native:iotoperations/v20250401:DataflowProfile" }, { type: "azure-native:iotoperations:DataFlowProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:DataFlowProfile" }, { type: "azure-native:iotoperations/v20240815preview:DataflowProfile" }, { type: "azure-native:iotoperations/v20240915preview:DataflowProfile" }, { type: "azure-native:iotoperations/v20241101:DataflowProfile" }, { type: "azure-native:iotoperations:DataFlowProfile" }, { type: "azure-native_iotoperations_v20240701preview:iotoperations:DataflowProfile" }, { type: "azure-native_iotoperations_v20240815preview:iotoperations:DataflowProfile" }, { type: "azure-native_iotoperations_v20240915preview:iotoperations:DataflowProfile" }, { type: "azure-native_iotoperations_v20241101:iotoperations:DataflowProfile" }, { type: "azure-native_iotoperations_v20250401:iotoperations:DataflowProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataflowProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperations/instance.ts b/sdk/nodejs/iotoperations/instance.ts index 4ecda93bc181..9e5b06403bd2 100644 --- a/sdk/nodejs/iotoperations/instance.ts +++ b/sdk/nodejs/iotoperations/instance.ts @@ -118,7 +118,7 @@ export class Instance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:Instance" }, { type: "azure-native:iotoperations/v20240815preview:Instance" }, { type: "azure-native:iotoperations/v20240915preview:Instance" }, { type: "azure-native:iotoperations/v20241101:Instance" }, { type: "azure-native:iotoperations/v20250401:Instance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperations/v20240701preview:Instance" }, { type: "azure-native:iotoperations/v20240815preview:Instance" }, { type: "azure-native:iotoperations/v20240915preview:Instance" }, { type: "azure-native:iotoperations/v20241101:Instance" }, { type: "azure-native_iotoperations_v20240701preview:iotoperations:Instance" }, { type: "azure-native_iotoperations_v20240815preview:iotoperations:Instance" }, { type: "azure-native_iotoperations_v20240915preview:iotoperations:Instance" }, { type: "azure-native_iotoperations_v20241101:iotoperations:Instance" }, { type: "azure-native_iotoperations_v20250401:iotoperations:Instance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Instance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsdataprocessor/dataset.ts b/sdk/nodejs/iotoperationsdataprocessor/dataset.ts index 257d3eb22b6f..b44dd8d2def6 100644 --- a/sdk/nodejs/iotoperationsdataprocessor/dataset.ts +++ b/sdk/nodejs/iotoperationsdataprocessor/dataset.ts @@ -144,7 +144,7 @@ export class Dataset extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsdataprocessor/v20231004preview:Dataset" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsdataprocessor/v20231004preview:Dataset" }, { type: "azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Dataset" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Dataset.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsdataprocessor/instance.ts b/sdk/nodejs/iotoperationsdataprocessor/instance.ts index 1079f860527b..e8b8cb5ec506 100644 --- a/sdk/nodejs/iotoperationsdataprocessor/instance.ts +++ b/sdk/nodejs/iotoperationsdataprocessor/instance.ts @@ -116,7 +116,7 @@ export class Instance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsdataprocessor/v20231004preview:Instance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsdataprocessor/v20231004preview:Instance" }, { type: "azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Instance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Instance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsdataprocessor/pipeline.ts b/sdk/nodejs/iotoperationsdataprocessor/pipeline.ts index fa4133c8093f..f3a8ce2a15d7 100644 --- a/sdk/nodejs/iotoperationsdataprocessor/pipeline.ts +++ b/sdk/nodejs/iotoperationsdataprocessor/pipeline.ts @@ -147,7 +147,7 @@ export class Pipeline extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsdataprocessor/v20231004preview:Pipeline" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsdataprocessor/v20231004preview:Pipeline" }, { type: "azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Pipeline" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Pipeline.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/broker.ts b/sdk/nodejs/iotoperationsmq/broker.ts index f0c0f92de52e..2fd82e4474b7 100644 --- a/sdk/nodejs/iotoperationsmq/broker.ts +++ b/sdk/nodejs/iotoperationsmq/broker.ts @@ -198,7 +198,7 @@ export class Broker extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:Broker" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:Broker" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:Broker" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Broker.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/brokerAuthentication.ts b/sdk/nodejs/iotoperationsmq/brokerAuthentication.ts index 6a2e02c9bdbc..a92925267ae9 100644 --- a/sdk/nodejs/iotoperationsmq/brokerAuthentication.ts +++ b/sdk/nodejs/iotoperationsmq/brokerAuthentication.ts @@ -136,7 +136,7 @@ export class BrokerAuthentication extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:BrokerAuthentication" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:BrokerAuthentication" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerAuthentication" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BrokerAuthentication.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/brokerAuthorization.ts b/sdk/nodejs/iotoperationsmq/brokerAuthorization.ts index 135c0537f0e6..752f3b66d85a 100644 --- a/sdk/nodejs/iotoperationsmq/brokerAuthorization.ts +++ b/sdk/nodejs/iotoperationsmq/brokerAuthorization.ts @@ -136,7 +136,7 @@ export class BrokerAuthorization extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:BrokerAuthorization" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:BrokerAuthorization" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerAuthorization" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BrokerAuthorization.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/brokerListener.ts b/sdk/nodejs/iotoperationsmq/brokerListener.ts index f1f8a244d32d..a31456a1252c 100644 --- a/sdk/nodejs/iotoperationsmq/brokerListener.ts +++ b/sdk/nodejs/iotoperationsmq/brokerListener.ts @@ -172,7 +172,7 @@ export class BrokerListener extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:BrokerListener" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:BrokerListener" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerListener" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BrokerListener.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/dataLakeConnector.ts b/sdk/nodejs/iotoperationsmq/dataLakeConnector.ts index 6a453562f1fc..64b5e431e767 100644 --- a/sdk/nodejs/iotoperationsmq/dataLakeConnector.ts +++ b/sdk/nodejs/iotoperationsmq/dataLakeConnector.ts @@ -174,7 +174,7 @@ export class DataLakeConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:DataLakeConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:DataLakeConnector" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DataLakeConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataLakeConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/dataLakeConnectorTopicMap.ts b/sdk/nodejs/iotoperationsmq/dataLakeConnectorTopicMap.ts index 3c481b16d5a6..b8a38cf4c43f 100644 --- a/sdk/nodejs/iotoperationsmq/dataLakeConnectorTopicMap.ts +++ b/sdk/nodejs/iotoperationsmq/dataLakeConnectorTopicMap.ts @@ -136,7 +136,7 @@ export class DataLakeConnectorTopicMap extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:DataLakeConnectorTopicMap" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:DataLakeConnectorTopicMap" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DataLakeConnectorTopicMap" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataLakeConnectorTopicMap.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/diagnosticService.ts b/sdk/nodejs/iotoperationsmq/diagnosticService.ts index 26b92b81d6f2..007a04817dc9 100644 --- a/sdk/nodejs/iotoperationsmq/diagnosticService.ts +++ b/sdk/nodejs/iotoperationsmq/diagnosticService.ts @@ -165,7 +165,7 @@ export class DiagnosticService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:DiagnosticService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:DiagnosticService" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DiagnosticService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DiagnosticService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/kafkaConnector.ts b/sdk/nodejs/iotoperationsmq/kafkaConnector.ts index d9c5f7d30788..1dac3b4848cb 100644 --- a/sdk/nodejs/iotoperationsmq/kafkaConnector.ts +++ b/sdk/nodejs/iotoperationsmq/kafkaConnector.ts @@ -159,7 +159,7 @@ export class KafkaConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:KafkaConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:KafkaConnector" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:KafkaConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KafkaConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/kafkaConnectorTopicMap.ts b/sdk/nodejs/iotoperationsmq/kafkaConnectorTopicMap.ts index 238b3cde975e..82e6a392485a 100644 --- a/sdk/nodejs/iotoperationsmq/kafkaConnectorTopicMap.ts +++ b/sdk/nodejs/iotoperationsmq/kafkaConnectorTopicMap.ts @@ -166,7 +166,7 @@ export class KafkaConnectorTopicMap extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:KafkaConnectorTopicMap" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:KafkaConnectorTopicMap" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:KafkaConnectorTopicMap" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KafkaConnectorTopicMap.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/mq.ts b/sdk/nodejs/iotoperationsmq/mq.ts index d056c12cdd5c..a7e934931682 100644 --- a/sdk/nodejs/iotoperationsmq/mq.ts +++ b/sdk/nodejs/iotoperationsmq/mq.ts @@ -110,7 +110,7 @@ export class Mq extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:Mq" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:Mq" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:Mq" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Mq.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/mqttBridgeConnector.ts b/sdk/nodejs/iotoperationsmq/mqttBridgeConnector.ts index 852176c93f30..b871b8d23f11 100644 --- a/sdk/nodejs/iotoperationsmq/mqttBridgeConnector.ts +++ b/sdk/nodejs/iotoperationsmq/mqttBridgeConnector.ts @@ -171,7 +171,7 @@ export class MqttBridgeConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:MqttBridgeConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:MqttBridgeConnector" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:MqttBridgeConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MqttBridgeConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsmq/mqttBridgeTopicMap.ts b/sdk/nodejs/iotoperationsmq/mqttBridgeTopicMap.ts index d6c8fb43e0c5..6cb9d5b85702 100644 --- a/sdk/nodejs/iotoperationsmq/mqttBridgeTopicMap.ts +++ b/sdk/nodejs/iotoperationsmq/mqttBridgeTopicMap.ts @@ -133,7 +133,7 @@ export class MqttBridgeTopicMap extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:MqttBridgeTopicMap" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsmq/v20231004preview:MqttBridgeTopicMap" }, { type: "azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:MqttBridgeTopicMap" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MqttBridgeTopicMap.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsorchestrator/instance.ts b/sdk/nodejs/iotoperationsorchestrator/instance.ts index e2647011c6e0..9c278cde7cf0 100644 --- a/sdk/nodejs/iotoperationsorchestrator/instance.ts +++ b/sdk/nodejs/iotoperationsorchestrator/instance.ts @@ -139,7 +139,7 @@ export class Instance extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsorchestrator/v20231004preview:Instance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsorchestrator/v20231004preview:Instance" }, { type: "azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Instance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Instance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsorchestrator/solution.ts b/sdk/nodejs/iotoperationsorchestrator/solution.ts index b51b9b3aac31..ac00e9d93809 100644 --- a/sdk/nodejs/iotoperationsorchestrator/solution.ts +++ b/sdk/nodejs/iotoperationsorchestrator/solution.ts @@ -121,7 +121,7 @@ export class Solution extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsorchestrator/v20231004preview:Solution" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsorchestrator/v20231004preview:Solution" }, { type: "azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Solution" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Solution.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/iotoperationsorchestrator/target.ts b/sdk/nodejs/iotoperationsorchestrator/target.ts index 00576f8db163..244a554a002a 100644 --- a/sdk/nodejs/iotoperationsorchestrator/target.ts +++ b/sdk/nodejs/iotoperationsorchestrator/target.ts @@ -139,7 +139,7 @@ export class Target extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsorchestrator/v20231004preview:Target" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:iotoperationsorchestrator/v20231004preview:Target" }, { type: "azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Target" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Target.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/keyvault/key.ts b/sdk/nodejs/keyvault/key.ts index bdfa72a06dcd..da834983f034 100644 --- a/sdk/nodejs/keyvault/key.ts +++ b/sdk/nodejs/keyvault/key.ts @@ -150,7 +150,7 @@ export class Key extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20190901:Key" }, { type: "azure-native:keyvault/v20200401preview:Key" }, { type: "azure-native:keyvault/v20210401preview:Key" }, { type: "azure-native:keyvault/v20210601preview:Key" }, { type: "azure-native:keyvault/v20211001:Key" }, { type: "azure-native:keyvault/v20211101preview:Key" }, { type: "azure-native:keyvault/v20220201preview:Key" }, { type: "azure-native:keyvault/v20220701:Key" }, { type: "azure-native:keyvault/v20221101:Key" }, { type: "azure-native:keyvault/v20230201:Key" }, { type: "azure-native:keyvault/v20230701:Key" }, { type: "azure-native:keyvault/v20240401preview:Key" }, { type: "azure-native:keyvault/v20241101:Key" }, { type: "azure-native:keyvault/v20241201preview:Key" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20230201:Key" }, { type: "azure-native:keyvault/v20230701:Key" }, { type: "azure-native:keyvault/v20240401preview:Key" }, { type: "azure-native:keyvault/v20241101:Key" }, { type: "azure-native:keyvault/v20241201preview:Key" }, { type: "azure-native_keyvault_v20190901:keyvault:Key" }, { type: "azure-native_keyvault_v20200401preview:keyvault:Key" }, { type: "azure-native_keyvault_v20210401preview:keyvault:Key" }, { type: "azure-native_keyvault_v20210601preview:keyvault:Key" }, { type: "azure-native_keyvault_v20211001:keyvault:Key" }, { type: "azure-native_keyvault_v20211101preview:keyvault:Key" }, { type: "azure-native_keyvault_v20220201preview:keyvault:Key" }, { type: "azure-native_keyvault_v20220701:keyvault:Key" }, { type: "azure-native_keyvault_v20221101:keyvault:Key" }, { type: "azure-native_keyvault_v20230201:keyvault:Key" }, { type: "azure-native_keyvault_v20230701:keyvault:Key" }, { type: "azure-native_keyvault_v20240401preview:keyvault:Key" }, { type: "azure-native_keyvault_v20241101:keyvault:Key" }, { type: "azure-native_keyvault_v20241201preview:keyvault:Key" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Key.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/keyvault/managedHsm.ts b/sdk/nodejs/keyvault/managedHsm.ts index c02265b710f6..7b470e79b00b 100644 --- a/sdk/nodejs/keyvault/managedHsm.ts +++ b/sdk/nodejs/keyvault/managedHsm.ts @@ -114,7 +114,7 @@ export class ManagedHsm extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20200401preview:ManagedHsm" }, { type: "azure-native:keyvault/v20210401preview:ManagedHsm" }, { type: "azure-native:keyvault/v20210601preview:ManagedHsm" }, { type: "azure-native:keyvault/v20211001:ManagedHsm" }, { type: "azure-native:keyvault/v20211101preview:ManagedHsm" }, { type: "azure-native:keyvault/v20220201preview:ManagedHsm" }, { type: "azure-native:keyvault/v20220701:ManagedHsm" }, { type: "azure-native:keyvault/v20221101:ManagedHsm" }, { type: "azure-native:keyvault/v20230201:ManagedHsm" }, { type: "azure-native:keyvault/v20230701:ManagedHsm" }, { type: "azure-native:keyvault/v20240401preview:ManagedHsm" }, { type: "azure-native:keyvault/v20241101:ManagedHsm" }, { type: "azure-native:keyvault/v20241201preview:ManagedHsm" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20230201:ManagedHsm" }, { type: "azure-native:keyvault/v20230701:ManagedHsm" }, { type: "azure-native:keyvault/v20240401preview:ManagedHsm" }, { type: "azure-native:keyvault/v20241101:ManagedHsm" }, { type: "azure-native:keyvault/v20241201preview:ManagedHsm" }, { type: "azure-native_keyvault_v20200401preview:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20210401preview:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20210601preview:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20211001:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20211101preview:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20220201preview:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20220701:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20221101:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20230201:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20230701:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20240401preview:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20241101:keyvault:ManagedHsm" }, { type: "azure-native_keyvault_v20241201preview:keyvault:ManagedHsm" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedHsm.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/keyvault/mhsmprivateEndpointConnection.ts b/sdk/nodejs/keyvault/mhsmprivateEndpointConnection.ts index 7fa55adf1053..67ba80189470 100644 --- a/sdk/nodejs/keyvault/mhsmprivateEndpointConnection.ts +++ b/sdk/nodejs/keyvault/mhsmprivateEndpointConnection.ts @@ -136,7 +136,7 @@ export class MHSMPrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20210401preview:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20210601preview:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20211001:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20211101preview:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20220201preview:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20220701:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20221101:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20230201:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20230701:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20240401preview:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20241101:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20241201preview:MHSMPrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20230201:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20230701:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20240401preview:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20241101:MHSMPrivateEndpointConnection" }, { type: "azure-native:keyvault/v20241201preview:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20210401preview:keyvault:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20210601preview:keyvault:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20211001:keyvault:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20211101preview:keyvault:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20220201preview:keyvault:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20220701:keyvault:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20221101:keyvault:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20230201:keyvault:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20230701:keyvault:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20240401preview:keyvault:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20241101:keyvault:MHSMPrivateEndpointConnection" }, { type: "azure-native_keyvault_v20241201preview:keyvault:MHSMPrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MHSMPrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/keyvault/privateEndpointConnection.ts b/sdk/nodejs/keyvault/privateEndpointConnection.ts index ae64a3c01859..a4df2baa2968 100644 --- a/sdk/nodejs/keyvault/privateEndpointConnection.ts +++ b/sdk/nodejs/keyvault/privateEndpointConnection.ts @@ -119,7 +119,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20180214:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20190901:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20200401preview:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20210401preview:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20210601preview:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20211001:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20211101preview:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20220201preview:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20220701:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20221101:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20230201:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20230701:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20240401preview:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20241101:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20241201preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20230201:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20230701:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20240401preview:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20241101:PrivateEndpointConnection" }, { type: "azure-native:keyvault/v20241201preview:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20180214:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20190901:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20200401preview:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20210401preview:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20210601preview:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20211001:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20211101preview:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20220201preview:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20220701:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20221101:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20230201:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20230701:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20240401preview:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20241101:keyvault:PrivateEndpointConnection" }, { type: "azure-native_keyvault_v20241201preview:keyvault:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/keyvault/secret.ts b/sdk/nodejs/keyvault/secret.ts index a7916f2243db..bf4757ff6c3b 100644 --- a/sdk/nodejs/keyvault/secret.ts +++ b/sdk/nodejs/keyvault/secret.ts @@ -104,7 +104,7 @@ export class Secret extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20161001:Secret" }, { type: "azure-native:keyvault/v20180214:Secret" }, { type: "azure-native:keyvault/v20180214preview:Secret" }, { type: "azure-native:keyvault/v20190901:Secret" }, { type: "azure-native:keyvault/v20200401preview:Secret" }, { type: "azure-native:keyvault/v20210401preview:Secret" }, { type: "azure-native:keyvault/v20210601preview:Secret" }, { type: "azure-native:keyvault/v20211001:Secret" }, { type: "azure-native:keyvault/v20211101preview:Secret" }, { type: "azure-native:keyvault/v20220201preview:Secret" }, { type: "azure-native:keyvault/v20220701:Secret" }, { type: "azure-native:keyvault/v20221101:Secret" }, { type: "azure-native:keyvault/v20230201:Secret" }, { type: "azure-native:keyvault/v20230701:Secret" }, { type: "azure-native:keyvault/v20240401preview:Secret" }, { type: "azure-native:keyvault/v20241101:Secret" }, { type: "azure-native:keyvault/v20241201preview:Secret" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20230201:Secret" }, { type: "azure-native:keyvault/v20230701:Secret" }, { type: "azure-native:keyvault/v20240401preview:Secret" }, { type: "azure-native:keyvault/v20241101:Secret" }, { type: "azure-native:keyvault/v20241201preview:Secret" }, { type: "azure-native_keyvault_v20161001:keyvault:Secret" }, { type: "azure-native_keyvault_v20180214:keyvault:Secret" }, { type: "azure-native_keyvault_v20180214preview:keyvault:Secret" }, { type: "azure-native_keyvault_v20190901:keyvault:Secret" }, { type: "azure-native_keyvault_v20200401preview:keyvault:Secret" }, { type: "azure-native_keyvault_v20210401preview:keyvault:Secret" }, { type: "azure-native_keyvault_v20210601preview:keyvault:Secret" }, { type: "azure-native_keyvault_v20211001:keyvault:Secret" }, { type: "azure-native_keyvault_v20211101preview:keyvault:Secret" }, { type: "azure-native_keyvault_v20220201preview:keyvault:Secret" }, { type: "azure-native_keyvault_v20220701:keyvault:Secret" }, { type: "azure-native_keyvault_v20221101:keyvault:Secret" }, { type: "azure-native_keyvault_v20230201:keyvault:Secret" }, { type: "azure-native_keyvault_v20230701:keyvault:Secret" }, { type: "azure-native_keyvault_v20240401preview:keyvault:Secret" }, { type: "azure-native_keyvault_v20241101:keyvault:Secret" }, { type: "azure-native_keyvault_v20241201preview:keyvault:Secret" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Secret.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/keyvault/vault.ts b/sdk/nodejs/keyvault/vault.ts index dd04703bba5e..73d1584d1a58 100644 --- a/sdk/nodejs/keyvault/vault.ts +++ b/sdk/nodejs/keyvault/vault.ts @@ -106,7 +106,7 @@ export class Vault extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20150601:Vault" }, { type: "azure-native:keyvault/v20161001:Vault" }, { type: "azure-native:keyvault/v20180214:Vault" }, { type: "azure-native:keyvault/v20180214preview:Vault" }, { type: "azure-native:keyvault/v20190901:Vault" }, { type: "azure-native:keyvault/v20200401preview:Vault" }, { type: "azure-native:keyvault/v20210401preview:Vault" }, { type: "azure-native:keyvault/v20210601preview:Vault" }, { type: "azure-native:keyvault/v20211001:Vault" }, { type: "azure-native:keyvault/v20211101preview:Vault" }, { type: "azure-native:keyvault/v20220201preview:Vault" }, { type: "azure-native:keyvault/v20220701:Vault" }, { type: "azure-native:keyvault/v20221101:Vault" }, { type: "azure-native:keyvault/v20230201:Vault" }, { type: "azure-native:keyvault/v20230701:Vault" }, { type: "azure-native:keyvault/v20240401preview:Vault" }, { type: "azure-native:keyvault/v20241101:Vault" }, { type: "azure-native:keyvault/v20241201preview:Vault" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:keyvault/v20230201:Vault" }, { type: "azure-native:keyvault/v20230701:Vault" }, { type: "azure-native:keyvault/v20240401preview:Vault" }, { type: "azure-native:keyvault/v20241101:Vault" }, { type: "azure-native:keyvault/v20241201preview:Vault" }, { type: "azure-native_keyvault_v20150601:keyvault:Vault" }, { type: "azure-native_keyvault_v20161001:keyvault:Vault" }, { type: "azure-native_keyvault_v20180214:keyvault:Vault" }, { type: "azure-native_keyvault_v20180214preview:keyvault:Vault" }, { type: "azure-native_keyvault_v20190901:keyvault:Vault" }, { type: "azure-native_keyvault_v20200401preview:keyvault:Vault" }, { type: "azure-native_keyvault_v20210401preview:keyvault:Vault" }, { type: "azure-native_keyvault_v20210601preview:keyvault:Vault" }, { type: "azure-native_keyvault_v20211001:keyvault:Vault" }, { type: "azure-native_keyvault_v20211101preview:keyvault:Vault" }, { type: "azure-native_keyvault_v20220201preview:keyvault:Vault" }, { type: "azure-native_keyvault_v20220701:keyvault:Vault" }, { type: "azure-native_keyvault_v20221101:keyvault:Vault" }, { type: "azure-native_keyvault_v20230201:keyvault:Vault" }, { type: "azure-native_keyvault_v20230701:keyvault:Vault" }, { type: "azure-native_keyvault_v20240401preview:keyvault:Vault" }, { type: "azure-native_keyvault_v20241101:keyvault:Vault" }, { type: "azure-native_keyvault_v20241201preview:keyvault:Vault" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Vault.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kubernetes/connectedCluster.ts b/sdk/nodejs/kubernetes/connectedCluster.ts index 0534ae8d3d81..b6174f5ce687 100644 --- a/sdk/nodejs/kubernetes/connectedCluster.ts +++ b/sdk/nodejs/kubernetes/connectedCluster.ts @@ -229,7 +229,7 @@ export class ConnectedCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kubernetes/v20200101preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20210301:ConnectedCluster" }, { type: "azure-native:kubernetes/v20210401preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20211001:ConnectedCluster" }, { type: "azure-native:kubernetes/v20220501preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20221001preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20231101preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20240101:ConnectedCluster" }, { type: "azure-native:kubernetes/v20240201preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20240601preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20240701preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20240715preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20241201preview:ConnectedCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kubernetes/v20220501preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20221001preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20231101preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20240101:ConnectedCluster" }, { type: "azure-native:kubernetes/v20240201preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20240601preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20240701preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20240715preview:ConnectedCluster" }, { type: "azure-native:kubernetes/v20241201preview:ConnectedCluster" }, { type: "azure-native_kubernetes_v20200101preview:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20210301:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20210401preview:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20211001:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20220501preview:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20221001preview:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20231101preview:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20240101:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20240201preview:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20240601preview:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20240701preview:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20240715preview:kubernetes:ConnectedCluster" }, { type: "azure-native_kubernetes_v20241201preview:kubernetes:ConnectedCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectedCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kubernetesconfiguration/extension.ts b/sdk/nodejs/kubernetesconfiguration/extension.ts index 95cc07f1d03f..2a7570c55c85 100644 --- a/sdk/nodejs/kubernetesconfiguration/extension.ts +++ b/sdk/nodejs/kubernetesconfiguration/extension.ts @@ -199,7 +199,7 @@ export class Extension extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kubernetesconfiguration/v20200701preview:Extension" }, { type: "azure-native:kubernetesconfiguration/v20210501preview:Extension" }, { type: "azure-native:kubernetesconfiguration/v20210901:Extension" }, { type: "azure-native:kubernetesconfiguration/v20211101preview:Extension" }, { type: "azure-native:kubernetesconfiguration/v20220101preview:Extension" }, { type: "azure-native:kubernetesconfiguration/v20220301:Extension" }, { type: "azure-native:kubernetesconfiguration/v20220402preview:Extension" }, { type: "azure-native:kubernetesconfiguration/v20220701:Extension" }, { type: "azure-native:kubernetesconfiguration/v20221101:Extension" }, { type: "azure-native:kubernetesconfiguration/v20230501:Extension" }, { type: "azure-native:kubernetesconfiguration/v20241101:Extension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kubernetesconfiguration/v20200701preview:Extension" }, { type: "azure-native:kubernetesconfiguration/v20220402preview:Extension" }, { type: "azure-native:kubernetesconfiguration/v20220701:Extension" }, { type: "azure-native:kubernetesconfiguration/v20230501:Extension" }, { type: "azure-native_kubernetesconfiguration_v20200701preview:kubernetesconfiguration:Extension" }, { type: "azure-native_kubernetesconfiguration_v20210501preview:kubernetesconfiguration:Extension" }, { type: "azure-native_kubernetesconfiguration_v20210901:kubernetesconfiguration:Extension" }, { type: "azure-native_kubernetesconfiguration_v20211101preview:kubernetesconfiguration:Extension" }, { type: "azure-native_kubernetesconfiguration_v20220101preview:kubernetesconfiguration:Extension" }, { type: "azure-native_kubernetesconfiguration_v20220301:kubernetesconfiguration:Extension" }, { type: "azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:Extension" }, { type: "azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:Extension" }, { type: "azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:Extension" }, { type: "azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:Extension" }, { type: "azure-native_kubernetesconfiguration_v20241101:kubernetesconfiguration:Extension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Extension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kubernetesconfiguration/fluxConfiguration.ts b/sdk/nodejs/kubernetesconfiguration/fluxConfiguration.ts index 2d7d40eddbf1..83a1a0f5c197 100644 --- a/sdk/nodejs/kubernetesconfiguration/fluxConfiguration.ts +++ b/sdk/nodejs/kubernetesconfiguration/fluxConfiguration.ts @@ -211,7 +211,7 @@ export class FluxConfiguration extends pulumi.CustomResource { resourceInputs["waitForReconciliation"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kubernetesconfiguration/v20211101preview:FluxConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20220101preview:FluxConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20220301:FluxConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20220701:FluxConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20221101:FluxConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20230501:FluxConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20240401preview:FluxConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20241101:FluxConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kubernetesconfiguration/v20211101preview:FluxConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20220101preview:FluxConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20230501:FluxConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20240401preview:FluxConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20211101preview:kubernetesconfiguration:FluxConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20220101preview:kubernetesconfiguration:FluxConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20220301:kubernetesconfiguration:FluxConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:FluxConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:FluxConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:FluxConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20240401preview:kubernetesconfiguration:FluxConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20241101:kubernetesconfiguration:FluxConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FluxConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kubernetesconfiguration/privateEndpointConnection.ts b/sdk/nodejs/kubernetesconfiguration/privateEndpointConnection.ts index 39cf9ced7872..a13d12008804 100644 --- a/sdk/nodejs/kubernetesconfiguration/privateEndpointConnection.ts +++ b/sdk/nodejs/kubernetesconfiguration/privateEndpointConnection.ts @@ -110,7 +110,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kubernetesconfiguration/v20220402preview:PrivateEndpointConnection" }, { type: "azure-native:kubernetesconfiguration/v20241101preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kubernetesconfiguration/v20220402preview:PrivateEndpointConnection" }, { type: "azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:PrivateEndpointConnection" }, { type: "azure-native_kubernetesconfiguration_v20241101preview:kubernetesconfiguration:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kubernetesconfiguration/privateLinkScope.ts b/sdk/nodejs/kubernetesconfiguration/privateLinkScope.ts index afc811806193..04b8e5ce9dd5 100644 --- a/sdk/nodejs/kubernetesconfiguration/privateLinkScope.ts +++ b/sdk/nodejs/kubernetesconfiguration/privateLinkScope.ts @@ -103,7 +103,7 @@ export class PrivateLinkScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kubernetesconfiguration/v20220402preview:PrivateLinkScope" }, { type: "azure-native:kubernetesconfiguration/v20241101preview:PrivateLinkScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kubernetesconfiguration/v20220402preview:PrivateLinkScope" }, { type: "azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:PrivateLinkScope" }, { type: "azure-native_kubernetesconfiguration_v20241101preview:kubernetesconfiguration:PrivateLinkScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kubernetesconfiguration/sourceControlConfiguration.ts b/sdk/nodejs/kubernetesconfiguration/sourceControlConfiguration.ts index 4003fbdff239..e0ab53fefcac 100644 --- a/sdk/nodejs/kubernetesconfiguration/sourceControlConfiguration.ts +++ b/sdk/nodejs/kubernetesconfiguration/sourceControlConfiguration.ts @@ -175,7 +175,7 @@ export class SourceControlConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kubernetesconfiguration/v20191101preview:SourceControlConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20200701preview:SourceControlConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20201001preview:SourceControlConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20210301:SourceControlConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20210501preview:SourceControlConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20211101preview:SourceControlConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20220101preview:SourceControlConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20220301:SourceControlConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20220701:SourceControlConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20221101:SourceControlConfiguration" }, { type: "azure-native:kubernetesconfiguration/v20230501:SourceControlConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kubernetesconfiguration/v20230501:SourceControlConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20191101preview:kubernetesconfiguration:SourceControlConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20200701preview:kubernetesconfiguration:SourceControlConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20201001preview:kubernetesconfiguration:SourceControlConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20210301:kubernetesconfiguration:SourceControlConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20210501preview:kubernetesconfiguration:SourceControlConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20211101preview:kubernetesconfiguration:SourceControlConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20220101preview:kubernetesconfiguration:SourceControlConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20220301:kubernetesconfiguration:SourceControlConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:SourceControlConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:SourceControlConfiguration" }, { type: "azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:SourceControlConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SourceControlConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kubernetesruntime/bgpPeer.ts b/sdk/nodejs/kubernetesruntime/bgpPeer.ts index b92fbf05a762..e4c764029673 100644 --- a/sdk/nodejs/kubernetesruntime/bgpPeer.ts +++ b/sdk/nodejs/kubernetesruntime/bgpPeer.ts @@ -116,7 +116,7 @@ export class BgpPeer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kubernetesruntime/v20231001preview:BgpPeer" }, { type: "azure-native:kubernetesruntime/v20240301:BgpPeer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kubernetesruntime/v20231001preview:BgpPeer" }, { type: "azure-native:kubernetesruntime/v20240301:BgpPeer" }, { type: "azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:BgpPeer" }, { type: "azure-native_kubernetesruntime_v20240301:kubernetesruntime:BgpPeer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BgpPeer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kubernetesruntime/loadBalancer.ts b/sdk/nodejs/kubernetesruntime/loadBalancer.ts index 55a205789cba..c5209c3c4d39 100644 --- a/sdk/nodejs/kubernetesruntime/loadBalancer.ts +++ b/sdk/nodejs/kubernetesruntime/loadBalancer.ts @@ -119,7 +119,7 @@ export class LoadBalancer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kubernetesruntime/v20231001preview:LoadBalancer" }, { type: "azure-native:kubernetesruntime/v20240301:LoadBalancer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kubernetesruntime/v20231001preview:LoadBalancer" }, { type: "azure-native:kubernetesruntime/v20240301:LoadBalancer" }, { type: "azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:LoadBalancer" }, { type: "azure-native_kubernetesruntime_v20240301:kubernetesruntime:LoadBalancer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LoadBalancer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kubernetesruntime/service.ts b/sdk/nodejs/kubernetesruntime/service.ts index 14f7f4adbef0..bce1abcbe308 100644 --- a/sdk/nodejs/kubernetesruntime/service.ts +++ b/sdk/nodejs/kubernetesruntime/service.ts @@ -95,7 +95,7 @@ export class Service extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kubernetesruntime/v20231001preview:Service" }, { type: "azure-native:kubernetesruntime/v20240301:Service" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kubernetesruntime/v20231001preview:Service" }, { type: "azure-native:kubernetesruntime/v20240301:Service" }, { type: "azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:Service" }, { type: "azure-native_kubernetesruntime_v20240301:kubernetesruntime:Service" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Service.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kubernetesruntime/storageClass.ts b/sdk/nodejs/kubernetesruntime/storageClass.ts index dfbfa8b02f9e..61448dfe7fb0 100644 --- a/sdk/nodejs/kubernetesruntime/storageClass.ts +++ b/sdk/nodejs/kubernetesruntime/storageClass.ts @@ -158,7 +158,7 @@ export class StorageClass extends pulumi.CustomResource { resourceInputs["volumeBindingMode"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kubernetesruntime/v20231001preview:StorageClass" }, { type: "azure-native:kubernetesruntime/v20240301:StorageClass" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kubernetesruntime/v20231001preview:StorageClass" }, { type: "azure-native:kubernetesruntime/v20240301:StorageClass" }, { type: "azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:StorageClass" }, { type: "azure-native_kubernetesruntime_v20240301:kubernetesruntime:StorageClass" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageClass.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/attachedDatabaseConfiguration.ts b/sdk/nodejs/kusto/attachedDatabaseConfiguration.ts index e2ad9bf22bee..7cd86eaea6ac 100644 --- a/sdk/nodejs/kusto/attachedDatabaseConfiguration.ts +++ b/sdk/nodejs/kusto/attachedDatabaseConfiguration.ts @@ -146,7 +146,7 @@ export class AttachedDatabaseConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20190907:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20191109:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20200215:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20200614:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20200918:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20210101:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20210827:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20220201:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20220707:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20221111:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20221229:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20230502:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20230815:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20240413:AttachedDatabaseConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20221229:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20230502:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20230815:AttachedDatabaseConfiguration" }, { type: "azure-native:kusto/v20240413:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20190907:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20191109:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20200215:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20200614:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20200918:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20210101:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20210827:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20220201:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20220707:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20221111:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20221229:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20230502:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20230815:kusto:AttachedDatabaseConfiguration" }, { type: "azure-native_kusto_v20240413:kusto:AttachedDatabaseConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AttachedDatabaseConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/cluster.ts b/sdk/nodejs/kusto/cluster.ts index 38d26741df38..2fa27f6de96d 100644 --- a/sdk/nodejs/kusto/cluster.ts +++ b/sdk/nodejs/kusto/cluster.ts @@ -281,7 +281,7 @@ export class Cluster extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20170907privatepreview:Cluster" }, { type: "azure-native:kusto/v20180907preview:Cluster" }, { type: "azure-native:kusto/v20190121:Cluster" }, { type: "azure-native:kusto/v20190515:Cluster" }, { type: "azure-native:kusto/v20190907:Cluster" }, { type: "azure-native:kusto/v20191109:Cluster" }, { type: "azure-native:kusto/v20200215:Cluster" }, { type: "azure-native:kusto/v20200614:Cluster" }, { type: "azure-native:kusto/v20200918:Cluster" }, { type: "azure-native:kusto/v20210101:Cluster" }, { type: "azure-native:kusto/v20210827:Cluster" }, { type: "azure-native:kusto/v20220201:Cluster" }, { type: "azure-native:kusto/v20220707:Cluster" }, { type: "azure-native:kusto/v20221111:Cluster" }, { type: "azure-native:kusto/v20221229:Cluster" }, { type: "azure-native:kusto/v20230502:Cluster" }, { type: "azure-native:kusto/v20230815:Cluster" }, { type: "azure-native:kusto/v20240413:Cluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20220707:Cluster" }, { type: "azure-native:kusto/v20221229:Cluster" }, { type: "azure-native:kusto/v20230502:Cluster" }, { type: "azure-native:kusto/v20230815:Cluster" }, { type: "azure-native:kusto/v20240413:Cluster" }, { type: "azure-native_kusto_v20170907privatepreview:kusto:Cluster" }, { type: "azure-native_kusto_v20180907preview:kusto:Cluster" }, { type: "azure-native_kusto_v20190121:kusto:Cluster" }, { type: "azure-native_kusto_v20190515:kusto:Cluster" }, { type: "azure-native_kusto_v20190907:kusto:Cluster" }, { type: "azure-native_kusto_v20191109:kusto:Cluster" }, { type: "azure-native_kusto_v20200215:kusto:Cluster" }, { type: "azure-native_kusto_v20200614:kusto:Cluster" }, { type: "azure-native_kusto_v20200918:kusto:Cluster" }, { type: "azure-native_kusto_v20210101:kusto:Cluster" }, { type: "azure-native_kusto_v20210827:kusto:Cluster" }, { type: "azure-native_kusto_v20220201:kusto:Cluster" }, { type: "azure-native_kusto_v20220707:kusto:Cluster" }, { type: "azure-native_kusto_v20221111:kusto:Cluster" }, { type: "azure-native_kusto_v20221229:kusto:Cluster" }, { type: "azure-native_kusto_v20230502:kusto:Cluster" }, { type: "azure-native_kusto_v20230815:kusto:Cluster" }, { type: "azure-native_kusto_v20240413:kusto:Cluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/clusterPrincipalAssignment.ts b/sdk/nodejs/kusto/clusterPrincipalAssignment.ts index 5023ed356474..10e92f1da555 100644 --- a/sdk/nodejs/kusto/clusterPrincipalAssignment.ts +++ b/sdk/nodejs/kusto/clusterPrincipalAssignment.ts @@ -140,7 +140,7 @@ export class ClusterPrincipalAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20191109:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20200215:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20200614:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20200918:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20210101:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20210827:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20220201:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20220707:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20221111:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20221229:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20230502:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20230815:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20240413:ClusterPrincipalAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20221229:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20230502:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20230815:ClusterPrincipalAssignment" }, { type: "azure-native:kusto/v20240413:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20191109:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20200215:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20200614:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20200918:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20210101:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20210827:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20220201:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20220707:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20221111:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20221229:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20230502:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20230815:kusto:ClusterPrincipalAssignment" }, { type: "azure-native_kusto_v20240413:kusto:ClusterPrincipalAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ClusterPrincipalAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/cosmosDbDataConnection.ts b/sdk/nodejs/kusto/cosmosDbDataConnection.ts index ddb33890097c..a5845d398cc7 100644 --- a/sdk/nodejs/kusto/cosmosDbDataConnection.ts +++ b/sdk/nodejs/kusto/cosmosDbDataConnection.ts @@ -167,7 +167,7 @@ export class CosmosDbDataConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20190121:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20190515:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20190907:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20191109:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20200215:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20200215:EventGridDataConnection" }, { type: "azure-native:kusto/v20200614:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20200918:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20210101:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20210827:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20220201:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20220707:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20221111:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20221229:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20221229:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:EventHubDataConnection" }, { type: "azure-native:kusto/v20221229:IotHubDataConnection" }, { type: "azure-native:kusto/v20230502:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230502:EventGridDataConnection" }, { type: "azure-native:kusto/v20230502:EventHubDataConnection" }, { type: "azure-native:kusto/v20230502:IotHubDataConnection" }, { type: "azure-native:kusto/v20230815:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230815:EventGridDataConnection" }, { type: "azure-native:kusto/v20230815:EventHubDataConnection" }, { type: "azure-native:kusto/v20230815:IotHubDataConnection" }, { type: "azure-native:kusto/v20240413:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20240413:EventGridDataConnection" }, { type: "azure-native:kusto/v20240413:EventHubDataConnection" }, { type: "azure-native:kusto/v20240413:IotHubDataConnection" }, { type: "azure-native:kusto:EventGridDataConnection" }, { type: "azure-native:kusto:EventHubDataConnection" }, { type: "azure-native:kusto:IotHubDataConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20200215:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20221229:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:EventHubDataConnection" }, { type: "azure-native:kusto/v20221229:IotHubDataConnection" }, { type: "azure-native:kusto/v20230502:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230502:EventGridDataConnection" }, { type: "azure-native:kusto/v20230502:EventHubDataConnection" }, { type: "azure-native:kusto/v20230502:IotHubDataConnection" }, { type: "azure-native:kusto/v20230815:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230815:EventGridDataConnection" }, { type: "azure-native:kusto/v20230815:EventHubDataConnection" }, { type: "azure-native:kusto/v20230815:IotHubDataConnection" }, { type: "azure-native:kusto/v20240413:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20240413:EventGridDataConnection" }, { type: "azure-native:kusto/v20240413:EventHubDataConnection" }, { type: "azure-native:kusto/v20240413:IotHubDataConnection" }, { type: "azure-native:kusto:EventGridDataConnection" }, { type: "azure-native:kusto:EventHubDataConnection" }, { type: "azure-native:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20190121:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20190515:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20190907:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20191109:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20200215:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20200614:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20200918:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20210101:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20210827:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20220201:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20220707:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20221111:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20221229:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20230502:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20230815:kusto:CosmosDbDataConnection" }, { type: "azure-native_kusto_v20240413:kusto:CosmosDbDataConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CosmosDbDataConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/databasePrincipalAssignment.ts b/sdk/nodejs/kusto/databasePrincipalAssignment.ts index 67f9394d7dc8..b0e60554c64d 100644 --- a/sdk/nodejs/kusto/databasePrincipalAssignment.ts +++ b/sdk/nodejs/kusto/databasePrincipalAssignment.ts @@ -144,7 +144,7 @@ export class DatabasePrincipalAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20191109:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20200215:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20200614:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20200918:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20210101:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20210827:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20220201:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20220707:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20221111:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20221229:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20230502:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20230815:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20240413:DatabasePrincipalAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20221229:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20230502:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20230815:DatabasePrincipalAssignment" }, { type: "azure-native:kusto/v20240413:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20191109:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20200215:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20200614:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20200918:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20210101:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20210827:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20220201:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20220707:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20221111:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20221229:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20230502:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20230815:kusto:DatabasePrincipalAssignment" }, { type: "azure-native_kusto_v20240413:kusto:DatabasePrincipalAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabasePrincipalAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/eventGridDataConnection.ts b/sdk/nodejs/kusto/eventGridDataConnection.ts index 841275214428..d5dc3b0d2431 100644 --- a/sdk/nodejs/kusto/eventGridDataConnection.ts +++ b/sdk/nodejs/kusto/eventGridDataConnection.ts @@ -188,7 +188,7 @@ export class EventGridDataConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20190121:EventGridDataConnection" }, { type: "azure-native:kusto/v20190515:EventGridDataConnection" }, { type: "azure-native:kusto/v20190907:EventGridDataConnection" }, { type: "azure-native:kusto/v20191109:EventGridDataConnection" }, { type: "azure-native:kusto/v20200215:EventGridDataConnection" }, { type: "azure-native:kusto/v20200614:EventGridDataConnection" }, { type: "azure-native:kusto/v20200918:EventGridDataConnection" }, { type: "azure-native:kusto/v20210101:EventGridDataConnection" }, { type: "azure-native:kusto/v20210827:EventGridDataConnection" }, { type: "azure-native:kusto/v20220201:EventGridDataConnection" }, { type: "azure-native:kusto/v20220707:EventGridDataConnection" }, { type: "azure-native:kusto/v20221111:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20221229:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:EventHubDataConnection" }, { type: "azure-native:kusto/v20221229:IotHubDataConnection" }, { type: "azure-native:kusto/v20230502:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230502:EventGridDataConnection" }, { type: "azure-native:kusto/v20230502:EventHubDataConnection" }, { type: "azure-native:kusto/v20230502:IotHubDataConnection" }, { type: "azure-native:kusto/v20230815:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230815:EventGridDataConnection" }, { type: "azure-native:kusto/v20230815:EventHubDataConnection" }, { type: "azure-native:kusto/v20230815:IotHubDataConnection" }, { type: "azure-native:kusto/v20240413:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20240413:EventGridDataConnection" }, { type: "azure-native:kusto/v20240413:EventHubDataConnection" }, { type: "azure-native:kusto/v20240413:IotHubDataConnection" }, { type: "azure-native:kusto:CosmosDbDataConnection" }, { type: "azure-native:kusto:EventHubDataConnection" }, { type: "azure-native:kusto:IotHubDataConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20200215:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20221229:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:EventHubDataConnection" }, { type: "azure-native:kusto/v20221229:IotHubDataConnection" }, { type: "azure-native:kusto/v20230502:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230502:EventGridDataConnection" }, { type: "azure-native:kusto/v20230502:EventHubDataConnection" }, { type: "azure-native:kusto/v20230502:IotHubDataConnection" }, { type: "azure-native:kusto/v20230815:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230815:EventGridDataConnection" }, { type: "azure-native:kusto/v20230815:EventHubDataConnection" }, { type: "azure-native:kusto/v20230815:IotHubDataConnection" }, { type: "azure-native:kusto/v20240413:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20240413:EventGridDataConnection" }, { type: "azure-native:kusto/v20240413:EventHubDataConnection" }, { type: "azure-native:kusto/v20240413:IotHubDataConnection" }, { type: "azure-native:kusto:CosmosDbDataConnection" }, { type: "azure-native:kusto:EventHubDataConnection" }, { type: "azure-native:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20190121:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20190515:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20190907:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20191109:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20200215:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20200614:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20200918:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20210101:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20210827:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20220201:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20220707:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20221111:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20221229:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20230502:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20230815:kusto:EventGridDataConnection" }, { type: "azure-native_kusto_v20240413:kusto:EventGridDataConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EventGridDataConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/eventHubConnection.ts b/sdk/nodejs/kusto/eventHubConnection.ts index d71b839440fc..0133f4cb66c2 100644 --- a/sdk/nodejs/kusto/eventHubConnection.ts +++ b/sdk/nodejs/kusto/eventHubConnection.ts @@ -127,7 +127,7 @@ export class EventHubConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20170907privatepreview:EventHubConnection" }, { type: "azure-native:kusto/v20180907preview:EventHubConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20180907preview:EventHubConnection" }, { type: "azure-native_kusto_v20170907privatepreview:kusto:EventHubConnection" }, { type: "azure-native_kusto_v20180907preview:kusto:EventHubConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EventHubConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/eventHubDataConnection.ts b/sdk/nodejs/kusto/eventHubDataConnection.ts index 300efc533cd9..c2fe6464962c 100644 --- a/sdk/nodejs/kusto/eventHubDataConnection.ts +++ b/sdk/nodejs/kusto/eventHubDataConnection.ts @@ -179,7 +179,7 @@ export class EventHubDataConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20190121:EventHubDataConnection" }, { type: "azure-native:kusto/v20190515:EventHubDataConnection" }, { type: "azure-native:kusto/v20190907:EventHubDataConnection" }, { type: "azure-native:kusto/v20191109:EventHubDataConnection" }, { type: "azure-native:kusto/v20200215:EventGridDataConnection" }, { type: "azure-native:kusto/v20200215:EventHubDataConnection" }, { type: "azure-native:kusto/v20200614:EventHubDataConnection" }, { type: "azure-native:kusto/v20200918:EventHubDataConnection" }, { type: "azure-native:kusto/v20210101:EventHubDataConnection" }, { type: "azure-native:kusto/v20210827:EventHubDataConnection" }, { type: "azure-native:kusto/v20220201:EventHubDataConnection" }, { type: "azure-native:kusto/v20220707:EventHubDataConnection" }, { type: "azure-native:kusto/v20221111:EventHubDataConnection" }, { type: "azure-native:kusto/v20221229:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20221229:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:EventHubDataConnection" }, { type: "azure-native:kusto/v20221229:IotHubDataConnection" }, { type: "azure-native:kusto/v20230502:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230502:EventGridDataConnection" }, { type: "azure-native:kusto/v20230502:EventHubDataConnection" }, { type: "azure-native:kusto/v20230502:IotHubDataConnection" }, { type: "azure-native:kusto/v20230815:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230815:EventGridDataConnection" }, { type: "azure-native:kusto/v20230815:EventHubDataConnection" }, { type: "azure-native:kusto/v20230815:IotHubDataConnection" }, { type: "azure-native:kusto/v20240413:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20240413:EventGridDataConnection" }, { type: "azure-native:kusto/v20240413:EventHubDataConnection" }, { type: "azure-native:kusto/v20240413:IotHubDataConnection" }, { type: "azure-native:kusto:CosmosDbDataConnection" }, { type: "azure-native:kusto:EventGridDataConnection" }, { type: "azure-native:kusto:IotHubDataConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20200215:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20221229:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:EventHubDataConnection" }, { type: "azure-native:kusto/v20221229:IotHubDataConnection" }, { type: "azure-native:kusto/v20230502:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230502:EventGridDataConnection" }, { type: "azure-native:kusto/v20230502:EventHubDataConnection" }, { type: "azure-native:kusto/v20230502:IotHubDataConnection" }, { type: "azure-native:kusto/v20230815:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230815:EventGridDataConnection" }, { type: "azure-native:kusto/v20230815:EventHubDataConnection" }, { type: "azure-native:kusto/v20230815:IotHubDataConnection" }, { type: "azure-native:kusto/v20240413:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20240413:EventGridDataConnection" }, { type: "azure-native:kusto/v20240413:EventHubDataConnection" }, { type: "azure-native:kusto/v20240413:IotHubDataConnection" }, { type: "azure-native:kusto:CosmosDbDataConnection" }, { type: "azure-native:kusto:EventGridDataConnection" }, { type: "azure-native:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20190121:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20190515:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20190907:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20191109:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20200215:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20200614:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20200918:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20210101:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20210827:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20220201:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20220707:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20221111:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20221229:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20230502:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20230815:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20240413:kusto:EventHubDataConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EventHubDataConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/iotHubDataConnection.ts b/sdk/nodejs/kusto/iotHubDataConnection.ts index 144da398b747..fb44b34c8366 100644 --- a/sdk/nodejs/kusto/iotHubDataConnection.ts +++ b/sdk/nodejs/kusto/iotHubDataConnection.ts @@ -170,7 +170,7 @@ export class IotHubDataConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20190121:IotHubDataConnection" }, { type: "azure-native:kusto/v20190515:IotHubDataConnection" }, { type: "azure-native:kusto/v20190907:IotHubDataConnection" }, { type: "azure-native:kusto/v20191109:IotHubDataConnection" }, { type: "azure-native:kusto/v20200215:EventGridDataConnection" }, { type: "azure-native:kusto/v20200215:IotHubDataConnection" }, { type: "azure-native:kusto/v20200614:IotHubDataConnection" }, { type: "azure-native:kusto/v20200918:IotHubDataConnection" }, { type: "azure-native:kusto/v20210101:IotHubDataConnection" }, { type: "azure-native:kusto/v20210827:IotHubDataConnection" }, { type: "azure-native:kusto/v20220201:IotHubDataConnection" }, { type: "azure-native:kusto/v20220707:IotHubDataConnection" }, { type: "azure-native:kusto/v20221111:IotHubDataConnection" }, { type: "azure-native:kusto/v20221229:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20221229:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:EventHubDataConnection" }, { type: "azure-native:kusto/v20221229:IotHubDataConnection" }, { type: "azure-native:kusto/v20230502:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230502:EventGridDataConnection" }, { type: "azure-native:kusto/v20230502:EventHubDataConnection" }, { type: "azure-native:kusto/v20230502:IotHubDataConnection" }, { type: "azure-native:kusto/v20230815:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230815:EventGridDataConnection" }, { type: "azure-native:kusto/v20230815:EventHubDataConnection" }, { type: "azure-native:kusto/v20230815:IotHubDataConnection" }, { type: "azure-native:kusto/v20240413:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20240413:EventGridDataConnection" }, { type: "azure-native:kusto/v20240413:EventHubDataConnection" }, { type: "azure-native:kusto/v20240413:IotHubDataConnection" }, { type: "azure-native:kusto:CosmosDbDataConnection" }, { type: "azure-native:kusto:EventGridDataConnection" }, { type: "azure-native:kusto:EventHubDataConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20200215:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20221229:EventGridDataConnection" }, { type: "azure-native:kusto/v20221229:EventHubDataConnection" }, { type: "azure-native:kusto/v20221229:IotHubDataConnection" }, { type: "azure-native:kusto/v20230502:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230502:EventGridDataConnection" }, { type: "azure-native:kusto/v20230502:EventHubDataConnection" }, { type: "azure-native:kusto/v20230502:IotHubDataConnection" }, { type: "azure-native:kusto/v20230815:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20230815:EventGridDataConnection" }, { type: "azure-native:kusto/v20230815:EventHubDataConnection" }, { type: "azure-native:kusto/v20230815:IotHubDataConnection" }, { type: "azure-native:kusto/v20240413:CosmosDbDataConnection" }, { type: "azure-native:kusto/v20240413:EventGridDataConnection" }, { type: "azure-native:kusto/v20240413:EventHubDataConnection" }, { type: "azure-native:kusto/v20240413:IotHubDataConnection" }, { type: "azure-native:kusto:CosmosDbDataConnection" }, { type: "azure-native:kusto:EventGridDataConnection" }, { type: "azure-native:kusto:EventHubDataConnection" }, { type: "azure-native_kusto_v20190121:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20190515:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20190907:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20191109:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20200215:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20200614:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20200918:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20210101:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20210827:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20220201:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20220707:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20221111:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20221229:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20230502:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20230815:kusto:IotHubDataConnection" }, { type: "azure-native_kusto_v20240413:kusto:IotHubDataConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IotHubDataConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/managedPrivateEndpoint.ts b/sdk/nodejs/kusto/managedPrivateEndpoint.ts index f0c28921b17a..dda18e0eaef7 100644 --- a/sdk/nodejs/kusto/managedPrivateEndpoint.ts +++ b/sdk/nodejs/kusto/managedPrivateEndpoint.ts @@ -125,7 +125,7 @@ export class ManagedPrivateEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20210827:ManagedPrivateEndpoint" }, { type: "azure-native:kusto/v20220201:ManagedPrivateEndpoint" }, { type: "azure-native:kusto/v20220707:ManagedPrivateEndpoint" }, { type: "azure-native:kusto/v20221111:ManagedPrivateEndpoint" }, { type: "azure-native:kusto/v20221229:ManagedPrivateEndpoint" }, { type: "azure-native:kusto/v20230502:ManagedPrivateEndpoint" }, { type: "azure-native:kusto/v20230815:ManagedPrivateEndpoint" }, { type: "azure-native:kusto/v20240413:ManagedPrivateEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20221229:ManagedPrivateEndpoint" }, { type: "azure-native:kusto/v20230502:ManagedPrivateEndpoint" }, { type: "azure-native:kusto/v20230815:ManagedPrivateEndpoint" }, { type: "azure-native:kusto/v20240413:ManagedPrivateEndpoint" }, { type: "azure-native_kusto_v20210827:kusto:ManagedPrivateEndpoint" }, { type: "azure-native_kusto_v20220201:kusto:ManagedPrivateEndpoint" }, { type: "azure-native_kusto_v20220707:kusto:ManagedPrivateEndpoint" }, { type: "azure-native_kusto_v20221111:kusto:ManagedPrivateEndpoint" }, { type: "azure-native_kusto_v20221229:kusto:ManagedPrivateEndpoint" }, { type: "azure-native_kusto_v20230502:kusto:ManagedPrivateEndpoint" }, { type: "azure-native_kusto_v20230815:kusto:ManagedPrivateEndpoint" }, { type: "azure-native_kusto_v20240413:kusto:ManagedPrivateEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedPrivateEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/privateEndpointConnection.ts b/sdk/nodejs/kusto/privateEndpointConnection.ts index 6d6033a6d1a0..70c34fa12b74 100644 --- a/sdk/nodejs/kusto/privateEndpointConnection.ts +++ b/sdk/nodejs/kusto/privateEndpointConnection.ts @@ -116,7 +116,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20210827:PrivateEndpointConnection" }, { type: "azure-native:kusto/v20220201:PrivateEndpointConnection" }, { type: "azure-native:kusto/v20220707:PrivateEndpointConnection" }, { type: "azure-native:kusto/v20221111:PrivateEndpointConnection" }, { type: "azure-native:kusto/v20221229:PrivateEndpointConnection" }, { type: "azure-native:kusto/v20230502:PrivateEndpointConnection" }, { type: "azure-native:kusto/v20230815:PrivateEndpointConnection" }, { type: "azure-native:kusto/v20240413:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20221229:PrivateEndpointConnection" }, { type: "azure-native:kusto/v20230502:PrivateEndpointConnection" }, { type: "azure-native:kusto/v20230815:PrivateEndpointConnection" }, { type: "azure-native:kusto/v20240413:PrivateEndpointConnection" }, { type: "azure-native_kusto_v20210827:kusto:PrivateEndpointConnection" }, { type: "azure-native_kusto_v20220201:kusto:PrivateEndpointConnection" }, { type: "azure-native_kusto_v20220707:kusto:PrivateEndpointConnection" }, { type: "azure-native_kusto_v20221111:kusto:PrivateEndpointConnection" }, { type: "azure-native_kusto_v20221229:kusto:PrivateEndpointConnection" }, { type: "azure-native_kusto_v20230502:kusto:PrivateEndpointConnection" }, { type: "azure-native_kusto_v20230815:kusto:PrivateEndpointConnection" }, { type: "azure-native_kusto_v20240413:kusto:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/readOnlyFollowingDatabase.ts b/sdk/nodejs/kusto/readOnlyFollowingDatabase.ts index 970f0be9db84..94abf43def0d 100644 --- a/sdk/nodejs/kusto/readOnlyFollowingDatabase.ts +++ b/sdk/nodejs/kusto/readOnlyFollowingDatabase.ts @@ -164,7 +164,7 @@ export class ReadOnlyFollowingDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20170907privatepreview:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20180907preview:Database" }, { type: "azure-native:kusto/v20180907preview:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20190121:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20190515:Database" }, { type: "azure-native:kusto/v20190515:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20190907:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20190907:ReadWriteDatabase" }, { type: "azure-native:kusto/v20191109:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20191109:ReadWriteDatabase" }, { type: "azure-native:kusto/v20200215:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20200614:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20200918:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20210101:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20210827:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20220201:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20220707:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20221111:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20221229:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20221229:ReadWriteDatabase" }, { type: "azure-native:kusto/v20230502:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20230502:ReadWriteDatabase" }, { type: "azure-native:kusto/v20230815:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20230815:ReadWriteDatabase" }, { type: "azure-native:kusto/v20240413:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20240413:ReadWriteDatabase" }, { type: "azure-native:kusto:ReadWriteDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20180907preview:Database" }, { type: "azure-native:kusto/v20190515:Database" }, { type: "azure-native:kusto/v20190907:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20190907:ReadWriteDatabase" }, { type: "azure-native:kusto/v20191109:ReadWriteDatabase" }, { type: "azure-native:kusto/v20221229:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20221229:ReadWriteDatabase" }, { type: "azure-native:kusto/v20230502:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20230502:ReadWriteDatabase" }, { type: "azure-native:kusto/v20230815:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20230815:ReadWriteDatabase" }, { type: "azure-native:kusto/v20240413:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20240413:ReadWriteDatabase" }, { type: "azure-native:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20170907privatepreview:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20180907preview:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20190121:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20190515:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20190907:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20191109:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20200215:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20200614:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20200918:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20210101:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20210827:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20220201:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20220707:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20221111:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20221229:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20230502:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20230815:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20240413:kusto:ReadOnlyFollowingDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReadOnlyFollowingDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/readWriteDatabase.ts b/sdk/nodejs/kusto/readWriteDatabase.ts index 37fb1da51ee8..321cc5c0dc31 100644 --- a/sdk/nodejs/kusto/readWriteDatabase.ts +++ b/sdk/nodejs/kusto/readWriteDatabase.ts @@ -140,7 +140,7 @@ export class ReadWriteDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20170907privatepreview:ReadWriteDatabase" }, { type: "azure-native:kusto/v20180907preview:Database" }, { type: "azure-native:kusto/v20180907preview:ReadWriteDatabase" }, { type: "azure-native:kusto/v20190121:ReadWriteDatabase" }, { type: "azure-native:kusto/v20190515:Database" }, { type: "azure-native:kusto/v20190515:ReadWriteDatabase" }, { type: "azure-native:kusto/v20190907:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20190907:ReadWriteDatabase" }, { type: "azure-native:kusto/v20191109:ReadWriteDatabase" }, { type: "azure-native:kusto/v20200215:ReadWriteDatabase" }, { type: "azure-native:kusto/v20200614:ReadWriteDatabase" }, { type: "azure-native:kusto/v20200918:ReadWriteDatabase" }, { type: "azure-native:kusto/v20210101:ReadWriteDatabase" }, { type: "azure-native:kusto/v20210827:ReadWriteDatabase" }, { type: "azure-native:kusto/v20220201:ReadWriteDatabase" }, { type: "azure-native:kusto/v20220707:ReadWriteDatabase" }, { type: "azure-native:kusto/v20221111:ReadWriteDatabase" }, { type: "azure-native:kusto/v20221229:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20221229:ReadWriteDatabase" }, { type: "azure-native:kusto/v20230502:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20230502:ReadWriteDatabase" }, { type: "azure-native:kusto/v20230815:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20230815:ReadWriteDatabase" }, { type: "azure-native:kusto/v20240413:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20240413:ReadWriteDatabase" }, { type: "azure-native:kusto:ReadOnlyFollowingDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20180907preview:Database" }, { type: "azure-native:kusto/v20190515:Database" }, { type: "azure-native:kusto/v20190907:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20190907:ReadWriteDatabase" }, { type: "azure-native:kusto/v20191109:ReadWriteDatabase" }, { type: "azure-native:kusto/v20221229:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20221229:ReadWriteDatabase" }, { type: "azure-native:kusto/v20230502:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20230502:ReadWriteDatabase" }, { type: "azure-native:kusto/v20230815:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20230815:ReadWriteDatabase" }, { type: "azure-native:kusto/v20240413:ReadOnlyFollowingDatabase" }, { type: "azure-native:kusto/v20240413:ReadWriteDatabase" }, { type: "azure-native:kusto:ReadOnlyFollowingDatabase" }, { type: "azure-native_kusto_v20170907privatepreview:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20180907preview:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20190121:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20190515:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20190907:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20191109:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20200215:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20200614:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20200918:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20210101:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20210827:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20220201:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20220707:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20221111:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20221229:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20230502:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20230815:kusto:ReadWriteDatabase" }, { type: "azure-native_kusto_v20240413:kusto:ReadWriteDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReadWriteDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/sandboxCustomImage.ts b/sdk/nodejs/kusto/sandboxCustomImage.ts index 4c50812326d7..f673128321e7 100644 --- a/sdk/nodejs/kusto/sandboxCustomImage.ts +++ b/sdk/nodejs/kusto/sandboxCustomImage.ts @@ -116,7 +116,7 @@ export class SandboxCustomImage extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20230815:SandboxCustomImage" }, { type: "azure-native:kusto/v20240413:SandboxCustomImage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20230815:SandboxCustomImage" }, { type: "azure-native:kusto/v20240413:SandboxCustomImage" }, { type: "azure-native_kusto_v20230815:kusto:SandboxCustomImage" }, { type: "azure-native_kusto_v20240413:kusto:SandboxCustomImage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SandboxCustomImage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/kusto/script.ts b/sdk/nodejs/kusto/script.ts index 923b4f442f3e..f83666ee7e11 100644 --- a/sdk/nodejs/kusto/script.ts +++ b/sdk/nodejs/kusto/script.ts @@ -131,7 +131,7 @@ export class Script extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20210101:Script" }, { type: "azure-native:kusto/v20210827:Script" }, { type: "azure-native:kusto/v20220201:Script" }, { type: "azure-native:kusto/v20220707:Script" }, { type: "azure-native:kusto/v20221111:Script" }, { type: "azure-native:kusto/v20221229:Script" }, { type: "azure-native:kusto/v20230502:Script" }, { type: "azure-native:kusto/v20230815:Script" }, { type: "azure-native:kusto/v20240413:Script" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:kusto/v20210827:Script" }, { type: "azure-native:kusto/v20221229:Script" }, { type: "azure-native:kusto/v20230502:Script" }, { type: "azure-native:kusto/v20230815:Script" }, { type: "azure-native:kusto/v20240413:Script" }, { type: "azure-native_kusto_v20210101:kusto:Script" }, { type: "azure-native_kusto_v20210827:kusto:Script" }, { type: "azure-native_kusto_v20220201:kusto:Script" }, { type: "azure-native_kusto_v20220707:kusto:Script" }, { type: "azure-native_kusto_v20221111:kusto:Script" }, { type: "azure-native_kusto_v20221229:kusto:Script" }, { type: "azure-native_kusto_v20230502:kusto:Script" }, { type: "azure-native_kusto_v20230815:kusto:Script" }, { type: "azure-native_kusto_v20240413:kusto:Script" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Script.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/labservices/lab.ts b/sdk/nodejs/labservices/lab.ts index 5857c9125794..1eaec78277b5 100644 --- a/sdk/nodejs/labservices/lab.ts +++ b/sdk/nodejs/labservices/lab.ts @@ -181,7 +181,7 @@ export class Lab extends pulumi.CustomResource { resourceInputs["virtualMachineProfile"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:labservices/v20181015:Lab" }, { type: "azure-native:labservices/v20211001preview:Lab" }, { type: "azure-native:labservices/v20211115preview:Lab" }, { type: "azure-native:labservices/v20220801:Lab" }, { type: "azure-native:labservices/v20230607:Lab" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:labservices/v20220801:Lab" }, { type: "azure-native:labservices/v20230607:Lab" }, { type: "azure-native_labservices_v20211001preview:labservices:Lab" }, { type: "azure-native_labservices_v20211115preview:labservices:Lab" }, { type: "azure-native_labservices_v20220801:labservices:Lab" }, { type: "azure-native_labservices_v20230607:labservices:Lab" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Lab.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/labservices/labPlan.ts b/sdk/nodejs/labservices/labPlan.ts index 53bd15f94a37..79cfa0550af2 100644 --- a/sdk/nodejs/labservices/labPlan.ts +++ b/sdk/nodejs/labservices/labPlan.ts @@ -157,7 +157,7 @@ export class LabPlan extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:labservices/v20211001preview:LabPlan" }, { type: "azure-native:labservices/v20211115preview:LabPlan" }, { type: "azure-native:labservices/v20220801:LabPlan" }, { type: "azure-native:labservices/v20230607:LabPlan" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:labservices/v20220801:LabPlan" }, { type: "azure-native:labservices/v20230607:LabPlan" }, { type: "azure-native_labservices_v20211001preview:labservices:LabPlan" }, { type: "azure-native_labservices_v20211115preview:labservices:LabPlan" }, { type: "azure-native_labservices_v20220801:labservices:LabPlan" }, { type: "azure-native_labservices_v20230607:labservices:LabPlan" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LabPlan.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/labservices/schedule.ts b/sdk/nodejs/labservices/schedule.ts index e3e50afc0b49..cb028b8c3811 100644 --- a/sdk/nodejs/labservices/schedule.ts +++ b/sdk/nodejs/labservices/schedule.ts @@ -137,7 +137,7 @@ export class Schedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:labservices/v20211001preview:Schedule" }, { type: "azure-native:labservices/v20211115preview:Schedule" }, { type: "azure-native:labservices/v20220801:Schedule" }, { type: "azure-native:labservices/v20230607:Schedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:labservices/v20220801:Schedule" }, { type: "azure-native:labservices/v20230607:Schedule" }, { type: "azure-native_labservices_v20211001preview:labservices:Schedule" }, { type: "azure-native_labservices_v20211115preview:labservices:Schedule" }, { type: "azure-native_labservices_v20220801:labservices:Schedule" }, { type: "azure-native_labservices_v20230607:labservices:Schedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Schedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/labservices/user.ts b/sdk/nodejs/labservices/user.ts index bd869b7215a3..3c6c8c45041b 100644 --- a/sdk/nodejs/labservices/user.ts +++ b/sdk/nodejs/labservices/user.ts @@ -146,7 +146,7 @@ export class User extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:labservices/v20181015:User" }, { type: "azure-native:labservices/v20211001preview:User" }, { type: "azure-native:labservices/v20211115preview:User" }, { type: "azure-native:labservices/v20220801:User" }, { type: "azure-native:labservices/v20230607:User" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:labservices/v20220801:User" }, { type: "azure-native:labservices/v20230607:User" }, { type: "azure-native_labservices_v20211001preview:labservices:User" }, { type: "azure-native_labservices_v20211115preview:labservices:User" }, { type: "azure-native_labservices_v20220801:labservices:User" }, { type: "azure-native_labservices_v20230607:labservices:User" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(User.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/loadtestservice/loadTest.ts b/sdk/nodejs/loadtestservice/loadTest.ts index 2ee2bb3ec3d3..b0214170be68 100644 --- a/sdk/nodejs/loadtestservice/loadTest.ts +++ b/sdk/nodejs/loadtestservice/loadTest.ts @@ -127,7 +127,7 @@ export class LoadTest extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:loadtestservice/v20211201preview:LoadTest" }, { type: "azure-native:loadtestservice/v20220415preview:LoadTest" }, { type: "azure-native:loadtestservice/v20221201:LoadTest" }, { type: "azure-native:loadtestservice/v20231201preview:LoadTest" }, { type: "azure-native:loadtestservice/v20241201preview:LoadTest" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:loadtestservice/v20211201preview:LoadTest" }, { type: "azure-native:loadtestservice/v20221201:LoadTest" }, { type: "azure-native:loadtestservice/v20231201preview:LoadTest" }, { type: "azure-native_loadtestservice_v20211201preview:loadtestservice:LoadTest" }, { type: "azure-native_loadtestservice_v20220415preview:loadtestservice:LoadTest" }, { type: "azure-native_loadtestservice_v20221201:loadtestservice:LoadTest" }, { type: "azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTest" }, { type: "azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTest" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LoadTest.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/loadtestservice/loadTestMapping.ts b/sdk/nodejs/loadtestservice/loadTestMapping.ts index 4ab6971bc41e..c687807e55e7 100644 --- a/sdk/nodejs/loadtestservice/loadTestMapping.ts +++ b/sdk/nodejs/loadtestservice/loadTestMapping.ts @@ -103,7 +103,7 @@ export class LoadTestMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:loadtestservice/v20231201preview:LoadTestMapping" }, { type: "azure-native:loadtestservice/v20241201preview:LoadTestMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:loadtestservice/v20231201preview:LoadTestMapping" }, { type: "azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTestMapping" }, { type: "azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTestMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LoadTestMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/loadtestservice/loadTestProfileMapping.ts b/sdk/nodejs/loadtestservice/loadTestProfileMapping.ts index a7166ebfaf19..26266fd5a01e 100644 --- a/sdk/nodejs/loadtestservice/loadTestProfileMapping.ts +++ b/sdk/nodejs/loadtestservice/loadTestProfileMapping.ts @@ -103,7 +103,7 @@ export class LoadTestProfileMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:loadtestservice/v20231201preview:LoadTestProfileMapping" }, { type: "azure-native:loadtestservice/v20241201preview:LoadTestProfileMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:loadtestservice/v20231201preview:LoadTestProfileMapping" }, { type: "azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTestProfileMapping" }, { type: "azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTestProfileMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LoadTestProfileMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/integrationAccount.ts b/sdk/nodejs/logic/integrationAccount.ts index 0661681a2a6b..7d8c1120b586 100644 --- a/sdk/nodejs/logic/integrationAccount.ts +++ b/sdk/nodejs/logic/integrationAccount.ts @@ -109,7 +109,7 @@ export class IntegrationAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccount" }, { type: "azure-native:logic/v20160601:IntegrationAccount" }, { type: "azure-native:logic/v20180701preview:IntegrationAccount" }, { type: "azure-native:logic/v20190501:IntegrationAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccount" }, { type: "azure-native:logic/v20190501:IntegrationAccount" }, { type: "azure-native_logic_v20150801preview:logic:IntegrationAccount" }, { type: "azure-native_logic_v20160601:logic:IntegrationAccount" }, { type: "azure-native_logic_v20180701preview:logic:IntegrationAccount" }, { type: "azure-native_logic_v20190501:logic:IntegrationAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/integrationAccountAgreement.ts b/sdk/nodejs/logic/integrationAccountAgreement.ts index 9f8f86cce8c6..7e54fc08b804 100644 --- a/sdk/nodejs/logic/integrationAccountAgreement.ts +++ b/sdk/nodejs/logic/integrationAccountAgreement.ts @@ -167,7 +167,7 @@ export class IntegrationAccountAgreement extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccountAgreement" }, { type: "azure-native:logic/v20160601:Agreement" }, { type: "azure-native:logic/v20160601:IntegrationAccountAgreement" }, { type: "azure-native:logic/v20180701preview:IntegrationAccountAgreement" }, { type: "azure-native:logic/v20190501:IntegrationAccountAgreement" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccountAgreement" }, { type: "azure-native:logic/v20160601:Agreement" }, { type: "azure-native:logic/v20190501:IntegrationAccountAgreement" }, { type: "azure-native_logic_v20150801preview:logic:IntegrationAccountAgreement" }, { type: "azure-native_logic_v20160601:logic:IntegrationAccountAgreement" }, { type: "azure-native_logic_v20180701preview:logic:IntegrationAccountAgreement" }, { type: "azure-native_logic_v20190501:logic:IntegrationAccountAgreement" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationAccountAgreement.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/integrationAccountAssembly.ts b/sdk/nodejs/logic/integrationAccountAssembly.ts index 91eff98e4e83..a8afc4a2b2f7 100644 --- a/sdk/nodejs/logic/integrationAccountAssembly.ts +++ b/sdk/nodejs/logic/integrationAccountAssembly.ts @@ -104,7 +104,7 @@ export class IntegrationAccountAssembly extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20160601:IntegrationAccountAssembly" }, { type: "azure-native:logic/v20180701preview:IntegrationAccountAssembly" }, { type: "azure-native:logic/v20190501:IntegrationAccountAssembly" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20190501:IntegrationAccountAssembly" }, { type: "azure-native_logic_v20160601:logic:IntegrationAccountAssembly" }, { type: "azure-native_logic_v20180701preview:logic:IntegrationAccountAssembly" }, { type: "azure-native_logic_v20190501:logic:IntegrationAccountAssembly" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationAccountAssembly.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/integrationAccountBatchConfiguration.ts b/sdk/nodejs/logic/integrationAccountBatchConfiguration.ts index 7c2be822d85a..504b4266d5b2 100644 --- a/sdk/nodejs/logic/integrationAccountBatchConfiguration.ts +++ b/sdk/nodejs/logic/integrationAccountBatchConfiguration.ts @@ -104,7 +104,7 @@ export class IntegrationAccountBatchConfiguration extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20160601:IntegrationAccountBatchConfiguration" }, { type: "azure-native:logic/v20180701preview:IntegrationAccountBatchConfiguration" }, { type: "azure-native:logic/v20190501:IntegrationAccountBatchConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20190501:IntegrationAccountBatchConfiguration" }, { type: "azure-native_logic_v20160601:logic:IntegrationAccountBatchConfiguration" }, { type: "azure-native_logic_v20180701preview:logic:IntegrationAccountBatchConfiguration" }, { type: "azure-native_logic_v20190501:logic:IntegrationAccountBatchConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationAccountBatchConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/integrationAccountCertificate.ts b/sdk/nodejs/logic/integrationAccountCertificate.ts index 56c45d535498..ab655867fe1f 100644 --- a/sdk/nodejs/logic/integrationAccountCertificate.ts +++ b/sdk/nodejs/logic/integrationAccountCertificate.ts @@ -125,7 +125,7 @@ export class IntegrationAccountCertificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccountCertificate" }, { type: "azure-native:logic/v20160601:Certificate" }, { type: "azure-native:logic/v20160601:IntegrationAccountCertificate" }, { type: "azure-native:logic/v20180701preview:IntegrationAccountCertificate" }, { type: "azure-native:logic/v20190501:IntegrationAccountCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccountCertificate" }, { type: "azure-native:logic/v20160601:Certificate" }, { type: "azure-native:logic/v20190501:IntegrationAccountCertificate" }, { type: "azure-native_logic_v20150801preview:logic:IntegrationAccountCertificate" }, { type: "azure-native_logic_v20160601:logic:IntegrationAccountCertificate" }, { type: "azure-native_logic_v20180701preview:logic:IntegrationAccountCertificate" }, { type: "azure-native_logic_v20190501:logic:IntegrationAccountCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationAccountCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/integrationAccountMap.ts b/sdk/nodejs/logic/integrationAccountMap.ts index c35ce1968f2b..e7fdfff3a03e 100644 --- a/sdk/nodejs/logic/integrationAccountMap.ts +++ b/sdk/nodejs/logic/integrationAccountMap.ts @@ -146,7 +146,7 @@ export class IntegrationAccountMap extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccountMap" }, { type: "azure-native:logic/v20160601:IntegrationAccountMap" }, { type: "azure-native:logic/v20160601:Map" }, { type: "azure-native:logic/v20180701preview:IntegrationAccountMap" }, { type: "azure-native:logic/v20190501:IntegrationAccountMap" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccountMap" }, { type: "azure-native:logic/v20160601:Map" }, { type: "azure-native:logic/v20190501:IntegrationAccountMap" }, { type: "azure-native_logic_v20150801preview:logic:IntegrationAccountMap" }, { type: "azure-native_logic_v20160601:logic:IntegrationAccountMap" }, { type: "azure-native_logic_v20180701preview:logic:IntegrationAccountMap" }, { type: "azure-native_logic_v20190501:logic:IntegrationAccountMap" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationAccountMap.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/integrationAccountPartner.ts b/sdk/nodejs/logic/integrationAccountPartner.ts index 0167d229a443..d68cc384b02e 100644 --- a/sdk/nodejs/logic/integrationAccountPartner.ts +++ b/sdk/nodejs/logic/integrationAccountPartner.ts @@ -131,7 +131,7 @@ export class IntegrationAccountPartner extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccountPartner" }, { type: "azure-native:logic/v20160601:IntegrationAccountPartner" }, { type: "azure-native:logic/v20160601:Partner" }, { type: "azure-native:logic/v20180701preview:IntegrationAccountPartner" }, { type: "azure-native:logic/v20190501:IntegrationAccountPartner" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccountPartner" }, { type: "azure-native:logic/v20160601:Partner" }, { type: "azure-native:logic/v20190501:IntegrationAccountPartner" }, { type: "azure-native_logic_v20150801preview:logic:IntegrationAccountPartner" }, { type: "azure-native_logic_v20160601:logic:IntegrationAccountPartner" }, { type: "azure-native_logic_v20180701preview:logic:IntegrationAccountPartner" }, { type: "azure-native_logic_v20190501:logic:IntegrationAccountPartner" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationAccountPartner.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/integrationAccountSchema.ts b/sdk/nodejs/logic/integrationAccountSchema.ts index 4017eaa5ae04..3b1de4fe94c5 100644 --- a/sdk/nodejs/logic/integrationAccountSchema.ts +++ b/sdk/nodejs/logic/integrationAccountSchema.ts @@ -158,7 +158,7 @@ export class IntegrationAccountSchema extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccountSchema" }, { type: "azure-native:logic/v20160601:IntegrationAccountSchema" }, { type: "azure-native:logic/v20160601:Schema" }, { type: "azure-native:logic/v20180701preview:IntegrationAccountSchema" }, { type: "azure-native:logic/v20190501:IntegrationAccountSchema" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150801preview:IntegrationAccountSchema" }, { type: "azure-native:logic/v20160601:Schema" }, { type: "azure-native:logic/v20190501:IntegrationAccountSchema" }, { type: "azure-native_logic_v20150801preview:logic:IntegrationAccountSchema" }, { type: "azure-native_logic_v20160601:logic:IntegrationAccountSchema" }, { type: "azure-native_logic_v20180701preview:logic:IntegrationAccountSchema" }, { type: "azure-native_logic_v20190501:logic:IntegrationAccountSchema" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationAccountSchema.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/integrationAccountSession.ts b/sdk/nodejs/logic/integrationAccountSession.ts index f8d771ac27eb..6340754725c9 100644 --- a/sdk/nodejs/logic/integrationAccountSession.ts +++ b/sdk/nodejs/logic/integrationAccountSession.ts @@ -110,7 +110,7 @@ export class IntegrationAccountSession extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20160601:IntegrationAccountSession" }, { type: "azure-native:logic/v20160601:Session" }, { type: "azure-native:logic/v20180701preview:IntegrationAccountSession" }, { type: "azure-native:logic/v20190501:IntegrationAccountSession" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20160601:Session" }, { type: "azure-native:logic/v20190501:IntegrationAccountSession" }, { type: "azure-native_logic_v20160601:logic:IntegrationAccountSession" }, { type: "azure-native_logic_v20180701preview:logic:IntegrationAccountSession" }, { type: "azure-native_logic_v20190501:logic:IntegrationAccountSession" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationAccountSession.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/integrationServiceEnvironment.ts b/sdk/nodejs/logic/integrationServiceEnvironment.ts index 918fef8494ad..f3d65db84f22 100644 --- a/sdk/nodejs/logic/integrationServiceEnvironment.ts +++ b/sdk/nodejs/logic/integrationServiceEnvironment.ts @@ -107,7 +107,7 @@ export class IntegrationServiceEnvironment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20190501:IntegrationServiceEnvironment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20190501:IntegrationServiceEnvironment" }, { type: "azure-native_logic_v20190501:logic:IntegrationServiceEnvironment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationServiceEnvironment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/integrationServiceEnvironmentManagedApi.ts b/sdk/nodejs/logic/integrationServiceEnvironmentManagedApi.ts index e05f6c4f1608..742809fae6f5 100644 --- a/sdk/nodejs/logic/integrationServiceEnvironmentManagedApi.ts +++ b/sdk/nodejs/logic/integrationServiceEnvironmentManagedApi.ts @@ -171,7 +171,7 @@ export class IntegrationServiceEnvironmentManagedApi extends pulumi.CustomResour resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20190501:IntegrationServiceEnvironmentManagedApi" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20190501:IntegrationServiceEnvironmentManagedApi" }, { type: "azure-native_logic_v20190501:logic:IntegrationServiceEnvironmentManagedApi" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationServiceEnvironmentManagedApi.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/rosettaNetProcessConfiguration.ts b/sdk/nodejs/logic/rosettaNetProcessConfiguration.ts index 936141234387..f3d0eaed957c 100644 --- a/sdk/nodejs/logic/rosettaNetProcessConfiguration.ts +++ b/sdk/nodejs/logic/rosettaNetProcessConfiguration.ts @@ -171,7 +171,7 @@ export class RosettaNetProcessConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20160601:RosettaNetProcessConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20160601:RosettaNetProcessConfiguration" }, { type: "azure-native_logic_v20160601:logic:RosettaNetProcessConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RosettaNetProcessConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/workflow.ts b/sdk/nodejs/logic/workflow.ts index ff96d9f6cccf..60b372d6149c 100644 --- a/sdk/nodejs/logic/workflow.ts +++ b/sdk/nodejs/logic/workflow.ts @@ -175,7 +175,7 @@ export class Workflow extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150201preview:Workflow" }, { type: "azure-native:logic/v20160601:Workflow" }, { type: "azure-native:logic/v20180701preview:Workflow" }, { type: "azure-native:logic/v20190501:Workflow" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150201preview:Workflow" }, { type: "azure-native:logic/v20160601:Workflow" }, { type: "azure-native:logic/v20180701preview:Workflow" }, { type: "azure-native:logic/v20190501:Workflow" }, { type: "azure-native_logic_v20150201preview:logic:Workflow" }, { type: "azure-native_logic_v20160601:logic:Workflow" }, { type: "azure-native_logic_v20180701preview:logic:Workflow" }, { type: "azure-native_logic_v20190501:logic:Workflow" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workflow.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/logic/workflowAccessKey.ts b/sdk/nodejs/logic/workflowAccessKey.ts index d82ec624328a..b93c249b1c63 100644 --- a/sdk/nodejs/logic/workflowAccessKey.ts +++ b/sdk/nodejs/logic/workflowAccessKey.ts @@ -89,7 +89,7 @@ export class WorkflowAccessKey extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150201preview:WorkflowAccessKey" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:logic/v20150201preview:WorkflowAccessKey" }, { type: "azure-native_logic_v20150201preview:logic:WorkflowAccessKey" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkflowAccessKey.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsAdtAPI.ts b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsAdtAPI.ts index 4821026b62c4..6b935ea0a413 100644 --- a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsAdtAPI.ts +++ b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsAdtAPI.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsAdtAPI extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsAdtAPI" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsAdtAPI" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsAdtAPI" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsAdtAPI.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsComp.ts b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsComp.ts index ba4ee5b5c4e9..881dcbb2c7d8 100644 --- a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsComp.ts +++ b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsComp.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsComp extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsComp" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsComp" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsComp" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsComp.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForEDM.ts b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForEDM.ts index 7b38a56e6cd4..35d444cabf6b 100644 --- a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForEDM.ts +++ b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForEDM.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsForEDM extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForEDM" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForEDM" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForEDM" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsForEDM.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForMIPPolicySync.ts b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForMIPPolicySync.ts index f850412f42b7..01b98b8ec057 100644 --- a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForMIPPolicySync.ts +++ b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForMIPPolicySync.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsForMIPPolicySync extends pulumi.CustomRes resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForMIPPolicySync" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForMIPPolicySync" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForMIPPolicySync" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsForMIPPolicySync.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForSCCPowershell.ts b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForSCCPowershell.ts index 199f39a38490..b477b80d861a 100644 --- a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForSCCPowershell.ts +++ b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsForSCCPowershell.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsForSCCPowershell extends pulumi.CustomRes resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForSCCPowershell" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForSCCPowershell" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForSCCPowershell" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsForSCCPowershell.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsSec.ts b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsSec.ts index e1a33cbd518c..4ad5b3c1094b 100644 --- a/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsSec.ts +++ b/sdk/nodejs/m365securityandcompliance/privateEndpointConnectionsSec.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsSec extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsSec" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsSec" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsSec" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsSec.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForEDMUpload.ts b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForEDMUpload.ts index 7d3dbb20513c..dfdd013401d6 100644 --- a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForEDMUpload.ts +++ b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForEDMUpload.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForEDMUpload extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForEDMUpload" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForEDMUpload" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForEDMUpload" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForEDMUpload.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForM365ComplianceCenter.ts b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForM365ComplianceCenter.ts index c0f0a0fa671e..97aca76a3357 100644 --- a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForM365ComplianceCenter.ts +++ b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForM365ComplianceCenter.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForM365ComplianceCenter extends pulumi.CustomRes resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365ComplianceCenter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365ComplianceCenter" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForM365ComplianceCenter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForM365ComplianceCenter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForM365SecurityCenter.ts b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForM365SecurityCenter.ts index b14ca291ec89..bffe74f78d22 100644 --- a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForM365SecurityCenter.ts +++ b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForM365SecurityCenter.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForM365SecurityCenter extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365SecurityCenter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365SecurityCenter" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForM365SecurityCenter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForM365SecurityCenter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForMIPPolicySync.ts b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForMIPPolicySync.ts index 2b841fb48b89..d6afd732335e 100644 --- a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForMIPPolicySync.ts +++ b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForMIPPolicySync.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForMIPPolicySync extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForMIPPolicySync" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForMIPPolicySync" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForMIPPolicySync" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForMIPPolicySync.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForO365ManagementActivityAPI.ts b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForO365ManagementActivityAPI.ts index e5ff6d0accbe..019927b5462e 100644 --- a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForO365ManagementActivityAPI.ts +++ b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForO365ManagementActivityAPI.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForO365ManagementActivityAPI extends pulumi.Cust resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForO365ManagementActivityAPI" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForO365ManagementActivityAPI" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForO365ManagementActivityAPI.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForSCCPowershell.ts b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForSCCPowershell.ts index 30afdc5e0198..9edc48bca7bc 100644 --- a/sdk/nodejs/m365securityandcompliance/privateLinkServicesForSCCPowershell.ts +++ b/sdk/nodejs/m365securityandcompliance/privateLinkServicesForSCCPowershell.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForSCCPowershell extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForSCCPowershell" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForSCCPowershell" }, { type: "azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForSCCPowershell" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForSCCPowershell.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearning/workspace.ts b/sdk/nodejs/machinelearning/workspace.ts index 196c67928468..8d1224777125 100644 --- a/sdk/nodejs/machinelearning/workspace.ts +++ b/sdk/nodejs/machinelearning/workspace.ts @@ -149,7 +149,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["workspaceType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearning/v20160401:Workspace" }, { type: "azure-native:machinelearning/v20191001:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearning/v20191001:Workspace" }, { type: "azure-native_machinelearning_v20160401:machinelearning:Workspace" }, { type: "azure-native_machinelearning_v20191001:machinelearning:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/batchDeployment.ts b/sdk/nodejs/machinelearningservices/batchDeployment.ts index 61468f89d561..bb83495954b4 100644 --- a/sdk/nodejs/machinelearningservices/batchDeployment.ts +++ b/sdk/nodejs/machinelearningservices/batchDeployment.ts @@ -130,7 +130,7 @@ export class BatchDeployment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20220201preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20220501:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20220601preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20221001:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20221001preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20221201preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20230201preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20230401:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20230401preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20230601preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20230801preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20231001:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20240101preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20240401:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20240401preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20240701preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20241001:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20241001preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20250101preview:BatchDeployment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20220201preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20230401:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20230401preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20230601preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20230801preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20231001:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20240101preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20240401:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20240401preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20240701preview:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20241001:BatchDeployment" }, { type: "azure-native:machinelearningservices/v20241001preview:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:BatchDeployment" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:BatchDeployment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BatchDeployment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/batchEndpoint.ts b/sdk/nodejs/machinelearningservices/batchEndpoint.ts index 8d479477389c..f1a08a31df77 100644 --- a/sdk/nodejs/machinelearningservices/batchEndpoint.ts +++ b/sdk/nodejs/machinelearningservices/batchEndpoint.ts @@ -126,7 +126,7 @@ export class BatchEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20220201preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20220501:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20220601preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20221001:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20221001preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20221201preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20230201preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20230401:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20230401preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20230601preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20230801preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20231001:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20240101preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20240401:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20240401preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20240701preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20241001:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20241001preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20250101preview:BatchEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20220201preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20230401:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20230401preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20230601preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20230801preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20231001:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20240101preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20240401:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20240401preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20240701preview:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20241001:BatchEndpoint" }, { type: "azure-native:machinelearningservices/v20241001preview:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:BatchEndpoint" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:BatchEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BatchEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/capabilityHost.ts b/sdk/nodejs/machinelearningservices/capabilityHost.ts index e032be33eb16..cd8670dd40d0 100644 --- a/sdk/nodejs/machinelearningservices/capabilityHost.ts +++ b/sdk/nodejs/machinelearningservices/capabilityHost.ts @@ -97,7 +97,7 @@ export class CapabilityHost extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20241001preview:CapabilityHost" }, { type: "azure-native:machinelearningservices/v20250101preview:CapabilityHost" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20241001preview:CapabilityHost" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:CapabilityHost" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:CapabilityHost" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CapabilityHost.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/capacityReservationGroup.ts b/sdk/nodejs/machinelearningservices/capacityReservationGroup.ts index ca59f4a6ddc1..69d06c0bce40 100644 --- a/sdk/nodejs/machinelearningservices/capacityReservationGroup.ts +++ b/sdk/nodejs/machinelearningservices/capacityReservationGroup.ts @@ -122,7 +122,7 @@ export class CapacityReservationGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230801preview:CapacityReservationGroup" }, { type: "azure-native:machinelearningservices/v20240101preview:CapacityReservationGroup" }, { type: "azure-native:machinelearningservices/v20240401preview:CapacityReservationGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230801preview:CapacityReservationGroup" }, { type: "azure-native:machinelearningservices/v20240101preview:CapacityReservationGroup" }, { type: "azure-native:machinelearningservices/v20240401preview:CapacityReservationGroup" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:CapacityReservationGroup" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:CapacityReservationGroup" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:CapacityReservationGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CapacityReservationGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/codeContainer.ts b/sdk/nodejs/machinelearningservices/codeContainer.ts index 27e2d06f5ff8..c705ce7a1479 100644 --- a/sdk/nodejs/machinelearningservices/codeContainer.ts +++ b/sdk/nodejs/machinelearningservices/codeContainer.ts @@ -97,7 +97,7 @@ export class CodeContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20220201preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20220501:CodeContainer" }, { type: "azure-native:machinelearningservices/v20220601preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20221001:CodeContainer" }, { type: "azure-native:machinelearningservices/v20221001preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20221201preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20230201preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20230401:CodeContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20231001:CodeContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20240401:CodeContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20241001:CodeContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20250101preview:CodeContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20220201preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20230401:CodeContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20231001:CodeContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20240401:CodeContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:CodeContainer" }, { type: "azure-native:machinelearningservices/v20241001:CodeContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:CodeContainer" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:CodeContainer" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:CodeContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CodeContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/codeVersion.ts b/sdk/nodejs/machinelearningservices/codeVersion.ts index d53492b28523..3c07cae5fc2b 100644 --- a/sdk/nodejs/machinelearningservices/codeVersion.ts +++ b/sdk/nodejs/machinelearningservices/codeVersion.ts @@ -101,7 +101,7 @@ export class CodeVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20220201preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20220501:CodeVersion" }, { type: "azure-native:machinelearningservices/v20220601preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20221001:CodeVersion" }, { type: "azure-native:machinelearningservices/v20221001preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20221201preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20230201preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20230401:CodeVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20231001:CodeVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20240401:CodeVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20241001:CodeVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:CodeVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20220201preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20230401:CodeVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20231001:CodeVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20240401:CodeVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:CodeVersion" }, { type: "azure-native:machinelearningservices/v20241001:CodeVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:CodeVersion" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:CodeVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:CodeVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CodeVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/componentContainer.ts b/sdk/nodejs/machinelearningservices/componentContainer.ts index d1a84b0f9930..fc84d3428a60 100644 --- a/sdk/nodejs/machinelearningservices/componentContainer.ts +++ b/sdk/nodejs/machinelearningservices/componentContainer.ts @@ -97,7 +97,7 @@ export class ComponentContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20220201preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20220501:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20220601preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20221001:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20221001preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20221201preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20230201preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20230401:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20231001:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20240401:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20241001:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20250101preview:ComponentContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20220201preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20230401:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20231001:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20240401:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20241001:ComponentContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ComponentContainer" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ComponentContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ComponentContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/componentVersion.ts b/sdk/nodejs/machinelearningservices/componentVersion.ts index 030bc79d5ba6..c8e5a00a27ea 100644 --- a/sdk/nodejs/machinelearningservices/componentVersion.ts +++ b/sdk/nodejs/machinelearningservices/componentVersion.ts @@ -101,7 +101,7 @@ export class ComponentVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20220201preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20220501:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20220601preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20221001:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20221001preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20221201preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20230201preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20230401:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20231001:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20240401:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20241001:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:ComponentVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20220201preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20230401:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20231001:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20240401:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20241001:ComponentVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ComponentVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ComponentVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ComponentVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/compute.ts b/sdk/nodejs/machinelearningservices/compute.ts index 6174e9bb013f..98c2a5c57ecc 100644 --- a/sdk/nodejs/machinelearningservices/compute.ts +++ b/sdk/nodejs/machinelearningservices/compute.ts @@ -119,7 +119,7 @@ export class Compute extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20180301preview:Compute" }, { type: "azure-native:machinelearningservices/v20181119:Compute" }, { type: "azure-native:machinelearningservices/v20190501:Compute" }, { type: "azure-native:machinelearningservices/v20190601:Compute" }, { type: "azure-native:machinelearningservices/v20191101:Compute" }, { type: "azure-native:machinelearningservices/v20200101:Compute" }, { type: "azure-native:machinelearningservices/v20200218preview:Compute" }, { type: "azure-native:machinelearningservices/v20200301:Compute" }, { type: "azure-native:machinelearningservices/v20200401:Compute" }, { type: "azure-native:machinelearningservices/v20200501preview:Compute" }, { type: "azure-native:machinelearningservices/v20200515preview:Compute" }, { type: "azure-native:machinelearningservices/v20200601:Compute" }, { type: "azure-native:machinelearningservices/v20200801:Compute" }, { type: "azure-native:machinelearningservices/v20200901preview:Compute" }, { type: "azure-native:machinelearningservices/v20210101:Compute" }, { type: "azure-native:machinelearningservices/v20210301preview:Compute" }, { type: "azure-native:machinelearningservices/v20210401:Compute" }, { type: "azure-native:machinelearningservices/v20210401:MachineLearningCompute" }, { type: "azure-native:machinelearningservices/v20210701:Compute" }, { type: "azure-native:machinelearningservices/v20220101preview:Compute" }, { type: "azure-native:machinelearningservices/v20220201preview:Compute" }, { type: "azure-native:machinelearningservices/v20220501:Compute" }, { type: "azure-native:machinelearningservices/v20220601preview:Compute" }, { type: "azure-native:machinelearningservices/v20221001:Compute" }, { type: "azure-native:machinelearningservices/v20221001preview:Compute" }, { type: "azure-native:machinelearningservices/v20221201preview:Compute" }, { type: "azure-native:machinelearningservices/v20230201preview:Compute" }, { type: "azure-native:machinelearningservices/v20230401:Compute" }, { type: "azure-native:machinelearningservices/v20230401preview:Compute" }, { type: "azure-native:machinelearningservices/v20230601preview:Compute" }, { type: "azure-native:machinelearningservices/v20230801preview:Compute" }, { type: "azure-native:machinelearningservices/v20231001:Compute" }, { type: "azure-native:machinelearningservices/v20240101preview:Compute" }, { type: "azure-native:machinelearningservices/v20240401:Compute" }, { type: "azure-native:machinelearningservices/v20240401preview:Compute" }, { type: "azure-native:machinelearningservices/v20240701preview:Compute" }, { type: "azure-native:machinelearningservices/v20241001:Compute" }, { type: "azure-native:machinelearningservices/v20241001preview:Compute" }, { type: "azure-native:machinelearningservices/v20250101preview:Compute" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210401:MachineLearningCompute" }, { type: "azure-native:machinelearningservices/v20220101preview:Compute" }, { type: "azure-native:machinelearningservices/v20230401:Compute" }, { type: "azure-native:machinelearningservices/v20230401preview:Compute" }, { type: "azure-native:machinelearningservices/v20230601preview:Compute" }, { type: "azure-native:machinelearningservices/v20230801preview:Compute" }, { type: "azure-native:machinelearningservices/v20231001:Compute" }, { type: "azure-native:machinelearningservices/v20240101preview:Compute" }, { type: "azure-native:machinelearningservices/v20240401:Compute" }, { type: "azure-native:machinelearningservices/v20240401preview:Compute" }, { type: "azure-native:machinelearningservices/v20240701preview:Compute" }, { type: "azure-native:machinelearningservices/v20241001:Compute" }, { type: "azure-native:machinelearningservices/v20241001preview:Compute" }, { type: "azure-native_machinelearningservices_v20180301preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20181119:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20190501:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20190601:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20191101:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20200101:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20200218preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20200301:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20200401:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20200501preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20200515preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20200601:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20200801:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20200901preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20210101:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20210401:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20210701:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20220101preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Compute" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Compute" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Compute.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/connectionDeployment.ts b/sdk/nodejs/machinelearningservices/connectionDeployment.ts index df4483a383b0..4f5c0fee574e 100644 --- a/sdk/nodejs/machinelearningservices/connectionDeployment.ts +++ b/sdk/nodejs/machinelearningservices/connectionDeployment.ts @@ -98,7 +98,7 @@ export class ConnectionDeployment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240401preview:ConnectionDeployment" }, { type: "azure-native:machinelearningservices/v20240701preview:ConnectionDeployment" }, { type: "azure-native:machinelearningservices/v20241001preview:ConnectionDeployment" }, { type: "azure-native:machinelearningservices/v20250101preview:ConnectionDeployment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240401preview:ConnectionDeployment" }, { type: "azure-native:machinelearningservices/v20240701preview:ConnectionDeployment" }, { type: "azure-native:machinelearningservices/v20241001preview:ConnectionDeployment" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionDeployment" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionDeployment" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionDeployment" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionDeployment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectionDeployment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/connectionRaiBlocklist.ts b/sdk/nodejs/machinelearningservices/connectionRaiBlocklist.ts index a95a54abd127..2bf528c9cb94 100644 --- a/sdk/nodejs/machinelearningservices/connectionRaiBlocklist.ts +++ b/sdk/nodejs/machinelearningservices/connectionRaiBlocklist.ts @@ -101,7 +101,7 @@ export class ConnectionRaiBlocklist extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklist" }, { type: "azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklistItem" }, { type: "azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklist" }, { type: "azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklist" }, { type: "azure-native:machinelearningservices/v20250101preview:ConnectionRaiBlocklist" }, { type: "azure-native:machinelearningservices:ConnectionRaiBlocklistItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklistItem" }, { type: "azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklist" }, { type: "azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklist" }, { type: "azure-native:machinelearningservices:ConnectionRaiBlocklistItem" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionRaiBlocklist" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiBlocklist" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiBlocklist" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiBlocklist" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectionRaiBlocklist.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/connectionRaiBlocklistItem.ts b/sdk/nodejs/machinelearningservices/connectionRaiBlocklistItem.ts index 951a40ce7f8c..0c271b05f7a9 100644 --- a/sdk/nodejs/machinelearningservices/connectionRaiBlocklistItem.ts +++ b/sdk/nodejs/machinelearningservices/connectionRaiBlocklistItem.ts @@ -105,7 +105,7 @@ export class ConnectionRaiBlocklistItem extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklist" }, { type: "azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklistItem" }, { type: "azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklistItem" }, { type: "azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklistItem" }, { type: "azure-native:machinelearningservices/v20250101preview:ConnectionRaiBlocklistItem" }, { type: "azure-native:machinelearningservices:ConnectionRaiBlocklist" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklist" }, { type: "azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklistItem" }, { type: "azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklistItem" }, { type: "azure-native:machinelearningservices:ConnectionRaiBlocklist" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionRaiBlocklistItem" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiBlocklistItem" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiBlocklistItem" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiBlocklistItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectionRaiBlocklistItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/connectionRaiPolicy.ts b/sdk/nodejs/machinelearningservices/connectionRaiPolicy.ts index ce36bd6122c6..80f387778532 100644 --- a/sdk/nodejs/machinelearningservices/connectionRaiPolicy.ts +++ b/sdk/nodejs/machinelearningservices/connectionRaiPolicy.ts @@ -103,7 +103,7 @@ export class ConnectionRaiPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240401preview:ConnectionRaiPolicy" }, { type: "azure-native:machinelearningservices/v20240701preview:ConnectionRaiPolicy" }, { type: "azure-native:machinelearningservices/v20241001preview:ConnectionRaiPolicy" }, { type: "azure-native:machinelearningservices/v20250101preview:ConnectionRaiPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240401preview:ConnectionRaiPolicy" }, { type: "azure-native:machinelearningservices/v20240701preview:ConnectionRaiPolicy" }, { type: "azure-native:machinelearningservices/v20241001preview:ConnectionRaiPolicy" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionRaiPolicy" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiPolicy" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiPolicy" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectionRaiPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/dataContainer.ts b/sdk/nodejs/machinelearningservices/dataContainer.ts index 907479fe1149..a19c46206af1 100644 --- a/sdk/nodejs/machinelearningservices/dataContainer.ts +++ b/sdk/nodejs/machinelearningservices/dataContainer.ts @@ -97,7 +97,7 @@ export class DataContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20220201preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20220501:DataContainer" }, { type: "azure-native:machinelearningservices/v20220601preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20221001:DataContainer" }, { type: "azure-native:machinelearningservices/v20221001preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20221201preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20230201preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20230401:DataContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20231001:DataContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20240401:DataContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20241001:DataContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20250101preview:DataContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20220201preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20230401:DataContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20231001:DataContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20240401:DataContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:DataContainer" }, { type: "azure-native:machinelearningservices/v20241001:DataContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:DataContainer" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:DataContainer" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:DataContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/dataVersion.ts b/sdk/nodejs/machinelearningservices/dataVersion.ts index 49398d0b743c..8699098bec21 100644 --- a/sdk/nodejs/machinelearningservices/dataVersion.ts +++ b/sdk/nodejs/machinelearningservices/dataVersion.ts @@ -101,7 +101,7 @@ export class DataVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20220201preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20220501:DataVersion" }, { type: "azure-native:machinelearningservices/v20220601preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20221001:DataVersion" }, { type: "azure-native:machinelearningservices/v20221001preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20221201preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20230201preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20230401:DataVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20231001:DataVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20240401:DataVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20241001:DataVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:DataVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20220201preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20230401:DataVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20231001:DataVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20240401:DataVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:DataVersion" }, { type: "azure-native:machinelearningservices/v20241001:DataVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:DataVersion" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:DataVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:DataVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/datastore.ts b/sdk/nodejs/machinelearningservices/datastore.ts index 1fdd93edf575..18c8b99015d7 100644 --- a/sdk/nodejs/machinelearningservices/datastore.ts +++ b/sdk/nodejs/machinelearningservices/datastore.ts @@ -98,7 +98,7 @@ export class Datastore extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200501preview:Datastore" }, { type: "azure-native:machinelearningservices/v20200501preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20210301preview:Datastore" }, { type: "azure-native:machinelearningservices/v20220201preview:Datastore" }, { type: "azure-native:machinelearningservices/v20220501:Datastore" }, { type: "azure-native:machinelearningservices/v20220601preview:Datastore" }, { type: "azure-native:machinelearningservices/v20221001:Datastore" }, { type: "azure-native:machinelearningservices/v20221001preview:Datastore" }, { type: "azure-native:machinelearningservices/v20221201preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230201preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230401:Datastore" }, { type: "azure-native:machinelearningservices/v20230401preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230601preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230801preview:Datastore" }, { type: "azure-native:machinelearningservices/v20231001:Datastore" }, { type: "azure-native:machinelearningservices/v20240101preview:Datastore" }, { type: "azure-native:machinelearningservices/v20240401:Datastore" }, { type: "azure-native:machinelearningservices/v20240401preview:Datastore" }, { type: "azure-native:machinelearningservices/v20240701preview:Datastore" }, { type: "azure-native:machinelearningservices/v20241001:Datastore" }, { type: "azure-native:machinelearningservices/v20241001preview:Datastore" }, { type: "azure-native:machinelearningservices/v20250101preview:Datastore" }, { type: "azure-native:machinelearningservices:MachineLearningDatastore" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200501preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20210301preview:Datastore" }, { type: "azure-native:machinelearningservices/v20220201preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230401:Datastore" }, { type: "azure-native:machinelearningservices/v20230401preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230601preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230801preview:Datastore" }, { type: "azure-native:machinelearningservices/v20231001:Datastore" }, { type: "azure-native:machinelearningservices/v20240101preview:Datastore" }, { type: "azure-native:machinelearningservices/v20240401:Datastore" }, { type: "azure-native:machinelearningservices/v20240401preview:Datastore" }, { type: "azure-native:machinelearningservices/v20240701preview:Datastore" }, { type: "azure-native:machinelearningservices/v20241001:Datastore" }, { type: "azure-native:machinelearningservices/v20241001preview:Datastore" }, { type: "azure-native:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20200501preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Datastore" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Datastore.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/endpointDeployment.ts b/sdk/nodejs/machinelearningservices/endpointDeployment.ts index be398b0936b3..1534ac38ac72 100644 --- a/sdk/nodejs/machinelearningservices/endpointDeployment.ts +++ b/sdk/nodejs/machinelearningservices/endpointDeployment.ts @@ -97,7 +97,7 @@ export class EndpointDeployment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240101preview:EndpointDeployment" }, { type: "azure-native:machinelearningservices/v20240401preview:EndpointDeployment" }, { type: "azure-native:machinelearningservices/v20240701preview:EndpointDeployment" }, { type: "azure-native:machinelearningservices/v20241001preview:EndpointDeployment" }, { type: "azure-native:machinelearningservices/v20250101preview:EndpointDeployment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240101preview:EndpointDeployment" }, { type: "azure-native:machinelearningservices/v20240401preview:EndpointDeployment" }, { type: "azure-native:machinelearningservices/v20240701preview:EndpointDeployment" }, { type: "azure-native:machinelearningservices/v20241001preview:EndpointDeployment" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:EndpointDeployment" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:EndpointDeployment" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:EndpointDeployment" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:EndpointDeployment" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:EndpointDeployment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EndpointDeployment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/environmentContainer.ts b/sdk/nodejs/machinelearningservices/environmentContainer.ts index 26c5b3655fa9..219d020b155b 100644 --- a/sdk/nodejs/machinelearningservices/environmentContainer.ts +++ b/sdk/nodejs/machinelearningservices/environmentContainer.ts @@ -97,7 +97,7 @@ export class EnvironmentContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20220201preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20220501:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20220601preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20221001:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20221001preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20221201preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230201preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230401:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20231001:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240401:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20241001:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20250101preview:EnvironmentContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20220201preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230401:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20231001:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240401:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20241001:EnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:EnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:EnvironmentContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EnvironmentContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/environmentSpecificationVersion.ts b/sdk/nodejs/machinelearningservices/environmentSpecificationVersion.ts index 49f768f90a9d..4c043b81ee03 100644 --- a/sdk/nodejs/machinelearningservices/environmentSpecificationVersion.ts +++ b/sdk/nodejs/machinelearningservices/environmentSpecificationVersion.ts @@ -99,7 +99,7 @@ export class EnvironmentSpecificationVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20220201preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20220201preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20220501:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20220601preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20221001:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20221001preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20221201preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20230201preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20230401:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20230401:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20231001:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20231001:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20240401:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20241001:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices:EnvironmentVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20220201preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230401:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20231001:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:EnvironmentSpecificationVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EnvironmentSpecificationVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/environmentVersion.ts b/sdk/nodejs/machinelearningservices/environmentVersion.ts index 267cd9b453c1..1f3978162389 100644 --- a/sdk/nodejs/machinelearningservices/environmentVersion.ts +++ b/sdk/nodejs/machinelearningservices/environmentVersion.ts @@ -101,7 +101,7 @@ export class EnvironmentVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20210301preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20220201preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20220501:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20220601preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20221001:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20221001preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20221201preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230201preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230401:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20231001:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices:EnvironmentSpecificationVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:EnvironmentSpecificationVersion" }, { type: "azure-native:machinelearningservices/v20220201preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230401:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20231001:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001:EnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:EnvironmentVersion" }, { type: "azure-native:machinelearningservices:EnvironmentSpecificationVersion" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:EnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:EnvironmentVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EnvironmentVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/featuresetContainerEntity.ts b/sdk/nodejs/machinelearningservices/featuresetContainerEntity.ts index cd1392000bc5..7c1c21750017 100644 --- a/sdk/nodejs/machinelearningservices/featuresetContainerEntity.ts +++ b/sdk/nodejs/machinelearningservices/featuresetContainerEntity.ts @@ -97,7 +97,7 @@ export class FeaturesetContainerEntity extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230201preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20230401preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20230601preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20230801preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20231001:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20240101preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20240401:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20240401preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20240701preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20241001:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20241001preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20250101preview:FeaturesetContainerEntity" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20230601preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20230801preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20231001:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20240101preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20240401:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20240401preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20240701preview:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20241001:FeaturesetContainerEntity" }, { type: "azure-native:machinelearningservices/v20241001preview:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturesetContainerEntity" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturesetContainerEntity" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FeaturesetContainerEntity.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/featuresetVersion.ts b/sdk/nodejs/machinelearningservices/featuresetVersion.ts index bab04e64ddb1..a5ea6096cc2f 100644 --- a/sdk/nodejs/machinelearningservices/featuresetVersion.ts +++ b/sdk/nodejs/machinelearningservices/featuresetVersion.ts @@ -101,7 +101,7 @@ export class FeaturesetVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230201preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20231001:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20240401:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20241001:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:FeaturesetVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20231001:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20240401:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20241001:FeaturesetVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturesetVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturesetVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FeaturesetVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/featurestoreEntityContainerEntity.ts b/sdk/nodejs/machinelearningservices/featurestoreEntityContainerEntity.ts index ad6ca0c00927..b63a22ab20d5 100644 --- a/sdk/nodejs/machinelearningservices/featurestoreEntityContainerEntity.ts +++ b/sdk/nodejs/machinelearningservices/featurestoreEntityContainerEntity.ts @@ -97,7 +97,7 @@ export class FeaturestoreEntityContainerEntity extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230201preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20231001:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20240101preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20240401:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20240401preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20241001:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20250101preview:FeaturestoreEntityContainerEntity" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20231001:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20240101preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20240401:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20240401preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20241001:FeaturestoreEntityContainerEntity" }, { type: "azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturestoreEntityContainerEntity" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturestoreEntityContainerEntity" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FeaturestoreEntityContainerEntity.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/featurestoreEntityVersion.ts b/sdk/nodejs/machinelearningservices/featurestoreEntityVersion.ts index 457553a184c9..e0d7d04b6c82 100644 --- a/sdk/nodejs/machinelearningservices/featurestoreEntityVersion.ts +++ b/sdk/nodejs/machinelearningservices/featurestoreEntityVersion.ts @@ -101,7 +101,7 @@ export class FeaturestoreEntityVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230201preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20231001:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20240401:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20241001:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:FeaturestoreEntityVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20231001:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20240401:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20241001:FeaturestoreEntityVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturestoreEntityVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturestoreEntityVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FeaturestoreEntityVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/inferenceEndpoint.ts b/sdk/nodejs/machinelearningservices/inferenceEndpoint.ts index 071d780f9cca..0cc95e0cbb9a 100644 --- a/sdk/nodejs/machinelearningservices/inferenceEndpoint.ts +++ b/sdk/nodejs/machinelearningservices/inferenceEndpoint.ts @@ -130,7 +130,7 @@ export class InferenceEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230801preview:InferenceEndpoint" }, { type: "azure-native:machinelearningservices/v20240101preview:InferenceEndpoint" }, { type: "azure-native:machinelearningservices/v20240401preview:InferenceEndpoint" }, { type: "azure-native:machinelearningservices/v20241001preview:InferenceEndpoint" }, { type: "azure-native:machinelearningservices/v20250101preview:InferenceEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230801preview:InferenceEndpoint" }, { type: "azure-native:machinelearningservices/v20240101preview:InferenceEndpoint" }, { type: "azure-native:machinelearningservices/v20240401preview:InferenceEndpoint" }, { type: "azure-native:machinelearningservices/v20241001preview:InferenceEndpoint" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferenceEndpoint" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferenceEndpoint" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:InferenceEndpoint" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferenceEndpoint" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferenceEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InferenceEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/inferenceGroup.ts b/sdk/nodejs/machinelearningservices/inferenceGroup.ts index ee5e92ccdcf9..96f9fb16fecb 100644 --- a/sdk/nodejs/machinelearningservices/inferenceGroup.ts +++ b/sdk/nodejs/machinelearningservices/inferenceGroup.ts @@ -130,7 +130,7 @@ export class InferenceGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230801preview:InferenceGroup" }, { type: "azure-native:machinelearningservices/v20240101preview:InferenceGroup" }, { type: "azure-native:machinelearningservices/v20240401preview:InferenceGroup" }, { type: "azure-native:machinelearningservices/v20241001preview:InferenceGroup" }, { type: "azure-native:machinelearningservices/v20250101preview:InferenceGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230801preview:InferenceGroup" }, { type: "azure-native:machinelearningservices/v20240101preview:InferenceGroup" }, { type: "azure-native:machinelearningservices/v20240401preview:InferenceGroup" }, { type: "azure-native:machinelearningservices/v20241001preview:InferenceGroup" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferenceGroup" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferenceGroup" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:InferenceGroup" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferenceGroup" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferenceGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InferenceGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/inferencePool.ts b/sdk/nodejs/machinelearningservices/inferencePool.ts index 3172d38b0b1a..c10c77898286 100644 --- a/sdk/nodejs/machinelearningservices/inferencePool.ts +++ b/sdk/nodejs/machinelearningservices/inferencePool.ts @@ -126,7 +126,7 @@ export class InferencePool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230801preview:InferencePool" }, { type: "azure-native:machinelearningservices/v20240101preview:InferencePool" }, { type: "azure-native:machinelearningservices/v20240401preview:InferencePool" }, { type: "azure-native:machinelearningservices/v20241001preview:InferencePool" }, { type: "azure-native:machinelearningservices/v20250101preview:InferencePool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230801preview:InferencePool" }, { type: "azure-native:machinelearningservices/v20240101preview:InferencePool" }, { type: "azure-native:machinelearningservices/v20240401preview:InferencePool" }, { type: "azure-native:machinelearningservices/v20241001preview:InferencePool" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferencePool" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferencePool" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:InferencePool" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferencePool" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferencePool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InferencePool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/job.ts b/sdk/nodejs/machinelearningservices/job.ts index 7628b525af79..19b03ba08aee 100644 --- a/sdk/nodejs/machinelearningservices/job.ts +++ b/sdk/nodejs/machinelearningservices/job.ts @@ -98,7 +98,7 @@ export class Job extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:Job" }, { type: "azure-native:machinelearningservices/v20220201preview:Job" }, { type: "azure-native:machinelearningservices/v20220501:Job" }, { type: "azure-native:machinelearningservices/v20220601preview:Job" }, { type: "azure-native:machinelearningservices/v20221001:Job" }, { type: "azure-native:machinelearningservices/v20221001preview:Job" }, { type: "azure-native:machinelearningservices/v20221201preview:Job" }, { type: "azure-native:machinelearningservices/v20230201preview:Job" }, { type: "azure-native:machinelearningservices/v20230401:Job" }, { type: "azure-native:machinelearningservices/v20230401preview:Job" }, { type: "azure-native:machinelearningservices/v20230601preview:Job" }, { type: "azure-native:machinelearningservices/v20230801preview:Job" }, { type: "azure-native:machinelearningservices/v20231001:Job" }, { type: "azure-native:machinelearningservices/v20240101preview:Job" }, { type: "azure-native:machinelearningservices/v20240401:Job" }, { type: "azure-native:machinelearningservices/v20240401preview:Job" }, { type: "azure-native:machinelearningservices/v20240701preview:Job" }, { type: "azure-native:machinelearningservices/v20241001:Job" }, { type: "azure-native:machinelearningservices/v20241001preview:Job" }, { type: "azure-native:machinelearningservices/v20250101preview:Job" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:Job" }, { type: "azure-native:machinelearningservices/v20220201preview:Job" }, { type: "azure-native:machinelearningservices/v20230401:Job" }, { type: "azure-native:machinelearningservices/v20230401preview:Job" }, { type: "azure-native:machinelearningservices/v20230601preview:Job" }, { type: "azure-native:machinelearningservices/v20230801preview:Job" }, { type: "azure-native:machinelearningservices/v20231001:Job" }, { type: "azure-native:machinelearningservices/v20240101preview:Job" }, { type: "azure-native:machinelearningservices/v20240401:Job" }, { type: "azure-native:machinelearningservices/v20240401preview:Job" }, { type: "azure-native:machinelearningservices/v20240701preview:Job" }, { type: "azure-native:machinelearningservices/v20241001:Job" }, { type: "azure-native:machinelearningservices/v20241001preview:Job" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Job" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Job" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Job.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/labelingJob.ts b/sdk/nodejs/machinelearningservices/labelingJob.ts index 14d6d112cc87..8590d5199f04 100644 --- a/sdk/nodejs/machinelearningservices/labelingJob.ts +++ b/sdk/nodejs/machinelearningservices/labelingJob.ts @@ -98,7 +98,7 @@ export class LabelingJob extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200901preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20210301preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20220601preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20221001preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20221201preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20230201preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20230401preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20230601preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20230801preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20240101preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20240401preview:LabelingJob" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200901preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20210301preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20230401preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20230601preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20230801preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20240101preview:LabelingJob" }, { type: "azure-native:machinelearningservices/v20240401preview:LabelingJob" }, { type: "azure-native_machinelearningservices_v20200901preview:machinelearningservices:LabelingJob" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:LabelingJob" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:LabelingJob" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:LabelingJob" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:LabelingJob" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:LabelingJob" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:LabelingJob" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:LabelingJob" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:LabelingJob" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:LabelingJob" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:LabelingJob" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LabelingJob.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/linkedService.ts b/sdk/nodejs/machinelearningservices/linkedService.ts index fafcf83fc5eb..b5e9912a9364 100644 --- a/sdk/nodejs/machinelearningservices/linkedService.ts +++ b/sdk/nodejs/machinelearningservices/linkedService.ts @@ -99,7 +99,7 @@ export class LinkedService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200901preview:LinkedService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200901preview:LinkedService" }, { type: "azure-native_machinelearningservices_v20200901preview:machinelearningservices:LinkedService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LinkedService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/linkedWorkspace.ts b/sdk/nodejs/machinelearningservices/linkedWorkspace.ts index ad6aa603b8ad..22d219153248 100644 --- a/sdk/nodejs/machinelearningservices/linkedWorkspace.ts +++ b/sdk/nodejs/machinelearningservices/linkedWorkspace.ts @@ -89,7 +89,7 @@ export class LinkedWorkspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200501preview:LinkedWorkspace" }, { type: "azure-native:machinelearningservices/v20200515preview:LinkedWorkspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200515preview:LinkedWorkspace" }, { type: "azure-native_machinelearningservices_v20200501preview:machinelearningservices:LinkedWorkspace" }, { type: "azure-native_machinelearningservices_v20200515preview:machinelearningservices:LinkedWorkspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LinkedWorkspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/machineLearningDataset.ts b/sdk/nodejs/machinelearningservices/machineLearningDataset.ts index a955a0a64b0b..21097ce4d732 100644 --- a/sdk/nodejs/machinelearningservices/machineLearningDataset.ts +++ b/sdk/nodejs/machinelearningservices/machineLearningDataset.ts @@ -125,7 +125,7 @@ export class MachineLearningDataset extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200501preview:MachineLearningDataset" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200501preview:MachineLearningDataset" }, { type: "azure-native_machinelearningservices_v20200501preview:machinelearningservices:MachineLearningDataset" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MachineLearningDataset.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/machineLearningDatastore.ts b/sdk/nodejs/machinelearningservices/machineLearningDatastore.ts index 4d571c173654..7e627e37aa99 100644 --- a/sdk/nodejs/machinelearningservices/machineLearningDatastore.ts +++ b/sdk/nodejs/machinelearningservices/machineLearningDatastore.ts @@ -144,7 +144,7 @@ export class MachineLearningDatastore extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200501preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20210301preview:Datastore" }, { type: "azure-native:machinelearningservices/v20210301preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20220201preview:Datastore" }, { type: "azure-native:machinelearningservices/v20220201preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20220501:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20220601preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20221001:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20221001preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20221201preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20230201preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20230401:Datastore" }, { type: "azure-native:machinelearningservices/v20230401:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20230401preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230401preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20230601preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230601preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20230801preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230801preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20231001:Datastore" }, { type: "azure-native:machinelearningservices/v20231001:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20240101preview:Datastore" }, { type: "azure-native:machinelearningservices/v20240101preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20240401:Datastore" }, { type: "azure-native:machinelearningservices/v20240401:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20240401preview:Datastore" }, { type: "azure-native:machinelearningservices/v20240401preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20240701preview:Datastore" }, { type: "azure-native:machinelearningservices/v20240701preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20241001:Datastore" }, { type: "azure-native:machinelearningservices/v20241001:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20241001preview:Datastore" }, { type: "azure-native:machinelearningservices/v20241001preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20250101preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices:Datastore" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200501preview:MachineLearningDatastore" }, { type: "azure-native:machinelearningservices/v20210301preview:Datastore" }, { type: "azure-native:machinelearningservices/v20220201preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230401:Datastore" }, { type: "azure-native:machinelearningservices/v20230401preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230601preview:Datastore" }, { type: "azure-native:machinelearningservices/v20230801preview:Datastore" }, { type: "azure-native:machinelearningservices/v20231001:Datastore" }, { type: "azure-native:machinelearningservices/v20240101preview:Datastore" }, { type: "azure-native:machinelearningservices/v20240401:Datastore" }, { type: "azure-native:machinelearningservices/v20240401preview:Datastore" }, { type: "azure-native:machinelearningservices/v20240701preview:Datastore" }, { type: "azure-native:machinelearningservices/v20241001:Datastore" }, { type: "azure-native:machinelearningservices/v20241001preview:Datastore" }, { type: "azure-native:machinelearningservices:Datastore" }, { type: "azure-native_machinelearningservices_v20200501preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:MachineLearningDatastore" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:MachineLearningDatastore" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MachineLearningDatastore.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/managedNetworkSettingsRule.ts b/sdk/nodejs/machinelearningservices/managedNetworkSettingsRule.ts index 6cbfcd74638d..c90cb21ffd6b 100644 --- a/sdk/nodejs/machinelearningservices/managedNetworkSettingsRule.ts +++ b/sdk/nodejs/machinelearningservices/managedNetworkSettingsRule.ts @@ -98,7 +98,7 @@ export class ManagedNetworkSettingsRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20230601preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20230801preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20231001:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20240101preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20240401:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20240401preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20240701preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20241001:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20241001preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20250101preview:ManagedNetworkSettingsRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20230601preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20230801preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20231001:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20240101preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20240401:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20240401preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20240701preview:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20241001:ManagedNetworkSettingsRule" }, { type: "azure-native:machinelearningservices/v20241001preview:ManagedNetworkSettingsRule" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ManagedNetworkSettingsRule" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ManagedNetworkSettingsRule" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ManagedNetworkSettingsRule" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:ManagedNetworkSettingsRule" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ManagedNetworkSettingsRule" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:ManagedNetworkSettingsRule" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ManagedNetworkSettingsRule" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ManagedNetworkSettingsRule" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:ManagedNetworkSettingsRule" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ManagedNetworkSettingsRule" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ManagedNetworkSettingsRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedNetworkSettingsRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/marketplaceSubscription.ts b/sdk/nodejs/machinelearningservices/marketplaceSubscription.ts index ebb5920edf24..795c3729e66c 100644 --- a/sdk/nodejs/machinelearningservices/marketplaceSubscription.ts +++ b/sdk/nodejs/machinelearningservices/marketplaceSubscription.ts @@ -97,7 +97,7 @@ export class MarketplaceSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240101preview:MarketplaceSubscription" }, { type: "azure-native:machinelearningservices/v20240401:MarketplaceSubscription" }, { type: "azure-native:machinelearningservices/v20240401preview:MarketplaceSubscription" }, { type: "azure-native:machinelearningservices/v20240701preview:MarketplaceSubscription" }, { type: "azure-native:machinelearningservices/v20241001:MarketplaceSubscription" }, { type: "azure-native:machinelearningservices/v20241001preview:MarketplaceSubscription" }, { type: "azure-native:machinelearningservices/v20250101preview:MarketplaceSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240101preview:MarketplaceSubscription" }, { type: "azure-native:machinelearningservices/v20240401:MarketplaceSubscription" }, { type: "azure-native:machinelearningservices/v20240401preview:MarketplaceSubscription" }, { type: "azure-native:machinelearningservices/v20240701preview:MarketplaceSubscription" }, { type: "azure-native:machinelearningservices/v20241001:MarketplaceSubscription" }, { type: "azure-native:machinelearningservices/v20241001preview:MarketplaceSubscription" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:MarketplaceSubscription" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:MarketplaceSubscription" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:MarketplaceSubscription" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:MarketplaceSubscription" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:MarketplaceSubscription" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:MarketplaceSubscription" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:MarketplaceSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MarketplaceSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/modelContainer.ts b/sdk/nodejs/machinelearningservices/modelContainer.ts index 71b261fcb133..9115945951ed 100644 --- a/sdk/nodejs/machinelearningservices/modelContainer.ts +++ b/sdk/nodejs/machinelearningservices/modelContainer.ts @@ -97,7 +97,7 @@ export class ModelContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20220201preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20220501:ModelContainer" }, { type: "azure-native:machinelearningservices/v20220601preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20221001:ModelContainer" }, { type: "azure-native:machinelearningservices/v20221001preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20221201preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20230201preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20230401:ModelContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20231001:ModelContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20240401:ModelContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20241001:ModelContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20250101preview:ModelContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20220201preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20230401:ModelContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20231001:ModelContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20240401:ModelContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:ModelContainer" }, { type: "azure-native:machinelearningservices/v20241001:ModelContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:ModelContainer" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ModelContainer" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ModelContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ModelContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/modelVersion.ts b/sdk/nodejs/machinelearningservices/modelVersion.ts index 1786f77fdf18..bfd4889d2513 100644 --- a/sdk/nodejs/machinelearningservices/modelVersion.ts +++ b/sdk/nodejs/machinelearningservices/modelVersion.ts @@ -101,7 +101,7 @@ export class ModelVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20220201preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20220501:ModelVersion" }, { type: "azure-native:machinelearningservices/v20220601preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20221001:ModelVersion" }, { type: "azure-native:machinelearningservices/v20221001preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20221201preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20230201preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20230401:ModelVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20231001:ModelVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20240401:ModelVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20241001:ModelVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:ModelVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20220201preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20230401:ModelVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20231001:ModelVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20240401:ModelVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:ModelVersion" }, { type: "azure-native:machinelearningservices/v20241001:ModelVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:ModelVersion" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ModelVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ModelVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ModelVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/onlineDeployment.ts b/sdk/nodejs/machinelearningservices/onlineDeployment.ts index bedcdfcb3742..5753c7a808bd 100644 --- a/sdk/nodejs/machinelearningservices/onlineDeployment.ts +++ b/sdk/nodejs/machinelearningservices/onlineDeployment.ts @@ -130,7 +130,7 @@ export class OnlineDeployment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20220201preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20220501:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20220601preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20221001:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20221001preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20221201preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20230201preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20230401:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20230401preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20230601preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20230801preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20231001:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20240101preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20240401:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20240401preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20240701preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20241001:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20241001preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20250101preview:OnlineDeployment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20220201preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20230401:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20230401preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20230601preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20230801preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20231001:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20240101preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20240401:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20240401preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20240701preview:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20241001:OnlineDeployment" }, { type: "azure-native:machinelearningservices/v20241001preview:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:OnlineDeployment" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:OnlineDeployment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OnlineDeployment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/onlineEndpoint.ts b/sdk/nodejs/machinelearningservices/onlineEndpoint.ts index f27fbbac1664..b598ccb1b0a5 100644 --- a/sdk/nodejs/machinelearningservices/onlineEndpoint.ts +++ b/sdk/nodejs/machinelearningservices/onlineEndpoint.ts @@ -126,7 +126,7 @@ export class OnlineEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20220201preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20220501:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20220601preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20221001:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20221001preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20221201preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20230201preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20230401:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20230401preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20230601preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20230801preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20231001:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20240101preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20240401:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20240401preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20240701preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20241001:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20241001preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20250101preview:OnlineEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210301preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20220201preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20230401:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20230401preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20230601preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20230801preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20231001:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20240101preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20240401:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20240401preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20240701preview:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20241001:OnlineEndpoint" }, { type: "azure-native:machinelearningservices/v20241001preview:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:OnlineEndpoint" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:OnlineEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OnlineEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/privateEndpointConnection.ts b/sdk/nodejs/machinelearningservices/privateEndpointConnection.ts index c5d1fbc99e62..cd5088a5e63a 100644 --- a/sdk/nodejs/machinelearningservices/privateEndpointConnection.ts +++ b/sdk/nodejs/machinelearningservices/privateEndpointConnection.ts @@ -134,7 +134,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200101:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20200218preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20200301:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20200401:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20200501preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20200515preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20200601:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20200801:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20200901preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20210101:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20210301preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20210401:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20210701:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20220101preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20220201preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20220501:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20220601preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20221001:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20221001preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20221201preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20230201preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20230401:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20230401preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20230601preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20230801preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20231001:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20240101preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20240401:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20240401preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20240701preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20241001:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20241001preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20250101preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20220101preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20230401:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20230401preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20230601preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20230801preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20231001:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20240101preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20240401:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20240401preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20240701preview:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20241001:PrivateEndpointConnection" }, { type: "azure-native:machinelearningservices/v20241001preview:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20200101:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20200218preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20200301:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20200401:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20200501preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20200515preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20200601:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20200801:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20200901preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20210101:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20210401:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20210701:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20220101preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:PrivateEndpointConnection" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/raiPolicy.ts b/sdk/nodejs/machinelearningservices/raiPolicy.ts index 894a3a5d6537..b28d98da08a4 100644 --- a/sdk/nodejs/machinelearningservices/raiPolicy.ts +++ b/sdk/nodejs/machinelearningservices/raiPolicy.ts @@ -103,7 +103,7 @@ export class RaiPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240401preview:RaiPolicy" }, { type: "azure-native:machinelearningservices/v20240701preview:RaiPolicy" }, { type: "azure-native:machinelearningservices/v20241001preview:RaiPolicy" }, { type: "azure-native:machinelearningservices/v20250101preview:RaiPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20240401preview:RaiPolicy" }, { type: "azure-native:machinelearningservices/v20240701preview:RaiPolicy" }, { type: "azure-native:machinelearningservices/v20241001preview:RaiPolicy" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RaiPolicy" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RaiPolicy" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RaiPolicy" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RaiPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RaiPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/registry.ts b/sdk/nodejs/machinelearningservices/registry.ts index 0636385627e7..2680b8791b45 100644 --- a/sdk/nodejs/machinelearningservices/registry.ts +++ b/sdk/nodejs/machinelearningservices/registry.ts @@ -122,7 +122,7 @@ export class Registry extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20221001preview:Registry" }, { type: "azure-native:machinelearningservices/v20221201preview:Registry" }, { type: "azure-native:machinelearningservices/v20230201preview:Registry" }, { type: "azure-native:machinelearningservices/v20230401:Registry" }, { type: "azure-native:machinelearningservices/v20230401preview:Registry" }, { type: "azure-native:machinelearningservices/v20230601preview:Registry" }, { type: "azure-native:machinelearningservices/v20230801preview:Registry" }, { type: "azure-native:machinelearningservices/v20231001:Registry" }, { type: "azure-native:machinelearningservices/v20240101preview:Registry" }, { type: "azure-native:machinelearningservices/v20240401:Registry" }, { type: "azure-native:machinelearningservices/v20240401preview:Registry" }, { type: "azure-native:machinelearningservices/v20240701preview:Registry" }, { type: "azure-native:machinelearningservices/v20241001:Registry" }, { type: "azure-native:machinelearningservices/v20241001preview:Registry" }, { type: "azure-native:machinelearningservices/v20250101preview:Registry" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:Registry" }, { type: "azure-native:machinelearningservices/v20230401preview:Registry" }, { type: "azure-native:machinelearningservices/v20230601preview:Registry" }, { type: "azure-native:machinelearningservices/v20230801preview:Registry" }, { type: "azure-native:machinelearningservices/v20231001:Registry" }, { type: "azure-native:machinelearningservices/v20240101preview:Registry" }, { type: "azure-native:machinelearningservices/v20240401:Registry" }, { type: "azure-native:machinelearningservices/v20240401preview:Registry" }, { type: "azure-native:machinelearningservices/v20240701preview:Registry" }, { type: "azure-native:machinelearningservices/v20241001:Registry" }, { type: "azure-native:machinelearningservices/v20241001preview:Registry" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Registry" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Registry" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Registry.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/registryCodeContainer.ts b/sdk/nodejs/machinelearningservices/registryCodeContainer.ts index f0e65fd7bf7e..5835401d6151 100644 --- a/sdk/nodejs/machinelearningservices/registryCodeContainer.ts +++ b/sdk/nodejs/machinelearningservices/registryCodeContainer.ts @@ -98,7 +98,7 @@ export class RegistryCodeContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20221001preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20221201preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20230201preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20230401:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20231001:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20240401:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20241001:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20250101preview:RegistryCodeContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20231001:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20240401:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20241001:RegistryCodeContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryCodeContainer" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryCodeContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistryCodeContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/registryCodeVersion.ts b/sdk/nodejs/machinelearningservices/registryCodeVersion.ts index e77d7d86c9d8..1523c9f4fab9 100644 --- a/sdk/nodejs/machinelearningservices/registryCodeVersion.ts +++ b/sdk/nodejs/machinelearningservices/registryCodeVersion.ts @@ -102,7 +102,7 @@ export class RegistryCodeVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20221001preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20221201preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20230201preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20230401:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20231001:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20240401:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20241001:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:RegistryCodeVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20231001:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20240401:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20241001:RegistryCodeVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryCodeVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryCodeVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistryCodeVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/registryComponentContainer.ts b/sdk/nodejs/machinelearningservices/registryComponentContainer.ts index 35df252056db..452f19e6572c 100644 --- a/sdk/nodejs/machinelearningservices/registryComponentContainer.ts +++ b/sdk/nodejs/machinelearningservices/registryComponentContainer.ts @@ -98,7 +98,7 @@ export class RegistryComponentContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20221001preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20221201preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20230201preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20230401:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20231001:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20240401:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20241001:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20250101preview:RegistryComponentContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20231001:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20240401:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20241001:RegistryComponentContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryComponentContainer" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryComponentContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistryComponentContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/registryComponentVersion.ts b/sdk/nodejs/machinelearningservices/registryComponentVersion.ts index e8ea8653b60d..d3dc1559902c 100644 --- a/sdk/nodejs/machinelearningservices/registryComponentVersion.ts +++ b/sdk/nodejs/machinelearningservices/registryComponentVersion.ts @@ -102,7 +102,7 @@ export class RegistryComponentVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20221001preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20221201preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20230201preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20230401:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20231001:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20240401:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20241001:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:RegistryComponentVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20231001:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20240401:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20241001:RegistryComponentVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryComponentVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryComponentVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistryComponentVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/registryDataContainer.ts b/sdk/nodejs/machinelearningservices/registryDataContainer.ts index 5ae66d23d2e8..4f2523eafea2 100644 --- a/sdk/nodejs/machinelearningservices/registryDataContainer.ts +++ b/sdk/nodejs/machinelearningservices/registryDataContainer.ts @@ -97,7 +97,7 @@ export class RegistryDataContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230201preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20230401:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20231001:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20240401:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20241001:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20250101preview:RegistryDataContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20231001:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20240401:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20241001:RegistryDataContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryDataContainer" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryDataContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistryDataContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/registryDataVersion.ts b/sdk/nodejs/machinelearningservices/registryDataVersion.ts index 9a0df2d18633..81b81013e7d1 100644 --- a/sdk/nodejs/machinelearningservices/registryDataVersion.ts +++ b/sdk/nodejs/machinelearningservices/registryDataVersion.ts @@ -101,7 +101,7 @@ export class RegistryDataVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230201preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20230401:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20231001:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20240401:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20241001:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:RegistryDataVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20231001:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20240401:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20241001:RegistryDataVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryDataVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryDataVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistryDataVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/registryEnvironmentContainer.ts b/sdk/nodejs/machinelearningservices/registryEnvironmentContainer.ts index 312e25fb2b8a..6fd0832b1a2a 100644 --- a/sdk/nodejs/machinelearningservices/registryEnvironmentContainer.ts +++ b/sdk/nodejs/machinelearningservices/registryEnvironmentContainer.ts @@ -98,7 +98,7 @@ export class RegistryEnvironmentContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20221001preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20221201preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230201preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230401:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20231001:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240401:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20241001:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20250101preview:RegistryEnvironmentContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20231001:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240401:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20241001:RegistryEnvironmentContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryEnvironmentContainer" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryEnvironmentContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistryEnvironmentContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/registryEnvironmentVersion.ts b/sdk/nodejs/machinelearningservices/registryEnvironmentVersion.ts index d32e3ad83c7b..c3b3ffc6c15c 100644 --- a/sdk/nodejs/machinelearningservices/registryEnvironmentVersion.ts +++ b/sdk/nodejs/machinelearningservices/registryEnvironmentVersion.ts @@ -102,7 +102,7 @@ export class RegistryEnvironmentVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20221001preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20221201preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230201preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230401:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20231001:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:RegistryEnvironmentVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20231001:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001:RegistryEnvironmentVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryEnvironmentVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryEnvironmentVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistryEnvironmentVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/registryModelContainer.ts b/sdk/nodejs/machinelearningservices/registryModelContainer.ts index 4c65ad236d17..21f951fc9af0 100644 --- a/sdk/nodejs/machinelearningservices/registryModelContainer.ts +++ b/sdk/nodejs/machinelearningservices/registryModelContainer.ts @@ -98,7 +98,7 @@ export class RegistryModelContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20221001preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20221201preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20230201preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20230401:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20231001:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20240401:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20241001:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20250101preview:RegistryModelContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20231001:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20240401:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20241001:RegistryModelContainer" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryModelContainer" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryModelContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistryModelContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/registryModelVersion.ts b/sdk/nodejs/machinelearningservices/registryModelVersion.ts index c431c9137db3..0e3317c30570 100644 --- a/sdk/nodejs/machinelearningservices/registryModelVersion.ts +++ b/sdk/nodejs/machinelearningservices/registryModelVersion.ts @@ -102,7 +102,7 @@ export class RegistryModelVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20221001preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20221201preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20230201preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20230401:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20231001:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20240401:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20241001:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20250101preview:RegistryModelVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20230401preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20230601preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20230801preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20231001:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20240101preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20240401:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20240401preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20240701preview:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20241001:RegistryModelVersion" }, { type: "azure-native:machinelearningservices/v20241001preview:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryModelVersion" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryModelVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistryModelVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/schedule.ts b/sdk/nodejs/machinelearningservices/schedule.ts index ca01dd5be8ac..2662fd3e2b46 100644 --- a/sdk/nodejs/machinelearningservices/schedule.ts +++ b/sdk/nodejs/machinelearningservices/schedule.ts @@ -97,7 +97,7 @@ export class Schedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20220601preview:Schedule" }, { type: "azure-native:machinelearningservices/v20221001:Schedule" }, { type: "azure-native:machinelearningservices/v20221001preview:Schedule" }, { type: "azure-native:machinelearningservices/v20221201preview:Schedule" }, { type: "azure-native:machinelearningservices/v20230201preview:Schedule" }, { type: "azure-native:machinelearningservices/v20230401:Schedule" }, { type: "azure-native:machinelearningservices/v20230401preview:Schedule" }, { type: "azure-native:machinelearningservices/v20230601preview:Schedule" }, { type: "azure-native:machinelearningservices/v20230801preview:Schedule" }, { type: "azure-native:machinelearningservices/v20231001:Schedule" }, { type: "azure-native:machinelearningservices/v20240101preview:Schedule" }, { type: "azure-native:machinelearningservices/v20240401:Schedule" }, { type: "azure-native:machinelearningservices/v20240401preview:Schedule" }, { type: "azure-native:machinelearningservices/v20240701preview:Schedule" }, { type: "azure-native:machinelearningservices/v20241001:Schedule" }, { type: "azure-native:machinelearningservices/v20241001preview:Schedule" }, { type: "azure-native:machinelearningservices/v20250101preview:Schedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230401:Schedule" }, { type: "azure-native:machinelearningservices/v20230401preview:Schedule" }, { type: "azure-native:machinelearningservices/v20230601preview:Schedule" }, { type: "azure-native:machinelearningservices/v20230801preview:Schedule" }, { type: "azure-native:machinelearningservices/v20231001:Schedule" }, { type: "azure-native:machinelearningservices/v20240101preview:Schedule" }, { type: "azure-native:machinelearningservices/v20240401:Schedule" }, { type: "azure-native:machinelearningservices/v20240401preview:Schedule" }, { type: "azure-native:machinelearningservices/v20240701preview:Schedule" }, { type: "azure-native:machinelearningservices/v20241001:Schedule" }, { type: "azure-native:machinelearningservices/v20241001preview:Schedule" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Schedule" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Schedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Schedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/serverlessEndpoint.ts b/sdk/nodejs/machinelearningservices/serverlessEndpoint.ts index 24607f6dde58..61cc0421dcbc 100644 --- a/sdk/nodejs/machinelearningservices/serverlessEndpoint.ts +++ b/sdk/nodejs/machinelearningservices/serverlessEndpoint.ts @@ -127,7 +127,7 @@ export class ServerlessEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230801preview:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20240101preview:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20240401:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20240401preview:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20240701preview:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20241001:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20241001preview:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20250101preview:ServerlessEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20230801preview:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20240101preview:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20240401:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20240401preview:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20240701preview:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20241001:ServerlessEndpoint" }, { type: "azure-native:machinelearningservices/v20241001preview:ServerlessEndpoint" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:ServerlessEndpoint" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:ServerlessEndpoint" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:ServerlessEndpoint" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:ServerlessEndpoint" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:ServerlessEndpoint" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:ServerlessEndpoint" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:ServerlessEndpoint" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:ServerlessEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerlessEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/workspace.ts b/sdk/nodejs/machinelearningservices/workspace.ts index e54671b7d358..297e9591a148 100644 --- a/sdk/nodejs/machinelearningservices/workspace.ts +++ b/sdk/nodejs/machinelearningservices/workspace.ts @@ -295,7 +295,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["workspaceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20180301preview:Workspace" }, { type: "azure-native:machinelearningservices/v20181119:Workspace" }, { type: "azure-native:machinelearningservices/v20190501:Workspace" }, { type: "azure-native:machinelearningservices/v20190601:Workspace" }, { type: "azure-native:machinelearningservices/v20191101:Workspace" }, { type: "azure-native:machinelearningservices/v20200101:Workspace" }, { type: "azure-native:machinelearningservices/v20200218preview:Workspace" }, { type: "azure-native:machinelearningservices/v20200301:Workspace" }, { type: "azure-native:machinelearningservices/v20200401:Workspace" }, { type: "azure-native:machinelearningservices/v20200501preview:Workspace" }, { type: "azure-native:machinelearningservices/v20200515preview:Workspace" }, { type: "azure-native:machinelearningservices/v20200601:Workspace" }, { type: "azure-native:machinelearningservices/v20200801:Workspace" }, { type: "azure-native:machinelearningservices/v20200901preview:Workspace" }, { type: "azure-native:machinelearningservices/v20210101:Workspace" }, { type: "azure-native:machinelearningservices/v20210301preview:Workspace" }, { type: "azure-native:machinelearningservices/v20210401:Workspace" }, { type: "azure-native:machinelearningservices/v20210701:Workspace" }, { type: "azure-native:machinelearningservices/v20220101preview:Workspace" }, { type: "azure-native:machinelearningservices/v20220201preview:Workspace" }, { type: "azure-native:machinelearningservices/v20220501:Workspace" }, { type: "azure-native:machinelearningservices/v20220601preview:Workspace" }, { type: "azure-native:machinelearningservices/v20221001:Workspace" }, { type: "azure-native:machinelearningservices/v20221001preview:Workspace" }, { type: "azure-native:machinelearningservices/v20221201preview:Workspace" }, { type: "azure-native:machinelearningservices/v20230201preview:Workspace" }, { type: "azure-native:machinelearningservices/v20230401:Workspace" }, { type: "azure-native:machinelearningservices/v20230401preview:Workspace" }, { type: "azure-native:machinelearningservices/v20230601preview:Workspace" }, { type: "azure-native:machinelearningservices/v20230801preview:Workspace" }, { type: "azure-native:machinelearningservices/v20231001:Workspace" }, { type: "azure-native:machinelearningservices/v20240101preview:Workspace" }, { type: "azure-native:machinelearningservices/v20240401:Workspace" }, { type: "azure-native:machinelearningservices/v20240401preview:Workspace" }, { type: "azure-native:machinelearningservices/v20240701preview:Workspace" }, { type: "azure-native:machinelearningservices/v20241001:Workspace" }, { type: "azure-native:machinelearningservices/v20241001preview:Workspace" }, { type: "azure-native:machinelearningservices/v20250101preview:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200801:Workspace" }, { type: "azure-native:machinelearningservices/v20200901preview:Workspace" }, { type: "azure-native:machinelearningservices/v20220101preview:Workspace" }, { type: "azure-native:machinelearningservices/v20230401:Workspace" }, { type: "azure-native:machinelearningservices/v20230401preview:Workspace" }, { type: "azure-native:machinelearningservices/v20230601preview:Workspace" }, { type: "azure-native:machinelearningservices/v20230801preview:Workspace" }, { type: "azure-native:machinelearningservices/v20231001:Workspace" }, { type: "azure-native:machinelearningservices/v20240101preview:Workspace" }, { type: "azure-native:machinelearningservices/v20240401:Workspace" }, { type: "azure-native:machinelearningservices/v20240401preview:Workspace" }, { type: "azure-native:machinelearningservices/v20240701preview:Workspace" }, { type: "azure-native:machinelearningservices/v20241001:Workspace" }, { type: "azure-native:machinelearningservices/v20241001preview:Workspace" }, { type: "azure-native_machinelearningservices_v20180301preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20181119:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20190501:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20190601:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20191101:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20200101:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20200218preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20200301:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20200401:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20200501preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20200515preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20200601:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20200801:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20200901preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20210101:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20210401:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20210701:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20220101preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:Workspace" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/machinelearningservices/workspaceConnection.ts b/sdk/nodejs/machinelearningservices/workspaceConnection.ts index 5151934d17d1..0ee6fa95933c 100644 --- a/sdk/nodejs/machinelearningservices/workspaceConnection.ts +++ b/sdk/nodejs/machinelearningservices/workspaceConnection.ts @@ -93,7 +93,7 @@ export class WorkspaceConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20200601:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20200801:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20200901preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20210101:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20210301preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20210401:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20210701:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20220101preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20220201preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20220501:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20220601preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20221001:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20221001preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20221201preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20230201preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20230401:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20230401preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20230601preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20230801preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20231001:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20240101preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20240401:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20240401preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20240701preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20241001:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20241001preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20250101preview:WorkspaceConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:machinelearningservices/v20210401:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20220201preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20230401:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20230401preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20230601preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20230801preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20231001:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20240101preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20240401:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20240401preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20240701preview:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20241001:WorkspaceConnection" }, { type: "azure-native:machinelearningservices/v20241001preview:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20200601:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20200801:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20200901preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20210101:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20210301preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20210401:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20210701:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20220101preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20220201preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20220501:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20220601preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20221001:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20221001preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20221201preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20230201preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20230401:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20230401preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20230601preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20230801preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20231001:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20240101preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20240401:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20240401preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20240701preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20241001:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20241001preview:machinelearningservices:WorkspaceConnection" }, { type: "azure-native_machinelearningservices_v20250101preview:machinelearningservices:WorkspaceConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/maintenance/configurationAssignment.ts b/sdk/nodejs/maintenance/configurationAssignment.ts index f6f83b0e44e4..69e3fc3393f7 100644 --- a/sdk/nodejs/maintenance/configurationAssignment.ts +++ b/sdk/nodejs/maintenance/configurationAssignment.ts @@ -121,7 +121,7 @@ export class ConfigurationAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:maintenance/v20210401preview:ConfigurationAssignment" }, { type: "azure-native:maintenance/v20210901preview:ConfigurationAssignment" }, { type: "azure-native:maintenance/v20220701preview:ConfigurationAssignment" }, { type: "azure-native:maintenance/v20221101preview:ConfigurationAssignment" }, { type: "azure-native:maintenance/v20230401:ConfigurationAssignment" }, { type: "azure-native:maintenance/v20230901preview:ConfigurationAssignment" }, { type: "azure-native:maintenance/v20231001preview:ConfigurationAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:maintenance/v20221101preview:ConfigurationAssignment" }, { type: "azure-native:maintenance/v20230401:ConfigurationAssignment" }, { type: "azure-native:maintenance/v20230901preview:ConfigurationAssignment" }, { type: "azure-native:maintenance/v20231001preview:ConfigurationAssignment" }, { type: "azure-native_maintenance_v20210401preview:maintenance:ConfigurationAssignment" }, { type: "azure-native_maintenance_v20210901preview:maintenance:ConfigurationAssignment" }, { type: "azure-native_maintenance_v20220701preview:maintenance:ConfigurationAssignment" }, { type: "azure-native_maintenance_v20221101preview:maintenance:ConfigurationAssignment" }, { type: "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignment" }, { type: "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignment" }, { type: "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/maintenance/configurationAssignmentParent.ts b/sdk/nodejs/maintenance/configurationAssignmentParent.ts index baa6b61eb7fc..e8cf6ab7c134 100644 --- a/sdk/nodejs/maintenance/configurationAssignmentParent.ts +++ b/sdk/nodejs/maintenance/configurationAssignmentParent.ts @@ -129,7 +129,7 @@ export class ConfigurationAssignmentParent extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:maintenance/v20210401preview:ConfigurationAssignmentParent" }, { type: "azure-native:maintenance/v20210901preview:ConfigurationAssignmentParent" }, { type: "azure-native:maintenance/v20220701preview:ConfigurationAssignmentParent" }, { type: "azure-native:maintenance/v20221101preview:ConfigurationAssignmentParent" }, { type: "azure-native:maintenance/v20230401:ConfigurationAssignmentParent" }, { type: "azure-native:maintenance/v20230901preview:ConfigurationAssignmentParent" }, { type: "azure-native:maintenance/v20231001preview:ConfigurationAssignmentParent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:maintenance/v20221101preview:ConfigurationAssignmentParent" }, { type: "azure-native:maintenance/v20230401:ConfigurationAssignmentParent" }, { type: "azure-native:maintenance/v20230901preview:ConfigurationAssignmentParent" }, { type: "azure-native:maintenance/v20231001preview:ConfigurationAssignmentParent" }, { type: "azure-native_maintenance_v20210401preview:maintenance:ConfigurationAssignmentParent" }, { type: "azure-native_maintenance_v20210901preview:maintenance:ConfigurationAssignmentParent" }, { type: "azure-native_maintenance_v20220701preview:maintenance:ConfigurationAssignmentParent" }, { type: "azure-native_maintenance_v20221101preview:maintenance:ConfigurationAssignmentParent" }, { type: "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentParent" }, { type: "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentParent" }, { type: "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentParent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationAssignmentParent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/maintenance/configurationAssignmentsForResourceGroup.ts b/sdk/nodejs/maintenance/configurationAssignmentsForResourceGroup.ts index b916c8ad58a9..9def77403d4b 100644 --- a/sdk/nodejs/maintenance/configurationAssignmentsForResourceGroup.ts +++ b/sdk/nodejs/maintenance/configurationAssignmentsForResourceGroup.ts @@ -109,7 +109,7 @@ export class ConfigurationAssignmentsForResourceGroup extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:maintenance/v20230401:ConfigurationAssignmentsForResourceGroup" }, { type: "azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForResourceGroup" }, { type: "azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForResourceGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:maintenance/v20230401:ConfigurationAssignmentsForResourceGroup" }, { type: "azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForResourceGroup" }, { type: "azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForResourceGroup" }, { type: "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentsForResourceGroup" }, { type: "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentsForResourceGroup" }, { type: "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentsForResourceGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationAssignmentsForResourceGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/maintenance/configurationAssignmentsForSubscription.ts b/sdk/nodejs/maintenance/configurationAssignmentsForSubscription.ts index 8417e8da446f..05310eb74afb 100644 --- a/sdk/nodejs/maintenance/configurationAssignmentsForSubscription.ts +++ b/sdk/nodejs/maintenance/configurationAssignmentsForSubscription.ts @@ -105,7 +105,7 @@ export class ConfigurationAssignmentsForSubscription extends pulumi.CustomResour resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:maintenance/v20230401:ConfigurationAssignmentsForSubscription" }, { type: "azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForSubscription" }, { type: "azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:maintenance/v20230401:ConfigurationAssignmentsForSubscription" }, { type: "azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForSubscription" }, { type: "azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForSubscription" }, { type: "azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentsForSubscription" }, { type: "azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentsForSubscription" }, { type: "azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentsForSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationAssignmentsForSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/maintenance/maintenanceConfiguration.ts b/sdk/nodejs/maintenance/maintenanceConfiguration.ts index 6325235b97d2..028e608e3b20 100644 --- a/sdk/nodejs/maintenance/maintenanceConfiguration.ts +++ b/sdk/nodejs/maintenance/maintenanceConfiguration.ts @@ -157,7 +157,7 @@ export class MaintenanceConfiguration extends pulumi.CustomResource { resourceInputs["visibility"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:maintenance/v20180601preview:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20200401:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20200701preview:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20210401preview:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20210501:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20210901preview:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20220701preview:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20221101preview:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20230401:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20230901preview:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20231001preview:MaintenanceConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:maintenance/v20221101preview:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20230401:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20230901preview:MaintenanceConfiguration" }, { type: "azure-native:maintenance/v20231001preview:MaintenanceConfiguration" }, { type: "azure-native_maintenance_v20180601preview:maintenance:MaintenanceConfiguration" }, { type: "azure-native_maintenance_v20200401:maintenance:MaintenanceConfiguration" }, { type: "azure-native_maintenance_v20200701preview:maintenance:MaintenanceConfiguration" }, { type: "azure-native_maintenance_v20210401preview:maintenance:MaintenanceConfiguration" }, { type: "azure-native_maintenance_v20210501:maintenance:MaintenanceConfiguration" }, { type: "azure-native_maintenance_v20210901preview:maintenance:MaintenanceConfiguration" }, { type: "azure-native_maintenance_v20220701preview:maintenance:MaintenanceConfiguration" }, { type: "azure-native_maintenance_v20221101preview:maintenance:MaintenanceConfiguration" }, { type: "azure-native_maintenance_v20230401:maintenance:MaintenanceConfiguration" }, { type: "azure-native_maintenance_v20230901preview:maintenance:MaintenanceConfiguration" }, { type: "azure-native_maintenance_v20231001preview:maintenance:MaintenanceConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MaintenanceConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managedidentity/federatedIdentityCredential.ts b/sdk/nodejs/managedidentity/federatedIdentityCredential.ts index b9f811e54a5c..bb1ad4c0387d 100644 --- a/sdk/nodejs/managedidentity/federatedIdentityCredential.ts +++ b/sdk/nodejs/managedidentity/federatedIdentityCredential.ts @@ -116,7 +116,7 @@ export class FederatedIdentityCredential extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managedidentity/v20220131preview:FederatedIdentityCredential" }, { type: "azure-native:managedidentity/v20230131:FederatedIdentityCredential" }, { type: "azure-native:managedidentity/v20230731preview:FederatedIdentityCredential" }, { type: "azure-native:managedidentity/v20241130:FederatedIdentityCredential" }, { type: "azure-native:managedidentity/v20250131preview:FederatedIdentityCredential" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managedidentity/v20230131:FederatedIdentityCredential" }, { type: "azure-native:managedidentity/v20230731preview:FederatedIdentityCredential" }, { type: "azure-native:managedidentity/v20241130:FederatedIdentityCredential" }, { type: "azure-native_managedidentity_v20220131preview:managedidentity:FederatedIdentityCredential" }, { type: "azure-native_managedidentity_v20230131:managedidentity:FederatedIdentityCredential" }, { type: "azure-native_managedidentity_v20230731preview:managedidentity:FederatedIdentityCredential" }, { type: "azure-native_managedidentity_v20241130:managedidentity:FederatedIdentityCredential" }, { type: "azure-native_managedidentity_v20250131preview:managedidentity:FederatedIdentityCredential" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FederatedIdentityCredential.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managedidentity/userAssignedIdentity.ts b/sdk/nodejs/managedidentity/userAssignedIdentity.ts index 02b03a5cf4d5..3969265d5aac 100644 --- a/sdk/nodejs/managedidentity/userAssignedIdentity.ts +++ b/sdk/nodejs/managedidentity/userAssignedIdentity.ts @@ -115,7 +115,7 @@ export class UserAssignedIdentity extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managedidentity/v20150831preview:UserAssignedIdentity" }, { type: "azure-native:managedidentity/v20181130:UserAssignedIdentity" }, { type: "azure-native:managedidentity/v20210930preview:UserAssignedIdentity" }, { type: "azure-native:managedidentity/v20220131preview:UserAssignedIdentity" }, { type: "azure-native:managedidentity/v20230131:UserAssignedIdentity" }, { type: "azure-native:managedidentity/v20230731preview:UserAssignedIdentity" }, { type: "azure-native:managedidentity/v20241130:UserAssignedIdentity" }, { type: "azure-native:managedidentity/v20250131preview:UserAssignedIdentity" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managedidentity/v20230131:UserAssignedIdentity" }, { type: "azure-native:managedidentity/v20230731preview:UserAssignedIdentity" }, { type: "azure-native:managedidentity/v20241130:UserAssignedIdentity" }, { type: "azure-native_managedidentity_v20150831preview:managedidentity:UserAssignedIdentity" }, { type: "azure-native_managedidentity_v20181130:managedidentity:UserAssignedIdentity" }, { type: "azure-native_managedidentity_v20210930preview:managedidentity:UserAssignedIdentity" }, { type: "azure-native_managedidentity_v20220131preview:managedidentity:UserAssignedIdentity" }, { type: "azure-native_managedidentity_v20230131:managedidentity:UserAssignedIdentity" }, { type: "azure-native_managedidentity_v20230731preview:managedidentity:UserAssignedIdentity" }, { type: "azure-native_managedidentity_v20241130:managedidentity:UserAssignedIdentity" }, { type: "azure-native_managedidentity_v20250131preview:managedidentity:UserAssignedIdentity" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(UserAssignedIdentity.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetwork/managedNetwork.ts b/sdk/nodejs/managednetwork/managedNetwork.ts index b285a34d5e62..aa2858ec1fa3 100644 --- a/sdk/nodejs/managednetwork/managedNetwork.ts +++ b/sdk/nodejs/managednetwork/managedNetwork.ts @@ -113,7 +113,7 @@ export class ManagedNetwork extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetwork/v20190601preview:ManagedNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetwork/v20190601preview:ManagedNetwork" }, { type: "azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetwork/managedNetworkGroup.ts b/sdk/nodejs/managednetwork/managedNetworkGroup.ts index 0390bd07dc91..43ada7d92793 100644 --- a/sdk/nodejs/managednetwork/managedNetworkGroup.ts +++ b/sdk/nodejs/managednetwork/managedNetworkGroup.ts @@ -129,7 +129,7 @@ export class ManagedNetworkGroup extends pulumi.CustomResource { resourceInputs["virtualNetworks"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetwork/v20190601preview:ManagedNetworkGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetwork/v20190601preview:ManagedNetworkGroup" }, { type: "azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetworkGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedNetworkGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetwork/managedNetworkPeeringPolicy.ts b/sdk/nodejs/managednetwork/managedNetworkPeeringPolicy.ts index 8293c6ec9b4c..d1a98860258a 100644 --- a/sdk/nodejs/managednetwork/managedNetworkPeeringPolicy.ts +++ b/sdk/nodejs/managednetwork/managedNetworkPeeringPolicy.ts @@ -93,7 +93,7 @@ export class ManagedNetworkPeeringPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetwork/v20190601preview:ManagedNetworkPeeringPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetwork/v20190601preview:ManagedNetworkPeeringPolicy" }, { type: "azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetworkPeeringPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedNetworkPeeringPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetwork/scopeAssignment.ts b/sdk/nodejs/managednetwork/scopeAssignment.ts index 20dd973b58ad..161a94a3cc07 100644 --- a/sdk/nodejs/managednetwork/scopeAssignment.ts +++ b/sdk/nodejs/managednetwork/scopeAssignment.ts @@ -98,7 +98,7 @@ export class ScopeAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetwork/v20190601preview:ScopeAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetwork/v20190601preview:ScopeAssignment" }, { type: "azure-native_managednetwork_v20190601preview:managednetwork:ScopeAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScopeAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/accessControlList.ts b/sdk/nodejs/managednetworkfabric/accessControlList.ts index 9a0602c2a4c5..a84b63187ef5 100644 --- a/sdk/nodejs/managednetworkfabric/accessControlList.ts +++ b/sdk/nodejs/managednetworkfabric/accessControlList.ts @@ -160,7 +160,7 @@ export class AccessControlList extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:AccessControlList" }, { type: "azure-native:managednetworkfabric/v20230615:AccessControlList" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:AccessControlList" }, { type: "azure-native:managednetworkfabric/v20230615:AccessControlList" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:AccessControlList" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:AccessControlList" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccessControlList.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/externalNetwork.ts b/sdk/nodejs/managednetworkfabric/externalNetwork.ts index 5616c020ce3c..06346fefc8df 100644 --- a/sdk/nodejs/managednetworkfabric/externalNetwork.ts +++ b/sdk/nodejs/managednetworkfabric/externalNetwork.ts @@ -164,7 +164,7 @@ export class ExternalNetwork extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:ExternalNetwork" }, { type: "azure-native:managednetworkfabric/v20230615:ExternalNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:ExternalNetwork" }, { type: "azure-native:managednetworkfabric/v20230615:ExternalNetwork" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:ExternalNetwork" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:ExternalNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExternalNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/internalNetwork.ts b/sdk/nodejs/managednetworkfabric/internalNetwork.ts index 60f74a726802..43d7a0e0a1ed 100644 --- a/sdk/nodejs/managednetworkfabric/internalNetwork.ts +++ b/sdk/nodejs/managednetworkfabric/internalNetwork.ts @@ -200,7 +200,7 @@ export class InternalNetwork extends pulumi.CustomResource { resourceInputs["vlanId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:InternalNetwork" }, { type: "azure-native:managednetworkfabric/v20230615:InternalNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:InternalNetwork" }, { type: "azure-native:managednetworkfabric/v20230615:InternalNetwork" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:InternalNetwork" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternalNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InternalNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/internetGateway.ts b/sdk/nodejs/managednetworkfabric/internetGateway.ts index f019082245e5..e4c4c6fc8cd1 100644 --- a/sdk/nodejs/managednetworkfabric/internetGateway.ts +++ b/sdk/nodejs/managednetworkfabric/internetGateway.ts @@ -137,7 +137,7 @@ export class InternetGateway extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:InternetGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:InternetGateway" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternetGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InternetGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/internetGatewayRule.ts b/sdk/nodejs/managednetworkfabric/internetGatewayRule.ts index 3740e75513ba..852cfc8d6d82 100644 --- a/sdk/nodejs/managednetworkfabric/internetGatewayRule.ts +++ b/sdk/nodejs/managednetworkfabric/internetGatewayRule.ts @@ -122,7 +122,7 @@ export class InternetGatewayRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:InternetGatewayRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:InternetGatewayRule" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternetGatewayRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InternetGatewayRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/ipCommunity.ts b/sdk/nodejs/managednetworkfabric/ipCommunity.ts index 60a45a914549..517c607cf01c 100644 --- a/sdk/nodejs/managednetworkfabric/ipCommunity.ts +++ b/sdk/nodejs/managednetworkfabric/ipCommunity.ts @@ -130,7 +130,7 @@ export class IpCommunity extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:IpCommunity" }, { type: "azure-native:managednetworkfabric/v20230615:IpCommunity" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:IpCommunity" }, { type: "azure-native:managednetworkfabric/v20230615:IpCommunity" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpCommunity" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpCommunity" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IpCommunity.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/ipExtendedCommunity.ts b/sdk/nodejs/managednetworkfabric/ipExtendedCommunity.ts index fd3bdd6ce251..dace84f0d802 100644 --- a/sdk/nodejs/managednetworkfabric/ipExtendedCommunity.ts +++ b/sdk/nodejs/managednetworkfabric/ipExtendedCommunity.ts @@ -130,7 +130,7 @@ export class IpExtendedCommunity extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:IpExtendedCommunity" }, { type: "azure-native:managednetworkfabric/v20230615:IpExtendedCommunity" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:IpExtendedCommunity" }, { type: "azure-native:managednetworkfabric/v20230615:IpExtendedCommunity" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpExtendedCommunity" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpExtendedCommunity" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IpExtendedCommunity.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/ipPrefix.ts b/sdk/nodejs/managednetworkfabric/ipPrefix.ts index c384413d2be2..51bbe38f2965 100644 --- a/sdk/nodejs/managednetworkfabric/ipPrefix.ts +++ b/sdk/nodejs/managednetworkfabric/ipPrefix.ts @@ -130,7 +130,7 @@ export class IpPrefix extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:IpPrefix" }, { type: "azure-native:managednetworkfabric/v20230615:IpPrefix" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:IpPrefix" }, { type: "azure-native:managednetworkfabric/v20230615:IpPrefix" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpPrefix" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpPrefix" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IpPrefix.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/l2isolationDomain.ts b/sdk/nodejs/managednetworkfabric/l2isolationDomain.ts index 78c8a9f3fdf2..0401a0a43019 100644 --- a/sdk/nodejs/managednetworkfabric/l2isolationDomain.ts +++ b/sdk/nodejs/managednetworkfabric/l2isolationDomain.ts @@ -145,7 +145,7 @@ export class L2IsolationDomain extends pulumi.CustomResource { resourceInputs["vlanId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:L2IsolationDomain" }, { type: "azure-native:managednetworkfabric/v20230615:L2IsolationDomain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:L2IsolationDomain" }, { type: "azure-native:managednetworkfabric/v20230615:L2IsolationDomain" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:L2IsolationDomain" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:L2IsolationDomain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(L2IsolationDomain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/l3isolationDomain.ts b/sdk/nodejs/managednetworkfabric/l3isolationDomain.ts index f5ab5e0f9500..0b5113eb0240 100644 --- a/sdk/nodejs/managednetworkfabric/l3isolationDomain.ts +++ b/sdk/nodejs/managednetworkfabric/l3isolationDomain.ts @@ -154,7 +154,7 @@ export class L3IsolationDomain extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:L3IsolationDomain" }, { type: "azure-native:managednetworkfabric/v20230615:L3IsolationDomain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:L3IsolationDomain" }, { type: "azure-native:managednetworkfabric/v20230615:L3IsolationDomain" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:L3IsolationDomain" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:L3IsolationDomain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(L3IsolationDomain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/neighborGroup.ts b/sdk/nodejs/managednetworkfabric/neighborGroup.ts index 4d4c1c464f7c..9462a5cbee0d 100644 --- a/sdk/nodejs/managednetworkfabric/neighborGroup.ts +++ b/sdk/nodejs/managednetworkfabric/neighborGroup.ts @@ -128,7 +128,7 @@ export class NeighborGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:NeighborGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:NeighborGroup" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NeighborGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NeighborGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/networkDevice.ts b/sdk/nodejs/managednetworkfabric/networkDevice.ts index 21be93dd23ae..48626026e270 100644 --- a/sdk/nodejs/managednetworkfabric/networkDevice.ts +++ b/sdk/nodejs/managednetworkfabric/networkDevice.ts @@ -172,7 +172,7 @@ export class NetworkDevice extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkDevice" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkDevice" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkDevice" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkDevice" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkDevice" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkDevice" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkDevice.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/networkFabric.ts b/sdk/nodejs/managednetworkfabric/networkFabric.ts index f9348ea3dddd..4b32d0427e4f 100644 --- a/sdk/nodejs/managednetworkfabric/networkFabric.ts +++ b/sdk/nodejs/managednetworkfabric/networkFabric.ts @@ -226,7 +226,7 @@ export class NetworkFabric extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkFabric" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkFabric" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkFabric" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkFabric" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkFabric" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkFabric" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkFabric.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/networkFabricController.ts b/sdk/nodejs/managednetworkfabric/networkFabricController.ts index c4905a21e89c..96576d978e8b 100644 --- a/sdk/nodejs/managednetworkfabric/networkFabricController.ts +++ b/sdk/nodejs/managednetworkfabric/networkFabricController.ts @@ -181,7 +181,7 @@ export class NetworkFabricController extends pulumi.CustomResource { resourceInputs["workloadServices"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkFabricController" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkFabricController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkFabricController" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkFabricController" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkFabricController" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkFabricController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkFabricController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/networkInterface.ts b/sdk/nodejs/managednetworkfabric/networkInterface.ts index 7ab40e8b0e3b..7c6d24cad580 100644 --- a/sdk/nodejs/managednetworkfabric/networkInterface.ts +++ b/sdk/nodejs/managednetworkfabric/networkInterface.ts @@ -137,7 +137,7 @@ export class NetworkInterface extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkInterface" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkInterface" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkInterface" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkInterface" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkInterface" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkInterface" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkInterface.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/networkPacketBroker.ts b/sdk/nodejs/managednetworkfabric/networkPacketBroker.ts index 2fd9c8011159..98f7e82edd24 100644 --- a/sdk/nodejs/managednetworkfabric/networkPacketBroker.ts +++ b/sdk/nodejs/managednetworkfabric/networkPacketBroker.ts @@ -134,7 +134,7 @@ export class NetworkPacketBroker extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:NetworkPacketBroker" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:NetworkPacketBroker" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkPacketBroker" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkPacketBroker.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/networkRack.ts b/sdk/nodejs/managednetworkfabric/networkRack.ts index 867a8006eafd..3dd162364719 100644 --- a/sdk/nodejs/managednetworkfabric/networkRack.ts +++ b/sdk/nodejs/managednetworkfabric/networkRack.ts @@ -130,7 +130,7 @@ export class NetworkRack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkRack" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkRack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkRack" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkRack" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkRack" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkRack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkRack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/networkTap.ts b/sdk/nodejs/managednetworkfabric/networkTap.ts index 09b2bc61abfc..7c339ac916a8 100644 --- a/sdk/nodejs/managednetworkfabric/networkTap.ts +++ b/sdk/nodejs/managednetworkfabric/networkTap.ts @@ -149,7 +149,7 @@ export class NetworkTap extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:NetworkTap" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:NetworkTap" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkTap" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkTap.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/networkTapRule.ts b/sdk/nodejs/managednetworkfabric/networkTapRule.ts index e2be1f4a155e..b94c12a1ed7a 100644 --- a/sdk/nodejs/managednetworkfabric/networkTapRule.ts +++ b/sdk/nodejs/managednetworkfabric/networkTapRule.ts @@ -164,7 +164,7 @@ export class NetworkTapRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:NetworkTapRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230615:NetworkTapRule" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkTapRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkTapRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/networkToNetworkInterconnect.ts b/sdk/nodejs/managednetworkfabric/networkToNetworkInterconnect.ts index 71e2dfe5cf5d..362d7715f4f5 100644 --- a/sdk/nodejs/managednetworkfabric/networkToNetworkInterconnect.ts +++ b/sdk/nodejs/managednetworkfabric/networkToNetworkInterconnect.ts @@ -170,7 +170,7 @@ export class NetworkToNetworkInterconnect extends pulumi.CustomResource { resourceInputs["useOptionB"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkToNetworkInterconnect" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkToNetworkInterconnect" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:NetworkToNetworkInterconnect" }, { type: "azure-native:managednetworkfabric/v20230615:NetworkToNetworkInterconnect" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkToNetworkInterconnect" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkToNetworkInterconnect" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkToNetworkInterconnect.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managednetworkfabric/routePolicy.ts b/sdk/nodejs/managednetworkfabric/routePolicy.ts index 67679255c4c9..9d5de47a8fc3 100644 --- a/sdk/nodejs/managednetworkfabric/routePolicy.ts +++ b/sdk/nodejs/managednetworkfabric/routePolicy.ts @@ -151,7 +151,7 @@ export class RoutePolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:RoutePolicy" }, { type: "azure-native:managednetworkfabric/v20230615:RoutePolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managednetworkfabric/v20230201preview:RoutePolicy" }, { type: "azure-native:managednetworkfabric/v20230615:RoutePolicy" }, { type: "azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:RoutePolicy" }, { type: "azure-native_managednetworkfabric_v20230615:managednetworkfabric:RoutePolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RoutePolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managedservices/registrationAssignment.ts b/sdk/nodejs/managedservices/registrationAssignment.ts index 677e6799de2b..413c8ca2efd7 100644 --- a/sdk/nodejs/managedservices/registrationAssignment.ts +++ b/sdk/nodejs/managedservices/registrationAssignment.ts @@ -89,7 +89,7 @@ export class RegistrationAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managedservices/v20180601preview:RegistrationAssignment" }, { type: "azure-native:managedservices/v20190401preview:RegistrationAssignment" }, { type: "azure-native:managedservices/v20190601:RegistrationAssignment" }, { type: "azure-native:managedservices/v20190901:RegistrationAssignment" }, { type: "azure-native:managedservices/v20200201preview:RegistrationAssignment" }, { type: "azure-native:managedservices/v20220101preview:RegistrationAssignment" }, { type: "azure-native:managedservices/v20221001:RegistrationAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managedservices/v20221001:RegistrationAssignment" }, { type: "azure-native_managedservices_v20180601preview:managedservices:RegistrationAssignment" }, { type: "azure-native_managedservices_v20190401preview:managedservices:RegistrationAssignment" }, { type: "azure-native_managedservices_v20190601:managedservices:RegistrationAssignment" }, { type: "azure-native_managedservices_v20190901:managedservices:RegistrationAssignment" }, { type: "azure-native_managedservices_v20200201preview:managedservices:RegistrationAssignment" }, { type: "azure-native_managedservices_v20220101preview:managedservices:RegistrationAssignment" }, { type: "azure-native_managedservices_v20221001:managedservices:RegistrationAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistrationAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managedservices/registrationDefinition.ts b/sdk/nodejs/managedservices/registrationDefinition.ts index 715a353b0b4b..612b9863eb8e 100644 --- a/sdk/nodejs/managedservices/registrationDefinition.ts +++ b/sdk/nodejs/managedservices/registrationDefinition.ts @@ -95,7 +95,7 @@ export class RegistrationDefinition extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managedservices/v20180601preview:RegistrationDefinition" }, { type: "azure-native:managedservices/v20190401preview:RegistrationDefinition" }, { type: "azure-native:managedservices/v20190601:RegistrationDefinition" }, { type: "azure-native:managedservices/v20190901:RegistrationDefinition" }, { type: "azure-native:managedservices/v20200201preview:RegistrationDefinition" }, { type: "azure-native:managedservices/v20220101preview:RegistrationDefinition" }, { type: "azure-native:managedservices/v20221001:RegistrationDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managedservices/v20221001:RegistrationDefinition" }, { type: "azure-native_managedservices_v20180601preview:managedservices:RegistrationDefinition" }, { type: "azure-native_managedservices_v20190401preview:managedservices:RegistrationDefinition" }, { type: "azure-native_managedservices_v20190601:managedservices:RegistrationDefinition" }, { type: "azure-native_managedservices_v20190901:managedservices:RegistrationDefinition" }, { type: "azure-native_managedservices_v20200201preview:managedservices:RegistrationDefinition" }, { type: "azure-native_managedservices_v20220101preview:managedservices:RegistrationDefinition" }, { type: "azure-native_managedservices_v20221001:managedservices:RegistrationDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegistrationDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/management/hierarchySetting.ts b/sdk/nodejs/management/hierarchySetting.ts index 5feab2312509..ed4d045ecc18 100644 --- a/sdk/nodejs/management/hierarchySetting.ts +++ b/sdk/nodejs/management/hierarchySetting.ts @@ -93,7 +93,7 @@ export class HierarchySetting extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:management/v20200201:HierarchySetting" }, { type: "azure-native:management/v20200501:HierarchySetting" }, { type: "azure-native:management/v20201001:HierarchySetting" }, { type: "azure-native:management/v20210401:HierarchySetting" }, { type: "azure-native:management/v20230401:HierarchySetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:management/v20210401:HierarchySetting" }, { type: "azure-native:management/v20230401:HierarchySetting" }, { type: "azure-native_management_v20200201:management:HierarchySetting" }, { type: "azure-native_management_v20200501:management:HierarchySetting" }, { type: "azure-native_management_v20201001:management:HierarchySetting" }, { type: "azure-native_management_v20210401:management:HierarchySetting" }, { type: "azure-native_management_v20230401:management:HierarchySetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HierarchySetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/management/managementGroup.ts b/sdk/nodejs/management/managementGroup.ts index a214c36f6e35..ac069ca9bd4b 100644 --- a/sdk/nodejs/management/managementGroup.ts +++ b/sdk/nodejs/management/managementGroup.ts @@ -99,7 +99,7 @@ export class ManagementGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:management/v20171101preview:ManagementGroup" }, { type: "azure-native:management/v20180101preview:ManagementGroup" }, { type: "azure-native:management/v20180301preview:ManagementGroup" }, { type: "azure-native:management/v20191101:ManagementGroup" }, { type: "azure-native:management/v20200201:ManagementGroup" }, { type: "azure-native:management/v20200501:ManagementGroup" }, { type: "azure-native:management/v20201001:ManagementGroup" }, { type: "azure-native:management/v20210401:ManagementGroup" }, { type: "azure-native:management/v20230401:ManagementGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:management/v20210401:ManagementGroup" }, { type: "azure-native:management/v20230401:ManagementGroup" }, { type: "azure-native_management_v20171101preview:management:ManagementGroup" }, { type: "azure-native_management_v20180101preview:management:ManagementGroup" }, { type: "azure-native_management_v20180301preview:management:ManagementGroup" }, { type: "azure-native_management_v20191101:management:ManagementGroup" }, { type: "azure-native_management_v20200201:management:ManagementGroup" }, { type: "azure-native_management_v20200501:management:ManagementGroup" }, { type: "azure-native_management_v20201001:management:ManagementGroup" }, { type: "azure-native_management_v20210401:management:ManagementGroup" }, { type: "azure-native_management_v20230401:management:ManagementGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagementGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/management/managementGroupSubscription.ts b/sdk/nodejs/management/managementGroupSubscription.ts index b792329b3d05..3a2c103d0e36 100644 --- a/sdk/nodejs/management/managementGroupSubscription.ts +++ b/sdk/nodejs/management/managementGroupSubscription.ts @@ -103,7 +103,7 @@ export class ManagementGroupSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:management/v20200501:ManagementGroupSubscription" }, { type: "azure-native:management/v20201001:ManagementGroupSubscription" }, { type: "azure-native:management/v20210401:ManagementGroupSubscription" }, { type: "azure-native:management/v20230401:ManagementGroupSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:management/v20210401:ManagementGroupSubscription" }, { type: "azure-native:management/v20230401:ManagementGroupSubscription" }, { type: "azure-native_management_v20200501:management:ManagementGroupSubscription" }, { type: "azure-native_management_v20201001:management:ManagementGroupSubscription" }, { type: "azure-native_management_v20210401:management:ManagementGroupSubscription" }, { type: "azure-native_management_v20230401:management:ManagementGroupSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagementGroupSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/managementpartner/partner.ts b/sdk/nodejs/managementpartner/partner.ts index badd4113e8d7..7b52a53c793e 100644 --- a/sdk/nodejs/managementpartner/partner.ts +++ b/sdk/nodejs/managementpartner/partner.ts @@ -117,7 +117,7 @@ export class Partner extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:managementpartner/v20180201:Partner" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:managementpartner/v20180201:Partner" }, { type: "azure-native_managementpartner_v20180201:managementpartner:Partner" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Partner.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/manufacturingplatform/manufacturingDataService.ts b/sdk/nodejs/manufacturingplatform/manufacturingDataService.ts index 60df8e777764..fc51467f304b 100644 --- a/sdk/nodejs/manufacturingplatform/manufacturingDataService.ts +++ b/sdk/nodejs/manufacturingplatform/manufacturingDataService.ts @@ -113,7 +113,7 @@ export class ManufacturingDataService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:manufacturingplatform/v20250301:ManufacturingDataService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_manufacturingplatform_v20250301:manufacturingplatform:ManufacturingDataService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManufacturingDataService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/maps/account.ts b/sdk/nodejs/maps/account.ts index 27581b92706f..3166d45111a7 100644 --- a/sdk/nodejs/maps/account.ts +++ b/sdk/nodejs/maps/account.ts @@ -124,7 +124,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:maps/v20170101preview:Account" }, { type: "azure-native:maps/v20180501:Account" }, { type: "azure-native:maps/v20200201preview:Account" }, { type: "azure-native:maps/v20210201:Account" }, { type: "azure-native:maps/v20210701preview:Account" }, { type: "azure-native:maps/v20211201preview:Account" }, { type: "azure-native:maps/v20230601:Account" }, { type: "azure-native:maps/v20230801preview:Account" }, { type: "azure-native:maps/v20231201preview:Account" }, { type: "azure-native:maps/v20240101preview:Account" }, { type: "azure-native:maps/v20240701preview:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:maps/v20180501:Account" }, { type: "azure-native:maps/v20210201:Account" }, { type: "azure-native:maps/v20211201preview:Account" }, { type: "azure-native:maps/v20230601:Account" }, { type: "azure-native:maps/v20230801preview:Account" }, { type: "azure-native:maps/v20231201preview:Account" }, { type: "azure-native:maps/v20240101preview:Account" }, { type: "azure-native:maps/v20240701preview:Account" }, { type: "azure-native_maps_v20170101preview:maps:Account" }, { type: "azure-native_maps_v20180501:maps:Account" }, { type: "azure-native_maps_v20200201preview:maps:Account" }, { type: "azure-native_maps_v20210201:maps:Account" }, { type: "azure-native_maps_v20210701preview:maps:Account" }, { type: "azure-native_maps_v20211201preview:maps:Account" }, { type: "azure-native_maps_v20230601:maps:Account" }, { type: "azure-native_maps_v20230801preview:maps:Account" }, { type: "azure-native_maps_v20231201preview:maps:Account" }, { type: "azure-native_maps_v20240101preview:maps:Account" }, { type: "azure-native_maps_v20240701preview:maps:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/maps/creator.ts b/sdk/nodejs/maps/creator.ts index 03883c93c48d..08081dd7b705 100644 --- a/sdk/nodejs/maps/creator.ts +++ b/sdk/nodejs/maps/creator.ts @@ -110,7 +110,7 @@ export class Creator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:maps/v20200201preview:Creator" }, { type: "azure-native:maps/v20210201:Creator" }, { type: "azure-native:maps/v20210701preview:Creator" }, { type: "azure-native:maps/v20211201preview:Creator" }, { type: "azure-native:maps/v20230601:Creator" }, { type: "azure-native:maps/v20230801preview:Creator" }, { type: "azure-native:maps/v20231201preview:Creator" }, { type: "azure-native:maps/v20240101preview:Creator" }, { type: "azure-native:maps/v20240701preview:Creator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:maps/v20200201preview:Creator" }, { type: "azure-native:maps/v20210201:Creator" }, { type: "azure-native:maps/v20211201preview:Creator" }, { type: "azure-native:maps/v20230601:Creator" }, { type: "azure-native:maps/v20230801preview:Creator" }, { type: "azure-native:maps/v20231201preview:Creator" }, { type: "azure-native:maps/v20240101preview:Creator" }, { type: "azure-native:maps/v20240701preview:Creator" }, { type: "azure-native_maps_v20200201preview:maps:Creator" }, { type: "azure-native_maps_v20210201:maps:Creator" }, { type: "azure-native_maps_v20210701preview:maps:Creator" }, { type: "azure-native_maps_v20211201preview:maps:Creator" }, { type: "azure-native_maps_v20230601:maps:Creator" }, { type: "azure-native_maps_v20230801preview:maps:Creator" }, { type: "azure-native_maps_v20231201preview:maps:Creator" }, { type: "azure-native_maps_v20240101preview:maps:Creator" }, { type: "azure-native_maps_v20240701preview:maps:Creator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Creator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/maps/privateAtlase.ts b/sdk/nodejs/maps/privateAtlase.ts index b2518e7f8187..f02715afef54 100644 --- a/sdk/nodejs/maps/privateAtlase.ts +++ b/sdk/nodejs/maps/privateAtlase.ts @@ -99,7 +99,7 @@ export class PrivateAtlase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:maps/v20200201preview:PrivateAtlase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:maps/v20200201preview:PrivateAtlase" }, { type: "azure-native_maps_v20200201preview:maps:PrivateAtlase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateAtlase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/maps/privateEndpointConnection.ts b/sdk/nodejs/maps/privateEndpointConnection.ts index aabcb33fd1b2..37059349cace 100644 --- a/sdk/nodejs/maps/privateEndpointConnection.ts +++ b/sdk/nodejs/maps/privateEndpointConnection.ts @@ -116,7 +116,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:maps/v20231201preview:PrivateEndpointConnection" }, { type: "azure-native:maps/v20240101preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:maps/v20231201preview:PrivateEndpointConnection" }, { type: "azure-native:maps/v20240101preview:PrivateEndpointConnection" }, { type: "azure-native_maps_v20231201preview:maps:PrivateEndpointConnection" }, { type: "azure-native_maps_v20240101preview:maps:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/marketplace/privateStoreCollection.ts b/sdk/nodejs/marketplace/privateStoreCollection.ts index 94b671b4d826..141f9a34e999 100644 --- a/sdk/nodejs/marketplace/privateStoreCollection.ts +++ b/sdk/nodejs/marketplace/privateStoreCollection.ts @@ -142,7 +142,7 @@ export class PrivateStoreCollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:marketplace/v20210601:PrivateStoreCollection" }, { type: "azure-native:marketplace/v20211201:PrivateStoreCollection" }, { type: "azure-native:marketplace/v20220301:PrivateStoreCollection" }, { type: "azure-native:marketplace/v20220901:PrivateStoreCollection" }, { type: "azure-native:marketplace/v20230101:PrivateStoreCollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:marketplace/v20230101:PrivateStoreCollection" }, { type: "azure-native_marketplace_v20210601:marketplace:PrivateStoreCollection" }, { type: "azure-native_marketplace_v20211201:marketplace:PrivateStoreCollection" }, { type: "azure-native_marketplace_v20220301:marketplace:PrivateStoreCollection" }, { type: "azure-native_marketplace_v20220901:marketplace:PrivateStoreCollection" }, { type: "azure-native_marketplace_v20230101:marketplace:PrivateStoreCollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateStoreCollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/marketplace/privateStoreCollectionOffer.ts b/sdk/nodejs/marketplace/privateStoreCollectionOffer.ts index 21ffa5602bb7..c396dbb18b0b 100644 --- a/sdk/nodejs/marketplace/privateStoreCollectionOffer.ts +++ b/sdk/nodejs/marketplace/privateStoreCollectionOffer.ts @@ -152,7 +152,7 @@ export class PrivateStoreCollectionOffer extends pulumi.CustomResource { resourceInputs["updateSuppressedDueIdempotence"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:marketplace/v20210601:PrivateStoreCollectionOffer" }, { type: "azure-native:marketplace/v20211201:PrivateStoreCollectionOffer" }, { type: "azure-native:marketplace/v20220301:PrivateStoreCollectionOffer" }, { type: "azure-native:marketplace/v20220901:PrivateStoreCollectionOffer" }, { type: "azure-native:marketplace/v20230101:PrivateStoreCollectionOffer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:marketplace/v20230101:PrivateStoreCollectionOffer" }, { type: "azure-native_marketplace_v20210601:marketplace:PrivateStoreCollectionOffer" }, { type: "azure-native_marketplace_v20211201:marketplace:PrivateStoreCollectionOffer" }, { type: "azure-native_marketplace_v20220301:marketplace:PrivateStoreCollectionOffer" }, { type: "azure-native_marketplace_v20220901:marketplace:PrivateStoreCollectionOffer" }, { type: "azure-native_marketplace_v20230101:marketplace:PrivateStoreCollectionOffer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateStoreCollectionOffer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/accountFilter.ts b/sdk/nodejs/media/accountFilter.ts index 45ccddce03f5..ab773f2763de 100644 --- a/sdk/nodejs/media/accountFilter.ts +++ b/sdk/nodejs/media/accountFilter.ts @@ -107,7 +107,7 @@ export class AccountFilter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20180701:AccountFilter" }, { type: "azure-native:media/v20200501:AccountFilter" }, { type: "azure-native:media/v20210601:AccountFilter" }, { type: "azure-native:media/v20211101:AccountFilter" }, { type: "azure-native:media/v20220801:AccountFilter" }, { type: "azure-native:media/v20230101:AccountFilter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20230101:AccountFilter" }, { type: "azure-native_media_v20180701:media:AccountFilter" }, { type: "azure-native_media_v20200501:media:AccountFilter" }, { type: "azure-native_media_v20210601:media:AccountFilter" }, { type: "azure-native_media_v20211101:media:AccountFilter" }, { type: "azure-native_media_v20220801:media:AccountFilter" }, { type: "azure-native_media_v20230101:media:AccountFilter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccountFilter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/asset.ts b/sdk/nodejs/media/asset.ts index d983ac527568..3335459a79b6 100644 --- a/sdk/nodejs/media/asset.ts +++ b/sdk/nodejs/media/asset.ts @@ -143,7 +143,7 @@ export class Asset extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20180330preview:Asset" }, { type: "azure-native:media/v20180601preview:Asset" }, { type: "azure-native:media/v20180701:Asset" }, { type: "azure-native:media/v20200501:Asset" }, { type: "azure-native:media/v20210601:Asset" }, { type: "azure-native:media/v20211101:Asset" }, { type: "azure-native:media/v20220801:Asset" }, { type: "azure-native:media/v20230101:Asset" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20230101:Asset" }, { type: "azure-native_media_v20180330preview:media:Asset" }, { type: "azure-native_media_v20180601preview:media:Asset" }, { type: "azure-native_media_v20180701:media:Asset" }, { type: "azure-native_media_v20200501:media:Asset" }, { type: "azure-native_media_v20210601:media:Asset" }, { type: "azure-native_media_v20211101:media:Asset" }, { type: "azure-native_media_v20220801:media:Asset" }, { type: "azure-native_media_v20230101:media:Asset" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Asset.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/assetFilter.ts b/sdk/nodejs/media/assetFilter.ts index ee1a28b04eae..302cd8d6a96a 100644 --- a/sdk/nodejs/media/assetFilter.ts +++ b/sdk/nodejs/media/assetFilter.ts @@ -111,7 +111,7 @@ export class AssetFilter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20180701:AssetFilter" }, { type: "azure-native:media/v20200501:AssetFilter" }, { type: "azure-native:media/v20210601:AssetFilter" }, { type: "azure-native:media/v20211101:AssetFilter" }, { type: "azure-native:media/v20220801:AssetFilter" }, { type: "azure-native:media/v20230101:AssetFilter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20230101:AssetFilter" }, { type: "azure-native_media_v20180701:media:AssetFilter" }, { type: "azure-native_media_v20200501:media:AssetFilter" }, { type: "azure-native_media_v20210601:media:AssetFilter" }, { type: "azure-native_media_v20211101:media:AssetFilter" }, { type: "azure-native_media_v20220801:media:AssetFilter" }, { type: "azure-native_media_v20230101:media:AssetFilter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AssetFilter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/contentKeyPolicy.ts b/sdk/nodejs/media/contentKeyPolicy.ts index 0fa132800432..f707c6c3a19a 100644 --- a/sdk/nodejs/media/contentKeyPolicy.ts +++ b/sdk/nodejs/media/contentKeyPolicy.ts @@ -122,7 +122,7 @@ export class ContentKeyPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20180330preview:ContentKeyPolicy" }, { type: "azure-native:media/v20180601preview:ContentKeyPolicy" }, { type: "azure-native:media/v20180701:ContentKeyPolicy" }, { type: "azure-native:media/v20200501:ContentKeyPolicy" }, { type: "azure-native:media/v20210601:ContentKeyPolicy" }, { type: "azure-native:media/v20211101:ContentKeyPolicy" }, { type: "azure-native:media/v20220801:ContentKeyPolicy" }, { type: "azure-native:media/v20230101:ContentKeyPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20230101:ContentKeyPolicy" }, { type: "azure-native_media_v20180330preview:media:ContentKeyPolicy" }, { type: "azure-native_media_v20180601preview:media:ContentKeyPolicy" }, { type: "azure-native_media_v20180701:media:ContentKeyPolicy" }, { type: "azure-native_media_v20200501:media:ContentKeyPolicy" }, { type: "azure-native_media_v20210601:media:ContentKeyPolicy" }, { type: "azure-native_media_v20211101:media:ContentKeyPolicy" }, { type: "azure-native_media_v20220801:media:ContentKeyPolicy" }, { type: "azure-native_media_v20230101:media:ContentKeyPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContentKeyPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/job.ts b/sdk/nodejs/media/job.ts index 97693589b387..6b53f558b3bc 100644 --- a/sdk/nodejs/media/job.ts +++ b/sdk/nodejs/media/job.ts @@ -159,7 +159,7 @@ export class Job extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20180330preview:Job" }, { type: "azure-native:media/v20180601preview:Job" }, { type: "azure-native:media/v20180701:Job" }, { type: "azure-native:media/v20200501:Job" }, { type: "azure-native:media/v20210601:Job" }, { type: "azure-native:media/v20211101:Job" }, { type: "azure-native:media/v20220501preview:Job" }, { type: "azure-native:media/v20220701:Job" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20220701:Job" }, { type: "azure-native_media_v20180330preview:media:Job" }, { type: "azure-native_media_v20180601preview:media:Job" }, { type: "azure-native_media_v20180701:media:Job" }, { type: "azure-native_media_v20200501:media:Job" }, { type: "azure-native_media_v20210601:media:Job" }, { type: "azure-native_media_v20211101:media:Job" }, { type: "azure-native_media_v20220501preview:media:Job" }, { type: "azure-native_media_v20220701:media:Job" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Job.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/liveEvent.ts b/sdk/nodejs/media/liveEvent.ts index c53df4cf72cb..a1ba6ae51423 100644 --- a/sdk/nodejs/media/liveEvent.ts +++ b/sdk/nodejs/media/liveEvent.ts @@ -183,7 +183,7 @@ export class LiveEvent extends pulumi.CustomResource { resourceInputs["useStaticHostname"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20180330preview:LiveEvent" }, { type: "azure-native:media/v20180601preview:LiveEvent" }, { type: "azure-native:media/v20180701:LiveEvent" }, { type: "azure-native:media/v20190501preview:LiveEvent" }, { type: "azure-native:media/v20200501:LiveEvent" }, { type: "azure-native:media/v20210601:LiveEvent" }, { type: "azure-native:media/v20211101:LiveEvent" }, { type: "azure-native:media/v20220801:LiveEvent" }, { type: "azure-native:media/v20221101:LiveEvent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20180601preview:LiveEvent" }, { type: "azure-native:media/v20190501preview:LiveEvent" }, { type: "azure-native:media/v20221101:LiveEvent" }, { type: "azure-native_media_v20180330preview:media:LiveEvent" }, { type: "azure-native_media_v20180601preview:media:LiveEvent" }, { type: "azure-native_media_v20180701:media:LiveEvent" }, { type: "azure-native_media_v20190501preview:media:LiveEvent" }, { type: "azure-native_media_v20200501:media:LiveEvent" }, { type: "azure-native_media_v20210601:media:LiveEvent" }, { type: "azure-native_media_v20211101:media:LiveEvent" }, { type: "azure-native_media_v20220801:media:LiveEvent" }, { type: "azure-native_media_v20221101:media:LiveEvent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LiveEvent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/liveOutput.ts b/sdk/nodejs/media/liveOutput.ts index a8081b303639..a91f629a9146 100644 --- a/sdk/nodejs/media/liveOutput.ts +++ b/sdk/nodejs/media/liveOutput.ts @@ -165,7 +165,7 @@ export class LiveOutput extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20180330preview:LiveOutput" }, { type: "azure-native:media/v20180601preview:LiveOutput" }, { type: "azure-native:media/v20180701:LiveOutput" }, { type: "azure-native:media/v20190501preview:LiveOutput" }, { type: "azure-native:media/v20200501:LiveOutput" }, { type: "azure-native:media/v20210601:LiveOutput" }, { type: "azure-native:media/v20211101:LiveOutput" }, { type: "azure-native:media/v20220801:LiveOutput" }, { type: "azure-native:media/v20221101:LiveOutput" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20221101:LiveOutput" }, { type: "azure-native_media_v20180330preview:media:LiveOutput" }, { type: "azure-native_media_v20180601preview:media:LiveOutput" }, { type: "azure-native_media_v20180701:media:LiveOutput" }, { type: "azure-native_media_v20190501preview:media:LiveOutput" }, { type: "azure-native_media_v20200501:media:LiveOutput" }, { type: "azure-native_media_v20210601:media:LiveOutput" }, { type: "azure-native_media_v20211101:media:LiveOutput" }, { type: "azure-native_media_v20220801:media:LiveOutput" }, { type: "azure-native_media_v20221101:media:LiveOutput" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LiveOutput.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/mediaService.ts b/sdk/nodejs/media/mediaService.ts index 6d5d4a5a56b6..efb9ba96ecd6 100644 --- a/sdk/nodejs/media/mediaService.ts +++ b/sdk/nodejs/media/mediaService.ts @@ -154,7 +154,7 @@ export class MediaService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20151001:MediaService" }, { type: "azure-native:media/v20180330preview:MediaService" }, { type: "azure-native:media/v20180601preview:MediaService" }, { type: "azure-native:media/v20180701:MediaService" }, { type: "azure-native:media/v20200501:MediaService" }, { type: "azure-native:media/v20210501:MediaService" }, { type: "azure-native:media/v20210601:MediaService" }, { type: "azure-native:media/v20211101:MediaService" }, { type: "azure-native:media/v20230101:MediaService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20151001:MediaService" }, { type: "azure-native:media/v20230101:MediaService" }, { type: "azure-native_media_v20151001:media:MediaService" }, { type: "azure-native_media_v20180330preview:media:MediaService" }, { type: "azure-native_media_v20180601preview:media:MediaService" }, { type: "azure-native_media_v20180701:media:MediaService" }, { type: "azure-native_media_v20200501:media:MediaService" }, { type: "azure-native_media_v20210501:media:MediaService" }, { type: "azure-native_media_v20210601:media:MediaService" }, { type: "azure-native_media_v20211101:media:MediaService" }, { type: "azure-native_media_v20230101:media:MediaService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MediaService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/privateEndpointConnection.ts b/sdk/nodejs/media/privateEndpointConnection.ts index e71259d74440..ef1fe9b0b543 100644 --- a/sdk/nodejs/media/privateEndpointConnection.ts +++ b/sdk/nodejs/media/privateEndpointConnection.ts @@ -103,7 +103,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20200501:PrivateEndpointConnection" }, { type: "azure-native:media/v20210501:PrivateEndpointConnection" }, { type: "azure-native:media/v20210601:PrivateEndpointConnection" }, { type: "azure-native:media/v20211101:PrivateEndpointConnection" }, { type: "azure-native:media/v20230101:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20230101:PrivateEndpointConnection" }, { type: "azure-native_media_v20200501:media:PrivateEndpointConnection" }, { type: "azure-native_media_v20210501:media:PrivateEndpointConnection" }, { type: "azure-native_media_v20210601:media:PrivateEndpointConnection" }, { type: "azure-native_media_v20211101:media:PrivateEndpointConnection" }, { type: "azure-native_media_v20230101:media:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/streamingEndpoint.ts b/sdk/nodejs/media/streamingEndpoint.ts index d705c8824b17..ad669292814f 100644 --- a/sdk/nodejs/media/streamingEndpoint.ts +++ b/sdk/nodejs/media/streamingEndpoint.ts @@ -207,7 +207,7 @@ export class StreamingEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20180330preview:StreamingEndpoint" }, { type: "azure-native:media/v20180601preview:StreamingEndpoint" }, { type: "azure-native:media/v20180701:StreamingEndpoint" }, { type: "azure-native:media/v20190501preview:StreamingEndpoint" }, { type: "azure-native:media/v20200501:StreamingEndpoint" }, { type: "azure-native:media/v20210601:StreamingEndpoint" }, { type: "azure-native:media/v20211101:StreamingEndpoint" }, { type: "azure-native:media/v20220801:StreamingEndpoint" }, { type: "azure-native:media/v20221101:StreamingEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20180601preview:StreamingEndpoint" }, { type: "azure-native:media/v20221101:StreamingEndpoint" }, { type: "azure-native_media_v20180330preview:media:StreamingEndpoint" }, { type: "azure-native_media_v20180601preview:media:StreamingEndpoint" }, { type: "azure-native_media_v20180701:media:StreamingEndpoint" }, { type: "azure-native_media_v20190501preview:media:StreamingEndpoint" }, { type: "azure-native_media_v20200501:media:StreamingEndpoint" }, { type: "azure-native_media_v20210601:media:StreamingEndpoint" }, { type: "azure-native_media_v20211101:media:StreamingEndpoint" }, { type: "azure-native_media_v20220801:media:StreamingEndpoint" }, { type: "azure-native_media_v20221101:media:StreamingEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StreamingEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/streamingLocator.ts b/sdk/nodejs/media/streamingLocator.ts index abb35edccb91..b34b85816da0 100644 --- a/sdk/nodejs/media/streamingLocator.ts +++ b/sdk/nodejs/media/streamingLocator.ts @@ -155,7 +155,7 @@ export class StreamingLocator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20180330preview:StreamingLocator" }, { type: "azure-native:media/v20180601preview:StreamingLocator" }, { type: "azure-native:media/v20180701:StreamingLocator" }, { type: "azure-native:media/v20200501:StreamingLocator" }, { type: "azure-native:media/v20210601:StreamingLocator" }, { type: "azure-native:media/v20211101:StreamingLocator" }, { type: "azure-native:media/v20220801:StreamingLocator" }, { type: "azure-native:media/v20230101:StreamingLocator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20180330preview:StreamingLocator" }, { type: "azure-native:media/v20230101:StreamingLocator" }, { type: "azure-native_media_v20180330preview:media:StreamingLocator" }, { type: "azure-native_media_v20180601preview:media:StreamingLocator" }, { type: "azure-native_media_v20180701:media:StreamingLocator" }, { type: "azure-native_media_v20200501:media:StreamingLocator" }, { type: "azure-native_media_v20210601:media:StreamingLocator" }, { type: "azure-native_media_v20211101:media:StreamingLocator" }, { type: "azure-native_media_v20220801:media:StreamingLocator" }, { type: "azure-native_media_v20230101:media:StreamingLocator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StreamingLocator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/streamingPolicy.ts b/sdk/nodejs/media/streamingPolicy.ts index 9d1ad1c8ede9..54d0f0898749 100644 --- a/sdk/nodejs/media/streamingPolicy.ts +++ b/sdk/nodejs/media/streamingPolicy.ts @@ -125,7 +125,7 @@ export class StreamingPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20180330preview:StreamingPolicy" }, { type: "azure-native:media/v20180601preview:StreamingPolicy" }, { type: "azure-native:media/v20180701:StreamingPolicy" }, { type: "azure-native:media/v20200501:StreamingPolicy" }, { type: "azure-native:media/v20210601:StreamingPolicy" }, { type: "azure-native:media/v20211101:StreamingPolicy" }, { type: "azure-native:media/v20220801:StreamingPolicy" }, { type: "azure-native:media/v20230101:StreamingPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20230101:StreamingPolicy" }, { type: "azure-native_media_v20180330preview:media:StreamingPolicy" }, { type: "azure-native_media_v20180601preview:media:StreamingPolicy" }, { type: "azure-native_media_v20180701:media:StreamingPolicy" }, { type: "azure-native_media_v20200501:media:StreamingPolicy" }, { type: "azure-native_media_v20210601:media:StreamingPolicy" }, { type: "azure-native_media_v20211101:media:StreamingPolicy" }, { type: "azure-native_media_v20220801:media:StreamingPolicy" }, { type: "azure-native_media_v20230101:media:StreamingPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StreamingPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/track.ts b/sdk/nodejs/media/track.ts index 31401de088c8..c785a7eb5321 100644 --- a/sdk/nodejs/media/track.ts +++ b/sdk/nodejs/media/track.ts @@ -99,7 +99,7 @@ export class Track extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20211101:Track" }, { type: "azure-native:media/v20220801:Track" }, { type: "azure-native:media/v20230101:Track" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20230101:Track" }, { type: "azure-native_media_v20211101:media:Track" }, { type: "azure-native_media_v20220801:media:Track" }, { type: "azure-native_media_v20230101:media:Track" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Track.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/media/transform.ts b/sdk/nodejs/media/transform.ts index 7dd5c0df8bd2..c0eec914ad24 100644 --- a/sdk/nodejs/media/transform.ts +++ b/sdk/nodejs/media/transform.ts @@ -116,7 +116,7 @@ export class Transform extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:media/v20180330preview:Transform" }, { type: "azure-native:media/v20180601preview:Transform" }, { type: "azure-native:media/v20180701:Transform" }, { type: "azure-native:media/v20200501:Transform" }, { type: "azure-native:media/v20210601:Transform" }, { type: "azure-native:media/v20211101:Transform" }, { type: "azure-native:media/v20220501preview:Transform" }, { type: "azure-native:media/v20220701:Transform" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:media/v20220701:Transform" }, { type: "azure-native_media_v20180330preview:media:Transform" }, { type: "azure-native_media_v20180601preview:media:Transform" }, { type: "azure-native_media_v20180701:media:Transform" }, { type: "azure-native_media_v20200501:media:Transform" }, { type: "azure-native_media_v20210601:media:Transform" }, { type: "azure-native_media_v20211101:media:Transform" }, { type: "azure-native_media_v20220501preview:media:Transform" }, { type: "azure-native_media_v20220701:media:Transform" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Transform.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/aksAssessmentOperation.ts b/sdk/nodejs/migrate/aksAssessmentOperation.ts index c0667c035569..f93bdd1f7cb9 100644 --- a/sdk/nodejs/migrate/aksAssessmentOperation.ts +++ b/sdk/nodejs/migrate/aksAssessmentOperation.ts @@ -122,7 +122,7 @@ export class AksAssessmentOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230401preview:AksAssessmentOperation" }, { type: "azure-native:migrate/v20230501preview:AksAssessmentOperation" }, { type: "azure-native:migrate/v20230909preview:AksAssessmentOperation" }, { type: "azure-native:migrate/v20240101preview:AksAssessmentOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230401preview:AksAssessmentOperation" }, { type: "azure-native:migrate/v20230501preview:AksAssessmentOperation" }, { type: "azure-native:migrate/v20230909preview:AksAssessmentOperation" }, { type: "azure-native:migrate/v20240101preview:AksAssessmentOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:AksAssessmentOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:AksAssessmentOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:AksAssessmentOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:AksAssessmentOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AksAssessmentOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/assessment.ts b/sdk/nodejs/migrate/assessment.ts index 17f24b21b603..dfa93a9bd120 100644 --- a/sdk/nodejs/migrate/assessment.ts +++ b/sdk/nodejs/migrate/assessment.ts @@ -100,7 +100,7 @@ export class Assessment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20180202:Assessment" }, { type: "azure-native:migrate/v20191001:Assessment" }, { type: "azure-native:migrate/v20230315:Assessment" }, { type: "azure-native:migrate/v20230315:AssessmentsOperation" }, { type: "azure-native:migrate/v20230401preview:Assessment" }, { type: "azure-native:migrate/v20230401preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20230501preview:Assessment" }, { type: "azure-native:migrate/v20230501preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20230909preview:Assessment" }, { type: "azure-native:migrate/v20230909preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20240101preview:Assessment" }, { type: "azure-native:migrate/v20240101preview:AssessmentsOperation" }, { type: "azure-native:migrate:AssessmentsOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:Assessment" }, { type: "azure-native:migrate/v20230315:AssessmentsOperation" }, { type: "azure-native:migrate/v20230401preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20230501preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20230909preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20240101preview:AssessmentsOperation" }, { type: "azure-native:migrate:AssessmentsOperation" }, { type: "azure-native_migrate_v20191001:migrate:Assessment" }, { type: "azure-native_migrate_v20230315:migrate:Assessment" }, { type: "azure-native_migrate_v20230401preview:migrate:Assessment" }, { type: "azure-native_migrate_v20230501preview:migrate:Assessment" }, { type: "azure-native_migrate_v20230909preview:migrate:Assessment" }, { type: "azure-native_migrate_v20240101preview:migrate:Assessment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Assessment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/assessmentProjectsOperation.ts b/sdk/nodejs/migrate/assessmentProjectsOperation.ts index a20131886782..6b05797d93c1 100644 --- a/sdk/nodejs/migrate/assessmentProjectsOperation.ts +++ b/sdk/nodejs/migrate/assessmentProjectsOperation.ts @@ -168,7 +168,7 @@ export class AssessmentProjectsOperation extends pulumi.CustomResource { resourceInputs["updatedTimestamp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20191001:Project" }, { type: "azure-native:migrate/v20230315:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230401preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230501preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230909preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20240101preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate:Project" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:Project" }, { type: "azure-native:migrate/v20230315:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230401preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230501preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230909preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20240101preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate:Project" }, { type: "azure-native_migrate_v20191001:migrate:AssessmentProjectsOperation" }, { type: "azure-native_migrate_v20230315:migrate:AssessmentProjectsOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:AssessmentProjectsOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:AssessmentProjectsOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:AssessmentProjectsOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:AssessmentProjectsOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AssessmentProjectsOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/assessmentsOperation.ts b/sdk/nodejs/migrate/assessmentsOperation.ts index cc3b23d1d5f2..84db761cc053 100644 --- a/sdk/nodejs/migrate/assessmentsOperation.ts +++ b/sdk/nodejs/migrate/assessmentsOperation.ts @@ -357,7 +357,7 @@ export class AssessmentsOperation extends pulumi.CustomResource { resourceInputs["vmUptime"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:Assessment" }, { type: "azure-native:migrate/v20191001:AssessmentsOperation" }, { type: "azure-native:migrate/v20230315:AssessmentsOperation" }, { type: "azure-native:migrate/v20230401preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20230501preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20230909preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20240101preview:AssessmentsOperation" }, { type: "azure-native:migrate:Assessment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:Assessment" }, { type: "azure-native:migrate/v20230315:AssessmentsOperation" }, { type: "azure-native:migrate/v20230401preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20230501preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20230909preview:AssessmentsOperation" }, { type: "azure-native:migrate/v20240101preview:AssessmentsOperation" }, { type: "azure-native:migrate:Assessment" }, { type: "azure-native_migrate_v20191001:migrate:AssessmentsOperation" }, { type: "azure-native_migrate_v20230315:migrate:AssessmentsOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:AssessmentsOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:AssessmentsOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:AssessmentsOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:AssessmentsOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AssessmentsOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/avsAssessmentsOperation.ts b/sdk/nodejs/migrate/avsAssessmentsOperation.ts index 44d182bf4ae2..08470da8321e 100644 --- a/sdk/nodejs/migrate/avsAssessmentsOperation.ts +++ b/sdk/nodejs/migrate/avsAssessmentsOperation.ts @@ -405,7 +405,7 @@ export class AvsAssessmentsOperation extends pulumi.CustomResource { resourceInputs["vcpuOversubscription"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230315:AvsAssessmentsOperation" }, { type: "azure-native:migrate/v20230401preview:AvsAssessmentsOperation" }, { type: "azure-native:migrate/v20230501preview:AvsAssessmentsOperation" }, { type: "azure-native:migrate/v20230909preview:AvsAssessmentsOperation" }, { type: "azure-native:migrate/v20240101preview:AvsAssessmentsOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230315:AvsAssessmentsOperation" }, { type: "azure-native:migrate/v20230401preview:AvsAssessmentsOperation" }, { type: "azure-native:migrate/v20230501preview:AvsAssessmentsOperation" }, { type: "azure-native:migrate/v20230909preview:AvsAssessmentsOperation" }, { type: "azure-native:migrate/v20240101preview:AvsAssessmentsOperation" }, { type: "azure-native_migrate_v20230315:migrate:AvsAssessmentsOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:AvsAssessmentsOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:AvsAssessmentsOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:AvsAssessmentsOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:AvsAssessmentsOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AvsAssessmentsOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/businessCaseOperation.ts b/sdk/nodejs/migrate/businessCaseOperation.ts index c55247cbc0f5..c1138790f87c 100644 --- a/sdk/nodejs/migrate/businessCaseOperation.ts +++ b/sdk/nodejs/migrate/businessCaseOperation.ts @@ -113,7 +113,7 @@ export class BusinessCaseOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230401preview:BusinessCaseOperation" }, { type: "azure-native:migrate/v20230501preview:BusinessCaseOperation" }, { type: "azure-native:migrate/v20230909preview:BusinessCaseOperation" }, { type: "azure-native:migrate/v20240101preview:BusinessCaseOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230401preview:BusinessCaseOperation" }, { type: "azure-native:migrate/v20230501preview:BusinessCaseOperation" }, { type: "azure-native:migrate/v20230909preview:BusinessCaseOperation" }, { type: "azure-native:migrate/v20240101preview:BusinessCaseOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:BusinessCaseOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:BusinessCaseOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:BusinessCaseOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:BusinessCaseOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BusinessCaseOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/group.ts b/sdk/nodejs/migrate/group.ts index e7de8e633e7c..85be6716156d 100644 --- a/sdk/nodejs/migrate/group.ts +++ b/sdk/nodejs/migrate/group.ts @@ -96,7 +96,7 @@ export class Group extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20180202:Group" }, { type: "azure-native:migrate/v20191001:Group" }, { type: "azure-native:migrate/v20230315:Group" }, { type: "azure-native:migrate/v20230315:GroupsOperation" }, { type: "azure-native:migrate/v20230401preview:Group" }, { type: "azure-native:migrate/v20230401preview:GroupsOperation" }, { type: "azure-native:migrate/v20230501preview:Group" }, { type: "azure-native:migrate/v20230501preview:GroupsOperation" }, { type: "azure-native:migrate/v20230909preview:Group" }, { type: "azure-native:migrate/v20230909preview:GroupsOperation" }, { type: "azure-native:migrate/v20240101preview:Group" }, { type: "azure-native:migrate/v20240101preview:GroupsOperation" }, { type: "azure-native:migrate:GroupsOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:Group" }, { type: "azure-native:migrate/v20230315:GroupsOperation" }, { type: "azure-native:migrate/v20230401preview:GroupsOperation" }, { type: "azure-native:migrate/v20230501preview:GroupsOperation" }, { type: "azure-native:migrate/v20230909preview:GroupsOperation" }, { type: "azure-native:migrate/v20240101preview:GroupsOperation" }, { type: "azure-native:migrate:GroupsOperation" }, { type: "azure-native_migrate_v20191001:migrate:Group" }, { type: "azure-native_migrate_v20230315:migrate:Group" }, { type: "azure-native_migrate_v20230401preview:migrate:Group" }, { type: "azure-native_migrate_v20230501preview:migrate:Group" }, { type: "azure-native_migrate_v20230909preview:migrate:Group" }, { type: "azure-native_migrate_v20240101preview:migrate:Group" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Group.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/groupsOperation.ts b/sdk/nodejs/migrate/groupsOperation.ts index 214c66c91dc0..99d2e4c81ebc 100644 --- a/sdk/nodejs/migrate/groupsOperation.ts +++ b/sdk/nodejs/migrate/groupsOperation.ts @@ -143,7 +143,7 @@ export class GroupsOperation extends pulumi.CustomResource { resourceInputs["updatedTimestamp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:Group" }, { type: "azure-native:migrate/v20191001:GroupsOperation" }, { type: "azure-native:migrate/v20230315:GroupsOperation" }, { type: "azure-native:migrate/v20230401preview:GroupsOperation" }, { type: "azure-native:migrate/v20230501preview:GroupsOperation" }, { type: "azure-native:migrate/v20230909preview:GroupsOperation" }, { type: "azure-native:migrate/v20240101preview:GroupsOperation" }, { type: "azure-native:migrate:Group" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:Group" }, { type: "azure-native:migrate/v20230315:GroupsOperation" }, { type: "azure-native:migrate/v20230401preview:GroupsOperation" }, { type: "azure-native:migrate/v20230501preview:GroupsOperation" }, { type: "azure-native:migrate/v20230909preview:GroupsOperation" }, { type: "azure-native:migrate/v20240101preview:GroupsOperation" }, { type: "azure-native:migrate:Group" }, { type: "azure-native_migrate_v20191001:migrate:GroupsOperation" }, { type: "azure-native_migrate_v20230315:migrate:GroupsOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:GroupsOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:GroupsOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:GroupsOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:GroupsOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GroupsOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/hyperVCollector.ts b/sdk/nodejs/migrate/hyperVCollector.ts index 081d1e158212..2ba7e445b195 100644 --- a/sdk/nodejs/migrate/hyperVCollector.ts +++ b/sdk/nodejs/migrate/hyperVCollector.ts @@ -79,7 +79,7 @@ export class HyperVCollector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:HyperVCollector" }, { type: "azure-native:migrate/v20230315:HyperVCollector" }, { type: "azure-native:migrate/v20230315:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:HyperVCollector" }, { type: "azure-native:migrate/v20230401preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:HyperVCollector" }, { type: "azure-native:migrate/v20230501preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:HyperVCollector" }, { type: "azure-native:migrate/v20230909preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:HyperVCollector" }, { type: "azure-native:migrate/v20240101preview:HypervCollectorsOperation" }, { type: "azure-native:migrate:HypervCollectorsOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:HyperVCollector" }, { type: "azure-native:migrate/v20230315:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:HypervCollectorsOperation" }, { type: "azure-native:migrate:HypervCollectorsOperation" }, { type: "azure-native_migrate_v20191001:migrate:HyperVCollector" }, { type: "azure-native_migrate_v20230315:migrate:HyperVCollector" }, { type: "azure-native_migrate_v20230401preview:migrate:HyperVCollector" }, { type: "azure-native_migrate_v20230501preview:migrate:HyperVCollector" }, { type: "azure-native_migrate_v20230909preview:migrate:HyperVCollector" }, { type: "azure-native_migrate_v20240101preview:migrate:HyperVCollector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HyperVCollector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/hypervCollectorsOperation.ts b/sdk/nodejs/migrate/hypervCollectorsOperation.ts index d313f9180553..14b47b2f80f2 100644 --- a/sdk/nodejs/migrate/hypervCollectorsOperation.ts +++ b/sdk/nodejs/migrate/hypervCollectorsOperation.ts @@ -119,7 +119,7 @@ export class HypervCollectorsOperation extends pulumi.CustomResource { resourceInputs["updatedTimestamp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:HyperVCollector" }, { type: "azure-native:migrate/v20191001:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230315:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:HypervCollectorsOperation" }, { type: "azure-native:migrate:HyperVCollector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:HyperVCollector" }, { type: "azure-native:migrate/v20230315:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:HypervCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:HypervCollectorsOperation" }, { type: "azure-native:migrate:HyperVCollector" }, { type: "azure-native_migrate_v20191001:migrate:HypervCollectorsOperation" }, { type: "azure-native_migrate_v20230315:migrate:HypervCollectorsOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:HypervCollectorsOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:HypervCollectorsOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:HypervCollectorsOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:HypervCollectorsOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HypervCollectorsOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/importCollector.ts b/sdk/nodejs/migrate/importCollector.ts index fb273a915499..0d56a564194e 100644 --- a/sdk/nodejs/migrate/importCollector.ts +++ b/sdk/nodejs/migrate/importCollector.ts @@ -79,7 +79,7 @@ export class ImportCollector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:ImportCollector" }, { type: "azure-native:migrate/v20230315:ImportCollector" }, { type: "azure-native:migrate/v20230315:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:ImportCollector" }, { type: "azure-native:migrate/v20230401preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:ImportCollector" }, { type: "azure-native:migrate/v20230501preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:ImportCollector" }, { type: "azure-native:migrate/v20230909preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:ImportCollector" }, { type: "azure-native:migrate/v20240101preview:ImportCollectorsOperation" }, { type: "azure-native:migrate:ImportCollectorsOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:ImportCollector" }, { type: "azure-native:migrate/v20230315:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:ImportCollectorsOperation" }, { type: "azure-native:migrate:ImportCollectorsOperation" }, { type: "azure-native_migrate_v20191001:migrate:ImportCollector" }, { type: "azure-native_migrate_v20230315:migrate:ImportCollector" }, { type: "azure-native_migrate_v20230401preview:migrate:ImportCollector" }, { type: "azure-native_migrate_v20230501preview:migrate:ImportCollector" }, { type: "azure-native_migrate_v20230909preview:migrate:ImportCollector" }, { type: "azure-native_migrate_v20240101preview:migrate:ImportCollector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ImportCollector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/importCollectorsOperation.ts b/sdk/nodejs/migrate/importCollectorsOperation.ts index dd29474bb7c5..a46c8a78b470 100644 --- a/sdk/nodejs/migrate/importCollectorsOperation.ts +++ b/sdk/nodejs/migrate/importCollectorsOperation.ts @@ -113,7 +113,7 @@ export class ImportCollectorsOperation extends pulumi.CustomResource { resourceInputs["updatedTimestamp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:ImportCollector" }, { type: "azure-native:migrate/v20191001:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230315:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:ImportCollectorsOperation" }, { type: "azure-native:migrate:ImportCollector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:ImportCollector" }, { type: "azure-native:migrate/v20230315:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:ImportCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:ImportCollectorsOperation" }, { type: "azure-native:migrate:ImportCollector" }, { type: "azure-native_migrate_v20191001:migrate:ImportCollectorsOperation" }, { type: "azure-native_migrate_v20230315:migrate:ImportCollectorsOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:ImportCollectorsOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:ImportCollectorsOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:ImportCollectorsOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:ImportCollectorsOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ImportCollectorsOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/migrateAgent.ts b/sdk/nodejs/migrate/migrateAgent.ts index 8bdfe57cad45..6aaeec38e084 100644 --- a/sdk/nodejs/migrate/migrateAgent.ts +++ b/sdk/nodejs/migrate/migrateAgent.ts @@ -97,7 +97,7 @@ export class MigrateAgent extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20220501preview:MigrateAgent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20220501preview:MigrateAgent" }, { type: "azure-native_migrate_v20220501preview:migrate:MigrateAgent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MigrateAgent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/migrateProject.ts b/sdk/nodejs/migrate/migrateProject.ts index 4419d3d33bd4..f08ff7a01dd9 100644 --- a/sdk/nodejs/migrate/migrateProject.ts +++ b/sdk/nodejs/migrate/migrateProject.ts @@ -101,7 +101,7 @@ export class MigrateProject extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20180901preview:MigrateProject" }, { type: "azure-native:migrate/v20200501:MigrateProject" }, { type: "azure-native:migrate/v20200501:MigrateProjectsControllerMigrateProject" }, { type: "azure-native:migrate/v20230101:MigrateProject" }, { type: "azure-native:migrate/v20230101:MigrateProjectsControllerMigrateProject" }, { type: "azure-native:migrate:MigrateProjectsControllerMigrateProject" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20180901preview:MigrateProject" }, { type: "azure-native:migrate/v20200501:MigrateProjectsControllerMigrateProject" }, { type: "azure-native:migrate/v20230101:MigrateProjectsControllerMigrateProject" }, { type: "azure-native:migrate:MigrateProjectsControllerMigrateProject" }, { type: "azure-native_migrate_v20180901preview:migrate:MigrateProject" }, { type: "azure-native_migrate_v20200501:migrate:MigrateProject" }, { type: "azure-native_migrate_v20230101:migrate:MigrateProject" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MigrateProject.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/migrateProjectsControllerMigrateProject.ts b/sdk/nodejs/migrate/migrateProjectsControllerMigrateProject.ts index 5c0b90d089cf..d4031d08a960 100644 --- a/sdk/nodejs/migrate/migrateProjectsControllerMigrateProject.ts +++ b/sdk/nodejs/migrate/migrateProjectsControllerMigrateProject.ts @@ -103,7 +103,7 @@ export class MigrateProjectsControllerMigrateProject extends pulumi.CustomResour resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20180901preview:MigrateProject" }, { type: "azure-native:migrate/v20180901preview:MigrateProjectsControllerMigrateProject" }, { type: "azure-native:migrate/v20200501:MigrateProjectsControllerMigrateProject" }, { type: "azure-native:migrate/v20230101:MigrateProjectsControllerMigrateProject" }, { type: "azure-native:migrate:MigrateProject" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20180901preview:MigrateProject" }, { type: "azure-native:migrate/v20200501:MigrateProjectsControllerMigrateProject" }, { type: "azure-native:migrate/v20230101:MigrateProjectsControllerMigrateProject" }, { type: "azure-native:migrate:MigrateProject" }, { type: "azure-native_migrate_v20180901preview:migrate:MigrateProjectsControllerMigrateProject" }, { type: "azure-native_migrate_v20200501:migrate:MigrateProjectsControllerMigrateProject" }, { type: "azure-native_migrate_v20230101:migrate:MigrateProjectsControllerMigrateProject" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MigrateProjectsControllerMigrateProject.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/modernizeProject.ts b/sdk/nodejs/migrate/modernizeProject.ts index 281a10915ac2..d430b889dd6a 100644 --- a/sdk/nodejs/migrate/modernizeProject.ts +++ b/sdk/nodejs/migrate/modernizeProject.ts @@ -102,7 +102,7 @@ export class ModernizeProject extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20220501preview:ModernizeProject" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20220501preview:ModernizeProject" }, { type: "azure-native_migrate_v20220501preview:migrate:ModernizeProject" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ModernizeProject.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/moveCollection.ts b/sdk/nodejs/migrate/moveCollection.ts index 3ead02e60f82..7e264390631f 100644 --- a/sdk/nodejs/migrate/moveCollection.ts +++ b/sdk/nodejs/migrate/moveCollection.ts @@ -115,7 +115,7 @@ export class MoveCollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001preview:MoveCollection" }, { type: "azure-native:migrate/v20210101:MoveCollection" }, { type: "azure-native:migrate/v20210801:MoveCollection" }, { type: "azure-native:migrate/v20220801:MoveCollection" }, { type: "azure-native:migrate/v20230801:MoveCollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20220801:MoveCollection" }, { type: "azure-native:migrate/v20230801:MoveCollection" }, { type: "azure-native_migrate_v20191001preview:migrate:MoveCollection" }, { type: "azure-native_migrate_v20210101:migrate:MoveCollection" }, { type: "azure-native_migrate_v20210801:migrate:MoveCollection" }, { type: "azure-native_migrate_v20220801:migrate:MoveCollection" }, { type: "azure-native_migrate_v20230801:migrate:MoveCollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MoveCollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/moveResource.ts b/sdk/nodejs/migrate/moveResource.ts index b71ce3da7174..4f9d3ba07640 100644 --- a/sdk/nodejs/migrate/moveResource.ts +++ b/sdk/nodejs/migrate/moveResource.ts @@ -95,7 +95,7 @@ export class MoveResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001preview:MoveResource" }, { type: "azure-native:migrate/v20210101:MoveResource" }, { type: "azure-native:migrate/v20210801:MoveResource" }, { type: "azure-native:migrate/v20220801:MoveResource" }, { type: "azure-native:migrate/v20230801:MoveResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20220801:MoveResource" }, { type: "azure-native:migrate/v20230801:MoveResource" }, { type: "azure-native_migrate_v20191001preview:migrate:MoveResource" }, { type: "azure-native_migrate_v20210101:migrate:MoveResource" }, { type: "azure-native_migrate_v20210801:migrate:MoveResource" }, { type: "azure-native_migrate_v20220801:migrate:MoveResource" }, { type: "azure-native_migrate_v20230801:migrate:MoveResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MoveResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/privateEndpointConnection.ts b/sdk/nodejs/migrate/privateEndpointConnection.ts index 37162c8124ca..30842ef0cbf9 100644 --- a/sdk/nodejs/migrate/privateEndpointConnection.ts +++ b/sdk/nodejs/migrate/privateEndpointConnection.ts @@ -96,7 +96,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:PrivateEndpointConnection" }, { type: "azure-native:migrate/v20230315:PrivateEndpointConnection" }, { type: "azure-native:migrate/v20230315:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230401preview:PrivateEndpointConnection" }, { type: "azure-native:migrate/v20230401preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230501preview:PrivateEndpointConnection" }, { type: "azure-native:migrate/v20230501preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230909preview:PrivateEndpointConnection" }, { type: "azure-native:migrate/v20230909preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20240101preview:PrivateEndpointConnection" }, { type: "azure-native:migrate/v20240101preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate:PrivateEndpointConnectionOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:PrivateEndpointConnection" }, { type: "azure-native:migrate/v20230315:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230401preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230501preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230909preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20240101preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate:PrivateEndpointConnectionOperation" }, { type: "azure-native_migrate_v20191001:migrate:PrivateEndpointConnection" }, { type: "azure-native_migrate_v20230315:migrate:PrivateEndpointConnection" }, { type: "azure-native_migrate_v20230401preview:migrate:PrivateEndpointConnection" }, { type: "azure-native_migrate_v20230501preview:migrate:PrivateEndpointConnection" }, { type: "azure-native_migrate_v20230909preview:migrate:PrivateEndpointConnection" }, { type: "azure-native_migrate_v20240101preview:migrate:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/privateEndpointConnectionControllerPrivateEndpointConnection.ts b/sdk/nodejs/migrate/privateEndpointConnectionControllerPrivateEndpointConnection.ts index 21767aafd900..00d9bba84f62 100644 --- a/sdk/nodejs/migrate/privateEndpointConnectionControllerPrivateEndpointConnection.ts +++ b/sdk/nodejs/migrate/privateEndpointConnectionControllerPrivateEndpointConnection.ts @@ -101,7 +101,7 @@ export class PrivateEndpointConnectionControllerPrivateEndpointConnection extend resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20200501:PrivateEndpointConnectionControllerPrivateEndpointConnection" }, { type: "azure-native:migrate/v20230101:PrivateEndpointConnectionControllerPrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20200501:PrivateEndpointConnectionControllerPrivateEndpointConnection" }, { type: "azure-native:migrate/v20230101:PrivateEndpointConnectionControllerPrivateEndpointConnection" }, { type: "azure-native_migrate_v20200501:migrate:PrivateEndpointConnectionControllerPrivateEndpointConnection" }, { type: "azure-native_migrate_v20230101:migrate:PrivateEndpointConnectionControllerPrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionControllerPrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/privateEndpointConnectionOperation.ts b/sdk/nodejs/migrate/privateEndpointConnectionOperation.ts index 265312e8faa7..51e7527f852c 100644 --- a/sdk/nodejs/migrate/privateEndpointConnectionOperation.ts +++ b/sdk/nodejs/migrate/privateEndpointConnectionOperation.ts @@ -116,7 +116,7 @@ export class PrivateEndpointConnectionOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:PrivateEndpointConnection" }, { type: "azure-native:migrate/v20191001:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230315:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230401preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230501preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230909preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20240101preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:PrivateEndpointConnection" }, { type: "azure-native:migrate/v20230315:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230401preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230501preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20230909preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate/v20240101preview:PrivateEndpointConnectionOperation" }, { type: "azure-native:migrate:PrivateEndpointConnection" }, { type: "azure-native_migrate_v20191001:migrate:PrivateEndpointConnectionOperation" }, { type: "azure-native_migrate_v20230315:migrate:PrivateEndpointConnectionOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:PrivateEndpointConnectionOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:PrivateEndpointConnectionOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:PrivateEndpointConnectionOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:PrivateEndpointConnectionOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/project.ts b/sdk/nodejs/migrate/project.ts index d31a45f4de7f..be0736c31655 100644 --- a/sdk/nodejs/migrate/project.ts +++ b/sdk/nodejs/migrate/project.ts @@ -101,7 +101,7 @@ export class Project extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20180202:Project" }, { type: "azure-native:migrate/v20191001:Project" }, { type: "azure-native:migrate/v20230315:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230315:Project" }, { type: "azure-native:migrate/v20230401preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230401preview:Project" }, { type: "azure-native:migrate/v20230501preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230501preview:Project" }, { type: "azure-native:migrate/v20230909preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230909preview:Project" }, { type: "azure-native:migrate/v20240101preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20240101preview:Project" }, { type: "azure-native:migrate:AssessmentProjectsOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:Project" }, { type: "azure-native:migrate/v20230315:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230401preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230501preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20230909preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate/v20240101preview:AssessmentProjectsOperation" }, { type: "azure-native:migrate:AssessmentProjectsOperation" }, { type: "azure-native_migrate_v20191001:migrate:Project" }, { type: "azure-native_migrate_v20230315:migrate:Project" }, { type: "azure-native_migrate_v20230401preview:migrate:Project" }, { type: "azure-native_migrate_v20230501preview:migrate:Project" }, { type: "azure-native_migrate_v20230909preview:migrate:Project" }, { type: "azure-native_migrate_v20240101preview:migrate:Project" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Project.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/serverCollector.ts b/sdk/nodejs/migrate/serverCollector.ts index 183e1a5116a8..b84ec8cb515c 100644 --- a/sdk/nodejs/migrate/serverCollector.ts +++ b/sdk/nodejs/migrate/serverCollector.ts @@ -79,7 +79,7 @@ export class ServerCollector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:ServerCollector" }, { type: "azure-native:migrate/v20230315:ServerCollector" }, { type: "azure-native:migrate/v20230315:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:ServerCollector" }, { type: "azure-native:migrate/v20230401preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:ServerCollector" }, { type: "azure-native:migrate/v20230501preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:ServerCollector" }, { type: "azure-native:migrate/v20230909preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:ServerCollector" }, { type: "azure-native:migrate/v20240101preview:ServerCollectorsOperation" }, { type: "azure-native:migrate:ServerCollectorsOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:ServerCollector" }, { type: "azure-native:migrate/v20230315:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:ServerCollectorsOperation" }, { type: "azure-native:migrate:ServerCollectorsOperation" }, { type: "azure-native_migrate_v20191001:migrate:ServerCollector" }, { type: "azure-native_migrate_v20230315:migrate:ServerCollector" }, { type: "azure-native_migrate_v20230401preview:migrate:ServerCollector" }, { type: "azure-native_migrate_v20230501preview:migrate:ServerCollector" }, { type: "azure-native_migrate_v20230909preview:migrate:ServerCollector" }, { type: "azure-native_migrate_v20240101preview:migrate:ServerCollector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerCollector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/serverCollectorsOperation.ts b/sdk/nodejs/migrate/serverCollectorsOperation.ts index f0bf7776b512..b5c514947953 100644 --- a/sdk/nodejs/migrate/serverCollectorsOperation.ts +++ b/sdk/nodejs/migrate/serverCollectorsOperation.ts @@ -119,7 +119,7 @@ export class ServerCollectorsOperation extends pulumi.CustomResource { resourceInputs["updatedTimestamp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:ServerCollector" }, { type: "azure-native:migrate/v20191001:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230315:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:ServerCollectorsOperation" }, { type: "azure-native:migrate:ServerCollector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:ServerCollector" }, { type: "azure-native:migrate/v20230315:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:ServerCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:ServerCollectorsOperation" }, { type: "azure-native:migrate:ServerCollector" }, { type: "azure-native_migrate_v20191001:migrate:ServerCollectorsOperation" }, { type: "azure-native_migrate_v20230315:migrate:ServerCollectorsOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:ServerCollectorsOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:ServerCollectorsOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:ServerCollectorsOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:ServerCollectorsOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerCollectorsOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/solution.ts b/sdk/nodejs/migrate/solution.ts index 2f13b68170e8..cc4adb077ea7 100644 --- a/sdk/nodejs/migrate/solution.ts +++ b/sdk/nodejs/migrate/solution.ts @@ -93,7 +93,7 @@ export class Solution extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20180901preview:Solution" }, { type: "azure-native:migrate/v20230101:Solution" }, { type: "azure-native:migrate/v20230101:SolutionsControllerSolution" }, { type: "azure-native:migrate:SolutionsControllerSolution" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20180901preview:Solution" }, { type: "azure-native:migrate/v20230101:SolutionsControllerSolution" }, { type: "azure-native:migrate:SolutionsControllerSolution" }, { type: "azure-native_migrate_v20180901preview:migrate:Solution" }, { type: "azure-native_migrate_v20230101:migrate:Solution" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Solution.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/sqlAssessmentV2Operation.ts b/sdk/nodejs/migrate/sqlAssessmentV2Operation.ts index b6abdd9a70b8..9348c8b2c0fb 100644 --- a/sdk/nodejs/migrate/sqlAssessmentV2Operation.ts +++ b/sdk/nodejs/migrate/sqlAssessmentV2Operation.ts @@ -326,7 +326,7 @@ export class SqlAssessmentV2Operation extends pulumi.CustomResource { resourceInputs["updatedTimestamp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230315:SqlAssessmentV2Operation" }, { type: "azure-native:migrate/v20230401preview:SqlAssessmentV2Operation" }, { type: "azure-native:migrate/v20230501preview:SqlAssessmentV2Operation" }, { type: "azure-native:migrate/v20230909preview:SqlAssessmentV2Operation" }, { type: "azure-native:migrate/v20240101preview:SqlAssessmentV2Operation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230315:SqlAssessmentV2Operation" }, { type: "azure-native:migrate/v20230401preview:SqlAssessmentV2Operation" }, { type: "azure-native:migrate/v20230501preview:SqlAssessmentV2Operation" }, { type: "azure-native:migrate/v20230909preview:SqlAssessmentV2Operation" }, { type: "azure-native:migrate/v20240101preview:SqlAssessmentV2Operation" }, { type: "azure-native_migrate_v20230315:migrate:SqlAssessmentV2Operation" }, { type: "azure-native_migrate_v20230401preview:migrate:SqlAssessmentV2Operation" }, { type: "azure-native_migrate_v20230501preview:migrate:SqlAssessmentV2Operation" }, { type: "azure-native_migrate_v20230909preview:migrate:SqlAssessmentV2Operation" }, { type: "azure-native_migrate_v20240101preview:migrate:SqlAssessmentV2Operation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlAssessmentV2Operation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/sqlCollectorOperation.ts b/sdk/nodejs/migrate/sqlCollectorOperation.ts index 642ba8d40a74..7bb01f316fc8 100644 --- a/sdk/nodejs/migrate/sqlCollectorOperation.ts +++ b/sdk/nodejs/migrate/sqlCollectorOperation.ts @@ -119,7 +119,7 @@ export class SqlCollectorOperation extends pulumi.CustomResource { resourceInputs["updatedTimestamp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230315:SqlCollectorOperation" }, { type: "azure-native:migrate/v20230401preview:SqlCollectorOperation" }, { type: "azure-native:migrate/v20230501preview:SqlCollectorOperation" }, { type: "azure-native:migrate/v20230909preview:SqlCollectorOperation" }, { type: "azure-native:migrate/v20240101preview:SqlCollectorOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230315:SqlCollectorOperation" }, { type: "azure-native:migrate/v20230401preview:SqlCollectorOperation" }, { type: "azure-native:migrate/v20230501preview:SqlCollectorOperation" }, { type: "azure-native:migrate/v20230909preview:SqlCollectorOperation" }, { type: "azure-native:migrate/v20240101preview:SqlCollectorOperation" }, { type: "azure-native_migrate_v20230315:migrate:SqlCollectorOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:SqlCollectorOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:SqlCollectorOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:SqlCollectorOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:SqlCollectorOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlCollectorOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/vmwareCollector.ts b/sdk/nodejs/migrate/vmwareCollector.ts index 99eb46fdbdec..7932f512fa30 100644 --- a/sdk/nodejs/migrate/vmwareCollector.ts +++ b/sdk/nodejs/migrate/vmwareCollector.ts @@ -79,7 +79,7 @@ export class VMwareCollector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:VMwareCollector" }, { type: "azure-native:migrate/v20230315:VMwareCollector" }, { type: "azure-native:migrate/v20230315:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:VMwareCollector" }, { type: "azure-native:migrate/v20230401preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:VMwareCollector" }, { type: "azure-native:migrate/v20230501preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:VMwareCollector" }, { type: "azure-native:migrate/v20230909preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:VMwareCollector" }, { type: "azure-native:migrate/v20240101preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate:VmwareCollectorsOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:VMwareCollector" }, { type: "azure-native:migrate/v20230315:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate:VmwareCollectorsOperation" }, { type: "azure-native_migrate_v20191001:migrate:VMwareCollector" }, { type: "azure-native_migrate_v20230315:migrate:VMwareCollector" }, { type: "azure-native_migrate_v20230401preview:migrate:VMwareCollector" }, { type: "azure-native_migrate_v20230501preview:migrate:VMwareCollector" }, { type: "azure-native_migrate_v20230909preview:migrate:VMwareCollector" }, { type: "azure-native_migrate_v20240101preview:migrate:VMwareCollector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VMwareCollector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/vmwareCollectorsOperation.ts b/sdk/nodejs/migrate/vmwareCollectorsOperation.ts index 62cf6ca840c0..5fc37f305121 100644 --- a/sdk/nodejs/migrate/vmwareCollectorsOperation.ts +++ b/sdk/nodejs/migrate/vmwareCollectorsOperation.ts @@ -119,7 +119,7 @@ export class VmwareCollectorsOperation extends pulumi.CustomResource { resourceInputs["updatedTimestamp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:VMwareCollector" }, { type: "azure-native:migrate/v20191001:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230315:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate:VMwareCollector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20191001:VMwareCollector" }, { type: "azure-native:migrate/v20230315:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230401preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230501preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20230909preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate/v20240101preview:VmwareCollectorsOperation" }, { type: "azure-native:migrate:VMwareCollector" }, { type: "azure-native_migrate_v20191001:migrate:VmwareCollectorsOperation" }, { type: "azure-native_migrate_v20230315:migrate:VmwareCollectorsOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:VmwareCollectorsOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:VmwareCollectorsOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:VmwareCollectorsOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:VmwareCollectorsOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VmwareCollectorsOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/webAppAssessmentV2Operation.ts b/sdk/nodejs/migrate/webAppAssessmentV2Operation.ts index 2a34fb3a827e..839df028cf15 100644 --- a/sdk/nodejs/migrate/webAppAssessmentV2Operation.ts +++ b/sdk/nodejs/migrate/webAppAssessmentV2Operation.ts @@ -265,7 +265,7 @@ export class WebAppAssessmentV2Operation extends pulumi.CustomResource { resourceInputs["updatedTimestamp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230401preview:WebAppAssessmentV2Operation" }, { type: "azure-native:migrate/v20230501preview:WebAppAssessmentV2Operation" }, { type: "azure-native:migrate/v20230909preview:WebAppAssessmentV2Operation" }, { type: "azure-native:migrate/v20240101preview:WebAppAssessmentV2Operation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230401preview:WebAppAssessmentV2Operation" }, { type: "azure-native:migrate/v20230501preview:WebAppAssessmentV2Operation" }, { type: "azure-native:migrate/v20230909preview:WebAppAssessmentV2Operation" }, { type: "azure-native:migrate/v20240101preview:WebAppAssessmentV2Operation" }, { type: "azure-native_migrate_v20230401preview:migrate:WebAppAssessmentV2Operation" }, { type: "azure-native_migrate_v20230501preview:migrate:WebAppAssessmentV2Operation" }, { type: "azure-native_migrate_v20230909preview:migrate:WebAppAssessmentV2Operation" }, { type: "azure-native_migrate_v20240101preview:migrate:WebAppAssessmentV2Operation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppAssessmentV2Operation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/webAppCollectorOperation.ts b/sdk/nodejs/migrate/webAppCollectorOperation.ts index 742e5a477e28..7d6d22d09809 100644 --- a/sdk/nodejs/migrate/webAppCollectorOperation.ts +++ b/sdk/nodejs/migrate/webAppCollectorOperation.ts @@ -119,7 +119,7 @@ export class WebAppCollectorOperation extends pulumi.CustomResource { resourceInputs["updatedTimestamp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230401preview:WebAppCollectorOperation" }, { type: "azure-native:migrate/v20230501preview:WebAppCollectorOperation" }, { type: "azure-native:migrate/v20230909preview:WebAppCollectorOperation" }, { type: "azure-native:migrate/v20240101preview:WebAppCollectorOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20230401preview:WebAppCollectorOperation" }, { type: "azure-native:migrate/v20230501preview:WebAppCollectorOperation" }, { type: "azure-native:migrate/v20230909preview:WebAppCollectorOperation" }, { type: "azure-native:migrate/v20240101preview:WebAppCollectorOperation" }, { type: "azure-native_migrate_v20230401preview:migrate:WebAppCollectorOperation" }, { type: "azure-native_migrate_v20230501preview:migrate:WebAppCollectorOperation" }, { type: "azure-native_migrate_v20230909preview:migrate:WebAppCollectorOperation" }, { type: "azure-native_migrate_v20240101preview:migrate:WebAppCollectorOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppCollectorOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/workloadDeployment.ts b/sdk/nodejs/migrate/workloadDeployment.ts index a5e11a9eff06..ffa8b9d46434 100644 --- a/sdk/nodejs/migrate/workloadDeployment.ts +++ b/sdk/nodejs/migrate/workloadDeployment.ts @@ -97,7 +97,7 @@ export class WorkloadDeployment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20220501preview:WorkloadDeployment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20220501preview:WorkloadDeployment" }, { type: "azure-native_migrate_v20220501preview:migrate:WorkloadDeployment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadDeployment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/migrate/workloadInstance.ts b/sdk/nodejs/migrate/workloadInstance.ts index d999ff1cfc64..3412d3aebb85 100644 --- a/sdk/nodejs/migrate/workloadInstance.ts +++ b/sdk/nodejs/migrate/workloadInstance.ts @@ -97,7 +97,7 @@ export class WorkloadInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20220501preview:WorkloadInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:migrate/v20220501preview:WorkloadInstance" }, { type: "azure-native_migrate_v20220501preview:migrate:WorkloadInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mixedreality/objectAnchorsAccount.ts b/sdk/nodejs/mixedreality/objectAnchorsAccount.ts index a89b1d36e653..e5afcd3c72f3 100644 --- a/sdk/nodejs/mixedreality/objectAnchorsAccount.ts +++ b/sdk/nodejs/mixedreality/objectAnchorsAccount.ts @@ -134,7 +134,7 @@ export class ObjectAnchorsAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mixedreality/v20210301preview:ObjectAnchorsAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mixedreality/v20210301preview:ObjectAnchorsAccount" }, { type: "azure-native_mixedreality_v20210301preview:mixedreality:ObjectAnchorsAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ObjectAnchorsAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mixedreality/remoteRenderingAccount.ts b/sdk/nodejs/mixedreality/remoteRenderingAccount.ts index a7333f6b5e6e..c06e7e0aa4de 100644 --- a/sdk/nodejs/mixedreality/remoteRenderingAccount.ts +++ b/sdk/nodejs/mixedreality/remoteRenderingAccount.ts @@ -139,7 +139,7 @@ export class RemoteRenderingAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mixedreality/v20191202preview:RemoteRenderingAccount" }, { type: "azure-native:mixedreality/v20200406preview:RemoteRenderingAccount" }, { type: "azure-native:mixedreality/v20210101:RemoteRenderingAccount" }, { type: "azure-native:mixedreality/v20210301preview:RemoteRenderingAccount" }, { type: "azure-native:mixedreality/v20250101:RemoteRenderingAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mixedreality/v20210101:RemoteRenderingAccount" }, { type: "azure-native:mixedreality/v20210301preview:RemoteRenderingAccount" }, { type: "azure-native_mixedreality_v20191202preview:mixedreality:RemoteRenderingAccount" }, { type: "azure-native_mixedreality_v20200406preview:mixedreality:RemoteRenderingAccount" }, { type: "azure-native_mixedreality_v20210101:mixedreality:RemoteRenderingAccount" }, { type: "azure-native_mixedreality_v20210301preview:mixedreality:RemoteRenderingAccount" }, { type: "azure-native_mixedreality_v20250101:mixedreality:RemoteRenderingAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RemoteRenderingAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mixedreality/spatialAnchorsAccount.ts b/sdk/nodejs/mixedreality/spatialAnchorsAccount.ts index 010bbaa3dcde..8dc50efecb0b 100644 --- a/sdk/nodejs/mixedreality/spatialAnchorsAccount.ts +++ b/sdk/nodejs/mixedreality/spatialAnchorsAccount.ts @@ -139,7 +139,7 @@ export class SpatialAnchorsAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mixedreality/v20190228preview:SpatialAnchorsAccount" }, { type: "azure-native:mixedreality/v20191202preview:SpatialAnchorsAccount" }, { type: "azure-native:mixedreality/v20200501:SpatialAnchorsAccount" }, { type: "azure-native:mixedreality/v20210101:SpatialAnchorsAccount" }, { type: "azure-native:mixedreality/v20210301preview:SpatialAnchorsAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mixedreality/v20210101:SpatialAnchorsAccount" }, { type: "azure-native:mixedreality/v20210301preview:SpatialAnchorsAccount" }, { type: "azure-native_mixedreality_v20190228preview:mixedreality:SpatialAnchorsAccount" }, { type: "azure-native_mixedreality_v20191202preview:mixedreality:SpatialAnchorsAccount" }, { type: "azure-native_mixedreality_v20200501:mixedreality:SpatialAnchorsAccount" }, { type: "azure-native_mixedreality_v20210101:mixedreality:SpatialAnchorsAccount" }, { type: "azure-native_mixedreality_v20210301preview:mixedreality:SpatialAnchorsAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SpatialAnchorsAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/attachedDataNetwork.ts b/sdk/nodejs/mobilenetwork/attachedDataNetwork.ts index 9e291c175e71..250ffe620737 100644 --- a/sdk/nodejs/mobilenetwork/attachedDataNetwork.ts +++ b/sdk/nodejs/mobilenetwork/attachedDataNetwork.ts @@ -152,7 +152,7 @@ export class AttachedDataNetwork extends pulumi.CustomResource { resourceInputs["userPlaneDataInterface"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220301preview:AttachedDataNetwork" }, { type: "azure-native:mobilenetwork/v20220401preview:AttachedDataNetwork" }, { type: "azure-native:mobilenetwork/v20221101:AttachedDataNetwork" }, { type: "azure-native:mobilenetwork/v20230601:AttachedDataNetwork" }, { type: "azure-native:mobilenetwork/v20230901:AttachedDataNetwork" }, { type: "azure-native:mobilenetwork/v20240201:AttachedDataNetwork" }, { type: "azure-native:mobilenetwork/v20240401:AttachedDataNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220401preview:AttachedDataNetwork" }, { type: "azure-native:mobilenetwork/v20221101:AttachedDataNetwork" }, { type: "azure-native:mobilenetwork/v20230601:AttachedDataNetwork" }, { type: "azure-native:mobilenetwork/v20230901:AttachedDataNetwork" }, { type: "azure-native:mobilenetwork/v20240201:AttachedDataNetwork" }, { type: "azure-native:mobilenetwork/v20240401:AttachedDataNetwork" }, { type: "azure-native_mobilenetwork_v20220301preview:mobilenetwork:AttachedDataNetwork" }, { type: "azure-native_mobilenetwork_v20220401preview:mobilenetwork:AttachedDataNetwork" }, { type: "azure-native_mobilenetwork_v20221101:mobilenetwork:AttachedDataNetwork" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:AttachedDataNetwork" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:AttachedDataNetwork" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:AttachedDataNetwork" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:AttachedDataNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AttachedDataNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/dataNetwork.ts b/sdk/nodejs/mobilenetwork/dataNetwork.ts index ba2924ad5deb..8137ace9535d 100644 --- a/sdk/nodejs/mobilenetwork/dataNetwork.ts +++ b/sdk/nodejs/mobilenetwork/dataNetwork.ts @@ -113,7 +113,7 @@ export class DataNetwork extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220301preview:DataNetwork" }, { type: "azure-native:mobilenetwork/v20220401preview:DataNetwork" }, { type: "azure-native:mobilenetwork/v20221101:DataNetwork" }, { type: "azure-native:mobilenetwork/v20230601:DataNetwork" }, { type: "azure-native:mobilenetwork/v20230901:DataNetwork" }, { type: "azure-native:mobilenetwork/v20240201:DataNetwork" }, { type: "azure-native:mobilenetwork/v20240401:DataNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220401preview:DataNetwork" }, { type: "azure-native:mobilenetwork/v20221101:DataNetwork" }, { type: "azure-native:mobilenetwork/v20230601:DataNetwork" }, { type: "azure-native:mobilenetwork/v20230901:DataNetwork" }, { type: "azure-native:mobilenetwork/v20240201:DataNetwork" }, { type: "azure-native:mobilenetwork/v20240401:DataNetwork" }, { type: "azure-native_mobilenetwork_v20220301preview:mobilenetwork:DataNetwork" }, { type: "azure-native_mobilenetwork_v20220401preview:mobilenetwork:DataNetwork" }, { type: "azure-native_mobilenetwork_v20221101:mobilenetwork:DataNetwork" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:DataNetwork" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:DataNetwork" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:DataNetwork" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:DataNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/diagnosticsPackage.ts b/sdk/nodejs/mobilenetwork/diagnosticsPackage.ts index d44513a4c74e..1526cc0624de 100644 --- a/sdk/nodejs/mobilenetwork/diagnosticsPackage.ts +++ b/sdk/nodejs/mobilenetwork/diagnosticsPackage.ts @@ -107,7 +107,7 @@ export class DiagnosticsPackage extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20230601:DiagnosticsPackage" }, { type: "azure-native:mobilenetwork/v20230901:DiagnosticsPackage" }, { type: "azure-native:mobilenetwork/v20240201:DiagnosticsPackage" }, { type: "azure-native:mobilenetwork/v20240401:DiagnosticsPackage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20230601:DiagnosticsPackage" }, { type: "azure-native:mobilenetwork/v20230901:DiagnosticsPackage" }, { type: "azure-native:mobilenetwork/v20240201:DiagnosticsPackage" }, { type: "azure-native:mobilenetwork/v20240401:DiagnosticsPackage" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:DiagnosticsPackage" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:DiagnosticsPackage" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:DiagnosticsPackage" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:DiagnosticsPackage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DiagnosticsPackage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/mobileNetwork.ts b/sdk/nodejs/mobilenetwork/mobileNetwork.ts index 049c81637b56..ce8ec4a56bbf 100644 --- a/sdk/nodejs/mobilenetwork/mobileNetwork.ts +++ b/sdk/nodejs/mobilenetwork/mobileNetwork.ts @@ -130,7 +130,7 @@ export class MobileNetwork extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220301preview:MobileNetwork" }, { type: "azure-native:mobilenetwork/v20220401preview:MobileNetwork" }, { type: "azure-native:mobilenetwork/v20221101:MobileNetwork" }, { type: "azure-native:mobilenetwork/v20230601:MobileNetwork" }, { type: "azure-native:mobilenetwork/v20230901:MobileNetwork" }, { type: "azure-native:mobilenetwork/v20240201:MobileNetwork" }, { type: "azure-native:mobilenetwork/v20240401:MobileNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220401preview:MobileNetwork" }, { type: "azure-native:mobilenetwork/v20221101:MobileNetwork" }, { type: "azure-native:mobilenetwork/v20230601:MobileNetwork" }, { type: "azure-native:mobilenetwork/v20230901:MobileNetwork" }, { type: "azure-native:mobilenetwork/v20240201:MobileNetwork" }, { type: "azure-native:mobilenetwork/v20240401:MobileNetwork" }, { type: "azure-native_mobilenetwork_v20220301preview:mobilenetwork:MobileNetwork" }, { type: "azure-native_mobilenetwork_v20220401preview:mobilenetwork:MobileNetwork" }, { type: "azure-native_mobilenetwork_v20221101:mobilenetwork:MobileNetwork" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:MobileNetwork" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:MobileNetwork" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:MobileNetwork" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:MobileNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MobileNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/packetCapture.ts b/sdk/nodejs/mobilenetwork/packetCapture.ts index bd1dbe8d0c5a..409f3914c820 100644 --- a/sdk/nodejs/mobilenetwork/packetCapture.ts +++ b/sdk/nodejs/mobilenetwork/packetCapture.ts @@ -143,7 +143,7 @@ export class PacketCapture extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20230601:PacketCapture" }, { type: "azure-native:mobilenetwork/v20230901:PacketCapture" }, { type: "azure-native:mobilenetwork/v20240201:PacketCapture" }, { type: "azure-native:mobilenetwork/v20240401:PacketCapture" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20230601:PacketCapture" }, { type: "azure-native:mobilenetwork/v20230901:PacketCapture" }, { type: "azure-native:mobilenetwork/v20240201:PacketCapture" }, { type: "azure-native:mobilenetwork/v20240401:PacketCapture" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCapture" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCapture" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCapture" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCapture" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PacketCapture.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/packetCoreControlPlane.ts b/sdk/nodejs/mobilenetwork/packetCoreControlPlane.ts index 294b6f6f9acb..8d084f3325f6 100644 --- a/sdk/nodejs/mobilenetwork/packetCoreControlPlane.ts +++ b/sdk/nodejs/mobilenetwork/packetCoreControlPlane.ts @@ -232,7 +232,7 @@ export class PacketCoreControlPlane extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220301preview:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20220401preview:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20221101:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20230601:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20230901:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20240201:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20240401:PacketCoreControlPlane" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220301preview:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20220401preview:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20221101:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20230601:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20230901:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20240201:PacketCoreControlPlane" }, { type: "azure-native:mobilenetwork/v20240401:PacketCoreControlPlane" }, { type: "azure-native_mobilenetwork_v20220301preview:mobilenetwork:PacketCoreControlPlane" }, { type: "azure-native_mobilenetwork_v20220401preview:mobilenetwork:PacketCoreControlPlane" }, { type: "azure-native_mobilenetwork_v20221101:mobilenetwork:PacketCoreControlPlane" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCoreControlPlane" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCoreControlPlane" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCoreControlPlane" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCoreControlPlane" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PacketCoreControlPlane.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/packetCoreDataPlane.ts b/sdk/nodejs/mobilenetwork/packetCoreDataPlane.ts index 0c15664cdb31..6f2899ed2133 100644 --- a/sdk/nodejs/mobilenetwork/packetCoreDataPlane.ts +++ b/sdk/nodejs/mobilenetwork/packetCoreDataPlane.ts @@ -122,7 +122,7 @@ export class PacketCoreDataPlane extends pulumi.CustomResource { resourceInputs["userPlaneAccessVirtualIpv4Addresses"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220301preview:PacketCoreDataPlane" }, { type: "azure-native:mobilenetwork/v20220401preview:PacketCoreDataPlane" }, { type: "azure-native:mobilenetwork/v20221101:PacketCoreDataPlane" }, { type: "azure-native:mobilenetwork/v20230601:PacketCoreDataPlane" }, { type: "azure-native:mobilenetwork/v20230901:PacketCoreDataPlane" }, { type: "azure-native:mobilenetwork/v20240201:PacketCoreDataPlane" }, { type: "azure-native:mobilenetwork/v20240401:PacketCoreDataPlane" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220401preview:PacketCoreDataPlane" }, { type: "azure-native:mobilenetwork/v20221101:PacketCoreDataPlane" }, { type: "azure-native:mobilenetwork/v20230601:PacketCoreDataPlane" }, { type: "azure-native:mobilenetwork/v20230901:PacketCoreDataPlane" }, { type: "azure-native:mobilenetwork/v20240201:PacketCoreDataPlane" }, { type: "azure-native:mobilenetwork/v20240401:PacketCoreDataPlane" }, { type: "azure-native_mobilenetwork_v20220301preview:mobilenetwork:PacketCoreDataPlane" }, { type: "azure-native_mobilenetwork_v20220401preview:mobilenetwork:PacketCoreDataPlane" }, { type: "azure-native_mobilenetwork_v20221101:mobilenetwork:PacketCoreDataPlane" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCoreDataPlane" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCoreDataPlane" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCoreDataPlane" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCoreDataPlane" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PacketCoreDataPlane.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/service.ts b/sdk/nodejs/mobilenetwork/service.ts index 7ad163555b0e..a84e8b43d92f 100644 --- a/sdk/nodejs/mobilenetwork/service.ts +++ b/sdk/nodejs/mobilenetwork/service.ts @@ -131,7 +131,7 @@ export class Service extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220301preview:Service" }, { type: "azure-native:mobilenetwork/v20220401preview:Service" }, { type: "azure-native:mobilenetwork/v20221101:Service" }, { type: "azure-native:mobilenetwork/v20230601:Service" }, { type: "azure-native:mobilenetwork/v20230901:Service" }, { type: "azure-native:mobilenetwork/v20240201:Service" }, { type: "azure-native:mobilenetwork/v20240401:Service" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220401preview:Service" }, { type: "azure-native:mobilenetwork/v20221101:Service" }, { type: "azure-native:mobilenetwork/v20230601:Service" }, { type: "azure-native:mobilenetwork/v20230901:Service" }, { type: "azure-native:mobilenetwork/v20240201:Service" }, { type: "azure-native:mobilenetwork/v20240401:Service" }, { type: "azure-native_mobilenetwork_v20220301preview:mobilenetwork:Service" }, { type: "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Service" }, { type: "azure-native_mobilenetwork_v20221101:mobilenetwork:Service" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:Service" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:Service" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:Service" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:Service" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Service.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/sim.ts b/sdk/nodejs/mobilenetwork/sim.ts index 7dd77014ecf0..e721f64080db 100644 --- a/sdk/nodejs/mobilenetwork/sim.ts +++ b/sdk/nodejs/mobilenetwork/sim.ts @@ -154,7 +154,7 @@ export class Sim extends pulumi.CustomResource { resourceInputs["vendorName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220301preview:Sim" }, { type: "azure-native:mobilenetwork/v20220401preview:Sim" }, { type: "azure-native:mobilenetwork/v20221101:Sim" }, { type: "azure-native:mobilenetwork/v20230601:Sim" }, { type: "azure-native:mobilenetwork/v20230901:Sim" }, { type: "azure-native:mobilenetwork/v20240201:Sim" }, { type: "azure-native:mobilenetwork/v20240401:Sim" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220401preview:Sim" }, { type: "azure-native:mobilenetwork/v20221101:Sim" }, { type: "azure-native:mobilenetwork/v20230601:Sim" }, { type: "azure-native:mobilenetwork/v20230901:Sim" }, { type: "azure-native:mobilenetwork/v20240201:Sim" }, { type: "azure-native:mobilenetwork/v20240401:Sim" }, { type: "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Sim" }, { type: "azure-native_mobilenetwork_v20221101:mobilenetwork:Sim" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:Sim" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:Sim" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:Sim" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:Sim" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Sim.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/simGroup.ts b/sdk/nodejs/mobilenetwork/simGroup.ts index e02d8346f313..9adbd5288d05 100644 --- a/sdk/nodejs/mobilenetwork/simGroup.ts +++ b/sdk/nodejs/mobilenetwork/simGroup.ts @@ -121,7 +121,7 @@ export class SimGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220401preview:SimGroup" }, { type: "azure-native:mobilenetwork/v20221101:SimGroup" }, { type: "azure-native:mobilenetwork/v20230601:SimGroup" }, { type: "azure-native:mobilenetwork/v20230901:SimGroup" }, { type: "azure-native:mobilenetwork/v20240201:SimGroup" }, { type: "azure-native:mobilenetwork/v20240401:SimGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220401preview:SimGroup" }, { type: "azure-native:mobilenetwork/v20221101:SimGroup" }, { type: "azure-native:mobilenetwork/v20230601:SimGroup" }, { type: "azure-native:mobilenetwork/v20230901:SimGroup" }, { type: "azure-native:mobilenetwork/v20240201:SimGroup" }, { type: "azure-native:mobilenetwork/v20240401:SimGroup" }, { type: "azure-native_mobilenetwork_v20220401preview:mobilenetwork:SimGroup" }, { type: "azure-native_mobilenetwork_v20221101:mobilenetwork:SimGroup" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:SimGroup" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:SimGroup" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:SimGroup" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:SimGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SimGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/simPolicy.ts b/sdk/nodejs/mobilenetwork/simPolicy.ts index e2909b40a197..ff5daf3f5d6f 100644 --- a/sdk/nodejs/mobilenetwork/simPolicy.ts +++ b/sdk/nodejs/mobilenetwork/simPolicy.ts @@ -152,7 +152,7 @@ export class SimPolicy extends pulumi.CustomResource { resourceInputs["ueAmbr"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220301preview:SimPolicy" }, { type: "azure-native:mobilenetwork/v20220401preview:SimPolicy" }, { type: "azure-native:mobilenetwork/v20221101:SimPolicy" }, { type: "azure-native:mobilenetwork/v20230601:SimPolicy" }, { type: "azure-native:mobilenetwork/v20230901:SimPolicy" }, { type: "azure-native:mobilenetwork/v20240201:SimPolicy" }, { type: "azure-native:mobilenetwork/v20240401:SimPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220401preview:SimPolicy" }, { type: "azure-native:mobilenetwork/v20221101:SimPolicy" }, { type: "azure-native:mobilenetwork/v20230601:SimPolicy" }, { type: "azure-native:mobilenetwork/v20230901:SimPolicy" }, { type: "azure-native:mobilenetwork/v20240201:SimPolicy" }, { type: "azure-native:mobilenetwork/v20240401:SimPolicy" }, { type: "azure-native_mobilenetwork_v20220301preview:mobilenetwork:SimPolicy" }, { type: "azure-native_mobilenetwork_v20220401preview:mobilenetwork:SimPolicy" }, { type: "azure-native_mobilenetwork_v20221101:mobilenetwork:SimPolicy" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:SimPolicy" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:SimPolicy" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:SimPolicy" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:SimPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SimPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/site.ts b/sdk/nodejs/mobilenetwork/site.ts index 1149382ffccc..da2d362e284f 100644 --- a/sdk/nodejs/mobilenetwork/site.ts +++ b/sdk/nodejs/mobilenetwork/site.ts @@ -113,7 +113,7 @@ export class Site extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220301preview:Site" }, { type: "azure-native:mobilenetwork/v20220401preview:Site" }, { type: "azure-native:mobilenetwork/v20221101:Site" }, { type: "azure-native:mobilenetwork/v20230601:Site" }, { type: "azure-native:mobilenetwork/v20230901:Site" }, { type: "azure-native:mobilenetwork/v20240201:Site" }, { type: "azure-native:mobilenetwork/v20240401:Site" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220401preview:Site" }, { type: "azure-native:mobilenetwork/v20221101:Site" }, { type: "azure-native:mobilenetwork/v20230601:Site" }, { type: "azure-native:mobilenetwork/v20230901:Site" }, { type: "azure-native:mobilenetwork/v20240201:Site" }, { type: "azure-native:mobilenetwork/v20240401:Site" }, { type: "azure-native_mobilenetwork_v20220301preview:mobilenetwork:Site" }, { type: "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Site" }, { type: "azure-native_mobilenetwork_v20221101:mobilenetwork:Site" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:Site" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:Site" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:Site" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:Site" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Site.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mobilenetwork/slice.ts b/sdk/nodejs/mobilenetwork/slice.ts index e1c78e1982df..d81d03132d75 100644 --- a/sdk/nodejs/mobilenetwork/slice.ts +++ b/sdk/nodejs/mobilenetwork/slice.ts @@ -122,7 +122,7 @@ export class Slice extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220301preview:Slice" }, { type: "azure-native:mobilenetwork/v20220401preview:Slice" }, { type: "azure-native:mobilenetwork/v20221101:Slice" }, { type: "azure-native:mobilenetwork/v20230601:Slice" }, { type: "azure-native:mobilenetwork/v20230901:Slice" }, { type: "azure-native:mobilenetwork/v20240201:Slice" }, { type: "azure-native:mobilenetwork/v20240401:Slice" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:mobilenetwork/v20220401preview:Slice" }, { type: "azure-native:mobilenetwork/v20221101:Slice" }, { type: "azure-native:mobilenetwork/v20230601:Slice" }, { type: "azure-native:mobilenetwork/v20230901:Slice" }, { type: "azure-native:mobilenetwork/v20240201:Slice" }, { type: "azure-native:mobilenetwork/v20240401:Slice" }, { type: "azure-native_mobilenetwork_v20220301preview:mobilenetwork:Slice" }, { type: "azure-native_mobilenetwork_v20220401preview:mobilenetwork:Slice" }, { type: "azure-native_mobilenetwork_v20221101:mobilenetwork:Slice" }, { type: "azure-native_mobilenetwork_v20230601:mobilenetwork:Slice" }, { type: "azure-native_mobilenetwork_v20230901:mobilenetwork:Slice" }, { type: "azure-native_mobilenetwork_v20240201:mobilenetwork:Slice" }, { type: "azure-native_mobilenetwork_v20240401:mobilenetwork:Slice" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Slice.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mongocluster/firewallRule.ts b/sdk/nodejs/mongocluster/firewallRule.ts index 14c02b7608ed..94b7c45267af 100644 --- a/sdk/nodejs/mongocluster/firewallRule.ts +++ b/sdk/nodejs/mongocluster/firewallRule.ts @@ -95,7 +95,7 @@ export class FirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20230915preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20231115preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20240215preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20240301preview:FirewallRule" }, { type: "azure-native:documentdb/v20240601preview:FirewallRule" }, { type: "azure-native:documentdb/v20240701:FirewallRule" }, { type: "azure-native:documentdb/v20241001preview:FirewallRule" }, { type: "azure-native:documentdb:FirewallRule" }, { type: "azure-native:documentdb:MongoClusterFirewallRule" }, { type: "azure-native:mongocluster/v20240301preview:FirewallRule" }, { type: "azure-native:mongocluster/v20240601preview:FirewallRule" }, { type: "azure-native:mongocluster/v20240701:FirewallRule" }, { type: "azure-native:mongocluster/v20241001preview:FirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20230915preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20231115preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20240215preview:MongoClusterFirewallRule" }, { type: "azure-native:documentdb/v20240301preview:FirewallRule" }, { type: "azure-native:documentdb/v20240601preview:FirewallRule" }, { type: "azure-native:documentdb/v20240701:FirewallRule" }, { type: "azure-native:documentdb/v20241001preview:FirewallRule" }, { type: "azure-native:documentdb:FirewallRule" }, { type: "azure-native:documentdb:MongoClusterFirewallRule" }, { type: "azure-native_mongocluster_v20240301preview:mongocluster:FirewallRule" }, { type: "azure-native_mongocluster_v20240601preview:mongocluster:FirewallRule" }, { type: "azure-native_mongocluster_v20240701:mongocluster:FirewallRule" }, { type: "azure-native_mongocluster_v20241001preview:mongocluster:FirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mongocluster/mongoCluster.ts b/sdk/nodejs/mongocluster/mongoCluster.ts index 3e5982908f70..7d664a0b5042 100644 --- a/sdk/nodejs/mongocluster/mongoCluster.ts +++ b/sdk/nodejs/mongocluster/mongoCluster.ts @@ -103,7 +103,7 @@ export class MongoCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:MongoCluster" }, { type: "azure-native:documentdb/v20230915preview:MongoCluster" }, { type: "azure-native:documentdb/v20231115preview:MongoCluster" }, { type: "azure-native:documentdb/v20240215preview:MongoCluster" }, { type: "azure-native:documentdb/v20240301preview:MongoCluster" }, { type: "azure-native:documentdb/v20240601preview:MongoCluster" }, { type: "azure-native:documentdb/v20240701:MongoCluster" }, { type: "azure-native:documentdb/v20241001preview:MongoCluster" }, { type: "azure-native:documentdb:MongoCluster" }, { type: "azure-native:mongocluster/v20240301preview:MongoCluster" }, { type: "azure-native:mongocluster/v20240601preview:MongoCluster" }, { type: "azure-native:mongocluster/v20240701:MongoCluster" }, { type: "azure-native:mongocluster/v20241001preview:MongoCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20230315preview:MongoCluster" }, { type: "azure-native:documentdb/v20230915preview:MongoCluster" }, { type: "azure-native:documentdb/v20231115preview:MongoCluster" }, { type: "azure-native:documentdb/v20240215preview:MongoCluster" }, { type: "azure-native:documentdb/v20240301preview:MongoCluster" }, { type: "azure-native:documentdb/v20240601preview:MongoCluster" }, { type: "azure-native:documentdb/v20240701:MongoCluster" }, { type: "azure-native:documentdb/v20241001preview:MongoCluster" }, { type: "azure-native:documentdb:MongoCluster" }, { type: "azure-native_mongocluster_v20240301preview:mongocluster:MongoCluster" }, { type: "azure-native_mongocluster_v20240601preview:mongocluster:MongoCluster" }, { type: "azure-native_mongocluster_v20240701:mongocluster:MongoCluster" }, { type: "azure-native_mongocluster_v20241001preview:mongocluster:MongoCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MongoCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mongocluster/privateEndpointConnection.ts b/sdk/nodejs/mongocluster/privateEndpointConnection.ts index ed49bc775cc3..8288bc01148a 100644 --- a/sdk/nodejs/mongocluster/privateEndpointConnection.ts +++ b/sdk/nodejs/mongocluster/privateEndpointConnection.ts @@ -95,7 +95,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20240301preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240701:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20241001preview:PrivateEndpointConnection" }, { type: "azure-native:mongocluster/v20240301preview:PrivateEndpointConnection" }, { type: "azure-native:mongocluster/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native:mongocluster/v20240701:PrivateEndpointConnection" }, { type: "azure-native:mongocluster/v20241001preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:documentdb/v20240301preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20240701:PrivateEndpointConnection" }, { type: "azure-native:documentdb/v20241001preview:PrivateEndpointConnection" }, { type: "azure-native_mongocluster_v20240301preview:mongocluster:PrivateEndpointConnection" }, { type: "azure-native_mongocluster_v20240601preview:mongocluster:PrivateEndpointConnection" }, { type: "azure-native_mongocluster_v20240701:mongocluster:PrivateEndpointConnection" }, { type: "azure-native_mongocluster_v20241001preview:mongocluster:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/actionGroup.ts b/sdk/nodejs/monitor/actionGroup.ts index 9cf53eaed12f..4da2b07827a0 100644 --- a/sdk/nodejs/monitor/actionGroup.ts +++ b/sdk/nodejs/monitor/actionGroup.ts @@ -187,7 +187,7 @@ export class ActionGroup extends pulumi.CustomResource { resourceInputs["webhookReceivers"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:insights/v20230101:ActionGroup" }, { type: "azure-native:insights/v20230901preview:ActionGroup" }, { type: "azure-native:insights/v20241001preview:ActionGroup" }, { type: "azure-native:insights:ActionGroup" }, { type: "azure-native:monitor/v20170401:ActionGroup" }, { type: "azure-native:monitor/v20180301:ActionGroup" }, { type: "azure-native:monitor/v20180901:ActionGroup" }, { type: "azure-native:monitor/v20190301:ActionGroup" }, { type: "azure-native:monitor/v20190601:ActionGroup" }, { type: "azure-native:monitor/v20210901:ActionGroup" }, { type: "azure-native:monitor/v20220401:ActionGroup" }, { type: "azure-native:monitor/v20220601:ActionGroup" }, { type: "azure-native:monitor/v20230101:ActionGroup" }, { type: "azure-native:monitor/v20230901preview:ActionGroup" }, { type: "azure-native:monitor/v20241001preview:ActionGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20230101:ActionGroup" }, { type: "azure-native:insights/v20230901preview:ActionGroup" }, { type: "azure-native:insights/v20241001preview:ActionGroup" }, { type: "azure-native:insights:ActionGroup" }, { type: "azure-native_monitor_v20170401:monitor:ActionGroup" }, { type: "azure-native_monitor_v20180301:monitor:ActionGroup" }, { type: "azure-native_monitor_v20180901:monitor:ActionGroup" }, { type: "azure-native_monitor_v20190301:monitor:ActionGroup" }, { type: "azure-native_monitor_v20190601:monitor:ActionGroup" }, { type: "azure-native_monitor_v20210901:monitor:ActionGroup" }, { type: "azure-native_monitor_v20220401:monitor:ActionGroup" }, { type: "azure-native_monitor_v20220601:monitor:ActionGroup" }, { type: "azure-native_monitor_v20230101:monitor:ActionGroup" }, { type: "azure-native_monitor_v20230901preview:monitor:ActionGroup" }, { type: "azure-native_monitor_v20241001preview:monitor:ActionGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ActionGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/autoscaleSetting.ts b/sdk/nodejs/monitor/autoscaleSetting.ts index 856709526555..33d00e1adf87 100644 --- a/sdk/nodejs/monitor/autoscaleSetting.ts +++ b/sdk/nodejs/monitor/autoscaleSetting.ts @@ -110,7 +110,7 @@ export class AutoscaleSetting extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:insights/v20221001:AutoscaleSetting" }, { type: "azure-native:insights:AutoscaleSetting" }, { type: "azure-native:monitor/v20140401:AutoscaleSetting" }, { type: "azure-native:monitor/v20150401:AutoscaleSetting" }, { type: "azure-native:monitor/v20210501preview:AutoscaleSetting" }, { type: "azure-native:monitor/v20221001:AutoscaleSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20221001:AutoscaleSetting" }, { type: "azure-native:insights:AutoscaleSetting" }, { type: "azure-native_monitor_v20140401:monitor:AutoscaleSetting" }, { type: "azure-native_monitor_v20150401:monitor:AutoscaleSetting" }, { type: "azure-native_monitor_v20210501preview:monitor:AutoscaleSetting" }, { type: "azure-native_monitor_v20221001:monitor:AutoscaleSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AutoscaleSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/azureMonitorWorkspace.ts b/sdk/nodejs/monitor/azureMonitorWorkspace.ts index a04bb71d434d..6d00dc0291eb 100644 --- a/sdk/nodejs/monitor/azureMonitorWorkspace.ts +++ b/sdk/nodejs/monitor/azureMonitorWorkspace.ts @@ -139,7 +139,7 @@ export class AzureMonitorWorkspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:monitor/v20210603preview:AzureMonitorWorkspace" }, { type: "azure-native:monitor/v20230403:AzureMonitorWorkspace" }, { type: "azure-native:monitor/v20231001preview:AzureMonitorWorkspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:monitor/v20230403:AzureMonitorWorkspace" }, { type: "azure-native:monitor/v20231001preview:AzureMonitorWorkspace" }, { type: "azure-native_monitor_v20210603preview:monitor:AzureMonitorWorkspace" }, { type: "azure-native_monitor_v20230403:monitor:AzureMonitorWorkspace" }, { type: "azure-native_monitor_v20231001preview:monitor:AzureMonitorWorkspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzureMonitorWorkspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/diagnosticSetting.ts b/sdk/nodejs/monitor/diagnosticSetting.ts index 626e1cf6fe54..919f5ae40340 100644 --- a/sdk/nodejs/monitor/diagnosticSetting.ts +++ b/sdk/nodejs/monitor/diagnosticSetting.ts @@ -136,7 +136,7 @@ export class DiagnosticSetting extends pulumi.CustomResource { resourceInputs["workspaceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:insights/v20210501preview:DiagnosticSetting" }, { type: "azure-native:insights:DiagnosticSetting" }, { type: "azure-native:monitor/v20170501preview:DiagnosticSetting" }, { type: "azure-native:monitor/v20210501preview:DiagnosticSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20210501preview:DiagnosticSetting" }, { type: "azure-native:insights:DiagnosticSetting" }, { type: "azure-native_monitor_v20170501preview:monitor:DiagnosticSetting" }, { type: "azure-native_monitor_v20210501preview:monitor:DiagnosticSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DiagnosticSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/managementGroupDiagnosticSetting.ts b/sdk/nodejs/monitor/managementGroupDiagnosticSetting.ts index 9a8da4edb616..538d3fcca234 100644 --- a/sdk/nodejs/monitor/managementGroupDiagnosticSetting.ts +++ b/sdk/nodejs/monitor/managementGroupDiagnosticSetting.ts @@ -124,7 +124,7 @@ export class ManagementGroupDiagnosticSetting extends pulumi.CustomResource { resourceInputs["workspaceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:insights/v20200101preview:ManagementGroupDiagnosticSetting" }, { type: "azure-native:insights/v20210501preview:ManagementGroupDiagnosticSetting" }, { type: "azure-native:insights:ManagementGroupDiagnosticSetting" }, { type: "azure-native:monitor/v20200101preview:ManagementGroupDiagnosticSetting" }, { type: "azure-native:monitor/v20210501preview:ManagementGroupDiagnosticSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20200101preview:ManagementGroupDiagnosticSetting" }, { type: "azure-native:insights/v20210501preview:ManagementGroupDiagnosticSetting" }, { type: "azure-native:insights:ManagementGroupDiagnosticSetting" }, { type: "azure-native_monitor_v20200101preview:monitor:ManagementGroupDiagnosticSetting" }, { type: "azure-native_monitor_v20210501preview:monitor:ManagementGroupDiagnosticSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagementGroupDiagnosticSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/pipelineGroup.ts b/sdk/nodejs/monitor/pipelineGroup.ts index 7484c516e984..a82a0ef1ebb1 100644 --- a/sdk/nodejs/monitor/pipelineGroup.ts +++ b/sdk/nodejs/monitor/pipelineGroup.ts @@ -109,7 +109,7 @@ export class PipelineGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:monitor/v20231001preview:PipelineGroup" }, { type: "azure-native:monitor/v20241001preview:PipelineGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:monitor/v20231001preview:PipelineGroup" }, { type: "azure-native:monitor/v20241001preview:PipelineGroup" }, { type: "azure-native_monitor_v20231001preview:monitor:PipelineGroup" }, { type: "azure-native_monitor_v20241001preview:monitor:PipelineGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PipelineGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/privateEndpointConnection.ts b/sdk/nodejs/monitor/privateEndpointConnection.ts index 72bf9a01b83b..a717297bf51c 100644 --- a/sdk/nodejs/monitor/privateEndpointConnection.ts +++ b/sdk/nodejs/monitor/privateEndpointConnection.ts @@ -104,7 +104,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:insights/v20191017preview:PrivateEndpointConnection" }, { type: "azure-native:insights/v20210701preview:PrivateEndpointConnection" }, { type: "azure-native:insights/v20210901:PrivateEndpointConnection" }, { type: "azure-native:insights/v20230601preview:PrivateEndpointConnection" }, { type: "azure-native:insights:PrivateEndpointConnection" }, { type: "azure-native:monitor/v20191017preview:PrivateEndpointConnection" }, { type: "azure-native:monitor/v20210701preview:PrivateEndpointConnection" }, { type: "azure-native:monitor/v20210901:PrivateEndpointConnection" }, { type: "azure-native:monitor/v20230601preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20191017preview:PrivateEndpointConnection" }, { type: "azure-native:insights/v20210701preview:PrivateEndpointConnection" }, { type: "azure-native:insights/v20210901:PrivateEndpointConnection" }, { type: "azure-native:insights/v20230601preview:PrivateEndpointConnection" }, { type: "azure-native:insights:PrivateEndpointConnection" }, { type: "azure-native_monitor_v20191017preview:monitor:PrivateEndpointConnection" }, { type: "azure-native_monitor_v20210701preview:monitor:PrivateEndpointConnection" }, { type: "azure-native_monitor_v20210901:monitor:PrivateEndpointConnection" }, { type: "azure-native_monitor_v20230601preview:monitor:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/privateLinkScope.ts b/sdk/nodejs/monitor/privateLinkScope.ts index 453eb6fc46a3..54780648eccd 100644 --- a/sdk/nodejs/monitor/privateLinkScope.ts +++ b/sdk/nodejs/monitor/privateLinkScope.ts @@ -118,7 +118,7 @@ export class PrivateLinkScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:insights/v20191017preview:PrivateLinkScope" }, { type: "azure-native:insights/v20210701preview:PrivateLinkScope" }, { type: "azure-native:insights/v20210901:PrivateLinkScope" }, { type: "azure-native:insights/v20230601preview:PrivateLinkScope" }, { type: "azure-native:insights:PrivateLinkScope" }, { type: "azure-native:monitor/v20191017preview:PrivateLinkScope" }, { type: "azure-native:monitor/v20210701preview:PrivateLinkScope" }, { type: "azure-native:monitor/v20210901:PrivateLinkScope" }, { type: "azure-native:monitor/v20230601preview:PrivateLinkScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20191017preview:PrivateLinkScope" }, { type: "azure-native:insights/v20210701preview:PrivateLinkScope" }, { type: "azure-native:insights/v20210901:PrivateLinkScope" }, { type: "azure-native:insights/v20230601preview:PrivateLinkScope" }, { type: "azure-native:insights:PrivateLinkScope" }, { type: "azure-native_monitor_v20191017preview:monitor:PrivateLinkScope" }, { type: "azure-native_monitor_v20210701preview:monitor:PrivateLinkScope" }, { type: "azure-native_monitor_v20210901:monitor:PrivateLinkScope" }, { type: "azure-native_monitor_v20230601preview:monitor:PrivateLinkScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/privateLinkScopedResource.ts b/sdk/nodejs/monitor/privateLinkScopedResource.ts index 12fd3637c7a7..30ef9b58b7d5 100644 --- a/sdk/nodejs/monitor/privateLinkScopedResource.ts +++ b/sdk/nodejs/monitor/privateLinkScopedResource.ts @@ -112,7 +112,7 @@ export class PrivateLinkScopedResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:insights/v20210701preview:PrivateLinkScopedResource" }, { type: "azure-native:insights/v20210901:PrivateLinkScopedResource" }, { type: "azure-native:insights/v20230601preview:PrivateLinkScopedResource" }, { type: "azure-native:insights:PrivateLinkScopedResource" }, { type: "azure-native:monitor/v20191017preview:PrivateLinkScopedResource" }, { type: "azure-native:monitor/v20210701preview:PrivateLinkScopedResource" }, { type: "azure-native:monitor/v20210901:PrivateLinkScopedResource" }, { type: "azure-native:monitor/v20230601preview:PrivateLinkScopedResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20210701preview:PrivateLinkScopedResource" }, { type: "azure-native:insights/v20210901:PrivateLinkScopedResource" }, { type: "azure-native:insights/v20230601preview:PrivateLinkScopedResource" }, { type: "azure-native:insights:PrivateLinkScopedResource" }, { type: "azure-native_monitor_v20191017preview:monitor:PrivateLinkScopedResource" }, { type: "azure-native_monitor_v20210701preview:monitor:PrivateLinkScopedResource" }, { type: "azure-native_monitor_v20210901:monitor:PrivateLinkScopedResource" }, { type: "azure-native_monitor_v20230601preview:monitor:PrivateLinkScopedResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkScopedResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/scheduledQueryRule.ts b/sdk/nodejs/monitor/scheduledQueryRule.ts index 64ac9fd357d6..d46ec2b80782 100644 --- a/sdk/nodejs/monitor/scheduledQueryRule.ts +++ b/sdk/nodejs/monitor/scheduledQueryRule.ts @@ -238,7 +238,7 @@ export class ScheduledQueryRule extends pulumi.CustomResource { resourceInputs["windowSize"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:insights/v20180416:ScheduledQueryRule" }, { type: "azure-native:insights/v20200501preview:ScheduledQueryRule" }, { type: "azure-native:insights/v20220801preview:ScheduledQueryRule" }, { type: "azure-native:insights/v20230315preview:ScheduledQueryRule" }, { type: "azure-native:insights/v20231201:ScheduledQueryRule" }, { type: "azure-native:insights/v20240101preview:ScheduledQueryRule" }, { type: "azure-native:insights:ScheduledQueryRule" }, { type: "azure-native:monitor/v20180416:ScheduledQueryRule" }, { type: "azure-native:monitor/v20200501preview:ScheduledQueryRule" }, { type: "azure-native:monitor/v20210201preview:ScheduledQueryRule" }, { type: "azure-native:monitor/v20210801:ScheduledQueryRule" }, { type: "azure-native:monitor/v20220615:ScheduledQueryRule" }, { type: "azure-native:monitor/v20220801preview:ScheduledQueryRule" }, { type: "azure-native:monitor/v20230315preview:ScheduledQueryRule" }, { type: "azure-native:monitor/v20231201:ScheduledQueryRule" }, { type: "azure-native:monitor/v20240101preview:ScheduledQueryRule" }, { type: "azure-native:monitor/v20250101preview:ScheduledQueryRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20180416:ScheduledQueryRule" }, { type: "azure-native:insights/v20200501preview:ScheduledQueryRule" }, { type: "azure-native:insights/v20220801preview:ScheduledQueryRule" }, { type: "azure-native:insights/v20230315preview:ScheduledQueryRule" }, { type: "azure-native:insights/v20231201:ScheduledQueryRule" }, { type: "azure-native:insights/v20240101preview:ScheduledQueryRule" }, { type: "azure-native:insights:ScheduledQueryRule" }, { type: "azure-native_monitor_v20180416:monitor:ScheduledQueryRule" }, { type: "azure-native_monitor_v20200501preview:monitor:ScheduledQueryRule" }, { type: "azure-native_monitor_v20210201preview:monitor:ScheduledQueryRule" }, { type: "azure-native_monitor_v20210801:monitor:ScheduledQueryRule" }, { type: "azure-native_monitor_v20220615:monitor:ScheduledQueryRule" }, { type: "azure-native_monitor_v20220801preview:monitor:ScheduledQueryRule" }, { type: "azure-native_monitor_v20230315preview:monitor:ScheduledQueryRule" }, { type: "azure-native_monitor_v20231201:monitor:ScheduledQueryRule" }, { type: "azure-native_monitor_v20240101preview:monitor:ScheduledQueryRule" }, { type: "azure-native_monitor_v20250101preview:monitor:ScheduledQueryRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScheduledQueryRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/subscriptionDiagnosticSetting.ts b/sdk/nodejs/monitor/subscriptionDiagnosticSetting.ts index b9f8f5762316..8a4f22e78422 100644 --- a/sdk/nodejs/monitor/subscriptionDiagnosticSetting.ts +++ b/sdk/nodejs/monitor/subscriptionDiagnosticSetting.ts @@ -120,7 +120,7 @@ export class SubscriptionDiagnosticSetting extends pulumi.CustomResource { resourceInputs["workspaceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:insights/v20170501preview:SubscriptionDiagnosticSetting" }, { type: "azure-native:insights/v20210501preview:SubscriptionDiagnosticSetting" }, { type: "azure-native:insights:SubscriptionDiagnosticSetting" }, { type: "azure-native:monitor/v20170501preview:SubscriptionDiagnosticSetting" }, { type: "azure-native:monitor/v20210501preview:SubscriptionDiagnosticSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20170501preview:SubscriptionDiagnosticSetting" }, { type: "azure-native:insights/v20210501preview:SubscriptionDiagnosticSetting" }, { type: "azure-native:insights:SubscriptionDiagnosticSetting" }, { type: "azure-native_monitor_v20170501preview:monitor:SubscriptionDiagnosticSetting" }, { type: "azure-native_monitor_v20210501preview:monitor:SubscriptionDiagnosticSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SubscriptionDiagnosticSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/monitor/tenantActionGroup.ts b/sdk/nodejs/monitor/tenantActionGroup.ts index 29c278bcf6b4..82c25f47c057 100644 --- a/sdk/nodejs/monitor/tenantActionGroup.ts +++ b/sdk/nodejs/monitor/tenantActionGroup.ts @@ -137,7 +137,7 @@ export class TenantActionGroup extends pulumi.CustomResource { resourceInputs["webhookReceivers"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:insights/v20230501preview:TenantActionGroup" }, { type: "azure-native:insights:TenantActionGroup" }, { type: "azure-native:monitor/v20230301preview:TenantActionGroup" }, { type: "azure-native:monitor/v20230501preview:TenantActionGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:insights/v20230501preview:TenantActionGroup" }, { type: "azure-native:insights:TenantActionGroup" }, { type: "azure-native_monitor_v20230301preview:monitor:TenantActionGroup" }, { type: "azure-native_monitor_v20230501preview:monitor:TenantActionGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TenantActionGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mysqldiscovery/mySQLServer.ts b/sdk/nodejs/mysqldiscovery/mySQLServer.ts index 72eb4431c228..956efe5607f4 100644 --- a/sdk/nodejs/mysqldiscovery/mySQLServer.ts +++ b/sdk/nodejs/mysqldiscovery/mySQLServer.ts @@ -171,7 +171,7 @@ export class MySQLServer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mysqldiscovery/v20240930preview:MySQLServer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_mysqldiscovery_v20240930preview:mysqldiscovery:MySQLServer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MySQLServer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/mysqldiscovery/mySQLSite.ts b/sdk/nodejs/mysqldiscovery/mySQLSite.ts index 09b216f1157d..0ca633865014 100644 --- a/sdk/nodejs/mysqldiscovery/mySQLSite.ts +++ b/sdk/nodejs/mysqldiscovery/mySQLSite.ts @@ -128,7 +128,7 @@ export class MySQLSite extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:mysqldiscovery/v20240930preview:MySQLSite" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_mysqldiscovery_v20240930preview:mysqldiscovery:MySQLSite" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MySQLSite.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/account.ts b/sdk/nodejs/netapp/account.ts index f6bd675fdd7a..e32931944703 100644 --- a/sdk/nodejs/netapp/account.ts +++ b/sdk/nodejs/netapp/account.ts @@ -133,7 +133,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20170815:Account" }, { type: "azure-native:netapp/v20190501:Account" }, { type: "azure-native:netapp/v20190601:Account" }, { type: "azure-native:netapp/v20190701:Account" }, { type: "azure-native:netapp/v20190801:Account" }, { type: "azure-native:netapp/v20191001:Account" }, { type: "azure-native:netapp/v20191101:Account" }, { type: "azure-native:netapp/v20200201:Account" }, { type: "azure-native:netapp/v20200301:Account" }, { type: "azure-native:netapp/v20200501:Account" }, { type: "azure-native:netapp/v20200601:Account" }, { type: "azure-native:netapp/v20200701:Account" }, { type: "azure-native:netapp/v20200801:Account" }, { type: "azure-native:netapp/v20200901:Account" }, { type: "azure-native:netapp/v20201101:Account" }, { type: "azure-native:netapp/v20201201:Account" }, { type: "azure-native:netapp/v20210201:Account" }, { type: "azure-native:netapp/v20210401:Account" }, { type: "azure-native:netapp/v20210401preview:Account" }, { type: "azure-native:netapp/v20210601:Account" }, { type: "azure-native:netapp/v20210801:Account" }, { type: "azure-native:netapp/v20211001:Account" }, { type: "azure-native:netapp/v20220101:Account" }, { type: "azure-native:netapp/v20220301:Account" }, { type: "azure-native:netapp/v20220501:Account" }, { type: "azure-native:netapp/v20220901:Account" }, { type: "azure-native:netapp/v20221101:Account" }, { type: "azure-native:netapp/v20221101preview:Account" }, { type: "azure-native:netapp/v20230501:Account" }, { type: "azure-native:netapp/v20230501preview:Account" }, { type: "azure-native:netapp/v20230701:Account" }, { type: "azure-native:netapp/v20230701preview:Account" }, { type: "azure-native:netapp/v20231101:Account" }, { type: "azure-native:netapp/v20231101preview:Account" }, { type: "azure-native:netapp/v20240101:Account" }, { type: "azure-native:netapp/v20240301:Account" }, { type: "azure-native:netapp/v20240301preview:Account" }, { type: "azure-native:netapp/v20240501:Account" }, { type: "azure-native:netapp/v20240501preview:Account" }, { type: "azure-native:netapp/v20240701:Account" }, { type: "azure-native:netapp/v20240701preview:Account" }, { type: "azure-native:netapp/v20240901:Account" }, { type: "azure-native:netapp/v20240901preview:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20220501:Account" }, { type: "azure-native:netapp/v20221101:Account" }, { type: "azure-native:netapp/v20221101preview:Account" }, { type: "azure-native:netapp/v20230501:Account" }, { type: "azure-native:netapp/v20230501preview:Account" }, { type: "azure-native:netapp/v20230701:Account" }, { type: "azure-native:netapp/v20230701preview:Account" }, { type: "azure-native:netapp/v20231101:Account" }, { type: "azure-native:netapp/v20231101preview:Account" }, { type: "azure-native:netapp/v20240101:Account" }, { type: "azure-native:netapp/v20240301:Account" }, { type: "azure-native:netapp/v20240301preview:Account" }, { type: "azure-native:netapp/v20240501:Account" }, { type: "azure-native:netapp/v20240501preview:Account" }, { type: "azure-native:netapp/v20240701:Account" }, { type: "azure-native:netapp/v20240701preview:Account" }, { type: "azure-native:netapp/v20240901:Account" }, { type: "azure-native_netapp_v20170815:netapp:Account" }, { type: "azure-native_netapp_v20190501:netapp:Account" }, { type: "azure-native_netapp_v20190601:netapp:Account" }, { type: "azure-native_netapp_v20190701:netapp:Account" }, { type: "azure-native_netapp_v20190801:netapp:Account" }, { type: "azure-native_netapp_v20191001:netapp:Account" }, { type: "azure-native_netapp_v20191101:netapp:Account" }, { type: "azure-native_netapp_v20200201:netapp:Account" }, { type: "azure-native_netapp_v20200301:netapp:Account" }, { type: "azure-native_netapp_v20200501:netapp:Account" }, { type: "azure-native_netapp_v20200601:netapp:Account" }, { type: "azure-native_netapp_v20200701:netapp:Account" }, { type: "azure-native_netapp_v20200801:netapp:Account" }, { type: "azure-native_netapp_v20200901:netapp:Account" }, { type: "azure-native_netapp_v20201101:netapp:Account" }, { type: "azure-native_netapp_v20201201:netapp:Account" }, { type: "azure-native_netapp_v20210201:netapp:Account" }, { type: "azure-native_netapp_v20210401:netapp:Account" }, { type: "azure-native_netapp_v20210401preview:netapp:Account" }, { type: "azure-native_netapp_v20210601:netapp:Account" }, { type: "azure-native_netapp_v20210801:netapp:Account" }, { type: "azure-native_netapp_v20211001:netapp:Account" }, { type: "azure-native_netapp_v20220101:netapp:Account" }, { type: "azure-native_netapp_v20220301:netapp:Account" }, { type: "azure-native_netapp_v20220501:netapp:Account" }, { type: "azure-native_netapp_v20220901:netapp:Account" }, { type: "azure-native_netapp_v20221101:netapp:Account" }, { type: "azure-native_netapp_v20221101preview:netapp:Account" }, { type: "azure-native_netapp_v20230501:netapp:Account" }, { type: "azure-native_netapp_v20230501preview:netapp:Account" }, { type: "azure-native_netapp_v20230701:netapp:Account" }, { type: "azure-native_netapp_v20230701preview:netapp:Account" }, { type: "azure-native_netapp_v20231101:netapp:Account" }, { type: "azure-native_netapp_v20231101preview:netapp:Account" }, { type: "azure-native_netapp_v20240101:netapp:Account" }, { type: "azure-native_netapp_v20240301:netapp:Account" }, { type: "azure-native_netapp_v20240301preview:netapp:Account" }, { type: "azure-native_netapp_v20240501:netapp:Account" }, { type: "azure-native_netapp_v20240501preview:netapp:Account" }, { type: "azure-native_netapp_v20240701:netapp:Account" }, { type: "azure-native_netapp_v20240701preview:netapp:Account" }, { type: "azure-native_netapp_v20240901:netapp:Account" }, { type: "azure-native_netapp_v20240901preview:netapp:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/backup.ts b/sdk/nodejs/netapp/backup.ts index 32c768928336..c5a6fc7341d2 100644 --- a/sdk/nodejs/netapp/backup.ts +++ b/sdk/nodejs/netapp/backup.ts @@ -162,7 +162,7 @@ export class Backup extends pulumi.CustomResource { resourceInputs["volumeResourceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20221101:Backup" }, { type: "azure-native:netapp/v20221101preview:Backup" }, { type: "azure-native:netapp/v20230501preview:Backup" }, { type: "azure-native:netapp/v20230701preview:Backup" }, { type: "azure-native:netapp/v20231101:Backup" }, { type: "azure-native:netapp/v20231101preview:Backup" }, { type: "azure-native:netapp/v20240101:Backup" }, { type: "azure-native:netapp/v20240301:Backup" }, { type: "azure-native:netapp/v20240301preview:Backup" }, { type: "azure-native:netapp/v20240501:Backup" }, { type: "azure-native:netapp/v20240501preview:Backup" }, { type: "azure-native:netapp/v20240701:Backup" }, { type: "azure-native:netapp/v20240701preview:Backup" }, { type: "azure-native:netapp/v20240901:Backup" }, { type: "azure-native:netapp/v20240901preview:Backup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20221101preview:Backup" }, { type: "azure-native:netapp/v20230501preview:Backup" }, { type: "azure-native:netapp/v20230701preview:Backup" }, { type: "azure-native:netapp/v20231101:Backup" }, { type: "azure-native:netapp/v20231101preview:Backup" }, { type: "azure-native:netapp/v20240101:Backup" }, { type: "azure-native:netapp/v20240301:Backup" }, { type: "azure-native:netapp/v20240301preview:Backup" }, { type: "azure-native:netapp/v20240501:Backup" }, { type: "azure-native:netapp/v20240501preview:Backup" }, { type: "azure-native:netapp/v20240701:Backup" }, { type: "azure-native:netapp/v20240701preview:Backup" }, { type: "azure-native:netapp/v20240901:Backup" }, { type: "azure-native_netapp_v20221101preview:netapp:Backup" }, { type: "azure-native_netapp_v20230501preview:netapp:Backup" }, { type: "azure-native_netapp_v20230701preview:netapp:Backup" }, { type: "azure-native_netapp_v20231101:netapp:Backup" }, { type: "azure-native_netapp_v20231101preview:netapp:Backup" }, { type: "azure-native_netapp_v20240101:netapp:Backup" }, { type: "azure-native_netapp_v20240301:netapp:Backup" }, { type: "azure-native_netapp_v20240301preview:netapp:Backup" }, { type: "azure-native_netapp_v20240501:netapp:Backup" }, { type: "azure-native_netapp_v20240501preview:netapp:Backup" }, { type: "azure-native_netapp_v20240701:netapp:Backup" }, { type: "azure-native_netapp_v20240701preview:netapp:Backup" }, { type: "azure-native_netapp_v20240901:netapp:Backup" }, { type: "azure-native_netapp_v20240901preview:netapp:Backup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Backup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/backupPolicy.ts b/sdk/nodejs/netapp/backupPolicy.ts index 01453cf144fc..2c47495263c4 100644 --- a/sdk/nodejs/netapp/backupPolicy.ts +++ b/sdk/nodejs/netapp/backupPolicy.ts @@ -155,7 +155,7 @@ export class BackupPolicy extends pulumi.CustomResource { resourceInputs["weeklyBackupsToKeep"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20200501:BackupPolicy" }, { type: "azure-native:netapp/v20200601:BackupPolicy" }, { type: "azure-native:netapp/v20200701:BackupPolicy" }, { type: "azure-native:netapp/v20200801:BackupPolicy" }, { type: "azure-native:netapp/v20200901:BackupPolicy" }, { type: "azure-native:netapp/v20201101:BackupPolicy" }, { type: "azure-native:netapp/v20201201:BackupPolicy" }, { type: "azure-native:netapp/v20210201:BackupPolicy" }, { type: "azure-native:netapp/v20210401:BackupPolicy" }, { type: "azure-native:netapp/v20210401preview:BackupPolicy" }, { type: "azure-native:netapp/v20210601:BackupPolicy" }, { type: "azure-native:netapp/v20210801:BackupPolicy" }, { type: "azure-native:netapp/v20211001:BackupPolicy" }, { type: "azure-native:netapp/v20220101:BackupPolicy" }, { type: "azure-native:netapp/v20220301:BackupPolicy" }, { type: "azure-native:netapp/v20220501:BackupPolicy" }, { type: "azure-native:netapp/v20220901:BackupPolicy" }, { type: "azure-native:netapp/v20221101:BackupPolicy" }, { type: "azure-native:netapp/v20221101preview:BackupPolicy" }, { type: "azure-native:netapp/v20230501:BackupPolicy" }, { type: "azure-native:netapp/v20230501preview:BackupPolicy" }, { type: "azure-native:netapp/v20230701:BackupPolicy" }, { type: "azure-native:netapp/v20230701preview:BackupPolicy" }, { type: "azure-native:netapp/v20231101:BackupPolicy" }, { type: "azure-native:netapp/v20231101preview:BackupPolicy" }, { type: "azure-native:netapp/v20240101:BackupPolicy" }, { type: "azure-native:netapp/v20240301:BackupPolicy" }, { type: "azure-native:netapp/v20240301preview:BackupPolicy" }, { type: "azure-native:netapp/v20240501:BackupPolicy" }, { type: "azure-native:netapp/v20240501preview:BackupPolicy" }, { type: "azure-native:netapp/v20240701:BackupPolicy" }, { type: "azure-native:netapp/v20240701preview:BackupPolicy" }, { type: "azure-native:netapp/v20240901:BackupPolicy" }, { type: "azure-native:netapp/v20240901preview:BackupPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20210401:BackupPolicy" }, { type: "azure-native:netapp/v20210401preview:BackupPolicy" }, { type: "azure-native:netapp/v20221101:BackupPolicy" }, { type: "azure-native:netapp/v20221101preview:BackupPolicy" }, { type: "azure-native:netapp/v20230501:BackupPolicy" }, { type: "azure-native:netapp/v20230501preview:BackupPolicy" }, { type: "azure-native:netapp/v20230701:BackupPolicy" }, { type: "azure-native:netapp/v20230701preview:BackupPolicy" }, { type: "azure-native:netapp/v20231101:BackupPolicy" }, { type: "azure-native:netapp/v20231101preview:BackupPolicy" }, { type: "azure-native:netapp/v20240101:BackupPolicy" }, { type: "azure-native:netapp/v20240301:BackupPolicy" }, { type: "azure-native:netapp/v20240301preview:BackupPolicy" }, { type: "azure-native:netapp/v20240501:BackupPolicy" }, { type: "azure-native:netapp/v20240501preview:BackupPolicy" }, { type: "azure-native:netapp/v20240701:BackupPolicy" }, { type: "azure-native:netapp/v20240701preview:BackupPolicy" }, { type: "azure-native:netapp/v20240901:BackupPolicy" }, { type: "azure-native_netapp_v20200501:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20200601:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20200701:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20200801:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20200901:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20201101:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20201201:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20210201:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20210401:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20210401preview:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20210601:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20210801:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20211001:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20220101:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20220301:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20220501:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20220901:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20221101:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20221101preview:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20230501:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20230501preview:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20230701:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20230701preview:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20231101:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20231101preview:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20240101:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20240301:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20240301preview:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20240501:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20240501preview:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20240701:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20240701preview:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20240901:netapp:BackupPolicy" }, { type: "azure-native_netapp_v20240901preview:netapp:BackupPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BackupPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/backupVault.ts b/sdk/nodejs/netapp/backupVault.ts index 14061b074437..a8646cd930bd 100644 --- a/sdk/nodejs/netapp/backupVault.ts +++ b/sdk/nodejs/netapp/backupVault.ts @@ -107,7 +107,7 @@ export class BackupVault extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20221101preview:BackupVault" }, { type: "azure-native:netapp/v20230501preview:BackupVault" }, { type: "azure-native:netapp/v20230701preview:BackupVault" }, { type: "azure-native:netapp/v20231101:BackupVault" }, { type: "azure-native:netapp/v20231101preview:BackupVault" }, { type: "azure-native:netapp/v20240101:BackupVault" }, { type: "azure-native:netapp/v20240301:BackupVault" }, { type: "azure-native:netapp/v20240301preview:BackupVault" }, { type: "azure-native:netapp/v20240501:BackupVault" }, { type: "azure-native:netapp/v20240501preview:BackupVault" }, { type: "azure-native:netapp/v20240701:BackupVault" }, { type: "azure-native:netapp/v20240701preview:BackupVault" }, { type: "azure-native:netapp/v20240901:BackupVault" }, { type: "azure-native:netapp/v20240901preview:BackupVault" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20221101preview:BackupVault" }, { type: "azure-native:netapp/v20230501preview:BackupVault" }, { type: "azure-native:netapp/v20230701preview:BackupVault" }, { type: "azure-native:netapp/v20231101:BackupVault" }, { type: "azure-native:netapp/v20231101preview:BackupVault" }, { type: "azure-native:netapp/v20240101:BackupVault" }, { type: "azure-native:netapp/v20240301:BackupVault" }, { type: "azure-native:netapp/v20240301preview:BackupVault" }, { type: "azure-native:netapp/v20240501:BackupVault" }, { type: "azure-native:netapp/v20240501preview:BackupVault" }, { type: "azure-native:netapp/v20240701:BackupVault" }, { type: "azure-native:netapp/v20240701preview:BackupVault" }, { type: "azure-native:netapp/v20240901:BackupVault" }, { type: "azure-native_netapp_v20221101preview:netapp:BackupVault" }, { type: "azure-native_netapp_v20230501preview:netapp:BackupVault" }, { type: "azure-native_netapp_v20230701preview:netapp:BackupVault" }, { type: "azure-native_netapp_v20231101:netapp:BackupVault" }, { type: "azure-native_netapp_v20231101preview:netapp:BackupVault" }, { type: "azure-native_netapp_v20240101:netapp:BackupVault" }, { type: "azure-native_netapp_v20240301:netapp:BackupVault" }, { type: "azure-native_netapp_v20240301preview:netapp:BackupVault" }, { type: "azure-native_netapp_v20240501:netapp:BackupVault" }, { type: "azure-native_netapp_v20240501preview:netapp:BackupVault" }, { type: "azure-native_netapp_v20240701:netapp:BackupVault" }, { type: "azure-native_netapp_v20240701preview:netapp:BackupVault" }, { type: "azure-native_netapp_v20240901:netapp:BackupVault" }, { type: "azure-native_netapp_v20240901preview:netapp:BackupVault" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BackupVault.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/capacityPool.ts b/sdk/nodejs/netapp/capacityPool.ts index 01f7f3703205..4fc0df890e36 100644 --- a/sdk/nodejs/netapp/capacityPool.ts +++ b/sdk/nodejs/netapp/capacityPool.ts @@ -167,7 +167,7 @@ export class CapacityPool extends pulumi.CustomResource { resourceInputs["utilizedThroughputMibps"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20170815:CapacityPool" }, { type: "azure-native:netapp/v20190501:CapacityPool" }, { type: "azure-native:netapp/v20190601:CapacityPool" }, { type: "azure-native:netapp/v20190701:CapacityPool" }, { type: "azure-native:netapp/v20190801:CapacityPool" }, { type: "azure-native:netapp/v20191001:CapacityPool" }, { type: "azure-native:netapp/v20191101:CapacityPool" }, { type: "azure-native:netapp/v20200201:CapacityPool" }, { type: "azure-native:netapp/v20200301:CapacityPool" }, { type: "azure-native:netapp/v20200501:CapacityPool" }, { type: "azure-native:netapp/v20200601:CapacityPool" }, { type: "azure-native:netapp/v20200701:CapacityPool" }, { type: "azure-native:netapp/v20200801:CapacityPool" }, { type: "azure-native:netapp/v20200901:CapacityPool" }, { type: "azure-native:netapp/v20201101:CapacityPool" }, { type: "azure-native:netapp/v20201201:CapacityPool" }, { type: "azure-native:netapp/v20210201:CapacityPool" }, { type: "azure-native:netapp/v20210401:CapacityPool" }, { type: "azure-native:netapp/v20210401preview:CapacityPool" }, { type: "azure-native:netapp/v20210601:CapacityPool" }, { type: "azure-native:netapp/v20210801:CapacityPool" }, { type: "azure-native:netapp/v20211001:CapacityPool" }, { type: "azure-native:netapp/v20220101:CapacityPool" }, { type: "azure-native:netapp/v20220301:CapacityPool" }, { type: "azure-native:netapp/v20220501:CapacityPool" }, { type: "azure-native:netapp/v20220901:CapacityPool" }, { type: "azure-native:netapp/v20221101:CapacityPool" }, { type: "azure-native:netapp/v20221101:Pool" }, { type: "azure-native:netapp/v20221101preview:CapacityPool" }, { type: "azure-native:netapp/v20221101preview:Pool" }, { type: "azure-native:netapp/v20230501:CapacityPool" }, { type: "azure-native:netapp/v20230501:Pool" }, { type: "azure-native:netapp/v20230501preview:CapacityPool" }, { type: "azure-native:netapp/v20230501preview:Pool" }, { type: "azure-native:netapp/v20230701:CapacityPool" }, { type: "azure-native:netapp/v20230701:Pool" }, { type: "azure-native:netapp/v20230701preview:CapacityPool" }, { type: "azure-native:netapp/v20230701preview:Pool" }, { type: "azure-native:netapp/v20231101:CapacityPool" }, { type: "azure-native:netapp/v20231101:Pool" }, { type: "azure-native:netapp/v20231101preview:CapacityPool" }, { type: "azure-native:netapp/v20231101preview:Pool" }, { type: "azure-native:netapp/v20240101:CapacityPool" }, { type: "azure-native:netapp/v20240101:Pool" }, { type: "azure-native:netapp/v20240301:CapacityPool" }, { type: "azure-native:netapp/v20240301:Pool" }, { type: "azure-native:netapp/v20240301preview:CapacityPool" }, { type: "azure-native:netapp/v20240301preview:Pool" }, { type: "azure-native:netapp/v20240501:CapacityPool" }, { type: "azure-native:netapp/v20240501:Pool" }, { type: "azure-native:netapp/v20240501preview:CapacityPool" }, { type: "azure-native:netapp/v20240501preview:Pool" }, { type: "azure-native:netapp/v20240701:CapacityPool" }, { type: "azure-native:netapp/v20240701:Pool" }, { type: "azure-native:netapp/v20240701preview:CapacityPool" }, { type: "azure-native:netapp/v20240701preview:Pool" }, { type: "azure-native:netapp/v20240901:CapacityPool" }, { type: "azure-native:netapp/v20240901:Pool" }, { type: "azure-native:netapp/v20240901preview:CapacityPool" }, { type: "azure-native:netapp:Pool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20221101:Pool" }, { type: "azure-native:netapp/v20221101preview:Pool" }, { type: "azure-native:netapp/v20230501:Pool" }, { type: "azure-native:netapp/v20230501preview:Pool" }, { type: "azure-native:netapp/v20230701:Pool" }, { type: "azure-native:netapp/v20230701preview:Pool" }, { type: "azure-native:netapp/v20231101:Pool" }, { type: "azure-native:netapp/v20231101preview:Pool" }, { type: "azure-native:netapp/v20240101:Pool" }, { type: "azure-native:netapp/v20240301:Pool" }, { type: "azure-native:netapp/v20240301preview:Pool" }, { type: "azure-native:netapp/v20240501:Pool" }, { type: "azure-native:netapp/v20240501preview:Pool" }, { type: "azure-native:netapp/v20240701:Pool" }, { type: "azure-native:netapp/v20240701preview:Pool" }, { type: "azure-native:netapp/v20240901:Pool" }, { type: "azure-native:netapp:Pool" }, { type: "azure-native_netapp_v20170815:netapp:CapacityPool" }, { type: "azure-native_netapp_v20190501:netapp:CapacityPool" }, { type: "azure-native_netapp_v20190601:netapp:CapacityPool" }, { type: "azure-native_netapp_v20190701:netapp:CapacityPool" }, { type: "azure-native_netapp_v20190801:netapp:CapacityPool" }, { type: "azure-native_netapp_v20191001:netapp:CapacityPool" }, { type: "azure-native_netapp_v20191101:netapp:CapacityPool" }, { type: "azure-native_netapp_v20200201:netapp:CapacityPool" }, { type: "azure-native_netapp_v20200301:netapp:CapacityPool" }, { type: "azure-native_netapp_v20200501:netapp:CapacityPool" }, { type: "azure-native_netapp_v20200601:netapp:CapacityPool" }, { type: "azure-native_netapp_v20200701:netapp:CapacityPool" }, { type: "azure-native_netapp_v20200801:netapp:CapacityPool" }, { type: "azure-native_netapp_v20200901:netapp:CapacityPool" }, { type: "azure-native_netapp_v20201101:netapp:CapacityPool" }, { type: "azure-native_netapp_v20201201:netapp:CapacityPool" }, { type: "azure-native_netapp_v20210201:netapp:CapacityPool" }, { type: "azure-native_netapp_v20210401:netapp:CapacityPool" }, { type: "azure-native_netapp_v20210401preview:netapp:CapacityPool" }, { type: "azure-native_netapp_v20210601:netapp:CapacityPool" }, { type: "azure-native_netapp_v20210801:netapp:CapacityPool" }, { type: "azure-native_netapp_v20211001:netapp:CapacityPool" }, { type: "azure-native_netapp_v20220101:netapp:CapacityPool" }, { type: "azure-native_netapp_v20220301:netapp:CapacityPool" }, { type: "azure-native_netapp_v20220501:netapp:CapacityPool" }, { type: "azure-native_netapp_v20220901:netapp:CapacityPool" }, { type: "azure-native_netapp_v20221101:netapp:CapacityPool" }, { type: "azure-native_netapp_v20221101preview:netapp:CapacityPool" }, { type: "azure-native_netapp_v20230501:netapp:CapacityPool" }, { type: "azure-native_netapp_v20230501preview:netapp:CapacityPool" }, { type: "azure-native_netapp_v20230701:netapp:CapacityPool" }, { type: "azure-native_netapp_v20230701preview:netapp:CapacityPool" }, { type: "azure-native_netapp_v20231101:netapp:CapacityPool" }, { type: "azure-native_netapp_v20231101preview:netapp:CapacityPool" }, { type: "azure-native_netapp_v20240101:netapp:CapacityPool" }, { type: "azure-native_netapp_v20240301:netapp:CapacityPool" }, { type: "azure-native_netapp_v20240301preview:netapp:CapacityPool" }, { type: "azure-native_netapp_v20240501:netapp:CapacityPool" }, { type: "azure-native_netapp_v20240501preview:netapp:CapacityPool" }, { type: "azure-native_netapp_v20240701:netapp:CapacityPool" }, { type: "azure-native_netapp_v20240701preview:netapp:CapacityPool" }, { type: "azure-native_netapp_v20240901:netapp:CapacityPool" }, { type: "azure-native_netapp_v20240901preview:netapp:CapacityPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CapacityPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/capacityPoolBackup.ts b/sdk/nodejs/netapp/capacityPoolBackup.ts index 114bff344b25..21b35cdd1976 100644 --- a/sdk/nodejs/netapp/capacityPoolBackup.ts +++ b/sdk/nodejs/netapp/capacityPoolBackup.ts @@ -154,7 +154,7 @@ export class CapacityPoolBackup extends pulumi.CustomResource { resourceInputs["volumeName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20200501:CapacityPoolBackup" }, { type: "azure-native:netapp/v20200601:CapacityPoolBackup" }, { type: "azure-native:netapp/v20200701:CapacityPoolBackup" }, { type: "azure-native:netapp/v20200801:CapacityPoolBackup" }, { type: "azure-native:netapp/v20200901:CapacityPoolBackup" }, { type: "azure-native:netapp/v20201101:CapacityPoolBackup" }, { type: "azure-native:netapp/v20201201:CapacityPoolBackup" }, { type: "azure-native:netapp/v20210201:CapacityPoolBackup" }, { type: "azure-native:netapp/v20210401:CapacityPoolBackup" }, { type: "azure-native:netapp/v20210401preview:CapacityPoolBackup" }, { type: "azure-native:netapp/v20210601:CapacityPoolBackup" }, { type: "azure-native:netapp/v20210801:CapacityPoolBackup" }, { type: "azure-native:netapp/v20211001:CapacityPoolBackup" }, { type: "azure-native:netapp/v20220101:CapacityPoolBackup" }, { type: "azure-native:netapp/v20220301:CapacityPoolBackup" }, { type: "azure-native:netapp/v20220501:CapacityPoolBackup" }, { type: "azure-native:netapp/v20220901:CapacityPoolBackup" }, { type: "azure-native:netapp/v20221101:Backup" }, { type: "azure-native:netapp/v20221101:CapacityPoolBackup" }, { type: "azure-native:netapp:Backup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20221101:Backup" }, { type: "azure-native:netapp:Backup" }, { type: "azure-native_netapp_v20200501:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20200601:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20200701:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20200801:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20200901:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20201101:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20201201:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20210201:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20210401:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20210401preview:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20210601:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20210801:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20211001:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20220101:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20220301:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20220501:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20220901:netapp:CapacityPoolBackup" }, { type: "azure-native_netapp_v20221101:netapp:CapacityPoolBackup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CapacityPoolBackup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/capacityPoolSnapshot.ts b/sdk/nodejs/netapp/capacityPoolSnapshot.ts index 34847d8b1b04..3499e9df87a4 100644 --- a/sdk/nodejs/netapp/capacityPoolSnapshot.ts +++ b/sdk/nodejs/netapp/capacityPoolSnapshot.ts @@ -121,7 +121,7 @@ export class CapacityPoolSnapshot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20170815:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20190501:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20190601:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20190701:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20190801:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20191001:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20191101:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20200201:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20200301:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20200501:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20200601:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20200701:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20200801:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20200901:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20201101:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20201201:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20210201:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20210401:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20210401preview:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20210601:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20210801:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20211001:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20220101:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20220301:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20220501:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20220901:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20221101:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20221101:Snapshot" }, { type: "azure-native:netapp/v20221101preview:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20221101preview:Snapshot" }, { type: "azure-native:netapp/v20230501:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20230501:Snapshot" }, { type: "azure-native:netapp/v20230501preview:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20230501preview:Snapshot" }, { type: "azure-native:netapp/v20230701:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20230701:Snapshot" }, { type: "azure-native:netapp/v20230701preview:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20230701preview:Snapshot" }, { type: "azure-native:netapp/v20231101:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20231101:Snapshot" }, { type: "azure-native:netapp/v20231101preview:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20231101preview:Snapshot" }, { type: "azure-native:netapp/v20240101:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20240101:Snapshot" }, { type: "azure-native:netapp/v20240301:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20240301:Snapshot" }, { type: "azure-native:netapp/v20240301preview:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20240301preview:Snapshot" }, { type: "azure-native:netapp/v20240501:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20240501:Snapshot" }, { type: "azure-native:netapp/v20240501preview:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20240501preview:Snapshot" }, { type: "azure-native:netapp/v20240701:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20240701:Snapshot" }, { type: "azure-native:netapp/v20240701preview:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20240701preview:Snapshot" }, { type: "azure-native:netapp/v20240901:CapacityPoolSnapshot" }, { type: "azure-native:netapp/v20240901:Snapshot" }, { type: "azure-native:netapp/v20240901preview:CapacityPoolSnapshot" }, { type: "azure-native:netapp:Snapshot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20221101:Snapshot" }, { type: "azure-native:netapp/v20221101preview:Snapshot" }, { type: "azure-native:netapp/v20230501:Snapshot" }, { type: "azure-native:netapp/v20230501preview:Snapshot" }, { type: "azure-native:netapp/v20230701:Snapshot" }, { type: "azure-native:netapp/v20230701preview:Snapshot" }, { type: "azure-native:netapp/v20231101:Snapshot" }, { type: "azure-native:netapp/v20231101preview:Snapshot" }, { type: "azure-native:netapp/v20240101:Snapshot" }, { type: "azure-native:netapp/v20240301:Snapshot" }, { type: "azure-native:netapp/v20240301preview:Snapshot" }, { type: "azure-native:netapp/v20240501:Snapshot" }, { type: "azure-native:netapp/v20240501preview:Snapshot" }, { type: "azure-native:netapp/v20240701:Snapshot" }, { type: "azure-native:netapp/v20240701preview:Snapshot" }, { type: "azure-native:netapp/v20240901:Snapshot" }, { type: "azure-native:netapp:Snapshot" }, { type: "azure-native_netapp_v20170815:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20190501:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20190601:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20190701:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20190801:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20191001:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20191101:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20200201:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20200301:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20200501:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20200601:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20200701:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20200801:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20200901:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20201101:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20201201:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20210201:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20210401:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20210401preview:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20210601:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20210801:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20211001:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20220101:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20220301:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20220501:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20220901:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20221101:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20221101preview:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20230501:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20230501preview:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20230701:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20230701preview:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20231101:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20231101preview:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20240101:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20240301:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20240301preview:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20240501:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20240501preview:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20240701:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20240701preview:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20240901:netapp:CapacityPoolSnapshot" }, { type: "azure-native_netapp_v20240901preview:netapp:CapacityPoolSnapshot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CapacityPoolSnapshot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/capacityPoolSubvolume.ts b/sdk/nodejs/netapp/capacityPoolSubvolume.ts index 186bd82082b0..123664302792 100644 --- a/sdk/nodejs/netapp/capacityPoolSubvolume.ts +++ b/sdk/nodejs/netapp/capacityPoolSubvolume.ts @@ -121,7 +121,7 @@ export class CapacityPoolSubvolume extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20211001:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20220101:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20220301:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20220501:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20220901:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20221101:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20221101:Subvolume" }, { type: "azure-native:netapp/v20221101preview:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20221101preview:Subvolume" }, { type: "azure-native:netapp/v20230501:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20230501:Subvolume" }, { type: "azure-native:netapp/v20230501preview:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20230501preview:Subvolume" }, { type: "azure-native:netapp/v20230701:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20230701:Subvolume" }, { type: "azure-native:netapp/v20230701preview:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20230701preview:Subvolume" }, { type: "azure-native:netapp/v20231101:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20231101:Subvolume" }, { type: "azure-native:netapp/v20231101preview:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20231101preview:Subvolume" }, { type: "azure-native:netapp/v20240101:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20240101:Subvolume" }, { type: "azure-native:netapp/v20240301:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20240301:Subvolume" }, { type: "azure-native:netapp/v20240301preview:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20240301preview:Subvolume" }, { type: "azure-native:netapp/v20240501:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20240501:Subvolume" }, { type: "azure-native:netapp/v20240501preview:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20240501preview:Subvolume" }, { type: "azure-native:netapp/v20240701:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20240701:Subvolume" }, { type: "azure-native:netapp/v20240701preview:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20240701preview:Subvolume" }, { type: "azure-native:netapp/v20240901:CapacityPoolSubvolume" }, { type: "azure-native:netapp/v20240901:Subvolume" }, { type: "azure-native:netapp/v20240901preview:CapacityPoolSubvolume" }, { type: "azure-native:netapp:Subvolume" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20221101:Subvolume" }, { type: "azure-native:netapp/v20221101preview:Subvolume" }, { type: "azure-native:netapp/v20230501:Subvolume" }, { type: "azure-native:netapp/v20230501preview:Subvolume" }, { type: "azure-native:netapp/v20230701:Subvolume" }, { type: "azure-native:netapp/v20230701preview:Subvolume" }, { type: "azure-native:netapp/v20231101:Subvolume" }, { type: "azure-native:netapp/v20231101preview:Subvolume" }, { type: "azure-native:netapp/v20240101:Subvolume" }, { type: "azure-native:netapp/v20240301:Subvolume" }, { type: "azure-native:netapp/v20240301preview:Subvolume" }, { type: "azure-native:netapp/v20240501:Subvolume" }, { type: "azure-native:netapp/v20240501preview:Subvolume" }, { type: "azure-native:netapp/v20240701:Subvolume" }, { type: "azure-native:netapp/v20240701preview:Subvolume" }, { type: "azure-native:netapp/v20240901:Subvolume" }, { type: "azure-native:netapp:Subvolume" }, { type: "azure-native_netapp_v20211001:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20220101:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20220301:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20220501:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20220901:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20221101:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20221101preview:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20230501:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20230501preview:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20230701:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20230701preview:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20231101:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20231101preview:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20240101:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20240301:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20240301preview:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20240501:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20240501preview:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20240701:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20240701preview:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20240901:netapp:CapacityPoolSubvolume" }, { type: "azure-native_netapp_v20240901preview:netapp:CapacityPoolSubvolume" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CapacityPoolSubvolume.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/capacityPoolVolume.ts b/sdk/nodejs/netapp/capacityPoolVolume.ts index 3e74cebf6adf..7ea500bd00d8 100644 --- a/sdk/nodejs/netapp/capacityPoolVolume.ts +++ b/sdk/nodejs/netapp/capacityPoolVolume.ts @@ -462,7 +462,7 @@ export class CapacityPoolVolume extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20170815:CapacityPoolVolume" }, { type: "azure-native:netapp/v20190501:CapacityPoolVolume" }, { type: "azure-native:netapp/v20190601:CapacityPoolVolume" }, { type: "azure-native:netapp/v20190701:CapacityPoolVolume" }, { type: "azure-native:netapp/v20190801:CapacityPoolVolume" }, { type: "azure-native:netapp/v20191001:CapacityPoolVolume" }, { type: "azure-native:netapp/v20191101:CapacityPoolVolume" }, { type: "azure-native:netapp/v20200201:CapacityPoolVolume" }, { type: "azure-native:netapp/v20200301:CapacityPoolVolume" }, { type: "azure-native:netapp/v20200501:CapacityPoolVolume" }, { type: "azure-native:netapp/v20200601:CapacityPoolVolume" }, { type: "azure-native:netapp/v20200701:CapacityPoolVolume" }, { type: "azure-native:netapp/v20200801:CapacityPoolVolume" }, { type: "azure-native:netapp/v20200901:CapacityPoolVolume" }, { type: "azure-native:netapp/v20201101:CapacityPoolVolume" }, { type: "azure-native:netapp/v20201201:CapacityPoolVolume" }, { type: "azure-native:netapp/v20210201:CapacityPoolVolume" }, { type: "azure-native:netapp/v20210401:CapacityPoolVolume" }, { type: "azure-native:netapp/v20210401preview:CapacityPoolVolume" }, { type: "azure-native:netapp/v20210601:CapacityPoolVolume" }, { type: "azure-native:netapp/v20210801:CapacityPoolVolume" }, { type: "azure-native:netapp/v20211001:CapacityPoolVolume" }, { type: "azure-native:netapp/v20211001:Volume" }, { type: "azure-native:netapp/v20220101:CapacityPoolVolume" }, { type: "azure-native:netapp/v20220301:CapacityPoolVolume" }, { type: "azure-native:netapp/v20220501:CapacityPoolVolume" }, { type: "azure-native:netapp/v20220901:CapacityPoolVolume" }, { type: "azure-native:netapp/v20221101:CapacityPoolVolume" }, { type: "azure-native:netapp/v20221101:Volume" }, { type: "azure-native:netapp/v20221101preview:CapacityPoolVolume" }, { type: "azure-native:netapp/v20221101preview:Volume" }, { type: "azure-native:netapp/v20230501:CapacityPoolVolume" }, { type: "azure-native:netapp/v20230501:Volume" }, { type: "azure-native:netapp/v20230501preview:CapacityPoolVolume" }, { type: "azure-native:netapp/v20230501preview:Volume" }, { type: "azure-native:netapp/v20230701:CapacityPoolVolume" }, { type: "azure-native:netapp/v20230701:Volume" }, { type: "azure-native:netapp/v20230701preview:CapacityPoolVolume" }, { type: "azure-native:netapp/v20230701preview:Volume" }, { type: "azure-native:netapp/v20231101:CapacityPoolVolume" }, { type: "azure-native:netapp/v20231101:Volume" }, { type: "azure-native:netapp/v20231101preview:CapacityPoolVolume" }, { type: "azure-native:netapp/v20231101preview:Volume" }, { type: "azure-native:netapp/v20240101:CapacityPoolVolume" }, { type: "azure-native:netapp/v20240101:Volume" }, { type: "azure-native:netapp/v20240301:CapacityPoolVolume" }, { type: "azure-native:netapp/v20240301:Volume" }, { type: "azure-native:netapp/v20240301preview:CapacityPoolVolume" }, { type: "azure-native:netapp/v20240301preview:Volume" }, { type: "azure-native:netapp/v20240501:CapacityPoolVolume" }, { type: "azure-native:netapp/v20240501:Volume" }, { type: "azure-native:netapp/v20240501preview:CapacityPoolVolume" }, { type: "azure-native:netapp/v20240501preview:Volume" }, { type: "azure-native:netapp/v20240701:CapacityPoolVolume" }, { type: "azure-native:netapp/v20240701:Volume" }, { type: "azure-native:netapp/v20240701preview:CapacityPoolVolume" }, { type: "azure-native:netapp/v20240701preview:Volume" }, { type: "azure-native:netapp/v20240901:CapacityPoolVolume" }, { type: "azure-native:netapp/v20240901:Volume" }, { type: "azure-native:netapp/v20240901preview:CapacityPoolVolume" }, { type: "azure-native:netapp:Volume" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20211001:Volume" }, { type: "azure-native:netapp/v20221101:Volume" }, { type: "azure-native:netapp/v20221101preview:Volume" }, { type: "azure-native:netapp/v20230501:Volume" }, { type: "azure-native:netapp/v20230501preview:Volume" }, { type: "azure-native:netapp/v20230701:Volume" }, { type: "azure-native:netapp/v20230701preview:Volume" }, { type: "azure-native:netapp/v20231101:Volume" }, { type: "azure-native:netapp/v20231101preview:Volume" }, { type: "azure-native:netapp/v20240101:Volume" }, { type: "azure-native:netapp/v20240301:Volume" }, { type: "azure-native:netapp/v20240301preview:Volume" }, { type: "azure-native:netapp/v20240501:Volume" }, { type: "azure-native:netapp/v20240501preview:Volume" }, { type: "azure-native:netapp/v20240701:Volume" }, { type: "azure-native:netapp/v20240701preview:Volume" }, { type: "azure-native:netapp/v20240901:Volume" }, { type: "azure-native:netapp:Volume" }, { type: "azure-native_netapp_v20170815:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20190501:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20190601:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20190701:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20190801:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20191001:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20191101:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20200201:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20200301:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20200501:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20200601:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20200701:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20200801:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20200901:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20201101:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20201201:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20210201:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20210401:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20210401preview:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20210601:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20210801:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20211001:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20220101:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20220301:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20220501:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20220901:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20221101:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20221101preview:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20230501:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20230501preview:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20230701:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20230701preview:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20231101:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20231101preview:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20240101:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20240301:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20240301preview:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20240501:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20240501preview:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20240701:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20240701preview:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20240901:netapp:CapacityPoolVolume" }, { type: "azure-native_netapp_v20240901preview:netapp:CapacityPoolVolume" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CapacityPoolVolume.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/capacityPoolVolumeQuotaRule.ts b/sdk/nodejs/netapp/capacityPoolVolumeQuotaRule.ts index b13b2ceba93c..e915708ef2d3 100644 --- a/sdk/nodejs/netapp/capacityPoolVolumeQuotaRule.ts +++ b/sdk/nodejs/netapp/capacityPoolVolumeQuotaRule.ts @@ -133,7 +133,7 @@ export class CapacityPoolVolumeQuotaRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20220101:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20220301:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20220501:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20220901:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20221101:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20221101:VolumeQuotaRule" }, { type: "azure-native:netapp/v20221101preview:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20221101preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20230501:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20230501:VolumeQuotaRule" }, { type: "azure-native:netapp/v20230501preview:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20230501preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20230701:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20230701:VolumeQuotaRule" }, { type: "azure-native:netapp/v20230701preview:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20230701preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20231101:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20231101:VolumeQuotaRule" }, { type: "azure-native:netapp/v20231101preview:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20231101preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240101:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20240101:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240301:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20240301:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240301preview:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20240301preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240501:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20240501:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240501preview:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20240501preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240701:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20240701:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240701preview:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20240701preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240901:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp/v20240901:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240901preview:CapacityPoolVolumeQuotaRule" }, { type: "azure-native:netapp:VolumeQuotaRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20221101:VolumeQuotaRule" }, { type: "azure-native:netapp/v20221101preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20230501:VolumeQuotaRule" }, { type: "azure-native:netapp/v20230501preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20230701:VolumeQuotaRule" }, { type: "azure-native:netapp/v20230701preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20231101:VolumeQuotaRule" }, { type: "azure-native:netapp/v20231101preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240101:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240301:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240301preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240501:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240501preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240701:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240701preview:VolumeQuotaRule" }, { type: "azure-native:netapp/v20240901:VolumeQuotaRule" }, { type: "azure-native:netapp:VolumeQuotaRule" }, { type: "azure-native_netapp_v20220101:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20220301:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20220501:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20220901:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20221101:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20221101preview:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20230501:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20230501preview:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20230701:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20230701preview:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20231101:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20231101preview:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20240101:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20240301:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20240301preview:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20240501:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20240501preview:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20240701:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20240701preview:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20240901:netapp:CapacityPoolVolumeQuotaRule" }, { type: "azure-native_netapp_v20240901preview:netapp:CapacityPoolVolumeQuotaRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CapacityPoolVolumeQuotaRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/snapshotPolicy.ts b/sdk/nodejs/netapp/snapshotPolicy.ts index 4e72a6da173c..aae5c60148fe 100644 --- a/sdk/nodejs/netapp/snapshotPolicy.ts +++ b/sdk/nodejs/netapp/snapshotPolicy.ts @@ -143,7 +143,7 @@ export class SnapshotPolicy extends pulumi.CustomResource { resourceInputs["weeklySchedule"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20200501:SnapshotPolicy" }, { type: "azure-native:netapp/v20200601:SnapshotPolicy" }, { type: "azure-native:netapp/v20200701:SnapshotPolicy" }, { type: "azure-native:netapp/v20200801:SnapshotPolicy" }, { type: "azure-native:netapp/v20200901:SnapshotPolicy" }, { type: "azure-native:netapp/v20201101:SnapshotPolicy" }, { type: "azure-native:netapp/v20201201:SnapshotPolicy" }, { type: "azure-native:netapp/v20210201:SnapshotPolicy" }, { type: "azure-native:netapp/v20210401:SnapshotPolicy" }, { type: "azure-native:netapp/v20210401preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20210601:SnapshotPolicy" }, { type: "azure-native:netapp/v20210801:SnapshotPolicy" }, { type: "azure-native:netapp/v20211001:SnapshotPolicy" }, { type: "azure-native:netapp/v20220101:SnapshotPolicy" }, { type: "azure-native:netapp/v20220301:SnapshotPolicy" }, { type: "azure-native:netapp/v20220501:SnapshotPolicy" }, { type: "azure-native:netapp/v20220901:SnapshotPolicy" }, { type: "azure-native:netapp/v20221101:SnapshotPolicy" }, { type: "azure-native:netapp/v20221101preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20230501:SnapshotPolicy" }, { type: "azure-native:netapp/v20230501preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20230701:SnapshotPolicy" }, { type: "azure-native:netapp/v20230701preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20231101:SnapshotPolicy" }, { type: "azure-native:netapp/v20231101preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20240101:SnapshotPolicy" }, { type: "azure-native:netapp/v20240301:SnapshotPolicy" }, { type: "azure-native:netapp/v20240301preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20240501:SnapshotPolicy" }, { type: "azure-native:netapp/v20240501preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20240701:SnapshotPolicy" }, { type: "azure-native:netapp/v20240701preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20240901:SnapshotPolicy" }, { type: "azure-native:netapp/v20240901preview:SnapshotPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20221101:SnapshotPolicy" }, { type: "azure-native:netapp/v20221101preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20230501:SnapshotPolicy" }, { type: "azure-native:netapp/v20230501preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20230701:SnapshotPolicy" }, { type: "azure-native:netapp/v20230701preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20231101:SnapshotPolicy" }, { type: "azure-native:netapp/v20231101preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20240101:SnapshotPolicy" }, { type: "azure-native:netapp/v20240301:SnapshotPolicy" }, { type: "azure-native:netapp/v20240301preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20240501:SnapshotPolicy" }, { type: "azure-native:netapp/v20240501preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20240701:SnapshotPolicy" }, { type: "azure-native:netapp/v20240701preview:SnapshotPolicy" }, { type: "azure-native:netapp/v20240901:SnapshotPolicy" }, { type: "azure-native_netapp_v20200501:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20200601:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20200701:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20200801:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20200901:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20201101:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20201201:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20210201:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20210401:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20210401preview:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20210601:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20210801:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20211001:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20220101:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20220301:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20220501:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20220901:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20221101:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20221101preview:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20230501:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20230501preview:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20230701:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20230701preview:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20231101:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20231101preview:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20240101:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20240301:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20240301preview:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20240501:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20240501preview:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20240701:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20240701preview:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20240901:netapp:SnapshotPolicy" }, { type: "azure-native_netapp_v20240901preview:netapp:SnapshotPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SnapshotPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/netapp/volumeGroup.ts b/sdk/nodejs/netapp/volumeGroup.ts index 7dcf536483e9..76c6a3f9b0d4 100644 --- a/sdk/nodejs/netapp/volumeGroup.ts +++ b/sdk/nodejs/netapp/volumeGroup.ts @@ -107,7 +107,7 @@ export class VolumeGroup extends pulumi.CustomResource { resourceInputs["volumes"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20210801:VolumeGroup" }, { type: "azure-native:netapp/v20211001:VolumeGroup" }, { type: "azure-native:netapp/v20220101:VolumeGroup" }, { type: "azure-native:netapp/v20220301:VolumeGroup" }, { type: "azure-native:netapp/v20220501:VolumeGroup" }, { type: "azure-native:netapp/v20220901:VolumeGroup" }, { type: "azure-native:netapp/v20221101:VolumeGroup" }, { type: "azure-native:netapp/v20221101preview:VolumeGroup" }, { type: "azure-native:netapp/v20230501:VolumeGroup" }, { type: "azure-native:netapp/v20230501preview:VolumeGroup" }, { type: "azure-native:netapp/v20230701:VolumeGroup" }, { type: "azure-native:netapp/v20230701preview:VolumeGroup" }, { type: "azure-native:netapp/v20231101:VolumeGroup" }, { type: "azure-native:netapp/v20231101preview:VolumeGroup" }, { type: "azure-native:netapp/v20240101:VolumeGroup" }, { type: "azure-native:netapp/v20240301:VolumeGroup" }, { type: "azure-native:netapp/v20240301preview:VolumeGroup" }, { type: "azure-native:netapp/v20240501:VolumeGroup" }, { type: "azure-native:netapp/v20240501preview:VolumeGroup" }, { type: "azure-native:netapp/v20240701:VolumeGroup" }, { type: "azure-native:netapp/v20240701preview:VolumeGroup" }, { type: "azure-native:netapp/v20240901:VolumeGroup" }, { type: "azure-native:netapp/v20240901preview:VolumeGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:netapp/v20211001:VolumeGroup" }, { type: "azure-native:netapp/v20221101:VolumeGroup" }, { type: "azure-native:netapp/v20221101preview:VolumeGroup" }, { type: "azure-native:netapp/v20230501:VolumeGroup" }, { type: "azure-native:netapp/v20230501preview:VolumeGroup" }, { type: "azure-native:netapp/v20230701:VolumeGroup" }, { type: "azure-native:netapp/v20230701preview:VolumeGroup" }, { type: "azure-native:netapp/v20231101:VolumeGroup" }, { type: "azure-native:netapp/v20231101preview:VolumeGroup" }, { type: "azure-native:netapp/v20240101:VolumeGroup" }, { type: "azure-native:netapp/v20240301:VolumeGroup" }, { type: "azure-native:netapp/v20240301preview:VolumeGroup" }, { type: "azure-native:netapp/v20240501:VolumeGroup" }, { type: "azure-native:netapp/v20240501preview:VolumeGroup" }, { type: "azure-native:netapp/v20240701:VolumeGroup" }, { type: "azure-native:netapp/v20240701preview:VolumeGroup" }, { type: "azure-native:netapp/v20240901:VolumeGroup" }, { type: "azure-native_netapp_v20210801:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20211001:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20220101:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20220301:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20220501:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20220901:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20221101:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20221101preview:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20230501:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20230501preview:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20230701:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20230701preview:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20231101:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20231101preview:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20240101:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20240301:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20240301preview:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20240501:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20240501preview:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20240701:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20240701preview:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20240901:netapp:VolumeGroup" }, { type: "azure-native_netapp_v20240901preview:netapp:VolumeGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VolumeGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/adminRule.ts b/sdk/nodejs/network/adminRule.ts index 923ed45ac1c6..add4617eda32 100644 --- a/sdk/nodejs/network/adminRule.ts +++ b/sdk/nodejs/network/adminRule.ts @@ -191,7 +191,7 @@ export class AdminRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:AdminRule" }, { type: "azure-native:network/v20210501preview:AdminRule" }, { type: "azure-native:network/v20210501preview:DefaultAdminRule" }, { type: "azure-native:network/v20220101:AdminRule" }, { type: "azure-native:network/v20220201preview:AdminRule" }, { type: "azure-native:network/v20220401preview:AdminRule" }, { type: "azure-native:network/v20220501:AdminRule" }, { type: "azure-native:network/v20220701:AdminRule" }, { type: "azure-native:network/v20220901:AdminRule" }, { type: "azure-native:network/v20221101:AdminRule" }, { type: "azure-native:network/v20230201:AdminRule" }, { type: "azure-native:network/v20230201:DefaultAdminRule" }, { type: "azure-native:network/v20230401:AdminRule" }, { type: "azure-native:network/v20230401:DefaultAdminRule" }, { type: "azure-native:network/v20230501:AdminRule" }, { type: "azure-native:network/v20230501:DefaultAdminRule" }, { type: "azure-native:network/v20230601:AdminRule" }, { type: "azure-native:network/v20230601:DefaultAdminRule" }, { type: "azure-native:network/v20230901:AdminRule" }, { type: "azure-native:network/v20230901:DefaultAdminRule" }, { type: "azure-native:network/v20231101:AdminRule" }, { type: "azure-native:network/v20231101:DefaultAdminRule" }, { type: "azure-native:network/v20240101:AdminRule" }, { type: "azure-native:network/v20240101:DefaultAdminRule" }, { type: "azure-native:network/v20240101preview:AdminRule" }, { type: "azure-native:network/v20240101preview:DefaultAdminRule" }, { type: "azure-native:network/v20240301:AdminRule" }, { type: "azure-native:network/v20240301:DefaultAdminRule" }, { type: "azure-native:network/v20240501:AdminRule" }, { type: "azure-native:network/v20240501:DefaultAdminRule" }, { type: "azure-native:network:DefaultAdminRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:AdminRule" }, { type: "azure-native:network/v20210501preview:AdminRule" }, { type: "azure-native:network/v20210501preview:DefaultAdminRule" }, { type: "azure-native:network/v20230201:AdminRule" }, { type: "azure-native:network/v20230201:DefaultAdminRule" }, { type: "azure-native:network/v20230401:AdminRule" }, { type: "azure-native:network/v20230401:DefaultAdminRule" }, { type: "azure-native:network/v20230501:AdminRule" }, { type: "azure-native:network/v20230501:DefaultAdminRule" }, { type: "azure-native:network/v20230601:AdminRule" }, { type: "azure-native:network/v20230601:DefaultAdminRule" }, { type: "azure-native:network/v20230901:AdminRule" }, { type: "azure-native:network/v20230901:DefaultAdminRule" }, { type: "azure-native:network/v20231101:AdminRule" }, { type: "azure-native:network/v20231101:DefaultAdminRule" }, { type: "azure-native:network/v20240101:AdminRule" }, { type: "azure-native:network/v20240101:DefaultAdminRule" }, { type: "azure-native:network/v20240101preview:AdminRule" }, { type: "azure-native:network/v20240101preview:DefaultAdminRule" }, { type: "azure-native:network/v20240301:AdminRule" }, { type: "azure-native:network/v20240301:DefaultAdminRule" }, { type: "azure-native:network/v20240501:AdminRule" }, { type: "azure-native:network/v20240501:DefaultAdminRule" }, { type: "azure-native:network:DefaultAdminRule" }, { type: "azure-native_network_v20210201preview:network:AdminRule" }, { type: "azure-native_network_v20210501preview:network:AdminRule" }, { type: "azure-native_network_v20220101:network:AdminRule" }, { type: "azure-native_network_v20220201preview:network:AdminRule" }, { type: "azure-native_network_v20220401preview:network:AdminRule" }, { type: "azure-native_network_v20220501:network:AdminRule" }, { type: "azure-native_network_v20220701:network:AdminRule" }, { type: "azure-native_network_v20220901:network:AdminRule" }, { type: "azure-native_network_v20221101:network:AdminRule" }, { type: "azure-native_network_v20230201:network:AdminRule" }, { type: "azure-native_network_v20230401:network:AdminRule" }, { type: "azure-native_network_v20230501:network:AdminRule" }, { type: "azure-native_network_v20230601:network:AdminRule" }, { type: "azure-native_network_v20230901:network:AdminRule" }, { type: "azure-native_network_v20231101:network:AdminRule" }, { type: "azure-native_network_v20240101:network:AdminRule" }, { type: "azure-native_network_v20240101preview:network:AdminRule" }, { type: "azure-native_network_v20240301:network:AdminRule" }, { type: "azure-native_network_v20240501:network:AdminRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AdminRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/adminRuleCollection.ts b/sdk/nodejs/network/adminRuleCollection.ts index 301680e2506e..c65a51dcbb70 100644 --- a/sdk/nodejs/network/adminRuleCollection.ts +++ b/sdk/nodejs/network/adminRuleCollection.ts @@ -126,7 +126,7 @@ export class AdminRuleCollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:AdminRuleCollection" }, { type: "azure-native:network/v20210501preview:AdminRuleCollection" }, { type: "azure-native:network/v20220101:AdminRuleCollection" }, { type: "azure-native:network/v20220201preview:AdminRuleCollection" }, { type: "azure-native:network/v20220401preview:AdminRuleCollection" }, { type: "azure-native:network/v20220501:AdminRuleCollection" }, { type: "azure-native:network/v20220701:AdminRuleCollection" }, { type: "azure-native:network/v20220901:AdminRuleCollection" }, { type: "azure-native:network/v20221101:AdminRuleCollection" }, { type: "azure-native:network/v20230201:AdminRuleCollection" }, { type: "azure-native:network/v20230401:AdminRuleCollection" }, { type: "azure-native:network/v20230501:AdminRuleCollection" }, { type: "azure-native:network/v20230601:AdminRuleCollection" }, { type: "azure-native:network/v20230901:AdminRuleCollection" }, { type: "azure-native:network/v20231101:AdminRuleCollection" }, { type: "azure-native:network/v20240101:AdminRuleCollection" }, { type: "azure-native:network/v20240101preview:AdminRuleCollection" }, { type: "azure-native:network/v20240301:AdminRuleCollection" }, { type: "azure-native:network/v20240501:AdminRuleCollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:AdminRuleCollection" }, { type: "azure-native:network/v20210501preview:AdminRuleCollection" }, { type: "azure-native:network/v20230201:AdminRuleCollection" }, { type: "azure-native:network/v20230401:AdminRuleCollection" }, { type: "azure-native:network/v20230501:AdminRuleCollection" }, { type: "azure-native:network/v20230601:AdminRuleCollection" }, { type: "azure-native:network/v20230901:AdminRuleCollection" }, { type: "azure-native:network/v20231101:AdminRuleCollection" }, { type: "azure-native:network/v20240101:AdminRuleCollection" }, { type: "azure-native:network/v20240101preview:AdminRuleCollection" }, { type: "azure-native:network/v20240301:AdminRuleCollection" }, { type: "azure-native:network/v20240501:AdminRuleCollection" }, { type: "azure-native_network_v20210201preview:network:AdminRuleCollection" }, { type: "azure-native_network_v20210501preview:network:AdminRuleCollection" }, { type: "azure-native_network_v20220101:network:AdminRuleCollection" }, { type: "azure-native_network_v20220201preview:network:AdminRuleCollection" }, { type: "azure-native_network_v20220401preview:network:AdminRuleCollection" }, { type: "azure-native_network_v20220501:network:AdminRuleCollection" }, { type: "azure-native_network_v20220701:network:AdminRuleCollection" }, { type: "azure-native_network_v20220901:network:AdminRuleCollection" }, { type: "azure-native_network_v20221101:network:AdminRuleCollection" }, { type: "azure-native_network_v20230201:network:AdminRuleCollection" }, { type: "azure-native_network_v20230401:network:AdminRuleCollection" }, { type: "azure-native_network_v20230501:network:AdminRuleCollection" }, { type: "azure-native_network_v20230601:network:AdminRuleCollection" }, { type: "azure-native_network_v20230901:network:AdminRuleCollection" }, { type: "azure-native_network_v20231101:network:AdminRuleCollection" }, { type: "azure-native_network_v20240101:network:AdminRuleCollection" }, { type: "azure-native_network_v20240101preview:network:AdminRuleCollection" }, { type: "azure-native_network_v20240301:network:AdminRuleCollection" }, { type: "azure-native_network_v20240501:network:AdminRuleCollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AdminRuleCollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/applicationGateway.ts b/sdk/nodejs/network/applicationGateway.ts index 651261e60471..2cccaba19b89 100644 --- a/sdk/nodejs/network/applicationGateway.ts +++ b/sdk/nodejs/network/applicationGateway.ts @@ -326,7 +326,7 @@ export class ApplicationGateway extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:ApplicationGateway" }, { type: "azure-native:network/v20150615:ApplicationGateway" }, { type: "azure-native:network/v20160330:ApplicationGateway" }, { type: "azure-native:network/v20160601:ApplicationGateway" }, { type: "azure-native:network/v20160901:ApplicationGateway" }, { type: "azure-native:network/v20161201:ApplicationGateway" }, { type: "azure-native:network/v20170301:ApplicationGateway" }, { type: "azure-native:network/v20170601:ApplicationGateway" }, { type: "azure-native:network/v20170801:ApplicationGateway" }, { type: "azure-native:network/v20170901:ApplicationGateway" }, { type: "azure-native:network/v20171001:ApplicationGateway" }, { type: "azure-native:network/v20171101:ApplicationGateway" }, { type: "azure-native:network/v20180101:ApplicationGateway" }, { type: "azure-native:network/v20180201:ApplicationGateway" }, { type: "azure-native:network/v20180401:ApplicationGateway" }, { type: "azure-native:network/v20180601:ApplicationGateway" }, { type: "azure-native:network/v20180701:ApplicationGateway" }, { type: "azure-native:network/v20180801:ApplicationGateway" }, { type: "azure-native:network/v20181001:ApplicationGateway" }, { type: "azure-native:network/v20181101:ApplicationGateway" }, { type: "azure-native:network/v20181201:ApplicationGateway" }, { type: "azure-native:network/v20190201:ApplicationGateway" }, { type: "azure-native:network/v20190401:ApplicationGateway" }, { type: "azure-native:network/v20190601:ApplicationGateway" }, { type: "azure-native:network/v20190701:ApplicationGateway" }, { type: "azure-native:network/v20190801:ApplicationGateway" }, { type: "azure-native:network/v20190901:ApplicationGateway" }, { type: "azure-native:network/v20191101:ApplicationGateway" }, { type: "azure-native:network/v20191201:ApplicationGateway" }, { type: "azure-native:network/v20200301:ApplicationGateway" }, { type: "azure-native:network/v20200401:ApplicationGateway" }, { type: "azure-native:network/v20200501:ApplicationGateway" }, { type: "azure-native:network/v20200601:ApplicationGateway" }, { type: "azure-native:network/v20200701:ApplicationGateway" }, { type: "azure-native:network/v20200801:ApplicationGateway" }, { type: "azure-native:network/v20201101:ApplicationGateway" }, { type: "azure-native:network/v20210201:ApplicationGateway" }, { type: "azure-native:network/v20210301:ApplicationGateway" }, { type: "azure-native:network/v20210501:ApplicationGateway" }, { type: "azure-native:network/v20210801:ApplicationGateway" }, { type: "azure-native:network/v20220101:ApplicationGateway" }, { type: "azure-native:network/v20220501:ApplicationGateway" }, { type: "azure-native:network/v20220701:ApplicationGateway" }, { type: "azure-native:network/v20220901:ApplicationGateway" }, { type: "azure-native:network/v20221101:ApplicationGateway" }, { type: "azure-native:network/v20230201:ApplicationGateway" }, { type: "azure-native:network/v20230401:ApplicationGateway" }, { type: "azure-native:network/v20230501:ApplicationGateway" }, { type: "azure-native:network/v20230601:ApplicationGateway" }, { type: "azure-native:network/v20230901:ApplicationGateway" }, { type: "azure-native:network/v20231101:ApplicationGateway" }, { type: "azure-native:network/v20240101:ApplicationGateway" }, { type: "azure-native:network/v20240301:ApplicationGateway" }, { type: "azure-native:network/v20240501:ApplicationGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:ApplicationGateway" }, { type: "azure-native:network/v20190801:ApplicationGateway" }, { type: "azure-native:network/v20230201:ApplicationGateway" }, { type: "azure-native:network/v20230401:ApplicationGateway" }, { type: "azure-native:network/v20230501:ApplicationGateway" }, { type: "azure-native:network/v20230601:ApplicationGateway" }, { type: "azure-native:network/v20230901:ApplicationGateway" }, { type: "azure-native:network/v20231101:ApplicationGateway" }, { type: "azure-native:network/v20240101:ApplicationGateway" }, { type: "azure-native:network/v20240301:ApplicationGateway" }, { type: "azure-native:network/v20240501:ApplicationGateway" }, { type: "azure-native_network_v20150501preview:network:ApplicationGateway" }, { type: "azure-native_network_v20150615:network:ApplicationGateway" }, { type: "azure-native_network_v20160330:network:ApplicationGateway" }, { type: "azure-native_network_v20160601:network:ApplicationGateway" }, { type: "azure-native_network_v20160901:network:ApplicationGateway" }, { type: "azure-native_network_v20161201:network:ApplicationGateway" }, { type: "azure-native_network_v20170301:network:ApplicationGateway" }, { type: "azure-native_network_v20170601:network:ApplicationGateway" }, { type: "azure-native_network_v20170801:network:ApplicationGateway" }, { type: "azure-native_network_v20170901:network:ApplicationGateway" }, { type: "azure-native_network_v20171001:network:ApplicationGateway" }, { type: "azure-native_network_v20171101:network:ApplicationGateway" }, { type: "azure-native_network_v20180101:network:ApplicationGateway" }, { type: "azure-native_network_v20180201:network:ApplicationGateway" }, { type: "azure-native_network_v20180401:network:ApplicationGateway" }, { type: "azure-native_network_v20180601:network:ApplicationGateway" }, { type: "azure-native_network_v20180701:network:ApplicationGateway" }, { type: "azure-native_network_v20180801:network:ApplicationGateway" }, { type: "azure-native_network_v20181001:network:ApplicationGateway" }, { type: "azure-native_network_v20181101:network:ApplicationGateway" }, { type: "azure-native_network_v20181201:network:ApplicationGateway" }, { type: "azure-native_network_v20190201:network:ApplicationGateway" }, { type: "azure-native_network_v20190401:network:ApplicationGateway" }, { type: "azure-native_network_v20190601:network:ApplicationGateway" }, { type: "azure-native_network_v20190701:network:ApplicationGateway" }, { type: "azure-native_network_v20190801:network:ApplicationGateway" }, { type: "azure-native_network_v20190901:network:ApplicationGateway" }, { type: "azure-native_network_v20191101:network:ApplicationGateway" }, { type: "azure-native_network_v20191201:network:ApplicationGateway" }, { type: "azure-native_network_v20200301:network:ApplicationGateway" }, { type: "azure-native_network_v20200401:network:ApplicationGateway" }, { type: "azure-native_network_v20200501:network:ApplicationGateway" }, { type: "azure-native_network_v20200601:network:ApplicationGateway" }, { type: "azure-native_network_v20200701:network:ApplicationGateway" }, { type: "azure-native_network_v20200801:network:ApplicationGateway" }, { type: "azure-native_network_v20201101:network:ApplicationGateway" }, { type: "azure-native_network_v20210201:network:ApplicationGateway" }, { type: "azure-native_network_v20210301:network:ApplicationGateway" }, { type: "azure-native_network_v20210501:network:ApplicationGateway" }, { type: "azure-native_network_v20210801:network:ApplicationGateway" }, { type: "azure-native_network_v20220101:network:ApplicationGateway" }, { type: "azure-native_network_v20220501:network:ApplicationGateway" }, { type: "azure-native_network_v20220701:network:ApplicationGateway" }, { type: "azure-native_network_v20220901:network:ApplicationGateway" }, { type: "azure-native_network_v20221101:network:ApplicationGateway" }, { type: "azure-native_network_v20230201:network:ApplicationGateway" }, { type: "azure-native_network_v20230401:network:ApplicationGateway" }, { type: "azure-native_network_v20230501:network:ApplicationGateway" }, { type: "azure-native_network_v20230601:network:ApplicationGateway" }, { type: "azure-native_network_v20230901:network:ApplicationGateway" }, { type: "azure-native_network_v20231101:network:ApplicationGateway" }, { type: "azure-native_network_v20240101:network:ApplicationGateway" }, { type: "azure-native_network_v20240301:network:ApplicationGateway" }, { type: "azure-native_network_v20240501:network:ApplicationGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/applicationGatewayPrivateEndpointConnection.ts b/sdk/nodejs/network/applicationGatewayPrivateEndpointConnection.ts index ff61941b431a..5473fd1d7c2c 100644 --- a/sdk/nodejs/network/applicationGatewayPrivateEndpointConnection.ts +++ b/sdk/nodejs/network/applicationGatewayPrivateEndpointConnection.ts @@ -114,7 +114,7 @@ export class ApplicationGatewayPrivateEndpointConnection extends pulumi.CustomRe resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200501:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20200601:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20200701:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20200801:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20201101:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20210201:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20210301:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20210501:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20210801:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20220101:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20220501:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20220701:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20220901:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20221101:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20230401:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20230501:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20230601:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20230901:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20231101:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20240101:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20240301:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20240501:ApplicationGatewayPrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20230401:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20230501:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20230601:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20230901:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20231101:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20240101:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20240301:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native:network/v20240501:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20200501:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20200601:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20200701:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20200801:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20201101:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20210201:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20210301:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20210501:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20210801:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20220101:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20220501:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20220701:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20220901:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20221101:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20230401:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20230501:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20230601:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20230901:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20231101:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20240101:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20240301:network:ApplicationGatewayPrivateEndpointConnection" }, { type: "azure-native_network_v20240501:network:ApplicationGatewayPrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationGatewayPrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/applicationSecurityGroup.ts b/sdk/nodejs/network/applicationSecurityGroup.ts index cf31187e2c1f..619bf3c8cacd 100644 --- a/sdk/nodejs/network/applicationSecurityGroup.ts +++ b/sdk/nodejs/network/applicationSecurityGroup.ts @@ -107,7 +107,7 @@ export class ApplicationSecurityGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20170901:ApplicationSecurityGroup" }, { type: "azure-native:network/v20171001:ApplicationSecurityGroup" }, { type: "azure-native:network/v20171101:ApplicationSecurityGroup" }, { type: "azure-native:network/v20180101:ApplicationSecurityGroup" }, { type: "azure-native:network/v20180201:ApplicationSecurityGroup" }, { type: "azure-native:network/v20180401:ApplicationSecurityGroup" }, { type: "azure-native:network/v20180601:ApplicationSecurityGroup" }, { type: "azure-native:network/v20180701:ApplicationSecurityGroup" }, { type: "azure-native:network/v20180801:ApplicationSecurityGroup" }, { type: "azure-native:network/v20181001:ApplicationSecurityGroup" }, { type: "azure-native:network/v20181101:ApplicationSecurityGroup" }, { type: "azure-native:network/v20181201:ApplicationSecurityGroup" }, { type: "azure-native:network/v20190201:ApplicationSecurityGroup" }, { type: "azure-native:network/v20190401:ApplicationSecurityGroup" }, { type: "azure-native:network/v20190601:ApplicationSecurityGroup" }, { type: "azure-native:network/v20190701:ApplicationSecurityGroup" }, { type: "azure-native:network/v20190801:ApplicationSecurityGroup" }, { type: "azure-native:network/v20190901:ApplicationSecurityGroup" }, { type: "azure-native:network/v20191101:ApplicationSecurityGroup" }, { type: "azure-native:network/v20191201:ApplicationSecurityGroup" }, { type: "azure-native:network/v20200301:ApplicationSecurityGroup" }, { type: "azure-native:network/v20200401:ApplicationSecurityGroup" }, { type: "azure-native:network/v20200501:ApplicationSecurityGroup" }, { type: "azure-native:network/v20200601:ApplicationSecurityGroup" }, { type: "azure-native:network/v20200701:ApplicationSecurityGroup" }, { type: "azure-native:network/v20200801:ApplicationSecurityGroup" }, { type: "azure-native:network/v20201101:ApplicationSecurityGroup" }, { type: "azure-native:network/v20210201:ApplicationSecurityGroup" }, { type: "azure-native:network/v20210301:ApplicationSecurityGroup" }, { type: "azure-native:network/v20210501:ApplicationSecurityGroup" }, { type: "azure-native:network/v20210801:ApplicationSecurityGroup" }, { type: "azure-native:network/v20220101:ApplicationSecurityGroup" }, { type: "azure-native:network/v20220501:ApplicationSecurityGroup" }, { type: "azure-native:network/v20220701:ApplicationSecurityGroup" }, { type: "azure-native:network/v20220901:ApplicationSecurityGroup" }, { type: "azure-native:network/v20221101:ApplicationSecurityGroup" }, { type: "azure-native:network/v20230201:ApplicationSecurityGroup" }, { type: "azure-native:network/v20230401:ApplicationSecurityGroup" }, { type: "azure-native:network/v20230501:ApplicationSecurityGroup" }, { type: "azure-native:network/v20230601:ApplicationSecurityGroup" }, { type: "azure-native:network/v20230901:ApplicationSecurityGroup" }, { type: "azure-native:network/v20231101:ApplicationSecurityGroup" }, { type: "azure-native:network/v20240101:ApplicationSecurityGroup" }, { type: "azure-native:network/v20240301:ApplicationSecurityGroup" }, { type: "azure-native:network/v20240501:ApplicationSecurityGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:ApplicationSecurityGroup" }, { type: "azure-native:network/v20230401:ApplicationSecurityGroup" }, { type: "azure-native:network/v20230501:ApplicationSecurityGroup" }, { type: "azure-native:network/v20230601:ApplicationSecurityGroup" }, { type: "azure-native:network/v20230901:ApplicationSecurityGroup" }, { type: "azure-native:network/v20231101:ApplicationSecurityGroup" }, { type: "azure-native:network/v20240101:ApplicationSecurityGroup" }, { type: "azure-native:network/v20240301:ApplicationSecurityGroup" }, { type: "azure-native:network/v20240501:ApplicationSecurityGroup" }, { type: "azure-native_network_v20170901:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20171001:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20171101:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20180101:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20180201:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20180401:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20180601:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20180701:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20180801:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20181001:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20181101:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20181201:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20190201:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20190401:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20190601:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20190701:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20190801:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20190901:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20191101:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20191201:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20200301:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20200401:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20200501:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20200601:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20200701:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20200801:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20201101:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20210201:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20210301:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20210501:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20210801:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20220101:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20220501:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20220701:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20220901:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20221101:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20230201:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20230401:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20230501:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20230601:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20230901:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20231101:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20240101:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20240301:network:ApplicationSecurityGroup" }, { type: "azure-native_network_v20240501:network:ApplicationSecurityGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationSecurityGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/azureFirewall.ts b/sdk/nodejs/network/azureFirewall.ts index 8930f099f1ef..b2c791f0401f 100644 --- a/sdk/nodejs/network/azureFirewall.ts +++ b/sdk/nodejs/network/azureFirewall.ts @@ -188,7 +188,7 @@ export class AzureFirewall extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180401:AzureFirewall" }, { type: "azure-native:network/v20180601:AzureFirewall" }, { type: "azure-native:network/v20180701:AzureFirewall" }, { type: "azure-native:network/v20180801:AzureFirewall" }, { type: "azure-native:network/v20181001:AzureFirewall" }, { type: "azure-native:network/v20181101:AzureFirewall" }, { type: "azure-native:network/v20181201:AzureFirewall" }, { type: "azure-native:network/v20190201:AzureFirewall" }, { type: "azure-native:network/v20190401:AzureFirewall" }, { type: "azure-native:network/v20190601:AzureFirewall" }, { type: "azure-native:network/v20190701:AzureFirewall" }, { type: "azure-native:network/v20190801:AzureFirewall" }, { type: "azure-native:network/v20190901:AzureFirewall" }, { type: "azure-native:network/v20191101:AzureFirewall" }, { type: "azure-native:network/v20191201:AzureFirewall" }, { type: "azure-native:network/v20200301:AzureFirewall" }, { type: "azure-native:network/v20200401:AzureFirewall" }, { type: "azure-native:network/v20200501:AzureFirewall" }, { type: "azure-native:network/v20200601:AzureFirewall" }, { type: "azure-native:network/v20200701:AzureFirewall" }, { type: "azure-native:network/v20200801:AzureFirewall" }, { type: "azure-native:network/v20201101:AzureFirewall" }, { type: "azure-native:network/v20210201:AzureFirewall" }, { type: "azure-native:network/v20210301:AzureFirewall" }, { type: "azure-native:network/v20210501:AzureFirewall" }, { type: "azure-native:network/v20210801:AzureFirewall" }, { type: "azure-native:network/v20220101:AzureFirewall" }, { type: "azure-native:network/v20220501:AzureFirewall" }, { type: "azure-native:network/v20220701:AzureFirewall" }, { type: "azure-native:network/v20220901:AzureFirewall" }, { type: "azure-native:network/v20221101:AzureFirewall" }, { type: "azure-native:network/v20230201:AzureFirewall" }, { type: "azure-native:network/v20230401:AzureFirewall" }, { type: "azure-native:network/v20230501:AzureFirewall" }, { type: "azure-native:network/v20230601:AzureFirewall" }, { type: "azure-native:network/v20230901:AzureFirewall" }, { type: "azure-native:network/v20231101:AzureFirewall" }, { type: "azure-native:network/v20240101:AzureFirewall" }, { type: "azure-native:network/v20240301:AzureFirewall" }, { type: "azure-native:network/v20240501:AzureFirewall" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200401:AzureFirewall" }, { type: "azure-native:network/v20230201:AzureFirewall" }, { type: "azure-native:network/v20230401:AzureFirewall" }, { type: "azure-native:network/v20230501:AzureFirewall" }, { type: "azure-native:network/v20230601:AzureFirewall" }, { type: "azure-native:network/v20230901:AzureFirewall" }, { type: "azure-native:network/v20231101:AzureFirewall" }, { type: "azure-native:network/v20240101:AzureFirewall" }, { type: "azure-native:network/v20240301:AzureFirewall" }, { type: "azure-native:network/v20240501:AzureFirewall" }, { type: "azure-native_network_v20180401:network:AzureFirewall" }, { type: "azure-native_network_v20180601:network:AzureFirewall" }, { type: "azure-native_network_v20180701:network:AzureFirewall" }, { type: "azure-native_network_v20180801:network:AzureFirewall" }, { type: "azure-native_network_v20181001:network:AzureFirewall" }, { type: "azure-native_network_v20181101:network:AzureFirewall" }, { type: "azure-native_network_v20181201:network:AzureFirewall" }, { type: "azure-native_network_v20190201:network:AzureFirewall" }, { type: "azure-native_network_v20190401:network:AzureFirewall" }, { type: "azure-native_network_v20190601:network:AzureFirewall" }, { type: "azure-native_network_v20190701:network:AzureFirewall" }, { type: "azure-native_network_v20190801:network:AzureFirewall" }, { type: "azure-native_network_v20190901:network:AzureFirewall" }, { type: "azure-native_network_v20191101:network:AzureFirewall" }, { type: "azure-native_network_v20191201:network:AzureFirewall" }, { type: "azure-native_network_v20200301:network:AzureFirewall" }, { type: "azure-native_network_v20200401:network:AzureFirewall" }, { type: "azure-native_network_v20200501:network:AzureFirewall" }, { type: "azure-native_network_v20200601:network:AzureFirewall" }, { type: "azure-native_network_v20200701:network:AzureFirewall" }, { type: "azure-native_network_v20200801:network:AzureFirewall" }, { type: "azure-native_network_v20201101:network:AzureFirewall" }, { type: "azure-native_network_v20210201:network:AzureFirewall" }, { type: "azure-native_network_v20210301:network:AzureFirewall" }, { type: "azure-native_network_v20210501:network:AzureFirewall" }, { type: "azure-native_network_v20210801:network:AzureFirewall" }, { type: "azure-native_network_v20220101:network:AzureFirewall" }, { type: "azure-native_network_v20220501:network:AzureFirewall" }, { type: "azure-native_network_v20220701:network:AzureFirewall" }, { type: "azure-native_network_v20220901:network:AzureFirewall" }, { type: "azure-native_network_v20221101:network:AzureFirewall" }, { type: "azure-native_network_v20230201:network:AzureFirewall" }, { type: "azure-native_network_v20230401:network:AzureFirewall" }, { type: "azure-native_network_v20230501:network:AzureFirewall" }, { type: "azure-native_network_v20230601:network:AzureFirewall" }, { type: "azure-native_network_v20230901:network:AzureFirewall" }, { type: "azure-native_network_v20231101:network:AzureFirewall" }, { type: "azure-native_network_v20240101:network:AzureFirewall" }, { type: "azure-native_network_v20240301:network:AzureFirewall" }, { type: "azure-native_network_v20240501:network:AzureFirewall" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzureFirewall.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/bastionHost.ts b/sdk/nodejs/network/bastionHost.ts index e65cdbb97349..e2f46b5b5d91 100644 --- a/sdk/nodejs/network/bastionHost.ts +++ b/sdk/nodejs/network/bastionHost.ts @@ -191,7 +191,7 @@ export class BastionHost extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20190401:BastionHost" }, { type: "azure-native:network/v20190601:BastionHost" }, { type: "azure-native:network/v20190701:BastionHost" }, { type: "azure-native:network/v20190801:BastionHost" }, { type: "azure-native:network/v20190901:BastionHost" }, { type: "azure-native:network/v20191101:BastionHost" }, { type: "azure-native:network/v20191201:BastionHost" }, { type: "azure-native:network/v20200301:BastionHost" }, { type: "azure-native:network/v20200401:BastionHost" }, { type: "azure-native:network/v20200501:BastionHost" }, { type: "azure-native:network/v20200601:BastionHost" }, { type: "azure-native:network/v20200701:BastionHost" }, { type: "azure-native:network/v20200801:BastionHost" }, { type: "azure-native:network/v20201101:BastionHost" }, { type: "azure-native:network/v20210201:BastionHost" }, { type: "azure-native:network/v20210301:BastionHost" }, { type: "azure-native:network/v20210501:BastionHost" }, { type: "azure-native:network/v20210801:BastionHost" }, { type: "azure-native:network/v20220101:BastionHost" }, { type: "azure-native:network/v20220501:BastionHost" }, { type: "azure-native:network/v20220701:BastionHost" }, { type: "azure-native:network/v20220901:BastionHost" }, { type: "azure-native:network/v20221101:BastionHost" }, { type: "azure-native:network/v20230201:BastionHost" }, { type: "azure-native:network/v20230401:BastionHost" }, { type: "azure-native:network/v20230501:BastionHost" }, { type: "azure-native:network/v20230601:BastionHost" }, { type: "azure-native:network/v20230901:BastionHost" }, { type: "azure-native:network/v20231101:BastionHost" }, { type: "azure-native:network/v20240101:BastionHost" }, { type: "azure-native:network/v20240301:BastionHost" }, { type: "azure-native:network/v20240501:BastionHost" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:BastionHost" }, { type: "azure-native:network/v20230401:BastionHost" }, { type: "azure-native:network/v20230501:BastionHost" }, { type: "azure-native:network/v20230601:BastionHost" }, { type: "azure-native:network/v20230901:BastionHost" }, { type: "azure-native:network/v20231101:BastionHost" }, { type: "azure-native:network/v20240101:BastionHost" }, { type: "azure-native:network/v20240301:BastionHost" }, { type: "azure-native:network/v20240501:BastionHost" }, { type: "azure-native_network_v20190401:network:BastionHost" }, { type: "azure-native_network_v20190601:network:BastionHost" }, { type: "azure-native_network_v20190701:network:BastionHost" }, { type: "azure-native_network_v20190801:network:BastionHost" }, { type: "azure-native_network_v20190901:network:BastionHost" }, { type: "azure-native_network_v20191101:network:BastionHost" }, { type: "azure-native_network_v20191201:network:BastionHost" }, { type: "azure-native_network_v20200301:network:BastionHost" }, { type: "azure-native_network_v20200401:network:BastionHost" }, { type: "azure-native_network_v20200501:network:BastionHost" }, { type: "azure-native_network_v20200601:network:BastionHost" }, { type: "azure-native_network_v20200701:network:BastionHost" }, { type: "azure-native_network_v20200801:network:BastionHost" }, { type: "azure-native_network_v20201101:network:BastionHost" }, { type: "azure-native_network_v20210201:network:BastionHost" }, { type: "azure-native_network_v20210301:network:BastionHost" }, { type: "azure-native_network_v20210501:network:BastionHost" }, { type: "azure-native_network_v20210801:network:BastionHost" }, { type: "azure-native_network_v20220101:network:BastionHost" }, { type: "azure-native_network_v20220501:network:BastionHost" }, { type: "azure-native_network_v20220701:network:BastionHost" }, { type: "azure-native_network_v20220901:network:BastionHost" }, { type: "azure-native_network_v20221101:network:BastionHost" }, { type: "azure-native_network_v20230201:network:BastionHost" }, { type: "azure-native_network_v20230401:network:BastionHost" }, { type: "azure-native_network_v20230501:network:BastionHost" }, { type: "azure-native_network_v20230601:network:BastionHost" }, { type: "azure-native_network_v20230901:network:BastionHost" }, { type: "azure-native_network_v20231101:network:BastionHost" }, { type: "azure-native_network_v20240101:network:BastionHost" }, { type: "azure-native_network_v20240301:network:BastionHost" }, { type: "azure-native_network_v20240501:network:BastionHost" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BastionHost.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/configurationPolicyGroup.ts b/sdk/nodejs/network/configurationPolicyGroup.ts index d23ef6e3bd7c..f0340954eb37 100644 --- a/sdk/nodejs/network/configurationPolicyGroup.ts +++ b/sdk/nodejs/network/configurationPolicyGroup.ts @@ -120,7 +120,7 @@ export class ConfigurationPolicyGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210801:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20220101:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20220501:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20220701:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20220901:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20221101:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20230201:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20230401:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20230501:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20230601:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20230901:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20231101:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20240101:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20240301:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20240501:ConfigurationPolicyGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20230401:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20230501:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20230601:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20230901:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20231101:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20240101:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20240301:ConfigurationPolicyGroup" }, { type: "azure-native:network/v20240501:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20210801:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20220101:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20220501:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20220701:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20220901:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20221101:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20230201:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20230401:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20230501:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20230601:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20230901:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20231101:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20240101:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20240301:network:ConfigurationPolicyGroup" }, { type: "azure-native_network_v20240501:network:ConfigurationPolicyGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConfigurationPolicyGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/connectionMonitor.ts b/sdk/nodejs/network/connectionMonitor.ts index e9ff96f1ed05..343366794b0c 100644 --- a/sdk/nodejs/network/connectionMonitor.ts +++ b/sdk/nodejs/network/connectionMonitor.ts @@ -180,7 +180,7 @@ export class ConnectionMonitor extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20171001:ConnectionMonitor" }, { type: "azure-native:network/v20171101:ConnectionMonitor" }, { type: "azure-native:network/v20180101:ConnectionMonitor" }, { type: "azure-native:network/v20180201:ConnectionMonitor" }, { type: "azure-native:network/v20180401:ConnectionMonitor" }, { type: "azure-native:network/v20180601:ConnectionMonitor" }, { type: "azure-native:network/v20180701:ConnectionMonitor" }, { type: "azure-native:network/v20180801:ConnectionMonitor" }, { type: "azure-native:network/v20181001:ConnectionMonitor" }, { type: "azure-native:network/v20181101:ConnectionMonitor" }, { type: "azure-native:network/v20181201:ConnectionMonitor" }, { type: "azure-native:network/v20190201:ConnectionMonitor" }, { type: "azure-native:network/v20190401:ConnectionMonitor" }, { type: "azure-native:network/v20190601:ConnectionMonitor" }, { type: "azure-native:network/v20190701:ConnectionMonitor" }, { type: "azure-native:network/v20190801:ConnectionMonitor" }, { type: "azure-native:network/v20190901:ConnectionMonitor" }, { type: "azure-native:network/v20191101:ConnectionMonitor" }, { type: "azure-native:network/v20191201:ConnectionMonitor" }, { type: "azure-native:network/v20200301:ConnectionMonitor" }, { type: "azure-native:network/v20200401:ConnectionMonitor" }, { type: "azure-native:network/v20200501:ConnectionMonitor" }, { type: "azure-native:network/v20200601:ConnectionMonitor" }, { type: "azure-native:network/v20200701:ConnectionMonitor" }, { type: "azure-native:network/v20200801:ConnectionMonitor" }, { type: "azure-native:network/v20201101:ConnectionMonitor" }, { type: "azure-native:network/v20210201:ConnectionMonitor" }, { type: "azure-native:network/v20210301:ConnectionMonitor" }, { type: "azure-native:network/v20210501:ConnectionMonitor" }, { type: "azure-native:network/v20210801:ConnectionMonitor" }, { type: "azure-native:network/v20220101:ConnectionMonitor" }, { type: "azure-native:network/v20220501:ConnectionMonitor" }, { type: "azure-native:network/v20220701:ConnectionMonitor" }, { type: "azure-native:network/v20220901:ConnectionMonitor" }, { type: "azure-native:network/v20221101:ConnectionMonitor" }, { type: "azure-native:network/v20230201:ConnectionMonitor" }, { type: "azure-native:network/v20230401:ConnectionMonitor" }, { type: "azure-native:network/v20230501:ConnectionMonitor" }, { type: "azure-native:network/v20230601:ConnectionMonitor" }, { type: "azure-native:network/v20230901:ConnectionMonitor" }, { type: "azure-native:network/v20231101:ConnectionMonitor" }, { type: "azure-native:network/v20240101:ConnectionMonitor" }, { type: "azure-native:network/v20240301:ConnectionMonitor" }, { type: "azure-native:network/v20240501:ConnectionMonitor" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190901:ConnectionMonitor" }, { type: "azure-native:network/v20230201:ConnectionMonitor" }, { type: "azure-native:network/v20230401:ConnectionMonitor" }, { type: "azure-native:network/v20230501:ConnectionMonitor" }, { type: "azure-native:network/v20230601:ConnectionMonitor" }, { type: "azure-native:network/v20230901:ConnectionMonitor" }, { type: "azure-native:network/v20231101:ConnectionMonitor" }, { type: "azure-native:network/v20240101:ConnectionMonitor" }, { type: "azure-native:network/v20240301:ConnectionMonitor" }, { type: "azure-native:network/v20240501:ConnectionMonitor" }, { type: "azure-native_network_v20171001:network:ConnectionMonitor" }, { type: "azure-native_network_v20171101:network:ConnectionMonitor" }, { type: "azure-native_network_v20180101:network:ConnectionMonitor" }, { type: "azure-native_network_v20180201:network:ConnectionMonitor" }, { type: "azure-native_network_v20180401:network:ConnectionMonitor" }, { type: "azure-native_network_v20180601:network:ConnectionMonitor" }, { type: "azure-native_network_v20180701:network:ConnectionMonitor" }, { type: "azure-native_network_v20180801:network:ConnectionMonitor" }, { type: "azure-native_network_v20181001:network:ConnectionMonitor" }, { type: "azure-native_network_v20181101:network:ConnectionMonitor" }, { type: "azure-native_network_v20181201:network:ConnectionMonitor" }, { type: "azure-native_network_v20190201:network:ConnectionMonitor" }, { type: "azure-native_network_v20190401:network:ConnectionMonitor" }, { type: "azure-native_network_v20190601:network:ConnectionMonitor" }, { type: "azure-native_network_v20190701:network:ConnectionMonitor" }, { type: "azure-native_network_v20190801:network:ConnectionMonitor" }, { type: "azure-native_network_v20190901:network:ConnectionMonitor" }, { type: "azure-native_network_v20191101:network:ConnectionMonitor" }, { type: "azure-native_network_v20191201:network:ConnectionMonitor" }, { type: "azure-native_network_v20200301:network:ConnectionMonitor" }, { type: "azure-native_network_v20200401:network:ConnectionMonitor" }, { type: "azure-native_network_v20200501:network:ConnectionMonitor" }, { type: "azure-native_network_v20200601:network:ConnectionMonitor" }, { type: "azure-native_network_v20200701:network:ConnectionMonitor" }, { type: "azure-native_network_v20200801:network:ConnectionMonitor" }, { type: "azure-native_network_v20201101:network:ConnectionMonitor" }, { type: "azure-native_network_v20210201:network:ConnectionMonitor" }, { type: "azure-native_network_v20210301:network:ConnectionMonitor" }, { type: "azure-native_network_v20210501:network:ConnectionMonitor" }, { type: "azure-native_network_v20210801:network:ConnectionMonitor" }, { type: "azure-native_network_v20220101:network:ConnectionMonitor" }, { type: "azure-native_network_v20220501:network:ConnectionMonitor" }, { type: "azure-native_network_v20220701:network:ConnectionMonitor" }, { type: "azure-native_network_v20220901:network:ConnectionMonitor" }, { type: "azure-native_network_v20221101:network:ConnectionMonitor" }, { type: "azure-native_network_v20230201:network:ConnectionMonitor" }, { type: "azure-native_network_v20230401:network:ConnectionMonitor" }, { type: "azure-native_network_v20230501:network:ConnectionMonitor" }, { type: "azure-native_network_v20230601:network:ConnectionMonitor" }, { type: "azure-native_network_v20230901:network:ConnectionMonitor" }, { type: "azure-native_network_v20231101:network:ConnectionMonitor" }, { type: "azure-native_network_v20240101:network:ConnectionMonitor" }, { type: "azure-native_network_v20240301:network:ConnectionMonitor" }, { type: "azure-native_network_v20240501:network:ConnectionMonitor" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectionMonitor.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/connectivityConfiguration.ts b/sdk/nodejs/network/connectivityConfiguration.ts index 82459eeffae5..2c90c3a78bea 100644 --- a/sdk/nodejs/network/connectivityConfiguration.ts +++ b/sdk/nodejs/network/connectivityConfiguration.ts @@ -149,7 +149,7 @@ export class ConnectivityConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:ConnectivityConfiguration" }, { type: "azure-native:network/v20210501preview:ConnectivityConfiguration" }, { type: "azure-native:network/v20220101:ConnectivityConfiguration" }, { type: "azure-native:network/v20220201preview:ConnectivityConfiguration" }, { type: "azure-native:network/v20220401preview:ConnectivityConfiguration" }, { type: "azure-native:network/v20220501:ConnectivityConfiguration" }, { type: "azure-native:network/v20220701:ConnectivityConfiguration" }, { type: "azure-native:network/v20220901:ConnectivityConfiguration" }, { type: "azure-native:network/v20221101:ConnectivityConfiguration" }, { type: "azure-native:network/v20230201:ConnectivityConfiguration" }, { type: "azure-native:network/v20230401:ConnectivityConfiguration" }, { type: "azure-native:network/v20230501:ConnectivityConfiguration" }, { type: "azure-native:network/v20230601:ConnectivityConfiguration" }, { type: "azure-native:network/v20230901:ConnectivityConfiguration" }, { type: "azure-native:network/v20231101:ConnectivityConfiguration" }, { type: "azure-native:network/v20240101:ConnectivityConfiguration" }, { type: "azure-native:network/v20240301:ConnectivityConfiguration" }, { type: "azure-native:network/v20240501:ConnectivityConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:ConnectivityConfiguration" }, { type: "azure-native:network/v20210501preview:ConnectivityConfiguration" }, { type: "azure-native:network/v20230201:ConnectivityConfiguration" }, { type: "azure-native:network/v20230401:ConnectivityConfiguration" }, { type: "azure-native:network/v20230501:ConnectivityConfiguration" }, { type: "azure-native:network/v20230601:ConnectivityConfiguration" }, { type: "azure-native:network/v20230901:ConnectivityConfiguration" }, { type: "azure-native:network/v20231101:ConnectivityConfiguration" }, { type: "azure-native:network/v20240101:ConnectivityConfiguration" }, { type: "azure-native:network/v20240301:ConnectivityConfiguration" }, { type: "azure-native:network/v20240501:ConnectivityConfiguration" }, { type: "azure-native_network_v20210201preview:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20210501preview:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20220101:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20220201preview:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20220401preview:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20220501:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20220701:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20220901:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20221101:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20230201:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20230401:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20230501:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20230601:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20230901:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20231101:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20240101:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20240301:network:ConnectivityConfiguration" }, { type: "azure-native_network_v20240501:network:ConnectivityConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectivityConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/customIPPrefix.ts b/sdk/nodejs/network/customIPPrefix.ts index 4a3036c2d441..60caa7c19a82 100644 --- a/sdk/nodejs/network/customIPPrefix.ts +++ b/sdk/nodejs/network/customIPPrefix.ts @@ -200,7 +200,7 @@ export class CustomIPPrefix extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200601:CustomIPPrefix" }, { type: "azure-native:network/v20200701:CustomIPPrefix" }, { type: "azure-native:network/v20200801:CustomIPPrefix" }, { type: "azure-native:network/v20201101:CustomIPPrefix" }, { type: "azure-native:network/v20210201:CustomIPPrefix" }, { type: "azure-native:network/v20210301:CustomIPPrefix" }, { type: "azure-native:network/v20210501:CustomIPPrefix" }, { type: "azure-native:network/v20210801:CustomIPPrefix" }, { type: "azure-native:network/v20220101:CustomIPPrefix" }, { type: "azure-native:network/v20220501:CustomIPPrefix" }, { type: "azure-native:network/v20220701:CustomIPPrefix" }, { type: "azure-native:network/v20220901:CustomIPPrefix" }, { type: "azure-native:network/v20221101:CustomIPPrefix" }, { type: "azure-native:network/v20230201:CustomIPPrefix" }, { type: "azure-native:network/v20230401:CustomIPPrefix" }, { type: "azure-native:network/v20230501:CustomIPPrefix" }, { type: "azure-native:network/v20230601:CustomIPPrefix" }, { type: "azure-native:network/v20230901:CustomIPPrefix" }, { type: "azure-native:network/v20231101:CustomIPPrefix" }, { type: "azure-native:network/v20240101:CustomIPPrefix" }, { type: "azure-native:network/v20240301:CustomIPPrefix" }, { type: "azure-native:network/v20240501:CustomIPPrefix" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210301:CustomIPPrefix" }, { type: "azure-native:network/v20230201:CustomIPPrefix" }, { type: "azure-native:network/v20230401:CustomIPPrefix" }, { type: "azure-native:network/v20230501:CustomIPPrefix" }, { type: "azure-native:network/v20230601:CustomIPPrefix" }, { type: "azure-native:network/v20230901:CustomIPPrefix" }, { type: "azure-native:network/v20231101:CustomIPPrefix" }, { type: "azure-native:network/v20240101:CustomIPPrefix" }, { type: "azure-native:network/v20240301:CustomIPPrefix" }, { type: "azure-native:network/v20240501:CustomIPPrefix" }, { type: "azure-native_network_v20200601:network:CustomIPPrefix" }, { type: "azure-native_network_v20200701:network:CustomIPPrefix" }, { type: "azure-native_network_v20200801:network:CustomIPPrefix" }, { type: "azure-native_network_v20201101:network:CustomIPPrefix" }, { type: "azure-native_network_v20210201:network:CustomIPPrefix" }, { type: "azure-native_network_v20210301:network:CustomIPPrefix" }, { type: "azure-native_network_v20210501:network:CustomIPPrefix" }, { type: "azure-native_network_v20210801:network:CustomIPPrefix" }, { type: "azure-native_network_v20220101:network:CustomIPPrefix" }, { type: "azure-native_network_v20220501:network:CustomIPPrefix" }, { type: "azure-native_network_v20220701:network:CustomIPPrefix" }, { type: "azure-native_network_v20220901:network:CustomIPPrefix" }, { type: "azure-native_network_v20221101:network:CustomIPPrefix" }, { type: "azure-native_network_v20230201:network:CustomIPPrefix" }, { type: "azure-native_network_v20230401:network:CustomIPPrefix" }, { type: "azure-native_network_v20230501:network:CustomIPPrefix" }, { type: "azure-native_network_v20230601:network:CustomIPPrefix" }, { type: "azure-native_network_v20230901:network:CustomIPPrefix" }, { type: "azure-native_network_v20231101:network:CustomIPPrefix" }, { type: "azure-native_network_v20240101:network:CustomIPPrefix" }, { type: "azure-native_network_v20240301:network:CustomIPPrefix" }, { type: "azure-native_network_v20240501:network:CustomIPPrefix" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomIPPrefix.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/ddosCustomPolicy.ts b/sdk/nodejs/network/ddosCustomPolicy.ts index 031cd74104c4..ccbe2a3df12a 100644 --- a/sdk/nodejs/network/ddosCustomPolicy.ts +++ b/sdk/nodejs/network/ddosCustomPolicy.ts @@ -107,7 +107,7 @@ export class DdosCustomPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20181101:DdosCustomPolicy" }, { type: "azure-native:network/v20181201:DdosCustomPolicy" }, { type: "azure-native:network/v20190201:DdosCustomPolicy" }, { type: "azure-native:network/v20190401:DdosCustomPolicy" }, { type: "azure-native:network/v20190601:DdosCustomPolicy" }, { type: "azure-native:network/v20190701:DdosCustomPolicy" }, { type: "azure-native:network/v20190801:DdosCustomPolicy" }, { type: "azure-native:network/v20190901:DdosCustomPolicy" }, { type: "azure-native:network/v20191101:DdosCustomPolicy" }, { type: "azure-native:network/v20191201:DdosCustomPolicy" }, { type: "azure-native:network/v20200301:DdosCustomPolicy" }, { type: "azure-native:network/v20200401:DdosCustomPolicy" }, { type: "azure-native:network/v20200501:DdosCustomPolicy" }, { type: "azure-native:network/v20200601:DdosCustomPolicy" }, { type: "azure-native:network/v20200701:DdosCustomPolicy" }, { type: "azure-native:network/v20200801:DdosCustomPolicy" }, { type: "azure-native:network/v20201101:DdosCustomPolicy" }, { type: "azure-native:network/v20210201:DdosCustomPolicy" }, { type: "azure-native:network/v20210301:DdosCustomPolicy" }, { type: "azure-native:network/v20210501:DdosCustomPolicy" }, { type: "azure-native:network/v20210801:DdosCustomPolicy" }, { type: "azure-native:network/v20220101:DdosCustomPolicy" }, { type: "azure-native:network/v20220501:DdosCustomPolicy" }, { type: "azure-native:network/v20220701:DdosCustomPolicy" }, { type: "azure-native:network/v20220901:DdosCustomPolicy" }, { type: "azure-native:network/v20221101:DdosCustomPolicy" }, { type: "azure-native:network/v20230201:DdosCustomPolicy" }, { type: "azure-native:network/v20230401:DdosCustomPolicy" }, { type: "azure-native:network/v20230501:DdosCustomPolicy" }, { type: "azure-native:network/v20230601:DdosCustomPolicy" }, { type: "azure-native:network/v20230901:DdosCustomPolicy" }, { type: "azure-native:network/v20231101:DdosCustomPolicy" }, { type: "azure-native:network/v20240101:DdosCustomPolicy" }, { type: "azure-native:network/v20240301:DdosCustomPolicy" }, { type: "azure-native:network/v20240501:DdosCustomPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20220101:DdosCustomPolicy" }, { type: "azure-native:network/v20230201:DdosCustomPolicy" }, { type: "azure-native:network/v20230401:DdosCustomPolicy" }, { type: "azure-native:network/v20230501:DdosCustomPolicy" }, { type: "azure-native:network/v20230601:DdosCustomPolicy" }, { type: "azure-native:network/v20230901:DdosCustomPolicy" }, { type: "azure-native:network/v20231101:DdosCustomPolicy" }, { type: "azure-native:network/v20240101:DdosCustomPolicy" }, { type: "azure-native:network/v20240301:DdosCustomPolicy" }, { type: "azure-native:network/v20240501:DdosCustomPolicy" }, { type: "azure-native_network_v20181101:network:DdosCustomPolicy" }, { type: "azure-native_network_v20181201:network:DdosCustomPolicy" }, { type: "azure-native_network_v20190201:network:DdosCustomPolicy" }, { type: "azure-native_network_v20190401:network:DdosCustomPolicy" }, { type: "azure-native_network_v20190601:network:DdosCustomPolicy" }, { type: "azure-native_network_v20190701:network:DdosCustomPolicy" }, { type: "azure-native_network_v20190801:network:DdosCustomPolicy" }, { type: "azure-native_network_v20190901:network:DdosCustomPolicy" }, { type: "azure-native_network_v20191101:network:DdosCustomPolicy" }, { type: "azure-native_network_v20191201:network:DdosCustomPolicy" }, { type: "azure-native_network_v20200301:network:DdosCustomPolicy" }, { type: "azure-native_network_v20200401:network:DdosCustomPolicy" }, { type: "azure-native_network_v20200501:network:DdosCustomPolicy" }, { type: "azure-native_network_v20200601:network:DdosCustomPolicy" }, { type: "azure-native_network_v20200701:network:DdosCustomPolicy" }, { type: "azure-native_network_v20200801:network:DdosCustomPolicy" }, { type: "azure-native_network_v20201101:network:DdosCustomPolicy" }, { type: "azure-native_network_v20210201:network:DdosCustomPolicy" }, { type: "azure-native_network_v20210301:network:DdosCustomPolicy" }, { type: "azure-native_network_v20210501:network:DdosCustomPolicy" }, { type: "azure-native_network_v20210801:network:DdosCustomPolicy" }, { type: "azure-native_network_v20220101:network:DdosCustomPolicy" }, { type: "azure-native_network_v20220501:network:DdosCustomPolicy" }, { type: "azure-native_network_v20220701:network:DdosCustomPolicy" }, { type: "azure-native_network_v20220901:network:DdosCustomPolicy" }, { type: "azure-native_network_v20221101:network:DdosCustomPolicy" }, { type: "azure-native_network_v20230201:network:DdosCustomPolicy" }, { type: "azure-native_network_v20230401:network:DdosCustomPolicy" }, { type: "azure-native_network_v20230501:network:DdosCustomPolicy" }, { type: "azure-native_network_v20230601:network:DdosCustomPolicy" }, { type: "azure-native_network_v20230901:network:DdosCustomPolicy" }, { type: "azure-native_network_v20231101:network:DdosCustomPolicy" }, { type: "azure-native_network_v20240101:network:DdosCustomPolicy" }, { type: "azure-native_network_v20240301:network:DdosCustomPolicy" }, { type: "azure-native_network_v20240501:network:DdosCustomPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DdosCustomPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/ddosProtectionPlan.ts b/sdk/nodejs/network/ddosProtectionPlan.ts index d8db762064c3..73b3424acc0d 100644 --- a/sdk/nodejs/network/ddosProtectionPlan.ts +++ b/sdk/nodejs/network/ddosProtectionPlan.ts @@ -121,7 +121,7 @@ export class DdosProtectionPlan extends pulumi.CustomResource { resourceInputs["virtualNetworks"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180201:DdosProtectionPlan" }, { type: "azure-native:network/v20180401:DdosProtectionPlan" }, { type: "azure-native:network/v20180601:DdosProtectionPlan" }, { type: "azure-native:network/v20180701:DdosProtectionPlan" }, { type: "azure-native:network/v20180801:DdosProtectionPlan" }, { type: "azure-native:network/v20181001:DdosProtectionPlan" }, { type: "azure-native:network/v20181101:DdosProtectionPlan" }, { type: "azure-native:network/v20181201:DdosProtectionPlan" }, { type: "azure-native:network/v20190201:DdosProtectionPlan" }, { type: "azure-native:network/v20190401:DdosProtectionPlan" }, { type: "azure-native:network/v20190601:DdosProtectionPlan" }, { type: "azure-native:network/v20190701:DdosProtectionPlan" }, { type: "azure-native:network/v20190801:DdosProtectionPlan" }, { type: "azure-native:network/v20190901:DdosProtectionPlan" }, { type: "azure-native:network/v20191101:DdosProtectionPlan" }, { type: "azure-native:network/v20191201:DdosProtectionPlan" }, { type: "azure-native:network/v20200301:DdosProtectionPlan" }, { type: "azure-native:network/v20200401:DdosProtectionPlan" }, { type: "azure-native:network/v20200501:DdosProtectionPlan" }, { type: "azure-native:network/v20200601:DdosProtectionPlan" }, { type: "azure-native:network/v20200701:DdosProtectionPlan" }, { type: "azure-native:network/v20200801:DdosProtectionPlan" }, { type: "azure-native:network/v20201101:DdosProtectionPlan" }, { type: "azure-native:network/v20210201:DdosProtectionPlan" }, { type: "azure-native:network/v20210301:DdosProtectionPlan" }, { type: "azure-native:network/v20210501:DdosProtectionPlan" }, { type: "azure-native:network/v20210801:DdosProtectionPlan" }, { type: "azure-native:network/v20220101:DdosProtectionPlan" }, { type: "azure-native:network/v20220501:DdosProtectionPlan" }, { type: "azure-native:network/v20220701:DdosProtectionPlan" }, { type: "azure-native:network/v20220901:DdosProtectionPlan" }, { type: "azure-native:network/v20221101:DdosProtectionPlan" }, { type: "azure-native:network/v20230201:DdosProtectionPlan" }, { type: "azure-native:network/v20230401:DdosProtectionPlan" }, { type: "azure-native:network/v20230501:DdosProtectionPlan" }, { type: "azure-native:network/v20230601:DdosProtectionPlan" }, { type: "azure-native:network/v20230901:DdosProtectionPlan" }, { type: "azure-native:network/v20231101:DdosProtectionPlan" }, { type: "azure-native:network/v20240101:DdosProtectionPlan" }, { type: "azure-native:network/v20240301:DdosProtectionPlan" }, { type: "azure-native:network/v20240501:DdosProtectionPlan" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20220501:DdosProtectionPlan" }, { type: "azure-native:network/v20230201:DdosProtectionPlan" }, { type: "azure-native:network/v20230401:DdosProtectionPlan" }, { type: "azure-native:network/v20230501:DdosProtectionPlan" }, { type: "azure-native:network/v20230601:DdosProtectionPlan" }, { type: "azure-native:network/v20230901:DdosProtectionPlan" }, { type: "azure-native:network/v20231101:DdosProtectionPlan" }, { type: "azure-native:network/v20240101:DdosProtectionPlan" }, { type: "azure-native:network/v20240301:DdosProtectionPlan" }, { type: "azure-native:network/v20240501:DdosProtectionPlan" }, { type: "azure-native_network_v20180201:network:DdosProtectionPlan" }, { type: "azure-native_network_v20180401:network:DdosProtectionPlan" }, { type: "azure-native_network_v20180601:network:DdosProtectionPlan" }, { type: "azure-native_network_v20180701:network:DdosProtectionPlan" }, { type: "azure-native_network_v20180801:network:DdosProtectionPlan" }, { type: "azure-native_network_v20181001:network:DdosProtectionPlan" }, { type: "azure-native_network_v20181101:network:DdosProtectionPlan" }, { type: "azure-native_network_v20181201:network:DdosProtectionPlan" }, { type: "azure-native_network_v20190201:network:DdosProtectionPlan" }, { type: "azure-native_network_v20190401:network:DdosProtectionPlan" }, { type: "azure-native_network_v20190601:network:DdosProtectionPlan" }, { type: "azure-native_network_v20190701:network:DdosProtectionPlan" }, { type: "azure-native_network_v20190801:network:DdosProtectionPlan" }, { type: "azure-native_network_v20190901:network:DdosProtectionPlan" }, { type: "azure-native_network_v20191101:network:DdosProtectionPlan" }, { type: "azure-native_network_v20191201:network:DdosProtectionPlan" }, { type: "azure-native_network_v20200301:network:DdosProtectionPlan" }, { type: "azure-native_network_v20200401:network:DdosProtectionPlan" }, { type: "azure-native_network_v20200501:network:DdosProtectionPlan" }, { type: "azure-native_network_v20200601:network:DdosProtectionPlan" }, { type: "azure-native_network_v20200701:network:DdosProtectionPlan" }, { type: "azure-native_network_v20200801:network:DdosProtectionPlan" }, { type: "azure-native_network_v20201101:network:DdosProtectionPlan" }, { type: "azure-native_network_v20210201:network:DdosProtectionPlan" }, { type: "azure-native_network_v20210301:network:DdosProtectionPlan" }, { type: "azure-native_network_v20210501:network:DdosProtectionPlan" }, { type: "azure-native_network_v20210801:network:DdosProtectionPlan" }, { type: "azure-native_network_v20220101:network:DdosProtectionPlan" }, { type: "azure-native_network_v20220501:network:DdosProtectionPlan" }, { type: "azure-native_network_v20220701:network:DdosProtectionPlan" }, { type: "azure-native_network_v20220901:network:DdosProtectionPlan" }, { type: "azure-native_network_v20221101:network:DdosProtectionPlan" }, { type: "azure-native_network_v20230201:network:DdosProtectionPlan" }, { type: "azure-native_network_v20230401:network:DdosProtectionPlan" }, { type: "azure-native_network_v20230501:network:DdosProtectionPlan" }, { type: "azure-native_network_v20230601:network:DdosProtectionPlan" }, { type: "azure-native_network_v20230901:network:DdosProtectionPlan" }, { type: "azure-native_network_v20231101:network:DdosProtectionPlan" }, { type: "azure-native_network_v20240101:network:DdosProtectionPlan" }, { type: "azure-native_network_v20240301:network:DdosProtectionPlan" }, { type: "azure-native_network_v20240501:network:DdosProtectionPlan" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DdosProtectionPlan.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/defaultAdminRule.ts b/sdk/nodejs/network/defaultAdminRule.ts index 8284500cab4f..82cb4b9168ee 100644 --- a/sdk/nodejs/network/defaultAdminRule.ts +++ b/sdk/nodejs/network/defaultAdminRule.ts @@ -183,7 +183,7 @@ export class DefaultAdminRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:AdminRule" }, { type: "azure-native:network/v20210201preview:DefaultAdminRule" }, { type: "azure-native:network/v20210501preview:AdminRule" }, { type: "azure-native:network/v20210501preview:DefaultAdminRule" }, { type: "azure-native:network/v20220101:DefaultAdminRule" }, { type: "azure-native:network/v20220201preview:DefaultAdminRule" }, { type: "azure-native:network/v20220401preview:DefaultAdminRule" }, { type: "azure-native:network/v20220501:DefaultAdminRule" }, { type: "azure-native:network/v20220701:DefaultAdminRule" }, { type: "azure-native:network/v20220901:DefaultAdminRule" }, { type: "azure-native:network/v20221101:DefaultAdminRule" }, { type: "azure-native:network/v20230201:AdminRule" }, { type: "azure-native:network/v20230201:DefaultAdminRule" }, { type: "azure-native:network/v20230401:AdminRule" }, { type: "azure-native:network/v20230401:DefaultAdminRule" }, { type: "azure-native:network/v20230501:AdminRule" }, { type: "azure-native:network/v20230501:DefaultAdminRule" }, { type: "azure-native:network/v20230601:AdminRule" }, { type: "azure-native:network/v20230601:DefaultAdminRule" }, { type: "azure-native:network/v20230901:AdminRule" }, { type: "azure-native:network/v20230901:DefaultAdminRule" }, { type: "azure-native:network/v20231101:AdminRule" }, { type: "azure-native:network/v20231101:DefaultAdminRule" }, { type: "azure-native:network/v20240101:AdminRule" }, { type: "azure-native:network/v20240101:DefaultAdminRule" }, { type: "azure-native:network/v20240101preview:AdminRule" }, { type: "azure-native:network/v20240101preview:DefaultAdminRule" }, { type: "azure-native:network/v20240301:AdminRule" }, { type: "azure-native:network/v20240301:DefaultAdminRule" }, { type: "azure-native:network/v20240501:AdminRule" }, { type: "azure-native:network/v20240501:DefaultAdminRule" }, { type: "azure-native:network:AdminRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:AdminRule" }, { type: "azure-native:network/v20210501preview:AdminRule" }, { type: "azure-native:network/v20210501preview:DefaultAdminRule" }, { type: "azure-native:network/v20230201:AdminRule" }, { type: "azure-native:network/v20230201:DefaultAdminRule" }, { type: "azure-native:network/v20230401:AdminRule" }, { type: "azure-native:network/v20230401:DefaultAdminRule" }, { type: "azure-native:network/v20230501:AdminRule" }, { type: "azure-native:network/v20230501:DefaultAdminRule" }, { type: "azure-native:network/v20230601:AdminRule" }, { type: "azure-native:network/v20230601:DefaultAdminRule" }, { type: "azure-native:network/v20230901:AdminRule" }, { type: "azure-native:network/v20230901:DefaultAdminRule" }, { type: "azure-native:network/v20231101:AdminRule" }, { type: "azure-native:network/v20231101:DefaultAdminRule" }, { type: "azure-native:network/v20240101:AdminRule" }, { type: "azure-native:network/v20240101:DefaultAdminRule" }, { type: "azure-native:network/v20240101preview:AdminRule" }, { type: "azure-native:network/v20240101preview:DefaultAdminRule" }, { type: "azure-native:network/v20240301:AdminRule" }, { type: "azure-native:network/v20240301:DefaultAdminRule" }, { type: "azure-native:network/v20240501:AdminRule" }, { type: "azure-native:network/v20240501:DefaultAdminRule" }, { type: "azure-native:network:AdminRule" }, { type: "azure-native_network_v20210201preview:network:DefaultAdminRule" }, { type: "azure-native_network_v20210501preview:network:DefaultAdminRule" }, { type: "azure-native_network_v20220101:network:DefaultAdminRule" }, { type: "azure-native_network_v20220201preview:network:DefaultAdminRule" }, { type: "azure-native_network_v20220401preview:network:DefaultAdminRule" }, { type: "azure-native_network_v20220501:network:DefaultAdminRule" }, { type: "azure-native_network_v20220701:network:DefaultAdminRule" }, { type: "azure-native_network_v20220901:network:DefaultAdminRule" }, { type: "azure-native_network_v20221101:network:DefaultAdminRule" }, { type: "azure-native_network_v20230201:network:DefaultAdminRule" }, { type: "azure-native_network_v20230401:network:DefaultAdminRule" }, { type: "azure-native_network_v20230501:network:DefaultAdminRule" }, { type: "azure-native_network_v20230601:network:DefaultAdminRule" }, { type: "azure-native_network_v20230901:network:DefaultAdminRule" }, { type: "azure-native_network_v20231101:network:DefaultAdminRule" }, { type: "azure-native_network_v20240101:network:DefaultAdminRule" }, { type: "azure-native_network_v20240101preview:network:DefaultAdminRule" }, { type: "azure-native_network_v20240301:network:DefaultAdminRule" }, { type: "azure-native_network_v20240501:network:DefaultAdminRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DefaultAdminRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/defaultUserRule.ts b/sdk/nodejs/network/defaultUserRule.ts index 4647e2320161..63de45ba8609 100644 --- a/sdk/nodejs/network/defaultUserRule.ts +++ b/sdk/nodejs/network/defaultUserRule.ts @@ -165,7 +165,7 @@ export class DefaultUserRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:DefaultUserRule" }, { type: "azure-native:network/v20210501preview:DefaultUserRule" }, { type: "azure-native:network/v20210501preview:UserRule" }, { type: "azure-native:network/v20220201preview:DefaultUserRule" }, { type: "azure-native:network/v20220401preview:DefaultUserRule" }, { type: "azure-native:network/v20220401preview:UserRule" }, { type: "azure-native:network/v20240301:DefaultUserRule" }, { type: "azure-native:network/v20240301:SecurityUserRule" }, { type: "azure-native:network/v20240501:DefaultUserRule" }, { type: "azure-native:network/v20240501:SecurityUserRule" }, { type: "azure-native:network:SecurityUserRule" }, { type: "azure-native:network:UserRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210501preview:DefaultUserRule" }, { type: "azure-native:network/v20210501preview:UserRule" }, { type: "azure-native:network/v20220401preview:DefaultUserRule" }, { type: "azure-native:network/v20220401preview:UserRule" }, { type: "azure-native:network/v20240301:SecurityUserRule" }, { type: "azure-native:network/v20240501:SecurityUserRule" }, { type: "azure-native:network:SecurityUserRule" }, { type: "azure-native:network:UserRule" }, { type: "azure-native_network_v20210201preview:network:DefaultUserRule" }, { type: "azure-native_network_v20210501preview:network:DefaultUserRule" }, { type: "azure-native_network_v20220201preview:network:DefaultUserRule" }, { type: "azure-native_network_v20220401preview:network:DefaultUserRule" }, { type: "azure-native_network_v20240301:network:DefaultUserRule" }, { type: "azure-native_network_v20240501:network:DefaultUserRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DefaultUserRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/dscpConfiguration.ts b/sdk/nodejs/network/dscpConfiguration.ts index 0a1c17e37c98..fc7dc3c08462 100644 --- a/sdk/nodejs/network/dscpConfiguration.ts +++ b/sdk/nodejs/network/dscpConfiguration.ts @@ -164,7 +164,7 @@ export class DscpConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200601:DscpConfiguration" }, { type: "azure-native:network/v20200701:DscpConfiguration" }, { type: "azure-native:network/v20200801:DscpConfiguration" }, { type: "azure-native:network/v20201101:DscpConfiguration" }, { type: "azure-native:network/v20210201:DscpConfiguration" }, { type: "azure-native:network/v20210301:DscpConfiguration" }, { type: "azure-native:network/v20210501:DscpConfiguration" }, { type: "azure-native:network/v20210801:DscpConfiguration" }, { type: "azure-native:network/v20220101:DscpConfiguration" }, { type: "azure-native:network/v20220501:DscpConfiguration" }, { type: "azure-native:network/v20220701:DscpConfiguration" }, { type: "azure-native:network/v20220901:DscpConfiguration" }, { type: "azure-native:network/v20221101:DscpConfiguration" }, { type: "azure-native:network/v20230201:DscpConfiguration" }, { type: "azure-native:network/v20230401:DscpConfiguration" }, { type: "azure-native:network/v20230501:DscpConfiguration" }, { type: "azure-native:network/v20230601:DscpConfiguration" }, { type: "azure-native:network/v20230901:DscpConfiguration" }, { type: "azure-native:network/v20231101:DscpConfiguration" }, { type: "azure-native:network/v20240101:DscpConfiguration" }, { type: "azure-native:network/v20240301:DscpConfiguration" }, { type: "azure-native:network/v20240501:DscpConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:DscpConfiguration" }, { type: "azure-native:network/v20230401:DscpConfiguration" }, { type: "azure-native:network/v20230501:DscpConfiguration" }, { type: "azure-native:network/v20230601:DscpConfiguration" }, { type: "azure-native:network/v20230901:DscpConfiguration" }, { type: "azure-native:network/v20231101:DscpConfiguration" }, { type: "azure-native:network/v20240101:DscpConfiguration" }, { type: "azure-native:network/v20240301:DscpConfiguration" }, { type: "azure-native:network/v20240501:DscpConfiguration" }, { type: "azure-native_network_v20200601:network:DscpConfiguration" }, { type: "azure-native_network_v20200701:network:DscpConfiguration" }, { type: "azure-native_network_v20200801:network:DscpConfiguration" }, { type: "azure-native_network_v20201101:network:DscpConfiguration" }, { type: "azure-native_network_v20210201:network:DscpConfiguration" }, { type: "azure-native_network_v20210301:network:DscpConfiguration" }, { type: "azure-native_network_v20210501:network:DscpConfiguration" }, { type: "azure-native_network_v20210801:network:DscpConfiguration" }, { type: "azure-native_network_v20220101:network:DscpConfiguration" }, { type: "azure-native_network_v20220501:network:DscpConfiguration" }, { type: "azure-native_network_v20220701:network:DscpConfiguration" }, { type: "azure-native_network_v20220901:network:DscpConfiguration" }, { type: "azure-native_network_v20221101:network:DscpConfiguration" }, { type: "azure-native_network_v20230201:network:DscpConfiguration" }, { type: "azure-native_network_v20230401:network:DscpConfiguration" }, { type: "azure-native_network_v20230501:network:DscpConfiguration" }, { type: "azure-native_network_v20230601:network:DscpConfiguration" }, { type: "azure-native_network_v20230901:network:DscpConfiguration" }, { type: "azure-native_network_v20231101:network:DscpConfiguration" }, { type: "azure-native_network_v20240101:network:DscpConfiguration" }, { type: "azure-native_network_v20240301:network:DscpConfiguration" }, { type: "azure-native_network_v20240501:network:DscpConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DscpConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/expressRouteCircuit.ts b/sdk/nodejs/network/expressRouteCircuit.ts index 3734511762fd..ff185ee13e33 100644 --- a/sdk/nodejs/network/expressRouteCircuit.ts +++ b/sdk/nodejs/network/expressRouteCircuit.ts @@ -206,7 +206,7 @@ export class ExpressRouteCircuit extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:ExpressRouteCircuit" }, { type: "azure-native:network/v20150615:ExpressRouteCircuit" }, { type: "azure-native:network/v20160330:ExpressRouteCircuit" }, { type: "azure-native:network/v20160601:ExpressRouteCircuit" }, { type: "azure-native:network/v20160901:ExpressRouteCircuit" }, { type: "azure-native:network/v20161201:ExpressRouteCircuit" }, { type: "azure-native:network/v20170301:ExpressRouteCircuit" }, { type: "azure-native:network/v20170601:ExpressRouteCircuit" }, { type: "azure-native:network/v20170801:ExpressRouteCircuit" }, { type: "azure-native:network/v20170901:ExpressRouteCircuit" }, { type: "azure-native:network/v20171001:ExpressRouteCircuit" }, { type: "azure-native:network/v20171101:ExpressRouteCircuit" }, { type: "azure-native:network/v20180101:ExpressRouteCircuit" }, { type: "azure-native:network/v20180201:ExpressRouteCircuit" }, { type: "azure-native:network/v20180401:ExpressRouteCircuit" }, { type: "azure-native:network/v20180601:ExpressRouteCircuit" }, { type: "azure-native:network/v20180701:ExpressRouteCircuit" }, { type: "azure-native:network/v20180801:ExpressRouteCircuit" }, { type: "azure-native:network/v20181001:ExpressRouteCircuit" }, { type: "azure-native:network/v20181101:ExpressRouteCircuit" }, { type: "azure-native:network/v20181201:ExpressRouteCircuit" }, { type: "azure-native:network/v20190201:ExpressRouteCircuit" }, { type: "azure-native:network/v20190401:ExpressRouteCircuit" }, { type: "azure-native:network/v20190601:ExpressRouteCircuit" }, { type: "azure-native:network/v20190701:ExpressRouteCircuit" }, { type: "azure-native:network/v20190801:ExpressRouteCircuit" }, { type: "azure-native:network/v20190901:ExpressRouteCircuit" }, { type: "azure-native:network/v20191101:ExpressRouteCircuit" }, { type: "azure-native:network/v20191201:ExpressRouteCircuit" }, { type: "azure-native:network/v20200301:ExpressRouteCircuit" }, { type: "azure-native:network/v20200401:ExpressRouteCircuit" }, { type: "azure-native:network/v20200501:ExpressRouteCircuit" }, { type: "azure-native:network/v20200601:ExpressRouteCircuit" }, { type: "azure-native:network/v20200701:ExpressRouteCircuit" }, { type: "azure-native:network/v20200801:ExpressRouteCircuit" }, { type: "azure-native:network/v20201101:ExpressRouteCircuit" }, { type: "azure-native:network/v20210201:ExpressRouteCircuit" }, { type: "azure-native:network/v20210301:ExpressRouteCircuit" }, { type: "azure-native:network/v20210501:ExpressRouteCircuit" }, { type: "azure-native:network/v20210801:ExpressRouteCircuit" }, { type: "azure-native:network/v20220101:ExpressRouteCircuit" }, { type: "azure-native:network/v20220501:ExpressRouteCircuit" }, { type: "azure-native:network/v20220701:ExpressRouteCircuit" }, { type: "azure-native:network/v20220901:ExpressRouteCircuit" }, { type: "azure-native:network/v20221101:ExpressRouteCircuit" }, { type: "azure-native:network/v20230201:ExpressRouteCircuit" }, { type: "azure-native:network/v20230401:ExpressRouteCircuit" }, { type: "azure-native:network/v20230501:ExpressRouteCircuit" }, { type: "azure-native:network/v20230601:ExpressRouteCircuit" }, { type: "azure-native:network/v20230901:ExpressRouteCircuit" }, { type: "azure-native:network/v20231101:ExpressRouteCircuit" }, { type: "azure-native:network/v20240101:ExpressRouteCircuit" }, { type: "azure-native:network/v20240301:ExpressRouteCircuit" }, { type: "azure-native:network/v20240501:ExpressRouteCircuit" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20181201:ExpressRouteCircuit" }, { type: "azure-native:network/v20190601:ExpressRouteCircuit" }, { type: "azure-native:network/v20230201:ExpressRouteCircuit" }, { type: "azure-native:network/v20230401:ExpressRouteCircuit" }, { type: "azure-native:network/v20230501:ExpressRouteCircuit" }, { type: "azure-native:network/v20230601:ExpressRouteCircuit" }, { type: "azure-native:network/v20230901:ExpressRouteCircuit" }, { type: "azure-native:network/v20231101:ExpressRouteCircuit" }, { type: "azure-native:network/v20240101:ExpressRouteCircuit" }, { type: "azure-native:network/v20240301:ExpressRouteCircuit" }, { type: "azure-native:network/v20240501:ExpressRouteCircuit" }, { type: "azure-native_network_v20150501preview:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20150615:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20160330:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20160601:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20160901:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20161201:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20170301:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20170601:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20170801:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20170901:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20171001:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20171101:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20180101:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20180201:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20180401:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20180601:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20180701:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20180801:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20181001:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20181101:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20181201:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20190201:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20190401:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20190601:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20190701:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20190801:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20190901:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20191101:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20191201:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20200301:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20200401:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20200501:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20200601:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20200701:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20200801:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20201101:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20210201:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20210301:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20210501:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20210801:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20220101:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20220501:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20220701:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20220901:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20221101:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20230201:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20230401:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20230501:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20230601:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20230901:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20231101:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20240101:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20240301:network:ExpressRouteCircuit" }, { type: "azure-native_network_v20240501:network:ExpressRouteCircuit" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExpressRouteCircuit.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/expressRouteCircuitAuthorization.ts b/sdk/nodejs/network/expressRouteCircuitAuthorization.ts index 1a19be60c083..efaa4e2cf325 100644 --- a/sdk/nodejs/network/expressRouteCircuitAuthorization.ts +++ b/sdk/nodejs/network/expressRouteCircuitAuthorization.ts @@ -114,7 +114,7 @@ export class ExpressRouteCircuitAuthorization extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20150615:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20160330:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20160601:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20160901:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20161201:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20170301:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20170601:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20170801:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20170901:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20171001:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20171101:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20180101:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20180201:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20180401:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20180601:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20180701:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20180801:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20181001:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20181101:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20181201:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20190201:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20190401:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20190601:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20190701:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20190801:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20190901:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20191101:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20191201:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20200301:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20200401:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20200501:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20200601:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20200701:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20200801:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20201101:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20210201:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20210301:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20210501:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20210801:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20220101:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20220501:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20220701:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20220901:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20221101:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20230201:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20230401:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20230501:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20230601:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20230901:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20231101:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20240101:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20240301:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20240501:ExpressRouteCircuitAuthorization" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20230201:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20230401:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20230501:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20230601:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20230901:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20231101:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20240101:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20240301:ExpressRouteCircuitAuthorization" }, { type: "azure-native:network/v20240501:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20150501preview:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20150615:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20160330:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20160601:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20160901:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20161201:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20170301:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20170601:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20170801:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20170901:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20171001:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20171101:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20180101:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20180201:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20180401:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20180601:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20180701:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20180801:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20181001:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20181101:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20181201:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20190201:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20190401:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20190601:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20190701:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20190801:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20190901:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20191101:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20191201:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20200301:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20200401:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20200501:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20200601:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20200701:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20200801:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20201101:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20210201:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20210301:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20210501:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20210801:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20220101:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20220501:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20220701:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20220901:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20221101:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20230401:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20230501:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20230601:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20230901:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20231101:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20240101:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20240301:network:ExpressRouteCircuitAuthorization" }, { type: "azure-native_network_v20240501:network:ExpressRouteCircuitAuthorization" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExpressRouteCircuitAuthorization.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/expressRouteCircuitConnection.ts b/sdk/nodejs/network/expressRouteCircuitConnection.ts index b7cdec5a0639..db6c2c318187 100644 --- a/sdk/nodejs/network/expressRouteCircuitConnection.ts +++ b/sdk/nodejs/network/expressRouteCircuitConnection.ts @@ -136,7 +136,7 @@ export class ExpressRouteCircuitConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180201:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20180401:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20180601:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20180701:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20180801:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20181001:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20181101:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20181201:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20190201:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20190401:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20190601:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20190701:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20190801:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20190901:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20191101:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20191201:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20200301:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20200401:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20200501:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20200601:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20200701:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20200801:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20201101:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20210201:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20210301:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20210501:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20210801:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20220101:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20220501:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20220701:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20220901:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20221101:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20230201:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20230401:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20230501:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20230601:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20230901:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20231101:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20240101:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20240301:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20240501:ExpressRouteCircuitConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20230401:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20230501:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20230601:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20230901:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20231101:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20240101:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20240301:ExpressRouteCircuitConnection" }, { type: "azure-native:network/v20240501:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20180201:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20180401:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20180601:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20180701:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20180801:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20181001:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20181101:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20181201:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20190201:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20190401:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20190601:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20190701:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20190801:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20190901:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20191101:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20191201:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20200301:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20200401:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20200501:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20200601:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20200701:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20200801:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20201101:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20210201:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20210301:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20210501:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20210801:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20220101:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20220501:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20220701:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20220901:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20221101:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20230201:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20230401:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20230501:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20230601:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20230901:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20231101:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20240101:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20240301:network:ExpressRouteCircuitConnection" }, { type: "azure-native_network_v20240501:network:ExpressRouteCircuitConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExpressRouteCircuitConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/expressRouteCircuitPeering.ts b/sdk/nodejs/network/expressRouteCircuitPeering.ts index 32ecfcfef310..6d15fdd3fc0f 100644 --- a/sdk/nodejs/network/expressRouteCircuitPeering.ts +++ b/sdk/nodejs/network/expressRouteCircuitPeering.ts @@ -210,7 +210,7 @@ export class ExpressRouteCircuitPeering extends pulumi.CustomResource { resourceInputs["vlanId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20150615:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20160330:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20160601:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20160901:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20161201:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20170301:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20170601:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20170801:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20170901:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20171001:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20171101:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20180101:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20180201:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20180401:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20180601:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20180701:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20180801:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20181001:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20181101:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20181201:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20190201:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20190401:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20190601:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20190701:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20190801:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20190901:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20191101:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20191201:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20200301:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20200401:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20200501:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20200601:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20200701:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20200801:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20201101:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20210201:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20210301:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20210501:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20210801:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20220101:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20220501:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20220701:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20220901:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20221101:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20230201:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20230401:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20230501:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20230601:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20230901:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20231101:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20240101:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20240301:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20240501:ExpressRouteCircuitPeering" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190201:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20190601:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20190801:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20230201:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20230401:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20230501:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20230601:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20230901:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20231101:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20240101:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20240301:ExpressRouteCircuitPeering" }, { type: "azure-native:network/v20240501:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20150501preview:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20150615:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20160330:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20160601:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20160901:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20161201:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20170301:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20170601:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20170801:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20170901:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20171001:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20171101:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20180101:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20180201:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20180401:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20180601:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20180701:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20180801:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20181001:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20181101:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20181201:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20190201:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20190401:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20190601:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20190701:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20190801:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20190901:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20191101:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20191201:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20200301:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20200401:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20200501:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20200601:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20200701:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20200801:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20201101:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20210201:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20210301:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20210501:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20210801:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20220101:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20220501:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20220701:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20220901:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20221101:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20230201:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20230401:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20230501:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20230601:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20230901:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20231101:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20240101:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20240301:network:ExpressRouteCircuitPeering" }, { type: "azure-native_network_v20240501:network:ExpressRouteCircuitPeering" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExpressRouteCircuitPeering.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/expressRouteConnection.ts b/sdk/nodejs/network/expressRouteConnection.ts index 3adcbdb69f4b..f7bd876f46b9 100644 --- a/sdk/nodejs/network/expressRouteConnection.ts +++ b/sdk/nodejs/network/expressRouteConnection.ts @@ -132,7 +132,7 @@ export class ExpressRouteConnection extends pulumi.CustomResource { resourceInputs["routingWeight"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180801:ExpressRouteConnection" }, { type: "azure-native:network/v20181001:ExpressRouteConnection" }, { type: "azure-native:network/v20181101:ExpressRouteConnection" }, { type: "azure-native:network/v20181201:ExpressRouteConnection" }, { type: "azure-native:network/v20190201:ExpressRouteConnection" }, { type: "azure-native:network/v20190401:ExpressRouteConnection" }, { type: "azure-native:network/v20190601:ExpressRouteConnection" }, { type: "azure-native:network/v20190701:ExpressRouteConnection" }, { type: "azure-native:network/v20190801:ExpressRouteConnection" }, { type: "azure-native:network/v20190901:ExpressRouteConnection" }, { type: "azure-native:network/v20191101:ExpressRouteConnection" }, { type: "azure-native:network/v20191201:ExpressRouteConnection" }, { type: "azure-native:network/v20200301:ExpressRouteConnection" }, { type: "azure-native:network/v20200401:ExpressRouteConnection" }, { type: "azure-native:network/v20200501:ExpressRouteConnection" }, { type: "azure-native:network/v20200601:ExpressRouteConnection" }, { type: "azure-native:network/v20200701:ExpressRouteConnection" }, { type: "azure-native:network/v20200801:ExpressRouteConnection" }, { type: "azure-native:network/v20201101:ExpressRouteConnection" }, { type: "azure-native:network/v20210201:ExpressRouteConnection" }, { type: "azure-native:network/v20210301:ExpressRouteConnection" }, { type: "azure-native:network/v20210501:ExpressRouteConnection" }, { type: "azure-native:network/v20210801:ExpressRouteConnection" }, { type: "azure-native:network/v20220101:ExpressRouteConnection" }, { type: "azure-native:network/v20220501:ExpressRouteConnection" }, { type: "azure-native:network/v20220701:ExpressRouteConnection" }, { type: "azure-native:network/v20220901:ExpressRouteConnection" }, { type: "azure-native:network/v20221101:ExpressRouteConnection" }, { type: "azure-native:network/v20230201:ExpressRouteConnection" }, { type: "azure-native:network/v20230401:ExpressRouteConnection" }, { type: "azure-native:network/v20230501:ExpressRouteConnection" }, { type: "azure-native:network/v20230601:ExpressRouteConnection" }, { type: "azure-native:network/v20230901:ExpressRouteConnection" }, { type: "azure-native:network/v20231101:ExpressRouteConnection" }, { type: "azure-native:network/v20240101:ExpressRouteConnection" }, { type: "azure-native:network/v20240301:ExpressRouteConnection" }, { type: "azure-native:network/v20240501:ExpressRouteConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:ExpressRouteConnection" }, { type: "azure-native:network/v20230401:ExpressRouteConnection" }, { type: "azure-native:network/v20230501:ExpressRouteConnection" }, { type: "azure-native:network/v20230601:ExpressRouteConnection" }, { type: "azure-native:network/v20230901:ExpressRouteConnection" }, { type: "azure-native:network/v20231101:ExpressRouteConnection" }, { type: "azure-native:network/v20240101:ExpressRouteConnection" }, { type: "azure-native:network/v20240301:ExpressRouteConnection" }, { type: "azure-native:network/v20240501:ExpressRouteConnection" }, { type: "azure-native_network_v20180801:network:ExpressRouteConnection" }, { type: "azure-native_network_v20181001:network:ExpressRouteConnection" }, { type: "azure-native_network_v20181101:network:ExpressRouteConnection" }, { type: "azure-native_network_v20181201:network:ExpressRouteConnection" }, { type: "azure-native_network_v20190201:network:ExpressRouteConnection" }, { type: "azure-native_network_v20190401:network:ExpressRouteConnection" }, { type: "azure-native_network_v20190601:network:ExpressRouteConnection" }, { type: "azure-native_network_v20190701:network:ExpressRouteConnection" }, { type: "azure-native_network_v20190801:network:ExpressRouteConnection" }, { type: "azure-native_network_v20190901:network:ExpressRouteConnection" }, { type: "azure-native_network_v20191101:network:ExpressRouteConnection" }, { type: "azure-native_network_v20191201:network:ExpressRouteConnection" }, { type: "azure-native_network_v20200301:network:ExpressRouteConnection" }, { type: "azure-native_network_v20200401:network:ExpressRouteConnection" }, { type: "azure-native_network_v20200501:network:ExpressRouteConnection" }, { type: "azure-native_network_v20200601:network:ExpressRouteConnection" }, { type: "azure-native_network_v20200701:network:ExpressRouteConnection" }, { type: "azure-native_network_v20200801:network:ExpressRouteConnection" }, { type: "azure-native_network_v20201101:network:ExpressRouteConnection" }, { type: "azure-native_network_v20210201:network:ExpressRouteConnection" }, { type: "azure-native_network_v20210301:network:ExpressRouteConnection" }, { type: "azure-native_network_v20210501:network:ExpressRouteConnection" }, { type: "azure-native_network_v20210801:network:ExpressRouteConnection" }, { type: "azure-native_network_v20220101:network:ExpressRouteConnection" }, { type: "azure-native_network_v20220501:network:ExpressRouteConnection" }, { type: "azure-native_network_v20220701:network:ExpressRouteConnection" }, { type: "azure-native_network_v20220901:network:ExpressRouteConnection" }, { type: "azure-native_network_v20221101:network:ExpressRouteConnection" }, { type: "azure-native_network_v20230201:network:ExpressRouteConnection" }, { type: "azure-native_network_v20230401:network:ExpressRouteConnection" }, { type: "azure-native_network_v20230501:network:ExpressRouteConnection" }, { type: "azure-native_network_v20230601:network:ExpressRouteConnection" }, { type: "azure-native_network_v20230901:network:ExpressRouteConnection" }, { type: "azure-native_network_v20231101:network:ExpressRouteConnection" }, { type: "azure-native_network_v20240101:network:ExpressRouteConnection" }, { type: "azure-native_network_v20240301:network:ExpressRouteConnection" }, { type: "azure-native_network_v20240501:network:ExpressRouteConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExpressRouteConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/expressRouteCrossConnectionPeering.ts b/sdk/nodejs/network/expressRouteCrossConnectionPeering.ts index b6fd89f6c609..a6da7fc7c02d 100644 --- a/sdk/nodejs/network/expressRouteCrossConnectionPeering.ts +++ b/sdk/nodejs/network/expressRouteCrossConnectionPeering.ts @@ -174,7 +174,7 @@ export class ExpressRouteCrossConnectionPeering extends pulumi.CustomResource { resourceInputs["vlanId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180201:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20180401:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20180601:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20180701:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20180801:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20181001:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20181101:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20181201:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20190201:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20190401:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20190601:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20190701:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20190801:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20190901:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20191101:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20191201:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20200301:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20200401:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20200501:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20200601:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20200701:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20200801:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20201101:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20210201:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20210301:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20210501:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20210801:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20220101:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20220501:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20220701:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20220901:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20221101:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20230201:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20230401:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20230501:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20230601:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20230901:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20231101:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20240101:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20240301:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20240501:ExpressRouteCrossConnectionPeering" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190801:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20230201:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20230401:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20230501:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20230601:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20230901:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20231101:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20240101:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20240301:ExpressRouteCrossConnectionPeering" }, { type: "azure-native:network/v20240501:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20180201:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20180401:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20180601:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20180701:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20180801:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20181001:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20181101:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20181201:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20190201:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20190401:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20190601:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20190701:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20190801:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20190901:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20191101:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20191201:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20200301:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20200401:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20200501:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20200601:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20200701:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20200801:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20201101:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20210201:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20210301:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20210501:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20210801:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20220101:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20220501:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20220701:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20220901:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20221101:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20230201:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20230401:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20230501:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20230601:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20230901:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20231101:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20240101:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20240301:network:ExpressRouteCrossConnectionPeering" }, { type: "azure-native_network_v20240501:network:ExpressRouteCrossConnectionPeering" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExpressRouteCrossConnectionPeering.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/expressRouteGateway.ts b/sdk/nodejs/network/expressRouteGateway.ts index a95225152288..3c655ea25c98 100644 --- a/sdk/nodejs/network/expressRouteGateway.ts +++ b/sdk/nodejs/network/expressRouteGateway.ts @@ -131,7 +131,7 @@ export class ExpressRouteGateway extends pulumi.CustomResource { resourceInputs["virtualHub"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180801:ExpressRouteGateway" }, { type: "azure-native:network/v20181001:ExpressRouteGateway" }, { type: "azure-native:network/v20181101:ExpressRouteGateway" }, { type: "azure-native:network/v20181201:ExpressRouteGateway" }, { type: "azure-native:network/v20190201:ExpressRouteGateway" }, { type: "azure-native:network/v20190401:ExpressRouteGateway" }, { type: "azure-native:network/v20190601:ExpressRouteGateway" }, { type: "azure-native:network/v20190701:ExpressRouteGateway" }, { type: "azure-native:network/v20190801:ExpressRouteGateway" }, { type: "azure-native:network/v20190901:ExpressRouteGateway" }, { type: "azure-native:network/v20191101:ExpressRouteGateway" }, { type: "azure-native:network/v20191201:ExpressRouteGateway" }, { type: "azure-native:network/v20200301:ExpressRouteGateway" }, { type: "azure-native:network/v20200401:ExpressRouteGateway" }, { type: "azure-native:network/v20200501:ExpressRouteGateway" }, { type: "azure-native:network/v20200601:ExpressRouteGateway" }, { type: "azure-native:network/v20200701:ExpressRouteGateway" }, { type: "azure-native:network/v20200801:ExpressRouteGateway" }, { type: "azure-native:network/v20201101:ExpressRouteGateway" }, { type: "azure-native:network/v20210201:ExpressRouteGateway" }, { type: "azure-native:network/v20210301:ExpressRouteGateway" }, { type: "azure-native:network/v20210501:ExpressRouteGateway" }, { type: "azure-native:network/v20210801:ExpressRouteGateway" }, { type: "azure-native:network/v20220101:ExpressRouteGateway" }, { type: "azure-native:network/v20220501:ExpressRouteGateway" }, { type: "azure-native:network/v20220701:ExpressRouteGateway" }, { type: "azure-native:network/v20220901:ExpressRouteGateway" }, { type: "azure-native:network/v20221101:ExpressRouteGateway" }, { type: "azure-native:network/v20230201:ExpressRouteGateway" }, { type: "azure-native:network/v20230401:ExpressRouteGateway" }, { type: "azure-native:network/v20230501:ExpressRouteGateway" }, { type: "azure-native:network/v20230601:ExpressRouteGateway" }, { type: "azure-native:network/v20230901:ExpressRouteGateway" }, { type: "azure-native:network/v20231101:ExpressRouteGateway" }, { type: "azure-native:network/v20240101:ExpressRouteGateway" }, { type: "azure-native:network/v20240301:ExpressRouteGateway" }, { type: "azure-native:network/v20240501:ExpressRouteGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210301:ExpressRouteGateway" }, { type: "azure-native:network/v20230201:ExpressRouteGateway" }, { type: "azure-native:network/v20230401:ExpressRouteGateway" }, { type: "azure-native:network/v20230501:ExpressRouteGateway" }, { type: "azure-native:network/v20230601:ExpressRouteGateway" }, { type: "azure-native:network/v20230901:ExpressRouteGateway" }, { type: "azure-native:network/v20231101:ExpressRouteGateway" }, { type: "azure-native:network/v20240101:ExpressRouteGateway" }, { type: "azure-native:network/v20240301:ExpressRouteGateway" }, { type: "azure-native:network/v20240501:ExpressRouteGateway" }, { type: "azure-native_network_v20180801:network:ExpressRouteGateway" }, { type: "azure-native_network_v20181001:network:ExpressRouteGateway" }, { type: "azure-native_network_v20181101:network:ExpressRouteGateway" }, { type: "azure-native_network_v20181201:network:ExpressRouteGateway" }, { type: "azure-native_network_v20190201:network:ExpressRouteGateway" }, { type: "azure-native_network_v20190401:network:ExpressRouteGateway" }, { type: "azure-native_network_v20190601:network:ExpressRouteGateway" }, { type: "azure-native_network_v20190701:network:ExpressRouteGateway" }, { type: "azure-native_network_v20190801:network:ExpressRouteGateway" }, { type: "azure-native_network_v20190901:network:ExpressRouteGateway" }, { type: "azure-native_network_v20191101:network:ExpressRouteGateway" }, { type: "azure-native_network_v20191201:network:ExpressRouteGateway" }, { type: "azure-native_network_v20200301:network:ExpressRouteGateway" }, { type: "azure-native_network_v20200401:network:ExpressRouteGateway" }, { type: "azure-native_network_v20200501:network:ExpressRouteGateway" }, { type: "azure-native_network_v20200601:network:ExpressRouteGateway" }, { type: "azure-native_network_v20200701:network:ExpressRouteGateway" }, { type: "azure-native_network_v20200801:network:ExpressRouteGateway" }, { type: "azure-native_network_v20201101:network:ExpressRouteGateway" }, { type: "azure-native_network_v20210201:network:ExpressRouteGateway" }, { type: "azure-native_network_v20210301:network:ExpressRouteGateway" }, { type: "azure-native_network_v20210501:network:ExpressRouteGateway" }, { type: "azure-native_network_v20210801:network:ExpressRouteGateway" }, { type: "azure-native_network_v20220101:network:ExpressRouteGateway" }, { type: "azure-native_network_v20220501:network:ExpressRouteGateway" }, { type: "azure-native_network_v20220701:network:ExpressRouteGateway" }, { type: "azure-native_network_v20220901:network:ExpressRouteGateway" }, { type: "azure-native_network_v20221101:network:ExpressRouteGateway" }, { type: "azure-native_network_v20230201:network:ExpressRouteGateway" }, { type: "azure-native_network_v20230401:network:ExpressRouteGateway" }, { type: "azure-native_network_v20230501:network:ExpressRouteGateway" }, { type: "azure-native_network_v20230601:network:ExpressRouteGateway" }, { type: "azure-native_network_v20230901:network:ExpressRouteGateway" }, { type: "azure-native_network_v20231101:network:ExpressRouteGateway" }, { type: "azure-native_network_v20240101:network:ExpressRouteGateway" }, { type: "azure-native_network_v20240301:network:ExpressRouteGateway" }, { type: "azure-native_network_v20240501:network:ExpressRouteGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExpressRouteGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/expressRoutePort.ts b/sdk/nodejs/network/expressRoutePort.ts index 20a0b8ecc75a..421e151667d1 100644 --- a/sdk/nodejs/network/expressRoutePort.ts +++ b/sdk/nodejs/network/expressRoutePort.ts @@ -176,7 +176,7 @@ export class ExpressRoutePort extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180801:ExpressRoutePort" }, { type: "azure-native:network/v20181001:ExpressRoutePort" }, { type: "azure-native:network/v20181101:ExpressRoutePort" }, { type: "azure-native:network/v20181201:ExpressRoutePort" }, { type: "azure-native:network/v20190201:ExpressRoutePort" }, { type: "azure-native:network/v20190401:ExpressRoutePort" }, { type: "azure-native:network/v20190601:ExpressRoutePort" }, { type: "azure-native:network/v20190701:ExpressRoutePort" }, { type: "azure-native:network/v20190801:ExpressRoutePort" }, { type: "azure-native:network/v20190901:ExpressRoutePort" }, { type: "azure-native:network/v20191101:ExpressRoutePort" }, { type: "azure-native:network/v20191201:ExpressRoutePort" }, { type: "azure-native:network/v20200301:ExpressRoutePort" }, { type: "azure-native:network/v20200401:ExpressRoutePort" }, { type: "azure-native:network/v20200501:ExpressRoutePort" }, { type: "azure-native:network/v20200601:ExpressRoutePort" }, { type: "azure-native:network/v20200701:ExpressRoutePort" }, { type: "azure-native:network/v20200801:ExpressRoutePort" }, { type: "azure-native:network/v20201101:ExpressRoutePort" }, { type: "azure-native:network/v20210201:ExpressRoutePort" }, { type: "azure-native:network/v20210301:ExpressRoutePort" }, { type: "azure-native:network/v20210501:ExpressRoutePort" }, { type: "azure-native:network/v20210801:ExpressRoutePort" }, { type: "azure-native:network/v20220101:ExpressRoutePort" }, { type: "azure-native:network/v20220501:ExpressRoutePort" }, { type: "azure-native:network/v20220701:ExpressRoutePort" }, { type: "azure-native:network/v20220901:ExpressRoutePort" }, { type: "azure-native:network/v20221101:ExpressRoutePort" }, { type: "azure-native:network/v20230201:ExpressRoutePort" }, { type: "azure-native:network/v20230401:ExpressRoutePort" }, { type: "azure-native:network/v20230501:ExpressRoutePort" }, { type: "azure-native:network/v20230601:ExpressRoutePort" }, { type: "azure-native:network/v20230901:ExpressRoutePort" }, { type: "azure-native:network/v20231101:ExpressRoutePort" }, { type: "azure-native:network/v20240101:ExpressRoutePort" }, { type: "azure-native:network/v20240301:ExpressRoutePort" }, { type: "azure-native:network/v20240501:ExpressRoutePort" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190801:ExpressRoutePort" }, { type: "azure-native:network/v20230201:ExpressRoutePort" }, { type: "azure-native:network/v20230401:ExpressRoutePort" }, { type: "azure-native:network/v20230501:ExpressRoutePort" }, { type: "azure-native:network/v20230601:ExpressRoutePort" }, { type: "azure-native:network/v20230901:ExpressRoutePort" }, { type: "azure-native:network/v20231101:ExpressRoutePort" }, { type: "azure-native:network/v20240101:ExpressRoutePort" }, { type: "azure-native:network/v20240301:ExpressRoutePort" }, { type: "azure-native:network/v20240501:ExpressRoutePort" }, { type: "azure-native_network_v20180801:network:ExpressRoutePort" }, { type: "azure-native_network_v20181001:network:ExpressRoutePort" }, { type: "azure-native_network_v20181101:network:ExpressRoutePort" }, { type: "azure-native_network_v20181201:network:ExpressRoutePort" }, { type: "azure-native_network_v20190201:network:ExpressRoutePort" }, { type: "azure-native_network_v20190401:network:ExpressRoutePort" }, { type: "azure-native_network_v20190601:network:ExpressRoutePort" }, { type: "azure-native_network_v20190701:network:ExpressRoutePort" }, { type: "azure-native_network_v20190801:network:ExpressRoutePort" }, { type: "azure-native_network_v20190901:network:ExpressRoutePort" }, { type: "azure-native_network_v20191101:network:ExpressRoutePort" }, { type: "azure-native_network_v20191201:network:ExpressRoutePort" }, { type: "azure-native_network_v20200301:network:ExpressRoutePort" }, { type: "azure-native_network_v20200401:network:ExpressRoutePort" }, { type: "azure-native_network_v20200501:network:ExpressRoutePort" }, { type: "azure-native_network_v20200601:network:ExpressRoutePort" }, { type: "azure-native_network_v20200701:network:ExpressRoutePort" }, { type: "azure-native_network_v20200801:network:ExpressRoutePort" }, { type: "azure-native_network_v20201101:network:ExpressRoutePort" }, { type: "azure-native_network_v20210201:network:ExpressRoutePort" }, { type: "azure-native_network_v20210301:network:ExpressRoutePort" }, { type: "azure-native_network_v20210501:network:ExpressRoutePort" }, { type: "azure-native_network_v20210801:network:ExpressRoutePort" }, { type: "azure-native_network_v20220101:network:ExpressRoutePort" }, { type: "azure-native_network_v20220501:network:ExpressRoutePort" }, { type: "azure-native_network_v20220701:network:ExpressRoutePort" }, { type: "azure-native_network_v20220901:network:ExpressRoutePort" }, { type: "azure-native_network_v20221101:network:ExpressRoutePort" }, { type: "azure-native_network_v20230201:network:ExpressRoutePort" }, { type: "azure-native_network_v20230401:network:ExpressRoutePort" }, { type: "azure-native_network_v20230501:network:ExpressRoutePort" }, { type: "azure-native_network_v20230601:network:ExpressRoutePort" }, { type: "azure-native_network_v20230901:network:ExpressRoutePort" }, { type: "azure-native_network_v20231101:network:ExpressRoutePort" }, { type: "azure-native_network_v20240101:network:ExpressRoutePort" }, { type: "azure-native_network_v20240301:network:ExpressRoutePort" }, { type: "azure-native_network_v20240501:network:ExpressRoutePort" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExpressRoutePort.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/expressRoutePortAuthorization.ts b/sdk/nodejs/network/expressRoutePortAuthorization.ts index 3acb64f46545..a1612920a2cc 100644 --- a/sdk/nodejs/network/expressRoutePortAuthorization.ts +++ b/sdk/nodejs/network/expressRoutePortAuthorization.ts @@ -111,7 +111,7 @@ export class ExpressRoutePortAuthorization extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210801:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20220101:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20220501:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20220701:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20220901:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20221101:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20230201:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20230401:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20230501:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20230601:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20230901:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20231101:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20240101:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20240301:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20240501:ExpressRoutePortAuthorization" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20230401:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20230501:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20230601:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20230901:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20231101:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20240101:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20240301:ExpressRoutePortAuthorization" }, { type: "azure-native:network/v20240501:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20210801:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20220101:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20220501:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20220701:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20220901:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20221101:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20230201:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20230401:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20230501:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20230601:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20230901:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20231101:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20240101:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20240301:network:ExpressRoutePortAuthorization" }, { type: "azure-native_network_v20240501:network:ExpressRoutePortAuthorization" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExpressRoutePortAuthorization.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/firewallPolicy.ts b/sdk/nodejs/network/firewallPolicy.ts index 6328e56572ed..327cd9127ba7 100644 --- a/sdk/nodejs/network/firewallPolicy.ts +++ b/sdk/nodejs/network/firewallPolicy.ts @@ -200,7 +200,7 @@ export class FirewallPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:FirewallPolicy" }, { type: "azure-native:network/v20190701:FirewallPolicy" }, { type: "azure-native:network/v20190801:FirewallPolicy" }, { type: "azure-native:network/v20190901:FirewallPolicy" }, { type: "azure-native:network/v20191101:FirewallPolicy" }, { type: "azure-native:network/v20191201:FirewallPolicy" }, { type: "azure-native:network/v20200301:FirewallPolicy" }, { type: "azure-native:network/v20200401:FirewallPolicy" }, { type: "azure-native:network/v20200501:FirewallPolicy" }, { type: "azure-native:network/v20200601:FirewallPolicy" }, { type: "azure-native:network/v20200701:FirewallPolicy" }, { type: "azure-native:network/v20200801:FirewallPolicy" }, { type: "azure-native:network/v20201101:FirewallPolicy" }, { type: "azure-native:network/v20210201:FirewallPolicy" }, { type: "azure-native:network/v20210301:FirewallPolicy" }, { type: "azure-native:network/v20210501:FirewallPolicy" }, { type: "azure-native:network/v20210801:FirewallPolicy" }, { type: "azure-native:network/v20220101:FirewallPolicy" }, { type: "azure-native:network/v20220501:FirewallPolicy" }, { type: "azure-native:network/v20220701:FirewallPolicy" }, { type: "azure-native:network/v20220901:FirewallPolicy" }, { type: "azure-native:network/v20221101:FirewallPolicy" }, { type: "azure-native:network/v20230201:FirewallPolicy" }, { type: "azure-native:network/v20230401:FirewallPolicy" }, { type: "azure-native:network/v20230501:FirewallPolicy" }, { type: "azure-native:network/v20230601:FirewallPolicy" }, { type: "azure-native:network/v20230901:FirewallPolicy" }, { type: "azure-native:network/v20231101:FirewallPolicy" }, { type: "azure-native:network/v20240101:FirewallPolicy" }, { type: "azure-native:network/v20240301:FirewallPolicy" }, { type: "azure-native:network/v20240501:FirewallPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200401:FirewallPolicy" }, { type: "azure-native:network/v20210801:FirewallPolicy" }, { type: "azure-native:network/v20230201:FirewallPolicy" }, { type: "azure-native:network/v20230401:FirewallPolicy" }, { type: "azure-native:network/v20230501:FirewallPolicy" }, { type: "azure-native:network/v20230601:FirewallPolicy" }, { type: "azure-native:network/v20230901:FirewallPolicy" }, { type: "azure-native:network/v20231101:FirewallPolicy" }, { type: "azure-native:network/v20240101:FirewallPolicy" }, { type: "azure-native:network/v20240301:FirewallPolicy" }, { type: "azure-native:network/v20240501:FirewallPolicy" }, { type: "azure-native_network_v20190601:network:FirewallPolicy" }, { type: "azure-native_network_v20190701:network:FirewallPolicy" }, { type: "azure-native_network_v20190801:network:FirewallPolicy" }, { type: "azure-native_network_v20190901:network:FirewallPolicy" }, { type: "azure-native_network_v20191101:network:FirewallPolicy" }, { type: "azure-native_network_v20191201:network:FirewallPolicy" }, { type: "azure-native_network_v20200301:network:FirewallPolicy" }, { type: "azure-native_network_v20200401:network:FirewallPolicy" }, { type: "azure-native_network_v20200501:network:FirewallPolicy" }, { type: "azure-native_network_v20200601:network:FirewallPolicy" }, { type: "azure-native_network_v20200701:network:FirewallPolicy" }, { type: "azure-native_network_v20200801:network:FirewallPolicy" }, { type: "azure-native_network_v20201101:network:FirewallPolicy" }, { type: "azure-native_network_v20210201:network:FirewallPolicy" }, { type: "azure-native_network_v20210301:network:FirewallPolicy" }, { type: "azure-native_network_v20210501:network:FirewallPolicy" }, { type: "azure-native_network_v20210801:network:FirewallPolicy" }, { type: "azure-native_network_v20220101:network:FirewallPolicy" }, { type: "azure-native_network_v20220501:network:FirewallPolicy" }, { type: "azure-native_network_v20220701:network:FirewallPolicy" }, { type: "azure-native_network_v20220901:network:FirewallPolicy" }, { type: "azure-native_network_v20221101:network:FirewallPolicy" }, { type: "azure-native_network_v20230201:network:FirewallPolicy" }, { type: "azure-native_network_v20230401:network:FirewallPolicy" }, { type: "azure-native_network_v20230501:network:FirewallPolicy" }, { type: "azure-native_network_v20230601:network:FirewallPolicy" }, { type: "azure-native_network_v20230901:network:FirewallPolicy" }, { type: "azure-native_network_v20231101:network:FirewallPolicy" }, { type: "azure-native_network_v20240101:network:FirewallPolicy" }, { type: "azure-native_network_v20240301:network:FirewallPolicy" }, { type: "azure-native_network_v20240501:network:FirewallPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/firewallPolicyDraft.ts b/sdk/nodejs/network/firewallPolicyDraft.ts index 5c849b2ae23a..dcf137ce86f6 100644 --- a/sdk/nodejs/network/firewallPolicyDraft.ts +++ b/sdk/nodejs/network/firewallPolicyDraft.ts @@ -149,7 +149,7 @@ export class FirewallPolicyDraft extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20231101:FirewallPolicyDraft" }, { type: "azure-native:network/v20240101:FirewallPolicyDraft" }, { type: "azure-native:network/v20240301:FirewallPolicyDraft" }, { type: "azure-native:network/v20240501:FirewallPolicyDraft" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20231101:FirewallPolicyDraft" }, { type: "azure-native:network/v20240101:FirewallPolicyDraft" }, { type: "azure-native:network/v20240301:FirewallPolicyDraft" }, { type: "azure-native:network/v20240501:FirewallPolicyDraft" }, { type: "azure-native_network_v20231101:network:FirewallPolicyDraft" }, { type: "azure-native_network_v20240101:network:FirewallPolicyDraft" }, { type: "azure-native_network_v20240301:network:FirewallPolicyDraft" }, { type: "azure-native_network_v20240501:network:FirewallPolicyDraft" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallPolicyDraft.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/firewallPolicyRuleCollectionGroup.ts b/sdk/nodejs/network/firewallPolicyRuleCollectionGroup.ts index eac7b02f7756..5be9ac8fc38a 100644 --- a/sdk/nodejs/network/firewallPolicyRuleCollectionGroup.ts +++ b/sdk/nodejs/network/firewallPolicyRuleCollectionGroup.ts @@ -114,7 +114,7 @@ export class FirewallPolicyRuleCollectionGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200501:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20200601:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20200701:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20200801:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20201101:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20210201:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20210301:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20210501:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20210801:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20220101:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20220501:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20220701:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20220901:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20221101:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20230201:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20230401:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20230501:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20230601:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20230901:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20231101:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20240101:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20240301:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20240501:FirewallPolicyRuleCollectionGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20230401:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20230501:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20230601:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20230901:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20231101:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20240101:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20240301:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native:network/v20240501:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20200501:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20200601:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20200701:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20200801:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20201101:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20210201:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20210301:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20210501:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20210801:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20220101:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20220501:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20220701:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20220901:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20221101:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20230201:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20230401:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20230501:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20230601:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20230901:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20231101:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20240101:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20240301:network:FirewallPolicyRuleCollectionGroup" }, { type: "azure-native_network_v20240501:network:FirewallPolicyRuleCollectionGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallPolicyRuleCollectionGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/firewallPolicyRuleCollectionGroupDraft.ts b/sdk/nodejs/network/firewallPolicyRuleCollectionGroupDraft.ts index 67eff6b2cf08..30dabcb11f31 100644 --- a/sdk/nodejs/network/firewallPolicyRuleCollectionGroupDraft.ts +++ b/sdk/nodejs/network/firewallPolicyRuleCollectionGroupDraft.ts @@ -105,7 +105,7 @@ export class FirewallPolicyRuleCollectionGroupDraft extends pulumi.CustomResourc resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20231101:FirewallPolicyRuleCollectionGroupDraft" }, { type: "azure-native:network/v20240101:FirewallPolicyRuleCollectionGroupDraft" }, { type: "azure-native:network/v20240301:FirewallPolicyRuleCollectionGroupDraft" }, { type: "azure-native:network/v20240501:FirewallPolicyRuleCollectionGroupDraft" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20231101:FirewallPolicyRuleCollectionGroupDraft" }, { type: "azure-native:network/v20240101:FirewallPolicyRuleCollectionGroupDraft" }, { type: "azure-native:network/v20240301:FirewallPolicyRuleCollectionGroupDraft" }, { type: "azure-native:network/v20240501:FirewallPolicyRuleCollectionGroupDraft" }, { type: "azure-native_network_v20231101:network:FirewallPolicyRuleCollectionGroupDraft" }, { type: "azure-native_network_v20240101:network:FirewallPolicyRuleCollectionGroupDraft" }, { type: "azure-native_network_v20240301:network:FirewallPolicyRuleCollectionGroupDraft" }, { type: "azure-native_network_v20240501:network:FirewallPolicyRuleCollectionGroupDraft" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallPolicyRuleCollectionGroupDraft.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/firewallPolicyRuleGroup.ts b/sdk/nodejs/network/firewallPolicyRuleGroup.ts index 3ac8124d621b..d71644469acb 100644 --- a/sdk/nodejs/network/firewallPolicyRuleGroup.ts +++ b/sdk/nodejs/network/firewallPolicyRuleGroup.ts @@ -108,7 +108,7 @@ export class FirewallPolicyRuleGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:FirewallPolicyRuleGroup" }, { type: "azure-native:network/v20190701:FirewallPolicyRuleGroup" }, { type: "azure-native:network/v20190801:FirewallPolicyRuleGroup" }, { type: "azure-native:network/v20190901:FirewallPolicyRuleGroup" }, { type: "azure-native:network/v20191101:FirewallPolicyRuleGroup" }, { type: "azure-native:network/v20191201:FirewallPolicyRuleGroup" }, { type: "azure-native:network/v20200301:FirewallPolicyRuleGroup" }, { type: "azure-native:network/v20200401:FirewallPolicyRuleGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200401:FirewallPolicyRuleGroup" }, { type: "azure-native_network_v20190601:network:FirewallPolicyRuleGroup" }, { type: "azure-native_network_v20190701:network:FirewallPolicyRuleGroup" }, { type: "azure-native_network_v20190801:network:FirewallPolicyRuleGroup" }, { type: "azure-native_network_v20190901:network:FirewallPolicyRuleGroup" }, { type: "azure-native_network_v20191101:network:FirewallPolicyRuleGroup" }, { type: "azure-native_network_v20191201:network:FirewallPolicyRuleGroup" }, { type: "azure-native_network_v20200301:network:FirewallPolicyRuleGroup" }, { type: "azure-native_network_v20200401:network:FirewallPolicyRuleGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallPolicyRuleGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/flowLog.ts b/sdk/nodejs/network/flowLog.ts index 274d599ce5c0..70ee2758b9da 100644 --- a/sdk/nodejs/network/flowLog.ts +++ b/sdk/nodejs/network/flowLog.ts @@ -168,7 +168,7 @@ export class FlowLog extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20191101:FlowLog" }, { type: "azure-native:network/v20191201:FlowLog" }, { type: "azure-native:network/v20200301:FlowLog" }, { type: "azure-native:network/v20200401:FlowLog" }, { type: "azure-native:network/v20200501:FlowLog" }, { type: "azure-native:network/v20200601:FlowLog" }, { type: "azure-native:network/v20200701:FlowLog" }, { type: "azure-native:network/v20200801:FlowLog" }, { type: "azure-native:network/v20201101:FlowLog" }, { type: "azure-native:network/v20210201:FlowLog" }, { type: "azure-native:network/v20210301:FlowLog" }, { type: "azure-native:network/v20210501:FlowLog" }, { type: "azure-native:network/v20210801:FlowLog" }, { type: "azure-native:network/v20220101:FlowLog" }, { type: "azure-native:network/v20220501:FlowLog" }, { type: "azure-native:network/v20220701:FlowLog" }, { type: "azure-native:network/v20220901:FlowLog" }, { type: "azure-native:network/v20221101:FlowLog" }, { type: "azure-native:network/v20230201:FlowLog" }, { type: "azure-native:network/v20230401:FlowLog" }, { type: "azure-native:network/v20230501:FlowLog" }, { type: "azure-native:network/v20230601:FlowLog" }, { type: "azure-native:network/v20230901:FlowLog" }, { type: "azure-native:network/v20231101:FlowLog" }, { type: "azure-native:network/v20240101:FlowLog" }, { type: "azure-native:network/v20240301:FlowLog" }, { type: "azure-native:network/v20240501:FlowLog" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:FlowLog" }, { type: "azure-native:network/v20230401:FlowLog" }, { type: "azure-native:network/v20230501:FlowLog" }, { type: "azure-native:network/v20230601:FlowLog" }, { type: "azure-native:network/v20230901:FlowLog" }, { type: "azure-native:network/v20231101:FlowLog" }, { type: "azure-native:network/v20240101:FlowLog" }, { type: "azure-native:network/v20240301:FlowLog" }, { type: "azure-native:network/v20240501:FlowLog" }, { type: "azure-native_network_v20191101:network:FlowLog" }, { type: "azure-native_network_v20191201:network:FlowLog" }, { type: "azure-native_network_v20200301:network:FlowLog" }, { type: "azure-native_network_v20200401:network:FlowLog" }, { type: "azure-native_network_v20200501:network:FlowLog" }, { type: "azure-native_network_v20200601:network:FlowLog" }, { type: "azure-native_network_v20200701:network:FlowLog" }, { type: "azure-native_network_v20200801:network:FlowLog" }, { type: "azure-native_network_v20201101:network:FlowLog" }, { type: "azure-native_network_v20210201:network:FlowLog" }, { type: "azure-native_network_v20210301:network:FlowLog" }, { type: "azure-native_network_v20210501:network:FlowLog" }, { type: "azure-native_network_v20210801:network:FlowLog" }, { type: "azure-native_network_v20220101:network:FlowLog" }, { type: "azure-native_network_v20220501:network:FlowLog" }, { type: "azure-native_network_v20220701:network:FlowLog" }, { type: "azure-native_network_v20220901:network:FlowLog" }, { type: "azure-native_network_v20221101:network:FlowLog" }, { type: "azure-native_network_v20230201:network:FlowLog" }, { type: "azure-native_network_v20230401:network:FlowLog" }, { type: "azure-native_network_v20230501:network:FlowLog" }, { type: "azure-native_network_v20230601:network:FlowLog" }, { type: "azure-native_network_v20230901:network:FlowLog" }, { type: "azure-native_network_v20231101:network:FlowLog" }, { type: "azure-native_network_v20240101:network:FlowLog" }, { type: "azure-native_network_v20240301:network:FlowLog" }, { type: "azure-native_network_v20240501:network:FlowLog" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FlowLog.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/hubRouteTable.ts b/sdk/nodejs/network/hubRouteTable.ts index 37042bf8a3cb..eda472d8794d 100644 --- a/sdk/nodejs/network/hubRouteTable.ts +++ b/sdk/nodejs/network/hubRouteTable.ts @@ -120,7 +120,7 @@ export class HubRouteTable extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200401:HubRouteTable" }, { type: "azure-native:network/v20200501:HubRouteTable" }, { type: "azure-native:network/v20200601:HubRouteTable" }, { type: "azure-native:network/v20200701:HubRouteTable" }, { type: "azure-native:network/v20200801:HubRouteTable" }, { type: "azure-native:network/v20201101:HubRouteTable" }, { type: "azure-native:network/v20210201:HubRouteTable" }, { type: "azure-native:network/v20210301:HubRouteTable" }, { type: "azure-native:network/v20210501:HubRouteTable" }, { type: "azure-native:network/v20210801:HubRouteTable" }, { type: "azure-native:network/v20220101:HubRouteTable" }, { type: "azure-native:network/v20220501:HubRouteTable" }, { type: "azure-native:network/v20220701:HubRouteTable" }, { type: "azure-native:network/v20220901:HubRouteTable" }, { type: "azure-native:network/v20221101:HubRouteTable" }, { type: "azure-native:network/v20230201:HubRouteTable" }, { type: "azure-native:network/v20230401:HubRouteTable" }, { type: "azure-native:network/v20230501:HubRouteTable" }, { type: "azure-native:network/v20230601:HubRouteTable" }, { type: "azure-native:network/v20230901:HubRouteTable" }, { type: "azure-native:network/v20231101:HubRouteTable" }, { type: "azure-native:network/v20240101:HubRouteTable" }, { type: "azure-native:network/v20240301:HubRouteTable" }, { type: "azure-native:network/v20240501:HubRouteTable" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:HubRouteTable" }, { type: "azure-native:network/v20230401:HubRouteTable" }, { type: "azure-native:network/v20230501:HubRouteTable" }, { type: "azure-native:network/v20230601:HubRouteTable" }, { type: "azure-native:network/v20230901:HubRouteTable" }, { type: "azure-native:network/v20231101:HubRouteTable" }, { type: "azure-native:network/v20240101:HubRouteTable" }, { type: "azure-native:network/v20240301:HubRouteTable" }, { type: "azure-native:network/v20240501:HubRouteTable" }, { type: "azure-native_network_v20200401:network:HubRouteTable" }, { type: "azure-native_network_v20200501:network:HubRouteTable" }, { type: "azure-native_network_v20200601:network:HubRouteTable" }, { type: "azure-native_network_v20200701:network:HubRouteTable" }, { type: "azure-native_network_v20200801:network:HubRouteTable" }, { type: "azure-native_network_v20201101:network:HubRouteTable" }, { type: "azure-native_network_v20210201:network:HubRouteTable" }, { type: "azure-native_network_v20210301:network:HubRouteTable" }, { type: "azure-native_network_v20210501:network:HubRouteTable" }, { type: "azure-native_network_v20210801:network:HubRouteTable" }, { type: "azure-native_network_v20220101:network:HubRouteTable" }, { type: "azure-native_network_v20220501:network:HubRouteTable" }, { type: "azure-native_network_v20220701:network:HubRouteTable" }, { type: "azure-native_network_v20220901:network:HubRouteTable" }, { type: "azure-native_network_v20221101:network:HubRouteTable" }, { type: "azure-native_network_v20230201:network:HubRouteTable" }, { type: "azure-native_network_v20230401:network:HubRouteTable" }, { type: "azure-native_network_v20230501:network:HubRouteTable" }, { type: "azure-native_network_v20230601:network:HubRouteTable" }, { type: "azure-native_network_v20230901:network:HubRouteTable" }, { type: "azure-native_network_v20231101:network:HubRouteTable" }, { type: "azure-native_network_v20240101:network:HubRouteTable" }, { type: "azure-native_network_v20240301:network:HubRouteTable" }, { type: "azure-native_network_v20240501:network:HubRouteTable" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HubRouteTable.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/hubVirtualNetworkConnection.ts b/sdk/nodejs/network/hubVirtualNetworkConnection.ts index 62c732c2990a..72d581485fba 100644 --- a/sdk/nodejs/network/hubVirtualNetworkConnection.ts +++ b/sdk/nodejs/network/hubVirtualNetworkConnection.ts @@ -120,7 +120,7 @@ export class HubVirtualNetworkConnection extends pulumi.CustomResource { resourceInputs["routingConfiguration"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200501:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20200601:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20200701:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20200801:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20201101:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20210201:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20210301:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20210501:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20210801:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20220101:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20220501:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20220701:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20220901:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20221101:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20230201:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20230401:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20230501:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20230601:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20230901:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20231101:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20240101:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20240301:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20240501:HubVirtualNetworkConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20230401:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20230501:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20230601:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20230901:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20231101:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20240101:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20240301:HubVirtualNetworkConnection" }, { type: "azure-native:network/v20240501:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20200501:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20200601:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20200701:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20200801:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20201101:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20210201:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20210301:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20210501:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20210801:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20220101:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20220501:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20220701:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20220901:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20221101:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20230201:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20230401:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20230501:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20230601:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20230901:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20231101:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20240101:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20240301:network:HubVirtualNetworkConnection" }, { type: "azure-native_network_v20240501:network:HubVirtualNetworkConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HubVirtualNetworkConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/inboundNatRule.ts b/sdk/nodejs/network/inboundNatRule.ts index 2c0bf613509f..16b1acc92b46 100644 --- a/sdk/nodejs/network/inboundNatRule.ts +++ b/sdk/nodejs/network/inboundNatRule.ts @@ -162,7 +162,7 @@ export class InboundNatRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20170601:InboundNatRule" }, { type: "azure-native:network/v20170801:InboundNatRule" }, { type: "azure-native:network/v20170901:InboundNatRule" }, { type: "azure-native:network/v20171001:InboundNatRule" }, { type: "azure-native:network/v20171101:InboundNatRule" }, { type: "azure-native:network/v20180101:InboundNatRule" }, { type: "azure-native:network/v20180201:InboundNatRule" }, { type: "azure-native:network/v20180401:InboundNatRule" }, { type: "azure-native:network/v20180601:InboundNatRule" }, { type: "azure-native:network/v20180701:InboundNatRule" }, { type: "azure-native:network/v20180801:InboundNatRule" }, { type: "azure-native:network/v20181001:InboundNatRule" }, { type: "azure-native:network/v20181101:InboundNatRule" }, { type: "azure-native:network/v20181201:InboundNatRule" }, { type: "azure-native:network/v20190201:InboundNatRule" }, { type: "azure-native:network/v20190401:InboundNatRule" }, { type: "azure-native:network/v20190601:InboundNatRule" }, { type: "azure-native:network/v20190701:InboundNatRule" }, { type: "azure-native:network/v20190801:InboundNatRule" }, { type: "azure-native:network/v20190901:InboundNatRule" }, { type: "azure-native:network/v20191101:InboundNatRule" }, { type: "azure-native:network/v20191201:InboundNatRule" }, { type: "azure-native:network/v20200301:InboundNatRule" }, { type: "azure-native:network/v20200401:InboundNatRule" }, { type: "azure-native:network/v20200501:InboundNatRule" }, { type: "azure-native:network/v20200601:InboundNatRule" }, { type: "azure-native:network/v20200701:InboundNatRule" }, { type: "azure-native:network/v20200801:InboundNatRule" }, { type: "azure-native:network/v20201101:InboundNatRule" }, { type: "azure-native:network/v20210201:InboundNatRule" }, { type: "azure-native:network/v20210301:InboundNatRule" }, { type: "azure-native:network/v20210501:InboundNatRule" }, { type: "azure-native:network/v20210801:InboundNatRule" }, { type: "azure-native:network/v20220101:InboundNatRule" }, { type: "azure-native:network/v20220501:InboundNatRule" }, { type: "azure-native:network/v20220701:InboundNatRule" }, { type: "azure-native:network/v20220901:InboundNatRule" }, { type: "azure-native:network/v20221101:InboundNatRule" }, { type: "azure-native:network/v20230201:InboundNatRule" }, { type: "azure-native:network/v20230401:InboundNatRule" }, { type: "azure-native:network/v20230501:InboundNatRule" }, { type: "azure-native:network/v20230601:InboundNatRule" }, { type: "azure-native:network/v20230901:InboundNatRule" }, { type: "azure-native:network/v20231101:InboundNatRule" }, { type: "azure-native:network/v20240101:InboundNatRule" }, { type: "azure-native:network/v20240301:InboundNatRule" }, { type: "azure-native:network/v20240501:InboundNatRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:InboundNatRule" }, { type: "azure-native:network/v20230201:InboundNatRule" }, { type: "azure-native:network/v20230401:InboundNatRule" }, { type: "azure-native:network/v20230501:InboundNatRule" }, { type: "azure-native:network/v20230601:InboundNatRule" }, { type: "azure-native:network/v20230901:InboundNatRule" }, { type: "azure-native:network/v20231101:InboundNatRule" }, { type: "azure-native:network/v20240101:InboundNatRule" }, { type: "azure-native:network/v20240301:InboundNatRule" }, { type: "azure-native:network/v20240501:InboundNatRule" }, { type: "azure-native_network_v20170601:network:InboundNatRule" }, { type: "azure-native_network_v20170801:network:InboundNatRule" }, { type: "azure-native_network_v20170901:network:InboundNatRule" }, { type: "azure-native_network_v20171001:network:InboundNatRule" }, { type: "azure-native_network_v20171101:network:InboundNatRule" }, { type: "azure-native_network_v20180101:network:InboundNatRule" }, { type: "azure-native_network_v20180201:network:InboundNatRule" }, { type: "azure-native_network_v20180401:network:InboundNatRule" }, { type: "azure-native_network_v20180601:network:InboundNatRule" }, { type: "azure-native_network_v20180701:network:InboundNatRule" }, { type: "azure-native_network_v20180801:network:InboundNatRule" }, { type: "azure-native_network_v20181001:network:InboundNatRule" }, { type: "azure-native_network_v20181101:network:InboundNatRule" }, { type: "azure-native_network_v20181201:network:InboundNatRule" }, { type: "azure-native_network_v20190201:network:InboundNatRule" }, { type: "azure-native_network_v20190401:network:InboundNatRule" }, { type: "azure-native_network_v20190601:network:InboundNatRule" }, { type: "azure-native_network_v20190701:network:InboundNatRule" }, { type: "azure-native_network_v20190801:network:InboundNatRule" }, { type: "azure-native_network_v20190901:network:InboundNatRule" }, { type: "azure-native_network_v20191101:network:InboundNatRule" }, { type: "azure-native_network_v20191201:network:InboundNatRule" }, { type: "azure-native_network_v20200301:network:InboundNatRule" }, { type: "azure-native_network_v20200401:network:InboundNatRule" }, { type: "azure-native_network_v20200501:network:InboundNatRule" }, { type: "azure-native_network_v20200601:network:InboundNatRule" }, { type: "azure-native_network_v20200701:network:InboundNatRule" }, { type: "azure-native_network_v20200801:network:InboundNatRule" }, { type: "azure-native_network_v20201101:network:InboundNatRule" }, { type: "azure-native_network_v20210201:network:InboundNatRule" }, { type: "azure-native_network_v20210301:network:InboundNatRule" }, { type: "azure-native_network_v20210501:network:InboundNatRule" }, { type: "azure-native_network_v20210801:network:InboundNatRule" }, { type: "azure-native_network_v20220101:network:InboundNatRule" }, { type: "azure-native_network_v20220501:network:InboundNatRule" }, { type: "azure-native_network_v20220701:network:InboundNatRule" }, { type: "azure-native_network_v20220901:network:InboundNatRule" }, { type: "azure-native_network_v20221101:network:InboundNatRule" }, { type: "azure-native_network_v20230201:network:InboundNatRule" }, { type: "azure-native_network_v20230401:network:InboundNatRule" }, { type: "azure-native_network_v20230501:network:InboundNatRule" }, { type: "azure-native_network_v20230601:network:InboundNatRule" }, { type: "azure-native_network_v20230901:network:InboundNatRule" }, { type: "azure-native_network_v20231101:network:InboundNatRule" }, { type: "azure-native_network_v20240101:network:InboundNatRule" }, { type: "azure-native_network_v20240301:network:InboundNatRule" }, { type: "azure-native_network_v20240501:network:InboundNatRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InboundNatRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/interfaceEndpoint.ts b/sdk/nodejs/network/interfaceEndpoint.ts index 3b505b98291c..7665147fb1e2 100644 --- a/sdk/nodejs/network/interfaceEndpoint.ts +++ b/sdk/nodejs/network/interfaceEndpoint.ts @@ -134,7 +134,7 @@ export class InterfaceEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180801:InterfaceEndpoint" }, { type: "azure-native:network/v20181001:InterfaceEndpoint" }, { type: "azure-native:network/v20181101:InterfaceEndpoint" }, { type: "azure-native:network/v20181201:InterfaceEndpoint" }, { type: "azure-native:network/v20190201:InterfaceEndpoint" }, { type: "azure-native:network/v20190401:InterfaceEndpoint" }, { type: "azure-native:network/v20190601:InterfaceEndpoint" }, { type: "azure-native:network/v20190701:InterfaceEndpoint" }, { type: "azure-native:network/v20190801:InterfaceEndpoint" }, { type: "azure-native:network/v20190901:InterfaceEndpoint" }, { type: "azure-native:network/v20191101:InterfaceEndpoint" }, { type: "azure-native:network/v20191201:InterfaceEndpoint" }, { type: "azure-native:network/v20200301:InterfaceEndpoint" }, { type: "azure-native:network/v20200401:InterfaceEndpoint" }, { type: "azure-native:network/v20200501:InterfaceEndpoint" }, { type: "azure-native:network/v20200601:InterfaceEndpoint" }, { type: "azure-native:network/v20200701:InterfaceEndpoint" }, { type: "azure-native:network/v20200801:InterfaceEndpoint" }, { type: "azure-native:network/v20201101:InterfaceEndpoint" }, { type: "azure-native:network/v20210201:InterfaceEndpoint" }, { type: "azure-native:network/v20210201:PrivateEndpoint" }, { type: "azure-native:network/v20210301:InterfaceEndpoint" }, { type: "azure-native:network/v20210501:InterfaceEndpoint" }, { type: "azure-native:network/v20210801:InterfaceEndpoint" }, { type: "azure-native:network/v20220101:InterfaceEndpoint" }, { type: "azure-native:network/v20220501:InterfaceEndpoint" }, { type: "azure-native:network/v20220701:InterfaceEndpoint" }, { type: "azure-native:network/v20220901:InterfaceEndpoint" }, { type: "azure-native:network/v20221101:InterfaceEndpoint" }, { type: "azure-native:network/v20230201:InterfaceEndpoint" }, { type: "azure-native:network/v20230201:PrivateEndpoint" }, { type: "azure-native:network/v20230401:InterfaceEndpoint" }, { type: "azure-native:network/v20230401:PrivateEndpoint" }, { type: "azure-native:network/v20230501:InterfaceEndpoint" }, { type: "azure-native:network/v20230501:PrivateEndpoint" }, { type: "azure-native:network/v20230601:InterfaceEndpoint" }, { type: "azure-native:network/v20230601:PrivateEndpoint" }, { type: "azure-native:network/v20230901:InterfaceEndpoint" }, { type: "azure-native:network/v20230901:PrivateEndpoint" }, { type: "azure-native:network/v20231101:InterfaceEndpoint" }, { type: "azure-native:network/v20231101:PrivateEndpoint" }, { type: "azure-native:network/v20240101:InterfaceEndpoint" }, { type: "azure-native:network/v20240101:PrivateEndpoint" }, { type: "azure-native:network/v20240301:InterfaceEndpoint" }, { type: "azure-native:network/v20240301:PrivateEndpoint" }, { type: "azure-native:network/v20240501:InterfaceEndpoint" }, { type: "azure-native:network/v20240501:PrivateEndpoint" }, { type: "azure-native:network:PrivateEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190201:InterfaceEndpoint" }, { type: "azure-native:network/v20210201:PrivateEndpoint" }, { type: "azure-native:network/v20230201:PrivateEndpoint" }, { type: "azure-native:network/v20230401:PrivateEndpoint" }, { type: "azure-native:network/v20230501:PrivateEndpoint" }, { type: "azure-native:network/v20230601:PrivateEndpoint" }, { type: "azure-native:network/v20230901:PrivateEndpoint" }, { type: "azure-native:network/v20231101:PrivateEndpoint" }, { type: "azure-native:network/v20240101:PrivateEndpoint" }, { type: "azure-native:network/v20240301:PrivateEndpoint" }, { type: "azure-native:network/v20240501:PrivateEndpoint" }, { type: "azure-native:network:PrivateEndpoint" }, { type: "azure-native_network_v20180801:network:InterfaceEndpoint" }, { type: "azure-native_network_v20181001:network:InterfaceEndpoint" }, { type: "azure-native_network_v20181101:network:InterfaceEndpoint" }, { type: "azure-native_network_v20181201:network:InterfaceEndpoint" }, { type: "azure-native_network_v20190201:network:InterfaceEndpoint" }, { type: "azure-native_network_v20190401:network:InterfaceEndpoint" }, { type: "azure-native_network_v20190601:network:InterfaceEndpoint" }, { type: "azure-native_network_v20190701:network:InterfaceEndpoint" }, { type: "azure-native_network_v20190801:network:InterfaceEndpoint" }, { type: "azure-native_network_v20190901:network:InterfaceEndpoint" }, { type: "azure-native_network_v20191101:network:InterfaceEndpoint" }, { type: "azure-native_network_v20191201:network:InterfaceEndpoint" }, { type: "azure-native_network_v20200301:network:InterfaceEndpoint" }, { type: "azure-native_network_v20200401:network:InterfaceEndpoint" }, { type: "azure-native_network_v20200501:network:InterfaceEndpoint" }, { type: "azure-native_network_v20200601:network:InterfaceEndpoint" }, { type: "azure-native_network_v20200701:network:InterfaceEndpoint" }, { type: "azure-native_network_v20200801:network:InterfaceEndpoint" }, { type: "azure-native_network_v20201101:network:InterfaceEndpoint" }, { type: "azure-native_network_v20210201:network:InterfaceEndpoint" }, { type: "azure-native_network_v20210301:network:InterfaceEndpoint" }, { type: "azure-native_network_v20210501:network:InterfaceEndpoint" }, { type: "azure-native_network_v20210801:network:InterfaceEndpoint" }, { type: "azure-native_network_v20220101:network:InterfaceEndpoint" }, { type: "azure-native_network_v20220501:network:InterfaceEndpoint" }, { type: "azure-native_network_v20220701:network:InterfaceEndpoint" }, { type: "azure-native_network_v20220901:network:InterfaceEndpoint" }, { type: "azure-native_network_v20221101:network:InterfaceEndpoint" }, { type: "azure-native_network_v20230201:network:InterfaceEndpoint" }, { type: "azure-native_network_v20230401:network:InterfaceEndpoint" }, { type: "azure-native_network_v20230501:network:InterfaceEndpoint" }, { type: "azure-native_network_v20230601:network:InterfaceEndpoint" }, { type: "azure-native_network_v20230901:network:InterfaceEndpoint" }, { type: "azure-native_network_v20231101:network:InterfaceEndpoint" }, { type: "azure-native_network_v20240101:network:InterfaceEndpoint" }, { type: "azure-native_network_v20240301:network:InterfaceEndpoint" }, { type: "azure-native_network_v20240501:network:InterfaceEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InterfaceEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/ipAllocation.ts b/sdk/nodejs/network/ipAllocation.ts index a20bbd3eb79c..d72a05a99f79 100644 --- a/sdk/nodejs/network/ipAllocation.ts +++ b/sdk/nodejs/network/ipAllocation.ts @@ -140,7 +140,7 @@ export class IpAllocation extends pulumi.CustomResource { resourceInputs["virtualNetwork"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200301:IpAllocation" }, { type: "azure-native:network/v20200401:IpAllocation" }, { type: "azure-native:network/v20200501:IpAllocation" }, { type: "azure-native:network/v20200601:IpAllocation" }, { type: "azure-native:network/v20200701:IpAllocation" }, { type: "azure-native:network/v20200801:IpAllocation" }, { type: "azure-native:network/v20201101:IpAllocation" }, { type: "azure-native:network/v20210201:IpAllocation" }, { type: "azure-native:network/v20210301:IpAllocation" }, { type: "azure-native:network/v20210501:IpAllocation" }, { type: "azure-native:network/v20210801:IpAllocation" }, { type: "azure-native:network/v20220101:IpAllocation" }, { type: "azure-native:network/v20220501:IpAllocation" }, { type: "azure-native:network/v20220701:IpAllocation" }, { type: "azure-native:network/v20220901:IpAllocation" }, { type: "azure-native:network/v20221101:IpAllocation" }, { type: "azure-native:network/v20230201:IpAllocation" }, { type: "azure-native:network/v20230401:IpAllocation" }, { type: "azure-native:network/v20230501:IpAllocation" }, { type: "azure-native:network/v20230601:IpAllocation" }, { type: "azure-native:network/v20230901:IpAllocation" }, { type: "azure-native:network/v20231101:IpAllocation" }, { type: "azure-native:network/v20240101:IpAllocation" }, { type: "azure-native:network/v20240301:IpAllocation" }, { type: "azure-native:network/v20240501:IpAllocation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:IpAllocation" }, { type: "azure-native:network/v20230401:IpAllocation" }, { type: "azure-native:network/v20230501:IpAllocation" }, { type: "azure-native:network/v20230601:IpAllocation" }, { type: "azure-native:network/v20230901:IpAllocation" }, { type: "azure-native:network/v20231101:IpAllocation" }, { type: "azure-native:network/v20240101:IpAllocation" }, { type: "azure-native:network/v20240301:IpAllocation" }, { type: "azure-native:network/v20240501:IpAllocation" }, { type: "azure-native_network_v20200301:network:IpAllocation" }, { type: "azure-native_network_v20200401:network:IpAllocation" }, { type: "azure-native_network_v20200501:network:IpAllocation" }, { type: "azure-native_network_v20200601:network:IpAllocation" }, { type: "azure-native_network_v20200701:network:IpAllocation" }, { type: "azure-native_network_v20200801:network:IpAllocation" }, { type: "azure-native_network_v20201101:network:IpAllocation" }, { type: "azure-native_network_v20210201:network:IpAllocation" }, { type: "azure-native_network_v20210301:network:IpAllocation" }, { type: "azure-native_network_v20210501:network:IpAllocation" }, { type: "azure-native_network_v20210801:network:IpAllocation" }, { type: "azure-native_network_v20220101:network:IpAllocation" }, { type: "azure-native_network_v20220501:network:IpAllocation" }, { type: "azure-native_network_v20220701:network:IpAllocation" }, { type: "azure-native_network_v20220901:network:IpAllocation" }, { type: "azure-native_network_v20221101:network:IpAllocation" }, { type: "azure-native_network_v20230201:network:IpAllocation" }, { type: "azure-native_network_v20230401:network:IpAllocation" }, { type: "azure-native_network_v20230501:network:IpAllocation" }, { type: "azure-native_network_v20230601:network:IpAllocation" }, { type: "azure-native_network_v20230901:network:IpAllocation" }, { type: "azure-native_network_v20231101:network:IpAllocation" }, { type: "azure-native_network_v20240101:network:IpAllocation" }, { type: "azure-native_network_v20240301:network:IpAllocation" }, { type: "azure-native_network_v20240501:network:IpAllocation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IpAllocation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/ipGroup.ts b/sdk/nodejs/network/ipGroup.ts index 5dcb48143793..a20de3e8f3e6 100644 --- a/sdk/nodejs/network/ipGroup.ts +++ b/sdk/nodejs/network/ipGroup.ts @@ -122,7 +122,7 @@ export class IpGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20190901:IpGroup" }, { type: "azure-native:network/v20191101:IpGroup" }, { type: "azure-native:network/v20191201:IpGroup" }, { type: "azure-native:network/v20200301:IpGroup" }, { type: "azure-native:network/v20200401:IpGroup" }, { type: "azure-native:network/v20200501:IpGroup" }, { type: "azure-native:network/v20200601:IpGroup" }, { type: "azure-native:network/v20200701:IpGroup" }, { type: "azure-native:network/v20200801:IpGroup" }, { type: "azure-native:network/v20201101:IpGroup" }, { type: "azure-native:network/v20210201:IpGroup" }, { type: "azure-native:network/v20210301:IpGroup" }, { type: "azure-native:network/v20210501:IpGroup" }, { type: "azure-native:network/v20210801:IpGroup" }, { type: "azure-native:network/v20220101:IpGroup" }, { type: "azure-native:network/v20220501:IpGroup" }, { type: "azure-native:network/v20220701:IpGroup" }, { type: "azure-native:network/v20220901:IpGroup" }, { type: "azure-native:network/v20221101:IpGroup" }, { type: "azure-native:network/v20230201:IpGroup" }, { type: "azure-native:network/v20230401:IpGroup" }, { type: "azure-native:network/v20230501:IpGroup" }, { type: "azure-native:network/v20230601:IpGroup" }, { type: "azure-native:network/v20230901:IpGroup" }, { type: "azure-native:network/v20231101:IpGroup" }, { type: "azure-native:network/v20240101:IpGroup" }, { type: "azure-native:network/v20240301:IpGroup" }, { type: "azure-native:network/v20240501:IpGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:IpGroup" }, { type: "azure-native:network/v20230401:IpGroup" }, { type: "azure-native:network/v20230501:IpGroup" }, { type: "azure-native:network/v20230601:IpGroup" }, { type: "azure-native:network/v20230901:IpGroup" }, { type: "azure-native:network/v20231101:IpGroup" }, { type: "azure-native:network/v20240101:IpGroup" }, { type: "azure-native:network/v20240301:IpGroup" }, { type: "azure-native:network/v20240501:IpGroup" }, { type: "azure-native_network_v20190901:network:IpGroup" }, { type: "azure-native_network_v20191101:network:IpGroup" }, { type: "azure-native_network_v20191201:network:IpGroup" }, { type: "azure-native_network_v20200301:network:IpGroup" }, { type: "azure-native_network_v20200401:network:IpGroup" }, { type: "azure-native_network_v20200501:network:IpGroup" }, { type: "azure-native_network_v20200601:network:IpGroup" }, { type: "azure-native_network_v20200701:network:IpGroup" }, { type: "azure-native_network_v20200801:network:IpGroup" }, { type: "azure-native_network_v20201101:network:IpGroup" }, { type: "azure-native_network_v20210201:network:IpGroup" }, { type: "azure-native_network_v20210301:network:IpGroup" }, { type: "azure-native_network_v20210501:network:IpGroup" }, { type: "azure-native_network_v20210801:network:IpGroup" }, { type: "azure-native_network_v20220101:network:IpGroup" }, { type: "azure-native_network_v20220501:network:IpGroup" }, { type: "azure-native_network_v20220701:network:IpGroup" }, { type: "azure-native_network_v20220901:network:IpGroup" }, { type: "azure-native_network_v20221101:network:IpGroup" }, { type: "azure-native_network_v20230201:network:IpGroup" }, { type: "azure-native_network_v20230401:network:IpGroup" }, { type: "azure-native_network_v20230501:network:IpGroup" }, { type: "azure-native_network_v20230601:network:IpGroup" }, { type: "azure-native_network_v20230901:network:IpGroup" }, { type: "azure-native_network_v20231101:network:IpGroup" }, { type: "azure-native_network_v20240101:network:IpGroup" }, { type: "azure-native_network_v20240301:network:IpGroup" }, { type: "azure-native_network_v20240501:network:IpGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IpGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/ipamPool.ts b/sdk/nodejs/network/ipamPool.ts index e11ef8074b42..199fa2b6ca34 100644 --- a/sdk/nodejs/network/ipamPool.ts +++ b/sdk/nodejs/network/ipamPool.ts @@ -110,7 +110,7 @@ export class IpamPool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20240101preview:IpamPool" }, { type: "azure-native:network/v20240501:IpamPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20240101preview:IpamPool" }, { type: "azure-native:network/v20240501:IpamPool" }, { type: "azure-native_network_v20240101preview:network:IpamPool" }, { type: "azure-native_network_v20240501:network:IpamPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IpamPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/loadBalancer.ts b/sdk/nodejs/network/loadBalancer.ts index 199fafdb3203..93317fe910d9 100644 --- a/sdk/nodejs/network/loadBalancer.ts +++ b/sdk/nodejs/network/loadBalancer.ts @@ -164,7 +164,7 @@ export class LoadBalancer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:LoadBalancer" }, { type: "azure-native:network/v20150615:LoadBalancer" }, { type: "azure-native:network/v20160330:LoadBalancer" }, { type: "azure-native:network/v20160601:LoadBalancer" }, { type: "azure-native:network/v20160901:LoadBalancer" }, { type: "azure-native:network/v20161201:LoadBalancer" }, { type: "azure-native:network/v20170301:LoadBalancer" }, { type: "azure-native:network/v20170601:LoadBalancer" }, { type: "azure-native:network/v20170801:LoadBalancer" }, { type: "azure-native:network/v20170901:LoadBalancer" }, { type: "azure-native:network/v20171001:LoadBalancer" }, { type: "azure-native:network/v20171101:LoadBalancer" }, { type: "azure-native:network/v20180101:LoadBalancer" }, { type: "azure-native:network/v20180201:LoadBalancer" }, { type: "azure-native:network/v20180401:LoadBalancer" }, { type: "azure-native:network/v20180601:LoadBalancer" }, { type: "azure-native:network/v20180701:LoadBalancer" }, { type: "azure-native:network/v20180801:LoadBalancer" }, { type: "azure-native:network/v20181001:LoadBalancer" }, { type: "azure-native:network/v20181101:LoadBalancer" }, { type: "azure-native:network/v20181201:LoadBalancer" }, { type: "azure-native:network/v20190201:LoadBalancer" }, { type: "azure-native:network/v20190401:LoadBalancer" }, { type: "azure-native:network/v20190601:LoadBalancer" }, { type: "azure-native:network/v20190701:LoadBalancer" }, { type: "azure-native:network/v20190801:LoadBalancer" }, { type: "azure-native:network/v20190901:LoadBalancer" }, { type: "azure-native:network/v20191101:LoadBalancer" }, { type: "azure-native:network/v20191201:LoadBalancer" }, { type: "azure-native:network/v20200301:LoadBalancer" }, { type: "azure-native:network/v20200401:LoadBalancer" }, { type: "azure-native:network/v20200501:LoadBalancer" }, { type: "azure-native:network/v20200601:LoadBalancer" }, { type: "azure-native:network/v20200701:LoadBalancer" }, { type: "azure-native:network/v20200801:LoadBalancer" }, { type: "azure-native:network/v20201101:LoadBalancer" }, { type: "azure-native:network/v20210201:LoadBalancer" }, { type: "azure-native:network/v20210301:LoadBalancer" }, { type: "azure-native:network/v20210501:LoadBalancer" }, { type: "azure-native:network/v20210801:LoadBalancer" }, { type: "azure-native:network/v20220101:LoadBalancer" }, { type: "azure-native:network/v20220501:LoadBalancer" }, { type: "azure-native:network/v20220701:LoadBalancer" }, { type: "azure-native:network/v20220901:LoadBalancer" }, { type: "azure-native:network/v20221101:LoadBalancer" }, { type: "azure-native:network/v20230201:LoadBalancer" }, { type: "azure-native:network/v20230401:LoadBalancer" }, { type: "azure-native:network/v20230501:LoadBalancer" }, { type: "azure-native:network/v20230601:LoadBalancer" }, { type: "azure-native:network/v20230901:LoadBalancer" }, { type: "azure-native:network/v20231101:LoadBalancer" }, { type: "azure-native:network/v20240101:LoadBalancer" }, { type: "azure-native:network/v20240301:LoadBalancer" }, { type: "azure-native:network/v20240501:LoadBalancer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20180601:LoadBalancer" }, { type: "azure-native:network/v20190601:LoadBalancer" }, { type: "azure-native:network/v20190801:LoadBalancer" }, { type: "azure-native:network/v20230201:LoadBalancer" }, { type: "azure-native:network/v20230401:LoadBalancer" }, { type: "azure-native:network/v20230501:LoadBalancer" }, { type: "azure-native:network/v20230601:LoadBalancer" }, { type: "azure-native:network/v20230901:LoadBalancer" }, { type: "azure-native:network/v20231101:LoadBalancer" }, { type: "azure-native:network/v20240101:LoadBalancer" }, { type: "azure-native:network/v20240301:LoadBalancer" }, { type: "azure-native:network/v20240501:LoadBalancer" }, { type: "azure-native_network_v20150501preview:network:LoadBalancer" }, { type: "azure-native_network_v20150615:network:LoadBalancer" }, { type: "azure-native_network_v20160330:network:LoadBalancer" }, { type: "azure-native_network_v20160601:network:LoadBalancer" }, { type: "azure-native_network_v20160901:network:LoadBalancer" }, { type: "azure-native_network_v20161201:network:LoadBalancer" }, { type: "azure-native_network_v20170301:network:LoadBalancer" }, { type: "azure-native_network_v20170601:network:LoadBalancer" }, { type: "azure-native_network_v20170801:network:LoadBalancer" }, { type: "azure-native_network_v20170901:network:LoadBalancer" }, { type: "azure-native_network_v20171001:network:LoadBalancer" }, { type: "azure-native_network_v20171101:network:LoadBalancer" }, { type: "azure-native_network_v20180101:network:LoadBalancer" }, { type: "azure-native_network_v20180201:network:LoadBalancer" }, { type: "azure-native_network_v20180401:network:LoadBalancer" }, { type: "azure-native_network_v20180601:network:LoadBalancer" }, { type: "azure-native_network_v20180701:network:LoadBalancer" }, { type: "azure-native_network_v20180801:network:LoadBalancer" }, { type: "azure-native_network_v20181001:network:LoadBalancer" }, { type: "azure-native_network_v20181101:network:LoadBalancer" }, { type: "azure-native_network_v20181201:network:LoadBalancer" }, { type: "azure-native_network_v20190201:network:LoadBalancer" }, { type: "azure-native_network_v20190401:network:LoadBalancer" }, { type: "azure-native_network_v20190601:network:LoadBalancer" }, { type: "azure-native_network_v20190701:network:LoadBalancer" }, { type: "azure-native_network_v20190801:network:LoadBalancer" }, { type: "azure-native_network_v20190901:network:LoadBalancer" }, { type: "azure-native_network_v20191101:network:LoadBalancer" }, { type: "azure-native_network_v20191201:network:LoadBalancer" }, { type: "azure-native_network_v20200301:network:LoadBalancer" }, { type: "azure-native_network_v20200401:network:LoadBalancer" }, { type: "azure-native_network_v20200501:network:LoadBalancer" }, { type: "azure-native_network_v20200601:network:LoadBalancer" }, { type: "azure-native_network_v20200701:network:LoadBalancer" }, { type: "azure-native_network_v20200801:network:LoadBalancer" }, { type: "azure-native_network_v20201101:network:LoadBalancer" }, { type: "azure-native_network_v20210201:network:LoadBalancer" }, { type: "azure-native_network_v20210301:network:LoadBalancer" }, { type: "azure-native_network_v20210501:network:LoadBalancer" }, { type: "azure-native_network_v20210801:network:LoadBalancer" }, { type: "azure-native_network_v20220101:network:LoadBalancer" }, { type: "azure-native_network_v20220501:network:LoadBalancer" }, { type: "azure-native_network_v20220701:network:LoadBalancer" }, { type: "azure-native_network_v20220901:network:LoadBalancer" }, { type: "azure-native_network_v20221101:network:LoadBalancer" }, { type: "azure-native_network_v20230201:network:LoadBalancer" }, { type: "azure-native_network_v20230401:network:LoadBalancer" }, { type: "azure-native_network_v20230501:network:LoadBalancer" }, { type: "azure-native_network_v20230601:network:LoadBalancer" }, { type: "azure-native_network_v20230901:network:LoadBalancer" }, { type: "azure-native_network_v20231101:network:LoadBalancer" }, { type: "azure-native_network_v20240101:network:LoadBalancer" }, { type: "azure-native_network_v20240301:network:LoadBalancer" }, { type: "azure-native_network_v20240501:network:LoadBalancer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LoadBalancer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/loadBalancerBackendAddressPool.ts b/sdk/nodejs/network/loadBalancerBackendAddressPool.ts index c44ec934ca79..578fbe22edc4 100644 --- a/sdk/nodejs/network/loadBalancerBackendAddressPool.ts +++ b/sdk/nodejs/network/loadBalancerBackendAddressPool.ts @@ -162,7 +162,7 @@ export class LoadBalancerBackendAddressPool extends pulumi.CustomResource { resourceInputs["virtualNetwork"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200401:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20200501:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20200601:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20200701:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20200801:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20201101:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20210201:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20210301:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20210501:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20210801:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20220101:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20220501:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20220701:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20220901:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20221101:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20230201:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20230401:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20230501:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20230601:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20230901:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20231101:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20240101:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20240301:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20240501:LoadBalancerBackendAddressPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20230401:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20230501:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20230601:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20230901:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20231101:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20240101:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20240301:LoadBalancerBackendAddressPool" }, { type: "azure-native:network/v20240501:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20200401:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20200501:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20200601:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20200701:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20200801:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20201101:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20210201:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20210301:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20210501:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20210801:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20220101:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20220501:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20220701:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20220901:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20221101:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20230201:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20230401:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20230501:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20230601:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20230901:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20231101:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20240101:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20240301:network:LoadBalancerBackendAddressPool" }, { type: "azure-native_network_v20240501:network:LoadBalancerBackendAddressPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LoadBalancerBackendAddressPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/localNetworkGateway.ts b/sdk/nodejs/network/localNetworkGateway.ts index ab259a7e19a1..3642a264d39e 100644 --- a/sdk/nodejs/network/localNetworkGateway.ts +++ b/sdk/nodejs/network/localNetworkGateway.ts @@ -134,7 +134,7 @@ export class LocalNetworkGateway extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150615:LocalNetworkGateway" }, { type: "azure-native:network/v20160330:LocalNetworkGateway" }, { type: "azure-native:network/v20160601:LocalNetworkGateway" }, { type: "azure-native:network/v20160901:LocalNetworkGateway" }, { type: "azure-native:network/v20161201:LocalNetworkGateway" }, { type: "azure-native:network/v20170301:LocalNetworkGateway" }, { type: "azure-native:network/v20170601:LocalNetworkGateway" }, { type: "azure-native:network/v20170801:LocalNetworkGateway" }, { type: "azure-native:network/v20170901:LocalNetworkGateway" }, { type: "azure-native:network/v20171001:LocalNetworkGateway" }, { type: "azure-native:network/v20171101:LocalNetworkGateway" }, { type: "azure-native:network/v20180101:LocalNetworkGateway" }, { type: "azure-native:network/v20180201:LocalNetworkGateway" }, { type: "azure-native:network/v20180401:LocalNetworkGateway" }, { type: "azure-native:network/v20180601:LocalNetworkGateway" }, { type: "azure-native:network/v20180701:LocalNetworkGateway" }, { type: "azure-native:network/v20180801:LocalNetworkGateway" }, { type: "azure-native:network/v20181001:LocalNetworkGateway" }, { type: "azure-native:network/v20181101:LocalNetworkGateway" }, { type: "azure-native:network/v20181201:LocalNetworkGateway" }, { type: "azure-native:network/v20190201:LocalNetworkGateway" }, { type: "azure-native:network/v20190401:LocalNetworkGateway" }, { type: "azure-native:network/v20190601:LocalNetworkGateway" }, { type: "azure-native:network/v20190701:LocalNetworkGateway" }, { type: "azure-native:network/v20190801:LocalNetworkGateway" }, { type: "azure-native:network/v20190901:LocalNetworkGateway" }, { type: "azure-native:network/v20191101:LocalNetworkGateway" }, { type: "azure-native:network/v20191201:LocalNetworkGateway" }, { type: "azure-native:network/v20200301:LocalNetworkGateway" }, { type: "azure-native:network/v20200401:LocalNetworkGateway" }, { type: "azure-native:network/v20200501:LocalNetworkGateway" }, { type: "azure-native:network/v20200601:LocalNetworkGateway" }, { type: "azure-native:network/v20200701:LocalNetworkGateway" }, { type: "azure-native:network/v20200801:LocalNetworkGateway" }, { type: "azure-native:network/v20201101:LocalNetworkGateway" }, { type: "azure-native:network/v20210201:LocalNetworkGateway" }, { type: "azure-native:network/v20210301:LocalNetworkGateway" }, { type: "azure-native:network/v20210501:LocalNetworkGateway" }, { type: "azure-native:network/v20210801:LocalNetworkGateway" }, { type: "azure-native:network/v20220101:LocalNetworkGateway" }, { type: "azure-native:network/v20220501:LocalNetworkGateway" }, { type: "azure-native:network/v20220701:LocalNetworkGateway" }, { type: "azure-native:network/v20220901:LocalNetworkGateway" }, { type: "azure-native:network/v20221101:LocalNetworkGateway" }, { type: "azure-native:network/v20230201:LocalNetworkGateway" }, { type: "azure-native:network/v20230401:LocalNetworkGateway" }, { type: "azure-native:network/v20230501:LocalNetworkGateway" }, { type: "azure-native:network/v20230601:LocalNetworkGateway" }, { type: "azure-native:network/v20230901:LocalNetworkGateway" }, { type: "azure-native:network/v20231101:LocalNetworkGateway" }, { type: "azure-native:network/v20240101:LocalNetworkGateway" }, { type: "azure-native:network/v20240301:LocalNetworkGateway" }, { type: "azure-native:network/v20240501:LocalNetworkGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190801:LocalNetworkGateway" }, { type: "azure-native:network/v20230201:LocalNetworkGateway" }, { type: "azure-native:network/v20230401:LocalNetworkGateway" }, { type: "azure-native:network/v20230501:LocalNetworkGateway" }, { type: "azure-native:network/v20230601:LocalNetworkGateway" }, { type: "azure-native:network/v20230901:LocalNetworkGateway" }, { type: "azure-native:network/v20231101:LocalNetworkGateway" }, { type: "azure-native:network/v20240101:LocalNetworkGateway" }, { type: "azure-native:network/v20240301:LocalNetworkGateway" }, { type: "azure-native:network/v20240501:LocalNetworkGateway" }, { type: "azure-native_network_v20150615:network:LocalNetworkGateway" }, { type: "azure-native_network_v20160330:network:LocalNetworkGateway" }, { type: "azure-native_network_v20160601:network:LocalNetworkGateway" }, { type: "azure-native_network_v20160901:network:LocalNetworkGateway" }, { type: "azure-native_network_v20161201:network:LocalNetworkGateway" }, { type: "azure-native_network_v20170301:network:LocalNetworkGateway" }, { type: "azure-native_network_v20170601:network:LocalNetworkGateway" }, { type: "azure-native_network_v20170801:network:LocalNetworkGateway" }, { type: "azure-native_network_v20170901:network:LocalNetworkGateway" }, { type: "azure-native_network_v20171001:network:LocalNetworkGateway" }, { type: "azure-native_network_v20171101:network:LocalNetworkGateway" }, { type: "azure-native_network_v20180101:network:LocalNetworkGateway" }, { type: "azure-native_network_v20180201:network:LocalNetworkGateway" }, { type: "azure-native_network_v20180401:network:LocalNetworkGateway" }, { type: "azure-native_network_v20180601:network:LocalNetworkGateway" }, { type: "azure-native_network_v20180701:network:LocalNetworkGateway" }, { type: "azure-native_network_v20180801:network:LocalNetworkGateway" }, { type: "azure-native_network_v20181001:network:LocalNetworkGateway" }, { type: "azure-native_network_v20181101:network:LocalNetworkGateway" }, { type: "azure-native_network_v20181201:network:LocalNetworkGateway" }, { type: "azure-native_network_v20190201:network:LocalNetworkGateway" }, { type: "azure-native_network_v20190401:network:LocalNetworkGateway" }, { type: "azure-native_network_v20190601:network:LocalNetworkGateway" }, { type: "azure-native_network_v20190701:network:LocalNetworkGateway" }, { type: "azure-native_network_v20190801:network:LocalNetworkGateway" }, { type: "azure-native_network_v20190901:network:LocalNetworkGateway" }, { type: "azure-native_network_v20191101:network:LocalNetworkGateway" }, { type: "azure-native_network_v20191201:network:LocalNetworkGateway" }, { type: "azure-native_network_v20200301:network:LocalNetworkGateway" }, { type: "azure-native_network_v20200401:network:LocalNetworkGateway" }, { type: "azure-native_network_v20200501:network:LocalNetworkGateway" }, { type: "azure-native_network_v20200601:network:LocalNetworkGateway" }, { type: "azure-native_network_v20200701:network:LocalNetworkGateway" }, { type: "azure-native_network_v20200801:network:LocalNetworkGateway" }, { type: "azure-native_network_v20201101:network:LocalNetworkGateway" }, { type: "azure-native_network_v20210201:network:LocalNetworkGateway" }, { type: "azure-native_network_v20210301:network:LocalNetworkGateway" }, { type: "azure-native_network_v20210501:network:LocalNetworkGateway" }, { type: "azure-native_network_v20210801:network:LocalNetworkGateway" }, { type: "azure-native_network_v20220101:network:LocalNetworkGateway" }, { type: "azure-native_network_v20220501:network:LocalNetworkGateway" }, { type: "azure-native_network_v20220701:network:LocalNetworkGateway" }, { type: "azure-native_network_v20220901:network:LocalNetworkGateway" }, { type: "azure-native_network_v20221101:network:LocalNetworkGateway" }, { type: "azure-native_network_v20230201:network:LocalNetworkGateway" }, { type: "azure-native_network_v20230401:network:LocalNetworkGateway" }, { type: "azure-native_network_v20230501:network:LocalNetworkGateway" }, { type: "azure-native_network_v20230601:network:LocalNetworkGateway" }, { type: "azure-native_network_v20230901:network:LocalNetworkGateway" }, { type: "azure-native_network_v20231101:network:LocalNetworkGateway" }, { type: "azure-native_network_v20240101:network:LocalNetworkGateway" }, { type: "azure-native_network_v20240301:network:LocalNetworkGateway" }, { type: "azure-native_network_v20240501:network:LocalNetworkGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LocalNetworkGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/managementGroupNetworkManagerConnection.ts b/sdk/nodejs/network/managementGroupNetworkManagerConnection.ts index f260b52e8d7f..93b62adaf8e6 100644 --- a/sdk/nodejs/network/managementGroupNetworkManagerConnection.ts +++ b/sdk/nodejs/network/managementGroupNetworkManagerConnection.ts @@ -103,7 +103,7 @@ export class ManagementGroupNetworkManagerConnection extends pulumi.CustomResour resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20220101:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20220201preview:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20220401preview:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20220501:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20220701:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20220901:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20221101:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20230201:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20230401:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20230501:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20230601:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20230901:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20231101:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20240101:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20240301:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20240501:ManagementGroupNetworkManagerConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20230401:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20230501:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20230601:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20230901:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20231101:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20240101:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20240301:ManagementGroupNetworkManagerConnection" }, { type: "azure-native:network/v20240501:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20220101:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20220201preview:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20220401preview:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20220501:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20220701:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20220901:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20221101:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20230201:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20230401:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20230501:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20230601:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20230901:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20231101:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20240101:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20240301:network:ManagementGroupNetworkManagerConnection" }, { type: "azure-native_network_v20240501:network:ManagementGroupNetworkManagerConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagementGroupNetworkManagerConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/natGateway.ts b/sdk/nodejs/network/natGateway.ts index 81d7b6e4226d..ff54445d0644 100644 --- a/sdk/nodejs/network/natGateway.ts +++ b/sdk/nodejs/network/natGateway.ts @@ -146,7 +146,7 @@ export class NatGateway extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20190201:NatGateway" }, { type: "azure-native:network/v20190401:NatGateway" }, { type: "azure-native:network/v20190601:NatGateway" }, { type: "azure-native:network/v20190701:NatGateway" }, { type: "azure-native:network/v20190801:NatGateway" }, { type: "azure-native:network/v20190901:NatGateway" }, { type: "azure-native:network/v20191101:NatGateway" }, { type: "azure-native:network/v20191201:NatGateway" }, { type: "azure-native:network/v20200301:NatGateway" }, { type: "azure-native:network/v20200401:NatGateway" }, { type: "azure-native:network/v20200501:NatGateway" }, { type: "azure-native:network/v20200601:NatGateway" }, { type: "azure-native:network/v20200701:NatGateway" }, { type: "azure-native:network/v20200801:NatGateway" }, { type: "azure-native:network/v20201101:NatGateway" }, { type: "azure-native:network/v20210201:NatGateway" }, { type: "azure-native:network/v20210301:NatGateway" }, { type: "azure-native:network/v20210501:NatGateway" }, { type: "azure-native:network/v20210801:NatGateway" }, { type: "azure-native:network/v20220101:NatGateway" }, { type: "azure-native:network/v20220501:NatGateway" }, { type: "azure-native:network/v20220701:NatGateway" }, { type: "azure-native:network/v20220901:NatGateway" }, { type: "azure-native:network/v20221101:NatGateway" }, { type: "azure-native:network/v20230201:NatGateway" }, { type: "azure-native:network/v20230401:NatGateway" }, { type: "azure-native:network/v20230501:NatGateway" }, { type: "azure-native:network/v20230601:NatGateway" }, { type: "azure-native:network/v20230901:NatGateway" }, { type: "azure-native:network/v20231101:NatGateway" }, { type: "azure-native:network/v20240101:NatGateway" }, { type: "azure-native:network/v20240301:NatGateway" }, { type: "azure-native:network/v20240501:NatGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:NatGateway" }, { type: "azure-native:network/v20190801:NatGateway" }, { type: "azure-native:network/v20230201:NatGateway" }, { type: "azure-native:network/v20230401:NatGateway" }, { type: "azure-native:network/v20230501:NatGateway" }, { type: "azure-native:network/v20230601:NatGateway" }, { type: "azure-native:network/v20230901:NatGateway" }, { type: "azure-native:network/v20231101:NatGateway" }, { type: "azure-native:network/v20240101:NatGateway" }, { type: "azure-native:network/v20240301:NatGateway" }, { type: "azure-native:network/v20240501:NatGateway" }, { type: "azure-native_network_v20190201:network:NatGateway" }, { type: "azure-native_network_v20190401:network:NatGateway" }, { type: "azure-native_network_v20190601:network:NatGateway" }, { type: "azure-native_network_v20190701:network:NatGateway" }, { type: "azure-native_network_v20190801:network:NatGateway" }, { type: "azure-native_network_v20190901:network:NatGateway" }, { type: "azure-native_network_v20191101:network:NatGateway" }, { type: "azure-native_network_v20191201:network:NatGateway" }, { type: "azure-native_network_v20200301:network:NatGateway" }, { type: "azure-native_network_v20200401:network:NatGateway" }, { type: "azure-native_network_v20200501:network:NatGateway" }, { type: "azure-native_network_v20200601:network:NatGateway" }, { type: "azure-native_network_v20200701:network:NatGateway" }, { type: "azure-native_network_v20200801:network:NatGateway" }, { type: "azure-native_network_v20201101:network:NatGateway" }, { type: "azure-native_network_v20210201:network:NatGateway" }, { type: "azure-native_network_v20210301:network:NatGateway" }, { type: "azure-native_network_v20210501:network:NatGateway" }, { type: "azure-native_network_v20210801:network:NatGateway" }, { type: "azure-native_network_v20220101:network:NatGateway" }, { type: "azure-native_network_v20220501:network:NatGateway" }, { type: "azure-native_network_v20220701:network:NatGateway" }, { type: "azure-native_network_v20220901:network:NatGateway" }, { type: "azure-native_network_v20221101:network:NatGateway" }, { type: "azure-native_network_v20230201:network:NatGateway" }, { type: "azure-native_network_v20230401:network:NatGateway" }, { type: "azure-native_network_v20230501:network:NatGateway" }, { type: "azure-native_network_v20230601:network:NatGateway" }, { type: "azure-native_network_v20230901:network:NatGateway" }, { type: "azure-native_network_v20231101:network:NatGateway" }, { type: "azure-native_network_v20240101:network:NatGateway" }, { type: "azure-native_network_v20240301:network:NatGateway" }, { type: "azure-native_network_v20240501:network:NatGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NatGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/natRule.ts b/sdk/nodejs/network/natRule.ts index 99fd7f4dd6e1..218285a20e40 100644 --- a/sdk/nodejs/network/natRule.ts +++ b/sdk/nodejs/network/natRule.ts @@ -132,7 +132,7 @@ export class NatRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200801:NatRule" }, { type: "azure-native:network/v20201101:NatRule" }, { type: "azure-native:network/v20210201:NatRule" }, { type: "azure-native:network/v20210301:NatRule" }, { type: "azure-native:network/v20210501:NatRule" }, { type: "azure-native:network/v20210801:NatRule" }, { type: "azure-native:network/v20220101:NatRule" }, { type: "azure-native:network/v20220501:NatRule" }, { type: "azure-native:network/v20220701:NatRule" }, { type: "azure-native:network/v20220901:NatRule" }, { type: "azure-native:network/v20221101:NatRule" }, { type: "azure-native:network/v20230201:NatRule" }, { type: "azure-native:network/v20230401:NatRule" }, { type: "azure-native:network/v20230501:NatRule" }, { type: "azure-native:network/v20230601:NatRule" }, { type: "azure-native:network/v20230901:NatRule" }, { type: "azure-native:network/v20231101:NatRule" }, { type: "azure-native:network/v20240101:NatRule" }, { type: "azure-native:network/v20240301:NatRule" }, { type: "azure-native:network/v20240501:NatRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:NatRule" }, { type: "azure-native:network/v20230401:NatRule" }, { type: "azure-native:network/v20230501:NatRule" }, { type: "azure-native:network/v20230601:NatRule" }, { type: "azure-native:network/v20230901:NatRule" }, { type: "azure-native:network/v20231101:NatRule" }, { type: "azure-native:network/v20240101:NatRule" }, { type: "azure-native:network/v20240301:NatRule" }, { type: "azure-native:network/v20240501:NatRule" }, { type: "azure-native_network_v20200801:network:NatRule" }, { type: "azure-native_network_v20201101:network:NatRule" }, { type: "azure-native_network_v20210201:network:NatRule" }, { type: "azure-native_network_v20210301:network:NatRule" }, { type: "azure-native_network_v20210501:network:NatRule" }, { type: "azure-native_network_v20210801:network:NatRule" }, { type: "azure-native_network_v20220101:network:NatRule" }, { type: "azure-native_network_v20220501:network:NatRule" }, { type: "azure-native_network_v20220701:network:NatRule" }, { type: "azure-native_network_v20220901:network:NatRule" }, { type: "azure-native_network_v20221101:network:NatRule" }, { type: "azure-native_network_v20230201:network:NatRule" }, { type: "azure-native_network_v20230401:network:NatRule" }, { type: "azure-native_network_v20230501:network:NatRule" }, { type: "azure-native_network_v20230601:network:NatRule" }, { type: "azure-native_network_v20230901:network:NatRule" }, { type: "azure-native_network_v20231101:network:NatRule" }, { type: "azure-native_network_v20240101:network:NatRule" }, { type: "azure-native_network_v20240301:network:NatRule" }, { type: "azure-native_network_v20240501:network:NatRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NatRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkGroup.ts b/sdk/nodejs/network/networkGroup.ts index 19acf8d239d3..8969687d671b 100644 --- a/sdk/nodejs/network/networkGroup.ts +++ b/sdk/nodejs/network/networkGroup.ts @@ -119,7 +119,7 @@ export class NetworkGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NetworkGroup" }, { type: "azure-native:network/v20210501preview:NetworkGroup" }, { type: "azure-native:network/v20220101:NetworkGroup" }, { type: "azure-native:network/v20220201preview:NetworkGroup" }, { type: "azure-native:network/v20220401preview:NetworkGroup" }, { type: "azure-native:network/v20220501:NetworkGroup" }, { type: "azure-native:network/v20220701:NetworkGroup" }, { type: "azure-native:network/v20220901:NetworkGroup" }, { type: "azure-native:network/v20221101:NetworkGroup" }, { type: "azure-native:network/v20230201:NetworkGroup" }, { type: "azure-native:network/v20230401:NetworkGroup" }, { type: "azure-native:network/v20230501:NetworkGroup" }, { type: "azure-native:network/v20230601:NetworkGroup" }, { type: "azure-native:network/v20230901:NetworkGroup" }, { type: "azure-native:network/v20231101:NetworkGroup" }, { type: "azure-native:network/v20240101:NetworkGroup" }, { type: "azure-native:network/v20240301:NetworkGroup" }, { type: "azure-native:network/v20240501:NetworkGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NetworkGroup" }, { type: "azure-native:network/v20210501preview:NetworkGroup" }, { type: "azure-native:network/v20220401preview:NetworkGroup" }, { type: "azure-native:network/v20230201:NetworkGroup" }, { type: "azure-native:network/v20230401:NetworkGroup" }, { type: "azure-native:network/v20230501:NetworkGroup" }, { type: "azure-native:network/v20230601:NetworkGroup" }, { type: "azure-native:network/v20230901:NetworkGroup" }, { type: "azure-native:network/v20231101:NetworkGroup" }, { type: "azure-native:network/v20240101:NetworkGroup" }, { type: "azure-native:network/v20240301:NetworkGroup" }, { type: "azure-native:network/v20240501:NetworkGroup" }, { type: "azure-native_network_v20210201preview:network:NetworkGroup" }, { type: "azure-native_network_v20210501preview:network:NetworkGroup" }, { type: "azure-native_network_v20220101:network:NetworkGroup" }, { type: "azure-native_network_v20220201preview:network:NetworkGroup" }, { type: "azure-native_network_v20220401preview:network:NetworkGroup" }, { type: "azure-native_network_v20220501:network:NetworkGroup" }, { type: "azure-native_network_v20220701:network:NetworkGroup" }, { type: "azure-native_network_v20220901:network:NetworkGroup" }, { type: "azure-native_network_v20221101:network:NetworkGroup" }, { type: "azure-native_network_v20230201:network:NetworkGroup" }, { type: "azure-native_network_v20230401:network:NetworkGroup" }, { type: "azure-native_network_v20230501:network:NetworkGroup" }, { type: "azure-native_network_v20230601:network:NetworkGroup" }, { type: "azure-native_network_v20230901:network:NetworkGroup" }, { type: "azure-native_network_v20231101:network:NetworkGroup" }, { type: "azure-native_network_v20240101:network:NetworkGroup" }, { type: "azure-native_network_v20240301:network:NetworkGroup" }, { type: "azure-native_network_v20240501:network:NetworkGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkInterface.ts b/sdk/nodejs/network/networkInterface.ts index bacc657415a5..cc3b025102a6 100644 --- a/sdk/nodejs/network/networkInterface.ts +++ b/sdk/nodejs/network/networkInterface.ts @@ -242,7 +242,7 @@ export class NetworkInterface extends pulumi.CustomResource { resourceInputs["workloadType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:NetworkInterface" }, { type: "azure-native:network/v20150615:NetworkInterface" }, { type: "azure-native:network/v20160330:NetworkInterface" }, { type: "azure-native:network/v20160601:NetworkInterface" }, { type: "azure-native:network/v20160901:NetworkInterface" }, { type: "azure-native:network/v20161201:NetworkInterface" }, { type: "azure-native:network/v20170301:NetworkInterface" }, { type: "azure-native:network/v20170601:NetworkInterface" }, { type: "azure-native:network/v20170801:NetworkInterface" }, { type: "azure-native:network/v20170901:NetworkInterface" }, { type: "azure-native:network/v20171001:NetworkInterface" }, { type: "azure-native:network/v20171101:NetworkInterface" }, { type: "azure-native:network/v20180101:NetworkInterface" }, { type: "azure-native:network/v20180201:NetworkInterface" }, { type: "azure-native:network/v20180401:NetworkInterface" }, { type: "azure-native:network/v20180601:NetworkInterface" }, { type: "azure-native:network/v20180701:NetworkInterface" }, { type: "azure-native:network/v20180801:NetworkInterface" }, { type: "azure-native:network/v20181001:NetworkInterface" }, { type: "azure-native:network/v20181101:NetworkInterface" }, { type: "azure-native:network/v20181201:NetworkInterface" }, { type: "azure-native:network/v20190201:NetworkInterface" }, { type: "azure-native:network/v20190401:NetworkInterface" }, { type: "azure-native:network/v20190601:NetworkInterface" }, { type: "azure-native:network/v20190701:NetworkInterface" }, { type: "azure-native:network/v20190801:NetworkInterface" }, { type: "azure-native:network/v20190901:NetworkInterface" }, { type: "azure-native:network/v20191101:NetworkInterface" }, { type: "azure-native:network/v20191201:NetworkInterface" }, { type: "azure-native:network/v20200301:NetworkInterface" }, { type: "azure-native:network/v20200401:NetworkInterface" }, { type: "azure-native:network/v20200501:NetworkInterface" }, { type: "azure-native:network/v20200601:NetworkInterface" }, { type: "azure-native:network/v20200701:NetworkInterface" }, { type: "azure-native:network/v20200801:NetworkInterface" }, { type: "azure-native:network/v20201101:NetworkInterface" }, { type: "azure-native:network/v20210201:NetworkInterface" }, { type: "azure-native:network/v20210301:NetworkInterface" }, { type: "azure-native:network/v20210501:NetworkInterface" }, { type: "azure-native:network/v20210801:NetworkInterface" }, { type: "azure-native:network/v20220101:NetworkInterface" }, { type: "azure-native:network/v20220501:NetworkInterface" }, { type: "azure-native:network/v20220701:NetworkInterface" }, { type: "azure-native:network/v20220901:NetworkInterface" }, { type: "azure-native:network/v20221101:NetworkInterface" }, { type: "azure-native:network/v20230201:NetworkInterface" }, { type: "azure-native:network/v20230401:NetworkInterface" }, { type: "azure-native:network/v20230501:NetworkInterface" }, { type: "azure-native:network/v20230601:NetworkInterface" }, { type: "azure-native:network/v20230901:NetworkInterface" }, { type: "azure-native:network/v20231101:NetworkInterface" }, { type: "azure-native:network/v20240101:NetworkInterface" }, { type: "azure-native:network/v20240301:NetworkInterface" }, { type: "azure-native:network/v20240501:NetworkInterface" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20180701:NetworkInterface" }, { type: "azure-native:network/v20190201:NetworkInterface" }, { type: "azure-native:network/v20190601:NetworkInterface" }, { type: "azure-native:network/v20190801:NetworkInterface" }, { type: "azure-native:network/v20230201:NetworkInterface" }, { type: "azure-native:network/v20230401:NetworkInterface" }, { type: "azure-native:network/v20230501:NetworkInterface" }, { type: "azure-native:network/v20230601:NetworkInterface" }, { type: "azure-native:network/v20230901:NetworkInterface" }, { type: "azure-native:network/v20231101:NetworkInterface" }, { type: "azure-native:network/v20240101:NetworkInterface" }, { type: "azure-native:network/v20240301:NetworkInterface" }, { type: "azure-native:network/v20240501:NetworkInterface" }, { type: "azure-native_network_v20150501preview:network:NetworkInterface" }, { type: "azure-native_network_v20150615:network:NetworkInterface" }, { type: "azure-native_network_v20160330:network:NetworkInterface" }, { type: "azure-native_network_v20160601:network:NetworkInterface" }, { type: "azure-native_network_v20160901:network:NetworkInterface" }, { type: "azure-native_network_v20161201:network:NetworkInterface" }, { type: "azure-native_network_v20170301:network:NetworkInterface" }, { type: "azure-native_network_v20170601:network:NetworkInterface" }, { type: "azure-native_network_v20170801:network:NetworkInterface" }, { type: "azure-native_network_v20170901:network:NetworkInterface" }, { type: "azure-native_network_v20171001:network:NetworkInterface" }, { type: "azure-native_network_v20171101:network:NetworkInterface" }, { type: "azure-native_network_v20180101:network:NetworkInterface" }, { type: "azure-native_network_v20180201:network:NetworkInterface" }, { type: "azure-native_network_v20180401:network:NetworkInterface" }, { type: "azure-native_network_v20180601:network:NetworkInterface" }, { type: "azure-native_network_v20180701:network:NetworkInterface" }, { type: "azure-native_network_v20180801:network:NetworkInterface" }, { type: "azure-native_network_v20181001:network:NetworkInterface" }, { type: "azure-native_network_v20181101:network:NetworkInterface" }, { type: "azure-native_network_v20181201:network:NetworkInterface" }, { type: "azure-native_network_v20190201:network:NetworkInterface" }, { type: "azure-native_network_v20190401:network:NetworkInterface" }, { type: "azure-native_network_v20190601:network:NetworkInterface" }, { type: "azure-native_network_v20190701:network:NetworkInterface" }, { type: "azure-native_network_v20190801:network:NetworkInterface" }, { type: "azure-native_network_v20190901:network:NetworkInterface" }, { type: "azure-native_network_v20191101:network:NetworkInterface" }, { type: "azure-native_network_v20191201:network:NetworkInterface" }, { type: "azure-native_network_v20200301:network:NetworkInterface" }, { type: "azure-native_network_v20200401:network:NetworkInterface" }, { type: "azure-native_network_v20200501:network:NetworkInterface" }, { type: "azure-native_network_v20200601:network:NetworkInterface" }, { type: "azure-native_network_v20200701:network:NetworkInterface" }, { type: "azure-native_network_v20200801:network:NetworkInterface" }, { type: "azure-native_network_v20201101:network:NetworkInterface" }, { type: "azure-native_network_v20210201:network:NetworkInterface" }, { type: "azure-native_network_v20210301:network:NetworkInterface" }, { type: "azure-native_network_v20210501:network:NetworkInterface" }, { type: "azure-native_network_v20210801:network:NetworkInterface" }, { type: "azure-native_network_v20220101:network:NetworkInterface" }, { type: "azure-native_network_v20220501:network:NetworkInterface" }, { type: "azure-native_network_v20220701:network:NetworkInterface" }, { type: "azure-native_network_v20220901:network:NetworkInterface" }, { type: "azure-native_network_v20221101:network:NetworkInterface" }, { type: "azure-native_network_v20230201:network:NetworkInterface" }, { type: "azure-native_network_v20230401:network:NetworkInterface" }, { type: "azure-native_network_v20230501:network:NetworkInterface" }, { type: "azure-native_network_v20230601:network:NetworkInterface" }, { type: "azure-native_network_v20230901:network:NetworkInterface" }, { type: "azure-native_network_v20231101:network:NetworkInterface" }, { type: "azure-native_network_v20240101:network:NetworkInterface" }, { type: "azure-native_network_v20240301:network:NetworkInterface" }, { type: "azure-native_network_v20240501:network:NetworkInterface" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkInterface.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkInterfaceTapConfiguration.ts b/sdk/nodejs/network/networkInterfaceTapConfiguration.ts index c25fe3552214..2526bf32c2b5 100644 --- a/sdk/nodejs/network/networkInterfaceTapConfiguration.ts +++ b/sdk/nodejs/network/networkInterfaceTapConfiguration.ts @@ -102,7 +102,7 @@ export class NetworkInterfaceTapConfiguration extends pulumi.CustomResource { resourceInputs["virtualNetworkTap"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180801:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20181001:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20181101:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20181201:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20190201:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20190401:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20190601:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20190701:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20190801:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20190901:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20191101:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20191201:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20200301:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20200401:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20200501:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20200601:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20200701:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20200801:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20201101:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20210201:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20210301:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20210501:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20210801:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20220101:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20220501:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20220701:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20220901:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20221101:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20230201:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20230401:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20230501:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20230601:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20230901:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20231101:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20240101:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20240301:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20240501:NetworkInterfaceTapConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20230401:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20230501:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20230601:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20230901:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20231101:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20240101:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20240301:NetworkInterfaceTapConfiguration" }, { type: "azure-native:network/v20240501:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20180801:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20181001:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20181101:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20181201:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20190201:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20190401:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20190601:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20190701:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20190801:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20190901:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20191101:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20191201:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20200301:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20200401:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20200501:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20200601:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20200701:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20200801:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20201101:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20210201:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20210301:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20210501:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20210801:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20220101:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20220501:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20220701:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20220901:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20221101:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20230201:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20230401:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20230501:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20230601:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20230901:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20231101:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20240101:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20240301:network:NetworkInterfaceTapConfiguration" }, { type: "azure-native_network_v20240501:network:NetworkInterfaceTapConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkInterfaceTapConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkManager.ts b/sdk/nodejs/network/networkManager.ts index eef2a4d88989..e093e1cfa9f3 100644 --- a/sdk/nodejs/network/networkManager.ts +++ b/sdk/nodejs/network/networkManager.ts @@ -137,7 +137,7 @@ export class NetworkManager extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NetworkManager" }, { type: "azure-native:network/v20210501preview:NetworkManager" }, { type: "azure-native:network/v20220101:NetworkManager" }, { type: "azure-native:network/v20220201preview:NetworkManager" }, { type: "azure-native:network/v20220401preview:NetworkManager" }, { type: "azure-native:network/v20220501:NetworkManager" }, { type: "azure-native:network/v20220701:NetworkManager" }, { type: "azure-native:network/v20220901:NetworkManager" }, { type: "azure-native:network/v20221101:NetworkManager" }, { type: "azure-native:network/v20230201:NetworkManager" }, { type: "azure-native:network/v20230401:NetworkManager" }, { type: "azure-native:network/v20230501:NetworkManager" }, { type: "azure-native:network/v20230601:NetworkManager" }, { type: "azure-native:network/v20230901:NetworkManager" }, { type: "azure-native:network/v20231101:NetworkManager" }, { type: "azure-native:network/v20240101:NetworkManager" }, { type: "azure-native:network/v20240101preview:NetworkManager" }, { type: "azure-native:network/v20240301:NetworkManager" }, { type: "azure-native:network/v20240501:NetworkManager" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NetworkManager" }, { type: "azure-native:network/v20210501preview:NetworkManager" }, { type: "azure-native:network/v20230201:NetworkManager" }, { type: "azure-native:network/v20230401:NetworkManager" }, { type: "azure-native:network/v20230501:NetworkManager" }, { type: "azure-native:network/v20230601:NetworkManager" }, { type: "azure-native:network/v20230901:NetworkManager" }, { type: "azure-native:network/v20231101:NetworkManager" }, { type: "azure-native:network/v20240101:NetworkManager" }, { type: "azure-native:network/v20240101preview:NetworkManager" }, { type: "azure-native:network/v20240301:NetworkManager" }, { type: "azure-native:network/v20240501:NetworkManager" }, { type: "azure-native_network_v20210201preview:network:NetworkManager" }, { type: "azure-native_network_v20210501preview:network:NetworkManager" }, { type: "azure-native_network_v20220101:network:NetworkManager" }, { type: "azure-native_network_v20220201preview:network:NetworkManager" }, { type: "azure-native_network_v20220401preview:network:NetworkManager" }, { type: "azure-native_network_v20220501:network:NetworkManager" }, { type: "azure-native_network_v20220701:network:NetworkManager" }, { type: "azure-native_network_v20220901:network:NetworkManager" }, { type: "azure-native_network_v20221101:network:NetworkManager" }, { type: "azure-native_network_v20230201:network:NetworkManager" }, { type: "azure-native_network_v20230401:network:NetworkManager" }, { type: "azure-native_network_v20230501:network:NetworkManager" }, { type: "azure-native_network_v20230601:network:NetworkManager" }, { type: "azure-native_network_v20230901:network:NetworkManager" }, { type: "azure-native_network_v20231101:network:NetworkManager" }, { type: "azure-native_network_v20240101:network:NetworkManager" }, { type: "azure-native_network_v20240101preview:network:NetworkManager" }, { type: "azure-native_network_v20240301:network:NetworkManager" }, { type: "azure-native_network_v20240501:network:NetworkManager" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkManager.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkManagerRoutingConfiguration.ts b/sdk/nodejs/network/networkManagerRoutingConfiguration.ts index c8a681b5c842..2b5e6fad136b 100644 --- a/sdk/nodejs/network/networkManagerRoutingConfiguration.ts +++ b/sdk/nodejs/network/networkManagerRoutingConfiguration.ts @@ -113,7 +113,7 @@ export class NetworkManagerRoutingConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20240301:NetworkManagerRoutingConfiguration" }, { type: "azure-native:network/v20240501:NetworkManagerRoutingConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20240301:NetworkManagerRoutingConfiguration" }, { type: "azure-native:network/v20240501:NetworkManagerRoutingConfiguration" }, { type: "azure-native_network_v20240301:network:NetworkManagerRoutingConfiguration" }, { type: "azure-native_network_v20240501:network:NetworkManagerRoutingConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkManagerRoutingConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkProfile.ts b/sdk/nodejs/network/networkProfile.ts index f3436242e17e..53e9af4efa96 100644 --- a/sdk/nodejs/network/networkProfile.ts +++ b/sdk/nodejs/network/networkProfile.ts @@ -122,7 +122,7 @@ export class NetworkProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180801:NetworkProfile" }, { type: "azure-native:network/v20181001:NetworkProfile" }, { type: "azure-native:network/v20181101:NetworkProfile" }, { type: "azure-native:network/v20181201:NetworkProfile" }, { type: "azure-native:network/v20190201:NetworkProfile" }, { type: "azure-native:network/v20190401:NetworkProfile" }, { type: "azure-native:network/v20190601:NetworkProfile" }, { type: "azure-native:network/v20190701:NetworkProfile" }, { type: "azure-native:network/v20190801:NetworkProfile" }, { type: "azure-native:network/v20190901:NetworkProfile" }, { type: "azure-native:network/v20191101:NetworkProfile" }, { type: "azure-native:network/v20191201:NetworkProfile" }, { type: "azure-native:network/v20200301:NetworkProfile" }, { type: "azure-native:network/v20200401:NetworkProfile" }, { type: "azure-native:network/v20200501:NetworkProfile" }, { type: "azure-native:network/v20200601:NetworkProfile" }, { type: "azure-native:network/v20200701:NetworkProfile" }, { type: "azure-native:network/v20200801:NetworkProfile" }, { type: "azure-native:network/v20201101:NetworkProfile" }, { type: "azure-native:network/v20210201:NetworkProfile" }, { type: "azure-native:network/v20210301:NetworkProfile" }, { type: "azure-native:network/v20210501:NetworkProfile" }, { type: "azure-native:network/v20210801:NetworkProfile" }, { type: "azure-native:network/v20220101:NetworkProfile" }, { type: "azure-native:network/v20220501:NetworkProfile" }, { type: "azure-native:network/v20220701:NetworkProfile" }, { type: "azure-native:network/v20220901:NetworkProfile" }, { type: "azure-native:network/v20221101:NetworkProfile" }, { type: "azure-native:network/v20230201:NetworkProfile" }, { type: "azure-native:network/v20230401:NetworkProfile" }, { type: "azure-native:network/v20230501:NetworkProfile" }, { type: "azure-native:network/v20230601:NetworkProfile" }, { type: "azure-native:network/v20230901:NetworkProfile" }, { type: "azure-native:network/v20231101:NetworkProfile" }, { type: "azure-native:network/v20240101:NetworkProfile" }, { type: "azure-native:network/v20240301:NetworkProfile" }, { type: "azure-native:network/v20240501:NetworkProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190801:NetworkProfile" }, { type: "azure-native:network/v20230201:NetworkProfile" }, { type: "azure-native:network/v20230401:NetworkProfile" }, { type: "azure-native:network/v20230501:NetworkProfile" }, { type: "azure-native:network/v20230601:NetworkProfile" }, { type: "azure-native:network/v20230901:NetworkProfile" }, { type: "azure-native:network/v20231101:NetworkProfile" }, { type: "azure-native:network/v20240101:NetworkProfile" }, { type: "azure-native:network/v20240301:NetworkProfile" }, { type: "azure-native:network/v20240501:NetworkProfile" }, { type: "azure-native_network_v20180801:network:NetworkProfile" }, { type: "azure-native_network_v20181001:network:NetworkProfile" }, { type: "azure-native_network_v20181101:network:NetworkProfile" }, { type: "azure-native_network_v20181201:network:NetworkProfile" }, { type: "azure-native_network_v20190201:network:NetworkProfile" }, { type: "azure-native_network_v20190401:network:NetworkProfile" }, { type: "azure-native_network_v20190601:network:NetworkProfile" }, { type: "azure-native_network_v20190701:network:NetworkProfile" }, { type: "azure-native_network_v20190801:network:NetworkProfile" }, { type: "azure-native_network_v20190901:network:NetworkProfile" }, { type: "azure-native_network_v20191101:network:NetworkProfile" }, { type: "azure-native_network_v20191201:network:NetworkProfile" }, { type: "azure-native_network_v20200301:network:NetworkProfile" }, { type: "azure-native_network_v20200401:network:NetworkProfile" }, { type: "azure-native_network_v20200501:network:NetworkProfile" }, { type: "azure-native_network_v20200601:network:NetworkProfile" }, { type: "azure-native_network_v20200701:network:NetworkProfile" }, { type: "azure-native_network_v20200801:network:NetworkProfile" }, { type: "azure-native_network_v20201101:network:NetworkProfile" }, { type: "azure-native_network_v20210201:network:NetworkProfile" }, { type: "azure-native_network_v20210301:network:NetworkProfile" }, { type: "azure-native_network_v20210501:network:NetworkProfile" }, { type: "azure-native_network_v20210801:network:NetworkProfile" }, { type: "azure-native_network_v20220101:network:NetworkProfile" }, { type: "azure-native_network_v20220501:network:NetworkProfile" }, { type: "azure-native_network_v20220701:network:NetworkProfile" }, { type: "azure-native_network_v20220901:network:NetworkProfile" }, { type: "azure-native_network_v20221101:network:NetworkProfile" }, { type: "azure-native_network_v20230201:network:NetworkProfile" }, { type: "azure-native_network_v20230401:network:NetworkProfile" }, { type: "azure-native_network_v20230501:network:NetworkProfile" }, { type: "azure-native_network_v20230601:network:NetworkProfile" }, { type: "azure-native_network_v20230901:network:NetworkProfile" }, { type: "azure-native_network_v20231101:network:NetworkProfile" }, { type: "azure-native_network_v20240101:network:NetworkProfile" }, { type: "azure-native_network_v20240301:network:NetworkProfile" }, { type: "azure-native_network_v20240501:network:NetworkProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkSecurityGroup.ts b/sdk/nodejs/network/networkSecurityGroup.ts index 26ac6bd64144..f913f5808e97 100644 --- a/sdk/nodejs/network/networkSecurityGroup.ts +++ b/sdk/nodejs/network/networkSecurityGroup.ts @@ -146,7 +146,7 @@ export class NetworkSecurityGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:NetworkSecurityGroup" }, { type: "azure-native:network/v20150615:NetworkSecurityGroup" }, { type: "azure-native:network/v20160330:NetworkSecurityGroup" }, { type: "azure-native:network/v20160601:NetworkSecurityGroup" }, { type: "azure-native:network/v20160901:NetworkSecurityGroup" }, { type: "azure-native:network/v20161201:NetworkSecurityGroup" }, { type: "azure-native:network/v20170301:NetworkSecurityGroup" }, { type: "azure-native:network/v20170601:NetworkSecurityGroup" }, { type: "azure-native:network/v20170801:NetworkSecurityGroup" }, { type: "azure-native:network/v20170901:NetworkSecurityGroup" }, { type: "azure-native:network/v20171001:NetworkSecurityGroup" }, { type: "azure-native:network/v20171101:NetworkSecurityGroup" }, { type: "azure-native:network/v20180101:NetworkSecurityGroup" }, { type: "azure-native:network/v20180201:NetworkSecurityGroup" }, { type: "azure-native:network/v20180401:NetworkSecurityGroup" }, { type: "azure-native:network/v20180601:NetworkSecurityGroup" }, { type: "azure-native:network/v20180701:NetworkSecurityGroup" }, { type: "azure-native:network/v20180801:NetworkSecurityGroup" }, { type: "azure-native:network/v20181001:NetworkSecurityGroup" }, { type: "azure-native:network/v20181101:NetworkSecurityGroup" }, { type: "azure-native:network/v20181201:NetworkSecurityGroup" }, { type: "azure-native:network/v20190201:NetworkSecurityGroup" }, { type: "azure-native:network/v20190401:NetworkSecurityGroup" }, { type: "azure-native:network/v20190601:NetworkSecurityGroup" }, { type: "azure-native:network/v20190701:NetworkSecurityGroup" }, { type: "azure-native:network/v20190801:NetworkSecurityGroup" }, { type: "azure-native:network/v20190901:NetworkSecurityGroup" }, { type: "azure-native:network/v20191101:NetworkSecurityGroup" }, { type: "azure-native:network/v20191201:NetworkSecurityGroup" }, { type: "azure-native:network/v20200301:NetworkSecurityGroup" }, { type: "azure-native:network/v20200401:NetworkSecurityGroup" }, { type: "azure-native:network/v20200501:NetworkSecurityGroup" }, { type: "azure-native:network/v20200601:NetworkSecurityGroup" }, { type: "azure-native:network/v20200701:NetworkSecurityGroup" }, { type: "azure-native:network/v20200801:NetworkSecurityGroup" }, { type: "azure-native:network/v20201101:NetworkSecurityGroup" }, { type: "azure-native:network/v20210201:NetworkSecurityGroup" }, { type: "azure-native:network/v20210301:NetworkSecurityGroup" }, { type: "azure-native:network/v20210501:NetworkSecurityGroup" }, { type: "azure-native:network/v20210801:NetworkSecurityGroup" }, { type: "azure-native:network/v20220101:NetworkSecurityGroup" }, { type: "azure-native:network/v20220501:NetworkSecurityGroup" }, { type: "azure-native:network/v20220701:NetworkSecurityGroup" }, { type: "azure-native:network/v20220901:NetworkSecurityGroup" }, { type: "azure-native:network/v20221101:NetworkSecurityGroup" }, { type: "azure-native:network/v20230201:NetworkSecurityGroup" }, { type: "azure-native:network/v20230401:NetworkSecurityGroup" }, { type: "azure-native:network/v20230501:NetworkSecurityGroup" }, { type: "azure-native:network/v20230601:NetworkSecurityGroup" }, { type: "azure-native:network/v20230901:NetworkSecurityGroup" }, { type: "azure-native:network/v20231101:NetworkSecurityGroup" }, { type: "azure-native:network/v20240101:NetworkSecurityGroup" }, { type: "azure-native:network/v20240301:NetworkSecurityGroup" }, { type: "azure-native:network/v20240501:NetworkSecurityGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:NetworkSecurityGroup" }, { type: "azure-native:network/v20190801:NetworkSecurityGroup" }, { type: "azure-native:network/v20230201:NetworkSecurityGroup" }, { type: "azure-native:network/v20230401:NetworkSecurityGroup" }, { type: "azure-native:network/v20230501:NetworkSecurityGroup" }, { type: "azure-native:network/v20230601:NetworkSecurityGroup" }, { type: "azure-native:network/v20230901:NetworkSecurityGroup" }, { type: "azure-native:network/v20231101:NetworkSecurityGroup" }, { type: "azure-native:network/v20240101:NetworkSecurityGroup" }, { type: "azure-native:network/v20240301:NetworkSecurityGroup" }, { type: "azure-native:network/v20240501:NetworkSecurityGroup" }, { type: "azure-native_network_v20150501preview:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20150615:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20160330:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20160601:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20160901:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20161201:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20170301:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20170601:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20170801:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20170901:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20171001:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20171101:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20180101:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20180201:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20180401:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20180601:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20180701:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20180801:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20181001:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20181101:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20181201:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20190201:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20190401:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20190601:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20190701:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20190801:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20190901:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20191101:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20191201:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20200301:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20200401:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20200501:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20200601:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20200701:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20200801:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20201101:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20210201:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20210301:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20210501:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20210801:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20220101:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20220501:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20220701:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20220901:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20221101:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20230201:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20230401:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20230501:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20230601:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20230901:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20231101:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20240101:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20240301:network:NetworkSecurityGroup" }, { type: "azure-native_network_v20240501:network:NetworkSecurityGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkSecurityGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkSecurityPerimeter.ts b/sdk/nodejs/network/networkSecurityPerimeter.ts index 75257b07d449..50557e1d7703 100644 --- a/sdk/nodejs/network/networkSecurityPerimeter.ts +++ b/sdk/nodejs/network/networkSecurityPerimeter.ts @@ -101,7 +101,7 @@ export class NetworkSecurityPerimeter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NetworkSecurityPerimeter" }, { type: "azure-native:network/v20210301preview:NetworkSecurityPerimeter" }, { type: "azure-native:network/v20230701preview:NetworkSecurityPerimeter" }, { type: "azure-native:network/v20230801preview:NetworkSecurityPerimeter" }, { type: "azure-native:network/v20240601preview:NetworkSecurityPerimeter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NetworkSecurityPerimeter" }, { type: "azure-native:network/v20210301preview:NetworkSecurityPerimeter" }, { type: "azure-native:network/v20230701preview:NetworkSecurityPerimeter" }, { type: "azure-native:network/v20230801preview:NetworkSecurityPerimeter" }, { type: "azure-native_network_v20210201preview:network:NetworkSecurityPerimeter" }, { type: "azure-native_network_v20210301preview:network:NetworkSecurityPerimeter" }, { type: "azure-native_network_v20230701preview:network:NetworkSecurityPerimeter" }, { type: "azure-native_network_v20230801preview:network:NetworkSecurityPerimeter" }, { type: "azure-native_network_v20240601preview:network:NetworkSecurityPerimeter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkSecurityPerimeter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkSecurityPerimeterAccessRule.ts b/sdk/nodejs/network/networkSecurityPerimeterAccessRule.ts index fe910a4ee16f..8d372627f888 100644 --- a/sdk/nodejs/network/networkSecurityPerimeterAccessRule.ts +++ b/sdk/nodejs/network/networkSecurityPerimeterAccessRule.ts @@ -152,7 +152,7 @@ export class NetworkSecurityPerimeterAccessRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NetworkSecurityPerimeterAccessRule" }, { type: "azure-native:network/v20210201preview:NspAccessRule" }, { type: "azure-native:network/v20230701preview:NetworkSecurityPerimeterAccessRule" }, { type: "azure-native:network/v20230701preview:NspAccessRule" }, { type: "azure-native:network/v20230801preview:NetworkSecurityPerimeterAccessRule" }, { type: "azure-native:network/v20230801preview:NspAccessRule" }, { type: "azure-native:network/v20240601preview:NetworkSecurityPerimeterAccessRule" }, { type: "azure-native:network:NspAccessRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspAccessRule" }, { type: "azure-native:network/v20230701preview:NspAccessRule" }, { type: "azure-native:network/v20230801preview:NspAccessRule" }, { type: "azure-native:network:NspAccessRule" }, { type: "azure-native_network_v20210201preview:network:NetworkSecurityPerimeterAccessRule" }, { type: "azure-native_network_v20230701preview:network:NetworkSecurityPerimeterAccessRule" }, { type: "azure-native_network_v20230801preview:network:NetworkSecurityPerimeterAccessRule" }, { type: "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterAccessRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkSecurityPerimeterAccessRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkSecurityPerimeterAssociation.ts b/sdk/nodejs/network/networkSecurityPerimeterAssociation.ts index b397a11e4d26..993f52029b1c 100644 --- a/sdk/nodejs/network/networkSecurityPerimeterAssociation.ts +++ b/sdk/nodejs/network/networkSecurityPerimeterAssociation.ts @@ -124,7 +124,7 @@ export class NetworkSecurityPerimeterAssociation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NetworkSecurityPerimeterAssociation" }, { type: "azure-native:network/v20210201preview:NspAssociation" }, { type: "azure-native:network/v20230701preview:NetworkSecurityPerimeterAssociation" }, { type: "azure-native:network/v20230701preview:NspAssociation" }, { type: "azure-native:network/v20230801preview:NetworkSecurityPerimeterAssociation" }, { type: "azure-native:network/v20230801preview:NspAssociation" }, { type: "azure-native:network/v20240601preview:NetworkSecurityPerimeterAssociation" }, { type: "azure-native:network:NspAssociation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspAssociation" }, { type: "azure-native:network/v20230701preview:NspAssociation" }, { type: "azure-native:network/v20230801preview:NspAssociation" }, { type: "azure-native:network:NspAssociation" }, { type: "azure-native_network_v20210201preview:network:NetworkSecurityPerimeterAssociation" }, { type: "azure-native_network_v20230701preview:network:NetworkSecurityPerimeterAssociation" }, { type: "azure-native_network_v20230801preview:network:NetworkSecurityPerimeterAssociation" }, { type: "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterAssociation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkSecurityPerimeterAssociation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkSecurityPerimeterLink.ts b/sdk/nodejs/network/networkSecurityPerimeterLink.ts index e86d894ecf92..e4184783ae66 100644 --- a/sdk/nodejs/network/networkSecurityPerimeterLink.ts +++ b/sdk/nodejs/network/networkSecurityPerimeterLink.ts @@ -144,7 +144,7 @@ export class NetworkSecurityPerimeterLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NetworkSecurityPerimeterLink" }, { type: "azure-native:network/v20210201preview:NspLink" }, { type: "azure-native:network/v20230701preview:NetworkSecurityPerimeterLink" }, { type: "azure-native:network/v20230701preview:NspLink" }, { type: "azure-native:network/v20230801preview:NetworkSecurityPerimeterLink" }, { type: "azure-native:network/v20230801preview:NspLink" }, { type: "azure-native:network/v20240601preview:NetworkSecurityPerimeterLink" }, { type: "azure-native:network:NspLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspLink" }, { type: "azure-native:network/v20230701preview:NspLink" }, { type: "azure-native:network/v20230801preview:NspLink" }, { type: "azure-native:network:NspLink" }, { type: "azure-native_network_v20210201preview:network:NetworkSecurityPerimeterLink" }, { type: "azure-native_network_v20230701preview:network:NetworkSecurityPerimeterLink" }, { type: "azure-native_network_v20230801preview:network:NetworkSecurityPerimeterLink" }, { type: "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkSecurityPerimeterLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkSecurityPerimeterLoggingConfiguration.ts b/sdk/nodejs/network/networkSecurityPerimeterLoggingConfiguration.ts index 14b5b184c134..7ed3e49ac8b6 100644 --- a/sdk/nodejs/network/networkSecurityPerimeterLoggingConfiguration.ts +++ b/sdk/nodejs/network/networkSecurityPerimeterLoggingConfiguration.ts @@ -93,7 +93,7 @@ export class NetworkSecurityPerimeterLoggingConfiguration extends pulumi.CustomR resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20240601preview:NetworkSecurityPerimeterLoggingConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterLoggingConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkSecurityPerimeterLoggingConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkSecurityPerimeterProfile.ts b/sdk/nodejs/network/networkSecurityPerimeterProfile.ts index 48a340f2c765..dabad1d09d3c 100644 --- a/sdk/nodejs/network/networkSecurityPerimeterProfile.ts +++ b/sdk/nodejs/network/networkSecurityPerimeterProfile.ts @@ -103,7 +103,7 @@ export class NetworkSecurityPerimeterProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NetworkSecurityPerimeterProfile" }, { type: "azure-native:network/v20210201preview:NspProfile" }, { type: "azure-native:network/v20230701preview:NetworkSecurityPerimeterProfile" }, { type: "azure-native:network/v20230701preview:NspProfile" }, { type: "azure-native:network/v20230801preview:NetworkSecurityPerimeterProfile" }, { type: "azure-native:network/v20230801preview:NspProfile" }, { type: "azure-native:network/v20240601preview:NetworkSecurityPerimeterProfile" }, { type: "azure-native:network:NspProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspProfile" }, { type: "azure-native:network/v20230701preview:NspProfile" }, { type: "azure-native:network/v20230801preview:NspProfile" }, { type: "azure-native:network:NspProfile" }, { type: "azure-native_network_v20210201preview:network:NetworkSecurityPerimeterProfile" }, { type: "azure-native_network_v20230701preview:network:NetworkSecurityPerimeterProfile" }, { type: "azure-native_network_v20230801preview:network:NetworkSecurityPerimeterProfile" }, { type: "azure-native_network_v20240601preview:network:NetworkSecurityPerimeterProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkSecurityPerimeterProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkVirtualAppliance.ts b/sdk/nodejs/network/networkVirtualAppliance.ts index bb3c0d105e35..782e06071034 100644 --- a/sdk/nodejs/network/networkVirtualAppliance.ts +++ b/sdk/nodejs/network/networkVirtualAppliance.ts @@ -218,7 +218,7 @@ export class NetworkVirtualAppliance extends pulumi.CustomResource { resourceInputs["virtualHub"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20191201:NetworkVirtualAppliance" }, { type: "azure-native:network/v20200301:NetworkVirtualAppliance" }, { type: "azure-native:network/v20200401:NetworkVirtualAppliance" }, { type: "azure-native:network/v20200501:NetworkVirtualAppliance" }, { type: "azure-native:network/v20200601:NetworkVirtualAppliance" }, { type: "azure-native:network/v20200701:NetworkVirtualAppliance" }, { type: "azure-native:network/v20200801:NetworkVirtualAppliance" }, { type: "azure-native:network/v20201101:NetworkVirtualAppliance" }, { type: "azure-native:network/v20210201:NetworkVirtualAppliance" }, { type: "azure-native:network/v20210301:NetworkVirtualAppliance" }, { type: "azure-native:network/v20210501:NetworkVirtualAppliance" }, { type: "azure-native:network/v20210801:NetworkVirtualAppliance" }, { type: "azure-native:network/v20220101:NetworkVirtualAppliance" }, { type: "azure-native:network/v20220501:NetworkVirtualAppliance" }, { type: "azure-native:network/v20220701:NetworkVirtualAppliance" }, { type: "azure-native:network/v20220901:NetworkVirtualAppliance" }, { type: "azure-native:network/v20221101:NetworkVirtualAppliance" }, { type: "azure-native:network/v20230201:NetworkVirtualAppliance" }, { type: "azure-native:network/v20230401:NetworkVirtualAppliance" }, { type: "azure-native:network/v20230501:NetworkVirtualAppliance" }, { type: "azure-native:network/v20230601:NetworkVirtualAppliance" }, { type: "azure-native:network/v20230901:NetworkVirtualAppliance" }, { type: "azure-native:network/v20231101:NetworkVirtualAppliance" }, { type: "azure-native:network/v20240101:NetworkVirtualAppliance" }, { type: "azure-native:network/v20240301:NetworkVirtualAppliance" }, { type: "azure-native:network/v20240501:NetworkVirtualAppliance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200401:NetworkVirtualAppliance" }, { type: "azure-native:network/v20230201:NetworkVirtualAppliance" }, { type: "azure-native:network/v20230401:NetworkVirtualAppliance" }, { type: "azure-native:network/v20230501:NetworkVirtualAppliance" }, { type: "azure-native:network/v20230601:NetworkVirtualAppliance" }, { type: "azure-native:network/v20230901:NetworkVirtualAppliance" }, { type: "azure-native:network/v20231101:NetworkVirtualAppliance" }, { type: "azure-native:network/v20240101:NetworkVirtualAppliance" }, { type: "azure-native:network/v20240301:NetworkVirtualAppliance" }, { type: "azure-native:network/v20240501:NetworkVirtualAppliance" }, { type: "azure-native_network_v20191201:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20200301:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20200401:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20200501:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20200601:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20200701:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20200801:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20201101:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20210201:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20210301:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20210501:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20210801:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20220101:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20220501:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20220701:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20220901:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20221101:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20230201:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20230401:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20230501:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20230601:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20230901:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20231101:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20240101:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20240301:network:NetworkVirtualAppliance" }, { type: "azure-native_network_v20240501:network:NetworkVirtualAppliance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkVirtualAppliance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkVirtualApplianceConnection.ts b/sdk/nodejs/network/networkVirtualApplianceConnection.ts index 6e23c8d35739..e2f4feb56227 100644 --- a/sdk/nodejs/network/networkVirtualApplianceConnection.ts +++ b/sdk/nodejs/network/networkVirtualApplianceConnection.ts @@ -84,7 +84,7 @@ export class NetworkVirtualApplianceConnection extends pulumi.CustomResource { resourceInputs["properties"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20230601:NetworkVirtualApplianceConnection" }, { type: "azure-native:network/v20230901:NetworkVirtualApplianceConnection" }, { type: "azure-native:network/v20231101:NetworkVirtualApplianceConnection" }, { type: "azure-native:network/v20240101:NetworkVirtualApplianceConnection" }, { type: "azure-native:network/v20240301:NetworkVirtualApplianceConnection" }, { type: "azure-native:network/v20240501:NetworkVirtualApplianceConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230601:NetworkVirtualApplianceConnection" }, { type: "azure-native:network/v20230901:NetworkVirtualApplianceConnection" }, { type: "azure-native:network/v20231101:NetworkVirtualApplianceConnection" }, { type: "azure-native:network/v20240101:NetworkVirtualApplianceConnection" }, { type: "azure-native:network/v20240301:NetworkVirtualApplianceConnection" }, { type: "azure-native:network/v20240501:NetworkVirtualApplianceConnection" }, { type: "azure-native_network_v20230601:network:NetworkVirtualApplianceConnection" }, { type: "azure-native_network_v20230901:network:NetworkVirtualApplianceConnection" }, { type: "azure-native_network_v20231101:network:NetworkVirtualApplianceConnection" }, { type: "azure-native_network_v20240101:network:NetworkVirtualApplianceConnection" }, { type: "azure-native_network_v20240301:network:NetworkVirtualApplianceConnection" }, { type: "azure-native_network_v20240501:network:NetworkVirtualApplianceConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkVirtualApplianceConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/networkWatcher.ts b/sdk/nodejs/network/networkWatcher.ts index e48356f41f67..c42a57e0f346 100644 --- a/sdk/nodejs/network/networkWatcher.ts +++ b/sdk/nodejs/network/networkWatcher.ts @@ -101,7 +101,7 @@ export class NetworkWatcher extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20160901:NetworkWatcher" }, { type: "azure-native:network/v20161201:NetworkWatcher" }, { type: "azure-native:network/v20170301:NetworkWatcher" }, { type: "azure-native:network/v20170601:NetworkWatcher" }, { type: "azure-native:network/v20170801:NetworkWatcher" }, { type: "azure-native:network/v20170901:NetworkWatcher" }, { type: "azure-native:network/v20171001:NetworkWatcher" }, { type: "azure-native:network/v20171101:NetworkWatcher" }, { type: "azure-native:network/v20180101:NetworkWatcher" }, { type: "azure-native:network/v20180201:NetworkWatcher" }, { type: "azure-native:network/v20180401:NetworkWatcher" }, { type: "azure-native:network/v20180601:NetworkWatcher" }, { type: "azure-native:network/v20180701:NetworkWatcher" }, { type: "azure-native:network/v20180801:NetworkWatcher" }, { type: "azure-native:network/v20181001:NetworkWatcher" }, { type: "azure-native:network/v20181101:NetworkWatcher" }, { type: "azure-native:network/v20181201:NetworkWatcher" }, { type: "azure-native:network/v20190201:NetworkWatcher" }, { type: "azure-native:network/v20190401:NetworkWatcher" }, { type: "azure-native:network/v20190601:NetworkWatcher" }, { type: "azure-native:network/v20190701:NetworkWatcher" }, { type: "azure-native:network/v20190801:NetworkWatcher" }, { type: "azure-native:network/v20190901:NetworkWatcher" }, { type: "azure-native:network/v20191101:NetworkWatcher" }, { type: "azure-native:network/v20191201:NetworkWatcher" }, { type: "azure-native:network/v20200301:NetworkWatcher" }, { type: "azure-native:network/v20200401:NetworkWatcher" }, { type: "azure-native:network/v20200501:NetworkWatcher" }, { type: "azure-native:network/v20200601:NetworkWatcher" }, { type: "azure-native:network/v20200701:NetworkWatcher" }, { type: "azure-native:network/v20200801:NetworkWatcher" }, { type: "azure-native:network/v20201101:NetworkWatcher" }, { type: "azure-native:network/v20210201:NetworkWatcher" }, { type: "azure-native:network/v20210301:NetworkWatcher" }, { type: "azure-native:network/v20210501:NetworkWatcher" }, { type: "azure-native:network/v20210801:NetworkWatcher" }, { type: "azure-native:network/v20220101:NetworkWatcher" }, { type: "azure-native:network/v20220501:NetworkWatcher" }, { type: "azure-native:network/v20220701:NetworkWatcher" }, { type: "azure-native:network/v20220901:NetworkWatcher" }, { type: "azure-native:network/v20221101:NetworkWatcher" }, { type: "azure-native:network/v20230201:NetworkWatcher" }, { type: "azure-native:network/v20230401:NetworkWatcher" }, { type: "azure-native:network/v20230501:NetworkWatcher" }, { type: "azure-native:network/v20230601:NetworkWatcher" }, { type: "azure-native:network/v20230901:NetworkWatcher" }, { type: "azure-native:network/v20231101:NetworkWatcher" }, { type: "azure-native:network/v20240101:NetworkWatcher" }, { type: "azure-native:network/v20240301:NetworkWatcher" }, { type: "azure-native:network/v20240501:NetworkWatcher" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20220501:NetworkWatcher" }, { type: "azure-native:network/v20230201:NetworkWatcher" }, { type: "azure-native:network/v20230401:NetworkWatcher" }, { type: "azure-native:network/v20230501:NetworkWatcher" }, { type: "azure-native:network/v20230601:NetworkWatcher" }, { type: "azure-native:network/v20230901:NetworkWatcher" }, { type: "azure-native:network/v20231101:NetworkWatcher" }, { type: "azure-native:network/v20240101:NetworkWatcher" }, { type: "azure-native:network/v20240301:NetworkWatcher" }, { type: "azure-native:network/v20240501:NetworkWatcher" }, { type: "azure-native_network_v20160901:network:NetworkWatcher" }, { type: "azure-native_network_v20161201:network:NetworkWatcher" }, { type: "azure-native_network_v20170301:network:NetworkWatcher" }, { type: "azure-native_network_v20170601:network:NetworkWatcher" }, { type: "azure-native_network_v20170801:network:NetworkWatcher" }, { type: "azure-native_network_v20170901:network:NetworkWatcher" }, { type: "azure-native_network_v20171001:network:NetworkWatcher" }, { type: "azure-native_network_v20171101:network:NetworkWatcher" }, { type: "azure-native_network_v20180101:network:NetworkWatcher" }, { type: "azure-native_network_v20180201:network:NetworkWatcher" }, { type: "azure-native_network_v20180401:network:NetworkWatcher" }, { type: "azure-native_network_v20180601:network:NetworkWatcher" }, { type: "azure-native_network_v20180701:network:NetworkWatcher" }, { type: "azure-native_network_v20180801:network:NetworkWatcher" }, { type: "azure-native_network_v20181001:network:NetworkWatcher" }, { type: "azure-native_network_v20181101:network:NetworkWatcher" }, { type: "azure-native_network_v20181201:network:NetworkWatcher" }, { type: "azure-native_network_v20190201:network:NetworkWatcher" }, { type: "azure-native_network_v20190401:network:NetworkWatcher" }, { type: "azure-native_network_v20190601:network:NetworkWatcher" }, { type: "azure-native_network_v20190701:network:NetworkWatcher" }, { type: "azure-native_network_v20190801:network:NetworkWatcher" }, { type: "azure-native_network_v20190901:network:NetworkWatcher" }, { type: "azure-native_network_v20191101:network:NetworkWatcher" }, { type: "azure-native_network_v20191201:network:NetworkWatcher" }, { type: "azure-native_network_v20200301:network:NetworkWatcher" }, { type: "azure-native_network_v20200401:network:NetworkWatcher" }, { type: "azure-native_network_v20200501:network:NetworkWatcher" }, { type: "azure-native_network_v20200601:network:NetworkWatcher" }, { type: "azure-native_network_v20200701:network:NetworkWatcher" }, { type: "azure-native_network_v20200801:network:NetworkWatcher" }, { type: "azure-native_network_v20201101:network:NetworkWatcher" }, { type: "azure-native_network_v20210201:network:NetworkWatcher" }, { type: "azure-native_network_v20210301:network:NetworkWatcher" }, { type: "azure-native_network_v20210501:network:NetworkWatcher" }, { type: "azure-native_network_v20210801:network:NetworkWatcher" }, { type: "azure-native_network_v20220101:network:NetworkWatcher" }, { type: "azure-native_network_v20220501:network:NetworkWatcher" }, { type: "azure-native_network_v20220701:network:NetworkWatcher" }, { type: "azure-native_network_v20220901:network:NetworkWatcher" }, { type: "azure-native_network_v20221101:network:NetworkWatcher" }, { type: "azure-native_network_v20230201:network:NetworkWatcher" }, { type: "azure-native_network_v20230401:network:NetworkWatcher" }, { type: "azure-native_network_v20230501:network:NetworkWatcher" }, { type: "azure-native_network_v20230601:network:NetworkWatcher" }, { type: "azure-native_network_v20230901:network:NetworkWatcher" }, { type: "azure-native_network_v20231101:network:NetworkWatcher" }, { type: "azure-native_network_v20240101:network:NetworkWatcher" }, { type: "azure-native_network_v20240301:network:NetworkWatcher" }, { type: "azure-native_network_v20240501:network:NetworkWatcher" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NetworkWatcher.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/nspAccessRule.ts b/sdk/nodejs/network/nspAccessRule.ts index bb7b9d856014..03283babbb4a 100644 --- a/sdk/nodejs/network/nspAccessRule.ts +++ b/sdk/nodejs/network/nspAccessRule.ts @@ -154,7 +154,7 @@ export class NspAccessRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspAccessRule" }, { type: "azure-native:network/v20230701preview:NspAccessRule" }, { type: "azure-native:network/v20230801preview:NspAccessRule" }, { type: "azure-native:network/v20240601preview:NspAccessRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspAccessRule" }, { type: "azure-native:network/v20230701preview:NspAccessRule" }, { type: "azure-native:network/v20230801preview:NspAccessRule" }, { type: "azure-native_network_v20210201preview:network:NspAccessRule" }, { type: "azure-native_network_v20230701preview:network:NspAccessRule" }, { type: "azure-native_network_v20230801preview:network:NspAccessRule" }, { type: "azure-native_network_v20240601preview:network:NspAccessRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NspAccessRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/nspAssociation.ts b/sdk/nodejs/network/nspAssociation.ts index 4583f56a3099..0b673904628f 100644 --- a/sdk/nodejs/network/nspAssociation.ts +++ b/sdk/nodejs/network/nspAssociation.ts @@ -126,7 +126,7 @@ export class NspAssociation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspAssociation" }, { type: "azure-native:network/v20230701preview:NspAssociation" }, { type: "azure-native:network/v20230801preview:NspAssociation" }, { type: "azure-native:network/v20240601preview:NspAssociation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspAssociation" }, { type: "azure-native:network/v20230701preview:NspAssociation" }, { type: "azure-native:network/v20230801preview:NspAssociation" }, { type: "azure-native_network_v20210201preview:network:NspAssociation" }, { type: "azure-native_network_v20230701preview:network:NspAssociation" }, { type: "azure-native_network_v20230801preview:network:NspAssociation" }, { type: "azure-native_network_v20240601preview:network:NspAssociation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NspAssociation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/nspLink.ts b/sdk/nodejs/network/nspLink.ts index 632bd520e2e5..c755e5e7b66c 100644 --- a/sdk/nodejs/network/nspLink.ts +++ b/sdk/nodejs/network/nspLink.ts @@ -146,7 +146,7 @@ export class NspLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspLink" }, { type: "azure-native:network/v20230701preview:NspLink" }, { type: "azure-native:network/v20230801preview:NspLink" }, { type: "azure-native:network/v20240601preview:NspLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspLink" }, { type: "azure-native:network/v20230701preview:NspLink" }, { type: "azure-native:network/v20230801preview:NspLink" }, { type: "azure-native_network_v20210201preview:network:NspLink" }, { type: "azure-native_network_v20230701preview:network:NspLink" }, { type: "azure-native_network_v20230801preview:network:NspLink" }, { type: "azure-native_network_v20240601preview:network:NspLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NspLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/nspProfile.ts b/sdk/nodejs/network/nspProfile.ts index 4b70bdee92a5..1253a705c8ab 100644 --- a/sdk/nodejs/network/nspProfile.ts +++ b/sdk/nodejs/network/nspProfile.ts @@ -105,7 +105,7 @@ export class NspProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspProfile" }, { type: "azure-native:network/v20230701preview:NspProfile" }, { type: "azure-native:network/v20230801preview:NspProfile" }, { type: "azure-native:network/v20240601preview:NspProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:NspProfile" }, { type: "azure-native:network/v20230701preview:NspProfile" }, { type: "azure-native:network/v20230801preview:NspProfile" }, { type: "azure-native_network_v20210201preview:network:NspProfile" }, { type: "azure-native_network_v20230701preview:network:NspProfile" }, { type: "azure-native_network_v20230801preview:network:NspProfile" }, { type: "azure-native_network_v20240601preview:network:NspProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NspProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/p2sVpnGateway.ts b/sdk/nodejs/network/p2sVpnGateway.ts index 3573f1a48572..5fd064b4e6e8 100644 --- a/sdk/nodejs/network/p2sVpnGateway.ts +++ b/sdk/nodejs/network/p2sVpnGateway.ts @@ -146,7 +146,7 @@ export class P2sVpnGateway extends pulumi.CustomResource { resourceInputs["vpnServerConfiguration"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180801:P2sVpnGateway" }, { type: "azure-native:network/v20181001:P2sVpnGateway" }, { type: "azure-native:network/v20181101:P2sVpnGateway" }, { type: "azure-native:network/v20181201:P2sVpnGateway" }, { type: "azure-native:network/v20190201:P2sVpnGateway" }, { type: "azure-native:network/v20190401:P2sVpnGateway" }, { type: "azure-native:network/v20190601:P2sVpnGateway" }, { type: "azure-native:network/v20190701:P2sVpnGateway" }, { type: "azure-native:network/v20190801:P2sVpnGateway" }, { type: "azure-native:network/v20190901:P2sVpnGateway" }, { type: "azure-native:network/v20191101:P2sVpnGateway" }, { type: "azure-native:network/v20191201:P2sVpnGateway" }, { type: "azure-native:network/v20200301:P2sVpnGateway" }, { type: "azure-native:network/v20200401:P2sVpnGateway" }, { type: "azure-native:network/v20200501:P2sVpnGateway" }, { type: "azure-native:network/v20200601:P2sVpnGateway" }, { type: "azure-native:network/v20200701:P2sVpnGateway" }, { type: "azure-native:network/v20200801:P2sVpnGateway" }, { type: "azure-native:network/v20201101:P2sVpnGateway" }, { type: "azure-native:network/v20210201:P2sVpnGateway" }, { type: "azure-native:network/v20210301:P2sVpnGateway" }, { type: "azure-native:network/v20210501:P2sVpnGateway" }, { type: "azure-native:network/v20210801:P2sVpnGateway" }, { type: "azure-native:network/v20220101:P2sVpnGateway" }, { type: "azure-native:network/v20220501:P2sVpnGateway" }, { type: "azure-native:network/v20220701:P2sVpnGateway" }, { type: "azure-native:network/v20220901:P2sVpnGateway" }, { type: "azure-native:network/v20221101:P2sVpnGateway" }, { type: "azure-native:network/v20230201:P2sVpnGateway" }, { type: "azure-native:network/v20230401:P2sVpnGateway" }, { type: "azure-native:network/v20230501:P2sVpnGateway" }, { type: "azure-native:network/v20230601:P2sVpnGateway" }, { type: "azure-native:network/v20230901:P2sVpnGateway" }, { type: "azure-native:network/v20231101:P2sVpnGateway" }, { type: "azure-native:network/v20240101:P2sVpnGateway" }, { type: "azure-native:network/v20240301:P2sVpnGateway" }, { type: "azure-native:network/v20240501:P2sVpnGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190701:P2sVpnGateway" }, { type: "azure-native:network/v20230201:P2sVpnGateway" }, { type: "azure-native:network/v20230401:P2sVpnGateway" }, { type: "azure-native:network/v20230501:P2sVpnGateway" }, { type: "azure-native:network/v20230601:P2sVpnGateway" }, { type: "azure-native:network/v20230901:P2sVpnGateway" }, { type: "azure-native:network/v20231101:P2sVpnGateway" }, { type: "azure-native:network/v20240101:P2sVpnGateway" }, { type: "azure-native:network/v20240301:P2sVpnGateway" }, { type: "azure-native:network/v20240501:P2sVpnGateway" }, { type: "azure-native_network_v20180801:network:P2sVpnGateway" }, { type: "azure-native_network_v20181001:network:P2sVpnGateway" }, { type: "azure-native_network_v20181101:network:P2sVpnGateway" }, { type: "azure-native_network_v20181201:network:P2sVpnGateway" }, { type: "azure-native_network_v20190201:network:P2sVpnGateway" }, { type: "azure-native_network_v20190401:network:P2sVpnGateway" }, { type: "azure-native_network_v20190601:network:P2sVpnGateway" }, { type: "azure-native_network_v20190701:network:P2sVpnGateway" }, { type: "azure-native_network_v20190801:network:P2sVpnGateway" }, { type: "azure-native_network_v20190901:network:P2sVpnGateway" }, { type: "azure-native_network_v20191101:network:P2sVpnGateway" }, { type: "azure-native_network_v20191201:network:P2sVpnGateway" }, { type: "azure-native_network_v20200301:network:P2sVpnGateway" }, { type: "azure-native_network_v20200401:network:P2sVpnGateway" }, { type: "azure-native_network_v20200501:network:P2sVpnGateway" }, { type: "azure-native_network_v20200601:network:P2sVpnGateway" }, { type: "azure-native_network_v20200701:network:P2sVpnGateway" }, { type: "azure-native_network_v20200801:network:P2sVpnGateway" }, { type: "azure-native_network_v20201101:network:P2sVpnGateway" }, { type: "azure-native_network_v20210201:network:P2sVpnGateway" }, { type: "azure-native_network_v20210301:network:P2sVpnGateway" }, { type: "azure-native_network_v20210501:network:P2sVpnGateway" }, { type: "azure-native_network_v20210801:network:P2sVpnGateway" }, { type: "azure-native_network_v20220101:network:P2sVpnGateway" }, { type: "azure-native_network_v20220501:network:P2sVpnGateway" }, { type: "azure-native_network_v20220701:network:P2sVpnGateway" }, { type: "azure-native_network_v20220901:network:P2sVpnGateway" }, { type: "azure-native_network_v20221101:network:P2sVpnGateway" }, { type: "azure-native_network_v20230201:network:P2sVpnGateway" }, { type: "azure-native_network_v20230401:network:P2sVpnGateway" }, { type: "azure-native_network_v20230501:network:P2sVpnGateway" }, { type: "azure-native_network_v20230601:network:P2sVpnGateway" }, { type: "azure-native_network_v20230901:network:P2sVpnGateway" }, { type: "azure-native_network_v20231101:network:P2sVpnGateway" }, { type: "azure-native_network_v20240101:network:P2sVpnGateway" }, { type: "azure-native_network_v20240301:network:P2sVpnGateway" }, { type: "azure-native_network_v20240501:network:P2sVpnGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(P2sVpnGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/p2sVpnServerConfiguration.ts b/sdk/nodejs/network/p2sVpnServerConfiguration.ts index 71e97fef27a7..9df22be60a15 100644 --- a/sdk/nodejs/network/p2sVpnServerConfiguration.ts +++ b/sdk/nodejs/network/p2sVpnServerConfiguration.ts @@ -90,7 +90,7 @@ export class P2sVpnServerConfiguration extends pulumi.CustomResource { resourceInputs["properties"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180801:P2sVpnServerConfiguration" }, { type: "azure-native:network/v20181001:P2sVpnServerConfiguration" }, { type: "azure-native:network/v20181101:P2sVpnServerConfiguration" }, { type: "azure-native:network/v20181201:P2sVpnServerConfiguration" }, { type: "azure-native:network/v20190201:P2sVpnServerConfiguration" }, { type: "azure-native:network/v20190401:P2sVpnServerConfiguration" }, { type: "azure-native:network/v20190601:P2sVpnServerConfiguration" }, { type: "azure-native:network/v20190701:P2sVpnServerConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190701:P2sVpnServerConfiguration" }, { type: "azure-native_network_v20180801:network:P2sVpnServerConfiguration" }, { type: "azure-native_network_v20181001:network:P2sVpnServerConfiguration" }, { type: "azure-native_network_v20181101:network:P2sVpnServerConfiguration" }, { type: "azure-native_network_v20181201:network:P2sVpnServerConfiguration" }, { type: "azure-native_network_v20190201:network:P2sVpnServerConfiguration" }, { type: "azure-native_network_v20190401:network:P2sVpnServerConfiguration" }, { type: "azure-native_network_v20190601:network:P2sVpnServerConfiguration" }, { type: "azure-native_network_v20190701:network:P2sVpnServerConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(P2sVpnServerConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/packetCapture.ts b/sdk/nodejs/network/packetCapture.ts index f64df18952ef..fb32bcd6073f 100644 --- a/sdk/nodejs/network/packetCapture.ts +++ b/sdk/nodejs/network/packetCapture.ts @@ -155,7 +155,7 @@ export class PacketCapture extends pulumi.CustomResource { resourceInputs["totalBytesPerSession"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20160901:PacketCapture" }, { type: "azure-native:network/v20161201:PacketCapture" }, { type: "azure-native:network/v20170301:PacketCapture" }, { type: "azure-native:network/v20170601:PacketCapture" }, { type: "azure-native:network/v20170801:PacketCapture" }, { type: "azure-native:network/v20170901:PacketCapture" }, { type: "azure-native:network/v20171001:PacketCapture" }, { type: "azure-native:network/v20171101:PacketCapture" }, { type: "azure-native:network/v20180101:PacketCapture" }, { type: "azure-native:network/v20180201:PacketCapture" }, { type: "azure-native:network/v20180401:PacketCapture" }, { type: "azure-native:network/v20180601:PacketCapture" }, { type: "azure-native:network/v20180701:PacketCapture" }, { type: "azure-native:network/v20180801:PacketCapture" }, { type: "azure-native:network/v20181001:PacketCapture" }, { type: "azure-native:network/v20181101:PacketCapture" }, { type: "azure-native:network/v20181201:PacketCapture" }, { type: "azure-native:network/v20190201:PacketCapture" }, { type: "azure-native:network/v20190401:PacketCapture" }, { type: "azure-native:network/v20190601:PacketCapture" }, { type: "azure-native:network/v20190701:PacketCapture" }, { type: "azure-native:network/v20190801:PacketCapture" }, { type: "azure-native:network/v20190901:PacketCapture" }, { type: "azure-native:network/v20191101:PacketCapture" }, { type: "azure-native:network/v20191201:PacketCapture" }, { type: "azure-native:network/v20200301:PacketCapture" }, { type: "azure-native:network/v20200401:PacketCapture" }, { type: "azure-native:network/v20200501:PacketCapture" }, { type: "azure-native:network/v20200601:PacketCapture" }, { type: "azure-native:network/v20200701:PacketCapture" }, { type: "azure-native:network/v20200801:PacketCapture" }, { type: "azure-native:network/v20201101:PacketCapture" }, { type: "azure-native:network/v20210201:PacketCapture" }, { type: "azure-native:network/v20210301:PacketCapture" }, { type: "azure-native:network/v20210501:PacketCapture" }, { type: "azure-native:network/v20210801:PacketCapture" }, { type: "azure-native:network/v20220101:PacketCapture" }, { type: "azure-native:network/v20220501:PacketCapture" }, { type: "azure-native:network/v20220701:PacketCapture" }, { type: "azure-native:network/v20220901:PacketCapture" }, { type: "azure-native:network/v20221101:PacketCapture" }, { type: "azure-native:network/v20230201:PacketCapture" }, { type: "azure-native:network/v20230401:PacketCapture" }, { type: "azure-native:network/v20230501:PacketCapture" }, { type: "azure-native:network/v20230601:PacketCapture" }, { type: "azure-native:network/v20230901:PacketCapture" }, { type: "azure-native:network/v20231101:PacketCapture" }, { type: "azure-native:network/v20240101:PacketCapture" }, { type: "azure-native:network/v20240301:PacketCapture" }, { type: "azure-native:network/v20240501:PacketCapture" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200601:PacketCapture" }, { type: "azure-native:network/v20230201:PacketCapture" }, { type: "azure-native:network/v20230401:PacketCapture" }, { type: "azure-native:network/v20230501:PacketCapture" }, { type: "azure-native:network/v20230601:PacketCapture" }, { type: "azure-native:network/v20230901:PacketCapture" }, { type: "azure-native:network/v20231101:PacketCapture" }, { type: "azure-native:network/v20240101:PacketCapture" }, { type: "azure-native:network/v20240301:PacketCapture" }, { type: "azure-native:network/v20240501:PacketCapture" }, { type: "azure-native_network_v20160901:network:PacketCapture" }, { type: "azure-native_network_v20161201:network:PacketCapture" }, { type: "azure-native_network_v20170301:network:PacketCapture" }, { type: "azure-native_network_v20170601:network:PacketCapture" }, { type: "azure-native_network_v20170801:network:PacketCapture" }, { type: "azure-native_network_v20170901:network:PacketCapture" }, { type: "azure-native_network_v20171001:network:PacketCapture" }, { type: "azure-native_network_v20171101:network:PacketCapture" }, { type: "azure-native_network_v20180101:network:PacketCapture" }, { type: "azure-native_network_v20180201:network:PacketCapture" }, { type: "azure-native_network_v20180401:network:PacketCapture" }, { type: "azure-native_network_v20180601:network:PacketCapture" }, { type: "azure-native_network_v20180701:network:PacketCapture" }, { type: "azure-native_network_v20180801:network:PacketCapture" }, { type: "azure-native_network_v20181001:network:PacketCapture" }, { type: "azure-native_network_v20181101:network:PacketCapture" }, { type: "azure-native_network_v20181201:network:PacketCapture" }, { type: "azure-native_network_v20190201:network:PacketCapture" }, { type: "azure-native_network_v20190401:network:PacketCapture" }, { type: "azure-native_network_v20190601:network:PacketCapture" }, { type: "azure-native_network_v20190701:network:PacketCapture" }, { type: "azure-native_network_v20190801:network:PacketCapture" }, { type: "azure-native_network_v20190901:network:PacketCapture" }, { type: "azure-native_network_v20191101:network:PacketCapture" }, { type: "azure-native_network_v20191201:network:PacketCapture" }, { type: "azure-native_network_v20200301:network:PacketCapture" }, { type: "azure-native_network_v20200401:network:PacketCapture" }, { type: "azure-native_network_v20200501:network:PacketCapture" }, { type: "azure-native_network_v20200601:network:PacketCapture" }, { type: "azure-native_network_v20200701:network:PacketCapture" }, { type: "azure-native_network_v20200801:network:PacketCapture" }, { type: "azure-native_network_v20201101:network:PacketCapture" }, { type: "azure-native_network_v20210201:network:PacketCapture" }, { type: "azure-native_network_v20210301:network:PacketCapture" }, { type: "azure-native_network_v20210501:network:PacketCapture" }, { type: "azure-native_network_v20210801:network:PacketCapture" }, { type: "azure-native_network_v20220101:network:PacketCapture" }, { type: "azure-native_network_v20220501:network:PacketCapture" }, { type: "azure-native_network_v20220701:network:PacketCapture" }, { type: "azure-native_network_v20220901:network:PacketCapture" }, { type: "azure-native_network_v20221101:network:PacketCapture" }, { type: "azure-native_network_v20230201:network:PacketCapture" }, { type: "azure-native_network_v20230401:network:PacketCapture" }, { type: "azure-native_network_v20230501:network:PacketCapture" }, { type: "azure-native_network_v20230601:network:PacketCapture" }, { type: "azure-native_network_v20230901:network:PacketCapture" }, { type: "azure-native_network_v20231101:network:PacketCapture" }, { type: "azure-native_network_v20240101:network:PacketCapture" }, { type: "azure-native_network_v20240301:network:PacketCapture" }, { type: "azure-native_network_v20240501:network:PacketCapture" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PacketCapture.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/privateDnsZoneGroup.ts b/sdk/nodejs/network/privateDnsZoneGroup.ts index 3b93120804a6..c83304359eed 100644 --- a/sdk/nodejs/network/privateDnsZoneGroup.ts +++ b/sdk/nodejs/network/privateDnsZoneGroup.ts @@ -96,7 +96,7 @@ export class PrivateDnsZoneGroup extends pulumi.CustomResource { resourceInputs["provisioningState"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200301:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20200401:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20200501:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20200601:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20200701:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20200801:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20201101:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20210201:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20210301:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20210501:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20210801:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20220101:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20220501:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20220701:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20220901:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20221101:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20230201:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20230401:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20230501:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20230601:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20230901:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20231101:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20240101:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20240301:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20240501:PrivateDnsZoneGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20230201:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20230401:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20230501:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20230601:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20230901:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20231101:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20240101:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20240301:PrivateDnsZoneGroup" }, { type: "azure-native:network/v20240501:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20200301:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20200401:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20200501:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20200601:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20200701:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20200801:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20201101:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20210201:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20210301:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20210501:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20210801:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20220101:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20220501:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20220701:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20220901:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20221101:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20230201:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20230401:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20230501:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20230601:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20230901:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20231101:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20240101:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20240301:network:PrivateDnsZoneGroup" }, { type: "azure-native_network_v20240501:network:PrivateDnsZoneGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateDnsZoneGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/privateEndpoint.ts b/sdk/nodejs/network/privateEndpoint.ts index 895b01dfac6d..a6297c41a512 100644 --- a/sdk/nodejs/network/privateEndpoint.ts +++ b/sdk/nodejs/network/privateEndpoint.ts @@ -158,7 +158,7 @@ export class PrivateEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180801:PrivateEndpoint" }, { type: "azure-native:network/v20181001:PrivateEndpoint" }, { type: "azure-native:network/v20181101:PrivateEndpoint" }, { type: "azure-native:network/v20181201:PrivateEndpoint" }, { type: "azure-native:network/v20190201:InterfaceEndpoint" }, { type: "azure-native:network/v20190201:PrivateEndpoint" }, { type: "azure-native:network/v20190401:PrivateEndpoint" }, { type: "azure-native:network/v20190601:PrivateEndpoint" }, { type: "azure-native:network/v20190701:PrivateEndpoint" }, { type: "azure-native:network/v20190801:PrivateEndpoint" }, { type: "azure-native:network/v20190901:PrivateEndpoint" }, { type: "azure-native:network/v20191101:PrivateEndpoint" }, { type: "azure-native:network/v20191201:PrivateEndpoint" }, { type: "azure-native:network/v20200301:PrivateEndpoint" }, { type: "azure-native:network/v20200401:PrivateEndpoint" }, { type: "azure-native:network/v20200501:PrivateEndpoint" }, { type: "azure-native:network/v20200601:PrivateEndpoint" }, { type: "azure-native:network/v20200701:PrivateEndpoint" }, { type: "azure-native:network/v20200801:PrivateEndpoint" }, { type: "azure-native:network/v20201101:PrivateEndpoint" }, { type: "azure-native:network/v20210201:PrivateEndpoint" }, { type: "azure-native:network/v20210301:PrivateEndpoint" }, { type: "azure-native:network/v20210501:PrivateEndpoint" }, { type: "azure-native:network/v20210801:PrivateEndpoint" }, { type: "azure-native:network/v20220101:PrivateEndpoint" }, { type: "azure-native:network/v20220501:PrivateEndpoint" }, { type: "azure-native:network/v20220701:PrivateEndpoint" }, { type: "azure-native:network/v20220901:PrivateEndpoint" }, { type: "azure-native:network/v20221101:PrivateEndpoint" }, { type: "azure-native:network/v20230201:PrivateEndpoint" }, { type: "azure-native:network/v20230401:PrivateEndpoint" }, { type: "azure-native:network/v20230501:PrivateEndpoint" }, { type: "azure-native:network/v20230601:PrivateEndpoint" }, { type: "azure-native:network/v20230901:PrivateEndpoint" }, { type: "azure-native:network/v20231101:PrivateEndpoint" }, { type: "azure-native:network/v20240101:PrivateEndpoint" }, { type: "azure-native:network/v20240301:PrivateEndpoint" }, { type: "azure-native:network/v20240501:PrivateEndpoint" }, { type: "azure-native:network:InterfaceEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190201:InterfaceEndpoint" }, { type: "azure-native:network/v20210201:PrivateEndpoint" }, { type: "azure-native:network/v20230201:PrivateEndpoint" }, { type: "azure-native:network/v20230401:PrivateEndpoint" }, { type: "azure-native:network/v20230501:PrivateEndpoint" }, { type: "azure-native:network/v20230601:PrivateEndpoint" }, { type: "azure-native:network/v20230901:PrivateEndpoint" }, { type: "azure-native:network/v20231101:PrivateEndpoint" }, { type: "azure-native:network/v20240101:PrivateEndpoint" }, { type: "azure-native:network/v20240301:PrivateEndpoint" }, { type: "azure-native:network/v20240501:PrivateEndpoint" }, { type: "azure-native:network:InterfaceEndpoint" }, { type: "azure-native_network_v20180801:network:PrivateEndpoint" }, { type: "azure-native_network_v20181001:network:PrivateEndpoint" }, { type: "azure-native_network_v20181101:network:PrivateEndpoint" }, { type: "azure-native_network_v20181201:network:PrivateEndpoint" }, { type: "azure-native_network_v20190201:network:PrivateEndpoint" }, { type: "azure-native_network_v20190401:network:PrivateEndpoint" }, { type: "azure-native_network_v20190601:network:PrivateEndpoint" }, { type: "azure-native_network_v20190701:network:PrivateEndpoint" }, { type: "azure-native_network_v20190801:network:PrivateEndpoint" }, { type: "azure-native_network_v20190901:network:PrivateEndpoint" }, { type: "azure-native_network_v20191101:network:PrivateEndpoint" }, { type: "azure-native_network_v20191201:network:PrivateEndpoint" }, { type: "azure-native_network_v20200301:network:PrivateEndpoint" }, { type: "azure-native_network_v20200401:network:PrivateEndpoint" }, { type: "azure-native_network_v20200501:network:PrivateEndpoint" }, { type: "azure-native_network_v20200601:network:PrivateEndpoint" }, { type: "azure-native_network_v20200701:network:PrivateEndpoint" }, { type: "azure-native_network_v20200801:network:PrivateEndpoint" }, { type: "azure-native_network_v20201101:network:PrivateEndpoint" }, { type: "azure-native_network_v20210201:network:PrivateEndpoint" }, { type: "azure-native_network_v20210301:network:PrivateEndpoint" }, { type: "azure-native_network_v20210501:network:PrivateEndpoint" }, { type: "azure-native_network_v20210801:network:PrivateEndpoint" }, { type: "azure-native_network_v20220101:network:PrivateEndpoint" }, { type: "azure-native_network_v20220501:network:PrivateEndpoint" }, { type: "azure-native_network_v20220701:network:PrivateEndpoint" }, { type: "azure-native_network_v20220901:network:PrivateEndpoint" }, { type: "azure-native_network_v20221101:network:PrivateEndpoint" }, { type: "azure-native_network_v20230201:network:PrivateEndpoint" }, { type: "azure-native_network_v20230401:network:PrivateEndpoint" }, { type: "azure-native_network_v20230501:network:PrivateEndpoint" }, { type: "azure-native_network_v20230601:network:PrivateEndpoint" }, { type: "azure-native_network_v20230901:network:PrivateEndpoint" }, { type: "azure-native_network_v20231101:network:PrivateEndpoint" }, { type: "azure-native_network_v20240101:network:PrivateEndpoint" }, { type: "azure-native_network_v20240301:network:PrivateEndpoint" }, { type: "azure-native_network_v20240501:network:PrivateEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/privateLinkService.ts b/sdk/nodejs/network/privateLinkService.ts index c8f0636213e6..bd2f7f1a16eb 100644 --- a/sdk/nodejs/network/privateLinkService.ts +++ b/sdk/nodejs/network/privateLinkService.ts @@ -170,7 +170,7 @@ export class PrivateLinkService extends pulumi.CustomResource { resourceInputs["visibility"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20190401:PrivateLinkService" }, { type: "azure-native:network/v20190601:PrivateLinkService" }, { type: "azure-native:network/v20190701:PrivateLinkService" }, { type: "azure-native:network/v20190801:PrivateLinkService" }, { type: "azure-native:network/v20190901:PrivateLinkService" }, { type: "azure-native:network/v20191101:PrivateLinkService" }, { type: "azure-native:network/v20191201:PrivateLinkService" }, { type: "azure-native:network/v20200301:PrivateLinkService" }, { type: "azure-native:network/v20200401:PrivateLinkService" }, { type: "azure-native:network/v20200501:PrivateLinkService" }, { type: "azure-native:network/v20200601:PrivateLinkService" }, { type: "azure-native:network/v20200701:PrivateLinkService" }, { type: "azure-native:network/v20200801:PrivateLinkService" }, { type: "azure-native:network/v20201101:PrivateLinkService" }, { type: "azure-native:network/v20210201:PrivateLinkService" }, { type: "azure-native:network/v20210301:PrivateLinkService" }, { type: "azure-native:network/v20210501:PrivateLinkService" }, { type: "azure-native:network/v20210801:PrivateLinkService" }, { type: "azure-native:network/v20220101:PrivateLinkService" }, { type: "azure-native:network/v20220501:PrivateLinkService" }, { type: "azure-native:network/v20220701:PrivateLinkService" }, { type: "azure-native:network/v20220901:PrivateLinkService" }, { type: "azure-native:network/v20221101:PrivateLinkService" }, { type: "azure-native:network/v20230201:PrivateLinkService" }, { type: "azure-native:network/v20230401:PrivateLinkService" }, { type: "azure-native:network/v20230501:PrivateLinkService" }, { type: "azure-native:network/v20230601:PrivateLinkService" }, { type: "azure-native:network/v20230901:PrivateLinkService" }, { type: "azure-native:network/v20231101:PrivateLinkService" }, { type: "azure-native:network/v20240101:PrivateLinkService" }, { type: "azure-native:network/v20240301:PrivateLinkService" }, { type: "azure-native:network/v20240501:PrivateLinkService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190801:PrivateLinkService" }, { type: "azure-native:network/v20210201:PrivateLinkService" }, { type: "azure-native:network/v20230201:PrivateLinkService" }, { type: "azure-native:network/v20230401:PrivateLinkService" }, { type: "azure-native:network/v20230501:PrivateLinkService" }, { type: "azure-native:network/v20230601:PrivateLinkService" }, { type: "azure-native:network/v20230901:PrivateLinkService" }, { type: "azure-native:network/v20231101:PrivateLinkService" }, { type: "azure-native:network/v20240101:PrivateLinkService" }, { type: "azure-native:network/v20240301:PrivateLinkService" }, { type: "azure-native:network/v20240501:PrivateLinkService" }, { type: "azure-native_network_v20190401:network:PrivateLinkService" }, { type: "azure-native_network_v20190601:network:PrivateLinkService" }, { type: "azure-native_network_v20190701:network:PrivateLinkService" }, { type: "azure-native_network_v20190801:network:PrivateLinkService" }, { type: "azure-native_network_v20190901:network:PrivateLinkService" }, { type: "azure-native_network_v20191101:network:PrivateLinkService" }, { type: "azure-native_network_v20191201:network:PrivateLinkService" }, { type: "azure-native_network_v20200301:network:PrivateLinkService" }, { type: "azure-native_network_v20200401:network:PrivateLinkService" }, { type: "azure-native_network_v20200501:network:PrivateLinkService" }, { type: "azure-native_network_v20200601:network:PrivateLinkService" }, { type: "azure-native_network_v20200701:network:PrivateLinkService" }, { type: "azure-native_network_v20200801:network:PrivateLinkService" }, { type: "azure-native_network_v20201101:network:PrivateLinkService" }, { type: "azure-native_network_v20210201:network:PrivateLinkService" }, { type: "azure-native_network_v20210301:network:PrivateLinkService" }, { type: "azure-native_network_v20210501:network:PrivateLinkService" }, { type: "azure-native_network_v20210801:network:PrivateLinkService" }, { type: "azure-native_network_v20220101:network:PrivateLinkService" }, { type: "azure-native_network_v20220501:network:PrivateLinkService" }, { type: "azure-native_network_v20220701:network:PrivateLinkService" }, { type: "azure-native_network_v20220901:network:PrivateLinkService" }, { type: "azure-native_network_v20221101:network:PrivateLinkService" }, { type: "azure-native_network_v20230201:network:PrivateLinkService" }, { type: "azure-native_network_v20230401:network:PrivateLinkService" }, { type: "azure-native_network_v20230501:network:PrivateLinkService" }, { type: "azure-native_network_v20230601:network:PrivateLinkService" }, { type: "azure-native_network_v20230901:network:PrivateLinkService" }, { type: "azure-native_network_v20231101:network:PrivateLinkService" }, { type: "azure-native_network_v20240101:network:PrivateLinkService" }, { type: "azure-native_network_v20240301:network:PrivateLinkService" }, { type: "azure-native_network_v20240501:network:PrivateLinkService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/privateLinkServicePrivateEndpointConnection.ts b/sdk/nodejs/network/privateLinkServicePrivateEndpointConnection.ts index 8695bb231f3d..1806140cfdf3 100644 --- a/sdk/nodejs/network/privateLinkServicePrivateEndpointConnection.ts +++ b/sdk/nodejs/network/privateLinkServicePrivateEndpointConnection.ts @@ -120,7 +120,7 @@ export class PrivateLinkServicePrivateEndpointConnection extends pulumi.CustomRe resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20190901:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20191101:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20191201:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20200301:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20200401:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20200501:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20200601:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20200701:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20200801:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20201101:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20210201:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20210301:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20210501:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20210801:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20220101:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20220501:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20220701:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20220901:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20221101:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20230201:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20230401:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20230501:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20230601:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20230901:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20231101:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20240101:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20240301:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20240501:PrivateLinkServicePrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20230401:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20230501:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20230601:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20230901:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20231101:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20240101:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20240301:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native:network/v20240501:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20190901:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20191101:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20191201:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20200301:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20200401:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20200501:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20200601:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20200701:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20200801:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20201101:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20210201:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20210301:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20210501:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20210801:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20220101:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20220501:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20220701:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20220901:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20221101:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20230201:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20230401:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20230501:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20230601:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20230901:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20231101:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20240101:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20240301:network:PrivateLinkServicePrivateEndpointConnection" }, { type: "azure-native_network_v20240501:network:PrivateLinkServicePrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicePrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/publicIPAddress.ts b/sdk/nodejs/network/publicIPAddress.ts index 04512181ea26..8fcabec4acbc 100644 --- a/sdk/nodejs/network/publicIPAddress.ts +++ b/sdk/nodejs/network/publicIPAddress.ts @@ -212,7 +212,7 @@ export class PublicIPAddress extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:PublicIPAddress" }, { type: "azure-native:network/v20150615:PublicIPAddress" }, { type: "azure-native:network/v20160330:PublicIPAddress" }, { type: "azure-native:network/v20160601:PublicIPAddress" }, { type: "azure-native:network/v20160901:PublicIPAddress" }, { type: "azure-native:network/v20161201:PublicIPAddress" }, { type: "azure-native:network/v20170301:PublicIPAddress" }, { type: "azure-native:network/v20170601:PublicIPAddress" }, { type: "azure-native:network/v20170801:PublicIPAddress" }, { type: "azure-native:network/v20170901:PublicIPAddress" }, { type: "azure-native:network/v20171001:PublicIPAddress" }, { type: "azure-native:network/v20171101:PublicIPAddress" }, { type: "azure-native:network/v20180101:PublicIPAddress" }, { type: "azure-native:network/v20180201:PublicIPAddress" }, { type: "azure-native:network/v20180401:PublicIPAddress" }, { type: "azure-native:network/v20180601:PublicIPAddress" }, { type: "azure-native:network/v20180701:PublicIPAddress" }, { type: "azure-native:network/v20180801:PublicIPAddress" }, { type: "azure-native:network/v20181001:PublicIPAddress" }, { type: "azure-native:network/v20181101:PublicIPAddress" }, { type: "azure-native:network/v20181201:PublicIPAddress" }, { type: "azure-native:network/v20190201:PublicIPAddress" }, { type: "azure-native:network/v20190401:PublicIPAddress" }, { type: "azure-native:network/v20190601:PublicIPAddress" }, { type: "azure-native:network/v20190701:PublicIPAddress" }, { type: "azure-native:network/v20190801:PublicIPAddress" }, { type: "azure-native:network/v20190901:PublicIPAddress" }, { type: "azure-native:network/v20191101:PublicIPAddress" }, { type: "azure-native:network/v20191201:PublicIPAddress" }, { type: "azure-native:network/v20200301:PublicIPAddress" }, { type: "azure-native:network/v20200401:PublicIPAddress" }, { type: "azure-native:network/v20200501:PublicIPAddress" }, { type: "azure-native:network/v20200601:PublicIPAddress" }, { type: "azure-native:network/v20200701:PublicIPAddress" }, { type: "azure-native:network/v20200801:PublicIPAddress" }, { type: "azure-native:network/v20201101:PublicIPAddress" }, { type: "azure-native:network/v20210201:PublicIPAddress" }, { type: "azure-native:network/v20210301:PublicIPAddress" }, { type: "azure-native:network/v20210501:PublicIPAddress" }, { type: "azure-native:network/v20210801:PublicIPAddress" }, { type: "azure-native:network/v20220101:PublicIPAddress" }, { type: "azure-native:network/v20220501:PublicIPAddress" }, { type: "azure-native:network/v20220701:PublicIPAddress" }, { type: "azure-native:network/v20220901:PublicIPAddress" }, { type: "azure-native:network/v20221101:PublicIPAddress" }, { type: "azure-native:network/v20230201:PublicIPAddress" }, { type: "azure-native:network/v20230401:PublicIPAddress" }, { type: "azure-native:network/v20230501:PublicIPAddress" }, { type: "azure-native:network/v20230601:PublicIPAddress" }, { type: "azure-native:network/v20230901:PublicIPAddress" }, { type: "azure-native:network/v20231101:PublicIPAddress" }, { type: "azure-native:network/v20240101:PublicIPAddress" }, { type: "azure-native:network/v20240301:PublicIPAddress" }, { type: "azure-native:network/v20240501:PublicIPAddress" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:PublicIPAddress" }, { type: "azure-native:network/v20190801:PublicIPAddress" }, { type: "azure-native:network/v20230201:PublicIPAddress" }, { type: "azure-native:network/v20230401:PublicIPAddress" }, { type: "azure-native:network/v20230501:PublicIPAddress" }, { type: "azure-native:network/v20230601:PublicIPAddress" }, { type: "azure-native:network/v20230901:PublicIPAddress" }, { type: "azure-native:network/v20231101:PublicIPAddress" }, { type: "azure-native:network/v20240101:PublicIPAddress" }, { type: "azure-native:network/v20240301:PublicIPAddress" }, { type: "azure-native:network/v20240501:PublicIPAddress" }, { type: "azure-native_network_v20150501preview:network:PublicIPAddress" }, { type: "azure-native_network_v20150615:network:PublicIPAddress" }, { type: "azure-native_network_v20160330:network:PublicIPAddress" }, { type: "azure-native_network_v20160601:network:PublicIPAddress" }, { type: "azure-native_network_v20160901:network:PublicIPAddress" }, { type: "azure-native_network_v20161201:network:PublicIPAddress" }, { type: "azure-native_network_v20170301:network:PublicIPAddress" }, { type: "azure-native_network_v20170601:network:PublicIPAddress" }, { type: "azure-native_network_v20170801:network:PublicIPAddress" }, { type: "azure-native_network_v20170901:network:PublicIPAddress" }, { type: "azure-native_network_v20171001:network:PublicIPAddress" }, { type: "azure-native_network_v20171101:network:PublicIPAddress" }, { type: "azure-native_network_v20180101:network:PublicIPAddress" }, { type: "azure-native_network_v20180201:network:PublicIPAddress" }, { type: "azure-native_network_v20180401:network:PublicIPAddress" }, { type: "azure-native_network_v20180601:network:PublicIPAddress" }, { type: "azure-native_network_v20180701:network:PublicIPAddress" }, { type: "azure-native_network_v20180801:network:PublicIPAddress" }, { type: "azure-native_network_v20181001:network:PublicIPAddress" }, { type: "azure-native_network_v20181101:network:PublicIPAddress" }, { type: "azure-native_network_v20181201:network:PublicIPAddress" }, { type: "azure-native_network_v20190201:network:PublicIPAddress" }, { type: "azure-native_network_v20190401:network:PublicIPAddress" }, { type: "azure-native_network_v20190601:network:PublicIPAddress" }, { type: "azure-native_network_v20190701:network:PublicIPAddress" }, { type: "azure-native_network_v20190801:network:PublicIPAddress" }, { type: "azure-native_network_v20190901:network:PublicIPAddress" }, { type: "azure-native_network_v20191101:network:PublicIPAddress" }, { type: "azure-native_network_v20191201:network:PublicIPAddress" }, { type: "azure-native_network_v20200301:network:PublicIPAddress" }, { type: "azure-native_network_v20200401:network:PublicIPAddress" }, { type: "azure-native_network_v20200501:network:PublicIPAddress" }, { type: "azure-native_network_v20200601:network:PublicIPAddress" }, { type: "azure-native_network_v20200701:network:PublicIPAddress" }, { type: "azure-native_network_v20200801:network:PublicIPAddress" }, { type: "azure-native_network_v20201101:network:PublicIPAddress" }, { type: "azure-native_network_v20210201:network:PublicIPAddress" }, { type: "azure-native_network_v20210301:network:PublicIPAddress" }, { type: "azure-native_network_v20210501:network:PublicIPAddress" }, { type: "azure-native_network_v20210801:network:PublicIPAddress" }, { type: "azure-native_network_v20220101:network:PublicIPAddress" }, { type: "azure-native_network_v20220501:network:PublicIPAddress" }, { type: "azure-native_network_v20220701:network:PublicIPAddress" }, { type: "azure-native_network_v20220901:network:PublicIPAddress" }, { type: "azure-native_network_v20221101:network:PublicIPAddress" }, { type: "azure-native_network_v20230201:network:PublicIPAddress" }, { type: "azure-native_network_v20230401:network:PublicIPAddress" }, { type: "azure-native_network_v20230501:network:PublicIPAddress" }, { type: "azure-native_network_v20230601:network:PublicIPAddress" }, { type: "azure-native_network_v20230901:network:PublicIPAddress" }, { type: "azure-native_network_v20231101:network:PublicIPAddress" }, { type: "azure-native_network_v20240101:network:PublicIPAddress" }, { type: "azure-native_network_v20240301:network:PublicIPAddress" }, { type: "azure-native_network_v20240501:network:PublicIPAddress" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PublicIPAddress.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/publicIPPrefix.ts b/sdk/nodejs/network/publicIPPrefix.ts index b6df765e7c1d..91e4c4261356 100644 --- a/sdk/nodejs/network/publicIPPrefix.ts +++ b/sdk/nodejs/network/publicIPPrefix.ts @@ -176,7 +176,7 @@ export class PublicIPPrefix extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180701:PublicIPPrefix" }, { type: "azure-native:network/v20180801:PublicIPPrefix" }, { type: "azure-native:network/v20181001:PublicIPPrefix" }, { type: "azure-native:network/v20181101:PublicIPPrefix" }, { type: "azure-native:network/v20181201:PublicIPPrefix" }, { type: "azure-native:network/v20190201:PublicIPPrefix" }, { type: "azure-native:network/v20190401:PublicIPPrefix" }, { type: "azure-native:network/v20190601:PublicIPPrefix" }, { type: "azure-native:network/v20190701:PublicIPPrefix" }, { type: "azure-native:network/v20190801:PublicIPPrefix" }, { type: "azure-native:network/v20190901:PublicIPPrefix" }, { type: "azure-native:network/v20191101:PublicIPPrefix" }, { type: "azure-native:network/v20191201:PublicIPPrefix" }, { type: "azure-native:network/v20200301:PublicIPPrefix" }, { type: "azure-native:network/v20200401:PublicIPPrefix" }, { type: "azure-native:network/v20200501:PublicIPPrefix" }, { type: "azure-native:network/v20200601:PublicIPPrefix" }, { type: "azure-native:network/v20200701:PublicIPPrefix" }, { type: "azure-native:network/v20200801:PublicIPPrefix" }, { type: "azure-native:network/v20201101:PublicIPPrefix" }, { type: "azure-native:network/v20210201:PublicIPPrefix" }, { type: "azure-native:network/v20210301:PublicIPPrefix" }, { type: "azure-native:network/v20210501:PublicIPPrefix" }, { type: "azure-native:network/v20210801:PublicIPPrefix" }, { type: "azure-native:network/v20220101:PublicIPPrefix" }, { type: "azure-native:network/v20220501:PublicIPPrefix" }, { type: "azure-native:network/v20220701:PublicIPPrefix" }, { type: "azure-native:network/v20220901:PublicIPPrefix" }, { type: "azure-native:network/v20221101:PublicIPPrefix" }, { type: "azure-native:network/v20230201:PublicIPPrefix" }, { type: "azure-native:network/v20230401:PublicIPPrefix" }, { type: "azure-native:network/v20230501:PublicIPPrefix" }, { type: "azure-native:network/v20230601:PublicIPPrefix" }, { type: "azure-native:network/v20230901:PublicIPPrefix" }, { type: "azure-native:network/v20231101:PublicIPPrefix" }, { type: "azure-native:network/v20240101:PublicIPPrefix" }, { type: "azure-native:network/v20240301:PublicIPPrefix" }, { type: "azure-native:network/v20240501:PublicIPPrefix" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:PublicIPPrefix" }, { type: "azure-native:network/v20190801:PublicIPPrefix" }, { type: "azure-native:network/v20230201:PublicIPPrefix" }, { type: "azure-native:network/v20230401:PublicIPPrefix" }, { type: "azure-native:network/v20230501:PublicIPPrefix" }, { type: "azure-native:network/v20230601:PublicIPPrefix" }, { type: "azure-native:network/v20230901:PublicIPPrefix" }, { type: "azure-native:network/v20231101:PublicIPPrefix" }, { type: "azure-native:network/v20240101:PublicIPPrefix" }, { type: "azure-native:network/v20240301:PublicIPPrefix" }, { type: "azure-native:network/v20240501:PublicIPPrefix" }, { type: "azure-native_network_v20180701:network:PublicIPPrefix" }, { type: "azure-native_network_v20180801:network:PublicIPPrefix" }, { type: "azure-native_network_v20181001:network:PublicIPPrefix" }, { type: "azure-native_network_v20181101:network:PublicIPPrefix" }, { type: "azure-native_network_v20181201:network:PublicIPPrefix" }, { type: "azure-native_network_v20190201:network:PublicIPPrefix" }, { type: "azure-native_network_v20190401:network:PublicIPPrefix" }, { type: "azure-native_network_v20190601:network:PublicIPPrefix" }, { type: "azure-native_network_v20190701:network:PublicIPPrefix" }, { type: "azure-native_network_v20190801:network:PublicIPPrefix" }, { type: "azure-native_network_v20190901:network:PublicIPPrefix" }, { type: "azure-native_network_v20191101:network:PublicIPPrefix" }, { type: "azure-native_network_v20191201:network:PublicIPPrefix" }, { type: "azure-native_network_v20200301:network:PublicIPPrefix" }, { type: "azure-native_network_v20200401:network:PublicIPPrefix" }, { type: "azure-native_network_v20200501:network:PublicIPPrefix" }, { type: "azure-native_network_v20200601:network:PublicIPPrefix" }, { type: "azure-native_network_v20200701:network:PublicIPPrefix" }, { type: "azure-native_network_v20200801:network:PublicIPPrefix" }, { type: "azure-native_network_v20201101:network:PublicIPPrefix" }, { type: "azure-native_network_v20210201:network:PublicIPPrefix" }, { type: "azure-native_network_v20210301:network:PublicIPPrefix" }, { type: "azure-native_network_v20210501:network:PublicIPPrefix" }, { type: "azure-native_network_v20210801:network:PublicIPPrefix" }, { type: "azure-native_network_v20220101:network:PublicIPPrefix" }, { type: "azure-native_network_v20220501:network:PublicIPPrefix" }, { type: "azure-native_network_v20220701:network:PublicIPPrefix" }, { type: "azure-native_network_v20220901:network:PublicIPPrefix" }, { type: "azure-native_network_v20221101:network:PublicIPPrefix" }, { type: "azure-native_network_v20230201:network:PublicIPPrefix" }, { type: "azure-native_network_v20230401:network:PublicIPPrefix" }, { type: "azure-native_network_v20230501:network:PublicIPPrefix" }, { type: "azure-native_network_v20230601:network:PublicIPPrefix" }, { type: "azure-native_network_v20230901:network:PublicIPPrefix" }, { type: "azure-native_network_v20231101:network:PublicIPPrefix" }, { type: "azure-native_network_v20240101:network:PublicIPPrefix" }, { type: "azure-native_network_v20240301:network:PublicIPPrefix" }, { type: "azure-native_network_v20240501:network:PublicIPPrefix" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PublicIPPrefix.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/reachabilityAnalysisIntent.ts b/sdk/nodejs/network/reachabilityAnalysisIntent.ts index 766288c870ec..fb2261339a3a 100644 --- a/sdk/nodejs/network/reachabilityAnalysisIntent.ts +++ b/sdk/nodejs/network/reachabilityAnalysisIntent.ts @@ -102,7 +102,7 @@ export class ReachabilityAnalysisIntent extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20240101preview:ReachabilityAnalysisIntent" }, { type: "azure-native:network/v20240501:ReachabilityAnalysisIntent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20240101preview:ReachabilityAnalysisIntent" }, { type: "azure-native:network/v20240501:ReachabilityAnalysisIntent" }, { type: "azure-native_network_v20240101preview:network:ReachabilityAnalysisIntent" }, { type: "azure-native_network_v20240501:network:ReachabilityAnalysisIntent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReachabilityAnalysisIntent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/reachabilityAnalysisRun.ts b/sdk/nodejs/network/reachabilityAnalysisRun.ts index 565d3d05d4d7..6c6e1b95aa6b 100644 --- a/sdk/nodejs/network/reachabilityAnalysisRun.ts +++ b/sdk/nodejs/network/reachabilityAnalysisRun.ts @@ -102,7 +102,7 @@ export class ReachabilityAnalysisRun extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20240101preview:ReachabilityAnalysisRun" }, { type: "azure-native:network/v20240501:ReachabilityAnalysisRun" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20240101preview:ReachabilityAnalysisRun" }, { type: "azure-native:network/v20240501:ReachabilityAnalysisRun" }, { type: "azure-native_network_v20240101preview:network:ReachabilityAnalysisRun" }, { type: "azure-native_network_v20240501:network:ReachabilityAnalysisRun" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReachabilityAnalysisRun.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/route.ts b/sdk/nodejs/network/route.ts index c79e3a590a99..9621856a3b1a 100644 --- a/sdk/nodejs/network/route.ts +++ b/sdk/nodejs/network/route.ts @@ -123,7 +123,7 @@ export class Route extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:Route" }, { type: "azure-native:network/v20150615:Route" }, { type: "azure-native:network/v20160330:Route" }, { type: "azure-native:network/v20160601:Route" }, { type: "azure-native:network/v20160901:Route" }, { type: "azure-native:network/v20161201:Route" }, { type: "azure-native:network/v20170301:Route" }, { type: "azure-native:network/v20170601:Route" }, { type: "azure-native:network/v20170801:Route" }, { type: "azure-native:network/v20170901:Route" }, { type: "azure-native:network/v20171001:Route" }, { type: "azure-native:network/v20171101:Route" }, { type: "azure-native:network/v20180101:Route" }, { type: "azure-native:network/v20180201:Route" }, { type: "azure-native:network/v20180401:Route" }, { type: "azure-native:network/v20180601:Route" }, { type: "azure-native:network/v20180701:Route" }, { type: "azure-native:network/v20180801:Route" }, { type: "azure-native:network/v20181001:Route" }, { type: "azure-native:network/v20181101:Route" }, { type: "azure-native:network/v20181201:Route" }, { type: "azure-native:network/v20190201:Route" }, { type: "azure-native:network/v20190401:Route" }, { type: "azure-native:network/v20190601:Route" }, { type: "azure-native:network/v20190701:Route" }, { type: "azure-native:network/v20190801:Route" }, { type: "azure-native:network/v20190901:Route" }, { type: "azure-native:network/v20191101:Route" }, { type: "azure-native:network/v20191201:Route" }, { type: "azure-native:network/v20200301:Route" }, { type: "azure-native:network/v20200401:Route" }, { type: "azure-native:network/v20200501:Route" }, { type: "azure-native:network/v20200601:Route" }, { type: "azure-native:network/v20200701:Route" }, { type: "azure-native:network/v20200801:Route" }, { type: "azure-native:network/v20201101:Route" }, { type: "azure-native:network/v20210201:Route" }, { type: "azure-native:network/v20210301:Route" }, { type: "azure-native:network/v20210501:Route" }, { type: "azure-native:network/v20210801:Route" }, { type: "azure-native:network/v20220101:Route" }, { type: "azure-native:network/v20220501:Route" }, { type: "azure-native:network/v20220701:Route" }, { type: "azure-native:network/v20220901:Route" }, { type: "azure-native:network/v20221101:Route" }, { type: "azure-native:network/v20230201:Route" }, { type: "azure-native:network/v20230401:Route" }, { type: "azure-native:network/v20230501:Route" }, { type: "azure-native:network/v20230601:Route" }, { type: "azure-native:network/v20230901:Route" }, { type: "azure-native:network/v20231101:Route" }, { type: "azure-native:network/v20240101:Route" }, { type: "azure-native:network/v20240301:Route" }, { type: "azure-native:network/v20240501:Route" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:Route" }, { type: "azure-native:network/v20230201:Route" }, { type: "azure-native:network/v20230401:Route" }, { type: "azure-native:network/v20230501:Route" }, { type: "azure-native:network/v20230601:Route" }, { type: "azure-native:network/v20230901:Route" }, { type: "azure-native:network/v20231101:Route" }, { type: "azure-native:network/v20240101:Route" }, { type: "azure-native:network/v20240301:Route" }, { type: "azure-native:network/v20240501:Route" }, { type: "azure-native_network_v20150501preview:network:Route" }, { type: "azure-native_network_v20150615:network:Route" }, { type: "azure-native_network_v20160330:network:Route" }, { type: "azure-native_network_v20160601:network:Route" }, { type: "azure-native_network_v20160901:network:Route" }, { type: "azure-native_network_v20161201:network:Route" }, { type: "azure-native_network_v20170301:network:Route" }, { type: "azure-native_network_v20170601:network:Route" }, { type: "azure-native_network_v20170801:network:Route" }, { type: "azure-native_network_v20170901:network:Route" }, { type: "azure-native_network_v20171001:network:Route" }, { type: "azure-native_network_v20171101:network:Route" }, { type: "azure-native_network_v20180101:network:Route" }, { type: "azure-native_network_v20180201:network:Route" }, { type: "azure-native_network_v20180401:network:Route" }, { type: "azure-native_network_v20180601:network:Route" }, { type: "azure-native_network_v20180701:network:Route" }, { type: "azure-native_network_v20180801:network:Route" }, { type: "azure-native_network_v20181001:network:Route" }, { type: "azure-native_network_v20181101:network:Route" }, { type: "azure-native_network_v20181201:network:Route" }, { type: "azure-native_network_v20190201:network:Route" }, { type: "azure-native_network_v20190401:network:Route" }, { type: "azure-native_network_v20190601:network:Route" }, { type: "azure-native_network_v20190701:network:Route" }, { type: "azure-native_network_v20190801:network:Route" }, { type: "azure-native_network_v20190901:network:Route" }, { type: "azure-native_network_v20191101:network:Route" }, { type: "azure-native_network_v20191201:network:Route" }, { type: "azure-native_network_v20200301:network:Route" }, { type: "azure-native_network_v20200401:network:Route" }, { type: "azure-native_network_v20200501:network:Route" }, { type: "azure-native_network_v20200601:network:Route" }, { type: "azure-native_network_v20200701:network:Route" }, { type: "azure-native_network_v20200801:network:Route" }, { type: "azure-native_network_v20201101:network:Route" }, { type: "azure-native_network_v20210201:network:Route" }, { type: "azure-native_network_v20210301:network:Route" }, { type: "azure-native_network_v20210501:network:Route" }, { type: "azure-native_network_v20210801:network:Route" }, { type: "azure-native_network_v20220101:network:Route" }, { type: "azure-native_network_v20220501:network:Route" }, { type: "azure-native_network_v20220701:network:Route" }, { type: "azure-native_network_v20220901:network:Route" }, { type: "azure-native_network_v20221101:network:Route" }, { type: "azure-native_network_v20230201:network:Route" }, { type: "azure-native_network_v20230401:network:Route" }, { type: "azure-native_network_v20230501:network:Route" }, { type: "azure-native_network_v20230601:network:Route" }, { type: "azure-native_network_v20230901:network:Route" }, { type: "azure-native_network_v20231101:network:Route" }, { type: "azure-native_network_v20240101:network:Route" }, { type: "azure-native_network_v20240301:network:Route" }, { type: "azure-native_network_v20240501:network:Route" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Route.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/routeFilter.ts b/sdk/nodejs/network/routeFilter.ts index 58d37a5929a5..71e9ac180255 100644 --- a/sdk/nodejs/network/routeFilter.ts +++ b/sdk/nodejs/network/routeFilter.ts @@ -122,7 +122,7 @@ export class RouteFilter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20161201:RouteFilter" }, { type: "azure-native:network/v20170301:RouteFilter" }, { type: "azure-native:network/v20170601:RouteFilter" }, { type: "azure-native:network/v20170801:RouteFilter" }, { type: "azure-native:network/v20170901:RouteFilter" }, { type: "azure-native:network/v20171001:RouteFilter" }, { type: "azure-native:network/v20171101:RouteFilter" }, { type: "azure-native:network/v20180101:RouteFilter" }, { type: "azure-native:network/v20180201:RouteFilter" }, { type: "azure-native:network/v20180401:RouteFilter" }, { type: "azure-native:network/v20180601:RouteFilter" }, { type: "azure-native:network/v20180701:RouteFilter" }, { type: "azure-native:network/v20180801:RouteFilter" }, { type: "azure-native:network/v20181001:RouteFilter" }, { type: "azure-native:network/v20181101:RouteFilter" }, { type: "azure-native:network/v20181201:RouteFilter" }, { type: "azure-native:network/v20190201:RouteFilter" }, { type: "azure-native:network/v20190401:RouteFilter" }, { type: "azure-native:network/v20190601:RouteFilter" }, { type: "azure-native:network/v20190701:RouteFilter" }, { type: "azure-native:network/v20190801:RouteFilter" }, { type: "azure-native:network/v20190901:RouteFilter" }, { type: "azure-native:network/v20191101:RouteFilter" }, { type: "azure-native:network/v20191201:RouteFilter" }, { type: "azure-native:network/v20200301:RouteFilter" }, { type: "azure-native:network/v20200401:RouteFilter" }, { type: "azure-native:network/v20200501:RouteFilter" }, { type: "azure-native:network/v20200601:RouteFilter" }, { type: "azure-native:network/v20200701:RouteFilter" }, { type: "azure-native:network/v20200801:RouteFilter" }, { type: "azure-native:network/v20201101:RouteFilter" }, { type: "azure-native:network/v20210201:RouteFilter" }, { type: "azure-native:network/v20210301:RouteFilter" }, { type: "azure-native:network/v20210501:RouteFilter" }, { type: "azure-native:network/v20210801:RouteFilter" }, { type: "azure-native:network/v20220101:RouteFilter" }, { type: "azure-native:network/v20220501:RouteFilter" }, { type: "azure-native:network/v20220701:RouteFilter" }, { type: "azure-native:network/v20220901:RouteFilter" }, { type: "azure-native:network/v20221101:RouteFilter" }, { type: "azure-native:network/v20230201:RouteFilter" }, { type: "azure-native:network/v20230401:RouteFilter" }, { type: "azure-native:network/v20230501:RouteFilter" }, { type: "azure-native:network/v20230601:RouteFilter" }, { type: "azure-native:network/v20230901:RouteFilter" }, { type: "azure-native:network/v20231101:RouteFilter" }, { type: "azure-native:network/v20240101:RouteFilter" }, { type: "azure-native:network/v20240301:RouteFilter" }, { type: "azure-native:network/v20240501:RouteFilter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190801:RouteFilter" }, { type: "azure-native:network/v20230201:RouteFilter" }, { type: "azure-native:network/v20230401:RouteFilter" }, { type: "azure-native:network/v20230501:RouteFilter" }, { type: "azure-native:network/v20230601:RouteFilter" }, { type: "azure-native:network/v20230901:RouteFilter" }, { type: "azure-native:network/v20231101:RouteFilter" }, { type: "azure-native:network/v20240101:RouteFilter" }, { type: "azure-native:network/v20240301:RouteFilter" }, { type: "azure-native:network/v20240501:RouteFilter" }, { type: "azure-native_network_v20161201:network:RouteFilter" }, { type: "azure-native_network_v20170301:network:RouteFilter" }, { type: "azure-native_network_v20170601:network:RouteFilter" }, { type: "azure-native_network_v20170801:network:RouteFilter" }, { type: "azure-native_network_v20170901:network:RouteFilter" }, { type: "azure-native_network_v20171001:network:RouteFilter" }, { type: "azure-native_network_v20171101:network:RouteFilter" }, { type: "azure-native_network_v20180101:network:RouteFilter" }, { type: "azure-native_network_v20180201:network:RouteFilter" }, { type: "azure-native_network_v20180401:network:RouteFilter" }, { type: "azure-native_network_v20180601:network:RouteFilter" }, { type: "azure-native_network_v20180701:network:RouteFilter" }, { type: "azure-native_network_v20180801:network:RouteFilter" }, { type: "azure-native_network_v20181001:network:RouteFilter" }, { type: "azure-native_network_v20181101:network:RouteFilter" }, { type: "azure-native_network_v20181201:network:RouteFilter" }, { type: "azure-native_network_v20190201:network:RouteFilter" }, { type: "azure-native_network_v20190401:network:RouteFilter" }, { type: "azure-native_network_v20190601:network:RouteFilter" }, { type: "azure-native_network_v20190701:network:RouteFilter" }, { type: "azure-native_network_v20190801:network:RouteFilter" }, { type: "azure-native_network_v20190901:network:RouteFilter" }, { type: "azure-native_network_v20191101:network:RouteFilter" }, { type: "azure-native_network_v20191201:network:RouteFilter" }, { type: "azure-native_network_v20200301:network:RouteFilter" }, { type: "azure-native_network_v20200401:network:RouteFilter" }, { type: "azure-native_network_v20200501:network:RouteFilter" }, { type: "azure-native_network_v20200601:network:RouteFilter" }, { type: "azure-native_network_v20200701:network:RouteFilter" }, { type: "azure-native_network_v20200801:network:RouteFilter" }, { type: "azure-native_network_v20201101:network:RouteFilter" }, { type: "azure-native_network_v20210201:network:RouteFilter" }, { type: "azure-native_network_v20210301:network:RouteFilter" }, { type: "azure-native_network_v20210501:network:RouteFilter" }, { type: "azure-native_network_v20210801:network:RouteFilter" }, { type: "azure-native_network_v20220101:network:RouteFilter" }, { type: "azure-native_network_v20220501:network:RouteFilter" }, { type: "azure-native_network_v20220701:network:RouteFilter" }, { type: "azure-native_network_v20220901:network:RouteFilter" }, { type: "azure-native_network_v20221101:network:RouteFilter" }, { type: "azure-native_network_v20230201:network:RouteFilter" }, { type: "azure-native_network_v20230401:network:RouteFilter" }, { type: "azure-native_network_v20230501:network:RouteFilter" }, { type: "azure-native_network_v20230601:network:RouteFilter" }, { type: "azure-native_network_v20230901:network:RouteFilter" }, { type: "azure-native_network_v20231101:network:RouteFilter" }, { type: "azure-native_network_v20240101:network:RouteFilter" }, { type: "azure-native_network_v20240301:network:RouteFilter" }, { type: "azure-native_network_v20240501:network:RouteFilter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RouteFilter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/routeFilterRule.ts b/sdk/nodejs/network/routeFilterRule.ts index 5f017ce4e950..9fb0e9bd02a2 100644 --- a/sdk/nodejs/network/routeFilterRule.ts +++ b/sdk/nodejs/network/routeFilterRule.ts @@ -123,7 +123,7 @@ export class RouteFilterRule extends pulumi.CustomResource { resourceInputs["routeFilterRuleType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20161201:RouteFilterRule" }, { type: "azure-native:network/v20170301:RouteFilterRule" }, { type: "azure-native:network/v20170601:RouteFilterRule" }, { type: "azure-native:network/v20170801:RouteFilterRule" }, { type: "azure-native:network/v20170901:RouteFilterRule" }, { type: "azure-native:network/v20171001:RouteFilterRule" }, { type: "azure-native:network/v20171101:RouteFilterRule" }, { type: "azure-native:network/v20180101:RouteFilterRule" }, { type: "azure-native:network/v20180201:RouteFilterRule" }, { type: "azure-native:network/v20180401:RouteFilterRule" }, { type: "azure-native:network/v20180601:RouteFilterRule" }, { type: "azure-native:network/v20180701:RouteFilterRule" }, { type: "azure-native:network/v20180801:RouteFilterRule" }, { type: "azure-native:network/v20181001:RouteFilterRule" }, { type: "azure-native:network/v20181101:RouteFilterRule" }, { type: "azure-native:network/v20181201:RouteFilterRule" }, { type: "azure-native:network/v20190201:RouteFilterRule" }, { type: "azure-native:network/v20190401:RouteFilterRule" }, { type: "azure-native:network/v20190601:RouteFilterRule" }, { type: "azure-native:network/v20190701:RouteFilterRule" }, { type: "azure-native:network/v20190801:RouteFilterRule" }, { type: "azure-native:network/v20190901:RouteFilterRule" }, { type: "azure-native:network/v20191101:RouteFilterRule" }, { type: "azure-native:network/v20191201:RouteFilterRule" }, { type: "azure-native:network/v20200301:RouteFilterRule" }, { type: "azure-native:network/v20200401:RouteFilterRule" }, { type: "azure-native:network/v20200501:RouteFilterRule" }, { type: "azure-native:network/v20200601:RouteFilterRule" }, { type: "azure-native:network/v20200701:RouteFilterRule" }, { type: "azure-native:network/v20200801:RouteFilterRule" }, { type: "azure-native:network/v20201101:RouteFilterRule" }, { type: "azure-native:network/v20210201:RouteFilterRule" }, { type: "azure-native:network/v20210301:RouteFilterRule" }, { type: "azure-native:network/v20210501:RouteFilterRule" }, { type: "azure-native:network/v20210801:RouteFilterRule" }, { type: "azure-native:network/v20220101:RouteFilterRule" }, { type: "azure-native:network/v20220501:RouteFilterRule" }, { type: "azure-native:network/v20220701:RouteFilterRule" }, { type: "azure-native:network/v20220901:RouteFilterRule" }, { type: "azure-native:network/v20221101:RouteFilterRule" }, { type: "azure-native:network/v20230201:RouteFilterRule" }, { type: "azure-native:network/v20230401:RouteFilterRule" }, { type: "azure-native:network/v20230501:RouteFilterRule" }, { type: "azure-native:network/v20230601:RouteFilterRule" }, { type: "azure-native:network/v20230901:RouteFilterRule" }, { type: "azure-native:network/v20231101:RouteFilterRule" }, { type: "azure-native:network/v20240101:RouteFilterRule" }, { type: "azure-native:network/v20240301:RouteFilterRule" }, { type: "azure-native:network/v20240501:RouteFilterRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:RouteFilterRule" }, { type: "azure-native:network/v20230401:RouteFilterRule" }, { type: "azure-native:network/v20230501:RouteFilterRule" }, { type: "azure-native:network/v20230601:RouteFilterRule" }, { type: "azure-native:network/v20230901:RouteFilterRule" }, { type: "azure-native:network/v20231101:RouteFilterRule" }, { type: "azure-native:network/v20240101:RouteFilterRule" }, { type: "azure-native:network/v20240301:RouteFilterRule" }, { type: "azure-native:network/v20240501:RouteFilterRule" }, { type: "azure-native_network_v20161201:network:RouteFilterRule" }, { type: "azure-native_network_v20170301:network:RouteFilterRule" }, { type: "azure-native_network_v20170601:network:RouteFilterRule" }, { type: "azure-native_network_v20170801:network:RouteFilterRule" }, { type: "azure-native_network_v20170901:network:RouteFilterRule" }, { type: "azure-native_network_v20171001:network:RouteFilterRule" }, { type: "azure-native_network_v20171101:network:RouteFilterRule" }, { type: "azure-native_network_v20180101:network:RouteFilterRule" }, { type: "azure-native_network_v20180201:network:RouteFilterRule" }, { type: "azure-native_network_v20180401:network:RouteFilterRule" }, { type: "azure-native_network_v20180601:network:RouteFilterRule" }, { type: "azure-native_network_v20180701:network:RouteFilterRule" }, { type: "azure-native_network_v20180801:network:RouteFilterRule" }, { type: "azure-native_network_v20181001:network:RouteFilterRule" }, { type: "azure-native_network_v20181101:network:RouteFilterRule" }, { type: "azure-native_network_v20181201:network:RouteFilterRule" }, { type: "azure-native_network_v20190201:network:RouteFilterRule" }, { type: "azure-native_network_v20190401:network:RouteFilterRule" }, { type: "azure-native_network_v20190601:network:RouteFilterRule" }, { type: "azure-native_network_v20190701:network:RouteFilterRule" }, { type: "azure-native_network_v20190801:network:RouteFilterRule" }, { type: "azure-native_network_v20190901:network:RouteFilterRule" }, { type: "azure-native_network_v20191101:network:RouteFilterRule" }, { type: "azure-native_network_v20191201:network:RouteFilterRule" }, { type: "azure-native_network_v20200301:network:RouteFilterRule" }, { type: "azure-native_network_v20200401:network:RouteFilterRule" }, { type: "azure-native_network_v20200501:network:RouteFilterRule" }, { type: "azure-native_network_v20200601:network:RouteFilterRule" }, { type: "azure-native_network_v20200701:network:RouteFilterRule" }, { type: "azure-native_network_v20200801:network:RouteFilterRule" }, { type: "azure-native_network_v20201101:network:RouteFilterRule" }, { type: "azure-native_network_v20210201:network:RouteFilterRule" }, { type: "azure-native_network_v20210301:network:RouteFilterRule" }, { type: "azure-native_network_v20210501:network:RouteFilterRule" }, { type: "azure-native_network_v20210801:network:RouteFilterRule" }, { type: "azure-native_network_v20220101:network:RouteFilterRule" }, { type: "azure-native_network_v20220501:network:RouteFilterRule" }, { type: "azure-native_network_v20220701:network:RouteFilterRule" }, { type: "azure-native_network_v20220901:network:RouteFilterRule" }, { type: "azure-native_network_v20221101:network:RouteFilterRule" }, { type: "azure-native_network_v20230201:network:RouteFilterRule" }, { type: "azure-native_network_v20230401:network:RouteFilterRule" }, { type: "azure-native_network_v20230501:network:RouteFilterRule" }, { type: "azure-native_network_v20230601:network:RouteFilterRule" }, { type: "azure-native_network_v20230901:network:RouteFilterRule" }, { type: "azure-native_network_v20231101:network:RouteFilterRule" }, { type: "azure-native_network_v20240101:network:RouteFilterRule" }, { type: "azure-native_network_v20240301:network:RouteFilterRule" }, { type: "azure-native_network_v20240501:network:RouteFilterRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RouteFilterRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/routeMap.ts b/sdk/nodejs/network/routeMap.ts index 2bff1a6a8cb4..c5b25363981a 100644 --- a/sdk/nodejs/network/routeMap.ts +++ b/sdk/nodejs/network/routeMap.ts @@ -114,7 +114,7 @@ export class RouteMap extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20220501:RouteMap" }, { type: "azure-native:network/v20220701:RouteMap" }, { type: "azure-native:network/v20220901:RouteMap" }, { type: "azure-native:network/v20221101:RouteMap" }, { type: "azure-native:network/v20230201:RouteMap" }, { type: "azure-native:network/v20230401:RouteMap" }, { type: "azure-native:network/v20230501:RouteMap" }, { type: "azure-native:network/v20230601:RouteMap" }, { type: "azure-native:network/v20230901:RouteMap" }, { type: "azure-native:network/v20231101:RouteMap" }, { type: "azure-native:network/v20240101:RouteMap" }, { type: "azure-native:network/v20240301:RouteMap" }, { type: "azure-native:network/v20240501:RouteMap" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:RouteMap" }, { type: "azure-native:network/v20230401:RouteMap" }, { type: "azure-native:network/v20230501:RouteMap" }, { type: "azure-native:network/v20230601:RouteMap" }, { type: "azure-native:network/v20230901:RouteMap" }, { type: "azure-native:network/v20231101:RouteMap" }, { type: "azure-native:network/v20240101:RouteMap" }, { type: "azure-native:network/v20240301:RouteMap" }, { type: "azure-native:network/v20240501:RouteMap" }, { type: "azure-native_network_v20220501:network:RouteMap" }, { type: "azure-native_network_v20220701:network:RouteMap" }, { type: "azure-native_network_v20220901:network:RouteMap" }, { type: "azure-native_network_v20221101:network:RouteMap" }, { type: "azure-native_network_v20230201:network:RouteMap" }, { type: "azure-native_network_v20230401:network:RouteMap" }, { type: "azure-native_network_v20230501:network:RouteMap" }, { type: "azure-native_network_v20230601:network:RouteMap" }, { type: "azure-native_network_v20230901:network:RouteMap" }, { type: "azure-native_network_v20231101:network:RouteMap" }, { type: "azure-native_network_v20240101:network:RouteMap" }, { type: "azure-native_network_v20240301:network:RouteMap" }, { type: "azure-native_network_v20240501:network:RouteMap" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RouteMap.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/routeTable.ts b/sdk/nodejs/network/routeTable.ts index 38548c0635a4..8eed9cf7ee2e 100644 --- a/sdk/nodejs/network/routeTable.ts +++ b/sdk/nodejs/network/routeTable.ts @@ -128,7 +128,7 @@ export class RouteTable extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:RouteTable" }, { type: "azure-native:network/v20150615:RouteTable" }, { type: "azure-native:network/v20160330:RouteTable" }, { type: "azure-native:network/v20160601:RouteTable" }, { type: "azure-native:network/v20160901:RouteTable" }, { type: "azure-native:network/v20161201:RouteTable" }, { type: "azure-native:network/v20170301:RouteTable" }, { type: "azure-native:network/v20170601:RouteTable" }, { type: "azure-native:network/v20170801:RouteTable" }, { type: "azure-native:network/v20170901:RouteTable" }, { type: "azure-native:network/v20171001:RouteTable" }, { type: "azure-native:network/v20171101:RouteTable" }, { type: "azure-native:network/v20180101:RouteTable" }, { type: "azure-native:network/v20180201:RouteTable" }, { type: "azure-native:network/v20180401:RouteTable" }, { type: "azure-native:network/v20180601:RouteTable" }, { type: "azure-native:network/v20180701:RouteTable" }, { type: "azure-native:network/v20180801:RouteTable" }, { type: "azure-native:network/v20181001:RouteTable" }, { type: "azure-native:network/v20181101:RouteTable" }, { type: "azure-native:network/v20181201:RouteTable" }, { type: "azure-native:network/v20190201:RouteTable" }, { type: "azure-native:network/v20190401:RouteTable" }, { type: "azure-native:network/v20190601:RouteTable" }, { type: "azure-native:network/v20190701:RouteTable" }, { type: "azure-native:network/v20190801:RouteTable" }, { type: "azure-native:network/v20190901:RouteTable" }, { type: "azure-native:network/v20191101:RouteTable" }, { type: "azure-native:network/v20191201:RouteTable" }, { type: "azure-native:network/v20200301:RouteTable" }, { type: "azure-native:network/v20200401:RouteTable" }, { type: "azure-native:network/v20200501:RouteTable" }, { type: "azure-native:network/v20200601:RouteTable" }, { type: "azure-native:network/v20200701:RouteTable" }, { type: "azure-native:network/v20200801:RouteTable" }, { type: "azure-native:network/v20201101:RouteTable" }, { type: "azure-native:network/v20210201:RouteTable" }, { type: "azure-native:network/v20210301:RouteTable" }, { type: "azure-native:network/v20210501:RouteTable" }, { type: "azure-native:network/v20210801:RouteTable" }, { type: "azure-native:network/v20220101:RouteTable" }, { type: "azure-native:network/v20220501:RouteTable" }, { type: "azure-native:network/v20220701:RouteTable" }, { type: "azure-native:network/v20220901:RouteTable" }, { type: "azure-native:network/v20221101:RouteTable" }, { type: "azure-native:network/v20230201:RouteTable" }, { type: "azure-native:network/v20230401:RouteTable" }, { type: "azure-native:network/v20230501:RouteTable" }, { type: "azure-native:network/v20230601:RouteTable" }, { type: "azure-native:network/v20230901:RouteTable" }, { type: "azure-native:network/v20231101:RouteTable" }, { type: "azure-native:network/v20240101:RouteTable" }, { type: "azure-native:network/v20240301:RouteTable" }, { type: "azure-native:network/v20240501:RouteTable" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:RouteTable" }, { type: "azure-native:network/v20230201:RouteTable" }, { type: "azure-native:network/v20230401:RouteTable" }, { type: "azure-native:network/v20230501:RouteTable" }, { type: "azure-native:network/v20230601:RouteTable" }, { type: "azure-native:network/v20230901:RouteTable" }, { type: "azure-native:network/v20231101:RouteTable" }, { type: "azure-native:network/v20240101:RouteTable" }, { type: "azure-native:network/v20240301:RouteTable" }, { type: "azure-native:network/v20240501:RouteTable" }, { type: "azure-native_network_v20150501preview:network:RouteTable" }, { type: "azure-native_network_v20150615:network:RouteTable" }, { type: "azure-native_network_v20160330:network:RouteTable" }, { type: "azure-native_network_v20160601:network:RouteTable" }, { type: "azure-native_network_v20160901:network:RouteTable" }, { type: "azure-native_network_v20161201:network:RouteTable" }, { type: "azure-native_network_v20170301:network:RouteTable" }, { type: "azure-native_network_v20170601:network:RouteTable" }, { type: "azure-native_network_v20170801:network:RouteTable" }, { type: "azure-native_network_v20170901:network:RouteTable" }, { type: "azure-native_network_v20171001:network:RouteTable" }, { type: "azure-native_network_v20171101:network:RouteTable" }, { type: "azure-native_network_v20180101:network:RouteTable" }, { type: "azure-native_network_v20180201:network:RouteTable" }, { type: "azure-native_network_v20180401:network:RouteTable" }, { type: "azure-native_network_v20180601:network:RouteTable" }, { type: "azure-native_network_v20180701:network:RouteTable" }, { type: "azure-native_network_v20180801:network:RouteTable" }, { type: "azure-native_network_v20181001:network:RouteTable" }, { type: "azure-native_network_v20181101:network:RouteTable" }, { type: "azure-native_network_v20181201:network:RouteTable" }, { type: "azure-native_network_v20190201:network:RouteTable" }, { type: "azure-native_network_v20190401:network:RouteTable" }, { type: "azure-native_network_v20190601:network:RouteTable" }, { type: "azure-native_network_v20190701:network:RouteTable" }, { type: "azure-native_network_v20190801:network:RouteTable" }, { type: "azure-native_network_v20190901:network:RouteTable" }, { type: "azure-native_network_v20191101:network:RouteTable" }, { type: "azure-native_network_v20191201:network:RouteTable" }, { type: "azure-native_network_v20200301:network:RouteTable" }, { type: "azure-native_network_v20200401:network:RouteTable" }, { type: "azure-native_network_v20200501:network:RouteTable" }, { type: "azure-native_network_v20200601:network:RouteTable" }, { type: "azure-native_network_v20200701:network:RouteTable" }, { type: "azure-native_network_v20200801:network:RouteTable" }, { type: "azure-native_network_v20201101:network:RouteTable" }, { type: "azure-native_network_v20210201:network:RouteTable" }, { type: "azure-native_network_v20210301:network:RouteTable" }, { type: "azure-native_network_v20210501:network:RouteTable" }, { type: "azure-native_network_v20210801:network:RouteTable" }, { type: "azure-native_network_v20220101:network:RouteTable" }, { type: "azure-native_network_v20220501:network:RouteTable" }, { type: "azure-native_network_v20220701:network:RouteTable" }, { type: "azure-native_network_v20220901:network:RouteTable" }, { type: "azure-native_network_v20221101:network:RouteTable" }, { type: "azure-native_network_v20230201:network:RouteTable" }, { type: "azure-native_network_v20230401:network:RouteTable" }, { type: "azure-native_network_v20230501:network:RouteTable" }, { type: "azure-native_network_v20230601:network:RouteTable" }, { type: "azure-native_network_v20230901:network:RouteTable" }, { type: "azure-native_network_v20231101:network:RouteTable" }, { type: "azure-native_network_v20240101:network:RouteTable" }, { type: "azure-native_network_v20240301:network:RouteTable" }, { type: "azure-native_network_v20240501:network:RouteTable" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RouteTable.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/routingIntent.ts b/sdk/nodejs/network/routingIntent.ts index 75d89e6abd37..0d6794ad3ab8 100644 --- a/sdk/nodejs/network/routingIntent.ts +++ b/sdk/nodejs/network/routingIntent.ts @@ -102,7 +102,7 @@ export class RoutingIntent extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210501:RoutingIntent" }, { type: "azure-native:network/v20210801:RoutingIntent" }, { type: "azure-native:network/v20220101:RoutingIntent" }, { type: "azure-native:network/v20220501:RoutingIntent" }, { type: "azure-native:network/v20220701:RoutingIntent" }, { type: "azure-native:network/v20220901:RoutingIntent" }, { type: "azure-native:network/v20221101:RoutingIntent" }, { type: "azure-native:network/v20230201:RoutingIntent" }, { type: "azure-native:network/v20230401:RoutingIntent" }, { type: "azure-native:network/v20230501:RoutingIntent" }, { type: "azure-native:network/v20230601:RoutingIntent" }, { type: "azure-native:network/v20230901:RoutingIntent" }, { type: "azure-native:network/v20231101:RoutingIntent" }, { type: "azure-native:network/v20240101:RoutingIntent" }, { type: "azure-native:network/v20240301:RoutingIntent" }, { type: "azure-native:network/v20240501:RoutingIntent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:RoutingIntent" }, { type: "azure-native:network/v20230401:RoutingIntent" }, { type: "azure-native:network/v20230501:RoutingIntent" }, { type: "azure-native:network/v20230601:RoutingIntent" }, { type: "azure-native:network/v20230901:RoutingIntent" }, { type: "azure-native:network/v20231101:RoutingIntent" }, { type: "azure-native:network/v20240101:RoutingIntent" }, { type: "azure-native:network/v20240301:RoutingIntent" }, { type: "azure-native:network/v20240501:RoutingIntent" }, { type: "azure-native_network_v20210501:network:RoutingIntent" }, { type: "azure-native_network_v20210801:network:RoutingIntent" }, { type: "azure-native_network_v20220101:network:RoutingIntent" }, { type: "azure-native_network_v20220501:network:RoutingIntent" }, { type: "azure-native_network_v20220701:network:RoutingIntent" }, { type: "azure-native_network_v20220901:network:RoutingIntent" }, { type: "azure-native_network_v20221101:network:RoutingIntent" }, { type: "azure-native_network_v20230201:network:RoutingIntent" }, { type: "azure-native_network_v20230401:network:RoutingIntent" }, { type: "azure-native_network_v20230501:network:RoutingIntent" }, { type: "azure-native_network_v20230601:network:RoutingIntent" }, { type: "azure-native_network_v20230901:network:RoutingIntent" }, { type: "azure-native_network_v20231101:network:RoutingIntent" }, { type: "azure-native_network_v20240101:network:RoutingIntent" }, { type: "azure-native_network_v20240301:network:RoutingIntent" }, { type: "azure-native_network_v20240501:network:RoutingIntent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RoutingIntent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/routingRule.ts b/sdk/nodejs/network/routingRule.ts index 7051ae62e32b..172820d1830d 100644 --- a/sdk/nodejs/network/routingRule.ts +++ b/sdk/nodejs/network/routingRule.ts @@ -139,7 +139,7 @@ export class RoutingRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20240301:RoutingRule" }, { type: "azure-native:network/v20240501:RoutingRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20240301:RoutingRule" }, { type: "azure-native:network/v20240501:RoutingRule" }, { type: "azure-native_network_v20240301:network:RoutingRule" }, { type: "azure-native_network_v20240501:network:RoutingRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RoutingRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/routingRuleCollection.ts b/sdk/nodejs/network/routingRuleCollection.ts index bb9f4fee9181..d76fe1832a09 100644 --- a/sdk/nodejs/network/routingRuleCollection.ts +++ b/sdk/nodejs/network/routingRuleCollection.ts @@ -132,7 +132,7 @@ export class RoutingRuleCollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20240301:RoutingRuleCollection" }, { type: "azure-native:network/v20240501:RoutingRuleCollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20240301:RoutingRuleCollection" }, { type: "azure-native:network/v20240501:RoutingRuleCollection" }, { type: "azure-native_network_v20240301:network:RoutingRuleCollection" }, { type: "azure-native_network_v20240501:network:RoutingRuleCollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RoutingRuleCollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/scopeConnection.ts b/sdk/nodejs/network/scopeConnection.ts index 16197b1f353b..1044b4904bc5 100644 --- a/sdk/nodejs/network/scopeConnection.ts +++ b/sdk/nodejs/network/scopeConnection.ts @@ -113,7 +113,7 @@ export class ScopeConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210501preview:ScopeConnection" }, { type: "azure-native:network/v20220101:ScopeConnection" }, { type: "azure-native:network/v20220201preview:ScopeConnection" }, { type: "azure-native:network/v20220401preview:ScopeConnection" }, { type: "azure-native:network/v20220501:ScopeConnection" }, { type: "azure-native:network/v20220701:ScopeConnection" }, { type: "azure-native:network/v20220901:ScopeConnection" }, { type: "azure-native:network/v20221101:ScopeConnection" }, { type: "azure-native:network/v20230201:ScopeConnection" }, { type: "azure-native:network/v20230401:ScopeConnection" }, { type: "azure-native:network/v20230501:ScopeConnection" }, { type: "azure-native:network/v20230601:ScopeConnection" }, { type: "azure-native:network/v20230901:ScopeConnection" }, { type: "azure-native:network/v20231101:ScopeConnection" }, { type: "azure-native:network/v20240101:ScopeConnection" }, { type: "azure-native:network/v20240301:ScopeConnection" }, { type: "azure-native:network/v20240501:ScopeConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:ScopeConnection" }, { type: "azure-native:network/v20230401:ScopeConnection" }, { type: "azure-native:network/v20230501:ScopeConnection" }, { type: "azure-native:network/v20230601:ScopeConnection" }, { type: "azure-native:network/v20230901:ScopeConnection" }, { type: "azure-native:network/v20231101:ScopeConnection" }, { type: "azure-native:network/v20240101:ScopeConnection" }, { type: "azure-native:network/v20240301:ScopeConnection" }, { type: "azure-native:network/v20240501:ScopeConnection" }, { type: "azure-native_network_v20210501preview:network:ScopeConnection" }, { type: "azure-native_network_v20220101:network:ScopeConnection" }, { type: "azure-native_network_v20220201preview:network:ScopeConnection" }, { type: "azure-native_network_v20220401preview:network:ScopeConnection" }, { type: "azure-native_network_v20220501:network:ScopeConnection" }, { type: "azure-native_network_v20220701:network:ScopeConnection" }, { type: "azure-native_network_v20220901:network:ScopeConnection" }, { type: "azure-native_network_v20221101:network:ScopeConnection" }, { type: "azure-native_network_v20230201:network:ScopeConnection" }, { type: "azure-native_network_v20230401:network:ScopeConnection" }, { type: "azure-native_network_v20230501:network:ScopeConnection" }, { type: "azure-native_network_v20230601:network:ScopeConnection" }, { type: "azure-native_network_v20230901:network:ScopeConnection" }, { type: "azure-native_network_v20231101:network:ScopeConnection" }, { type: "azure-native_network_v20240101:network:ScopeConnection" }, { type: "azure-native_network_v20240301:network:ScopeConnection" }, { type: "azure-native_network_v20240501:network:ScopeConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScopeConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/securityAdminConfiguration.ts b/sdk/nodejs/network/securityAdminConfiguration.ts index c7e0bd6d8fef..4ccdb3888b54 100644 --- a/sdk/nodejs/network/securityAdminConfiguration.ts +++ b/sdk/nodejs/network/securityAdminConfiguration.ts @@ -125,7 +125,7 @@ export class SecurityAdminConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:SecurityAdminConfiguration" }, { type: "azure-native:network/v20210501preview:SecurityAdminConfiguration" }, { type: "azure-native:network/v20220101:SecurityAdminConfiguration" }, { type: "azure-native:network/v20220201preview:SecurityAdminConfiguration" }, { type: "azure-native:network/v20220401preview:SecurityAdminConfiguration" }, { type: "azure-native:network/v20220501:SecurityAdminConfiguration" }, { type: "azure-native:network/v20220701:SecurityAdminConfiguration" }, { type: "azure-native:network/v20220901:SecurityAdminConfiguration" }, { type: "azure-native:network/v20221101:SecurityAdminConfiguration" }, { type: "azure-native:network/v20230201:SecurityAdminConfiguration" }, { type: "azure-native:network/v20230401:SecurityAdminConfiguration" }, { type: "azure-native:network/v20230501:SecurityAdminConfiguration" }, { type: "azure-native:network/v20230601:SecurityAdminConfiguration" }, { type: "azure-native:network/v20230901:SecurityAdminConfiguration" }, { type: "azure-native:network/v20231101:SecurityAdminConfiguration" }, { type: "azure-native:network/v20240101:SecurityAdminConfiguration" }, { type: "azure-native:network/v20240101preview:SecurityAdminConfiguration" }, { type: "azure-native:network/v20240301:SecurityAdminConfiguration" }, { type: "azure-native:network/v20240501:SecurityAdminConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210501preview:SecurityAdminConfiguration" }, { type: "azure-native:network/v20230201:SecurityAdminConfiguration" }, { type: "azure-native:network/v20230401:SecurityAdminConfiguration" }, { type: "azure-native:network/v20230501:SecurityAdminConfiguration" }, { type: "azure-native:network/v20230601:SecurityAdminConfiguration" }, { type: "azure-native:network/v20230901:SecurityAdminConfiguration" }, { type: "azure-native:network/v20231101:SecurityAdminConfiguration" }, { type: "azure-native:network/v20240101:SecurityAdminConfiguration" }, { type: "azure-native:network/v20240101preview:SecurityAdminConfiguration" }, { type: "azure-native:network/v20240301:SecurityAdminConfiguration" }, { type: "azure-native:network/v20240501:SecurityAdminConfiguration" }, { type: "azure-native_network_v20210201preview:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20210501preview:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20220101:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20220201preview:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20220401preview:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20220501:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20220701:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20220901:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20221101:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20230201:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20230401:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20230501:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20230601:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20230901:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20231101:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20240101:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20240101preview:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20240301:network:SecurityAdminConfiguration" }, { type: "azure-native_network_v20240501:network:SecurityAdminConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityAdminConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/securityPartnerProvider.ts b/sdk/nodejs/network/securityPartnerProvider.ts index 65abc3929a2d..0cc77915bc81 100644 --- a/sdk/nodejs/network/securityPartnerProvider.ts +++ b/sdk/nodejs/network/securityPartnerProvider.ts @@ -122,7 +122,7 @@ export class SecurityPartnerProvider extends pulumi.CustomResource { resourceInputs["virtualHub"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200301:SecurityPartnerProvider" }, { type: "azure-native:network/v20200401:SecurityPartnerProvider" }, { type: "azure-native:network/v20200501:SecurityPartnerProvider" }, { type: "azure-native:network/v20200601:SecurityPartnerProvider" }, { type: "azure-native:network/v20200701:SecurityPartnerProvider" }, { type: "azure-native:network/v20200801:SecurityPartnerProvider" }, { type: "azure-native:network/v20201101:SecurityPartnerProvider" }, { type: "azure-native:network/v20210201:SecurityPartnerProvider" }, { type: "azure-native:network/v20210301:SecurityPartnerProvider" }, { type: "azure-native:network/v20210501:SecurityPartnerProvider" }, { type: "azure-native:network/v20210801:SecurityPartnerProvider" }, { type: "azure-native:network/v20220101:SecurityPartnerProvider" }, { type: "azure-native:network/v20220501:SecurityPartnerProvider" }, { type: "azure-native:network/v20220701:SecurityPartnerProvider" }, { type: "azure-native:network/v20220901:SecurityPartnerProvider" }, { type: "azure-native:network/v20221101:SecurityPartnerProvider" }, { type: "azure-native:network/v20230201:SecurityPartnerProvider" }, { type: "azure-native:network/v20230401:SecurityPartnerProvider" }, { type: "azure-native:network/v20230501:SecurityPartnerProvider" }, { type: "azure-native:network/v20230601:SecurityPartnerProvider" }, { type: "azure-native:network/v20230901:SecurityPartnerProvider" }, { type: "azure-native:network/v20231101:SecurityPartnerProvider" }, { type: "azure-native:network/v20240101:SecurityPartnerProvider" }, { type: "azure-native:network/v20240301:SecurityPartnerProvider" }, { type: "azure-native:network/v20240501:SecurityPartnerProvider" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:SecurityPartnerProvider" }, { type: "azure-native:network/v20230401:SecurityPartnerProvider" }, { type: "azure-native:network/v20230501:SecurityPartnerProvider" }, { type: "azure-native:network/v20230601:SecurityPartnerProvider" }, { type: "azure-native:network/v20230901:SecurityPartnerProvider" }, { type: "azure-native:network/v20231101:SecurityPartnerProvider" }, { type: "azure-native:network/v20240101:SecurityPartnerProvider" }, { type: "azure-native:network/v20240301:SecurityPartnerProvider" }, { type: "azure-native:network/v20240501:SecurityPartnerProvider" }, { type: "azure-native_network_v20200301:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20200401:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20200501:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20200601:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20200701:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20200801:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20201101:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20210201:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20210301:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20210501:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20210801:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20220101:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20220501:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20220701:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20220901:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20221101:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20230201:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20230401:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20230501:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20230601:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20230901:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20231101:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20240101:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20240301:network:SecurityPartnerProvider" }, { type: "azure-native_network_v20240501:network:SecurityPartnerProvider" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityPartnerProvider.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/securityRule.ts b/sdk/nodejs/network/securityRule.ts index 22b61671454f..ccc744c17f51 100644 --- a/sdk/nodejs/network/securityRule.ts +++ b/sdk/nodejs/network/securityRule.ts @@ -198,7 +198,7 @@ export class SecurityRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:SecurityRule" }, { type: "azure-native:network/v20150615:SecurityRule" }, { type: "azure-native:network/v20160330:SecurityRule" }, { type: "azure-native:network/v20160601:SecurityRule" }, { type: "azure-native:network/v20160901:SecurityRule" }, { type: "azure-native:network/v20161201:SecurityRule" }, { type: "azure-native:network/v20170301:SecurityRule" }, { type: "azure-native:network/v20170601:SecurityRule" }, { type: "azure-native:network/v20170801:SecurityRule" }, { type: "azure-native:network/v20170901:SecurityRule" }, { type: "azure-native:network/v20171001:SecurityRule" }, { type: "azure-native:network/v20171101:SecurityRule" }, { type: "azure-native:network/v20180101:SecurityRule" }, { type: "azure-native:network/v20180201:SecurityRule" }, { type: "azure-native:network/v20180401:SecurityRule" }, { type: "azure-native:network/v20180601:SecurityRule" }, { type: "azure-native:network/v20180701:SecurityRule" }, { type: "azure-native:network/v20180801:SecurityRule" }, { type: "azure-native:network/v20181001:SecurityRule" }, { type: "azure-native:network/v20181101:SecurityRule" }, { type: "azure-native:network/v20181201:SecurityRule" }, { type: "azure-native:network/v20190201:SecurityRule" }, { type: "azure-native:network/v20190401:SecurityRule" }, { type: "azure-native:network/v20190601:SecurityRule" }, { type: "azure-native:network/v20190701:SecurityRule" }, { type: "azure-native:network/v20190801:SecurityRule" }, { type: "azure-native:network/v20190901:SecurityRule" }, { type: "azure-native:network/v20191101:SecurityRule" }, { type: "azure-native:network/v20191201:SecurityRule" }, { type: "azure-native:network/v20200301:SecurityRule" }, { type: "azure-native:network/v20200401:SecurityRule" }, { type: "azure-native:network/v20200501:SecurityRule" }, { type: "azure-native:network/v20200601:SecurityRule" }, { type: "azure-native:network/v20200701:SecurityRule" }, { type: "azure-native:network/v20200801:SecurityRule" }, { type: "azure-native:network/v20201101:SecurityRule" }, { type: "azure-native:network/v20210201:SecurityRule" }, { type: "azure-native:network/v20210301:SecurityRule" }, { type: "azure-native:network/v20210501:SecurityRule" }, { type: "azure-native:network/v20210801:SecurityRule" }, { type: "azure-native:network/v20220101:SecurityRule" }, { type: "azure-native:network/v20220501:SecurityRule" }, { type: "azure-native:network/v20220701:SecurityRule" }, { type: "azure-native:network/v20220901:SecurityRule" }, { type: "azure-native:network/v20221101:SecurityRule" }, { type: "azure-native:network/v20230201:SecurityRule" }, { type: "azure-native:network/v20230401:SecurityRule" }, { type: "azure-native:network/v20230501:SecurityRule" }, { type: "azure-native:network/v20230601:SecurityRule" }, { type: "azure-native:network/v20230901:SecurityRule" }, { type: "azure-native:network/v20231101:SecurityRule" }, { type: "azure-native:network/v20240101:SecurityRule" }, { type: "azure-native:network/v20240301:SecurityRule" }, { type: "azure-native:network/v20240501:SecurityRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:SecurityRule" }, { type: "azure-native:network/v20220701:SecurityRule" }, { type: "azure-native:network/v20230201:SecurityRule" }, { type: "azure-native:network/v20230401:SecurityRule" }, { type: "azure-native:network/v20230501:SecurityRule" }, { type: "azure-native:network/v20230601:SecurityRule" }, { type: "azure-native:network/v20230901:SecurityRule" }, { type: "azure-native:network/v20231101:SecurityRule" }, { type: "azure-native:network/v20240101:SecurityRule" }, { type: "azure-native:network/v20240301:SecurityRule" }, { type: "azure-native:network/v20240501:SecurityRule" }, { type: "azure-native_network_v20150501preview:network:SecurityRule" }, { type: "azure-native_network_v20150615:network:SecurityRule" }, { type: "azure-native_network_v20160330:network:SecurityRule" }, { type: "azure-native_network_v20160601:network:SecurityRule" }, { type: "azure-native_network_v20160901:network:SecurityRule" }, { type: "azure-native_network_v20161201:network:SecurityRule" }, { type: "azure-native_network_v20170301:network:SecurityRule" }, { type: "azure-native_network_v20170601:network:SecurityRule" }, { type: "azure-native_network_v20170801:network:SecurityRule" }, { type: "azure-native_network_v20170901:network:SecurityRule" }, { type: "azure-native_network_v20171001:network:SecurityRule" }, { type: "azure-native_network_v20171101:network:SecurityRule" }, { type: "azure-native_network_v20180101:network:SecurityRule" }, { type: "azure-native_network_v20180201:network:SecurityRule" }, { type: "azure-native_network_v20180401:network:SecurityRule" }, { type: "azure-native_network_v20180601:network:SecurityRule" }, { type: "azure-native_network_v20180701:network:SecurityRule" }, { type: "azure-native_network_v20180801:network:SecurityRule" }, { type: "azure-native_network_v20181001:network:SecurityRule" }, { type: "azure-native_network_v20181101:network:SecurityRule" }, { type: "azure-native_network_v20181201:network:SecurityRule" }, { type: "azure-native_network_v20190201:network:SecurityRule" }, { type: "azure-native_network_v20190401:network:SecurityRule" }, { type: "azure-native_network_v20190601:network:SecurityRule" }, { type: "azure-native_network_v20190701:network:SecurityRule" }, { type: "azure-native_network_v20190801:network:SecurityRule" }, { type: "azure-native_network_v20190901:network:SecurityRule" }, { type: "azure-native_network_v20191101:network:SecurityRule" }, { type: "azure-native_network_v20191201:network:SecurityRule" }, { type: "azure-native_network_v20200301:network:SecurityRule" }, { type: "azure-native_network_v20200401:network:SecurityRule" }, { type: "azure-native_network_v20200501:network:SecurityRule" }, { type: "azure-native_network_v20200601:network:SecurityRule" }, { type: "azure-native_network_v20200701:network:SecurityRule" }, { type: "azure-native_network_v20200801:network:SecurityRule" }, { type: "azure-native_network_v20201101:network:SecurityRule" }, { type: "azure-native_network_v20210201:network:SecurityRule" }, { type: "azure-native_network_v20210301:network:SecurityRule" }, { type: "azure-native_network_v20210501:network:SecurityRule" }, { type: "azure-native_network_v20210801:network:SecurityRule" }, { type: "azure-native_network_v20220101:network:SecurityRule" }, { type: "azure-native_network_v20220501:network:SecurityRule" }, { type: "azure-native_network_v20220701:network:SecurityRule" }, { type: "azure-native_network_v20220901:network:SecurityRule" }, { type: "azure-native_network_v20221101:network:SecurityRule" }, { type: "azure-native_network_v20230201:network:SecurityRule" }, { type: "azure-native_network_v20230401:network:SecurityRule" }, { type: "azure-native_network_v20230501:network:SecurityRule" }, { type: "azure-native_network_v20230601:network:SecurityRule" }, { type: "azure-native_network_v20230901:network:SecurityRule" }, { type: "azure-native_network_v20231101:network:SecurityRule" }, { type: "azure-native_network_v20240101:network:SecurityRule" }, { type: "azure-native_network_v20240301:network:SecurityRule" }, { type: "azure-native_network_v20240501:network:SecurityRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/securityUserConfiguration.ts b/sdk/nodejs/network/securityUserConfiguration.ts index de435989ed2c..6f0f28fb041e 100644 --- a/sdk/nodejs/network/securityUserConfiguration.ts +++ b/sdk/nodejs/network/securityUserConfiguration.ts @@ -113,7 +113,7 @@ export class SecurityUserConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:SecurityUserConfiguration" }, { type: "azure-native:network/v20210501preview:SecurityUserConfiguration" }, { type: "azure-native:network/v20220201preview:SecurityUserConfiguration" }, { type: "azure-native:network/v20220401preview:SecurityUserConfiguration" }, { type: "azure-native:network/v20240301:SecurityUserConfiguration" }, { type: "azure-native:network/v20240501:SecurityUserConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210501preview:SecurityUserConfiguration" }, { type: "azure-native:network/v20220401preview:SecurityUserConfiguration" }, { type: "azure-native:network/v20240301:SecurityUserConfiguration" }, { type: "azure-native:network/v20240501:SecurityUserConfiguration" }, { type: "azure-native_network_v20210201preview:network:SecurityUserConfiguration" }, { type: "azure-native_network_v20210501preview:network:SecurityUserConfiguration" }, { type: "azure-native_network_v20220201preview:network:SecurityUserConfiguration" }, { type: "azure-native_network_v20220401preview:network:SecurityUserConfiguration" }, { type: "azure-native_network_v20240301:network:SecurityUserConfiguration" }, { type: "azure-native_network_v20240501:network:SecurityUserConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityUserConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/securityUserRule.ts b/sdk/nodejs/network/securityUserRule.ts index 8de38e2c4f28..b042411564cd 100644 --- a/sdk/nodejs/network/securityUserRule.ts +++ b/sdk/nodejs/network/securityUserRule.ts @@ -163,7 +163,7 @@ export class SecurityUserRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:SecurityUserRule" }, { type: "azure-native:network/v20210501preview:DefaultUserRule" }, { type: "azure-native:network/v20210501preview:SecurityUserRule" }, { type: "azure-native:network/v20210501preview:UserRule" }, { type: "azure-native:network/v20220201preview:SecurityUserRule" }, { type: "azure-native:network/v20220401preview:DefaultUserRule" }, { type: "azure-native:network/v20220401preview:SecurityUserRule" }, { type: "azure-native:network/v20220401preview:UserRule" }, { type: "azure-native:network/v20240301:SecurityUserRule" }, { type: "azure-native:network/v20240501:SecurityUserRule" }, { type: "azure-native:network:DefaultUserRule" }, { type: "azure-native:network:UserRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210501preview:DefaultUserRule" }, { type: "azure-native:network/v20210501preview:UserRule" }, { type: "azure-native:network/v20220401preview:DefaultUserRule" }, { type: "azure-native:network/v20220401preview:UserRule" }, { type: "azure-native:network/v20240301:SecurityUserRule" }, { type: "azure-native:network/v20240501:SecurityUserRule" }, { type: "azure-native:network:DefaultUserRule" }, { type: "azure-native:network:UserRule" }, { type: "azure-native_network_v20210201preview:network:SecurityUserRule" }, { type: "azure-native_network_v20210501preview:network:SecurityUserRule" }, { type: "azure-native_network_v20220201preview:network:SecurityUserRule" }, { type: "azure-native_network_v20220401preview:network:SecurityUserRule" }, { type: "azure-native_network_v20240301:network:SecurityUserRule" }, { type: "azure-native_network_v20240501:network:SecurityUserRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityUserRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/securityUserRuleCollection.ts b/sdk/nodejs/network/securityUserRuleCollection.ts index 96403e4c5d52..e4e8e44faaae 100644 --- a/sdk/nodejs/network/securityUserRuleCollection.ts +++ b/sdk/nodejs/network/securityUserRuleCollection.ts @@ -126,7 +126,7 @@ export class SecurityUserRuleCollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:SecurityUserRuleCollection" }, { type: "azure-native:network/v20210201preview:UserRuleCollection" }, { type: "azure-native:network/v20210501preview:SecurityUserRuleCollection" }, { type: "azure-native:network/v20210501preview:UserRuleCollection" }, { type: "azure-native:network/v20220201preview:SecurityUserRuleCollection" }, { type: "azure-native:network/v20220401preview:SecurityUserRuleCollection" }, { type: "azure-native:network/v20220401preview:UserRuleCollection" }, { type: "azure-native:network/v20240301:SecurityUserRuleCollection" }, { type: "azure-native:network/v20240501:SecurityUserRuleCollection" }, { type: "azure-native:network:UserRuleCollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:UserRuleCollection" }, { type: "azure-native:network/v20210501preview:UserRuleCollection" }, { type: "azure-native:network/v20220401preview:UserRuleCollection" }, { type: "azure-native:network/v20240301:SecurityUserRuleCollection" }, { type: "azure-native:network/v20240501:SecurityUserRuleCollection" }, { type: "azure-native:network:UserRuleCollection" }, { type: "azure-native_network_v20210201preview:network:SecurityUserRuleCollection" }, { type: "azure-native_network_v20210501preview:network:SecurityUserRuleCollection" }, { type: "azure-native_network_v20220201preview:network:SecurityUserRuleCollection" }, { type: "azure-native_network_v20220401preview:network:SecurityUserRuleCollection" }, { type: "azure-native_network_v20240301:network:SecurityUserRuleCollection" }, { type: "azure-native_network_v20240501:network:SecurityUserRuleCollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityUserRuleCollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/serviceEndpointPolicy.ts b/sdk/nodejs/network/serviceEndpointPolicy.ts index 37221cd0932a..453c03be4b63 100644 --- a/sdk/nodejs/network/serviceEndpointPolicy.ts +++ b/sdk/nodejs/network/serviceEndpointPolicy.ts @@ -140,7 +140,7 @@ export class ServiceEndpointPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180701:ServiceEndpointPolicy" }, { type: "azure-native:network/v20180801:ServiceEndpointPolicy" }, { type: "azure-native:network/v20181001:ServiceEndpointPolicy" }, { type: "azure-native:network/v20181101:ServiceEndpointPolicy" }, { type: "azure-native:network/v20181201:ServiceEndpointPolicy" }, { type: "azure-native:network/v20190201:ServiceEndpointPolicy" }, { type: "azure-native:network/v20190401:ServiceEndpointPolicy" }, { type: "azure-native:network/v20190601:ServiceEndpointPolicy" }, { type: "azure-native:network/v20190701:ServiceEndpointPolicy" }, { type: "azure-native:network/v20190801:ServiceEndpointPolicy" }, { type: "azure-native:network/v20190901:ServiceEndpointPolicy" }, { type: "azure-native:network/v20191101:ServiceEndpointPolicy" }, { type: "azure-native:network/v20191201:ServiceEndpointPolicy" }, { type: "azure-native:network/v20200301:ServiceEndpointPolicy" }, { type: "azure-native:network/v20200401:ServiceEndpointPolicy" }, { type: "azure-native:network/v20200501:ServiceEndpointPolicy" }, { type: "azure-native:network/v20200601:ServiceEndpointPolicy" }, { type: "azure-native:network/v20200701:ServiceEndpointPolicy" }, { type: "azure-native:network/v20200801:ServiceEndpointPolicy" }, { type: "azure-native:network/v20201101:ServiceEndpointPolicy" }, { type: "azure-native:network/v20210201:ServiceEndpointPolicy" }, { type: "azure-native:network/v20210301:ServiceEndpointPolicy" }, { type: "azure-native:network/v20210501:ServiceEndpointPolicy" }, { type: "azure-native:network/v20210801:ServiceEndpointPolicy" }, { type: "azure-native:network/v20220101:ServiceEndpointPolicy" }, { type: "azure-native:network/v20220501:ServiceEndpointPolicy" }, { type: "azure-native:network/v20220701:ServiceEndpointPolicy" }, { type: "azure-native:network/v20220901:ServiceEndpointPolicy" }, { type: "azure-native:network/v20221101:ServiceEndpointPolicy" }, { type: "azure-native:network/v20230201:ServiceEndpointPolicy" }, { type: "azure-native:network/v20230401:ServiceEndpointPolicy" }, { type: "azure-native:network/v20230501:ServiceEndpointPolicy" }, { type: "azure-native:network/v20230601:ServiceEndpointPolicy" }, { type: "azure-native:network/v20230901:ServiceEndpointPolicy" }, { type: "azure-native:network/v20231101:ServiceEndpointPolicy" }, { type: "azure-native:network/v20240101:ServiceEndpointPolicy" }, { type: "azure-native:network/v20240301:ServiceEndpointPolicy" }, { type: "azure-native:network/v20240501:ServiceEndpointPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20180701:ServiceEndpointPolicy" }, { type: "azure-native:network/v20230201:ServiceEndpointPolicy" }, { type: "azure-native:network/v20230401:ServiceEndpointPolicy" }, { type: "azure-native:network/v20230501:ServiceEndpointPolicy" }, { type: "azure-native:network/v20230601:ServiceEndpointPolicy" }, { type: "azure-native:network/v20230901:ServiceEndpointPolicy" }, { type: "azure-native:network/v20231101:ServiceEndpointPolicy" }, { type: "azure-native:network/v20240101:ServiceEndpointPolicy" }, { type: "azure-native:network/v20240301:ServiceEndpointPolicy" }, { type: "azure-native:network/v20240501:ServiceEndpointPolicy" }, { type: "azure-native_network_v20180701:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20180801:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20181001:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20181101:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20181201:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20190201:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20190401:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20190601:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20190701:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20190801:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20190901:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20191101:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20191201:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20200301:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20200401:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20200501:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20200601:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20200701:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20200801:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20201101:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20210201:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20210301:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20210501:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20210801:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20220101:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20220501:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20220701:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20220901:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20221101:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20230201:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20230401:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20230501:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20230601:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20230901:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20231101:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20240101:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20240301:network:ServiceEndpointPolicy" }, { type: "azure-native_network_v20240501:network:ServiceEndpointPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServiceEndpointPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/serviceEndpointPolicyDefinition.ts b/sdk/nodejs/network/serviceEndpointPolicyDefinition.ts index f323216a1653..2133da91ac7e 100644 --- a/sdk/nodejs/network/serviceEndpointPolicyDefinition.ts +++ b/sdk/nodejs/network/serviceEndpointPolicyDefinition.ts @@ -111,7 +111,7 @@ export class ServiceEndpointPolicyDefinition extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180701:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20180801:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20181001:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20181101:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20181201:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20190201:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20190401:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20190601:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20190701:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20190801:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20190901:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20191101:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20191201:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20200301:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20200401:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20200501:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20200601:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20200701:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20200801:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20201101:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20210201:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20210301:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20210501:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20210801:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20220101:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20220501:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20220701:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20220901:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20221101:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20230201:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20230401:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20230501:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20230601:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20230901:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20231101:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20240101:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20240301:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20240501:ServiceEndpointPolicyDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20180701:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20230201:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20230401:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20230501:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20230601:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20230901:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20231101:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20240101:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20240301:ServiceEndpointPolicyDefinition" }, { type: "azure-native:network/v20240501:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20180701:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20180801:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20181001:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20181101:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20181201:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20190201:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20190401:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20190601:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20190701:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20190801:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20190901:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20191101:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20191201:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20200301:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20200401:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20200501:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20200601:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20200701:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20200801:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20201101:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20210201:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20210301:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20210501:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20210801:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20220101:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20220501:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20220701:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20220901:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20221101:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20230401:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20230501:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20230601:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20230901:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20231101:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20240101:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20240301:network:ServiceEndpointPolicyDefinition" }, { type: "azure-native_network_v20240501:network:ServiceEndpointPolicyDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServiceEndpointPolicyDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/staticCidr.ts b/sdk/nodejs/network/staticCidr.ts index 1ff9d1498661..8af7e7cee62b 100644 --- a/sdk/nodejs/network/staticCidr.ts +++ b/sdk/nodejs/network/staticCidr.ts @@ -99,7 +99,7 @@ export class StaticCidr extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20240101preview:StaticCidr" }, { type: "azure-native:network/v20240501:StaticCidr" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20240101preview:StaticCidr" }, { type: "azure-native:network/v20240501:StaticCidr" }, { type: "azure-native_network_v20240101preview:network:StaticCidr" }, { type: "azure-native_network_v20240501:network:StaticCidr" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StaticCidr.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/staticMember.ts b/sdk/nodejs/network/staticMember.ts index a0919cd806a8..e724bd2827a7 100644 --- a/sdk/nodejs/network/staticMember.ts +++ b/sdk/nodejs/network/staticMember.ts @@ -117,7 +117,7 @@ export class StaticMember extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210501preview:StaticMember" }, { type: "azure-native:network/v20220101:StaticMember" }, { type: "azure-native:network/v20220201preview:StaticMember" }, { type: "azure-native:network/v20220401preview:StaticMember" }, { type: "azure-native:network/v20220501:StaticMember" }, { type: "azure-native:network/v20220701:StaticMember" }, { type: "azure-native:network/v20220901:StaticMember" }, { type: "azure-native:network/v20221101:StaticMember" }, { type: "azure-native:network/v20230201:StaticMember" }, { type: "azure-native:network/v20230401:StaticMember" }, { type: "azure-native:network/v20230501:StaticMember" }, { type: "azure-native:network/v20230601:StaticMember" }, { type: "azure-native:network/v20230901:StaticMember" }, { type: "azure-native:network/v20231101:StaticMember" }, { type: "azure-native:network/v20240101:StaticMember" }, { type: "azure-native:network/v20240301:StaticMember" }, { type: "azure-native:network/v20240501:StaticMember" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:StaticMember" }, { type: "azure-native:network/v20230401:StaticMember" }, { type: "azure-native:network/v20230501:StaticMember" }, { type: "azure-native:network/v20230601:StaticMember" }, { type: "azure-native:network/v20230901:StaticMember" }, { type: "azure-native:network/v20231101:StaticMember" }, { type: "azure-native:network/v20240101:StaticMember" }, { type: "azure-native:network/v20240301:StaticMember" }, { type: "azure-native:network/v20240501:StaticMember" }, { type: "azure-native_network_v20210501preview:network:StaticMember" }, { type: "azure-native_network_v20220101:network:StaticMember" }, { type: "azure-native_network_v20220201preview:network:StaticMember" }, { type: "azure-native_network_v20220401preview:network:StaticMember" }, { type: "azure-native_network_v20220501:network:StaticMember" }, { type: "azure-native_network_v20220701:network:StaticMember" }, { type: "azure-native_network_v20220901:network:StaticMember" }, { type: "azure-native_network_v20221101:network:StaticMember" }, { type: "azure-native_network_v20230201:network:StaticMember" }, { type: "azure-native_network_v20230401:network:StaticMember" }, { type: "azure-native_network_v20230501:network:StaticMember" }, { type: "azure-native_network_v20230601:network:StaticMember" }, { type: "azure-native_network_v20230901:network:StaticMember" }, { type: "azure-native_network_v20231101:network:StaticMember" }, { type: "azure-native_network_v20240101:network:StaticMember" }, { type: "azure-native_network_v20240301:network:StaticMember" }, { type: "azure-native_network_v20240501:network:StaticMember" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StaticMember.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/subnet.ts b/sdk/nodejs/network/subnet.ts index 0c76ad0b858a..0d96ec4c4acc 100644 --- a/sdk/nodejs/network/subnet.ts +++ b/sdk/nodejs/network/subnet.ts @@ -222,7 +222,7 @@ export class Subnet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:Subnet" }, { type: "azure-native:network/v20150615:Subnet" }, { type: "azure-native:network/v20160330:Subnet" }, { type: "azure-native:network/v20160601:Subnet" }, { type: "azure-native:network/v20160901:Subnet" }, { type: "azure-native:network/v20161201:Subnet" }, { type: "azure-native:network/v20170301:Subnet" }, { type: "azure-native:network/v20170601:Subnet" }, { type: "azure-native:network/v20170801:Subnet" }, { type: "azure-native:network/v20170901:Subnet" }, { type: "azure-native:network/v20171001:Subnet" }, { type: "azure-native:network/v20171101:Subnet" }, { type: "azure-native:network/v20180101:Subnet" }, { type: "azure-native:network/v20180201:Subnet" }, { type: "azure-native:network/v20180401:Subnet" }, { type: "azure-native:network/v20180601:Subnet" }, { type: "azure-native:network/v20180701:Subnet" }, { type: "azure-native:network/v20180801:Subnet" }, { type: "azure-native:network/v20181001:Subnet" }, { type: "azure-native:network/v20181101:Subnet" }, { type: "azure-native:network/v20181201:Subnet" }, { type: "azure-native:network/v20190201:Subnet" }, { type: "azure-native:network/v20190401:Subnet" }, { type: "azure-native:network/v20190601:Subnet" }, { type: "azure-native:network/v20190701:Subnet" }, { type: "azure-native:network/v20190801:Subnet" }, { type: "azure-native:network/v20190901:Subnet" }, { type: "azure-native:network/v20191101:Subnet" }, { type: "azure-native:network/v20191201:Subnet" }, { type: "azure-native:network/v20200301:Subnet" }, { type: "azure-native:network/v20200401:Subnet" }, { type: "azure-native:network/v20200501:Subnet" }, { type: "azure-native:network/v20200601:Subnet" }, { type: "azure-native:network/v20200701:Subnet" }, { type: "azure-native:network/v20200801:Subnet" }, { type: "azure-native:network/v20201101:Subnet" }, { type: "azure-native:network/v20210201:Subnet" }, { type: "azure-native:network/v20210301:Subnet" }, { type: "azure-native:network/v20210501:Subnet" }, { type: "azure-native:network/v20210801:Subnet" }, { type: "azure-native:network/v20220101:Subnet" }, { type: "azure-native:network/v20220501:Subnet" }, { type: "azure-native:network/v20220701:Subnet" }, { type: "azure-native:network/v20220901:Subnet" }, { type: "azure-native:network/v20221101:Subnet" }, { type: "azure-native:network/v20230201:Subnet" }, { type: "azure-native:network/v20230401:Subnet" }, { type: "azure-native:network/v20230501:Subnet" }, { type: "azure-native:network/v20230601:Subnet" }, { type: "azure-native:network/v20230901:Subnet" }, { type: "azure-native:network/v20231101:Subnet" }, { type: "azure-native:network/v20240101:Subnet" }, { type: "azure-native:network/v20240301:Subnet" }, { type: "azure-native:network/v20240501:Subnet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190201:Subnet" }, { type: "azure-native:network/v20190601:Subnet" }, { type: "azure-native:network/v20190801:Subnet" }, { type: "azure-native:network/v20200601:Subnet" }, { type: "azure-native:network/v20220701:Subnet" }, { type: "azure-native:network/v20230201:Subnet" }, { type: "azure-native:network/v20230401:Subnet" }, { type: "azure-native:network/v20230501:Subnet" }, { type: "azure-native:network/v20230601:Subnet" }, { type: "azure-native:network/v20230901:Subnet" }, { type: "azure-native:network/v20231101:Subnet" }, { type: "azure-native:network/v20240101:Subnet" }, { type: "azure-native:network/v20240301:Subnet" }, { type: "azure-native:network/v20240501:Subnet" }, { type: "azure-native_network_v20150501preview:network:Subnet" }, { type: "azure-native_network_v20150615:network:Subnet" }, { type: "azure-native_network_v20160330:network:Subnet" }, { type: "azure-native_network_v20160601:network:Subnet" }, { type: "azure-native_network_v20160901:network:Subnet" }, { type: "azure-native_network_v20161201:network:Subnet" }, { type: "azure-native_network_v20170301:network:Subnet" }, { type: "azure-native_network_v20170601:network:Subnet" }, { type: "azure-native_network_v20170801:network:Subnet" }, { type: "azure-native_network_v20170901:network:Subnet" }, { type: "azure-native_network_v20171001:network:Subnet" }, { type: "azure-native_network_v20171101:network:Subnet" }, { type: "azure-native_network_v20180101:network:Subnet" }, { type: "azure-native_network_v20180201:network:Subnet" }, { type: "azure-native_network_v20180401:network:Subnet" }, { type: "azure-native_network_v20180601:network:Subnet" }, { type: "azure-native_network_v20180701:network:Subnet" }, { type: "azure-native_network_v20180801:network:Subnet" }, { type: "azure-native_network_v20181001:network:Subnet" }, { type: "azure-native_network_v20181101:network:Subnet" }, { type: "azure-native_network_v20181201:network:Subnet" }, { type: "azure-native_network_v20190201:network:Subnet" }, { type: "azure-native_network_v20190401:network:Subnet" }, { type: "azure-native_network_v20190601:network:Subnet" }, { type: "azure-native_network_v20190701:network:Subnet" }, { type: "azure-native_network_v20190801:network:Subnet" }, { type: "azure-native_network_v20190901:network:Subnet" }, { type: "azure-native_network_v20191101:network:Subnet" }, { type: "azure-native_network_v20191201:network:Subnet" }, { type: "azure-native_network_v20200301:network:Subnet" }, { type: "azure-native_network_v20200401:network:Subnet" }, { type: "azure-native_network_v20200501:network:Subnet" }, { type: "azure-native_network_v20200601:network:Subnet" }, { type: "azure-native_network_v20200701:network:Subnet" }, { type: "azure-native_network_v20200801:network:Subnet" }, { type: "azure-native_network_v20201101:network:Subnet" }, { type: "azure-native_network_v20210201:network:Subnet" }, { type: "azure-native_network_v20210301:network:Subnet" }, { type: "azure-native_network_v20210501:network:Subnet" }, { type: "azure-native_network_v20210801:network:Subnet" }, { type: "azure-native_network_v20220101:network:Subnet" }, { type: "azure-native_network_v20220501:network:Subnet" }, { type: "azure-native_network_v20220701:network:Subnet" }, { type: "azure-native_network_v20220901:network:Subnet" }, { type: "azure-native_network_v20221101:network:Subnet" }, { type: "azure-native_network_v20230201:network:Subnet" }, { type: "azure-native_network_v20230401:network:Subnet" }, { type: "azure-native_network_v20230501:network:Subnet" }, { type: "azure-native_network_v20230601:network:Subnet" }, { type: "azure-native_network_v20230901:network:Subnet" }, { type: "azure-native_network_v20231101:network:Subnet" }, { type: "azure-native_network_v20240101:network:Subnet" }, { type: "azure-native_network_v20240301:network:Subnet" }, { type: "azure-native_network_v20240501:network:Subnet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Subnet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/subscriptionNetworkManagerConnection.ts b/sdk/nodejs/network/subscriptionNetworkManagerConnection.ts index 7d9b347e4fee..b13a8e18fe29 100644 --- a/sdk/nodejs/network/subscriptionNetworkManagerConnection.ts +++ b/sdk/nodejs/network/subscriptionNetworkManagerConnection.ts @@ -99,7 +99,7 @@ export class SubscriptionNetworkManagerConnection extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210501preview:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20220101:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20220201preview:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20220401preview:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20220501:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20220701:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20220901:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20221101:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20230201:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20230401:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20230501:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20230601:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20230901:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20231101:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20240101:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20240301:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20240501:SubscriptionNetworkManagerConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20230401:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20230501:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20230601:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20230901:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20231101:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20240101:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20240301:SubscriptionNetworkManagerConnection" }, { type: "azure-native:network/v20240501:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20210501preview:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20220101:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20220201preview:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20220401preview:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20220501:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20220701:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20220901:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20221101:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20230201:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20230401:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20230501:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20230601:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20230901:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20231101:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20240101:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20240301:network:SubscriptionNetworkManagerConnection" }, { type: "azure-native_network_v20240501:network:SubscriptionNetworkManagerConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SubscriptionNetworkManagerConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/userRule.ts b/sdk/nodejs/network/userRule.ts index 59bad5506f60..ecf6e645e815 100644 --- a/sdk/nodejs/network/userRule.ts +++ b/sdk/nodejs/network/userRule.ts @@ -167,7 +167,7 @@ export class UserRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:UserRule" }, { type: "azure-native:network/v20210501preview:DefaultUserRule" }, { type: "azure-native:network/v20210501preview:UserRule" }, { type: "azure-native:network/v20220201preview:UserRule" }, { type: "azure-native:network/v20220401preview:DefaultUserRule" }, { type: "azure-native:network/v20220401preview:UserRule" }, { type: "azure-native:network/v20240301:SecurityUserRule" }, { type: "azure-native:network/v20240301:UserRule" }, { type: "azure-native:network/v20240501:SecurityUserRule" }, { type: "azure-native:network/v20240501:UserRule" }, { type: "azure-native:network:DefaultUserRule" }, { type: "azure-native:network:SecurityUserRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210501preview:DefaultUserRule" }, { type: "azure-native:network/v20210501preview:UserRule" }, { type: "azure-native:network/v20220401preview:DefaultUserRule" }, { type: "azure-native:network/v20220401preview:UserRule" }, { type: "azure-native:network/v20240301:SecurityUserRule" }, { type: "azure-native:network/v20240501:SecurityUserRule" }, { type: "azure-native:network:DefaultUserRule" }, { type: "azure-native:network:SecurityUserRule" }, { type: "azure-native_network_v20210201preview:network:UserRule" }, { type: "azure-native_network_v20210501preview:network:UserRule" }, { type: "azure-native_network_v20220201preview:network:UserRule" }, { type: "azure-native_network_v20220401preview:network:UserRule" }, { type: "azure-native_network_v20240301:network:UserRule" }, { type: "azure-native_network_v20240501:network:UserRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(UserRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/userRuleCollection.ts b/sdk/nodejs/network/userRuleCollection.ts index e8ed4c3b98d5..ad67338e8332 100644 --- a/sdk/nodejs/network/userRuleCollection.ts +++ b/sdk/nodejs/network/userRuleCollection.ts @@ -120,7 +120,7 @@ export class UserRuleCollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:UserRuleCollection" }, { type: "azure-native:network/v20210501preview:UserRuleCollection" }, { type: "azure-native:network/v20220201preview:UserRuleCollection" }, { type: "azure-native:network/v20220401preview:UserRuleCollection" }, { type: "azure-native:network/v20240301:SecurityUserRuleCollection" }, { type: "azure-native:network/v20240301:UserRuleCollection" }, { type: "azure-native:network/v20240501:SecurityUserRuleCollection" }, { type: "azure-native:network/v20240501:UserRuleCollection" }, { type: "azure-native:network:SecurityUserRuleCollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201preview:UserRuleCollection" }, { type: "azure-native:network/v20210501preview:UserRuleCollection" }, { type: "azure-native:network/v20220401preview:UserRuleCollection" }, { type: "azure-native:network/v20240301:SecurityUserRuleCollection" }, { type: "azure-native:network/v20240501:SecurityUserRuleCollection" }, { type: "azure-native:network:SecurityUserRuleCollection" }, { type: "azure-native_network_v20210201preview:network:UserRuleCollection" }, { type: "azure-native_network_v20210501preview:network:UserRuleCollection" }, { type: "azure-native_network_v20220201preview:network:UserRuleCollection" }, { type: "azure-native_network_v20220401preview:network:UserRuleCollection" }, { type: "azure-native_network_v20240301:network:UserRuleCollection" }, { type: "azure-native_network_v20240501:network:UserRuleCollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(UserRuleCollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/verifierWorkspace.ts b/sdk/nodejs/network/verifierWorkspace.ts index 644b5b4f72f6..222a142af2e5 100644 --- a/sdk/nodejs/network/verifierWorkspace.ts +++ b/sdk/nodejs/network/verifierWorkspace.ts @@ -107,7 +107,7 @@ export class VerifierWorkspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20240101preview:VerifierWorkspace" }, { type: "azure-native:network/v20240501:VerifierWorkspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20240101preview:VerifierWorkspace" }, { type: "azure-native:network/v20240501:VerifierWorkspace" }, { type: "azure-native_network_v20240101preview:network:VerifierWorkspace" }, { type: "azure-native_network_v20240501:network:VerifierWorkspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VerifierWorkspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualApplianceSite.ts b/sdk/nodejs/network/virtualApplianceSite.ts index 57e5d0ffdf6f..f5cc3c25b643 100644 --- a/sdk/nodejs/network/virtualApplianceSite.ts +++ b/sdk/nodejs/network/virtualApplianceSite.ts @@ -108,7 +108,7 @@ export class VirtualApplianceSite extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200501:VirtualApplianceSite" }, { type: "azure-native:network/v20200601:VirtualApplianceSite" }, { type: "azure-native:network/v20200701:VirtualApplianceSite" }, { type: "azure-native:network/v20200801:VirtualApplianceSite" }, { type: "azure-native:network/v20201101:VirtualApplianceSite" }, { type: "azure-native:network/v20210201:VirtualApplianceSite" }, { type: "azure-native:network/v20210301:VirtualApplianceSite" }, { type: "azure-native:network/v20210501:VirtualApplianceSite" }, { type: "azure-native:network/v20210801:VirtualApplianceSite" }, { type: "azure-native:network/v20220101:VirtualApplianceSite" }, { type: "azure-native:network/v20220501:VirtualApplianceSite" }, { type: "azure-native:network/v20220701:VirtualApplianceSite" }, { type: "azure-native:network/v20220901:VirtualApplianceSite" }, { type: "azure-native:network/v20221101:VirtualApplianceSite" }, { type: "azure-native:network/v20230201:VirtualApplianceSite" }, { type: "azure-native:network/v20230401:VirtualApplianceSite" }, { type: "azure-native:network/v20230501:VirtualApplianceSite" }, { type: "azure-native:network/v20230601:VirtualApplianceSite" }, { type: "azure-native:network/v20230901:VirtualApplianceSite" }, { type: "azure-native:network/v20231101:VirtualApplianceSite" }, { type: "azure-native:network/v20240101:VirtualApplianceSite" }, { type: "azure-native:network/v20240301:VirtualApplianceSite" }, { type: "azure-native:network/v20240501:VirtualApplianceSite" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:VirtualApplianceSite" }, { type: "azure-native:network/v20230401:VirtualApplianceSite" }, { type: "azure-native:network/v20230501:VirtualApplianceSite" }, { type: "azure-native:network/v20230601:VirtualApplianceSite" }, { type: "azure-native:network/v20230901:VirtualApplianceSite" }, { type: "azure-native:network/v20231101:VirtualApplianceSite" }, { type: "azure-native:network/v20240101:VirtualApplianceSite" }, { type: "azure-native:network/v20240301:VirtualApplianceSite" }, { type: "azure-native:network/v20240501:VirtualApplianceSite" }, { type: "azure-native_network_v20200501:network:VirtualApplianceSite" }, { type: "azure-native_network_v20200601:network:VirtualApplianceSite" }, { type: "azure-native_network_v20200701:network:VirtualApplianceSite" }, { type: "azure-native_network_v20200801:network:VirtualApplianceSite" }, { type: "azure-native_network_v20201101:network:VirtualApplianceSite" }, { type: "azure-native_network_v20210201:network:VirtualApplianceSite" }, { type: "azure-native_network_v20210301:network:VirtualApplianceSite" }, { type: "azure-native_network_v20210501:network:VirtualApplianceSite" }, { type: "azure-native_network_v20210801:network:VirtualApplianceSite" }, { type: "azure-native_network_v20220101:network:VirtualApplianceSite" }, { type: "azure-native_network_v20220501:network:VirtualApplianceSite" }, { type: "azure-native_network_v20220701:network:VirtualApplianceSite" }, { type: "azure-native_network_v20220901:network:VirtualApplianceSite" }, { type: "azure-native_network_v20221101:network:VirtualApplianceSite" }, { type: "azure-native_network_v20230201:network:VirtualApplianceSite" }, { type: "azure-native_network_v20230401:network:VirtualApplianceSite" }, { type: "azure-native_network_v20230501:network:VirtualApplianceSite" }, { type: "azure-native_network_v20230601:network:VirtualApplianceSite" }, { type: "azure-native_network_v20230901:network:VirtualApplianceSite" }, { type: "azure-native_network_v20231101:network:VirtualApplianceSite" }, { type: "azure-native_network_v20240101:network:VirtualApplianceSite" }, { type: "azure-native_network_v20240301:network:VirtualApplianceSite" }, { type: "azure-native_network_v20240501:network:VirtualApplianceSite" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualApplianceSite.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualHub.ts b/sdk/nodejs/network/virtualHub.ts index 4bb1fd20a0ef..3e540f31b940 100644 --- a/sdk/nodejs/network/virtualHub.ts +++ b/sdk/nodejs/network/virtualHub.ts @@ -236,7 +236,7 @@ export class VirtualHub extends pulumi.CustomResource { resourceInputs["vpnGateway"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180401:VirtualHub" }, { type: "azure-native:network/v20180601:VirtualHub" }, { type: "azure-native:network/v20180701:VirtualHub" }, { type: "azure-native:network/v20180801:VirtualHub" }, { type: "azure-native:network/v20181001:VirtualHub" }, { type: "azure-native:network/v20181101:VirtualHub" }, { type: "azure-native:network/v20181201:VirtualHub" }, { type: "azure-native:network/v20190201:VirtualHub" }, { type: "azure-native:network/v20190401:VirtualHub" }, { type: "azure-native:network/v20190601:VirtualHub" }, { type: "azure-native:network/v20190701:VirtualHub" }, { type: "azure-native:network/v20190801:VirtualHub" }, { type: "azure-native:network/v20190901:VirtualHub" }, { type: "azure-native:network/v20191101:VirtualHub" }, { type: "azure-native:network/v20191201:VirtualHub" }, { type: "azure-native:network/v20200301:VirtualHub" }, { type: "azure-native:network/v20200401:VirtualHub" }, { type: "azure-native:network/v20200501:VirtualHub" }, { type: "azure-native:network/v20200601:VirtualHub" }, { type: "azure-native:network/v20200701:VirtualHub" }, { type: "azure-native:network/v20200801:VirtualHub" }, { type: "azure-native:network/v20201101:VirtualHub" }, { type: "azure-native:network/v20210201:VirtualHub" }, { type: "azure-native:network/v20210301:VirtualHub" }, { type: "azure-native:network/v20210501:VirtualHub" }, { type: "azure-native:network/v20210801:VirtualHub" }, { type: "azure-native:network/v20220101:VirtualHub" }, { type: "azure-native:network/v20220501:VirtualHub" }, { type: "azure-native:network/v20220701:VirtualHub" }, { type: "azure-native:network/v20220901:VirtualHub" }, { type: "azure-native:network/v20221101:VirtualHub" }, { type: "azure-native:network/v20230201:VirtualHub" }, { type: "azure-native:network/v20230401:VirtualHub" }, { type: "azure-native:network/v20230501:VirtualHub" }, { type: "azure-native:network/v20230601:VirtualHub" }, { type: "azure-native:network/v20230901:VirtualHub" }, { type: "azure-native:network/v20231101:VirtualHub" }, { type: "azure-native:network/v20240101:VirtualHub" }, { type: "azure-native:network/v20240301:VirtualHub" }, { type: "azure-native:network/v20240501:VirtualHub" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20180701:VirtualHub" }, { type: "azure-native:network/v20200401:VirtualHub" }, { type: "azure-native:network/v20200601:VirtualHub" }, { type: "azure-native:network/v20230201:VirtualHub" }, { type: "azure-native:network/v20230401:VirtualHub" }, { type: "azure-native:network/v20230501:VirtualHub" }, { type: "azure-native:network/v20230601:VirtualHub" }, { type: "azure-native:network/v20230901:VirtualHub" }, { type: "azure-native:network/v20231101:VirtualHub" }, { type: "azure-native:network/v20240101:VirtualHub" }, { type: "azure-native:network/v20240301:VirtualHub" }, { type: "azure-native:network/v20240501:VirtualHub" }, { type: "azure-native_network_v20180401:network:VirtualHub" }, { type: "azure-native_network_v20180601:network:VirtualHub" }, { type: "azure-native_network_v20180701:network:VirtualHub" }, { type: "azure-native_network_v20180801:network:VirtualHub" }, { type: "azure-native_network_v20181001:network:VirtualHub" }, { type: "azure-native_network_v20181101:network:VirtualHub" }, { type: "azure-native_network_v20181201:network:VirtualHub" }, { type: "azure-native_network_v20190201:network:VirtualHub" }, { type: "azure-native_network_v20190401:network:VirtualHub" }, { type: "azure-native_network_v20190601:network:VirtualHub" }, { type: "azure-native_network_v20190701:network:VirtualHub" }, { type: "azure-native_network_v20190801:network:VirtualHub" }, { type: "azure-native_network_v20190901:network:VirtualHub" }, { type: "azure-native_network_v20191101:network:VirtualHub" }, { type: "azure-native_network_v20191201:network:VirtualHub" }, { type: "azure-native_network_v20200301:network:VirtualHub" }, { type: "azure-native_network_v20200401:network:VirtualHub" }, { type: "azure-native_network_v20200501:network:VirtualHub" }, { type: "azure-native_network_v20200601:network:VirtualHub" }, { type: "azure-native_network_v20200701:network:VirtualHub" }, { type: "azure-native_network_v20200801:network:VirtualHub" }, { type: "azure-native_network_v20201101:network:VirtualHub" }, { type: "azure-native_network_v20210201:network:VirtualHub" }, { type: "azure-native_network_v20210301:network:VirtualHub" }, { type: "azure-native_network_v20210501:network:VirtualHub" }, { type: "azure-native_network_v20210801:network:VirtualHub" }, { type: "azure-native_network_v20220101:network:VirtualHub" }, { type: "azure-native_network_v20220501:network:VirtualHub" }, { type: "azure-native_network_v20220701:network:VirtualHub" }, { type: "azure-native_network_v20220901:network:VirtualHub" }, { type: "azure-native_network_v20221101:network:VirtualHub" }, { type: "azure-native_network_v20230201:network:VirtualHub" }, { type: "azure-native_network_v20230401:network:VirtualHub" }, { type: "azure-native_network_v20230501:network:VirtualHub" }, { type: "azure-native_network_v20230601:network:VirtualHub" }, { type: "azure-native_network_v20230901:network:VirtualHub" }, { type: "azure-native_network_v20231101:network:VirtualHub" }, { type: "azure-native_network_v20240101:network:VirtualHub" }, { type: "azure-native_network_v20240301:network:VirtualHub" }, { type: "azure-native_network_v20240501:network:VirtualHub" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualHub.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualHubBgpConnection.ts b/sdk/nodejs/network/virtualHubBgpConnection.ts index f1943aa102a9..fbac3804c3fa 100644 --- a/sdk/nodejs/network/virtualHubBgpConnection.ts +++ b/sdk/nodejs/network/virtualHubBgpConnection.ts @@ -120,7 +120,7 @@ export class VirtualHubBgpConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200501:VirtualHubBgpConnection" }, { type: "azure-native:network/v20200601:VirtualHubBgpConnection" }, { type: "azure-native:network/v20200701:VirtualHubBgpConnection" }, { type: "azure-native:network/v20200801:VirtualHubBgpConnection" }, { type: "azure-native:network/v20201101:VirtualHubBgpConnection" }, { type: "azure-native:network/v20210201:VirtualHubBgpConnection" }, { type: "azure-native:network/v20210301:VirtualHubBgpConnection" }, { type: "azure-native:network/v20210501:VirtualHubBgpConnection" }, { type: "azure-native:network/v20210801:VirtualHubBgpConnection" }, { type: "azure-native:network/v20220101:VirtualHubBgpConnection" }, { type: "azure-native:network/v20220501:VirtualHubBgpConnection" }, { type: "azure-native:network/v20220701:VirtualHubBgpConnection" }, { type: "azure-native:network/v20220901:VirtualHubBgpConnection" }, { type: "azure-native:network/v20221101:VirtualHubBgpConnection" }, { type: "azure-native:network/v20230201:VirtualHubBgpConnection" }, { type: "azure-native:network/v20230401:VirtualHubBgpConnection" }, { type: "azure-native:network/v20230501:VirtualHubBgpConnection" }, { type: "azure-native:network/v20230601:VirtualHubBgpConnection" }, { type: "azure-native:network/v20230901:VirtualHubBgpConnection" }, { type: "azure-native:network/v20231101:VirtualHubBgpConnection" }, { type: "azure-native:network/v20240101:VirtualHubBgpConnection" }, { type: "azure-native:network/v20240301:VirtualHubBgpConnection" }, { type: "azure-native:network/v20240501:VirtualHubBgpConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:VirtualHubBgpConnection" }, { type: "azure-native:network/v20230401:VirtualHubBgpConnection" }, { type: "azure-native:network/v20230501:VirtualHubBgpConnection" }, { type: "azure-native:network/v20230601:VirtualHubBgpConnection" }, { type: "azure-native:network/v20230901:VirtualHubBgpConnection" }, { type: "azure-native:network/v20231101:VirtualHubBgpConnection" }, { type: "azure-native:network/v20240101:VirtualHubBgpConnection" }, { type: "azure-native:network/v20240301:VirtualHubBgpConnection" }, { type: "azure-native:network/v20240501:VirtualHubBgpConnection" }, { type: "azure-native_network_v20200501:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20200601:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20200701:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20200801:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20201101:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20210201:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20210301:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20210501:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20210801:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20220101:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20220501:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20220701:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20220901:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20221101:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20230201:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20230401:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20230501:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20230601:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20230901:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20231101:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20240101:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20240301:network:VirtualHubBgpConnection" }, { type: "azure-native_network_v20240501:network:VirtualHubBgpConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualHubBgpConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualHubIpConfiguration.ts b/sdk/nodejs/network/virtualHubIpConfiguration.ts index ad835ef5f5f4..70432284d947 100644 --- a/sdk/nodejs/network/virtualHubIpConfiguration.ts +++ b/sdk/nodejs/network/virtualHubIpConfiguration.ts @@ -120,7 +120,7 @@ export class VirtualHubIpConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200501:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20200601:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20200701:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20200801:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20201101:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20210201:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20210301:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20210501:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20210801:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20220101:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20220501:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20220701:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20220901:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20221101:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20230201:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20230401:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20230501:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20230601:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20230901:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20231101:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20240101:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20240301:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20240501:VirtualHubIpConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20230401:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20230501:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20230601:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20230901:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20231101:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20240101:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20240301:VirtualHubIpConfiguration" }, { type: "azure-native:network/v20240501:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20200501:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20200601:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20200701:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20200801:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20201101:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20210201:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20210301:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20210501:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20210801:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20220101:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20220501:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20220701:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20220901:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20221101:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20230201:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20230401:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20230501:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20230601:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20230901:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20231101:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20240101:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20240301:network:VirtualHubIpConfiguration" }, { type: "azure-native_network_v20240501:network:VirtualHubIpConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualHubIpConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualHubRouteTableV2.ts b/sdk/nodejs/network/virtualHubRouteTableV2.ts index 12b27bcb342a..8f36712a2b4e 100644 --- a/sdk/nodejs/network/virtualHubRouteTableV2.ts +++ b/sdk/nodejs/network/virtualHubRouteTableV2.ts @@ -102,7 +102,7 @@ export class VirtualHubRouteTableV2 extends pulumi.CustomResource { resourceInputs["routes"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20190901:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20191101:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20191201:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20200301:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20200401:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20200501:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20200601:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20200701:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20200801:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20201101:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20210201:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20210301:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20210501:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20210801:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20220101:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20220501:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20220701:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20220901:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20221101:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20230201:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20230401:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20230501:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20230601:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20230901:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20231101:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20240101:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20240301:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20240501:VirtualHubRouteTableV2" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20230401:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20230501:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20230601:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20230901:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20231101:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20240101:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20240301:VirtualHubRouteTableV2" }, { type: "azure-native:network/v20240501:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20190901:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20191101:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20191201:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20200301:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20200401:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20200501:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20200601:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20200701:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20200801:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20201101:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20210201:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20210301:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20210501:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20210801:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20220101:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20220501:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20220701:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20220901:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20221101:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20230201:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20230401:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20230501:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20230601:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20230901:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20231101:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20240101:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20240301:network:VirtualHubRouteTableV2" }, { type: "azure-native_network_v20240501:network:VirtualHubRouteTableV2" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualHubRouteTableV2.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualNetwork.ts b/sdk/nodejs/network/virtualNetwork.ts index e93fb8f362cc..a42ac6e26e7a 100644 --- a/sdk/nodejs/network/virtualNetwork.ts +++ b/sdk/nodejs/network/virtualNetwork.ts @@ -194,7 +194,7 @@ export class VirtualNetwork extends pulumi.CustomResource { resourceInputs["virtualNetworkPeerings"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150501preview:VirtualNetwork" }, { type: "azure-native:network/v20150615:VirtualNetwork" }, { type: "azure-native:network/v20160330:VirtualNetwork" }, { type: "azure-native:network/v20160601:VirtualNetwork" }, { type: "azure-native:network/v20160901:VirtualNetwork" }, { type: "azure-native:network/v20161201:VirtualNetwork" }, { type: "azure-native:network/v20170301:VirtualNetwork" }, { type: "azure-native:network/v20170601:VirtualNetwork" }, { type: "azure-native:network/v20170801:VirtualNetwork" }, { type: "azure-native:network/v20170901:VirtualNetwork" }, { type: "azure-native:network/v20171001:VirtualNetwork" }, { type: "azure-native:network/v20171101:VirtualNetwork" }, { type: "azure-native:network/v20180101:VirtualNetwork" }, { type: "azure-native:network/v20180201:VirtualNetwork" }, { type: "azure-native:network/v20180401:VirtualNetwork" }, { type: "azure-native:network/v20180601:VirtualNetwork" }, { type: "azure-native:network/v20180701:VirtualNetwork" }, { type: "azure-native:network/v20180801:VirtualNetwork" }, { type: "azure-native:network/v20181001:VirtualNetwork" }, { type: "azure-native:network/v20181101:VirtualNetwork" }, { type: "azure-native:network/v20181201:VirtualNetwork" }, { type: "azure-native:network/v20190201:VirtualNetwork" }, { type: "azure-native:network/v20190401:VirtualNetwork" }, { type: "azure-native:network/v20190601:VirtualNetwork" }, { type: "azure-native:network/v20190701:VirtualNetwork" }, { type: "azure-native:network/v20190801:VirtualNetwork" }, { type: "azure-native:network/v20190901:VirtualNetwork" }, { type: "azure-native:network/v20191101:VirtualNetwork" }, { type: "azure-native:network/v20191201:VirtualNetwork" }, { type: "azure-native:network/v20200301:VirtualNetwork" }, { type: "azure-native:network/v20200401:VirtualNetwork" }, { type: "azure-native:network/v20200501:VirtualNetwork" }, { type: "azure-native:network/v20200601:VirtualNetwork" }, { type: "azure-native:network/v20200701:VirtualNetwork" }, { type: "azure-native:network/v20200801:VirtualNetwork" }, { type: "azure-native:network/v20201101:VirtualNetwork" }, { type: "azure-native:network/v20210201:VirtualNetwork" }, { type: "azure-native:network/v20210301:VirtualNetwork" }, { type: "azure-native:network/v20210501:VirtualNetwork" }, { type: "azure-native:network/v20210801:VirtualNetwork" }, { type: "azure-native:network/v20220101:VirtualNetwork" }, { type: "azure-native:network/v20220501:VirtualNetwork" }, { type: "azure-native:network/v20220701:VirtualNetwork" }, { type: "azure-native:network/v20220901:VirtualNetwork" }, { type: "azure-native:network/v20221101:VirtualNetwork" }, { type: "azure-native:network/v20230201:VirtualNetwork" }, { type: "azure-native:network/v20230401:VirtualNetwork" }, { type: "azure-native:network/v20230501:VirtualNetwork" }, { type: "azure-native:network/v20230601:VirtualNetwork" }, { type: "azure-native:network/v20230901:VirtualNetwork" }, { type: "azure-native:network/v20231101:VirtualNetwork" }, { type: "azure-native:network/v20240101:VirtualNetwork" }, { type: "azure-native:network/v20240301:VirtualNetwork" }, { type: "azure-native:network/v20240501:VirtualNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:VirtualNetwork" }, { type: "azure-native:network/v20190801:VirtualNetwork" }, { type: "azure-native:network/v20230201:VirtualNetwork" }, { type: "azure-native:network/v20230401:VirtualNetwork" }, { type: "azure-native:network/v20230501:VirtualNetwork" }, { type: "azure-native:network/v20230601:VirtualNetwork" }, { type: "azure-native:network/v20230901:VirtualNetwork" }, { type: "azure-native:network/v20231101:VirtualNetwork" }, { type: "azure-native:network/v20240101:VirtualNetwork" }, { type: "azure-native:network/v20240301:VirtualNetwork" }, { type: "azure-native:network/v20240501:VirtualNetwork" }, { type: "azure-native_network_v20150501preview:network:VirtualNetwork" }, { type: "azure-native_network_v20150615:network:VirtualNetwork" }, { type: "azure-native_network_v20160330:network:VirtualNetwork" }, { type: "azure-native_network_v20160601:network:VirtualNetwork" }, { type: "azure-native_network_v20160901:network:VirtualNetwork" }, { type: "azure-native_network_v20161201:network:VirtualNetwork" }, { type: "azure-native_network_v20170301:network:VirtualNetwork" }, { type: "azure-native_network_v20170601:network:VirtualNetwork" }, { type: "azure-native_network_v20170801:network:VirtualNetwork" }, { type: "azure-native_network_v20170901:network:VirtualNetwork" }, { type: "azure-native_network_v20171001:network:VirtualNetwork" }, { type: "azure-native_network_v20171101:network:VirtualNetwork" }, { type: "azure-native_network_v20180101:network:VirtualNetwork" }, { type: "azure-native_network_v20180201:network:VirtualNetwork" }, { type: "azure-native_network_v20180401:network:VirtualNetwork" }, { type: "azure-native_network_v20180601:network:VirtualNetwork" }, { type: "azure-native_network_v20180701:network:VirtualNetwork" }, { type: "azure-native_network_v20180801:network:VirtualNetwork" }, { type: "azure-native_network_v20181001:network:VirtualNetwork" }, { type: "azure-native_network_v20181101:network:VirtualNetwork" }, { type: "azure-native_network_v20181201:network:VirtualNetwork" }, { type: "azure-native_network_v20190201:network:VirtualNetwork" }, { type: "azure-native_network_v20190401:network:VirtualNetwork" }, { type: "azure-native_network_v20190601:network:VirtualNetwork" }, { type: "azure-native_network_v20190701:network:VirtualNetwork" }, { type: "azure-native_network_v20190801:network:VirtualNetwork" }, { type: "azure-native_network_v20190901:network:VirtualNetwork" }, { type: "azure-native_network_v20191101:network:VirtualNetwork" }, { type: "azure-native_network_v20191201:network:VirtualNetwork" }, { type: "azure-native_network_v20200301:network:VirtualNetwork" }, { type: "azure-native_network_v20200401:network:VirtualNetwork" }, { type: "azure-native_network_v20200501:network:VirtualNetwork" }, { type: "azure-native_network_v20200601:network:VirtualNetwork" }, { type: "azure-native_network_v20200701:network:VirtualNetwork" }, { type: "azure-native_network_v20200801:network:VirtualNetwork" }, { type: "azure-native_network_v20201101:network:VirtualNetwork" }, { type: "azure-native_network_v20210201:network:VirtualNetwork" }, { type: "azure-native_network_v20210301:network:VirtualNetwork" }, { type: "azure-native_network_v20210501:network:VirtualNetwork" }, { type: "azure-native_network_v20210801:network:VirtualNetwork" }, { type: "azure-native_network_v20220101:network:VirtualNetwork" }, { type: "azure-native_network_v20220501:network:VirtualNetwork" }, { type: "azure-native_network_v20220701:network:VirtualNetwork" }, { type: "azure-native_network_v20220901:network:VirtualNetwork" }, { type: "azure-native_network_v20221101:network:VirtualNetwork" }, { type: "azure-native_network_v20230201:network:VirtualNetwork" }, { type: "azure-native_network_v20230401:network:VirtualNetwork" }, { type: "azure-native_network_v20230501:network:VirtualNetwork" }, { type: "azure-native_network_v20230601:network:VirtualNetwork" }, { type: "azure-native_network_v20230901:network:VirtualNetwork" }, { type: "azure-native_network_v20231101:network:VirtualNetwork" }, { type: "azure-native_network_v20240101:network:VirtualNetwork" }, { type: "azure-native_network_v20240301:network:VirtualNetwork" }, { type: "azure-native_network_v20240501:network:VirtualNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualNetworkGateway.ts b/sdk/nodejs/network/virtualNetworkGateway.ts index 8f8a1725ade7..00c225581df8 100644 --- a/sdk/nodejs/network/virtualNetworkGateway.ts +++ b/sdk/nodejs/network/virtualNetworkGateway.ts @@ -266,7 +266,7 @@ export class VirtualNetworkGateway extends pulumi.CustomResource { resourceInputs["vpnType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150615:VirtualNetworkGateway" }, { type: "azure-native:network/v20160330:VirtualNetworkGateway" }, { type: "azure-native:network/v20160601:VirtualNetworkGateway" }, { type: "azure-native:network/v20160901:VirtualNetworkGateway" }, { type: "azure-native:network/v20161201:VirtualNetworkGateway" }, { type: "azure-native:network/v20170301:VirtualNetworkGateway" }, { type: "azure-native:network/v20170601:VirtualNetworkGateway" }, { type: "azure-native:network/v20170801:VirtualNetworkGateway" }, { type: "azure-native:network/v20170901:VirtualNetworkGateway" }, { type: "azure-native:network/v20171001:VirtualNetworkGateway" }, { type: "azure-native:network/v20171101:VirtualNetworkGateway" }, { type: "azure-native:network/v20180101:VirtualNetworkGateway" }, { type: "azure-native:network/v20180201:VirtualNetworkGateway" }, { type: "azure-native:network/v20180401:VirtualNetworkGateway" }, { type: "azure-native:network/v20180601:VirtualNetworkGateway" }, { type: "azure-native:network/v20180701:VirtualNetworkGateway" }, { type: "azure-native:network/v20180801:VirtualNetworkGateway" }, { type: "azure-native:network/v20181001:VirtualNetworkGateway" }, { type: "azure-native:network/v20181101:VirtualNetworkGateway" }, { type: "azure-native:network/v20181201:VirtualNetworkGateway" }, { type: "azure-native:network/v20190201:VirtualNetworkGateway" }, { type: "azure-native:network/v20190401:VirtualNetworkGateway" }, { type: "azure-native:network/v20190601:VirtualNetworkGateway" }, { type: "azure-native:network/v20190701:VirtualNetworkGateway" }, { type: "azure-native:network/v20190801:VirtualNetworkGateway" }, { type: "azure-native:network/v20190901:VirtualNetworkGateway" }, { type: "azure-native:network/v20191101:VirtualNetworkGateway" }, { type: "azure-native:network/v20191201:VirtualNetworkGateway" }, { type: "azure-native:network/v20200301:VirtualNetworkGateway" }, { type: "azure-native:network/v20200401:VirtualNetworkGateway" }, { type: "azure-native:network/v20200501:VirtualNetworkGateway" }, { type: "azure-native:network/v20200601:VirtualNetworkGateway" }, { type: "azure-native:network/v20200701:VirtualNetworkGateway" }, { type: "azure-native:network/v20200801:VirtualNetworkGateway" }, { type: "azure-native:network/v20201101:VirtualNetworkGateway" }, { type: "azure-native:network/v20210201:VirtualNetworkGateway" }, { type: "azure-native:network/v20210301:VirtualNetworkGateway" }, { type: "azure-native:network/v20210501:VirtualNetworkGateway" }, { type: "azure-native:network/v20210801:VirtualNetworkGateway" }, { type: "azure-native:network/v20220101:VirtualNetworkGateway" }, { type: "azure-native:network/v20220501:VirtualNetworkGateway" }, { type: "azure-native:network/v20220701:VirtualNetworkGateway" }, { type: "azure-native:network/v20220901:VirtualNetworkGateway" }, { type: "azure-native:network/v20221101:VirtualNetworkGateway" }, { type: "azure-native:network/v20230201:VirtualNetworkGateway" }, { type: "azure-native:network/v20230401:VirtualNetworkGateway" }, { type: "azure-native:network/v20230501:VirtualNetworkGateway" }, { type: "azure-native:network/v20230601:VirtualNetworkGateway" }, { type: "azure-native:network/v20230901:VirtualNetworkGateway" }, { type: "azure-native:network/v20231101:VirtualNetworkGateway" }, { type: "azure-native:network/v20240101:VirtualNetworkGateway" }, { type: "azure-native:network/v20240301:VirtualNetworkGateway" }, { type: "azure-native:network/v20240501:VirtualNetworkGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190801:VirtualNetworkGateway" }, { type: "azure-native:network/v20230201:VirtualNetworkGateway" }, { type: "azure-native:network/v20230401:VirtualNetworkGateway" }, { type: "azure-native:network/v20230501:VirtualNetworkGateway" }, { type: "azure-native:network/v20230601:VirtualNetworkGateway" }, { type: "azure-native:network/v20230901:VirtualNetworkGateway" }, { type: "azure-native:network/v20231101:VirtualNetworkGateway" }, { type: "azure-native:network/v20240101:VirtualNetworkGateway" }, { type: "azure-native:network/v20240301:VirtualNetworkGateway" }, { type: "azure-native:network/v20240501:VirtualNetworkGateway" }, { type: "azure-native_network_v20150615:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20160330:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20160601:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20160901:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20161201:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20170301:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20170601:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20170801:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20170901:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20171001:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20171101:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20180101:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20180201:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20180401:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20180601:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20180701:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20180801:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20181001:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20181101:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20181201:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20190201:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20190401:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20190601:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20190701:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20190801:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20190901:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20191101:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20191201:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20200301:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20200401:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20200501:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20200601:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20200701:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20200801:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20201101:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20210201:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20210301:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20210501:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20210801:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20220101:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20220501:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20220701:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20220901:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20221101:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20230201:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20230401:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20230501:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20230601:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20230901:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20231101:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20240101:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20240301:network:VirtualNetworkGateway" }, { type: "azure-native_network_v20240501:network:VirtualNetworkGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetworkGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualNetworkGatewayConnection.ts b/sdk/nodejs/network/virtualNetworkGatewayConnection.ts index e9a4fbaff5da..52d9c9fb0ba0 100644 --- a/sdk/nodejs/network/virtualNetworkGatewayConnection.ts +++ b/sdk/nodejs/network/virtualNetworkGatewayConnection.ts @@ -266,7 +266,7 @@ export class VirtualNetworkGatewayConnection extends pulumi.CustomResource { resourceInputs["virtualNetworkGateway2"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20150615:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20160330:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20160601:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20160901:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20161201:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20170301:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20170601:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20170801:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20170901:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20171001:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20171101:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20180101:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20180201:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20180401:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20180601:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20180701:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20180801:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20181001:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20181101:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20181201:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20190201:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20190401:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20190601:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20190701:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20190801:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20190901:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20191101:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20191201:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20200301:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20200401:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20200501:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20200601:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20200701:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20200801:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20201101:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20210201:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20210301:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20210501:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20210801:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20220101:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20220501:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20220701:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20220901:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20221101:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20230201:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20230401:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20230501:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20230601:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20230901:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20231101:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20240101:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20240301:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20240501:VirtualNetworkGatewayConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190801:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20230201:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20230401:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20230501:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20230601:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20230901:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20231101:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20240101:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20240301:VirtualNetworkGatewayConnection" }, { type: "azure-native:network/v20240501:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20150615:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20160330:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20160601:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20160901:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20161201:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20170301:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20170601:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20170801:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20170901:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20171001:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20171101:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20180101:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20180201:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20180401:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20180601:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20180701:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20180801:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20181001:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20181101:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20181201:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20190201:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20190401:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20190601:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20190701:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20190801:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20190901:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20191101:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20191201:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20200301:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20200401:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20200501:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20200601:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20200701:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20200801:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20201101:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20210201:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20210301:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20210501:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20210801:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20220101:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20220501:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20220701:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20220901:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20221101:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20230201:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20230401:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20230501:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20230601:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20230901:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20231101:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20240101:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20240301:network:VirtualNetworkGatewayConnection" }, { type: "azure-native_network_v20240501:network:VirtualNetworkGatewayConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetworkGatewayConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualNetworkGatewayNatRule.ts b/sdk/nodejs/network/virtualNetworkGatewayNatRule.ts index 22f04f38b191..a574737d57f7 100644 --- a/sdk/nodejs/network/virtualNetworkGatewayNatRule.ts +++ b/sdk/nodejs/network/virtualNetworkGatewayNatRule.ts @@ -120,7 +120,7 @@ export class VirtualNetworkGatewayNatRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20210201:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20210301:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20210501:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20210801:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20220101:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20220501:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20220701:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20220901:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20221101:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20230201:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20230401:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20230501:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20230601:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20230901:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20231101:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20240101:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20240301:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20240501:VirtualNetworkGatewayNatRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20230401:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20230501:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20230601:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20230901:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20231101:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20240101:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20240301:VirtualNetworkGatewayNatRule" }, { type: "azure-native:network/v20240501:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20210201:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20210301:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20210501:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20210801:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20220101:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20220501:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20220701:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20220901:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20221101:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20230401:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20230501:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20230601:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20230901:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20231101:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20240101:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20240301:network:VirtualNetworkGatewayNatRule" }, { type: "azure-native_network_v20240501:network:VirtualNetworkGatewayNatRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetworkGatewayNatRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualNetworkPeering.ts b/sdk/nodejs/network/virtualNetworkPeering.ts index d4e10f20c3af..ff0bf0f72b42 100644 --- a/sdk/nodejs/network/virtualNetworkPeering.ts +++ b/sdk/nodejs/network/virtualNetworkPeering.ts @@ -211,7 +211,7 @@ export class VirtualNetworkPeering extends pulumi.CustomResource { resourceInputs["useRemoteGateways"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20160601:VirtualNetworkPeering" }, { type: "azure-native:network/v20160901:VirtualNetworkPeering" }, { type: "azure-native:network/v20161201:VirtualNetworkPeering" }, { type: "azure-native:network/v20170301:VirtualNetworkPeering" }, { type: "azure-native:network/v20170601:VirtualNetworkPeering" }, { type: "azure-native:network/v20170801:VirtualNetworkPeering" }, { type: "azure-native:network/v20170901:VirtualNetworkPeering" }, { type: "azure-native:network/v20171001:VirtualNetworkPeering" }, { type: "azure-native:network/v20171101:VirtualNetworkPeering" }, { type: "azure-native:network/v20180101:VirtualNetworkPeering" }, { type: "azure-native:network/v20180201:VirtualNetworkPeering" }, { type: "azure-native:network/v20180401:VirtualNetworkPeering" }, { type: "azure-native:network/v20180601:VirtualNetworkPeering" }, { type: "azure-native:network/v20180701:VirtualNetworkPeering" }, { type: "azure-native:network/v20180801:VirtualNetworkPeering" }, { type: "azure-native:network/v20181001:VirtualNetworkPeering" }, { type: "azure-native:network/v20181101:VirtualNetworkPeering" }, { type: "azure-native:network/v20181201:VirtualNetworkPeering" }, { type: "azure-native:network/v20190201:VirtualNetworkPeering" }, { type: "azure-native:network/v20190401:VirtualNetworkPeering" }, { type: "azure-native:network/v20190601:VirtualNetworkPeering" }, { type: "azure-native:network/v20190701:VirtualNetworkPeering" }, { type: "azure-native:network/v20190801:VirtualNetworkPeering" }, { type: "azure-native:network/v20190901:VirtualNetworkPeering" }, { type: "azure-native:network/v20191101:VirtualNetworkPeering" }, { type: "azure-native:network/v20191201:VirtualNetworkPeering" }, { type: "azure-native:network/v20200301:VirtualNetworkPeering" }, { type: "azure-native:network/v20200401:VirtualNetworkPeering" }, { type: "azure-native:network/v20200501:VirtualNetworkPeering" }, { type: "azure-native:network/v20200601:VirtualNetworkPeering" }, { type: "azure-native:network/v20200701:VirtualNetworkPeering" }, { type: "azure-native:network/v20200801:VirtualNetworkPeering" }, { type: "azure-native:network/v20201101:VirtualNetworkPeering" }, { type: "azure-native:network/v20210201:VirtualNetworkPeering" }, { type: "azure-native:network/v20210301:VirtualNetworkPeering" }, { type: "azure-native:network/v20210501:VirtualNetworkPeering" }, { type: "azure-native:network/v20210801:VirtualNetworkPeering" }, { type: "azure-native:network/v20220101:VirtualNetworkPeering" }, { type: "azure-native:network/v20220501:VirtualNetworkPeering" }, { type: "azure-native:network/v20220701:VirtualNetworkPeering" }, { type: "azure-native:network/v20220901:VirtualNetworkPeering" }, { type: "azure-native:network/v20221101:VirtualNetworkPeering" }, { type: "azure-native:network/v20230201:VirtualNetworkPeering" }, { type: "azure-native:network/v20230401:VirtualNetworkPeering" }, { type: "azure-native:network/v20230501:VirtualNetworkPeering" }, { type: "azure-native:network/v20230601:VirtualNetworkPeering" }, { type: "azure-native:network/v20230901:VirtualNetworkPeering" }, { type: "azure-native:network/v20231101:VirtualNetworkPeering" }, { type: "azure-native:network/v20240101:VirtualNetworkPeering" }, { type: "azure-native:network/v20240301:VirtualNetworkPeering" }, { type: "azure-native:network/v20240501:VirtualNetworkPeering" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190601:VirtualNetworkPeering" }, { type: "azure-native:network/v20230201:VirtualNetworkPeering" }, { type: "azure-native:network/v20230401:VirtualNetworkPeering" }, { type: "azure-native:network/v20230501:VirtualNetworkPeering" }, { type: "azure-native:network/v20230601:VirtualNetworkPeering" }, { type: "azure-native:network/v20230901:VirtualNetworkPeering" }, { type: "azure-native:network/v20231101:VirtualNetworkPeering" }, { type: "azure-native:network/v20240101:VirtualNetworkPeering" }, { type: "azure-native:network/v20240301:VirtualNetworkPeering" }, { type: "azure-native:network/v20240501:VirtualNetworkPeering" }, { type: "azure-native_network_v20160601:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20160901:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20161201:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20170301:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20170601:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20170801:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20170901:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20171001:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20171101:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20180101:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20180201:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20180401:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20180601:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20180701:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20180801:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20181001:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20181101:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20181201:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20190201:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20190401:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20190601:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20190701:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20190801:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20190901:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20191101:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20191201:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20200301:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20200401:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20200501:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20200601:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20200701:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20200801:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20201101:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20210201:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20210301:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20210501:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20210801:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20220101:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20220501:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20220701:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20220901:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20221101:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20230201:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20230401:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20230501:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20230601:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20230901:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20231101:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20240101:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20240301:network:VirtualNetworkPeering" }, { type: "azure-native_network_v20240501:network:VirtualNetworkPeering" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetworkPeering.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualNetworkTap.ts b/sdk/nodejs/network/virtualNetworkTap.ts index 67a09d440f99..bc29e134a747 100644 --- a/sdk/nodejs/network/virtualNetworkTap.ts +++ b/sdk/nodejs/network/virtualNetworkTap.ts @@ -134,7 +134,7 @@ export class VirtualNetworkTap extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180801:VirtualNetworkTap" }, { type: "azure-native:network/v20181001:VirtualNetworkTap" }, { type: "azure-native:network/v20181101:VirtualNetworkTap" }, { type: "azure-native:network/v20181201:VirtualNetworkTap" }, { type: "azure-native:network/v20190201:VirtualNetworkTap" }, { type: "azure-native:network/v20190401:VirtualNetworkTap" }, { type: "azure-native:network/v20190601:VirtualNetworkTap" }, { type: "azure-native:network/v20190701:VirtualNetworkTap" }, { type: "azure-native:network/v20190801:VirtualNetworkTap" }, { type: "azure-native:network/v20190901:VirtualNetworkTap" }, { type: "azure-native:network/v20191101:VirtualNetworkTap" }, { type: "azure-native:network/v20191201:VirtualNetworkTap" }, { type: "azure-native:network/v20200301:VirtualNetworkTap" }, { type: "azure-native:network/v20200401:VirtualNetworkTap" }, { type: "azure-native:network/v20200501:VirtualNetworkTap" }, { type: "azure-native:network/v20200601:VirtualNetworkTap" }, { type: "azure-native:network/v20200701:VirtualNetworkTap" }, { type: "azure-native:network/v20200801:VirtualNetworkTap" }, { type: "azure-native:network/v20201101:VirtualNetworkTap" }, { type: "azure-native:network/v20210201:VirtualNetworkTap" }, { type: "azure-native:network/v20210301:VirtualNetworkTap" }, { type: "azure-native:network/v20210501:VirtualNetworkTap" }, { type: "azure-native:network/v20210801:VirtualNetworkTap" }, { type: "azure-native:network/v20220101:VirtualNetworkTap" }, { type: "azure-native:network/v20220501:VirtualNetworkTap" }, { type: "azure-native:network/v20220701:VirtualNetworkTap" }, { type: "azure-native:network/v20220901:VirtualNetworkTap" }, { type: "azure-native:network/v20221101:VirtualNetworkTap" }, { type: "azure-native:network/v20230201:VirtualNetworkTap" }, { type: "azure-native:network/v20230401:VirtualNetworkTap" }, { type: "azure-native:network/v20230501:VirtualNetworkTap" }, { type: "azure-native:network/v20230601:VirtualNetworkTap" }, { type: "azure-native:network/v20230901:VirtualNetworkTap" }, { type: "azure-native:network/v20231101:VirtualNetworkTap" }, { type: "azure-native:network/v20240101:VirtualNetworkTap" }, { type: "azure-native:network/v20240301:VirtualNetworkTap" }, { type: "azure-native:network/v20240501:VirtualNetworkTap" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:VirtualNetworkTap" }, { type: "azure-native:network/v20230401:VirtualNetworkTap" }, { type: "azure-native:network/v20230501:VirtualNetworkTap" }, { type: "azure-native:network/v20230601:VirtualNetworkTap" }, { type: "azure-native:network/v20230901:VirtualNetworkTap" }, { type: "azure-native:network/v20231101:VirtualNetworkTap" }, { type: "azure-native:network/v20240101:VirtualNetworkTap" }, { type: "azure-native:network/v20240301:VirtualNetworkTap" }, { type: "azure-native:network/v20240501:VirtualNetworkTap" }, { type: "azure-native_network_v20180801:network:VirtualNetworkTap" }, { type: "azure-native_network_v20181001:network:VirtualNetworkTap" }, { type: "azure-native_network_v20181101:network:VirtualNetworkTap" }, { type: "azure-native_network_v20181201:network:VirtualNetworkTap" }, { type: "azure-native_network_v20190201:network:VirtualNetworkTap" }, { type: "azure-native_network_v20190401:network:VirtualNetworkTap" }, { type: "azure-native_network_v20190601:network:VirtualNetworkTap" }, { type: "azure-native_network_v20190701:network:VirtualNetworkTap" }, { type: "azure-native_network_v20190801:network:VirtualNetworkTap" }, { type: "azure-native_network_v20190901:network:VirtualNetworkTap" }, { type: "azure-native_network_v20191101:network:VirtualNetworkTap" }, { type: "azure-native_network_v20191201:network:VirtualNetworkTap" }, { type: "azure-native_network_v20200301:network:VirtualNetworkTap" }, { type: "azure-native_network_v20200401:network:VirtualNetworkTap" }, { type: "azure-native_network_v20200501:network:VirtualNetworkTap" }, { type: "azure-native_network_v20200601:network:VirtualNetworkTap" }, { type: "azure-native_network_v20200701:network:VirtualNetworkTap" }, { type: "azure-native_network_v20200801:network:VirtualNetworkTap" }, { type: "azure-native_network_v20201101:network:VirtualNetworkTap" }, { type: "azure-native_network_v20210201:network:VirtualNetworkTap" }, { type: "azure-native_network_v20210301:network:VirtualNetworkTap" }, { type: "azure-native_network_v20210501:network:VirtualNetworkTap" }, { type: "azure-native_network_v20210801:network:VirtualNetworkTap" }, { type: "azure-native_network_v20220101:network:VirtualNetworkTap" }, { type: "azure-native_network_v20220501:network:VirtualNetworkTap" }, { type: "azure-native_network_v20220701:network:VirtualNetworkTap" }, { type: "azure-native_network_v20220901:network:VirtualNetworkTap" }, { type: "azure-native_network_v20221101:network:VirtualNetworkTap" }, { type: "azure-native_network_v20230201:network:VirtualNetworkTap" }, { type: "azure-native_network_v20230401:network:VirtualNetworkTap" }, { type: "azure-native_network_v20230501:network:VirtualNetworkTap" }, { type: "azure-native_network_v20230601:network:VirtualNetworkTap" }, { type: "azure-native_network_v20230901:network:VirtualNetworkTap" }, { type: "azure-native_network_v20231101:network:VirtualNetworkTap" }, { type: "azure-native_network_v20240101:network:VirtualNetworkTap" }, { type: "azure-native_network_v20240301:network:VirtualNetworkTap" }, { type: "azure-native_network_v20240501:network:VirtualNetworkTap" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetworkTap.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualRouter.ts b/sdk/nodejs/network/virtualRouter.ts index b08d6fd9bfb9..1d815c227736 100644 --- a/sdk/nodejs/network/virtualRouter.ts +++ b/sdk/nodejs/network/virtualRouter.ts @@ -134,7 +134,7 @@ export class VirtualRouter extends pulumi.CustomResource { resourceInputs["virtualRouterIps"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20190701:VirtualRouter" }, { type: "azure-native:network/v20190801:VirtualRouter" }, { type: "azure-native:network/v20190901:VirtualRouter" }, { type: "azure-native:network/v20191101:VirtualRouter" }, { type: "azure-native:network/v20191201:VirtualRouter" }, { type: "azure-native:network/v20200301:VirtualRouter" }, { type: "azure-native:network/v20200401:VirtualRouter" }, { type: "azure-native:network/v20200501:VirtualRouter" }, { type: "azure-native:network/v20200601:VirtualRouter" }, { type: "azure-native:network/v20200701:VirtualRouter" }, { type: "azure-native:network/v20200801:VirtualRouter" }, { type: "azure-native:network/v20201101:VirtualRouter" }, { type: "azure-native:network/v20210201:VirtualRouter" }, { type: "azure-native:network/v20210301:VirtualRouter" }, { type: "azure-native:network/v20210501:VirtualRouter" }, { type: "azure-native:network/v20210801:VirtualRouter" }, { type: "azure-native:network/v20220101:VirtualRouter" }, { type: "azure-native:network/v20220501:VirtualRouter" }, { type: "azure-native:network/v20220701:VirtualRouter" }, { type: "azure-native:network/v20220901:VirtualRouter" }, { type: "azure-native:network/v20221101:VirtualRouter" }, { type: "azure-native:network/v20230201:VirtualRouter" }, { type: "azure-native:network/v20230401:VirtualRouter" }, { type: "azure-native:network/v20230501:VirtualRouter" }, { type: "azure-native:network/v20230601:VirtualRouter" }, { type: "azure-native:network/v20230901:VirtualRouter" }, { type: "azure-native:network/v20231101:VirtualRouter" }, { type: "azure-native:network/v20240101:VirtualRouter" }, { type: "azure-native:network/v20240301:VirtualRouter" }, { type: "azure-native:network/v20240501:VirtualRouter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:VirtualRouter" }, { type: "azure-native:network/v20230401:VirtualRouter" }, { type: "azure-native:network/v20230501:VirtualRouter" }, { type: "azure-native:network/v20230601:VirtualRouter" }, { type: "azure-native:network/v20230901:VirtualRouter" }, { type: "azure-native:network/v20231101:VirtualRouter" }, { type: "azure-native:network/v20240101:VirtualRouter" }, { type: "azure-native:network/v20240301:VirtualRouter" }, { type: "azure-native:network/v20240501:VirtualRouter" }, { type: "azure-native_network_v20190701:network:VirtualRouter" }, { type: "azure-native_network_v20190801:network:VirtualRouter" }, { type: "azure-native_network_v20190901:network:VirtualRouter" }, { type: "azure-native_network_v20191101:network:VirtualRouter" }, { type: "azure-native_network_v20191201:network:VirtualRouter" }, { type: "azure-native_network_v20200301:network:VirtualRouter" }, { type: "azure-native_network_v20200401:network:VirtualRouter" }, { type: "azure-native_network_v20200501:network:VirtualRouter" }, { type: "azure-native_network_v20200601:network:VirtualRouter" }, { type: "azure-native_network_v20200701:network:VirtualRouter" }, { type: "azure-native_network_v20200801:network:VirtualRouter" }, { type: "azure-native_network_v20201101:network:VirtualRouter" }, { type: "azure-native_network_v20210201:network:VirtualRouter" }, { type: "azure-native_network_v20210301:network:VirtualRouter" }, { type: "azure-native_network_v20210501:network:VirtualRouter" }, { type: "azure-native_network_v20210801:network:VirtualRouter" }, { type: "azure-native_network_v20220101:network:VirtualRouter" }, { type: "azure-native_network_v20220501:network:VirtualRouter" }, { type: "azure-native_network_v20220701:network:VirtualRouter" }, { type: "azure-native_network_v20220901:network:VirtualRouter" }, { type: "azure-native_network_v20221101:network:VirtualRouter" }, { type: "azure-native_network_v20230201:network:VirtualRouter" }, { type: "azure-native_network_v20230401:network:VirtualRouter" }, { type: "azure-native_network_v20230501:network:VirtualRouter" }, { type: "azure-native_network_v20230601:network:VirtualRouter" }, { type: "azure-native_network_v20230901:network:VirtualRouter" }, { type: "azure-native_network_v20231101:network:VirtualRouter" }, { type: "azure-native_network_v20240101:network:VirtualRouter" }, { type: "azure-native_network_v20240301:network:VirtualRouter" }, { type: "azure-native_network_v20240501:network:VirtualRouter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualRouter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualRouterPeering.ts b/sdk/nodejs/network/virtualRouterPeering.ts index 698c04a4a70f..b073b0848fbc 100644 --- a/sdk/nodejs/network/virtualRouterPeering.ts +++ b/sdk/nodejs/network/virtualRouterPeering.ts @@ -105,7 +105,7 @@ export class VirtualRouterPeering extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20190701:VirtualRouterPeering" }, { type: "azure-native:network/v20190801:VirtualRouterPeering" }, { type: "azure-native:network/v20190901:VirtualRouterPeering" }, { type: "azure-native:network/v20191101:VirtualRouterPeering" }, { type: "azure-native:network/v20191201:VirtualRouterPeering" }, { type: "azure-native:network/v20200301:VirtualRouterPeering" }, { type: "azure-native:network/v20200401:VirtualRouterPeering" }, { type: "azure-native:network/v20200501:VirtualRouterPeering" }, { type: "azure-native:network/v20200601:VirtualRouterPeering" }, { type: "azure-native:network/v20200701:VirtualRouterPeering" }, { type: "azure-native:network/v20200801:VirtualRouterPeering" }, { type: "azure-native:network/v20201101:VirtualRouterPeering" }, { type: "azure-native:network/v20210201:VirtualRouterPeering" }, { type: "azure-native:network/v20210301:VirtualRouterPeering" }, { type: "azure-native:network/v20210501:VirtualRouterPeering" }, { type: "azure-native:network/v20210801:VirtualRouterPeering" }, { type: "azure-native:network/v20220101:VirtualRouterPeering" }, { type: "azure-native:network/v20220501:VirtualRouterPeering" }, { type: "azure-native:network/v20220701:VirtualRouterPeering" }, { type: "azure-native:network/v20220901:VirtualRouterPeering" }, { type: "azure-native:network/v20221101:VirtualRouterPeering" }, { type: "azure-native:network/v20230201:VirtualRouterPeering" }, { type: "azure-native:network/v20230401:VirtualRouterPeering" }, { type: "azure-native:network/v20230501:VirtualRouterPeering" }, { type: "azure-native:network/v20230601:VirtualRouterPeering" }, { type: "azure-native:network/v20230901:VirtualRouterPeering" }, { type: "azure-native:network/v20231101:VirtualRouterPeering" }, { type: "azure-native:network/v20240101:VirtualRouterPeering" }, { type: "azure-native:network/v20240301:VirtualRouterPeering" }, { type: "azure-native:network/v20240501:VirtualRouterPeering" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:VirtualRouterPeering" }, { type: "azure-native:network/v20230401:VirtualRouterPeering" }, { type: "azure-native:network/v20230501:VirtualRouterPeering" }, { type: "azure-native:network/v20230601:VirtualRouterPeering" }, { type: "azure-native:network/v20230901:VirtualRouterPeering" }, { type: "azure-native:network/v20231101:VirtualRouterPeering" }, { type: "azure-native:network/v20240101:VirtualRouterPeering" }, { type: "azure-native:network/v20240301:VirtualRouterPeering" }, { type: "azure-native:network/v20240501:VirtualRouterPeering" }, { type: "azure-native_network_v20190701:network:VirtualRouterPeering" }, { type: "azure-native_network_v20190801:network:VirtualRouterPeering" }, { type: "azure-native_network_v20190901:network:VirtualRouterPeering" }, { type: "azure-native_network_v20191101:network:VirtualRouterPeering" }, { type: "azure-native_network_v20191201:network:VirtualRouterPeering" }, { type: "azure-native_network_v20200301:network:VirtualRouterPeering" }, { type: "azure-native_network_v20200401:network:VirtualRouterPeering" }, { type: "azure-native_network_v20200501:network:VirtualRouterPeering" }, { type: "azure-native_network_v20200601:network:VirtualRouterPeering" }, { type: "azure-native_network_v20200701:network:VirtualRouterPeering" }, { type: "azure-native_network_v20200801:network:VirtualRouterPeering" }, { type: "azure-native_network_v20201101:network:VirtualRouterPeering" }, { type: "azure-native_network_v20210201:network:VirtualRouterPeering" }, { type: "azure-native_network_v20210301:network:VirtualRouterPeering" }, { type: "azure-native_network_v20210501:network:VirtualRouterPeering" }, { type: "azure-native_network_v20210801:network:VirtualRouterPeering" }, { type: "azure-native_network_v20220101:network:VirtualRouterPeering" }, { type: "azure-native_network_v20220501:network:VirtualRouterPeering" }, { type: "azure-native_network_v20220701:network:VirtualRouterPeering" }, { type: "azure-native_network_v20220901:network:VirtualRouterPeering" }, { type: "azure-native_network_v20221101:network:VirtualRouterPeering" }, { type: "azure-native_network_v20230201:network:VirtualRouterPeering" }, { type: "azure-native_network_v20230401:network:VirtualRouterPeering" }, { type: "azure-native_network_v20230501:network:VirtualRouterPeering" }, { type: "azure-native_network_v20230601:network:VirtualRouterPeering" }, { type: "azure-native_network_v20230901:network:VirtualRouterPeering" }, { type: "azure-native_network_v20231101:network:VirtualRouterPeering" }, { type: "azure-native_network_v20240101:network:VirtualRouterPeering" }, { type: "azure-native_network_v20240301:network:VirtualRouterPeering" }, { type: "azure-native_network_v20240501:network:VirtualRouterPeering" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualRouterPeering.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/virtualWan.ts b/sdk/nodejs/network/virtualWan.ts index 789380b523d7..b69269b67cda 100644 --- a/sdk/nodejs/network/virtualWan.ts +++ b/sdk/nodejs/network/virtualWan.ts @@ -140,7 +140,7 @@ export class VirtualWan extends pulumi.CustomResource { resourceInputs["vpnSites"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180401:VirtualWan" }, { type: "azure-native:network/v20180601:VirtualWan" }, { type: "azure-native:network/v20180701:VirtualWAN" }, { type: "azure-native:network/v20180701:VirtualWan" }, { type: "azure-native:network/v20180801:VirtualWan" }, { type: "azure-native:network/v20181001:VirtualWan" }, { type: "azure-native:network/v20181101:VirtualWan" }, { type: "azure-native:network/v20181201:VirtualWan" }, { type: "azure-native:network/v20190201:VirtualWan" }, { type: "azure-native:network/v20190401:VirtualWan" }, { type: "azure-native:network/v20190601:VirtualWan" }, { type: "azure-native:network/v20190701:VirtualWan" }, { type: "azure-native:network/v20190801:VirtualWan" }, { type: "azure-native:network/v20190901:VirtualWan" }, { type: "azure-native:network/v20191101:VirtualWan" }, { type: "azure-native:network/v20191201:VirtualWan" }, { type: "azure-native:network/v20200301:VirtualWan" }, { type: "azure-native:network/v20200401:VirtualWan" }, { type: "azure-native:network/v20200501:VirtualWan" }, { type: "azure-native:network/v20200601:VirtualWan" }, { type: "azure-native:network/v20200701:VirtualWan" }, { type: "azure-native:network/v20200801:VirtualWan" }, { type: "azure-native:network/v20201101:VirtualWan" }, { type: "azure-native:network/v20210201:VirtualWan" }, { type: "azure-native:network/v20210301:VirtualWan" }, { type: "azure-native:network/v20210501:VirtualWan" }, { type: "azure-native:network/v20210801:VirtualWan" }, { type: "azure-native:network/v20220101:VirtualWan" }, { type: "azure-native:network/v20220501:VirtualWan" }, { type: "azure-native:network/v20220701:VirtualWan" }, { type: "azure-native:network/v20220901:VirtualWan" }, { type: "azure-native:network/v20221101:VirtualWan" }, { type: "azure-native:network/v20230201:VirtualWan" }, { type: "azure-native:network/v20230401:VirtualWan" }, { type: "azure-native:network/v20230501:VirtualWan" }, { type: "azure-native:network/v20230601:VirtualWan" }, { type: "azure-native:network/v20230901:VirtualWan" }, { type: "azure-native:network/v20231101:VirtualWan" }, { type: "azure-native:network/v20240101:VirtualWan" }, { type: "azure-native:network/v20240301:VirtualWan" }, { type: "azure-native:network/v20240501:VirtualWan" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20180701:VirtualWAN" }, { type: "azure-native:network/v20190701:VirtualWan" }, { type: "azure-native:network/v20230201:VirtualWan" }, { type: "azure-native:network/v20230401:VirtualWan" }, { type: "azure-native:network/v20230501:VirtualWan" }, { type: "azure-native:network/v20230601:VirtualWan" }, { type: "azure-native:network/v20230901:VirtualWan" }, { type: "azure-native:network/v20231101:VirtualWan" }, { type: "azure-native:network/v20240101:VirtualWan" }, { type: "azure-native:network/v20240301:VirtualWan" }, { type: "azure-native:network/v20240501:VirtualWan" }, { type: "azure-native_network_v20180401:network:VirtualWan" }, { type: "azure-native_network_v20180601:network:VirtualWan" }, { type: "azure-native_network_v20180701:network:VirtualWan" }, { type: "azure-native_network_v20180801:network:VirtualWan" }, { type: "azure-native_network_v20181001:network:VirtualWan" }, { type: "azure-native_network_v20181101:network:VirtualWan" }, { type: "azure-native_network_v20181201:network:VirtualWan" }, { type: "azure-native_network_v20190201:network:VirtualWan" }, { type: "azure-native_network_v20190401:network:VirtualWan" }, { type: "azure-native_network_v20190601:network:VirtualWan" }, { type: "azure-native_network_v20190701:network:VirtualWan" }, { type: "azure-native_network_v20190801:network:VirtualWan" }, { type: "azure-native_network_v20190901:network:VirtualWan" }, { type: "azure-native_network_v20191101:network:VirtualWan" }, { type: "azure-native_network_v20191201:network:VirtualWan" }, { type: "azure-native_network_v20200301:network:VirtualWan" }, { type: "azure-native_network_v20200401:network:VirtualWan" }, { type: "azure-native_network_v20200501:network:VirtualWan" }, { type: "azure-native_network_v20200601:network:VirtualWan" }, { type: "azure-native_network_v20200701:network:VirtualWan" }, { type: "azure-native_network_v20200801:network:VirtualWan" }, { type: "azure-native_network_v20201101:network:VirtualWan" }, { type: "azure-native_network_v20210201:network:VirtualWan" }, { type: "azure-native_network_v20210301:network:VirtualWan" }, { type: "azure-native_network_v20210501:network:VirtualWan" }, { type: "azure-native_network_v20210801:network:VirtualWan" }, { type: "azure-native_network_v20220101:network:VirtualWan" }, { type: "azure-native_network_v20220501:network:VirtualWan" }, { type: "azure-native_network_v20220701:network:VirtualWan" }, { type: "azure-native_network_v20220901:network:VirtualWan" }, { type: "azure-native_network_v20221101:network:VirtualWan" }, { type: "azure-native_network_v20230201:network:VirtualWan" }, { type: "azure-native_network_v20230401:network:VirtualWan" }, { type: "azure-native_network_v20230501:network:VirtualWan" }, { type: "azure-native_network_v20230601:network:VirtualWan" }, { type: "azure-native_network_v20230901:network:VirtualWan" }, { type: "azure-native_network_v20231101:network:VirtualWan" }, { type: "azure-native_network_v20240101:network:VirtualWan" }, { type: "azure-native_network_v20240301:network:VirtualWan" }, { type: "azure-native_network_v20240501:network:VirtualWan" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualWan.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/vpnConnection.ts b/sdk/nodejs/network/vpnConnection.ts index b9564c64831c..81b8a4faf040 100644 --- a/sdk/nodejs/network/vpnConnection.ts +++ b/sdk/nodejs/network/vpnConnection.ts @@ -198,7 +198,7 @@ export class VpnConnection extends pulumi.CustomResource { resourceInputs["vpnLinkConnections"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180401:VpnConnection" }, { type: "azure-native:network/v20180601:VpnConnection" }, { type: "azure-native:network/v20180701:VpnConnection" }, { type: "azure-native:network/v20180801:VpnConnection" }, { type: "azure-native:network/v20181001:VpnConnection" }, { type: "azure-native:network/v20181101:VpnConnection" }, { type: "azure-native:network/v20181201:VpnConnection" }, { type: "azure-native:network/v20190201:VpnConnection" }, { type: "azure-native:network/v20190401:VpnConnection" }, { type: "azure-native:network/v20190601:VpnConnection" }, { type: "azure-native:network/v20190701:VpnConnection" }, { type: "azure-native:network/v20190801:VpnConnection" }, { type: "azure-native:network/v20190901:VpnConnection" }, { type: "azure-native:network/v20191101:VpnConnection" }, { type: "azure-native:network/v20191201:VpnConnection" }, { type: "azure-native:network/v20200301:VpnConnection" }, { type: "azure-native:network/v20200401:VpnConnection" }, { type: "azure-native:network/v20200501:VpnConnection" }, { type: "azure-native:network/v20200601:VpnConnection" }, { type: "azure-native:network/v20200701:VpnConnection" }, { type: "azure-native:network/v20200801:VpnConnection" }, { type: "azure-native:network/v20201101:VpnConnection" }, { type: "azure-native:network/v20210201:VpnConnection" }, { type: "azure-native:network/v20210301:VpnConnection" }, { type: "azure-native:network/v20210501:VpnConnection" }, { type: "azure-native:network/v20210801:VpnConnection" }, { type: "azure-native:network/v20220101:VpnConnection" }, { type: "azure-native:network/v20220501:VpnConnection" }, { type: "azure-native:network/v20220701:VpnConnection" }, { type: "azure-native:network/v20220901:VpnConnection" }, { type: "azure-native:network/v20221101:VpnConnection" }, { type: "azure-native:network/v20230201:VpnConnection" }, { type: "azure-native:network/v20230401:VpnConnection" }, { type: "azure-native:network/v20230501:VpnConnection" }, { type: "azure-native:network/v20230601:VpnConnection" }, { type: "azure-native:network/v20230901:VpnConnection" }, { type: "azure-native:network/v20231101:VpnConnection" }, { type: "azure-native:network/v20240101:VpnConnection" }, { type: "azure-native:network/v20240301:VpnConnection" }, { type: "azure-native:network/v20240501:VpnConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20180701:VpnConnection" }, { type: "azure-native:network/v20230201:VpnConnection" }, { type: "azure-native:network/v20230401:VpnConnection" }, { type: "azure-native:network/v20230501:VpnConnection" }, { type: "azure-native:network/v20230601:VpnConnection" }, { type: "azure-native:network/v20230901:VpnConnection" }, { type: "azure-native:network/v20231101:VpnConnection" }, { type: "azure-native:network/v20240101:VpnConnection" }, { type: "azure-native:network/v20240301:VpnConnection" }, { type: "azure-native:network/v20240501:VpnConnection" }, { type: "azure-native_network_v20180401:network:VpnConnection" }, { type: "azure-native_network_v20180601:network:VpnConnection" }, { type: "azure-native_network_v20180701:network:VpnConnection" }, { type: "azure-native_network_v20180801:network:VpnConnection" }, { type: "azure-native_network_v20181001:network:VpnConnection" }, { type: "azure-native_network_v20181101:network:VpnConnection" }, { type: "azure-native_network_v20181201:network:VpnConnection" }, { type: "azure-native_network_v20190201:network:VpnConnection" }, { type: "azure-native_network_v20190401:network:VpnConnection" }, { type: "azure-native_network_v20190601:network:VpnConnection" }, { type: "azure-native_network_v20190701:network:VpnConnection" }, { type: "azure-native_network_v20190801:network:VpnConnection" }, { type: "azure-native_network_v20190901:network:VpnConnection" }, { type: "azure-native_network_v20191101:network:VpnConnection" }, { type: "azure-native_network_v20191201:network:VpnConnection" }, { type: "azure-native_network_v20200301:network:VpnConnection" }, { type: "azure-native_network_v20200401:network:VpnConnection" }, { type: "azure-native_network_v20200501:network:VpnConnection" }, { type: "azure-native_network_v20200601:network:VpnConnection" }, { type: "azure-native_network_v20200701:network:VpnConnection" }, { type: "azure-native_network_v20200801:network:VpnConnection" }, { type: "azure-native_network_v20201101:network:VpnConnection" }, { type: "azure-native_network_v20210201:network:VpnConnection" }, { type: "azure-native_network_v20210301:network:VpnConnection" }, { type: "azure-native_network_v20210501:network:VpnConnection" }, { type: "azure-native_network_v20210801:network:VpnConnection" }, { type: "azure-native_network_v20220101:network:VpnConnection" }, { type: "azure-native_network_v20220501:network:VpnConnection" }, { type: "azure-native_network_v20220701:network:VpnConnection" }, { type: "azure-native_network_v20220901:network:VpnConnection" }, { type: "azure-native_network_v20221101:network:VpnConnection" }, { type: "azure-native_network_v20230201:network:VpnConnection" }, { type: "azure-native_network_v20230401:network:VpnConnection" }, { type: "azure-native_network_v20230501:network:VpnConnection" }, { type: "azure-native_network_v20230601:network:VpnConnection" }, { type: "azure-native_network_v20230901:network:VpnConnection" }, { type: "azure-native_network_v20231101:network:VpnConnection" }, { type: "azure-native_network_v20240101:network:VpnConnection" }, { type: "azure-native_network_v20240301:network:VpnConnection" }, { type: "azure-native_network_v20240501:network:VpnConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VpnConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/vpnGateway.ts b/sdk/nodejs/network/vpnGateway.ts index 3306c8049717..9f8d64a1554f 100644 --- a/sdk/nodejs/network/vpnGateway.ts +++ b/sdk/nodejs/network/vpnGateway.ts @@ -152,7 +152,7 @@ export class VpnGateway extends pulumi.CustomResource { resourceInputs["vpnGatewayScaleUnit"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180401:VpnGateway" }, { type: "azure-native:network/v20180601:VpnGateway" }, { type: "azure-native:network/v20180701:VpnGateway" }, { type: "azure-native:network/v20180801:VpnGateway" }, { type: "azure-native:network/v20181001:VpnGateway" }, { type: "azure-native:network/v20181101:VpnGateway" }, { type: "azure-native:network/v20181201:VpnGateway" }, { type: "azure-native:network/v20190201:VpnGateway" }, { type: "azure-native:network/v20190401:VpnGateway" }, { type: "azure-native:network/v20190601:VpnGateway" }, { type: "azure-native:network/v20190701:VpnGateway" }, { type: "azure-native:network/v20190801:VpnGateway" }, { type: "azure-native:network/v20190901:VpnGateway" }, { type: "azure-native:network/v20191101:VpnGateway" }, { type: "azure-native:network/v20191201:VpnGateway" }, { type: "azure-native:network/v20200301:VpnGateway" }, { type: "azure-native:network/v20200401:VpnGateway" }, { type: "azure-native:network/v20200501:VpnGateway" }, { type: "azure-native:network/v20200601:VpnGateway" }, { type: "azure-native:network/v20200701:VpnGateway" }, { type: "azure-native:network/v20200801:VpnGateway" }, { type: "azure-native:network/v20201101:VpnGateway" }, { type: "azure-native:network/v20210201:VpnGateway" }, { type: "azure-native:network/v20210301:VpnGateway" }, { type: "azure-native:network/v20210501:VpnGateway" }, { type: "azure-native:network/v20210801:VpnGateway" }, { type: "azure-native:network/v20220101:VpnGateway" }, { type: "azure-native:network/v20220501:VpnGateway" }, { type: "azure-native:network/v20220701:VpnGateway" }, { type: "azure-native:network/v20220901:VpnGateway" }, { type: "azure-native:network/v20221101:VpnGateway" }, { type: "azure-native:network/v20230201:VpnGateway" }, { type: "azure-native:network/v20230401:VpnGateway" }, { type: "azure-native:network/v20230501:VpnGateway" }, { type: "azure-native:network/v20230601:VpnGateway" }, { type: "azure-native:network/v20230901:VpnGateway" }, { type: "azure-native:network/v20231101:VpnGateway" }, { type: "azure-native:network/v20240101:VpnGateway" }, { type: "azure-native:network/v20240301:VpnGateway" }, { type: "azure-native:network/v20240501:VpnGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20180701:VpnGateway" }, { type: "azure-native:network/v20230201:VpnGateway" }, { type: "azure-native:network/v20230401:VpnGateway" }, { type: "azure-native:network/v20230501:VpnGateway" }, { type: "azure-native:network/v20230601:VpnGateway" }, { type: "azure-native:network/v20230901:VpnGateway" }, { type: "azure-native:network/v20231101:VpnGateway" }, { type: "azure-native:network/v20240101:VpnGateway" }, { type: "azure-native:network/v20240301:VpnGateway" }, { type: "azure-native:network/v20240501:VpnGateway" }, { type: "azure-native_network_v20180401:network:VpnGateway" }, { type: "azure-native_network_v20180601:network:VpnGateway" }, { type: "azure-native_network_v20180701:network:VpnGateway" }, { type: "azure-native_network_v20180801:network:VpnGateway" }, { type: "azure-native_network_v20181001:network:VpnGateway" }, { type: "azure-native_network_v20181101:network:VpnGateway" }, { type: "azure-native_network_v20181201:network:VpnGateway" }, { type: "azure-native_network_v20190201:network:VpnGateway" }, { type: "azure-native_network_v20190401:network:VpnGateway" }, { type: "azure-native_network_v20190601:network:VpnGateway" }, { type: "azure-native_network_v20190701:network:VpnGateway" }, { type: "azure-native_network_v20190801:network:VpnGateway" }, { type: "azure-native_network_v20190901:network:VpnGateway" }, { type: "azure-native_network_v20191101:network:VpnGateway" }, { type: "azure-native_network_v20191201:network:VpnGateway" }, { type: "azure-native_network_v20200301:network:VpnGateway" }, { type: "azure-native_network_v20200401:network:VpnGateway" }, { type: "azure-native_network_v20200501:network:VpnGateway" }, { type: "azure-native_network_v20200601:network:VpnGateway" }, { type: "azure-native_network_v20200701:network:VpnGateway" }, { type: "azure-native_network_v20200801:network:VpnGateway" }, { type: "azure-native_network_v20201101:network:VpnGateway" }, { type: "azure-native_network_v20210201:network:VpnGateway" }, { type: "azure-native_network_v20210301:network:VpnGateway" }, { type: "azure-native_network_v20210501:network:VpnGateway" }, { type: "azure-native_network_v20210801:network:VpnGateway" }, { type: "azure-native_network_v20220101:network:VpnGateway" }, { type: "azure-native_network_v20220501:network:VpnGateway" }, { type: "azure-native_network_v20220701:network:VpnGateway" }, { type: "azure-native_network_v20220901:network:VpnGateway" }, { type: "azure-native_network_v20221101:network:VpnGateway" }, { type: "azure-native_network_v20230201:network:VpnGateway" }, { type: "azure-native_network_v20230401:network:VpnGateway" }, { type: "azure-native_network_v20230501:network:VpnGateway" }, { type: "azure-native_network_v20230601:network:VpnGateway" }, { type: "azure-native_network_v20230901:network:VpnGateway" }, { type: "azure-native_network_v20231101:network:VpnGateway" }, { type: "azure-native_network_v20240101:network:VpnGateway" }, { type: "azure-native_network_v20240301:network:VpnGateway" }, { type: "azure-native_network_v20240501:network:VpnGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VpnGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/vpnServerConfiguration.ts b/sdk/nodejs/network/vpnServerConfiguration.ts index 2d6a5b1c8aac..e15626a18230 100644 --- a/sdk/nodejs/network/vpnServerConfiguration.ts +++ b/sdk/nodejs/network/vpnServerConfiguration.ts @@ -104,7 +104,7 @@ export class VpnServerConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20190801:VpnServerConfiguration" }, { type: "azure-native:network/v20190901:VpnServerConfiguration" }, { type: "azure-native:network/v20191101:VpnServerConfiguration" }, { type: "azure-native:network/v20191201:VpnServerConfiguration" }, { type: "azure-native:network/v20200301:VpnServerConfiguration" }, { type: "azure-native:network/v20200401:VpnServerConfiguration" }, { type: "azure-native:network/v20200501:VpnServerConfiguration" }, { type: "azure-native:network/v20200601:VpnServerConfiguration" }, { type: "azure-native:network/v20200701:VpnServerConfiguration" }, { type: "azure-native:network/v20200801:VpnServerConfiguration" }, { type: "azure-native:network/v20201101:VpnServerConfiguration" }, { type: "azure-native:network/v20210201:VpnServerConfiguration" }, { type: "azure-native:network/v20210301:VpnServerConfiguration" }, { type: "azure-native:network/v20210501:VpnServerConfiguration" }, { type: "azure-native:network/v20210801:VpnServerConfiguration" }, { type: "azure-native:network/v20220101:VpnServerConfiguration" }, { type: "azure-native:network/v20220501:VpnServerConfiguration" }, { type: "azure-native:network/v20220701:VpnServerConfiguration" }, { type: "azure-native:network/v20220901:VpnServerConfiguration" }, { type: "azure-native:network/v20221101:VpnServerConfiguration" }, { type: "azure-native:network/v20230201:VpnServerConfiguration" }, { type: "azure-native:network/v20230401:VpnServerConfiguration" }, { type: "azure-native:network/v20230501:VpnServerConfiguration" }, { type: "azure-native:network/v20230601:VpnServerConfiguration" }, { type: "azure-native:network/v20230901:VpnServerConfiguration" }, { type: "azure-native:network/v20231101:VpnServerConfiguration" }, { type: "azure-native:network/v20240101:VpnServerConfiguration" }, { type: "azure-native:network/v20240301:VpnServerConfiguration" }, { type: "azure-native:network/v20240501:VpnServerConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20230201:VpnServerConfiguration" }, { type: "azure-native:network/v20230401:VpnServerConfiguration" }, { type: "azure-native:network/v20230501:VpnServerConfiguration" }, { type: "azure-native:network/v20230601:VpnServerConfiguration" }, { type: "azure-native:network/v20230901:VpnServerConfiguration" }, { type: "azure-native:network/v20231101:VpnServerConfiguration" }, { type: "azure-native:network/v20240101:VpnServerConfiguration" }, { type: "azure-native:network/v20240301:VpnServerConfiguration" }, { type: "azure-native:network/v20240501:VpnServerConfiguration" }, { type: "azure-native_network_v20190801:network:VpnServerConfiguration" }, { type: "azure-native_network_v20190901:network:VpnServerConfiguration" }, { type: "azure-native_network_v20191101:network:VpnServerConfiguration" }, { type: "azure-native_network_v20191201:network:VpnServerConfiguration" }, { type: "azure-native_network_v20200301:network:VpnServerConfiguration" }, { type: "azure-native_network_v20200401:network:VpnServerConfiguration" }, { type: "azure-native_network_v20200501:network:VpnServerConfiguration" }, { type: "azure-native_network_v20200601:network:VpnServerConfiguration" }, { type: "azure-native_network_v20200701:network:VpnServerConfiguration" }, { type: "azure-native_network_v20200801:network:VpnServerConfiguration" }, { type: "azure-native_network_v20201101:network:VpnServerConfiguration" }, { type: "azure-native_network_v20210201:network:VpnServerConfiguration" }, { type: "azure-native_network_v20210301:network:VpnServerConfiguration" }, { type: "azure-native_network_v20210501:network:VpnServerConfiguration" }, { type: "azure-native_network_v20210801:network:VpnServerConfiguration" }, { type: "azure-native_network_v20220101:network:VpnServerConfiguration" }, { type: "azure-native_network_v20220501:network:VpnServerConfiguration" }, { type: "azure-native_network_v20220701:network:VpnServerConfiguration" }, { type: "azure-native_network_v20220901:network:VpnServerConfiguration" }, { type: "azure-native_network_v20221101:network:VpnServerConfiguration" }, { type: "azure-native_network_v20230201:network:VpnServerConfiguration" }, { type: "azure-native_network_v20230401:network:VpnServerConfiguration" }, { type: "azure-native_network_v20230501:network:VpnServerConfiguration" }, { type: "azure-native_network_v20230601:network:VpnServerConfiguration" }, { type: "azure-native_network_v20230901:network:VpnServerConfiguration" }, { type: "azure-native_network_v20231101:network:VpnServerConfiguration" }, { type: "azure-native_network_v20240101:network:VpnServerConfiguration" }, { type: "azure-native_network_v20240301:network:VpnServerConfiguration" }, { type: "azure-native_network_v20240501:network:VpnServerConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VpnServerConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/vpnSite.ts b/sdk/nodejs/network/vpnSite.ts index cc09ded4f86e..8cfe85d27155 100644 --- a/sdk/nodejs/network/vpnSite.ts +++ b/sdk/nodejs/network/vpnSite.ts @@ -158,7 +158,7 @@ export class VpnSite extends pulumi.CustomResource { resourceInputs["vpnSiteLinks"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20180401:VpnSite" }, { type: "azure-native:network/v20180601:VpnSite" }, { type: "azure-native:network/v20180701:VpnSite" }, { type: "azure-native:network/v20180801:VpnSite" }, { type: "azure-native:network/v20181001:VpnSite" }, { type: "azure-native:network/v20181101:VpnSite" }, { type: "azure-native:network/v20181201:VpnSite" }, { type: "azure-native:network/v20190201:VpnSite" }, { type: "azure-native:network/v20190401:VpnSite" }, { type: "azure-native:network/v20190601:VpnSite" }, { type: "azure-native:network/v20190701:VpnSite" }, { type: "azure-native:network/v20190801:VpnSite" }, { type: "azure-native:network/v20190901:VpnSite" }, { type: "azure-native:network/v20191101:VpnSite" }, { type: "azure-native:network/v20191201:VpnSite" }, { type: "azure-native:network/v20200301:VpnSite" }, { type: "azure-native:network/v20200401:VpnSite" }, { type: "azure-native:network/v20200501:VpnSite" }, { type: "azure-native:network/v20200601:VpnSite" }, { type: "azure-native:network/v20200701:VpnSite" }, { type: "azure-native:network/v20200801:VpnSite" }, { type: "azure-native:network/v20201101:VpnSite" }, { type: "azure-native:network/v20210201:VpnSite" }, { type: "azure-native:network/v20210301:VpnSite" }, { type: "azure-native:network/v20210501:VpnSite" }, { type: "azure-native:network/v20210801:VpnSite" }, { type: "azure-native:network/v20220101:VpnSite" }, { type: "azure-native:network/v20220501:VpnSite" }, { type: "azure-native:network/v20220701:VpnSite" }, { type: "azure-native:network/v20220901:VpnSite" }, { type: "azure-native:network/v20221101:VpnSite" }, { type: "azure-native:network/v20230201:VpnSite" }, { type: "azure-native:network/v20230401:VpnSite" }, { type: "azure-native:network/v20230501:VpnSite" }, { type: "azure-native:network/v20230601:VpnSite" }, { type: "azure-native:network/v20230901:VpnSite" }, { type: "azure-native:network/v20231101:VpnSite" }, { type: "azure-native:network/v20240101:VpnSite" }, { type: "azure-native:network/v20240301:VpnSite" }, { type: "azure-native:network/v20240501:VpnSite" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20180701:VpnSite" }, { type: "azure-native:network/v20230201:VpnSite" }, { type: "azure-native:network/v20230401:VpnSite" }, { type: "azure-native:network/v20230501:VpnSite" }, { type: "azure-native:network/v20230601:VpnSite" }, { type: "azure-native:network/v20230901:VpnSite" }, { type: "azure-native:network/v20231101:VpnSite" }, { type: "azure-native:network/v20240101:VpnSite" }, { type: "azure-native:network/v20240301:VpnSite" }, { type: "azure-native:network/v20240501:VpnSite" }, { type: "azure-native_network_v20180401:network:VpnSite" }, { type: "azure-native_network_v20180601:network:VpnSite" }, { type: "azure-native_network_v20180701:network:VpnSite" }, { type: "azure-native_network_v20180801:network:VpnSite" }, { type: "azure-native_network_v20181001:network:VpnSite" }, { type: "azure-native_network_v20181101:network:VpnSite" }, { type: "azure-native_network_v20181201:network:VpnSite" }, { type: "azure-native_network_v20190201:network:VpnSite" }, { type: "azure-native_network_v20190401:network:VpnSite" }, { type: "azure-native_network_v20190601:network:VpnSite" }, { type: "azure-native_network_v20190701:network:VpnSite" }, { type: "azure-native_network_v20190801:network:VpnSite" }, { type: "azure-native_network_v20190901:network:VpnSite" }, { type: "azure-native_network_v20191101:network:VpnSite" }, { type: "azure-native_network_v20191201:network:VpnSite" }, { type: "azure-native_network_v20200301:network:VpnSite" }, { type: "azure-native_network_v20200401:network:VpnSite" }, { type: "azure-native_network_v20200501:network:VpnSite" }, { type: "azure-native_network_v20200601:network:VpnSite" }, { type: "azure-native_network_v20200701:network:VpnSite" }, { type: "azure-native_network_v20200801:network:VpnSite" }, { type: "azure-native_network_v20201101:network:VpnSite" }, { type: "azure-native_network_v20210201:network:VpnSite" }, { type: "azure-native_network_v20210301:network:VpnSite" }, { type: "azure-native_network_v20210501:network:VpnSite" }, { type: "azure-native_network_v20210801:network:VpnSite" }, { type: "azure-native_network_v20220101:network:VpnSite" }, { type: "azure-native_network_v20220501:network:VpnSite" }, { type: "azure-native_network_v20220701:network:VpnSite" }, { type: "azure-native_network_v20220901:network:VpnSite" }, { type: "azure-native_network_v20221101:network:VpnSite" }, { type: "azure-native_network_v20230201:network:VpnSite" }, { type: "azure-native_network_v20230401:network:VpnSite" }, { type: "azure-native_network_v20230501:network:VpnSite" }, { type: "azure-native_network_v20230601:network:VpnSite" }, { type: "azure-native_network_v20230901:network:VpnSite" }, { type: "azure-native_network_v20231101:network:VpnSite" }, { type: "azure-native_network_v20240101:network:VpnSite" }, { type: "azure-native_network_v20240301:network:VpnSite" }, { type: "azure-native_network_v20240501:network:VpnSite" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VpnSite.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/network/webApplicationFirewallPolicy.ts b/sdk/nodejs/network/webApplicationFirewallPolicy.ts index f930411bfe00..f106ab0f9644 100644 --- a/sdk/nodejs/network/webApplicationFirewallPolicy.ts +++ b/sdk/nodejs/network/webApplicationFirewallPolicy.ts @@ -155,7 +155,7 @@ export class WebApplicationFirewallPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20181201:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20190201:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20190401:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20190601:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20190701:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20190801:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20190901:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20191101:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20191201:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20200301:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20200401:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20200501:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20200601:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20200701:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20200801:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20201101:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20210201:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20210301:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20210501:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20210801:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20220101:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20220501:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20220701:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20220901:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20221101:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20230201:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20230401:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20230501:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20230601:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20230901:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20231101:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20240101:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20240301:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20240501:WebApplicationFirewallPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20190701:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20230201:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20230401:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20230501:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20230601:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20230901:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20231101:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20240101:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20240301:WebApplicationFirewallPolicy" }, { type: "azure-native:network/v20240501:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20181201:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20190201:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20190401:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20190601:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20190701:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20190801:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20190901:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20191101:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20191201:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20200301:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20200401:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20200501:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20200601:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20200701:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20200801:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20201101:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20210201:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20210301:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20210501:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20210801:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20220101:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20220501:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20220701:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20220901:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20221101:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20230201:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20230401:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20230501:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20230601:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20230901:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20231101:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20240101:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20240301:network:WebApplicationFirewallPolicy" }, { type: "azure-native_network_v20240501:network:WebApplicationFirewallPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebApplicationFirewallPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/agentPool.ts b/sdk/nodejs/networkcloud/agentPool.ts index a5c195bcddf0..23f3fb204e8b 100644 --- a/sdk/nodejs/networkcloud/agentPool.ts +++ b/sdk/nodejs/networkcloud/agentPool.ts @@ -204,7 +204,7 @@ export class AgentPool extends pulumi.CustomResource { resourceInputs["vmSkuName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:AgentPool" }, { type: "azure-native:networkcloud/v20231001preview:AgentPool" }, { type: "azure-native:networkcloud/v20240601preview:AgentPool" }, { type: "azure-native:networkcloud/v20240701:AgentPool" }, { type: "azure-native:networkcloud/v20241001preview:AgentPool" }, { type: "azure-native:networkcloud/v20250201:AgentPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:AgentPool" }, { type: "azure-native:networkcloud/v20231001preview:AgentPool" }, { type: "azure-native:networkcloud/v20240601preview:AgentPool" }, { type: "azure-native:networkcloud/v20240701:AgentPool" }, { type: "azure-native:networkcloud/v20241001preview:AgentPool" }, { type: "azure-native_networkcloud_v20230701:networkcloud:AgentPool" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:AgentPool" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:AgentPool" }, { type: "azure-native_networkcloud_v20240701:networkcloud:AgentPool" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:AgentPool" }, { type: "azure-native_networkcloud_v20250201:networkcloud:AgentPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AgentPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/bareMetalMachine.ts b/sdk/nodejs/networkcloud/bareMetalMachine.ts index e63b0648cf94..817a02f197b0 100644 --- a/sdk/nodejs/networkcloud/bareMetalMachine.ts +++ b/sdk/nodejs/networkcloud/bareMetalMachine.ts @@ -332,7 +332,7 @@ export class BareMetalMachine extends pulumi.CustomResource { resourceInputs["virtualMachinesAssociatedIds"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:BareMetalMachine" }, { type: "azure-native:networkcloud/v20231001preview:BareMetalMachine" }, { type: "azure-native:networkcloud/v20240601preview:BareMetalMachine" }, { type: "azure-native:networkcloud/v20240701:BareMetalMachine" }, { type: "azure-native:networkcloud/v20241001preview:BareMetalMachine" }, { type: "azure-native:networkcloud/v20250201:BareMetalMachine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:BareMetalMachine" }, { type: "azure-native:networkcloud/v20231001preview:BareMetalMachine" }, { type: "azure-native:networkcloud/v20240601preview:BareMetalMachine" }, { type: "azure-native:networkcloud/v20240701:BareMetalMachine" }, { type: "azure-native:networkcloud/v20241001preview:BareMetalMachine" }, { type: "azure-native_networkcloud_v20230701:networkcloud:BareMetalMachine" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:BareMetalMachine" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:BareMetalMachine" }, { type: "azure-native_networkcloud_v20240701:networkcloud:BareMetalMachine" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:BareMetalMachine" }, { type: "azure-native_networkcloud_v20250201:networkcloud:BareMetalMachine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BareMetalMachine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/bareMetalMachineKeySet.ts b/sdk/nodejs/networkcloud/bareMetalMachineKeySet.ts index 8fa7a4dd552b..905f2f5b60d6 100644 --- a/sdk/nodejs/networkcloud/bareMetalMachineKeySet.ts +++ b/sdk/nodejs/networkcloud/bareMetalMachineKeySet.ts @@ -195,7 +195,7 @@ export class BareMetalMachineKeySet extends pulumi.CustomResource { resourceInputs["userListStatus"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:BareMetalMachineKeySet" }, { type: "azure-native:networkcloud/v20231001preview:BareMetalMachineKeySet" }, { type: "azure-native:networkcloud/v20240601preview:BareMetalMachineKeySet" }, { type: "azure-native:networkcloud/v20240701:BareMetalMachineKeySet" }, { type: "azure-native:networkcloud/v20241001preview:BareMetalMachineKeySet" }, { type: "azure-native:networkcloud/v20250201:BareMetalMachineKeySet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:BareMetalMachineKeySet" }, { type: "azure-native:networkcloud/v20231001preview:BareMetalMachineKeySet" }, { type: "azure-native:networkcloud/v20240601preview:BareMetalMachineKeySet" }, { type: "azure-native:networkcloud/v20240701:BareMetalMachineKeySet" }, { type: "azure-native:networkcloud/v20241001preview:BareMetalMachineKeySet" }, { type: "azure-native_networkcloud_v20230701:networkcloud:BareMetalMachineKeySet" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:BareMetalMachineKeySet" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:BareMetalMachineKeySet" }, { type: "azure-native_networkcloud_v20240701:networkcloud:BareMetalMachineKeySet" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:BareMetalMachineKeySet" }, { type: "azure-native_networkcloud_v20250201:networkcloud:BareMetalMachineKeySet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BareMetalMachineKeySet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/bmcKeySet.ts b/sdk/nodejs/networkcloud/bmcKeySet.ts index 2e9b3b1f6965..9ee493e09838 100644 --- a/sdk/nodejs/networkcloud/bmcKeySet.ts +++ b/sdk/nodejs/networkcloud/bmcKeySet.ts @@ -180,7 +180,7 @@ export class BmcKeySet extends pulumi.CustomResource { resourceInputs["userListStatus"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:BmcKeySet" }, { type: "azure-native:networkcloud/v20231001preview:BmcKeySet" }, { type: "azure-native:networkcloud/v20240601preview:BmcKeySet" }, { type: "azure-native:networkcloud/v20240701:BmcKeySet" }, { type: "azure-native:networkcloud/v20241001preview:BmcKeySet" }, { type: "azure-native:networkcloud/v20250201:BmcKeySet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:BmcKeySet" }, { type: "azure-native:networkcloud/v20231001preview:BmcKeySet" }, { type: "azure-native:networkcloud/v20240601preview:BmcKeySet" }, { type: "azure-native:networkcloud/v20240701:BmcKeySet" }, { type: "azure-native:networkcloud/v20241001preview:BmcKeySet" }, { type: "azure-native_networkcloud_v20230701:networkcloud:BmcKeySet" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:BmcKeySet" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:BmcKeySet" }, { type: "azure-native_networkcloud_v20240701:networkcloud:BmcKeySet" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:BmcKeySet" }, { type: "azure-native_networkcloud_v20250201:networkcloud:BmcKeySet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BmcKeySet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/cloudServicesNetwork.ts b/sdk/nodejs/networkcloud/cloudServicesNetwork.ts index cbeca9e45b3a..33fb103b82d1 100644 --- a/sdk/nodejs/networkcloud/cloudServicesNetwork.ts +++ b/sdk/nodejs/networkcloud/cloudServicesNetwork.ts @@ -181,7 +181,7 @@ export class CloudServicesNetwork extends pulumi.CustomResource { resourceInputs["virtualMachinesAssociatedIds"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:CloudServicesNetwork" }, { type: "azure-native:networkcloud/v20231001preview:CloudServicesNetwork" }, { type: "azure-native:networkcloud/v20240601preview:CloudServicesNetwork" }, { type: "azure-native:networkcloud/v20240701:CloudServicesNetwork" }, { type: "azure-native:networkcloud/v20241001preview:CloudServicesNetwork" }, { type: "azure-native:networkcloud/v20250201:CloudServicesNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:CloudServicesNetwork" }, { type: "azure-native:networkcloud/v20231001preview:CloudServicesNetwork" }, { type: "azure-native:networkcloud/v20240601preview:CloudServicesNetwork" }, { type: "azure-native:networkcloud/v20240701:CloudServicesNetwork" }, { type: "azure-native:networkcloud/v20241001preview:CloudServicesNetwork" }, { type: "azure-native_networkcloud_v20230701:networkcloud:CloudServicesNetwork" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:CloudServicesNetwork" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:CloudServicesNetwork" }, { type: "azure-native_networkcloud_v20240701:networkcloud:CloudServicesNetwork" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:CloudServicesNetwork" }, { type: "azure-native_networkcloud_v20250201:networkcloud:CloudServicesNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudServicesNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/cluster.ts b/sdk/nodejs/networkcloud/cluster.ts index 9a7fc6d664a0..45229e517cee 100644 --- a/sdk/nodejs/networkcloud/cluster.ts +++ b/sdk/nodejs/networkcloud/cluster.ts @@ -309,7 +309,7 @@ export class Cluster extends pulumi.CustomResource { resourceInputs["workloadResourceIds"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:Cluster" }, { type: "azure-native:networkcloud/v20231001preview:Cluster" }, { type: "azure-native:networkcloud/v20240601preview:Cluster" }, { type: "azure-native:networkcloud/v20240701:Cluster" }, { type: "azure-native:networkcloud/v20241001preview:Cluster" }, { type: "azure-native:networkcloud/v20250201:Cluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:Cluster" }, { type: "azure-native:networkcloud/v20231001preview:Cluster" }, { type: "azure-native:networkcloud/v20240601preview:Cluster" }, { type: "azure-native:networkcloud/v20240701:Cluster" }, { type: "azure-native:networkcloud/v20241001preview:Cluster" }, { type: "azure-native_networkcloud_v20230701:networkcloud:Cluster" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:Cluster" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:Cluster" }, { type: "azure-native_networkcloud_v20240701:networkcloud:Cluster" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:Cluster" }, { type: "azure-native_networkcloud_v20250201:networkcloud:Cluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/clusterManager.ts b/sdk/nodejs/networkcloud/clusterManager.ts index d426c6e70a41..73d8ee2fd8e4 100644 --- a/sdk/nodejs/networkcloud/clusterManager.ts +++ b/sdk/nodejs/networkcloud/clusterManager.ts @@ -170,7 +170,7 @@ export class ClusterManager extends pulumi.CustomResource { resourceInputs["vmSize"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:ClusterManager" }, { type: "azure-native:networkcloud/v20231001preview:ClusterManager" }, { type: "azure-native:networkcloud/v20240601preview:ClusterManager" }, { type: "azure-native:networkcloud/v20240701:ClusterManager" }, { type: "azure-native:networkcloud/v20241001preview:ClusterManager" }, { type: "azure-native:networkcloud/v20250201:ClusterManager" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:ClusterManager" }, { type: "azure-native:networkcloud/v20231001preview:ClusterManager" }, { type: "azure-native:networkcloud/v20240601preview:ClusterManager" }, { type: "azure-native:networkcloud/v20240701:ClusterManager" }, { type: "azure-native:networkcloud/v20241001preview:ClusterManager" }, { type: "azure-native_networkcloud_v20230701:networkcloud:ClusterManager" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:ClusterManager" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:ClusterManager" }, { type: "azure-native_networkcloud_v20240701:networkcloud:ClusterManager" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:ClusterManager" }, { type: "azure-native_networkcloud_v20250201:networkcloud:ClusterManager" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ClusterManager.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/console.ts b/sdk/nodejs/networkcloud/console.ts index 97e4a6462fd6..7f8ea91b1555 100644 --- a/sdk/nodejs/networkcloud/console.ts +++ b/sdk/nodejs/networkcloud/console.ts @@ -168,7 +168,7 @@ export class Console extends pulumi.CustomResource { resourceInputs["virtualMachineAccessId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:Console" }, { type: "azure-native:networkcloud/v20231001preview:Console" }, { type: "azure-native:networkcloud/v20240601preview:Console" }, { type: "azure-native:networkcloud/v20240701:Console" }, { type: "azure-native:networkcloud/v20241001preview:Console" }, { type: "azure-native:networkcloud/v20250201:Console" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:Console" }, { type: "azure-native:networkcloud/v20231001preview:Console" }, { type: "azure-native:networkcloud/v20240601preview:Console" }, { type: "azure-native:networkcloud/v20240701:Console" }, { type: "azure-native:networkcloud/v20241001preview:Console" }, { type: "azure-native_networkcloud_v20230701:networkcloud:Console" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:Console" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:Console" }, { type: "azure-native_networkcloud_v20240701:networkcloud:Console" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:Console" }, { type: "azure-native_networkcloud_v20250201:networkcloud:Console" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Console.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/kubernetesCluster.ts b/sdk/nodejs/networkcloud/kubernetesCluster.ts index c54182068630..9382e6b6f864 100644 --- a/sdk/nodejs/networkcloud/kubernetesCluster.ts +++ b/sdk/nodejs/networkcloud/kubernetesCluster.ts @@ -224,7 +224,7 @@ export class KubernetesCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:KubernetesCluster" }, { type: "azure-native:networkcloud/v20231001preview:KubernetesCluster" }, { type: "azure-native:networkcloud/v20240601preview:KubernetesCluster" }, { type: "azure-native:networkcloud/v20240701:KubernetesCluster" }, { type: "azure-native:networkcloud/v20241001preview:KubernetesCluster" }, { type: "azure-native:networkcloud/v20250201:KubernetesCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:KubernetesCluster" }, { type: "azure-native:networkcloud/v20231001preview:KubernetesCluster" }, { type: "azure-native:networkcloud/v20240601preview:KubernetesCluster" }, { type: "azure-native:networkcloud/v20240701:KubernetesCluster" }, { type: "azure-native:networkcloud/v20241001preview:KubernetesCluster" }, { type: "azure-native_networkcloud_v20230701:networkcloud:KubernetesCluster" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:KubernetesCluster" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:KubernetesCluster" }, { type: "azure-native_networkcloud_v20240701:networkcloud:KubernetesCluster" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:KubernetesCluster" }, { type: "azure-native_networkcloud_v20250201:networkcloud:KubernetesCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KubernetesCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/kubernetesClusterFeature.ts b/sdk/nodejs/networkcloud/kubernetesClusterFeature.ts index b2e595c1fd71..6bbdcabf5a23 100644 --- a/sdk/nodejs/networkcloud/kubernetesClusterFeature.ts +++ b/sdk/nodejs/networkcloud/kubernetesClusterFeature.ts @@ -147,7 +147,7 @@ export class KubernetesClusterFeature extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20240601preview:KubernetesClusterFeature" }, { type: "azure-native:networkcloud/v20240701:KubernetesClusterFeature" }, { type: "azure-native:networkcloud/v20241001preview:KubernetesClusterFeature" }, { type: "azure-native:networkcloud/v20250201:KubernetesClusterFeature" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20240601preview:KubernetesClusterFeature" }, { type: "azure-native:networkcloud/v20240701:KubernetesClusterFeature" }, { type: "azure-native:networkcloud/v20241001preview:KubernetesClusterFeature" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:KubernetesClusterFeature" }, { type: "azure-native_networkcloud_v20240701:networkcloud:KubernetesClusterFeature" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:KubernetesClusterFeature" }, { type: "azure-native_networkcloud_v20250201:networkcloud:KubernetesClusterFeature" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KubernetesClusterFeature.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/l2network.ts b/sdk/nodejs/networkcloud/l2network.ts index 0fff250fb018..782ceb4fbdd5 100644 --- a/sdk/nodejs/networkcloud/l2network.ts +++ b/sdk/nodejs/networkcloud/l2network.ts @@ -173,7 +173,7 @@ export class L2Network extends pulumi.CustomResource { resourceInputs["virtualMachinesAssociatedIds"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:L2Network" }, { type: "azure-native:networkcloud/v20231001preview:L2Network" }, { type: "azure-native:networkcloud/v20240601preview:L2Network" }, { type: "azure-native:networkcloud/v20240701:L2Network" }, { type: "azure-native:networkcloud/v20241001preview:L2Network" }, { type: "azure-native:networkcloud/v20250201:L2Network" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:L2Network" }, { type: "azure-native:networkcloud/v20231001preview:L2Network" }, { type: "azure-native:networkcloud/v20240601preview:L2Network" }, { type: "azure-native:networkcloud/v20240701:L2Network" }, { type: "azure-native:networkcloud/v20241001preview:L2Network" }, { type: "azure-native_networkcloud_v20230701:networkcloud:L2Network" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:L2Network" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:L2Network" }, { type: "azure-native_networkcloud_v20240701:networkcloud:L2Network" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:L2Network" }, { type: "azure-native_networkcloud_v20250201:networkcloud:L2Network" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(L2Network.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/l3network.ts b/sdk/nodejs/networkcloud/l3network.ts index 39f013d7200d..3ec6ac816700 100644 --- a/sdk/nodejs/networkcloud/l3network.ts +++ b/sdk/nodejs/networkcloud/l3network.ts @@ -208,7 +208,7 @@ export class L3Network extends pulumi.CustomResource { resourceInputs["vlan"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:L3Network" }, { type: "azure-native:networkcloud/v20231001preview:L3Network" }, { type: "azure-native:networkcloud/v20240601preview:L3Network" }, { type: "azure-native:networkcloud/v20240701:L3Network" }, { type: "azure-native:networkcloud/v20241001preview:L3Network" }, { type: "azure-native:networkcloud/v20250201:L3Network" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:L3Network" }, { type: "azure-native:networkcloud/v20231001preview:L3Network" }, { type: "azure-native:networkcloud/v20240601preview:L3Network" }, { type: "azure-native:networkcloud/v20240701:L3Network" }, { type: "azure-native:networkcloud/v20241001preview:L3Network" }, { type: "azure-native_networkcloud_v20230701:networkcloud:L3Network" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:L3Network" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:L3Network" }, { type: "azure-native_networkcloud_v20240701:networkcloud:L3Network" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:L3Network" }, { type: "azure-native_networkcloud_v20250201:networkcloud:L3Network" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(L3Network.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/metricsConfiguration.ts b/sdk/nodejs/networkcloud/metricsConfiguration.ts index d0e8d310c393..2cf3f9631f6a 100644 --- a/sdk/nodejs/networkcloud/metricsConfiguration.ts +++ b/sdk/nodejs/networkcloud/metricsConfiguration.ts @@ -153,7 +153,7 @@ export class MetricsConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:MetricsConfiguration" }, { type: "azure-native:networkcloud/v20231001preview:MetricsConfiguration" }, { type: "azure-native:networkcloud/v20240601preview:MetricsConfiguration" }, { type: "azure-native:networkcloud/v20240701:MetricsConfiguration" }, { type: "azure-native:networkcloud/v20241001preview:MetricsConfiguration" }, { type: "azure-native:networkcloud/v20250201:MetricsConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:MetricsConfiguration" }, { type: "azure-native:networkcloud/v20231001preview:MetricsConfiguration" }, { type: "azure-native:networkcloud/v20240601preview:MetricsConfiguration" }, { type: "azure-native:networkcloud/v20240701:MetricsConfiguration" }, { type: "azure-native:networkcloud/v20241001preview:MetricsConfiguration" }, { type: "azure-native_networkcloud_v20230701:networkcloud:MetricsConfiguration" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:MetricsConfiguration" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:MetricsConfiguration" }, { type: "azure-native_networkcloud_v20240701:networkcloud:MetricsConfiguration" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:MetricsConfiguration" }, { type: "azure-native_networkcloud_v20250201:networkcloud:MetricsConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MetricsConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/rack.ts b/sdk/nodejs/networkcloud/rack.ts index 5dfcaca568b1..fe76e9dd8f63 100644 --- a/sdk/nodejs/networkcloud/rack.ts +++ b/sdk/nodejs/networkcloud/rack.ts @@ -170,7 +170,7 @@ export class Rack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:Rack" }, { type: "azure-native:networkcloud/v20231001preview:Rack" }, { type: "azure-native:networkcloud/v20240601preview:Rack" }, { type: "azure-native:networkcloud/v20240701:Rack" }, { type: "azure-native:networkcloud/v20241001preview:Rack" }, { type: "azure-native:networkcloud/v20250201:Rack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:Rack" }, { type: "azure-native:networkcloud/v20231001preview:Rack" }, { type: "azure-native:networkcloud/v20240601preview:Rack" }, { type: "azure-native:networkcloud/v20240701:Rack" }, { type: "azure-native:networkcloud/v20241001preview:Rack" }, { type: "azure-native_networkcloud_v20230701:networkcloud:Rack" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:Rack" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:Rack" }, { type: "azure-native_networkcloud_v20240701:networkcloud:Rack" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:Rack" }, { type: "azure-native_networkcloud_v20250201:networkcloud:Rack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Rack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/storageAppliance.ts b/sdk/nodejs/networkcloud/storageAppliance.ts index e2bd6b4c2c2d..4079a66db5eb 100644 --- a/sdk/nodejs/networkcloud/storageAppliance.ts +++ b/sdk/nodejs/networkcloud/storageAppliance.ts @@ -233,7 +233,7 @@ export class StorageAppliance extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:StorageAppliance" }, { type: "azure-native:networkcloud/v20231001preview:StorageAppliance" }, { type: "azure-native:networkcloud/v20240601preview:StorageAppliance" }, { type: "azure-native:networkcloud/v20240701:StorageAppliance" }, { type: "azure-native:networkcloud/v20241001preview:StorageAppliance" }, { type: "azure-native:networkcloud/v20250201:StorageAppliance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:StorageAppliance" }, { type: "azure-native:networkcloud/v20231001preview:StorageAppliance" }, { type: "azure-native:networkcloud/v20240601preview:StorageAppliance" }, { type: "azure-native:networkcloud/v20240701:StorageAppliance" }, { type: "azure-native:networkcloud/v20241001preview:StorageAppliance" }, { type: "azure-native_networkcloud_v20230701:networkcloud:StorageAppliance" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:StorageAppliance" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:StorageAppliance" }, { type: "azure-native_networkcloud_v20240701:networkcloud:StorageAppliance" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:StorageAppliance" }, { type: "azure-native_networkcloud_v20250201:networkcloud:StorageAppliance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageAppliance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/trunkedNetwork.ts b/sdk/nodejs/networkcloud/trunkedNetwork.ts index 2f41ed62696b..655ceae611ce 100644 --- a/sdk/nodejs/networkcloud/trunkedNetwork.ts +++ b/sdk/nodejs/networkcloud/trunkedNetwork.ts @@ -182,7 +182,7 @@ export class TrunkedNetwork extends pulumi.CustomResource { resourceInputs["vlans"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:TrunkedNetwork" }, { type: "azure-native:networkcloud/v20231001preview:TrunkedNetwork" }, { type: "azure-native:networkcloud/v20240601preview:TrunkedNetwork" }, { type: "azure-native:networkcloud/v20240701:TrunkedNetwork" }, { type: "azure-native:networkcloud/v20241001preview:TrunkedNetwork" }, { type: "azure-native:networkcloud/v20250201:TrunkedNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:TrunkedNetwork" }, { type: "azure-native:networkcloud/v20231001preview:TrunkedNetwork" }, { type: "azure-native:networkcloud/v20240601preview:TrunkedNetwork" }, { type: "azure-native:networkcloud/v20240701:TrunkedNetwork" }, { type: "azure-native:networkcloud/v20241001preview:TrunkedNetwork" }, { type: "azure-native_networkcloud_v20230701:networkcloud:TrunkedNetwork" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:TrunkedNetwork" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:TrunkedNetwork" }, { type: "azure-native_networkcloud_v20240701:networkcloud:TrunkedNetwork" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:TrunkedNetwork" }, { type: "azure-native_networkcloud_v20250201:networkcloud:TrunkedNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TrunkedNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/virtualMachine.ts b/sdk/nodejs/networkcloud/virtualMachine.ts index 2f4231638b33..7961f04ed987 100644 --- a/sdk/nodejs/networkcloud/virtualMachine.ts +++ b/sdk/nodejs/networkcloud/virtualMachine.ts @@ -278,7 +278,7 @@ export class VirtualMachine extends pulumi.CustomResource { resourceInputs["volumes"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:VirtualMachine" }, { type: "azure-native:networkcloud/v20231001preview:VirtualMachine" }, { type: "azure-native:networkcloud/v20240601preview:VirtualMachine" }, { type: "azure-native:networkcloud/v20240701:VirtualMachine" }, { type: "azure-native:networkcloud/v20241001preview:VirtualMachine" }, { type: "azure-native:networkcloud/v20250201:VirtualMachine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:VirtualMachine" }, { type: "azure-native:networkcloud/v20231001preview:VirtualMachine" }, { type: "azure-native:networkcloud/v20240601preview:VirtualMachine" }, { type: "azure-native:networkcloud/v20240701:VirtualMachine" }, { type: "azure-native:networkcloud/v20241001preview:VirtualMachine" }, { type: "azure-native_networkcloud_v20230701:networkcloud:VirtualMachine" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:VirtualMachine" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:VirtualMachine" }, { type: "azure-native_networkcloud_v20240701:networkcloud:VirtualMachine" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:VirtualMachine" }, { type: "azure-native_networkcloud_v20250201:networkcloud:VirtualMachine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkcloud/volume.ts b/sdk/nodejs/networkcloud/volume.ts index fb645d23e98b..afdb3519f1ac 100644 --- a/sdk/nodejs/networkcloud/volume.ts +++ b/sdk/nodejs/networkcloud/volume.ts @@ -149,7 +149,7 @@ export class Volume extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:Volume" }, { type: "azure-native:networkcloud/v20231001preview:Volume" }, { type: "azure-native:networkcloud/v20240601preview:Volume" }, { type: "azure-native:networkcloud/v20240701:Volume" }, { type: "azure-native:networkcloud/v20241001preview:Volume" }, { type: "azure-native:networkcloud/v20250201:Volume" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkcloud/v20230701:Volume" }, { type: "azure-native:networkcloud/v20231001preview:Volume" }, { type: "azure-native:networkcloud/v20240601preview:Volume" }, { type: "azure-native:networkcloud/v20240701:Volume" }, { type: "azure-native:networkcloud/v20241001preview:Volume" }, { type: "azure-native_networkcloud_v20230701:networkcloud:Volume" }, { type: "azure-native_networkcloud_v20231001preview:networkcloud:Volume" }, { type: "azure-native_networkcloud_v20240601preview:networkcloud:Volume" }, { type: "azure-native_networkcloud_v20240701:networkcloud:Volume" }, { type: "azure-native_networkcloud_v20241001preview:networkcloud:Volume" }, { type: "azure-native_networkcloud_v20250201:networkcloud:Volume" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Volume.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkfunction/azureTrafficCollector.ts b/sdk/nodejs/networkfunction/azureTrafficCollector.ts index cb14fdaa3a9e..923a1affa49f 100644 --- a/sdk/nodejs/networkfunction/azureTrafficCollector.ts +++ b/sdk/nodejs/networkfunction/azureTrafficCollector.ts @@ -119,7 +119,7 @@ export class AzureTrafficCollector extends pulumi.CustomResource { resourceInputs["virtualHub"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkfunction/v20210901preview:AzureTrafficCollector" }, { type: "azure-native:networkfunction/v20220501:AzureTrafficCollector" }, { type: "azure-native:networkfunction/v20220801:AzureTrafficCollector" }, { type: "azure-native:networkfunction/v20221101:AzureTrafficCollector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkfunction/v20220801:AzureTrafficCollector" }, { type: "azure-native:networkfunction/v20221101:AzureTrafficCollector" }, { type: "azure-native_networkfunction_v20210901preview:networkfunction:AzureTrafficCollector" }, { type: "azure-native_networkfunction_v20220501:networkfunction:AzureTrafficCollector" }, { type: "azure-native_networkfunction_v20220801:networkfunction:AzureTrafficCollector" }, { type: "azure-native_networkfunction_v20221101:networkfunction:AzureTrafficCollector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzureTrafficCollector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/networkfunction/collectorPolicy.ts b/sdk/nodejs/networkfunction/collectorPolicy.ts index 2a2b82b4a20c..5c9ab22ab389 100644 --- a/sdk/nodejs/networkfunction/collectorPolicy.ts +++ b/sdk/nodejs/networkfunction/collectorPolicy.ts @@ -123,7 +123,7 @@ export class CollectorPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:networkfunction/v20210901preview:CollectorPolicy" }, { type: "azure-native:networkfunction/v20220501:CollectorPolicy" }, { type: "azure-native:networkfunction/v20220801:CollectorPolicy" }, { type: "azure-native:networkfunction/v20221101:CollectorPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:networkfunction/v20220501:CollectorPolicy" }, { type: "azure-native:networkfunction/v20221101:CollectorPolicy" }, { type: "azure-native_networkfunction_v20210901preview:networkfunction:CollectorPolicy" }, { type: "azure-native_networkfunction_v20220501:networkfunction:CollectorPolicy" }, { type: "azure-native_networkfunction_v20220801:networkfunction:CollectorPolicy" }, { type: "azure-native_networkfunction_v20221101:networkfunction:CollectorPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CollectorPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/notificationhubs/namespace.ts b/sdk/nodejs/notificationhubs/namespace.ts index 5d108b47f641..9744fb387430 100644 --- a/sdk/nodejs/notificationhubs/namespace.ts +++ b/sdk/nodejs/notificationhubs/namespace.ts @@ -222,7 +222,7 @@ export class Namespace extends pulumi.CustomResource { resourceInputs["zoneRedundancy"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:notificationhubs/v20140901:Namespace" }, { type: "azure-native:notificationhubs/v20160301:Namespace" }, { type: "azure-native:notificationhubs/v20170401:Namespace" }, { type: "azure-native:notificationhubs/v20230101preview:Namespace" }, { type: "azure-native:notificationhubs/v20230901:Namespace" }, { type: "azure-native:notificationhubs/v20231001preview:Namespace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:notificationhubs/v20170401:Namespace" }, { type: "azure-native:notificationhubs/v20230101preview:Namespace" }, { type: "azure-native:notificationhubs/v20230901:Namespace" }, { type: "azure-native:notificationhubs/v20231001preview:Namespace" }, { type: "azure-native_notificationhubs_v20140901:notificationhubs:Namespace" }, { type: "azure-native_notificationhubs_v20160301:notificationhubs:Namespace" }, { type: "azure-native_notificationhubs_v20170401:notificationhubs:Namespace" }, { type: "azure-native_notificationhubs_v20230101preview:notificationhubs:Namespace" }, { type: "azure-native_notificationhubs_v20230901:notificationhubs:Namespace" }, { type: "azure-native_notificationhubs_v20231001preview:notificationhubs:Namespace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Namespace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/notificationhubs/namespaceAuthorizationRule.ts b/sdk/nodejs/notificationhubs/namespaceAuthorizationRule.ts index 807161fbbd89..dae3e4f56c7f 100644 --- a/sdk/nodejs/notificationhubs/namespaceAuthorizationRule.ts +++ b/sdk/nodejs/notificationhubs/namespaceAuthorizationRule.ts @@ -160,7 +160,7 @@ export class NamespaceAuthorizationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:notificationhubs/v20160301:NamespaceAuthorizationRule" }, { type: "azure-native:notificationhubs/v20170401:NamespaceAuthorizationRule" }, { type: "azure-native:notificationhubs/v20230101preview:NamespaceAuthorizationRule" }, { type: "azure-native:notificationhubs/v20230901:NamespaceAuthorizationRule" }, { type: "azure-native:notificationhubs/v20231001preview:NamespaceAuthorizationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:notificationhubs/v20170401:NamespaceAuthorizationRule" }, { type: "azure-native:notificationhubs/v20230101preview:NamespaceAuthorizationRule" }, { type: "azure-native:notificationhubs/v20230901:NamespaceAuthorizationRule" }, { type: "azure-native:notificationhubs/v20231001preview:NamespaceAuthorizationRule" }, { type: "azure-native_notificationhubs_v20160301:notificationhubs:NamespaceAuthorizationRule" }, { type: "azure-native_notificationhubs_v20170401:notificationhubs:NamespaceAuthorizationRule" }, { type: "azure-native_notificationhubs_v20230101preview:notificationhubs:NamespaceAuthorizationRule" }, { type: "azure-native_notificationhubs_v20230901:notificationhubs:NamespaceAuthorizationRule" }, { type: "azure-native_notificationhubs_v20231001preview:notificationhubs:NamespaceAuthorizationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceAuthorizationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/notificationhubs/notificationHub.ts b/sdk/nodejs/notificationhubs/notificationHub.ts index 49b458b65a66..32f59a703a00 100644 --- a/sdk/nodejs/notificationhubs/notificationHub.ts +++ b/sdk/nodejs/notificationhubs/notificationHub.ts @@ -176,7 +176,7 @@ export class NotificationHub extends pulumi.CustomResource { resourceInputs["xiaomiCredential"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:notificationhubs/v20140901:NotificationHub" }, { type: "azure-native:notificationhubs/v20160301:NotificationHub" }, { type: "azure-native:notificationhubs/v20170401:NotificationHub" }, { type: "azure-native:notificationhubs/v20230101preview:NotificationHub" }, { type: "azure-native:notificationhubs/v20230901:NotificationHub" }, { type: "azure-native:notificationhubs/v20231001preview:NotificationHub" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:notificationhubs/v20170401:NotificationHub" }, { type: "azure-native:notificationhubs/v20230101preview:NotificationHub" }, { type: "azure-native:notificationhubs/v20230901:NotificationHub" }, { type: "azure-native:notificationhubs/v20231001preview:NotificationHub" }, { type: "azure-native_notificationhubs_v20140901:notificationhubs:NotificationHub" }, { type: "azure-native_notificationhubs_v20160301:notificationhubs:NotificationHub" }, { type: "azure-native_notificationhubs_v20170401:notificationhubs:NotificationHub" }, { type: "azure-native_notificationhubs_v20230101preview:notificationhubs:NotificationHub" }, { type: "azure-native_notificationhubs_v20230901:notificationhubs:NotificationHub" }, { type: "azure-native_notificationhubs_v20231001preview:notificationhubs:NotificationHub" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NotificationHub.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/notificationhubs/notificationHubAuthorizationRule.ts b/sdk/nodejs/notificationhubs/notificationHubAuthorizationRule.ts index 805bae0ceb3a..5fe13b893359 100644 --- a/sdk/nodejs/notificationhubs/notificationHubAuthorizationRule.ts +++ b/sdk/nodejs/notificationhubs/notificationHubAuthorizationRule.ts @@ -164,7 +164,7 @@ export class NotificationHubAuthorizationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:notificationhubs/v20160301:NotificationHubAuthorizationRule" }, { type: "azure-native:notificationhubs/v20170401:NotificationHubAuthorizationRule" }, { type: "azure-native:notificationhubs/v20230101preview:NotificationHubAuthorizationRule" }, { type: "azure-native:notificationhubs/v20230901:NotificationHubAuthorizationRule" }, { type: "azure-native:notificationhubs/v20231001preview:NotificationHubAuthorizationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:notificationhubs/v20170401:NotificationHubAuthorizationRule" }, { type: "azure-native:notificationhubs/v20230101preview:NotificationHubAuthorizationRule" }, { type: "azure-native:notificationhubs/v20230901:NotificationHubAuthorizationRule" }, { type: "azure-native:notificationhubs/v20231001preview:NotificationHubAuthorizationRule" }, { type: "azure-native_notificationhubs_v20160301:notificationhubs:NotificationHubAuthorizationRule" }, { type: "azure-native_notificationhubs_v20170401:notificationhubs:NotificationHubAuthorizationRule" }, { type: "azure-native_notificationhubs_v20230101preview:notificationhubs:NotificationHubAuthorizationRule" }, { type: "azure-native_notificationhubs_v20230901:notificationhubs:NotificationHubAuthorizationRule" }, { type: "azure-native_notificationhubs_v20231001preview:notificationhubs:NotificationHubAuthorizationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NotificationHubAuthorizationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/notificationhubs/privateEndpointConnection.ts b/sdk/nodejs/notificationhubs/privateEndpointConnection.ts index 7b47c62628c9..508ac1ecacb4 100644 --- a/sdk/nodejs/notificationhubs/privateEndpointConnection.ts +++ b/sdk/nodejs/notificationhubs/privateEndpointConnection.ts @@ -95,7 +95,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:notificationhubs/v20230101preview:PrivateEndpointConnection" }, { type: "azure-native:notificationhubs/v20230901:PrivateEndpointConnection" }, { type: "azure-native:notificationhubs/v20231001preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:notificationhubs/v20230101preview:PrivateEndpointConnection" }, { type: "azure-native:notificationhubs/v20230901:PrivateEndpointConnection" }, { type: "azure-native:notificationhubs/v20231001preview:PrivateEndpointConnection" }, { type: "azure-native_notificationhubs_v20230101preview:notificationhubs:PrivateEndpointConnection" }, { type: "azure-native_notificationhubs_v20230901:notificationhubs:PrivateEndpointConnection" }, { type: "azure-native_notificationhubs_v20231001preview:notificationhubs:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/hyperVSite.ts b/sdk/nodejs/offazure/hyperVSite.ts index 51425be30bb3..defe401b5672 100644 --- a/sdk/nodejs/offazure/hyperVSite.ts +++ b/sdk/nodejs/offazure/hyperVSite.ts @@ -104,7 +104,7 @@ export class HyperVSite extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200101:HyperVSite" }, { type: "azure-native:offazure/v20200707:HyperVSite" }, { type: "azure-native:offazure/v20230606:HyperVSite" }, { type: "azure-native:offazure/v20230606:HypervSitesController" }, { type: "azure-native:offazure/v20231001preview:HyperVSite" }, { type: "azure-native:offazure/v20231001preview:HypervSitesController" }, { type: "azure-native:offazure/v20240501preview:HyperVSite" }, { type: "azure-native:offazure/v20240501preview:HypervSitesController" }, { type: "azure-native:offazure:HypervSitesController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200707:HyperVSite" }, { type: "azure-native:offazure/v20230606:HypervSitesController" }, { type: "azure-native:offazure/v20231001preview:HypervSitesController" }, { type: "azure-native:offazure/v20240501preview:HypervSitesController" }, { type: "azure-native:offazure:HypervSitesController" }, { type: "azure-native_offazure_v20200101:offazure:HyperVSite" }, { type: "azure-native_offazure_v20200707:offazure:HyperVSite" }, { type: "azure-native_offazure_v20230606:offazure:HyperVSite" }, { type: "azure-native_offazure_v20231001preview:offazure:HyperVSite" }, { type: "azure-native_offazure_v20240501preview:offazure:HyperVSite" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HyperVSite.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/hypervClusterControllerCluster.ts b/sdk/nodejs/offazure/hypervClusterControllerCluster.ts index 75bf38492bea..2847d2ac08a0 100644 --- a/sdk/nodejs/offazure/hypervClusterControllerCluster.ts +++ b/sdk/nodejs/offazure/hypervClusterControllerCluster.ts @@ -143,7 +143,7 @@ export class HypervClusterControllerCluster extends pulumi.CustomResource { resourceInputs["updatedTimestamp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:HypervClusterControllerCluster" }, { type: "azure-native:offazure/v20231001preview:HypervClusterControllerCluster" }, { type: "azure-native:offazure/v20240501preview:HypervClusterControllerCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:HypervClusterControllerCluster" }, { type: "azure-native:offazure/v20231001preview:HypervClusterControllerCluster" }, { type: "azure-native:offazure/v20240501preview:HypervClusterControllerCluster" }, { type: "azure-native_offazure_v20230606:offazure:HypervClusterControllerCluster" }, { type: "azure-native_offazure_v20231001preview:offazure:HypervClusterControllerCluster" }, { type: "azure-native_offazure_v20240501preview:offazure:HypervClusterControllerCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HypervClusterControllerCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/hypervHostController.ts b/sdk/nodejs/offazure/hypervHostController.ts index 232f68c72bff..2c215a9c4710 100644 --- a/sdk/nodejs/offazure/hypervHostController.ts +++ b/sdk/nodejs/offazure/hypervHostController.ts @@ -131,7 +131,7 @@ export class HypervHostController extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:HypervHostController" }, { type: "azure-native:offazure/v20231001preview:HypervHostController" }, { type: "azure-native:offazure/v20240501preview:HypervHostController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:HypervHostController" }, { type: "azure-native:offazure/v20231001preview:HypervHostController" }, { type: "azure-native:offazure/v20240501preview:HypervHostController" }, { type: "azure-native_offazure_v20230606:offazure:HypervHostController" }, { type: "azure-native_offazure_v20231001preview:offazure:HypervHostController" }, { type: "azure-native_offazure_v20240501preview:offazure:HypervHostController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HypervHostController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/hypervSitesController.ts b/sdk/nodejs/offazure/hypervSitesController.ts index 38ced738b06e..11c94f0e69eb 100644 --- a/sdk/nodejs/offazure/hypervSitesController.ts +++ b/sdk/nodejs/offazure/hypervSitesController.ts @@ -141,7 +141,7 @@ export class HypervSitesController extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200101:HypervSitesController" }, { type: "azure-native:offazure/v20200707:HyperVSite" }, { type: "azure-native:offazure/v20200707:HypervSitesController" }, { type: "azure-native:offazure/v20230606:HypervSitesController" }, { type: "azure-native:offazure/v20231001preview:HypervSitesController" }, { type: "azure-native:offazure/v20240501preview:HypervSitesController" }, { type: "azure-native:offazure:HyperVSite" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200707:HyperVSite" }, { type: "azure-native:offazure/v20230606:HypervSitesController" }, { type: "azure-native:offazure/v20231001preview:HypervSitesController" }, { type: "azure-native:offazure/v20240501preview:HypervSitesController" }, { type: "azure-native:offazure:HyperVSite" }, { type: "azure-native_offazure_v20200101:offazure:HypervSitesController" }, { type: "azure-native_offazure_v20200707:offazure:HypervSitesController" }, { type: "azure-native_offazure_v20230606:offazure:HypervSitesController" }, { type: "azure-native_offazure_v20231001preview:offazure:HypervSitesController" }, { type: "azure-native_offazure_v20240501preview:offazure:HypervSitesController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HypervSitesController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/importSitesController.ts b/sdk/nodejs/offazure/importSitesController.ts index 59e0e43c1db7..79a53cf45057 100644 --- a/sdk/nodejs/offazure/importSitesController.ts +++ b/sdk/nodejs/offazure/importSitesController.ts @@ -121,7 +121,7 @@ export class ImportSitesController extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:ImportSitesController" }, { type: "azure-native:offazure/v20231001preview:ImportSitesController" }, { type: "azure-native:offazure/v20240501preview:ImportSitesController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:ImportSitesController" }, { type: "azure-native:offazure/v20231001preview:ImportSitesController" }, { type: "azure-native:offazure/v20240501preview:ImportSitesController" }, { type: "azure-native_offazure_v20230606:offazure:ImportSitesController" }, { type: "azure-native_offazure_v20231001preview:offazure:ImportSitesController" }, { type: "azure-native_offazure_v20240501preview:offazure:ImportSitesController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ImportSitesController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/masterSitesController.ts b/sdk/nodejs/offazure/masterSitesController.ts index 00fb475c3fda..9f1459ad4175 100644 --- a/sdk/nodejs/offazure/masterSitesController.ts +++ b/sdk/nodejs/offazure/masterSitesController.ts @@ -142,7 +142,7 @@ export class MasterSitesController extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200707:MasterSitesController" }, { type: "azure-native:offazure/v20230606:MasterSitesController" }, { type: "azure-native:offazure/v20231001preview:MasterSitesController" }, { type: "azure-native:offazure/v20240501preview:MasterSitesController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:MasterSitesController" }, { type: "azure-native:offazure/v20231001preview:MasterSitesController" }, { type: "azure-native:offazure/v20240501preview:MasterSitesController" }, { type: "azure-native_offazure_v20200707:offazure:MasterSitesController" }, { type: "azure-native_offazure_v20230606:offazure:MasterSitesController" }, { type: "azure-native_offazure_v20231001preview:offazure:MasterSitesController" }, { type: "azure-native_offazure_v20240501preview:offazure:MasterSitesController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MasterSitesController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/privateEndpointConnection.ts b/sdk/nodejs/offazure/privateEndpointConnection.ts index 9142ec646137..4a51ebade0b6 100644 --- a/sdk/nodejs/offazure/privateEndpointConnection.ts +++ b/sdk/nodejs/offazure/privateEndpointConnection.ts @@ -99,7 +99,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200707:PrivateEndpointConnection" }, { type: "azure-native:offazure/v20230606:PrivateEndpointConnection" }, { type: "azure-native:offazure/v20230606:PrivateEndpointConnectionController" }, { type: "azure-native:offazure/v20231001preview:PrivateEndpointConnection" }, { type: "azure-native:offazure/v20231001preview:PrivateEndpointConnectionController" }, { type: "azure-native:offazure/v20240501preview:PrivateEndpointConnection" }, { type: "azure-native:offazure/v20240501preview:PrivateEndpointConnectionController" }, { type: "azure-native:offazure:PrivateEndpointConnectionController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200707:PrivateEndpointConnection" }, { type: "azure-native:offazure/v20230606:PrivateEndpointConnectionController" }, { type: "azure-native:offazure/v20231001preview:PrivateEndpointConnectionController" }, { type: "azure-native:offazure/v20240501preview:PrivateEndpointConnectionController" }, { type: "azure-native:offazure:PrivateEndpointConnectionController" }, { type: "azure-native_offazure_v20200707:offazure:PrivateEndpointConnection" }, { type: "azure-native_offazure_v20230606:offazure:PrivateEndpointConnection" }, { type: "azure-native_offazure_v20231001preview:offazure:PrivateEndpointConnection" }, { type: "azure-native_offazure_v20240501preview:offazure:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/privateEndpointConnectionController.ts b/sdk/nodejs/offazure/privateEndpointConnectionController.ts index 6df18604dc46..c83ad247a3a1 100644 --- a/sdk/nodejs/offazure/privateEndpointConnectionController.ts +++ b/sdk/nodejs/offazure/privateEndpointConnectionController.ts @@ -113,7 +113,7 @@ export class PrivateEndpointConnectionController extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200707:PrivateEndpointConnection" }, { type: "azure-native:offazure/v20200707:PrivateEndpointConnectionController" }, { type: "azure-native:offazure/v20230606:PrivateEndpointConnectionController" }, { type: "azure-native:offazure/v20231001preview:PrivateEndpointConnectionController" }, { type: "azure-native:offazure/v20240501preview:PrivateEndpointConnectionController" }, { type: "azure-native:offazure:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200707:PrivateEndpointConnection" }, { type: "azure-native:offazure/v20230606:PrivateEndpointConnectionController" }, { type: "azure-native:offazure/v20231001preview:PrivateEndpointConnectionController" }, { type: "azure-native:offazure/v20240501preview:PrivateEndpointConnectionController" }, { type: "azure-native:offazure:PrivateEndpointConnection" }, { type: "azure-native_offazure_v20200707:offazure:PrivateEndpointConnectionController" }, { type: "azure-native_offazure_v20230606:offazure:PrivateEndpointConnectionController" }, { type: "azure-native_offazure_v20231001preview:offazure:PrivateEndpointConnectionController" }, { type: "azure-native_offazure_v20240501preview:offazure:PrivateEndpointConnectionController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/serverSitesController.ts b/sdk/nodejs/offazure/serverSitesController.ts index 6a88839b9a8e..7d4f6acbe0c9 100644 --- a/sdk/nodejs/offazure/serverSitesController.ts +++ b/sdk/nodejs/offazure/serverSitesController.ts @@ -141,7 +141,7 @@ export class ServerSitesController extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:ServerSitesController" }, { type: "azure-native:offazure/v20231001preview:ServerSitesController" }, { type: "azure-native:offazure/v20240501preview:ServerSitesController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:ServerSitesController" }, { type: "azure-native:offazure/v20231001preview:ServerSitesController" }, { type: "azure-native:offazure/v20240501preview:ServerSitesController" }, { type: "azure-native_offazure_v20230606:offazure:ServerSitesController" }, { type: "azure-native_offazure_v20231001preview:offazure:ServerSitesController" }, { type: "azure-native_offazure_v20240501preview:offazure:ServerSitesController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerSitesController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/site.ts b/sdk/nodejs/offazure/site.ts index d2e58b257397..7e89408c7d34 100644 --- a/sdk/nodejs/offazure/site.ts +++ b/sdk/nodejs/offazure/site.ts @@ -104,7 +104,7 @@ export class Site extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200101:Site" }, { type: "azure-native:offazure/v20200707:Site" }, { type: "azure-native:offazure/v20230606:Site" }, { type: "azure-native:offazure/v20230606:SitesController" }, { type: "azure-native:offazure/v20231001preview:Site" }, { type: "azure-native:offazure/v20231001preview:SitesController" }, { type: "azure-native:offazure/v20240501preview:Site" }, { type: "azure-native:offazure/v20240501preview:SitesController" }, { type: "azure-native:offazure:SitesController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200707:Site" }, { type: "azure-native:offazure/v20230606:SitesController" }, { type: "azure-native:offazure/v20231001preview:SitesController" }, { type: "azure-native:offazure/v20240501preview:SitesController" }, { type: "azure-native:offazure:SitesController" }, { type: "azure-native_offazure_v20200101:offazure:Site" }, { type: "azure-native_offazure_v20200707:offazure:Site" }, { type: "azure-native_offazure_v20230606:offazure:Site" }, { type: "azure-native_offazure_v20231001preview:offazure:Site" }, { type: "azure-native_offazure_v20240501preview:offazure:Site" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Site.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/sitesController.ts b/sdk/nodejs/offazure/sitesController.ts index 7c3ef0ee76a3..38900506bdb6 100644 --- a/sdk/nodejs/offazure/sitesController.ts +++ b/sdk/nodejs/offazure/sitesController.ts @@ -147,7 +147,7 @@ export class SitesController extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200101:SitesController" }, { type: "azure-native:offazure/v20200707:Site" }, { type: "azure-native:offazure/v20200707:SitesController" }, { type: "azure-native:offazure/v20230606:SitesController" }, { type: "azure-native:offazure/v20231001preview:SitesController" }, { type: "azure-native:offazure/v20240501preview:SitesController" }, { type: "azure-native:offazure:Site" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200707:Site" }, { type: "azure-native:offazure/v20230606:SitesController" }, { type: "azure-native:offazure/v20231001preview:SitesController" }, { type: "azure-native:offazure/v20240501preview:SitesController" }, { type: "azure-native:offazure:Site" }, { type: "azure-native_offazure_v20200101:offazure:SitesController" }, { type: "azure-native_offazure_v20200707:offazure:SitesController" }, { type: "azure-native_offazure_v20230606:offazure:SitesController" }, { type: "azure-native_offazure_v20231001preview:offazure:SitesController" }, { type: "azure-native_offazure_v20240501preview:offazure:SitesController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SitesController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/sqlDiscoverySiteDataSourceController.ts b/sdk/nodejs/offazure/sqlDiscoverySiteDataSourceController.ts index 0a974cd11e9e..53fa3ee99edd 100644 --- a/sdk/nodejs/offazure/sqlDiscoverySiteDataSourceController.ts +++ b/sdk/nodejs/offazure/sqlDiscoverySiteDataSourceController.ts @@ -105,7 +105,7 @@ export class SqlDiscoverySiteDataSourceController extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:SqlDiscoverySiteDataSourceController" }, { type: "azure-native:offazure/v20231001preview:SqlDiscoverySiteDataSourceController" }, { type: "azure-native:offazure/v20240501preview:SqlDiscoverySiteDataSourceController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:SqlDiscoverySiteDataSourceController" }, { type: "azure-native:offazure/v20231001preview:SqlDiscoverySiteDataSourceController" }, { type: "azure-native:offazure/v20240501preview:SqlDiscoverySiteDataSourceController" }, { type: "azure-native_offazure_v20230606:offazure:SqlDiscoverySiteDataSourceController" }, { type: "azure-native_offazure_v20231001preview:offazure:SqlDiscoverySiteDataSourceController" }, { type: "azure-native_offazure_v20240501preview:offazure:SqlDiscoverySiteDataSourceController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlDiscoverySiteDataSourceController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/sqlSitesController.ts b/sdk/nodejs/offazure/sqlSitesController.ts index bac7289ed140..eb9b7bf16c21 100644 --- a/sdk/nodejs/offazure/sqlSitesController.ts +++ b/sdk/nodejs/offazure/sqlSitesController.ts @@ -115,7 +115,7 @@ export class SqlSitesController extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:SqlSitesController" }, { type: "azure-native:offazure/v20231001preview:SqlSitesController" }, { type: "azure-native:offazure/v20240501preview:SqlSitesController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:SqlSitesController" }, { type: "azure-native:offazure/v20231001preview:SqlSitesController" }, { type: "azure-native:offazure/v20240501preview:SqlSitesController" }, { type: "azure-native_offazure_v20230606:offazure:SqlSitesController" }, { type: "azure-native_offazure_v20231001preview:offazure:SqlSitesController" }, { type: "azure-native_offazure_v20240501preview:offazure:SqlSitesController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlSitesController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/vcenterController.ts b/sdk/nodejs/offazure/vcenterController.ts index 337246598e2f..c7905ecb5c00 100644 --- a/sdk/nodejs/offazure/vcenterController.ts +++ b/sdk/nodejs/offazure/vcenterController.ts @@ -155,7 +155,7 @@ export class VcenterController extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20200101:VcenterController" }, { type: "azure-native:offazure/v20200707:VcenterController" }, { type: "azure-native:offazure/v20230606:VcenterController" }, { type: "azure-native:offazure/v20231001preview:VcenterController" }, { type: "azure-native:offazure/v20240501preview:VcenterController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:VcenterController" }, { type: "azure-native:offazure/v20231001preview:VcenterController" }, { type: "azure-native:offazure/v20240501preview:VcenterController" }, { type: "azure-native_offazure_v20200101:offazure:VcenterController" }, { type: "azure-native_offazure_v20200707:offazure:VcenterController" }, { type: "azure-native_offazure_v20230606:offazure:VcenterController" }, { type: "azure-native_offazure_v20231001preview:offazure:VcenterController" }, { type: "azure-native_offazure_v20240501preview:offazure:VcenterController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VcenterController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/webAppDiscoverySiteDataSourcesController.ts b/sdk/nodejs/offazure/webAppDiscoverySiteDataSourcesController.ts index d0d6580f251b..338796e4bf48 100644 --- a/sdk/nodejs/offazure/webAppDiscoverySiteDataSourcesController.ts +++ b/sdk/nodejs/offazure/webAppDiscoverySiteDataSourcesController.ts @@ -105,7 +105,7 @@ export class WebAppDiscoverySiteDataSourcesController extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:WebAppDiscoverySiteDataSourcesController" }, { type: "azure-native:offazure/v20231001preview:WebAppDiscoverySiteDataSourcesController" }, { type: "azure-native:offazure/v20240501preview:WebAppDiscoverySiteDataSourcesController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:WebAppDiscoverySiteDataSourcesController" }, { type: "azure-native:offazure/v20231001preview:WebAppDiscoverySiteDataSourcesController" }, { type: "azure-native:offazure/v20240501preview:WebAppDiscoverySiteDataSourcesController" }, { type: "azure-native_offazure_v20230606:offazure:WebAppDiscoverySiteDataSourcesController" }, { type: "azure-native_offazure_v20231001preview:offazure:WebAppDiscoverySiteDataSourcesController" }, { type: "azure-native_offazure_v20240501preview:offazure:WebAppDiscoverySiteDataSourcesController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppDiscoverySiteDataSourcesController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazure/webAppSitesController.ts b/sdk/nodejs/offazure/webAppSitesController.ts index 2b896732489d..9dc96ea4b06b 100644 --- a/sdk/nodejs/offazure/webAppSitesController.ts +++ b/sdk/nodejs/offazure/webAppSitesController.ts @@ -115,7 +115,7 @@ export class WebAppSitesController extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:WebAppSitesController" }, { type: "azure-native:offazure/v20231001preview:WebAppSitesController" }, { type: "azure-native:offazure/v20240501preview:WebAppSitesController" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazure/v20230606:WebAppSitesController" }, { type: "azure-native:offazure/v20231001preview:WebAppSitesController" }, { type: "azure-native:offazure/v20240501preview:WebAppSitesController" }, { type: "azure-native_offazure_v20230606:offazure:WebAppSitesController" }, { type: "azure-native_offazure_v20231001preview:offazure:WebAppSitesController" }, { type: "azure-native_offazure_v20240501preview:offazure:WebAppSitesController" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSitesController.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazurespringboot/springbootapp.ts b/sdk/nodejs/offazurespringboot/springbootapp.ts index 13179e6cd69b..83ed2e26ca55 100644 --- a/sdk/nodejs/offazurespringboot/springbootapp.ts +++ b/sdk/nodejs/offazurespringboot/springbootapp.ts @@ -93,7 +93,7 @@ export class Springbootapp extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazurespringboot/v20240401preview:Springbootapp" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazurespringboot/v20240401preview:Springbootapp" }, { type: "azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootapp" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Springbootapp.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazurespringboot/springbootserver.ts b/sdk/nodejs/offazurespringboot/springbootserver.ts index 73fc4331f2ef..10d6f2b7c761 100644 --- a/sdk/nodejs/offazurespringboot/springbootserver.ts +++ b/sdk/nodejs/offazurespringboot/springbootserver.ts @@ -95,7 +95,7 @@ export class Springbootserver extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazurespringboot/v20230101preview:Springbootserver" }, { type: "azure-native:offazurespringboot/v20240401preview:Springbootserver" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazurespringboot/v20230101preview:Springbootserver" }, { type: "azure-native:offazurespringboot/v20240401preview:Springbootserver" }, { type: "azure-native_offazurespringboot_v20230101preview:offazurespringboot:Springbootserver" }, { type: "azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootserver" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Springbootserver.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/offazurespringboot/springbootsite.ts b/sdk/nodejs/offazurespringboot/springbootsite.ts index 1d9c94fec300..fda18df57dd6 100644 --- a/sdk/nodejs/offazurespringboot/springbootsite.ts +++ b/sdk/nodejs/offazurespringboot/springbootsite.ts @@ -109,7 +109,7 @@ export class Springbootsite extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:offazurespringboot/v20230101preview:Springbootsite" }, { type: "azure-native:offazurespringboot/v20240401preview:Springbootsite" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:offazurespringboot/v20230101preview:Springbootsite" }, { type: "azure-native:offazurespringboot/v20240401preview:Springbootsite" }, { type: "azure-native_offazurespringboot_v20230101preview:offazurespringboot:Springbootsite" }, { type: "azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootsite" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Springbootsite.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/openenergyplatform/energyService.ts b/sdk/nodejs/openenergyplatform/energyService.ts index 4dd3b48bc8f1..50922d42c426 100644 --- a/sdk/nodejs/openenergyplatform/energyService.ts +++ b/sdk/nodejs/openenergyplatform/energyService.ts @@ -96,7 +96,7 @@ export class EnergyService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:openenergyplatform/v20210601preview:EnergyService" }, { type: "azure-native:openenergyplatform/v20220404preview:EnergyService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:openenergyplatform/v20220404preview:EnergyService" }, { type: "azure-native_openenergyplatform_v20210601preview:openenergyplatform:EnergyService" }, { type: "azure-native_openenergyplatform_v20220404preview:openenergyplatform:EnergyService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EnergyService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/cluster.ts b/sdk/nodejs/operationalinsights/cluster.ts index b6a074c47c5a..460464ce0c12 100644 --- a/sdk/nodejs/operationalinsights/cluster.ts +++ b/sdk/nodejs/operationalinsights/cluster.ts @@ -163,7 +163,7 @@ export class Cluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20190801preview:Cluster" }, { type: "azure-native:operationalinsights/v20200301preview:Cluster" }, { type: "azure-native:operationalinsights/v20200801:Cluster" }, { type: "azure-native:operationalinsights/v20201001:Cluster" }, { type: "azure-native:operationalinsights/v20210601:Cluster" }, { type: "azure-native:operationalinsights/v20221001:Cluster" }, { type: "azure-native:operationalinsights/v20230901:Cluster" }, { type: "azure-native:operationalinsights/v20250201:Cluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20200801:Cluster" }, { type: "azure-native:operationalinsights/v20210601:Cluster" }, { type: "azure-native:operationalinsights/v20221001:Cluster" }, { type: "azure-native:operationalinsights/v20230901:Cluster" }, { type: "azure-native_operationalinsights_v20190801preview:operationalinsights:Cluster" }, { type: "azure-native_operationalinsights_v20200301preview:operationalinsights:Cluster" }, { type: "azure-native_operationalinsights_v20200801:operationalinsights:Cluster" }, { type: "azure-native_operationalinsights_v20201001:operationalinsights:Cluster" }, { type: "azure-native_operationalinsights_v20210601:operationalinsights:Cluster" }, { type: "azure-native_operationalinsights_v20221001:operationalinsights:Cluster" }, { type: "azure-native_operationalinsights_v20230901:operationalinsights:Cluster" }, { type: "azure-native_operationalinsights_v20250201:operationalinsights:Cluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/dataExport.ts b/sdk/nodejs/operationalinsights/dataExport.ts index 6f81d5c86cff..7f566e50ee53 100644 --- a/sdk/nodejs/operationalinsights/dataExport.ts +++ b/sdk/nodejs/operationalinsights/dataExport.ts @@ -128,7 +128,7 @@ export class DataExport extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20190801preview:DataExport" }, { type: "azure-native:operationalinsights/v20200301preview:DataExport" }, { type: "azure-native:operationalinsights/v20200801:DataExport" }, { type: "azure-native:operationalinsights/v20230901:DataExport" }, { type: "azure-native:operationalinsights/v20250201:DataExport" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20200801:DataExport" }, { type: "azure-native:operationalinsights/v20230901:DataExport" }, { type: "azure-native_operationalinsights_v20190801preview:operationalinsights:DataExport" }, { type: "azure-native_operationalinsights_v20200301preview:operationalinsights:DataExport" }, { type: "azure-native_operationalinsights_v20200801:operationalinsights:DataExport" }, { type: "azure-native_operationalinsights_v20230901:operationalinsights:DataExport" }, { type: "azure-native_operationalinsights_v20250201:operationalinsights:DataExport" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataExport.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/dataSource.ts b/sdk/nodejs/operationalinsights/dataSource.ts index e2e9f0c60586..a516bc02e0b5 100644 --- a/sdk/nodejs/operationalinsights/dataSource.ts +++ b/sdk/nodejs/operationalinsights/dataSource.ts @@ -113,7 +113,7 @@ export class DataSource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20151101preview:DataSource" }, { type: "azure-native:operationalinsights/v20200301preview:DataSource" }, { type: "azure-native:operationalinsights/v20200801:DataSource" }, { type: "azure-native:operationalinsights/v20230901:DataSource" }, { type: "azure-native:operationalinsights/v20250201:DataSource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20151101preview:DataSource" }, { type: "azure-native:operationalinsights/v20200801:DataSource" }, { type: "azure-native:operationalinsights/v20230901:DataSource" }, { type: "azure-native_operationalinsights_v20151101preview:operationalinsights:DataSource" }, { type: "azure-native_operationalinsights_v20200301preview:operationalinsights:DataSource" }, { type: "azure-native_operationalinsights_v20200801:operationalinsights:DataSource" }, { type: "azure-native_operationalinsights_v20230901:operationalinsights:DataSource" }, { type: "azure-native_operationalinsights_v20250201:operationalinsights:DataSource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataSource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/linkedService.ts b/sdk/nodejs/operationalinsights/linkedService.ts index fbdd5158f3c1..27a48a56ca07 100644 --- a/sdk/nodejs/operationalinsights/linkedService.ts +++ b/sdk/nodejs/operationalinsights/linkedService.ts @@ -107,7 +107,7 @@ export class LinkedService extends pulumi.CustomResource { resourceInputs["writeAccessResourceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20151101preview:LinkedService" }, { type: "azure-native:operationalinsights/v20190801preview:LinkedService" }, { type: "azure-native:operationalinsights/v20200301preview:LinkedService" }, { type: "azure-native:operationalinsights/v20200801:LinkedService" }, { type: "azure-native:operationalinsights/v20230901:LinkedService" }, { type: "azure-native:operationalinsights/v20250201:LinkedService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20151101preview:LinkedService" }, { type: "azure-native:operationalinsights/v20200801:LinkedService" }, { type: "azure-native:operationalinsights/v20230901:LinkedService" }, { type: "azure-native_operationalinsights_v20151101preview:operationalinsights:LinkedService" }, { type: "azure-native_operationalinsights_v20190801preview:operationalinsights:LinkedService" }, { type: "azure-native_operationalinsights_v20200301preview:operationalinsights:LinkedService" }, { type: "azure-native_operationalinsights_v20200801:operationalinsights:LinkedService" }, { type: "azure-native_operationalinsights_v20230901:operationalinsights:LinkedService" }, { type: "azure-native_operationalinsights_v20250201:operationalinsights:LinkedService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LinkedService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/linkedStorageAccount.ts b/sdk/nodejs/operationalinsights/linkedStorageAccount.ts index d274811b23be..9116d3eebfe0 100644 --- a/sdk/nodejs/operationalinsights/linkedStorageAccount.ts +++ b/sdk/nodejs/operationalinsights/linkedStorageAccount.ts @@ -91,7 +91,7 @@ export class LinkedStorageAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20190801preview:LinkedStorageAccount" }, { type: "azure-native:operationalinsights/v20200301preview:LinkedStorageAccount" }, { type: "azure-native:operationalinsights/v20200801:LinkedStorageAccount" }, { type: "azure-native:operationalinsights/v20230901:LinkedStorageAccount" }, { type: "azure-native:operationalinsights/v20250201:LinkedStorageAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20200801:LinkedStorageAccount" }, { type: "azure-native:operationalinsights/v20230901:LinkedStorageAccount" }, { type: "azure-native_operationalinsights_v20190801preview:operationalinsights:LinkedStorageAccount" }, { type: "azure-native_operationalinsights_v20200301preview:operationalinsights:LinkedStorageAccount" }, { type: "azure-native_operationalinsights_v20200801:operationalinsights:LinkedStorageAccount" }, { type: "azure-native_operationalinsights_v20230901:operationalinsights:LinkedStorageAccount" }, { type: "azure-native_operationalinsights_v20250201:operationalinsights:LinkedStorageAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LinkedStorageAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/machineGroup.ts b/sdk/nodejs/operationalinsights/machineGroup.ts index 8ce0b1d8fe5d..419a84032477 100644 --- a/sdk/nodejs/operationalinsights/machineGroup.ts +++ b/sdk/nodejs/operationalinsights/machineGroup.ts @@ -124,7 +124,7 @@ export class MachineGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20151101preview:MachineGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20151101preview:MachineGroup" }, { type: "azure-native_operationalinsights_v20151101preview:operationalinsights:MachineGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MachineGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/query.ts b/sdk/nodejs/operationalinsights/query.ts index 4b85cfc24251..c3124a2d9adb 100644 --- a/sdk/nodejs/operationalinsights/query.ts +++ b/sdk/nodejs/operationalinsights/query.ts @@ -149,7 +149,7 @@ export class Query extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20190901:Query" }, { type: "azure-native:operationalinsights/v20190901preview:Query" }, { type: "azure-native:operationalinsights/v20230901:Query" }, { type: "azure-native:operationalinsights/v20250201:Query" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20190901:Query" }, { type: "azure-native:operationalinsights/v20190901preview:Query" }, { type: "azure-native:operationalinsights/v20230901:Query" }, { type: "azure-native_operationalinsights_v20190901:operationalinsights:Query" }, { type: "azure-native_operationalinsights_v20190901preview:operationalinsights:Query" }, { type: "azure-native_operationalinsights_v20230901:operationalinsights:Query" }, { type: "azure-native_operationalinsights_v20250201:operationalinsights:Query" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Query.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/queryPack.ts b/sdk/nodejs/operationalinsights/queryPack.ts index 53465a5cb00b..6a009c1f7c90 100644 --- a/sdk/nodejs/operationalinsights/queryPack.ts +++ b/sdk/nodejs/operationalinsights/queryPack.ts @@ -121,7 +121,7 @@ export class QueryPack extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20190901:QueryPack" }, { type: "azure-native:operationalinsights/v20190901preview:QueryPack" }, { type: "azure-native:operationalinsights/v20230901:QueryPack" }, { type: "azure-native:operationalinsights/v20250201:QueryPack" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20190901:QueryPack" }, { type: "azure-native:operationalinsights/v20190901preview:QueryPack" }, { type: "azure-native:operationalinsights/v20230901:QueryPack" }, { type: "azure-native_operationalinsights_v20190901:operationalinsights:QueryPack" }, { type: "azure-native_operationalinsights_v20190901preview:operationalinsights:QueryPack" }, { type: "azure-native_operationalinsights_v20230901:operationalinsights:QueryPack" }, { type: "azure-native_operationalinsights_v20250201:operationalinsights:QueryPack" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(QueryPack.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/savedSearch.ts b/sdk/nodejs/operationalinsights/savedSearch.ts index 3bb4bf5304f7..36f201a2656d 100644 --- a/sdk/nodejs/operationalinsights/savedSearch.ts +++ b/sdk/nodejs/operationalinsights/savedSearch.ts @@ -140,7 +140,7 @@ export class SavedSearch extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20150320:SavedSearch" }, { type: "azure-native:operationalinsights/v20200301preview:SavedSearch" }, { type: "azure-native:operationalinsights/v20200801:SavedSearch" }, { type: "azure-native:operationalinsights/v20230901:SavedSearch" }, { type: "azure-native:operationalinsights/v20250201:SavedSearch" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20200801:SavedSearch" }, { type: "azure-native:operationalinsights/v20230901:SavedSearch" }, { type: "azure-native_operationalinsights_v20150320:operationalinsights:SavedSearch" }, { type: "azure-native_operationalinsights_v20200301preview:operationalinsights:SavedSearch" }, { type: "azure-native_operationalinsights_v20200801:operationalinsights:SavedSearch" }, { type: "azure-native_operationalinsights_v20230901:operationalinsights:SavedSearch" }, { type: "azure-native_operationalinsights_v20250201:operationalinsights:SavedSearch" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SavedSearch.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/storageInsightConfig.ts b/sdk/nodejs/operationalinsights/storageInsightConfig.ts index 2d0b2b0ceabf..3e1ef3b56694 100644 --- a/sdk/nodejs/operationalinsights/storageInsightConfig.ts +++ b/sdk/nodejs/operationalinsights/storageInsightConfig.ts @@ -122,7 +122,7 @@ export class StorageInsightConfig extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20150320:StorageInsightConfig" }, { type: "azure-native:operationalinsights/v20200301preview:StorageInsightConfig" }, { type: "azure-native:operationalinsights/v20200801:StorageInsightConfig" }, { type: "azure-native:operationalinsights/v20230901:StorageInsightConfig" }, { type: "azure-native:operationalinsights/v20250201:StorageInsightConfig" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20200801:StorageInsightConfig" }, { type: "azure-native:operationalinsights/v20230901:StorageInsightConfig" }, { type: "azure-native_operationalinsights_v20150320:operationalinsights:StorageInsightConfig" }, { type: "azure-native_operationalinsights_v20200301preview:operationalinsights:StorageInsightConfig" }, { type: "azure-native_operationalinsights_v20200801:operationalinsights:StorageInsightConfig" }, { type: "azure-native_operationalinsights_v20230901:operationalinsights:StorageInsightConfig" }, { type: "azure-native_operationalinsights_v20250201:operationalinsights:StorageInsightConfig" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageInsightConfig.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/table.ts b/sdk/nodejs/operationalinsights/table.ts index 933bc9c5189c..16490c4423cd 100644 --- a/sdk/nodejs/operationalinsights/table.ts +++ b/sdk/nodejs/operationalinsights/table.ts @@ -161,7 +161,7 @@ export class Table extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20211201preview:Table" }, { type: "azure-native:operationalinsights/v20221001:Table" }, { type: "azure-native:operationalinsights/v20230901:Table" }, { type: "azure-native:operationalinsights/v20250201:Table" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20221001:Table" }, { type: "azure-native:operationalinsights/v20230901:Table" }, { type: "azure-native_operationalinsights_v20211201preview:operationalinsights:Table" }, { type: "azure-native_operationalinsights_v20221001:operationalinsights:Table" }, { type: "azure-native_operationalinsights_v20230901:operationalinsights:Table" }, { type: "azure-native_operationalinsights_v20250201:operationalinsights:Table" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Table.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationalinsights/workspace.ts b/sdk/nodejs/operationalinsights/workspace.ts index 9b948b1a9560..f75178a72f24 100644 --- a/sdk/nodejs/operationalinsights/workspace.ts +++ b/sdk/nodejs/operationalinsights/workspace.ts @@ -187,7 +187,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["workspaceCapping"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20151101preview:Workspace" }, { type: "azure-native:operationalinsights/v20200301preview:Workspace" }, { type: "azure-native:operationalinsights/v20200801:Workspace" }, { type: "azure-native:operationalinsights/v20201001:Workspace" }, { type: "azure-native:operationalinsights/v20210601:Workspace" }, { type: "azure-native:operationalinsights/v20211201preview:Workspace" }, { type: "azure-native:operationalinsights/v20221001:Workspace" }, { type: "azure-native:operationalinsights/v20230901:Workspace" }, { type: "azure-native:operationalinsights/v20250201:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationalinsights/v20151101preview:Workspace" }, { type: "azure-native:operationalinsights/v20200801:Workspace" }, { type: "azure-native:operationalinsights/v20201001:Workspace" }, { type: "azure-native:operationalinsights/v20210601:Workspace" }, { type: "azure-native:operationalinsights/v20211201preview:Workspace" }, { type: "azure-native:operationalinsights/v20221001:Workspace" }, { type: "azure-native:operationalinsights/v20230901:Workspace" }, { type: "azure-native_operationalinsights_v20151101preview:operationalinsights:Workspace" }, { type: "azure-native_operationalinsights_v20200301preview:operationalinsights:Workspace" }, { type: "azure-native_operationalinsights_v20200801:operationalinsights:Workspace" }, { type: "azure-native_operationalinsights_v20201001:operationalinsights:Workspace" }, { type: "azure-native_operationalinsights_v20210601:operationalinsights:Workspace" }, { type: "azure-native_operationalinsights_v20211201preview:operationalinsights:Workspace" }, { type: "azure-native_operationalinsights_v20221001:operationalinsights:Workspace" }, { type: "azure-native_operationalinsights_v20230901:operationalinsights:Workspace" }, { type: "azure-native_operationalinsights_v20250201:operationalinsights:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationsmanagement/managementAssociation.ts b/sdk/nodejs/operationsmanagement/managementAssociation.ts index c7ec64db40f8..c87ef24f1535 100644 --- a/sdk/nodejs/operationsmanagement/managementAssociation.ts +++ b/sdk/nodejs/operationsmanagement/managementAssociation.ts @@ -101,7 +101,7 @@ export class ManagementAssociation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationsmanagement/v20151101preview:ManagementAssociation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationsmanagement/v20151101preview:ManagementAssociation" }, { type: "azure-native_operationsmanagement_v20151101preview:operationsmanagement:ManagementAssociation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagementAssociation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationsmanagement/managementConfiguration.ts b/sdk/nodejs/operationsmanagement/managementConfiguration.ts index a63b85386eac..65f55d61c24b 100644 --- a/sdk/nodejs/operationsmanagement/managementConfiguration.ts +++ b/sdk/nodejs/operationsmanagement/managementConfiguration.ts @@ -89,7 +89,7 @@ export class ManagementConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationsmanagement/v20151101preview:ManagementConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationsmanagement/v20151101preview:ManagementConfiguration" }, { type: "azure-native_operationsmanagement_v20151101preview:operationsmanagement:ManagementConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagementConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/operationsmanagement/solution.ts b/sdk/nodejs/operationsmanagement/solution.ts index fee468f88336..5d5c47e6046f 100644 --- a/sdk/nodejs/operationsmanagement/solution.ts +++ b/sdk/nodejs/operationsmanagement/solution.ts @@ -101,7 +101,7 @@ export class Solution extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:operationsmanagement/v20151101preview:Solution" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:operationsmanagement/v20151101preview:Solution" }, { type: "azure-native_operationsmanagement_v20151101preview:operationsmanagement:Solution" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Solution.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/orbital/contact.ts b/sdk/nodejs/orbital/contact.ts index e46fc3c08ea8..2c5270a2d437 100644 --- a/sdk/nodejs/orbital/contact.ts +++ b/sdk/nodejs/orbital/contact.ts @@ -195,7 +195,7 @@ export class Contact extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20220301:Contact" }, { type: "azure-native:orbital/v20221101:Contact" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20220301:Contact" }, { type: "azure-native:orbital/v20221101:Contact" }, { type: "azure-native_orbital_v20220301:orbital:Contact" }, { type: "azure-native_orbital_v20221101:orbital:Contact" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Contact.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/orbital/contactProfile.ts b/sdk/nodejs/orbital/contactProfile.ts index e89956c4fcfc..b3d01cd3ae9d 100644 --- a/sdk/nodejs/orbital/contactProfile.ts +++ b/sdk/nodejs/orbital/contactProfile.ts @@ -143,7 +143,7 @@ export class ContactProfile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20220301:ContactProfile" }, { type: "azure-native:orbital/v20221101:ContactProfile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20220301:ContactProfile" }, { type: "azure-native:orbital/v20221101:ContactProfile" }, { type: "azure-native_orbital_v20220301:orbital:ContactProfile" }, { type: "azure-native_orbital_v20221101:orbital:ContactProfile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContactProfile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/orbital/edgeSite.ts b/sdk/nodejs/orbital/edgeSite.ts index e215e5c93b79..72570c2a46c5 100644 --- a/sdk/nodejs/orbital/edgeSite.ts +++ b/sdk/nodejs/orbital/edgeSite.ts @@ -106,7 +106,7 @@ export class EdgeSite extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20240301:EdgeSite" }, { type: "azure-native:orbital/v20240301preview:EdgeSite" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20240301:EdgeSite" }, { type: "azure-native:orbital/v20240301preview:EdgeSite" }, { type: "azure-native_orbital_v20240301:orbital:EdgeSite" }, { type: "azure-native_orbital_v20240301preview:orbital:EdgeSite" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EdgeSite.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/orbital/groundStation.ts b/sdk/nodejs/orbital/groundStation.ts index 2c5f21155a1d..0ff36e540dd7 100644 --- a/sdk/nodejs/orbital/groundStation.ts +++ b/sdk/nodejs/orbital/groundStation.ts @@ -151,7 +151,7 @@ export class GroundStation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20240301:GroundStation" }, { type: "azure-native:orbital/v20240301preview:GroundStation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20240301:GroundStation" }, { type: "azure-native:orbital/v20240301preview:GroundStation" }, { type: "azure-native_orbital_v20240301:orbital:GroundStation" }, { type: "azure-native_orbital_v20240301preview:orbital:GroundStation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GroundStation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/orbital/l2connection.ts b/sdk/nodejs/orbital/l2connection.ts index 28de26ccb319..171087f9a11f 100644 --- a/sdk/nodejs/orbital/l2connection.ts +++ b/sdk/nodejs/orbital/l2connection.ts @@ -142,7 +142,7 @@ export class L2Connection extends pulumi.CustomResource { resourceInputs["vlanId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20240301:L2Connection" }, { type: "azure-native:orbital/v20240301preview:L2Connection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20240301:L2Connection" }, { type: "azure-native:orbital/v20240301preview:L2Connection" }, { type: "azure-native_orbital_v20240301:orbital:L2Connection" }, { type: "azure-native_orbital_v20240301preview:orbital:L2Connection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(L2Connection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/orbital/spacecraft.ts b/sdk/nodejs/orbital/spacecraft.ts index 6dd22ec15013..bb15fff50cfd 100644 --- a/sdk/nodejs/orbital/spacecraft.ts +++ b/sdk/nodejs/orbital/spacecraft.ts @@ -137,7 +137,7 @@ export class Spacecraft extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20220301:Spacecraft" }, { type: "azure-native:orbital/v20221101:Spacecraft" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:orbital/v20220301:Spacecraft" }, { type: "azure-native:orbital/v20221101:Spacecraft" }, { type: "azure-native_orbital_v20220301:orbital:Spacecraft" }, { type: "azure-native_orbital_v20221101:orbital:Spacecraft" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Spacecraft.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/peering/connectionMonitorTest.ts b/sdk/nodejs/peering/connectionMonitorTest.ts index d390ca288031..9755647bc43d 100644 --- a/sdk/nodejs/peering/connectionMonitorTest.ts +++ b/sdk/nodejs/peering/connectionMonitorTest.ts @@ -120,7 +120,7 @@ export class ConnectionMonitorTest extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:peering/v20210601:ConnectionMonitorTest" }, { type: "azure-native:peering/v20220101:ConnectionMonitorTest" }, { type: "azure-native:peering/v20220601:ConnectionMonitorTest" }, { type: "azure-native:peering/v20221001:ConnectionMonitorTest" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:peering/v20221001:ConnectionMonitorTest" }, { type: "azure-native_peering_v20210601:peering:ConnectionMonitorTest" }, { type: "azure-native_peering_v20220101:peering:ConnectionMonitorTest" }, { type: "azure-native_peering_v20220601:peering:ConnectionMonitorTest" }, { type: "azure-native_peering_v20221001:peering:ConnectionMonitorTest" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectionMonitorTest.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/peering/peerAsn.ts b/sdk/nodejs/peering/peerAsn.ts index 3a4d3b507876..1048e4992731 100644 --- a/sdk/nodejs/peering/peerAsn.ts +++ b/sdk/nodejs/peering/peerAsn.ts @@ -103,7 +103,7 @@ export class PeerAsn extends pulumi.CustomResource { resourceInputs["validationState"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:peering/v20190801preview:PeerAsn" }, { type: "azure-native:peering/v20190901preview:PeerAsn" }, { type: "azure-native:peering/v20200101preview:PeerAsn" }, { type: "azure-native:peering/v20200401:PeerAsn" }, { type: "azure-native:peering/v20201001:PeerAsn" }, { type: "azure-native:peering/v20210101:PeerAsn" }, { type: "azure-native:peering/v20210601:PeerAsn" }, { type: "azure-native:peering/v20220101:PeerAsn" }, { type: "azure-native:peering/v20220601:PeerAsn" }, { type: "azure-native:peering/v20221001:PeerAsn" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:peering/v20210101:PeerAsn" }, { type: "azure-native:peering/v20221001:PeerAsn" }, { type: "azure-native_peering_v20190801preview:peering:PeerAsn" }, { type: "azure-native_peering_v20190901preview:peering:PeerAsn" }, { type: "azure-native_peering_v20200101preview:peering:PeerAsn" }, { type: "azure-native_peering_v20200401:peering:PeerAsn" }, { type: "azure-native_peering_v20201001:peering:PeerAsn" }, { type: "azure-native_peering_v20210101:peering:PeerAsn" }, { type: "azure-native_peering_v20210601:peering:PeerAsn" }, { type: "azure-native_peering_v20220101:peering:PeerAsn" }, { type: "azure-native_peering_v20220601:peering:PeerAsn" }, { type: "azure-native_peering_v20221001:peering:PeerAsn" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PeerAsn.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/peering/peering.ts b/sdk/nodejs/peering/peering.ts index 63d8ae2a3f0e..07a1153117e3 100644 --- a/sdk/nodejs/peering/peering.ts +++ b/sdk/nodejs/peering/peering.ts @@ -131,7 +131,7 @@ export class Peering extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:peering/v20190801preview:Peering" }, { type: "azure-native:peering/v20190901preview:Peering" }, { type: "azure-native:peering/v20200101preview:Peering" }, { type: "azure-native:peering/v20200401:Peering" }, { type: "azure-native:peering/v20201001:Peering" }, { type: "azure-native:peering/v20210101:Peering" }, { type: "azure-native:peering/v20210601:Peering" }, { type: "azure-native:peering/v20220101:Peering" }, { type: "azure-native:peering/v20220601:Peering" }, { type: "azure-native:peering/v20221001:Peering" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:peering/v20221001:Peering" }, { type: "azure-native_peering_v20190801preview:peering:Peering" }, { type: "azure-native_peering_v20190901preview:peering:Peering" }, { type: "azure-native_peering_v20200101preview:peering:Peering" }, { type: "azure-native_peering_v20200401:peering:Peering" }, { type: "azure-native_peering_v20201001:peering:Peering" }, { type: "azure-native_peering_v20210101:peering:Peering" }, { type: "azure-native_peering_v20210601:peering:Peering" }, { type: "azure-native_peering_v20220101:peering:Peering" }, { type: "azure-native_peering_v20220601:peering:Peering" }, { type: "azure-native_peering_v20221001:peering:Peering" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Peering.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/peering/peeringService.ts b/sdk/nodejs/peering/peeringService.ts index 5adca2dcdb23..0e55dcf4cc64 100644 --- a/sdk/nodejs/peering/peeringService.ts +++ b/sdk/nodejs/peering/peeringService.ts @@ -131,7 +131,7 @@ export class PeeringService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:peering/v20190801preview:PeeringService" }, { type: "azure-native:peering/v20190901preview:PeeringService" }, { type: "azure-native:peering/v20200101preview:PeeringService" }, { type: "azure-native:peering/v20200401:PeeringService" }, { type: "azure-native:peering/v20201001:PeeringService" }, { type: "azure-native:peering/v20210101:PeeringService" }, { type: "azure-native:peering/v20210601:PeeringService" }, { type: "azure-native:peering/v20220101:PeeringService" }, { type: "azure-native:peering/v20220601:PeeringService" }, { type: "azure-native:peering/v20221001:PeeringService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:peering/v20221001:PeeringService" }, { type: "azure-native_peering_v20190801preview:peering:PeeringService" }, { type: "azure-native_peering_v20190901preview:peering:PeeringService" }, { type: "azure-native_peering_v20200101preview:peering:PeeringService" }, { type: "azure-native_peering_v20200401:peering:PeeringService" }, { type: "azure-native_peering_v20201001:peering:PeeringService" }, { type: "azure-native_peering_v20210101:peering:PeeringService" }, { type: "azure-native_peering_v20210601:peering:PeeringService" }, { type: "azure-native_peering_v20220101:peering:PeeringService" }, { type: "azure-native_peering_v20220601:peering:PeeringService" }, { type: "azure-native_peering_v20221001:peering:PeeringService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PeeringService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/peering/prefix.ts b/sdk/nodejs/peering/prefix.ts index 6b63ca463aea..3dc297e1a129 100644 --- a/sdk/nodejs/peering/prefix.ts +++ b/sdk/nodejs/peering/prefix.ts @@ -123,7 +123,7 @@ export class Prefix extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:peering/v20190801preview:Prefix" }, { type: "azure-native:peering/v20190901preview:Prefix" }, { type: "azure-native:peering/v20200101preview:Prefix" }, { type: "azure-native:peering/v20200401:Prefix" }, { type: "azure-native:peering/v20201001:Prefix" }, { type: "azure-native:peering/v20210101:Prefix" }, { type: "azure-native:peering/v20210601:Prefix" }, { type: "azure-native:peering/v20220101:Prefix" }, { type: "azure-native:peering/v20220601:Prefix" }, { type: "azure-native:peering/v20221001:Prefix" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:peering/v20221001:Prefix" }, { type: "azure-native_peering_v20190801preview:peering:Prefix" }, { type: "azure-native_peering_v20190901preview:peering:Prefix" }, { type: "azure-native_peering_v20200101preview:peering:Prefix" }, { type: "azure-native_peering_v20200401:peering:Prefix" }, { type: "azure-native_peering_v20201001:peering:Prefix" }, { type: "azure-native_peering_v20210101:peering:Prefix" }, { type: "azure-native_peering_v20210601:peering:Prefix" }, { type: "azure-native_peering_v20220101:peering:Prefix" }, { type: "azure-native_peering_v20220601:peering:Prefix" }, { type: "azure-native_peering_v20221001:peering:Prefix" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Prefix.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/peering/registeredAsn.ts b/sdk/nodejs/peering/registeredAsn.ts index aaa3c3c1d8bd..376064aaaeff 100644 --- a/sdk/nodejs/peering/registeredAsn.ts +++ b/sdk/nodejs/peering/registeredAsn.ts @@ -96,7 +96,7 @@ export class RegisteredAsn extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:peering/v20200101preview:RegisteredAsn" }, { type: "azure-native:peering/v20200401:RegisteredAsn" }, { type: "azure-native:peering/v20201001:RegisteredAsn" }, { type: "azure-native:peering/v20210101:RegisteredAsn" }, { type: "azure-native:peering/v20210601:RegisteredAsn" }, { type: "azure-native:peering/v20220101:RegisteredAsn" }, { type: "azure-native:peering/v20220601:RegisteredAsn" }, { type: "azure-native:peering/v20221001:RegisteredAsn" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:peering/v20221001:RegisteredAsn" }, { type: "azure-native_peering_v20200101preview:peering:RegisteredAsn" }, { type: "azure-native_peering_v20200401:peering:RegisteredAsn" }, { type: "azure-native_peering_v20201001:peering:RegisteredAsn" }, { type: "azure-native_peering_v20210101:peering:RegisteredAsn" }, { type: "azure-native_peering_v20210601:peering:RegisteredAsn" }, { type: "azure-native_peering_v20220101:peering:RegisteredAsn" }, { type: "azure-native_peering_v20220601:peering:RegisteredAsn" }, { type: "azure-native_peering_v20221001:peering:RegisteredAsn" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegisteredAsn.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/peering/registeredPrefix.ts b/sdk/nodejs/peering/registeredPrefix.ts index 48fe6b120cdd..a71d5989fc7d 100644 --- a/sdk/nodejs/peering/registeredPrefix.ts +++ b/sdk/nodejs/peering/registeredPrefix.ts @@ -108,7 +108,7 @@ export class RegisteredPrefix extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:peering/v20200101preview:RegisteredPrefix" }, { type: "azure-native:peering/v20200401:RegisteredPrefix" }, { type: "azure-native:peering/v20201001:RegisteredPrefix" }, { type: "azure-native:peering/v20210101:RegisteredPrefix" }, { type: "azure-native:peering/v20210601:RegisteredPrefix" }, { type: "azure-native:peering/v20220101:RegisteredPrefix" }, { type: "azure-native:peering/v20220601:RegisteredPrefix" }, { type: "azure-native:peering/v20221001:RegisteredPrefix" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:peering/v20221001:RegisteredPrefix" }, { type: "azure-native_peering_v20200101preview:peering:RegisteredPrefix" }, { type: "azure-native_peering_v20200401:peering:RegisteredPrefix" }, { type: "azure-native_peering_v20201001:peering:RegisteredPrefix" }, { type: "azure-native_peering_v20210101:peering:RegisteredPrefix" }, { type: "azure-native_peering_v20210601:peering:RegisteredPrefix" }, { type: "azure-native_peering_v20220101:peering:RegisteredPrefix" }, { type: "azure-native_peering_v20220601:peering:RegisteredPrefix" }, { type: "azure-native_peering_v20221001:peering:RegisteredPrefix" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegisteredPrefix.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/policyinsights/attestationAtResource.ts b/sdk/nodejs/policyinsights/attestationAtResource.ts index a935202a915c..235727913cd0 100644 --- a/sdk/nodejs/policyinsights/attestationAtResource.ts +++ b/sdk/nodejs/policyinsights/attestationAtResource.ts @@ -154,7 +154,7 @@ export class AttestationAtResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20210101:AttestationAtResource" }, { type: "azure-native:policyinsights/v20220901:AttestationAtResource" }, { type: "azure-native:policyinsights/v20241001:AttestationAtResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20220901:AttestationAtResource" }, { type: "azure-native:policyinsights/v20241001:AttestationAtResource" }, { type: "azure-native_policyinsights_v20210101:policyinsights:AttestationAtResource" }, { type: "azure-native_policyinsights_v20220901:policyinsights:AttestationAtResource" }, { type: "azure-native_policyinsights_v20241001:policyinsights:AttestationAtResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AttestationAtResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/policyinsights/attestationAtResourceGroup.ts b/sdk/nodejs/policyinsights/attestationAtResourceGroup.ts index 9d6f92ed013b..bec1638e73be 100644 --- a/sdk/nodejs/policyinsights/attestationAtResourceGroup.ts +++ b/sdk/nodejs/policyinsights/attestationAtResourceGroup.ts @@ -154,7 +154,7 @@ export class AttestationAtResourceGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20210101:AttestationAtResourceGroup" }, { type: "azure-native:policyinsights/v20220901:AttestationAtResourceGroup" }, { type: "azure-native:policyinsights/v20241001:AttestationAtResourceGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20220901:AttestationAtResourceGroup" }, { type: "azure-native:policyinsights/v20241001:AttestationAtResourceGroup" }, { type: "azure-native_policyinsights_v20210101:policyinsights:AttestationAtResourceGroup" }, { type: "azure-native_policyinsights_v20220901:policyinsights:AttestationAtResourceGroup" }, { type: "azure-native_policyinsights_v20241001:policyinsights:AttestationAtResourceGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AttestationAtResourceGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/policyinsights/attestationAtSubscription.ts b/sdk/nodejs/policyinsights/attestationAtSubscription.ts index cad2e777fc0f..af47354a9456 100644 --- a/sdk/nodejs/policyinsights/attestationAtSubscription.ts +++ b/sdk/nodejs/policyinsights/attestationAtSubscription.ts @@ -150,7 +150,7 @@ export class AttestationAtSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20210101:AttestationAtSubscription" }, { type: "azure-native:policyinsights/v20220901:AttestationAtSubscription" }, { type: "azure-native:policyinsights/v20241001:AttestationAtSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20220901:AttestationAtSubscription" }, { type: "azure-native:policyinsights/v20241001:AttestationAtSubscription" }, { type: "azure-native_policyinsights_v20210101:policyinsights:AttestationAtSubscription" }, { type: "azure-native_policyinsights_v20220901:policyinsights:AttestationAtSubscription" }, { type: "azure-native_policyinsights_v20241001:policyinsights:AttestationAtSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AttestationAtSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/policyinsights/remediationAtManagementGroup.ts b/sdk/nodejs/policyinsights/remediationAtManagementGroup.ts index 17436b02426d..e499180ed910 100644 --- a/sdk/nodejs/policyinsights/remediationAtManagementGroup.ts +++ b/sdk/nodejs/policyinsights/remediationAtManagementGroup.ts @@ -167,7 +167,7 @@ export class RemediationAtManagementGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20180701preview:RemediationAtManagementGroup" }, { type: "azure-native:policyinsights/v20190701:RemediationAtManagementGroup" }, { type: "azure-native:policyinsights/v20211001:RemediationAtManagementGroup" }, { type: "azure-native:policyinsights/v20241001:RemediationAtManagementGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20211001:RemediationAtManagementGroup" }, { type: "azure-native:policyinsights/v20241001:RemediationAtManagementGroup" }, { type: "azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtManagementGroup" }, { type: "azure-native_policyinsights_v20190701:policyinsights:RemediationAtManagementGroup" }, { type: "azure-native_policyinsights_v20211001:policyinsights:RemediationAtManagementGroup" }, { type: "azure-native_policyinsights_v20241001:policyinsights:RemediationAtManagementGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RemediationAtManagementGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/policyinsights/remediationAtResource.ts b/sdk/nodejs/policyinsights/remediationAtResource.ts index 2bd061f7372d..f139ddb1bf86 100644 --- a/sdk/nodejs/policyinsights/remediationAtResource.ts +++ b/sdk/nodejs/policyinsights/remediationAtResource.ts @@ -163,7 +163,7 @@ export class RemediationAtResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20180701preview:RemediationAtResource" }, { type: "azure-native:policyinsights/v20190701:RemediationAtResource" }, { type: "azure-native:policyinsights/v20211001:RemediationAtResource" }, { type: "azure-native:policyinsights/v20241001:RemediationAtResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20211001:RemediationAtResource" }, { type: "azure-native:policyinsights/v20241001:RemediationAtResource" }, { type: "azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtResource" }, { type: "azure-native_policyinsights_v20190701:policyinsights:RemediationAtResource" }, { type: "azure-native_policyinsights_v20211001:policyinsights:RemediationAtResource" }, { type: "azure-native_policyinsights_v20241001:policyinsights:RemediationAtResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RemediationAtResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/policyinsights/remediationAtResourceGroup.ts b/sdk/nodejs/policyinsights/remediationAtResourceGroup.ts index 7135ba127d45..a472ea32203f 100644 --- a/sdk/nodejs/policyinsights/remediationAtResourceGroup.ts +++ b/sdk/nodejs/policyinsights/remediationAtResourceGroup.ts @@ -163,7 +163,7 @@ export class RemediationAtResourceGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20180701preview:RemediationAtResourceGroup" }, { type: "azure-native:policyinsights/v20190701:RemediationAtResourceGroup" }, { type: "azure-native:policyinsights/v20211001:RemediationAtResourceGroup" }, { type: "azure-native:policyinsights/v20241001:RemediationAtResourceGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20211001:RemediationAtResourceGroup" }, { type: "azure-native:policyinsights/v20241001:RemediationAtResourceGroup" }, { type: "azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtResourceGroup" }, { type: "azure-native_policyinsights_v20190701:policyinsights:RemediationAtResourceGroup" }, { type: "azure-native_policyinsights_v20211001:policyinsights:RemediationAtResourceGroup" }, { type: "azure-native_policyinsights_v20241001:policyinsights:RemediationAtResourceGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RemediationAtResourceGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/policyinsights/remediationAtSubscription.ts b/sdk/nodejs/policyinsights/remediationAtSubscription.ts index 9d424d60447b..23c4fa36d89e 100644 --- a/sdk/nodejs/policyinsights/remediationAtSubscription.ts +++ b/sdk/nodejs/policyinsights/remediationAtSubscription.ts @@ -159,7 +159,7 @@ export class RemediationAtSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20180701preview:RemediationAtSubscription" }, { type: "azure-native:policyinsights/v20190701:RemediationAtSubscription" }, { type: "azure-native:policyinsights/v20211001:RemediationAtSubscription" }, { type: "azure-native:policyinsights/v20241001:RemediationAtSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:policyinsights/v20211001:RemediationAtSubscription" }, { type: "azure-native:policyinsights/v20241001:RemediationAtSubscription" }, { type: "azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtSubscription" }, { type: "azure-native_policyinsights_v20190701:policyinsights:RemediationAtSubscription" }, { type: "azure-native_policyinsights_v20211001:policyinsights:RemediationAtSubscription" }, { type: "azure-native_policyinsights_v20241001:policyinsights:RemediationAtSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RemediationAtSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/portal/console.ts b/sdk/nodejs/portal/console.ts index db318081267c..b2fff2f75771 100644 --- a/sdk/nodejs/portal/console.ts +++ b/sdk/nodejs/portal/console.ts @@ -70,7 +70,7 @@ export class Console extends pulumi.CustomResource { resourceInputs["properties"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:portal/v20181001:Console" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:portal/v20181001:Console" }, { type: "azure-native_portal_v20181001:portal:Console" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Console.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/portal/consoleWithLocation.ts b/sdk/nodejs/portal/consoleWithLocation.ts index c8a7175bf53d..11da597c6c27 100644 --- a/sdk/nodejs/portal/consoleWithLocation.ts +++ b/sdk/nodejs/portal/consoleWithLocation.ts @@ -71,7 +71,7 @@ export class ConsoleWithLocation extends pulumi.CustomResource { resourceInputs["properties"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:portal/v20181001:ConsoleWithLocation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:portal/v20181001:ConsoleWithLocation" }, { type: "azure-native_portal_v20181001:portal:ConsoleWithLocation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConsoleWithLocation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/portal/dashboard.ts b/sdk/nodejs/portal/dashboard.ts index 0970c2fca89c..fb9e8de2875e 100644 --- a/sdk/nodejs/portal/dashboard.ts +++ b/sdk/nodejs/portal/dashboard.ts @@ -103,7 +103,7 @@ export class Dashboard extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:portal/v20150801preview:Dashboard" }, { type: "azure-native:portal/v20181001preview:Dashboard" }, { type: "azure-native:portal/v20190101preview:Dashboard" }, { type: "azure-native:portal/v20200901preview:Dashboard" }, { type: "azure-native:portal/v20221201preview:Dashboard" }, { type: "azure-native:portal/v20250401preview:Dashboard" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:portal/v20190101preview:Dashboard" }, { type: "azure-native:portal/v20200901preview:Dashboard" }, { type: "azure-native:portal/v20221201preview:Dashboard" }, { type: "azure-native_portal_v20150801preview:portal:Dashboard" }, { type: "azure-native_portal_v20181001preview:portal:Dashboard" }, { type: "azure-native_portal_v20190101preview:portal:Dashboard" }, { type: "azure-native_portal_v20200901preview:portal:Dashboard" }, { type: "azure-native_portal_v20221201preview:portal:Dashboard" }, { type: "azure-native_portal_v20250401preview:portal:Dashboard" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Dashboard.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/portal/tenantConfiguration.ts b/sdk/nodejs/portal/tenantConfiguration.ts index 99f64a4cebb7..782de72e7a6d 100644 --- a/sdk/nodejs/portal/tenantConfiguration.ts +++ b/sdk/nodejs/portal/tenantConfiguration.ts @@ -87,7 +87,7 @@ export class TenantConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:portal/v20190101preview:TenantConfiguration" }, { type: "azure-native:portal/v20200901preview:TenantConfiguration" }, { type: "azure-native:portal/v20221201preview:TenantConfiguration" }, { type: "azure-native:portal/v20250401preview:TenantConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:portal/v20200901preview:TenantConfiguration" }, { type: "azure-native:portal/v20221201preview:TenantConfiguration" }, { type: "azure-native_portal_v20190101preview:portal:TenantConfiguration" }, { type: "azure-native_portal_v20200901preview:portal:TenantConfiguration" }, { type: "azure-native_portal_v20221201preview:portal:TenantConfiguration" }, { type: "azure-native_portal_v20250401preview:portal:TenantConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TenantConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/portal/userSettings.ts b/sdk/nodejs/portal/userSettings.ts index 6f2988f919d0..0dd7e9b450ce 100644 --- a/sdk/nodejs/portal/userSettings.ts +++ b/sdk/nodejs/portal/userSettings.ts @@ -70,7 +70,7 @@ export class UserSettings extends pulumi.CustomResource { resourceInputs["properties"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:portal/v20181001:UserSettings" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:portal/v20181001:UserSettings" }, { type: "azure-native_portal_v20181001:portal:UserSettings" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(UserSettings.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/portal/userSettingsWithLocation.ts b/sdk/nodejs/portal/userSettingsWithLocation.ts index 4b00bb81bfd0..425e85699f50 100644 --- a/sdk/nodejs/portal/userSettingsWithLocation.ts +++ b/sdk/nodejs/portal/userSettingsWithLocation.ts @@ -74,7 +74,7 @@ export class UserSettingsWithLocation extends pulumi.CustomResource { resourceInputs["properties"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:portal/v20181001:UserSettingsWithLocation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:portal/v20181001:UserSettingsWithLocation" }, { type: "azure-native_portal_v20181001:portal:UserSettingsWithLocation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(UserSettingsWithLocation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/portalservices/copilotSetting.ts b/sdk/nodejs/portalservices/copilotSetting.ts index a369afb0310e..afa73354aa92 100644 --- a/sdk/nodejs/portalservices/copilotSetting.ts +++ b/sdk/nodejs/portalservices/copilotSetting.ts @@ -95,7 +95,7 @@ export class CopilotSetting extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:portalservices/v20240401:CopilotSetting" }, { type: "azure-native:portalservices/v20240401preview:CopilotSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:portalservices/v20240401preview:CopilotSetting" }, { type: "azure-native_portalservices_v20240401:portalservices:CopilotSetting" }, { type: "azure-native_portalservices_v20240401preview:portalservices:CopilotSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CopilotSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/powerbi/powerBIResource.ts b/sdk/nodejs/powerbi/powerBIResource.ts index 1cc5c619a68f..3b9cd9dc290c 100644 --- a/sdk/nodejs/powerbi/powerBIResource.ts +++ b/sdk/nodejs/powerbi/powerBIResource.ts @@ -105,7 +105,7 @@ export class PowerBIResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:powerbi/v20200601:PowerBIResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:powerbi/v20200601:PowerBIResource" }, { type: "azure-native_powerbi_v20200601:powerbi:PowerBIResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PowerBIResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/powerbi/privateEndpointConnection.ts b/sdk/nodejs/powerbi/privateEndpointConnection.ts index 72e192d5b75e..4e33f2eed026 100644 --- a/sdk/nodejs/powerbi/privateEndpointConnection.ts +++ b/sdk/nodejs/powerbi/privateEndpointConnection.ts @@ -103,7 +103,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:powerbi/v20200601:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:powerbi/v20200601:PrivateEndpointConnection" }, { type: "azure-native_powerbi_v20200601:powerbi:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/powerbi/workspaceCollection.ts b/sdk/nodejs/powerbi/workspaceCollection.ts index bbcfb876ca3d..10eaf279188e 100644 --- a/sdk/nodejs/powerbi/workspaceCollection.ts +++ b/sdk/nodejs/powerbi/workspaceCollection.ts @@ -93,7 +93,7 @@ export class WorkspaceCollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:powerbi/v20160129:WorkspaceCollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:powerbi/v20160129:WorkspaceCollection" }, { type: "azure-native_powerbi_v20160129:powerbi:WorkspaceCollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceCollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/powerbidedicated/autoScaleVCore.ts b/sdk/nodejs/powerbidedicated/autoScaleVCore.ts index b56bb8a16ba7..408b5f4b408d 100644 --- a/sdk/nodejs/powerbidedicated/autoScaleVCore.ts +++ b/sdk/nodejs/powerbidedicated/autoScaleVCore.ts @@ -122,7 +122,7 @@ export class AutoScaleVCore extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:powerbidedicated/v20210101:AutoScaleVCore" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:powerbidedicated/v20210101:AutoScaleVCore" }, { type: "azure-native_powerbidedicated_v20210101:powerbidedicated:AutoScaleVCore" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AutoScaleVCore.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/powerbidedicated/capacityDetails.ts b/sdk/nodejs/powerbidedicated/capacityDetails.ts index 29c6dbee9451..af018502e27f 100644 --- a/sdk/nodejs/powerbidedicated/capacityDetails.ts +++ b/sdk/nodejs/powerbidedicated/capacityDetails.ts @@ -140,7 +140,7 @@ export class CapacityDetails extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:powerbidedicated/v20171001:CapacityDetails" }, { type: "azure-native:powerbidedicated/v20210101:CapacityDetails" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:powerbidedicated/v20210101:CapacityDetails" }, { type: "azure-native_powerbidedicated_v20171001:powerbidedicated:CapacityDetails" }, { type: "azure-native_powerbidedicated_v20210101:powerbidedicated:CapacityDetails" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CapacityDetails.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/powerplatform/account.ts b/sdk/nodejs/powerplatform/account.ts index e2f8d5da9196..a689e0e94d32 100644 --- a/sdk/nodejs/powerplatform/account.ts +++ b/sdk/nodejs/powerplatform/account.ts @@ -107,7 +107,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:powerplatform/v20201030preview:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:powerplatform/v20201030preview:Account" }, { type: "azure-native_powerplatform_v20201030preview:powerplatform:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/powerplatform/enterprisePolicy.ts b/sdk/nodejs/powerplatform/enterprisePolicy.ts index 64924260fb6a..27fcbe9c41ed 100644 --- a/sdk/nodejs/powerplatform/enterprisePolicy.ts +++ b/sdk/nodejs/powerplatform/enterprisePolicy.ts @@ -140,7 +140,7 @@ export class EnterprisePolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:powerplatform/v20201030preview:EnterprisePolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:powerplatform/v20201030preview:EnterprisePolicy" }, { type: "azure-native_powerplatform_v20201030preview:powerplatform:EnterprisePolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EnterprisePolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/powerplatform/privateEndpointConnection.ts b/sdk/nodejs/powerplatform/privateEndpointConnection.ts index 686e535e913a..b1b6227f02ef 100644 --- a/sdk/nodejs/powerplatform/privateEndpointConnection.ts +++ b/sdk/nodejs/powerplatform/privateEndpointConnection.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:powerplatform/v20201030preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:powerplatform/v20201030preview:PrivateEndpointConnection" }, { type: "azure-native_powerplatform_v20201030preview:powerplatform:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/privatedns/privateRecordSet.ts b/sdk/nodejs/privatedns/privateRecordSet.ts index ec1945dbe8f3..e6db27d781ab 100644 --- a/sdk/nodejs/privatedns/privateRecordSet.ts +++ b/sdk/nodejs/privatedns/privateRecordSet.ts @@ -165,7 +165,7 @@ export class PrivateRecordSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200601:PrivateRecordSet" }, { type: "azure-native:network/v20240601:PrivateRecordSet" }, { type: "azure-native:network:PrivateRecordSet" }, { type: "azure-native:privatedns/v20180901:PrivateRecordSet" }, { type: "azure-native:privatedns/v20200101:PrivateRecordSet" }, { type: "azure-native:privatedns/v20200601:PrivateRecordSet" }, { type: "azure-native:privatedns/v20240601:PrivateRecordSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200601:PrivateRecordSet" }, { type: "azure-native:network/v20240601:PrivateRecordSet" }, { type: "azure-native:network:PrivateRecordSet" }, { type: "azure-native_privatedns_v20180901:privatedns:PrivateRecordSet" }, { type: "azure-native_privatedns_v20200101:privatedns:PrivateRecordSet" }, { type: "azure-native_privatedns_v20200601:privatedns:PrivateRecordSet" }, { type: "azure-native_privatedns_v20240601:privatedns:PrivateRecordSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateRecordSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/privatedns/privateZone.ts b/sdk/nodejs/privatedns/privateZone.ts index f7be78f2d40d..17ecfdc78330 100644 --- a/sdk/nodejs/privatedns/privateZone.ts +++ b/sdk/nodejs/privatedns/privateZone.ts @@ -142,7 +142,7 @@ export class PrivateZone extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200601:PrivateZone" }, { type: "azure-native:network/v20240601:PrivateZone" }, { type: "azure-native:network:PrivateZone" }, { type: "azure-native:privatedns/v20180901:PrivateZone" }, { type: "azure-native:privatedns/v20200101:PrivateZone" }, { type: "azure-native:privatedns/v20200601:PrivateZone" }, { type: "azure-native:privatedns/v20240601:PrivateZone" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200601:PrivateZone" }, { type: "azure-native:network/v20240601:PrivateZone" }, { type: "azure-native:network:PrivateZone" }, { type: "azure-native_privatedns_v20180901:privatedns:PrivateZone" }, { type: "azure-native_privatedns_v20200101:privatedns:PrivateZone" }, { type: "azure-native_privatedns_v20200601:privatedns:PrivateZone" }, { type: "azure-native_privatedns_v20240601:privatedns:PrivateZone" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateZone.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/privatedns/virtualNetworkLink.ts b/sdk/nodejs/privatedns/virtualNetworkLink.ts index e1ad1d62e93d..6bdcc5715602 100644 --- a/sdk/nodejs/privatedns/virtualNetworkLink.ts +++ b/sdk/nodejs/privatedns/virtualNetworkLink.ts @@ -131,7 +131,7 @@ export class VirtualNetworkLink extends pulumi.CustomResource { resourceInputs["virtualNetworkLinkState"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20200601:VirtualNetworkLink" }, { type: "azure-native:network/v20240601:VirtualNetworkLink" }, { type: "azure-native:network:VirtualNetworkLink" }, { type: "azure-native:privatedns/v20180901:VirtualNetworkLink" }, { type: "azure-native:privatedns/v20200101:VirtualNetworkLink" }, { type: "azure-native:privatedns/v20200601:VirtualNetworkLink" }, { type: "azure-native:privatedns/v20240601:VirtualNetworkLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20200601:VirtualNetworkLink" }, { type: "azure-native:network/v20240601:VirtualNetworkLink" }, { type: "azure-native:network:VirtualNetworkLink" }, { type: "azure-native_privatedns_v20180901:privatedns:VirtualNetworkLink" }, { type: "azure-native_privatedns_v20200101:privatedns:VirtualNetworkLink" }, { type: "azure-native_privatedns_v20200601:privatedns:VirtualNetworkLink" }, { type: "azure-native_privatedns_v20240601:privatedns:VirtualNetworkLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetworkLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/professionalservice/professionalServiceSubscriptionLevel.ts b/sdk/nodejs/professionalservice/professionalServiceSubscriptionLevel.ts index 78f3b6bb419b..41df04372e61 100644 --- a/sdk/nodejs/professionalservice/professionalServiceSubscriptionLevel.ts +++ b/sdk/nodejs/professionalservice/professionalServiceSubscriptionLevel.ts @@ -91,7 +91,7 @@ export class ProfessionalServiceSubscriptionLevel extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:professionalservice/v20230701preview:ProfessionalServiceSubscriptionLevel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:professionalservice/v20230701preview:ProfessionalServiceSubscriptionLevel" }, { type: "azure-native_professionalservice_v20230701preview:professionalservice:ProfessionalServiceSubscriptionLevel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProfessionalServiceSubscriptionLevel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/programmableconnectivity/gateway.ts b/sdk/nodejs/programmableconnectivity/gateway.ts index 89e202688ff5..6eb100f21d4e 100644 --- a/sdk/nodejs/programmableconnectivity/gateway.ts +++ b/sdk/nodejs/programmableconnectivity/gateway.ts @@ -113,7 +113,7 @@ export class Gateway extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:programmableconnectivity/v20240115preview:Gateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:programmableconnectivity/v20240115preview:Gateway" }, { type: "azure-native_programmableconnectivity_v20240115preview:programmableconnectivity:Gateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Gateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/programmableconnectivity/operatorApiConnection.ts b/sdk/nodejs/programmableconnectivity/operatorApiConnection.ts index eec63df90c4b..6b460f02be00 100644 --- a/sdk/nodejs/programmableconnectivity/operatorApiConnection.ts +++ b/sdk/nodejs/programmableconnectivity/operatorApiConnection.ts @@ -165,7 +165,7 @@ export class OperatorApiConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:programmableconnectivity/v20240115preview:OperatorApiConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:programmableconnectivity/v20240115preview:OperatorApiConnection" }, { type: "azure-native_programmableconnectivity_v20240115preview:programmableconnectivity:OperatorApiConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OperatorApiConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/providerhub/defaultRollout.ts b/sdk/nodejs/providerhub/defaultRollout.ts index eeed536f6333..c168f95346a2 100644 --- a/sdk/nodejs/providerhub/defaultRollout.ts +++ b/sdk/nodejs/providerhub/defaultRollout.ts @@ -89,7 +89,7 @@ export class DefaultRollout extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20201120:DefaultRollout" }, { type: "azure-native:providerhub/v20210501preview:DefaultRollout" }, { type: "azure-native:providerhub/v20210601preview:DefaultRollout" }, { type: "azure-native:providerhub/v20210901preview:DefaultRollout" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20210901preview:DefaultRollout" }, { type: "azure-native_providerhub_v20201120:providerhub:DefaultRollout" }, { type: "azure-native_providerhub_v20210501preview:providerhub:DefaultRollout" }, { type: "azure-native_providerhub_v20210601preview:providerhub:DefaultRollout" }, { type: "azure-native_providerhub_v20210901preview:providerhub:DefaultRollout" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DefaultRollout.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/providerhub/notificationRegistration.ts b/sdk/nodejs/providerhub/notificationRegistration.ts index 9f4499894f02..a05ae9481620 100644 --- a/sdk/nodejs/providerhub/notificationRegistration.ts +++ b/sdk/nodejs/providerhub/notificationRegistration.ts @@ -86,7 +86,7 @@ export class NotificationRegistration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20201120:NotificationRegistration" }, { type: "azure-native:providerhub/v20210501preview:NotificationRegistration" }, { type: "azure-native:providerhub/v20210601preview:NotificationRegistration" }, { type: "azure-native:providerhub/v20210901preview:NotificationRegistration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20210901preview:NotificationRegistration" }, { type: "azure-native_providerhub_v20201120:providerhub:NotificationRegistration" }, { type: "azure-native_providerhub_v20210501preview:providerhub:NotificationRegistration" }, { type: "azure-native_providerhub_v20210601preview:providerhub:NotificationRegistration" }, { type: "azure-native_providerhub_v20210901preview:providerhub:NotificationRegistration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NotificationRegistration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/providerhub/operationByProviderRegistration.ts b/sdk/nodejs/providerhub/operationByProviderRegistration.ts index 68231ca9509d..e158fab74360 100644 --- a/sdk/nodejs/providerhub/operationByProviderRegistration.ts +++ b/sdk/nodejs/providerhub/operationByProviderRegistration.ts @@ -71,7 +71,7 @@ export class OperationByProviderRegistration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20201120:OperationByProviderRegistration" }, { type: "azure-native:providerhub/v20210501preview:OperationByProviderRegistration" }, { type: "azure-native:providerhub/v20210601preview:OperationByProviderRegistration" }, { type: "azure-native:providerhub/v20210901preview:OperationByProviderRegistration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20210501preview:OperationByProviderRegistration" }, { type: "azure-native:providerhub/v20210901preview:OperationByProviderRegistration" }, { type: "azure-native_providerhub_v20201120:providerhub:OperationByProviderRegistration" }, { type: "azure-native_providerhub_v20210501preview:providerhub:OperationByProviderRegistration" }, { type: "azure-native_providerhub_v20210601preview:providerhub:OperationByProviderRegistration" }, { type: "azure-native_providerhub_v20210901preview:providerhub:OperationByProviderRegistration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OperationByProviderRegistration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/providerhub/providerRegistration.ts b/sdk/nodejs/providerhub/providerRegistration.ts index 6a30b9c5b723..6b652f7d4321 100644 --- a/sdk/nodejs/providerhub/providerRegistration.ts +++ b/sdk/nodejs/providerhub/providerRegistration.ts @@ -80,7 +80,7 @@ export class ProviderRegistration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20201120:ProviderRegistration" }, { type: "azure-native:providerhub/v20210501preview:ProviderRegistration" }, { type: "azure-native:providerhub/v20210601preview:ProviderRegistration" }, { type: "azure-native:providerhub/v20210901preview:ProviderRegistration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20210901preview:ProviderRegistration" }, { type: "azure-native_providerhub_v20201120:providerhub:ProviderRegistration" }, { type: "azure-native_providerhub_v20210501preview:providerhub:ProviderRegistration" }, { type: "azure-native_providerhub_v20210601preview:providerhub:ProviderRegistration" }, { type: "azure-native_providerhub_v20210901preview:providerhub:ProviderRegistration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProviderRegistration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/providerhub/resourceTypeRegistration.ts b/sdk/nodejs/providerhub/resourceTypeRegistration.ts index 1dae8572a69c..9085a0828fdb 100644 --- a/sdk/nodejs/providerhub/resourceTypeRegistration.ts +++ b/sdk/nodejs/providerhub/resourceTypeRegistration.ts @@ -84,7 +84,7 @@ export class ResourceTypeRegistration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20201120:ResourceTypeRegistration" }, { type: "azure-native:providerhub/v20210501preview:ResourceTypeRegistration" }, { type: "azure-native:providerhub/v20210601preview:ResourceTypeRegistration" }, { type: "azure-native:providerhub/v20210901preview:ResourceTypeRegistration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20210901preview:ResourceTypeRegistration" }, { type: "azure-native_providerhub_v20201120:providerhub:ResourceTypeRegistration" }, { type: "azure-native_providerhub_v20210501preview:providerhub:ResourceTypeRegistration" }, { type: "azure-native_providerhub_v20210601preview:providerhub:ResourceTypeRegistration" }, { type: "azure-native_providerhub_v20210901preview:providerhub:ResourceTypeRegistration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ResourceTypeRegistration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/providerhub/skus.ts b/sdk/nodejs/providerhub/skus.ts index 8896bef6ff5d..dbd68e743737 100644 --- a/sdk/nodejs/providerhub/skus.ts +++ b/sdk/nodejs/providerhub/skus.ts @@ -88,7 +88,7 @@ export class Skus extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20201120:Skus" }, { type: "azure-native:providerhub/v20210501preview:Skus" }, { type: "azure-native:providerhub/v20210601preview:Skus" }, { type: "azure-native:providerhub/v20210901preview:Skus" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20210901preview:Skus" }, { type: "azure-native_providerhub_v20201120:providerhub:Skus" }, { type: "azure-native_providerhub_v20210501preview:providerhub:Skus" }, { type: "azure-native_providerhub_v20210601preview:providerhub:Skus" }, { type: "azure-native_providerhub_v20210901preview:providerhub:Skus" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Skus.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/providerhub/skusNestedResourceTypeFirst.ts b/sdk/nodejs/providerhub/skusNestedResourceTypeFirst.ts index 787f08eb0467..46cd22e6b7ed 100644 --- a/sdk/nodejs/providerhub/skusNestedResourceTypeFirst.ts +++ b/sdk/nodejs/providerhub/skusNestedResourceTypeFirst.ts @@ -92,7 +92,7 @@ export class SkusNestedResourceTypeFirst extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20201120:SkusNestedResourceTypeFirst" }, { type: "azure-native:providerhub/v20210501preview:SkusNestedResourceTypeFirst" }, { type: "azure-native:providerhub/v20210601preview:SkusNestedResourceTypeFirst" }, { type: "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeFirst" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeFirst" }, { type: "azure-native_providerhub_v20201120:providerhub:SkusNestedResourceTypeFirst" }, { type: "azure-native_providerhub_v20210501preview:providerhub:SkusNestedResourceTypeFirst" }, { type: "azure-native_providerhub_v20210601preview:providerhub:SkusNestedResourceTypeFirst" }, { type: "azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeFirst" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SkusNestedResourceTypeFirst.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/providerhub/skusNestedResourceTypeSecond.ts b/sdk/nodejs/providerhub/skusNestedResourceTypeSecond.ts index 768372c10588..97798b659bc7 100644 --- a/sdk/nodejs/providerhub/skusNestedResourceTypeSecond.ts +++ b/sdk/nodejs/providerhub/skusNestedResourceTypeSecond.ts @@ -96,7 +96,7 @@ export class SkusNestedResourceTypeSecond extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20201120:SkusNestedResourceTypeSecond" }, { type: "azure-native:providerhub/v20210501preview:SkusNestedResourceTypeSecond" }, { type: "azure-native:providerhub/v20210601preview:SkusNestedResourceTypeSecond" }, { type: "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeSecond" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeSecond" }, { type: "azure-native_providerhub_v20201120:providerhub:SkusNestedResourceTypeSecond" }, { type: "azure-native_providerhub_v20210501preview:providerhub:SkusNestedResourceTypeSecond" }, { type: "azure-native_providerhub_v20210601preview:providerhub:SkusNestedResourceTypeSecond" }, { type: "azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeSecond" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SkusNestedResourceTypeSecond.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/providerhub/skusNestedResourceTypeThird.ts b/sdk/nodejs/providerhub/skusNestedResourceTypeThird.ts index b2b8fb412b74..0d302b552438 100644 --- a/sdk/nodejs/providerhub/skusNestedResourceTypeThird.ts +++ b/sdk/nodejs/providerhub/skusNestedResourceTypeThird.ts @@ -100,7 +100,7 @@ export class SkusNestedResourceTypeThird extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20201120:SkusNestedResourceTypeThird" }, { type: "azure-native:providerhub/v20210501preview:SkusNestedResourceTypeThird" }, { type: "azure-native:providerhub/v20210601preview:SkusNestedResourceTypeThird" }, { type: "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeThird" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:providerhub/v20210901preview:SkusNestedResourceTypeThird" }, { type: "azure-native_providerhub_v20201120:providerhub:SkusNestedResourceTypeThird" }, { type: "azure-native_providerhub_v20210501preview:providerhub:SkusNestedResourceTypeThird" }, { type: "azure-native_providerhub_v20210601preview:providerhub:SkusNestedResourceTypeThird" }, { type: "azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeThird" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SkusNestedResourceTypeThird.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/purview/account.ts b/sdk/nodejs/purview/account.ts index 27d53cae6f3d..ffe5aa8009d8 100644 --- a/sdk/nodejs/purview/account.ts +++ b/sdk/nodejs/purview/account.ts @@ -217,7 +217,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:purview/v20201201preview:Account" }, { type: "azure-native:purview/v20210701:Account" }, { type: "azure-native:purview/v20211201:Account" }, { type: "azure-native:purview/v20230501preview:Account" }, { type: "azure-native:purview/v20240401preview:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:purview/v20201201preview:Account" }, { type: "azure-native:purview/v20210701:Account" }, { type: "azure-native:purview/v20211201:Account" }, { type: "azure-native:purview/v20230501preview:Account" }, { type: "azure-native:purview/v20240401preview:Account" }, { type: "azure-native_purview_v20201201preview:purview:Account" }, { type: "azure-native_purview_v20210701:purview:Account" }, { type: "azure-native_purview_v20211201:purview:Account" }, { type: "azure-native_purview_v20230501preview:purview:Account" }, { type: "azure-native_purview_v20240401preview:purview:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/purview/kafkaConfiguration.ts b/sdk/nodejs/purview/kafkaConfiguration.ts index fd01ef11922f..6b6ddafd050e 100644 --- a/sdk/nodejs/purview/kafkaConfiguration.ts +++ b/sdk/nodejs/purview/kafkaConfiguration.ts @@ -128,7 +128,7 @@ export class KafkaConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:purview/v20211201:KafkaConfiguration" }, { type: "azure-native:purview/v20230501preview:KafkaConfiguration" }, { type: "azure-native:purview/v20240401preview:KafkaConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:purview/v20211201:KafkaConfiguration" }, { type: "azure-native:purview/v20230501preview:KafkaConfiguration" }, { type: "azure-native:purview/v20240401preview:KafkaConfiguration" }, { type: "azure-native_purview_v20211201:purview:KafkaConfiguration" }, { type: "azure-native_purview_v20230501preview:purview:KafkaConfiguration" }, { type: "azure-native_purview_v20240401preview:purview:KafkaConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KafkaConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/purview/privateEndpointConnection.ts b/sdk/nodejs/purview/privateEndpointConnection.ts index cb85803a9d5d..1f67caf42f32 100644 --- a/sdk/nodejs/purview/privateEndpointConnection.ts +++ b/sdk/nodejs/purview/privateEndpointConnection.ts @@ -107,7 +107,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:purview/v20201201preview:PrivateEndpointConnection" }, { type: "azure-native:purview/v20210701:PrivateEndpointConnection" }, { type: "azure-native:purview/v20211201:PrivateEndpointConnection" }, { type: "azure-native:purview/v20230501preview:PrivateEndpointConnection" }, { type: "azure-native:purview/v20240401preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:purview/v20210701:PrivateEndpointConnection" }, { type: "azure-native:purview/v20211201:PrivateEndpointConnection" }, { type: "azure-native:purview/v20230501preview:PrivateEndpointConnection" }, { type: "azure-native:purview/v20240401preview:PrivateEndpointConnection" }, { type: "azure-native_purview_v20201201preview:purview:PrivateEndpointConnection" }, { type: "azure-native_purview_v20210701:purview:PrivateEndpointConnection" }, { type: "azure-native_purview_v20211201:purview:PrivateEndpointConnection" }, { type: "azure-native_purview_v20230501preview:purview:PrivateEndpointConnection" }, { type: "azure-native_purview_v20240401preview:purview:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/quantum/workspace.ts b/sdk/nodejs/quantum/workspace.ts index a8eb3beea4f9..7a8bdc9aabe2 100644 --- a/sdk/nodejs/quantum/workspace.ts +++ b/sdk/nodejs/quantum/workspace.ts @@ -109,7 +109,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:quantum/v20191104preview:Workspace" }, { type: "azure-native:quantum/v20220110preview:Workspace" }, { type: "azure-native:quantum/v20231113preview:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:quantum/v20220110preview:Workspace" }, { type: "azure-native:quantum/v20231113preview:Workspace" }, { type: "azure-native_quantum_v20191104preview:quantum:Workspace" }, { type: "azure-native_quantum_v20220110preview:quantum:Workspace" }, { type: "azure-native_quantum_v20231113preview:quantum:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/quota/groupQuota.ts b/sdk/nodejs/quota/groupQuota.ts index ae04573c4662..23cb73fc2729 100644 --- a/sdk/nodejs/quota/groupQuota.ts +++ b/sdk/nodejs/quota/groupQuota.ts @@ -88,7 +88,7 @@ export class GroupQuota extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:quota/v20230601preview:GroupQuota" }, { type: "azure-native:quota/v20241015preview:GroupQuota" }, { type: "azure-native:quota/v20241218preview:GroupQuota" }, { type: "azure-native:quota/v20250301:GroupQuota" }, { type: "azure-native:quota/v20250315preview:GroupQuota" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:quota/v20230601preview:GroupQuota" }, { type: "azure-native:quota/v20241015preview:GroupQuota" }, { type: "azure-native:quota/v20241218preview:GroupQuota" }, { type: "azure-native:quota/v20250301:GroupQuota" }, { type: "azure-native_quota_v20230601preview:quota:GroupQuota" }, { type: "azure-native_quota_v20241015preview:quota:GroupQuota" }, { type: "azure-native_quota_v20241218preview:quota:GroupQuota" }, { type: "azure-native_quota_v20250301:quota:GroupQuota" }, { type: "azure-native_quota_v20250315preview:quota:GroupQuota" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GroupQuota.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/quota/groupQuotaSubscription.ts b/sdk/nodejs/quota/groupQuotaSubscription.ts index 589c1e812370..c2549072eba7 100644 --- a/sdk/nodejs/quota/groupQuotaSubscription.ts +++ b/sdk/nodejs/quota/groupQuotaSubscription.ts @@ -91,7 +91,7 @@ export class GroupQuotaSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:quota/v20230601preview:GroupQuotaSubscription" }, { type: "azure-native:quota/v20241015preview:GroupQuotaSubscription" }, { type: "azure-native:quota/v20241218preview:GroupQuotaSubscription" }, { type: "azure-native:quota/v20250301:GroupQuotaSubscription" }, { type: "azure-native:quota/v20250315preview:GroupQuotaSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:quota/v20230601preview:GroupQuotaSubscription" }, { type: "azure-native:quota/v20241015preview:GroupQuotaSubscription" }, { type: "azure-native:quota/v20241218preview:GroupQuotaSubscription" }, { type: "azure-native:quota/v20250301:GroupQuotaSubscription" }, { type: "azure-native_quota_v20230601preview:quota:GroupQuotaSubscription" }, { type: "azure-native_quota_v20241015preview:quota:GroupQuotaSubscription" }, { type: "azure-native_quota_v20241218preview:quota:GroupQuotaSubscription" }, { type: "azure-native_quota_v20250301:quota:GroupQuotaSubscription" }, { type: "azure-native_quota_v20250315preview:quota:GroupQuotaSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GroupQuotaSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recommendationsservice/account.ts b/sdk/nodejs/recommendationsservice/account.ts index 480a593d4ed6..5352ebd54e55 100644 --- a/sdk/nodejs/recommendationsservice/account.ts +++ b/sdk/nodejs/recommendationsservice/account.ts @@ -109,7 +109,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recommendationsservice/v20220201:Account" }, { type: "azure-native:recommendationsservice/v20220301preview:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recommendationsservice/v20220201:Account" }, { type: "azure-native:recommendationsservice/v20220301preview:Account" }, { type: "azure-native_recommendationsservice_v20220201:recommendationsservice:Account" }, { type: "azure-native_recommendationsservice_v20220301preview:recommendationsservice:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recommendationsservice/modeling.ts b/sdk/nodejs/recommendationsservice/modeling.ts index 334b3fddc576..c4a67231f3b9 100644 --- a/sdk/nodejs/recommendationsservice/modeling.ts +++ b/sdk/nodejs/recommendationsservice/modeling.ts @@ -107,7 +107,7 @@ export class Modeling extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recommendationsservice/v20220201:Modeling" }, { type: "azure-native:recommendationsservice/v20220301preview:Modeling" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recommendationsservice/v20220201:Modeling" }, { type: "azure-native:recommendationsservice/v20220301preview:Modeling" }, { type: "azure-native_recommendationsservice_v20220201:recommendationsservice:Modeling" }, { type: "azure-native_recommendationsservice_v20220301preview:recommendationsservice:Modeling" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Modeling.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recommendationsservice/serviceEndpoint.ts b/sdk/nodejs/recommendationsservice/serviceEndpoint.ts index 026bfb031752..53f3c570cf75 100644 --- a/sdk/nodejs/recommendationsservice/serviceEndpoint.ts +++ b/sdk/nodejs/recommendationsservice/serviceEndpoint.ts @@ -107,7 +107,7 @@ export class ServiceEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recommendationsservice/v20220201:ServiceEndpoint" }, { type: "azure-native:recommendationsservice/v20220301preview:ServiceEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recommendationsservice/v20220201:ServiceEndpoint" }, { type: "azure-native:recommendationsservice/v20220301preview:ServiceEndpoint" }, { type: "azure-native_recommendationsservice_v20220201:recommendationsservice:ServiceEndpoint" }, { type: "azure-native_recommendationsservice_v20220301preview:recommendationsservice:ServiceEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServiceEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/privateEndpointConnection.ts b/sdk/nodejs/recoveryservices/privateEndpointConnection.ts index f1e65d044a0d..b0c45193b6cf 100644 --- a/sdk/nodejs/recoveryservices/privateEndpointConnection.ts +++ b/sdk/nodejs/recoveryservices/privateEndpointConnection.ts @@ -107,7 +107,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20200202:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20201001:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20201201:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20210101:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20210201:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20210201preview:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20210210:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20210301:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20210401:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20210601:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20210701:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20210801:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20211001:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20211201:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20220101:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20220201:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20220301:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20220401:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20220601preview:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20220901preview:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20220930preview:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20221001:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20230101:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20230201:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20230401:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20230601:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20230801:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20240101:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20240201:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20240401:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20240430preview:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20240730preview:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20241001:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20241101preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20230601:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20230801:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20240101:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20240201:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20240401:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20240430preview:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20240730preview:PrivateEndpointConnection" }, { type: "azure-native:recoveryservices/v20241001:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20200202:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20201001:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20201201:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20210101:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20210201:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20210201preview:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20220601preview:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20220901preview:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20220930preview:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20240430preview:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20240730preview:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:PrivateEndpointConnection" }, { type: "azure-native_recoveryservices_v20241101preview:recoveryservices:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/protectedItem.ts b/sdk/nodejs/recoveryservices/protectedItem.ts index b710bfa1c135..effb35ec73ef 100644 --- a/sdk/nodejs/recoveryservices/protectedItem.ts +++ b/sdk/nodejs/recoveryservices/protectedItem.ts @@ -115,7 +115,7 @@ export class ProtectedItem extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20160601:ProtectedItem" }, { type: "azure-native:recoveryservices/v20190513:ProtectedItem" }, { type: "azure-native:recoveryservices/v20190615:ProtectedItem" }, { type: "azure-native:recoveryservices/v20201001:ProtectedItem" }, { type: "azure-native:recoveryservices/v20201201:ProtectedItem" }, { type: "azure-native:recoveryservices/v20210101:ProtectedItem" }, { type: "azure-native:recoveryservices/v20210201:ProtectedItem" }, { type: "azure-native:recoveryservices/v20210201preview:ProtectedItem" }, { type: "azure-native:recoveryservices/v20210210:ProtectedItem" }, { type: "azure-native:recoveryservices/v20210301:ProtectedItem" }, { type: "azure-native:recoveryservices/v20210401:ProtectedItem" }, { type: "azure-native:recoveryservices/v20210601:ProtectedItem" }, { type: "azure-native:recoveryservices/v20210701:ProtectedItem" }, { type: "azure-native:recoveryservices/v20210801:ProtectedItem" }, { type: "azure-native:recoveryservices/v20211001:ProtectedItem" }, { type: "azure-native:recoveryservices/v20211201:ProtectedItem" }, { type: "azure-native:recoveryservices/v20220101:ProtectedItem" }, { type: "azure-native:recoveryservices/v20220201:ProtectedItem" }, { type: "azure-native:recoveryservices/v20220301:ProtectedItem" }, { type: "azure-native:recoveryservices/v20220401:ProtectedItem" }, { type: "azure-native:recoveryservices/v20220601preview:ProtectedItem" }, { type: "azure-native:recoveryservices/v20220901preview:ProtectedItem" }, { type: "azure-native:recoveryservices/v20220930preview:ProtectedItem" }, { type: "azure-native:recoveryservices/v20221001:ProtectedItem" }, { type: "azure-native:recoveryservices/v20230101:ProtectedItem" }, { type: "azure-native:recoveryservices/v20230201:ProtectedItem" }, { type: "azure-native:recoveryservices/v20230401:ProtectedItem" }, { type: "azure-native:recoveryservices/v20230601:ProtectedItem" }, { type: "azure-native:recoveryservices/v20230801:ProtectedItem" }, { type: "azure-native:recoveryservices/v20240101:ProtectedItem" }, { type: "azure-native:recoveryservices/v20240201:ProtectedItem" }, { type: "azure-native:recoveryservices/v20240401:ProtectedItem" }, { type: "azure-native:recoveryservices/v20240430preview:ProtectedItem" }, { type: "azure-native:recoveryservices/v20240730preview:ProtectedItem" }, { type: "azure-native:recoveryservices/v20241001:ProtectedItem" }, { type: "azure-native:recoveryservices/v20241101preview:ProtectedItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ProtectedItem" }, { type: "azure-native:recoveryservices/v20230601:ProtectedItem" }, { type: "azure-native:recoveryservices/v20230801:ProtectedItem" }, { type: "azure-native:recoveryservices/v20240101:ProtectedItem" }, { type: "azure-native:recoveryservices/v20240201:ProtectedItem" }, { type: "azure-native:recoveryservices/v20240401:ProtectedItem" }, { type: "azure-native:recoveryservices/v20240430preview:ProtectedItem" }, { type: "azure-native:recoveryservices/v20240730preview:ProtectedItem" }, { type: "azure-native:recoveryservices/v20241001:ProtectedItem" }, { type: "azure-native_recoveryservices_v20160601:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20190513:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20190615:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20201001:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20201201:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20210101:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20210201:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ProtectedItem" }, { type: "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectedItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProtectedItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/protectionContainer.ts b/sdk/nodejs/recoveryservices/protectionContainer.ts index 08d16d638e52..6b00ab31c399 100644 --- a/sdk/nodejs/recoveryservices/protectionContainer.ts +++ b/sdk/nodejs/recoveryservices/protectionContainer.ts @@ -111,7 +111,7 @@ export class ProtectionContainer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20161201:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20201001:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20201201:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20210101:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20210201:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20210201preview:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20210210:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20210301:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20210401:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20210601:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20210701:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20210801:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20211001:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20211201:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20220101:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20220201:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20220301:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20220401:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20220601preview:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20220901preview:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20220930preview:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20221001:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20230101:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20230201:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20230401:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20230601:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20230801:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20240101:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20240201:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20240401:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20240430preview:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20240730preview:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20241001:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20241101preview:ProtectionContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20230601:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20230801:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20240101:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20240201:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20240401:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20240430preview:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20240730preview:ProtectionContainer" }, { type: "azure-native:recoveryservices/v20241001:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20161201:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20201001:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20201201:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20210101:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20210201:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ProtectionContainer" }, { type: "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProtectionContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/protectionIntent.ts b/sdk/nodejs/recoveryservices/protectionIntent.ts index b7b69271aca5..d4b88ce1b292 100644 --- a/sdk/nodejs/recoveryservices/protectionIntent.ts +++ b/sdk/nodejs/recoveryservices/protectionIntent.ts @@ -111,7 +111,7 @@ export class ProtectionIntent extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20170701:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20210201:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20210201preview:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20210210:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20210301:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20210401:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20210601:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20210701:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20210801:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20211001:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20211201:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20220101:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20220201:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20220301:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20220401:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20220601preview:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20220901preview:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20220930preview:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20221001:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20230101:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20230201:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20230401:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20230601:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20230801:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20240101:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20240201:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20240401:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20240430preview:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20240730preview:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20241001:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20241101preview:ProtectionIntent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20230601:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20230801:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20240101:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20240201:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20240401:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20240430preview:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20240730preview:ProtectionIntent" }, { type: "azure-native:recoveryservices/v20241001:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20170701:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20210201:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ProtectionIntent" }, { type: "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionIntent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProtectionIntent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/protectionPolicy.ts b/sdk/nodejs/recoveryservices/protectionPolicy.ts index 4ce7a97beb07..4869500e3d73 100644 --- a/sdk/nodejs/recoveryservices/protectionPolicy.ts +++ b/sdk/nodejs/recoveryservices/protectionPolicy.ts @@ -107,7 +107,7 @@ export class ProtectionPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20160601:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20201001:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20201201:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20210101:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20210201:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20210201preview:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20210210:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20210301:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20210401:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20210601:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20210701:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20210801:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20211001:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20211201:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20220101:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20220201:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20220301:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20220401:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20220601preview:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20220901preview:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20220930preview:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20221001:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20230101:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20230201:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20230401:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20230601:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20230801:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20240101:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20240201:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20240401:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20240430preview:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20240730preview:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20241001:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20241101preview:ProtectionPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20230601:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20230801:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20240101:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20240201:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20240401:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20240430preview:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20240730preview:ProtectionPolicy" }, { type: "azure-native:recoveryservices/v20241001:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20160601:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20201001:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20201201:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20210101:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20210201:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ProtectionPolicy" }, { type: "azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProtectionPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/replicationFabric.ts b/sdk/nodejs/recoveryservices/replicationFabric.ts index 4c522fb99213..13e67240f51c 100644 --- a/sdk/nodejs/recoveryservices/replicationFabric.ts +++ b/sdk/nodejs/recoveryservices/replicationFabric.ts @@ -95,7 +95,7 @@ export class ReplicationFabric extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20160810:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20180110:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20180710:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20210210:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20210301:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20210401:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20210601:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20210701:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20210801:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20211001:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20211101:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20211201:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20220101:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20220201:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20220301:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20220401:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20220501:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20220801:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20220910:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20221001:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20230101:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20230201:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20230401:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20230601:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20230801:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20240101:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20240201:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20240401:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20241001:ReplicationFabric" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20230601:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20230801:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20240101:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20240201:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20240401:ReplicationFabric" }, { type: "azure-native:recoveryservices/v20241001:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationFabric" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationFabric" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationFabric.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/replicationMigrationItem.ts b/sdk/nodejs/recoveryservices/replicationMigrationItem.ts index b76e88ce0235..a2fbe35e97b2 100644 --- a/sdk/nodejs/recoveryservices/replicationMigrationItem.ts +++ b/sdk/nodejs/recoveryservices/replicationMigrationItem.ts @@ -106,7 +106,7 @@ export class ReplicationMigrationItem extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20180110:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20180710:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20210210:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20210301:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20210401:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20210601:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20210701:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20210801:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20211001:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20211101:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20211201:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20220101:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20220201:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20220301:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20220401:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20220501:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20220801:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20220910:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20221001:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20230101:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20230201:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20230401:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20230601:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20230801:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20240101:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20240201:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20240401:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20241001:ReplicationMigrationItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20230601:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20230801:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20240101:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20240201:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20240401:ReplicationMigrationItem" }, { type: "azure-native:recoveryservices/v20241001:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationMigrationItem" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationMigrationItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationMigrationItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/replicationNetworkMapping.ts b/sdk/nodejs/recoveryservices/replicationNetworkMapping.ts index c01107af78ad..2bc79c7f5d1d 100644 --- a/sdk/nodejs/recoveryservices/replicationNetworkMapping.ts +++ b/sdk/nodejs/recoveryservices/replicationNetworkMapping.ts @@ -106,7 +106,7 @@ export class ReplicationNetworkMapping extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20160810:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20180110:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20180710:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20210210:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20210301:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20210401:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20210601:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20210701:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20210801:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20211001:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20211101:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20211201:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20220101:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20220201:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20220301:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20220401:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20220501:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20220801:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20220910:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20221001:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20230101:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20230201:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20230401:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20230601:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20230801:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20240101:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20240201:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20240401:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20241001:ReplicationNetworkMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20210301:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20230401:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20230601:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20230801:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20240101:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20240201:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20240401:ReplicationNetworkMapping" }, { type: "azure-native:recoveryservices/v20241001:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationNetworkMapping" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationNetworkMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationNetworkMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/replicationPolicy.ts b/sdk/nodejs/recoveryservices/replicationPolicy.ts index 96ff97af0ffe..c4869336ff21 100644 --- a/sdk/nodejs/recoveryservices/replicationPolicy.ts +++ b/sdk/nodejs/recoveryservices/replicationPolicy.ts @@ -95,7 +95,7 @@ export class ReplicationPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20160810:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20180110:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20180710:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20210210:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20210301:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20210401:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20210601:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20210701:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20210801:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20211001:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20211101:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20211201:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20220101:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20220201:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20220301:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20220401:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20220501:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20220801:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20220910:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20221001:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20230101:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20230201:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20230401:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20230601:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20230801:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20240101:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20240201:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20240401:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20241001:ReplicationPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20230601:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20230801:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20240101:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20240201:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20240401:ReplicationPolicy" }, { type: "azure-native:recoveryservices/v20241001:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationPolicy" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/replicationProtectedItem.ts b/sdk/nodejs/recoveryservices/replicationProtectedItem.ts index 132f9383c4b5..bbc59393ee4c 100644 --- a/sdk/nodejs/recoveryservices/replicationProtectedItem.ts +++ b/sdk/nodejs/recoveryservices/replicationProtectedItem.ts @@ -103,7 +103,7 @@ export class ReplicationProtectedItem extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20160810:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20180110:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20180710:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20210210:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20210301:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20210401:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20210601:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20210701:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20210801:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20211001:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20211101:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20211201:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20220101:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20220201:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20220301:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20220401:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20220501:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20220801:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20220910:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20221001:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20230101:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20230201:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20230401:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20230601:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20230801:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20240101:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20240201:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20240401:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20241001:ReplicationProtectedItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20230601:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20230801:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20240101:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20240201:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20240401:ReplicationProtectedItem" }, { type: "azure-native:recoveryservices/v20241001:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectedItem" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectedItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationProtectedItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/replicationProtectionCluster.ts b/sdk/nodejs/recoveryservices/replicationProtectionCluster.ts index 4e931e438d6e..af610361b52b 100644 --- a/sdk/nodejs/recoveryservices/replicationProtectionCluster.ts +++ b/sdk/nodejs/recoveryservices/replicationProtectionCluster.ts @@ -97,7 +97,7 @@ export class ReplicationProtectionCluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20240201:ReplicationProtectionCluster" }, { type: "azure-native:recoveryservices/v20240401:ReplicationProtectionCluster" }, { type: "azure-native:recoveryservices/v20241001:ReplicationProtectionCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20240201:ReplicationProtectionCluster" }, { type: "azure-native:recoveryservices/v20240401:ReplicationProtectionCluster" }, { type: "azure-native:recoveryservices/v20241001:ReplicationProtectionCluster" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectionCluster" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectionCluster" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectionCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationProtectionCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/replicationProtectionContainerMapping.ts b/sdk/nodejs/recoveryservices/replicationProtectionContainerMapping.ts index 95dc3d7f98b1..49af51a7780a 100644 --- a/sdk/nodejs/recoveryservices/replicationProtectionContainerMapping.ts +++ b/sdk/nodejs/recoveryservices/replicationProtectionContainerMapping.ts @@ -103,7 +103,7 @@ export class ReplicationProtectionContainerMapping extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20160810:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20180110:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20180710:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20210210:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20210301:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20210401:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20210601:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20210701:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20210801:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20211001:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20211101:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20211201:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20220101:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20220201:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20220301:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20220401:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20220501:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20220801:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20220910:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20221001:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20230101:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20230201:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20230401:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20230601:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20230801:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20240101:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20240201:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20240401:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20241001:ReplicationProtectionContainerMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20230601:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20230801:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20240101:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20240201:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20240401:ReplicationProtectionContainerMapping" }, { type: "azure-native:recoveryservices/v20241001:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectionContainerMapping" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectionContainerMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationProtectionContainerMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/replicationRecoveryPlan.ts b/sdk/nodejs/recoveryservices/replicationRecoveryPlan.ts index b9f056a232c6..ad4650bf0d40 100644 --- a/sdk/nodejs/recoveryservices/replicationRecoveryPlan.ts +++ b/sdk/nodejs/recoveryservices/replicationRecoveryPlan.ts @@ -98,7 +98,7 @@ export class ReplicationRecoveryPlan extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20160810:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20180110:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20180710:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20210210:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20210301:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20210401:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20210601:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20210701:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20210801:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20211001:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20211101:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20211201:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20220101:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20220201:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20220301:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20220401:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20220501:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20220801:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20220910:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20221001:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20230101:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20230201:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20230401:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20230601:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20230801:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20240101:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20240201:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20240401:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20241001:ReplicationRecoveryPlan" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20230601:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20230801:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20240101:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20240201:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20240401:ReplicationRecoveryPlan" }, { type: "azure-native:recoveryservices/v20241001:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationRecoveryPlan" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationRecoveryPlan" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationRecoveryPlan.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/replicationRecoveryServicesProvider.ts b/sdk/nodejs/recoveryservices/replicationRecoveryServicesProvider.ts index a90f5646b192..de42fd61e74f 100644 --- a/sdk/nodejs/recoveryservices/replicationRecoveryServicesProvider.ts +++ b/sdk/nodejs/recoveryservices/replicationRecoveryServicesProvider.ts @@ -102,7 +102,7 @@ export class ReplicationRecoveryServicesProvider extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20180110:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20180710:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20210210:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20210301:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20210401:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20210601:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20210701:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20210801:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20211001:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20211101:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20211201:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20220101:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20220201:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20220301:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20220401:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20220501:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20220801:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20220910:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20221001:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20230101:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20230201:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20230401:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20230601:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20230801:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20240101:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20240201:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20240401:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20241001:ReplicationRecoveryServicesProvider" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20230601:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20230801:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20240101:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20240201:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20240401:ReplicationRecoveryServicesProvider" }, { type: "azure-native:recoveryservices/v20241001:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationRecoveryServicesProvider" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationRecoveryServicesProvider" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationRecoveryServicesProvider.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/replicationStorageClassificationMapping.ts b/sdk/nodejs/recoveryservices/replicationStorageClassificationMapping.ts index 283c2c29a87e..e2bdfb319138 100644 --- a/sdk/nodejs/recoveryservices/replicationStorageClassificationMapping.ts +++ b/sdk/nodejs/recoveryservices/replicationStorageClassificationMapping.ts @@ -103,7 +103,7 @@ export class ReplicationStorageClassificationMapping extends pulumi.CustomResour resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20160810:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20180110:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20180710:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20210210:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20210301:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20210401:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20210601:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20210701:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20210801:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20211001:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20211101:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20211201:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20220101:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20220201:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20220301:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20220401:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20220501:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20220801:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20220910:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20221001:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20230101:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20230201:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20230401:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20230601:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20230801:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20240101:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20240201:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20240401:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20241001:ReplicationStorageClassificationMapping" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20230601:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20230801:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20240101:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20240201:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20240401:ReplicationStorageClassificationMapping" }, { type: "azure-native:recoveryservices/v20241001:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationStorageClassificationMapping" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationStorageClassificationMapping" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationStorageClassificationMapping.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/replicationvCenter.ts b/sdk/nodejs/recoveryservices/replicationvCenter.ts index 5f42577aab09..2a6aa1d64cde 100644 --- a/sdk/nodejs/recoveryservices/replicationvCenter.ts +++ b/sdk/nodejs/recoveryservices/replicationvCenter.ts @@ -99,7 +99,7 @@ export class ReplicationvCenter extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20160810:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20180110:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20180710:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20210210:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20210301:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20210401:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20210601:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20210701:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20210801:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20211001:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20211101:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20211201:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20220101:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20220201:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20220301:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20220401:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20220501:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20220801:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20220910:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20221001:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20230101:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20230201:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20230401:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20230601:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20230801:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20240101:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20240201:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20240401:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20241001:ReplicationvCenter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20210301:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20230401:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20230601:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20230801:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20240101:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20240201:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20240401:ReplicationvCenter" }, { type: "azure-native:recoveryservices/v20241001:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20160810:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20180110:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20180710:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20211101:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20220501:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20220801:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20220910:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ReplicationvCenter" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ReplicationvCenter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationvCenter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/resourceGuardProxy.ts b/sdk/nodejs/recoveryservices/resourceGuardProxy.ts index 18ad6966eba6..6f23d5c750d7 100644 --- a/sdk/nodejs/recoveryservices/resourceGuardProxy.ts +++ b/sdk/nodejs/recoveryservices/resourceGuardProxy.ts @@ -105,7 +105,7 @@ export class ResourceGuardProxy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20210201preview:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20210701:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20210801:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20211001:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20211201:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20220101:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20220201:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20220301:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20220401:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20220601preview:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20220901preview:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20220930preview:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20221001:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20230101:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20230201:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20230401:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20230601:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20230801:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20240101:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20240201:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20240401:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20240430preview:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20240730preview:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20241001:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20241101preview:ResourceGuardProxy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20230401:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20230601:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20230801:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20240101:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20240201:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20240401:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20240430preview:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20240730preview:ResourceGuardProxy" }, { type: "azure-native:recoveryservices/v20241001:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20210201preview:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20211001:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20220601preview:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20220901preview:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20220930preview:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20240430preview:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20240730preview:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:ResourceGuardProxy" }, { type: "azure-native_recoveryservices_v20241101preview:recoveryservices:ResourceGuardProxy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ResourceGuardProxy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/recoveryservices/vault.ts b/sdk/nodejs/recoveryservices/vault.ts index f66beeaa45f1..6491ae413904 100644 --- a/sdk/nodejs/recoveryservices/vault.ts +++ b/sdk/nodejs/recoveryservices/vault.ts @@ -121,7 +121,7 @@ export class Vault extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20160601:Vault" }, { type: "azure-native:recoveryservices/v20200202:Vault" }, { type: "azure-native:recoveryservices/v20201001:Vault" }, { type: "azure-native:recoveryservices/v20210101:Vault" }, { type: "azure-native:recoveryservices/v20210210:Vault" }, { type: "azure-native:recoveryservices/v20210301:Vault" }, { type: "azure-native:recoveryservices/v20210401:Vault" }, { type: "azure-native:recoveryservices/v20210601:Vault" }, { type: "azure-native:recoveryservices/v20210701:Vault" }, { type: "azure-native:recoveryservices/v20210801:Vault" }, { type: "azure-native:recoveryservices/v20211101preview:Vault" }, { type: "azure-native:recoveryservices/v20211201:Vault" }, { type: "azure-native:recoveryservices/v20220101:Vault" }, { type: "azure-native:recoveryservices/v20220131preview:Vault" }, { type: "azure-native:recoveryservices/v20220201:Vault" }, { type: "azure-native:recoveryservices/v20220301:Vault" }, { type: "azure-native:recoveryservices/v20220401:Vault" }, { type: "azure-native:recoveryservices/v20220501:Vault" }, { type: "azure-native:recoveryservices/v20220801:Vault" }, { type: "azure-native:recoveryservices/v20220910:Vault" }, { type: "azure-native:recoveryservices/v20220930preview:Vault" }, { type: "azure-native:recoveryservices/v20221001:Vault" }, { type: "azure-native:recoveryservices/v20230101:Vault" }, { type: "azure-native:recoveryservices/v20230201:Vault" }, { type: "azure-native:recoveryservices/v20230401:Vault" }, { type: "azure-native:recoveryservices/v20230601:Vault" }, { type: "azure-native:recoveryservices/v20230801:Vault" }, { type: "azure-native:recoveryservices/v20240101:Vault" }, { type: "azure-native:recoveryservices/v20240201:Vault" }, { type: "azure-native:recoveryservices/v20240401:Vault" }, { type: "azure-native:recoveryservices/v20240430preview:Vault" }, { type: "azure-native:recoveryservices/v20240930preview:Vault" }, { type: "azure-native:recoveryservices/v20241001:Vault" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:recoveryservices/v20200202:Vault" }, { type: "azure-native:recoveryservices/v20230401:Vault" }, { type: "azure-native:recoveryservices/v20230601:Vault" }, { type: "azure-native:recoveryservices/v20230801:Vault" }, { type: "azure-native:recoveryservices/v20240101:Vault" }, { type: "azure-native:recoveryservices/v20240201:Vault" }, { type: "azure-native:recoveryservices/v20240401:Vault" }, { type: "azure-native:recoveryservices/v20240430preview:Vault" }, { type: "azure-native:recoveryservices/v20240930preview:Vault" }, { type: "azure-native:recoveryservices/v20241001:Vault" }, { type: "azure-native_recoveryservices_v20160601:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20200202:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20201001:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20210101:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20210210:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20210301:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20210401:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20210601:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20210701:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20210801:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20211101preview:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20211201:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20220101:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20220131preview:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20220201:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20220301:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20220401:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20220501:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20220801:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20220910:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20220930preview:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20221001:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20230101:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20230201:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20230401:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20230601:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20230801:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20240101:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20240201:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20240401:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20240430preview:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20240930preview:recoveryservices:Vault" }, { type: "azure-native_recoveryservices_v20241001:recoveryservices:Vault" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Vault.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redhatopenshift/machinePool.ts b/sdk/nodejs/redhatopenshift/machinePool.ts index 8d768490a0c2..fbc69bf2d62a 100644 --- a/sdk/nodejs/redhatopenshift/machinePool.ts +++ b/sdk/nodejs/redhatopenshift/machinePool.ts @@ -92,7 +92,7 @@ export class MachinePool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:redhatopenshift/v20220904:MachinePool" }, { type: "azure-native:redhatopenshift/v20230401:MachinePool" }, { type: "azure-native:redhatopenshift/v20230701preview:MachinePool" }, { type: "azure-native:redhatopenshift/v20230904:MachinePool" }, { type: "azure-native:redhatopenshift/v20231122:MachinePool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:redhatopenshift/v20220904:MachinePool" }, { type: "azure-native:redhatopenshift/v20230401:MachinePool" }, { type: "azure-native:redhatopenshift/v20230701preview:MachinePool" }, { type: "azure-native:redhatopenshift/v20230904:MachinePool" }, { type: "azure-native:redhatopenshift/v20231122:MachinePool" }, { type: "azure-native_redhatopenshift_v20220904:redhatopenshift:MachinePool" }, { type: "azure-native_redhatopenshift_v20230401:redhatopenshift:MachinePool" }, { type: "azure-native_redhatopenshift_v20230701preview:redhatopenshift:MachinePool" }, { type: "azure-native_redhatopenshift_v20230904:redhatopenshift:MachinePool" }, { type: "azure-native_redhatopenshift_v20231122:redhatopenshift:MachinePool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MachinePool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redhatopenshift/openShiftCluster.ts b/sdk/nodejs/redhatopenshift/openShiftCluster.ts index 5200f55447c4..c995a80a867b 100644 --- a/sdk/nodejs/redhatopenshift/openShiftCluster.ts +++ b/sdk/nodejs/redhatopenshift/openShiftCluster.ts @@ -157,7 +157,7 @@ export class OpenShiftCluster extends pulumi.CustomResource { resourceInputs["workerProfilesStatus"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:redhatopenshift/v20200430:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20210901preview:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20220401:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20220904:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20230401:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20230701preview:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20230904:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20231122:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20240812preview:OpenShiftCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:redhatopenshift/v20220904:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20230401:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20230701preview:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20230904:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20231122:OpenShiftCluster" }, { type: "azure-native:redhatopenshift/v20240812preview:OpenShiftCluster" }, { type: "azure-native_redhatopenshift_v20200430:redhatopenshift:OpenShiftCluster" }, { type: "azure-native_redhatopenshift_v20210901preview:redhatopenshift:OpenShiftCluster" }, { type: "azure-native_redhatopenshift_v20220401:redhatopenshift:OpenShiftCluster" }, { type: "azure-native_redhatopenshift_v20220904:redhatopenshift:OpenShiftCluster" }, { type: "azure-native_redhatopenshift_v20230401:redhatopenshift:OpenShiftCluster" }, { type: "azure-native_redhatopenshift_v20230701preview:redhatopenshift:OpenShiftCluster" }, { type: "azure-native_redhatopenshift_v20230904:redhatopenshift:OpenShiftCluster" }, { type: "azure-native_redhatopenshift_v20231122:redhatopenshift:OpenShiftCluster" }, { type: "azure-native_redhatopenshift_v20240812preview:redhatopenshift:OpenShiftCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OpenShiftCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redhatopenshift/secret.ts b/sdk/nodejs/redhatopenshift/secret.ts index b22515a8bd90..bb9da3427bbe 100644 --- a/sdk/nodejs/redhatopenshift/secret.ts +++ b/sdk/nodejs/redhatopenshift/secret.ts @@ -95,7 +95,7 @@ export class Secret extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:redhatopenshift/v20220904:Secret" }, { type: "azure-native:redhatopenshift/v20230401:Secret" }, { type: "azure-native:redhatopenshift/v20230701preview:Secret" }, { type: "azure-native:redhatopenshift/v20230904:Secret" }, { type: "azure-native:redhatopenshift/v20231122:Secret" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:redhatopenshift/v20220904:Secret" }, { type: "azure-native:redhatopenshift/v20230401:Secret" }, { type: "azure-native:redhatopenshift/v20230701preview:Secret" }, { type: "azure-native:redhatopenshift/v20230904:Secret" }, { type: "azure-native:redhatopenshift/v20231122:Secret" }, { type: "azure-native_redhatopenshift_v20220904:redhatopenshift:Secret" }, { type: "azure-native_redhatopenshift_v20230401:redhatopenshift:Secret" }, { type: "azure-native_redhatopenshift_v20230701preview:redhatopenshift:Secret" }, { type: "azure-native_redhatopenshift_v20230904:redhatopenshift:Secret" }, { type: "azure-native_redhatopenshift_v20231122:redhatopenshift:Secret" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Secret.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redhatopenshift/syncIdentityProvider.ts b/sdk/nodejs/redhatopenshift/syncIdentityProvider.ts index a7b44c7b1f5a..2823efa46fe8 100644 --- a/sdk/nodejs/redhatopenshift/syncIdentityProvider.ts +++ b/sdk/nodejs/redhatopenshift/syncIdentityProvider.ts @@ -92,7 +92,7 @@ export class SyncIdentityProvider extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:redhatopenshift/v20220904:SyncIdentityProvider" }, { type: "azure-native:redhatopenshift/v20230401:SyncIdentityProvider" }, { type: "azure-native:redhatopenshift/v20230701preview:SyncIdentityProvider" }, { type: "azure-native:redhatopenshift/v20230904:SyncIdentityProvider" }, { type: "azure-native:redhatopenshift/v20231122:SyncIdentityProvider" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:redhatopenshift/v20220904:SyncIdentityProvider" }, { type: "azure-native:redhatopenshift/v20230401:SyncIdentityProvider" }, { type: "azure-native:redhatopenshift/v20230701preview:SyncIdentityProvider" }, { type: "azure-native:redhatopenshift/v20230904:SyncIdentityProvider" }, { type: "azure-native:redhatopenshift/v20231122:SyncIdentityProvider" }, { type: "azure-native_redhatopenshift_v20220904:redhatopenshift:SyncIdentityProvider" }, { type: "azure-native_redhatopenshift_v20230401:redhatopenshift:SyncIdentityProvider" }, { type: "azure-native_redhatopenshift_v20230701preview:redhatopenshift:SyncIdentityProvider" }, { type: "azure-native_redhatopenshift_v20230904:redhatopenshift:SyncIdentityProvider" }, { type: "azure-native_redhatopenshift_v20231122:redhatopenshift:SyncIdentityProvider" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SyncIdentityProvider.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redhatopenshift/syncSet.ts b/sdk/nodejs/redhatopenshift/syncSet.ts index 5ec524e0e678..f72a245f43e1 100644 --- a/sdk/nodejs/redhatopenshift/syncSet.ts +++ b/sdk/nodejs/redhatopenshift/syncSet.ts @@ -95,7 +95,7 @@ export class SyncSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:redhatopenshift/v20220904:SyncSet" }, { type: "azure-native:redhatopenshift/v20230401:SyncSet" }, { type: "azure-native:redhatopenshift/v20230701preview:SyncSet" }, { type: "azure-native:redhatopenshift/v20230904:SyncSet" }, { type: "azure-native:redhatopenshift/v20231122:SyncSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:redhatopenshift/v20220904:SyncSet" }, { type: "azure-native:redhatopenshift/v20230401:SyncSet" }, { type: "azure-native:redhatopenshift/v20230701preview:SyncSet" }, { type: "azure-native:redhatopenshift/v20230904:SyncSet" }, { type: "azure-native:redhatopenshift/v20231122:SyncSet" }, { type: "azure-native_redhatopenshift_v20220904:redhatopenshift:SyncSet" }, { type: "azure-native_redhatopenshift_v20230401:redhatopenshift:SyncSet" }, { type: "azure-native_redhatopenshift_v20230701preview:redhatopenshift:SyncSet" }, { type: "azure-native_redhatopenshift_v20230904:redhatopenshift:SyncSet" }, { type: "azure-native_redhatopenshift_v20231122:redhatopenshift:SyncSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SyncSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redis/accessPolicy.ts b/sdk/nodejs/redis/accessPolicy.ts index d6d41b526228..a57f0e37aa4e 100644 --- a/sdk/nodejs/redis/accessPolicy.ts +++ b/sdk/nodejs/redis/accessPolicy.ts @@ -95,7 +95,7 @@ export class AccessPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230501preview:AccessPolicy" }, { type: "azure-native:cache/v20230801:AccessPolicy" }, { type: "azure-native:cache/v20240301:AccessPolicy" }, { type: "azure-native:cache/v20240401preview:AccessPolicy" }, { type: "azure-native:cache/v20241101:AccessPolicy" }, { type: "azure-native:cache:AccessPolicy" }, { type: "azure-native:redis/v20230501preview:AccessPolicy" }, { type: "azure-native:redis/v20230801:AccessPolicy" }, { type: "azure-native:redis/v20240301:AccessPolicy" }, { type: "azure-native:redis/v20240401preview:AccessPolicy" }, { type: "azure-native:redis/v20241101:AccessPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230501preview:AccessPolicy" }, { type: "azure-native:cache/v20230801:AccessPolicy" }, { type: "azure-native:cache/v20240301:AccessPolicy" }, { type: "azure-native:cache/v20240401preview:AccessPolicy" }, { type: "azure-native:cache/v20241101:AccessPolicy" }, { type: "azure-native:cache:AccessPolicy" }, { type: "azure-native_redis_v20230501preview:redis:AccessPolicy" }, { type: "azure-native_redis_v20230801:redis:AccessPolicy" }, { type: "azure-native_redis_v20240301:redis:AccessPolicy" }, { type: "azure-native_redis_v20240401preview:redis:AccessPolicy" }, { type: "azure-native_redis_v20241101:redis:AccessPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccessPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redis/accessPolicyAssignment.ts b/sdk/nodejs/redis/accessPolicyAssignment.ts index dfb6c71c23cf..0421bea6d6d0 100644 --- a/sdk/nodejs/redis/accessPolicyAssignment.ts +++ b/sdk/nodejs/redis/accessPolicyAssignment.ts @@ -113,7 +113,7 @@ export class AccessPolicyAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230501preview:AccessPolicyAssignment" }, { type: "azure-native:cache/v20230801:AccessPolicyAssignment" }, { type: "azure-native:cache/v20240301:AccessPolicyAssignment" }, { type: "azure-native:cache/v20240401preview:AccessPolicyAssignment" }, { type: "azure-native:cache/v20241101:AccessPolicyAssignment" }, { type: "azure-native:cache:AccessPolicyAssignment" }, { type: "azure-native:redis/v20230501preview:AccessPolicyAssignment" }, { type: "azure-native:redis/v20230801:AccessPolicyAssignment" }, { type: "azure-native:redis/v20240301:AccessPolicyAssignment" }, { type: "azure-native:redis/v20240401preview:AccessPolicyAssignment" }, { type: "azure-native:redis/v20241101:AccessPolicyAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230501preview:AccessPolicyAssignment" }, { type: "azure-native:cache/v20230801:AccessPolicyAssignment" }, { type: "azure-native:cache/v20240301:AccessPolicyAssignment" }, { type: "azure-native:cache/v20240401preview:AccessPolicyAssignment" }, { type: "azure-native:cache/v20241101:AccessPolicyAssignment" }, { type: "azure-native:cache:AccessPolicyAssignment" }, { type: "azure-native_redis_v20230501preview:redis:AccessPolicyAssignment" }, { type: "azure-native_redis_v20230801:redis:AccessPolicyAssignment" }, { type: "azure-native_redis_v20240301:redis:AccessPolicyAssignment" }, { type: "azure-native_redis_v20240401preview:redis:AccessPolicyAssignment" }, { type: "azure-native_redis_v20241101:redis:AccessPolicyAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccessPolicyAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redis/firewallRule.ts b/sdk/nodejs/redis/firewallRule.ts index 481f232489ea..2744e8212a08 100644 --- a/sdk/nodejs/redis/firewallRule.ts +++ b/sdk/nodejs/redis/firewallRule.ts @@ -98,7 +98,7 @@ export class FirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:FirewallRule" }, { type: "azure-native:cache/v20230501preview:FirewallRule" }, { type: "azure-native:cache/v20230801:FirewallRule" }, { type: "azure-native:cache/v20240301:FirewallRule" }, { type: "azure-native:cache/v20240401preview:FirewallRule" }, { type: "azure-native:cache/v20241101:FirewallRule" }, { type: "azure-native:cache:FirewallRule" }, { type: "azure-native:redis/v20160401:FirewallRule" }, { type: "azure-native:redis/v20170201:FirewallRule" }, { type: "azure-native:redis/v20171001:FirewallRule" }, { type: "azure-native:redis/v20180301:FirewallRule" }, { type: "azure-native:redis/v20190701:FirewallRule" }, { type: "azure-native:redis/v20200601:FirewallRule" }, { type: "azure-native:redis/v20201201:FirewallRule" }, { type: "azure-native:redis/v20210601:FirewallRule" }, { type: "azure-native:redis/v20220501:FirewallRule" }, { type: "azure-native:redis/v20220601:FirewallRule" }, { type: "azure-native:redis/v20230401:FirewallRule" }, { type: "azure-native:redis/v20230501preview:FirewallRule" }, { type: "azure-native:redis/v20230801:FirewallRule" }, { type: "azure-native:redis/v20240301:FirewallRule" }, { type: "azure-native:redis/v20240401preview:FirewallRule" }, { type: "azure-native:redis/v20241101:FirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:FirewallRule" }, { type: "azure-native:cache/v20230501preview:FirewallRule" }, { type: "azure-native:cache/v20230801:FirewallRule" }, { type: "azure-native:cache/v20240301:FirewallRule" }, { type: "azure-native:cache/v20240401preview:FirewallRule" }, { type: "azure-native:cache/v20241101:FirewallRule" }, { type: "azure-native:cache:FirewallRule" }, { type: "azure-native_redis_v20160401:redis:FirewallRule" }, { type: "azure-native_redis_v20170201:redis:FirewallRule" }, { type: "azure-native_redis_v20171001:redis:FirewallRule" }, { type: "azure-native_redis_v20180301:redis:FirewallRule" }, { type: "azure-native_redis_v20190701:redis:FirewallRule" }, { type: "azure-native_redis_v20200601:redis:FirewallRule" }, { type: "azure-native_redis_v20201201:redis:FirewallRule" }, { type: "azure-native_redis_v20210601:redis:FirewallRule" }, { type: "azure-native_redis_v20220501:redis:FirewallRule" }, { type: "azure-native_redis_v20220601:redis:FirewallRule" }, { type: "azure-native_redis_v20230401:redis:FirewallRule" }, { type: "azure-native_redis_v20230501preview:redis:FirewallRule" }, { type: "azure-native_redis_v20230801:redis:FirewallRule" }, { type: "azure-native_redis_v20240301:redis:FirewallRule" }, { type: "azure-native_redis_v20240401preview:redis:FirewallRule" }, { type: "azure-native_redis_v20241101:redis:FirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redis/linkedServer.ts b/sdk/nodejs/redis/linkedServer.ts index d384b9ff3d97..e530f243db5a 100644 --- a/sdk/nodejs/redis/linkedServer.ts +++ b/sdk/nodejs/redis/linkedServer.ts @@ -127,7 +127,7 @@ export class LinkedServer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:LinkedServer" }, { type: "azure-native:cache/v20230501preview:LinkedServer" }, { type: "azure-native:cache/v20230801:LinkedServer" }, { type: "azure-native:cache/v20240301:LinkedServer" }, { type: "azure-native:cache/v20240401preview:LinkedServer" }, { type: "azure-native:cache/v20241101:LinkedServer" }, { type: "azure-native:cache:LinkedServer" }, { type: "azure-native:redis/v20170201:LinkedServer" }, { type: "azure-native:redis/v20171001:LinkedServer" }, { type: "azure-native:redis/v20180301:LinkedServer" }, { type: "azure-native:redis/v20190701:LinkedServer" }, { type: "azure-native:redis/v20200601:LinkedServer" }, { type: "azure-native:redis/v20201201:LinkedServer" }, { type: "azure-native:redis/v20210601:LinkedServer" }, { type: "azure-native:redis/v20220501:LinkedServer" }, { type: "azure-native:redis/v20220601:LinkedServer" }, { type: "azure-native:redis/v20230401:LinkedServer" }, { type: "azure-native:redis/v20230501preview:LinkedServer" }, { type: "azure-native:redis/v20230801:LinkedServer" }, { type: "azure-native:redis/v20240301:LinkedServer" }, { type: "azure-native:redis/v20240401preview:LinkedServer" }, { type: "azure-native:redis/v20241101:LinkedServer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:LinkedServer" }, { type: "azure-native:cache/v20230501preview:LinkedServer" }, { type: "azure-native:cache/v20230801:LinkedServer" }, { type: "azure-native:cache/v20240301:LinkedServer" }, { type: "azure-native:cache/v20240401preview:LinkedServer" }, { type: "azure-native:cache/v20241101:LinkedServer" }, { type: "azure-native:cache:LinkedServer" }, { type: "azure-native_redis_v20170201:redis:LinkedServer" }, { type: "azure-native_redis_v20171001:redis:LinkedServer" }, { type: "azure-native_redis_v20180301:redis:LinkedServer" }, { type: "azure-native_redis_v20190701:redis:LinkedServer" }, { type: "azure-native_redis_v20200601:redis:LinkedServer" }, { type: "azure-native_redis_v20201201:redis:LinkedServer" }, { type: "azure-native_redis_v20210601:redis:LinkedServer" }, { type: "azure-native_redis_v20220501:redis:LinkedServer" }, { type: "azure-native_redis_v20220601:redis:LinkedServer" }, { type: "azure-native_redis_v20230401:redis:LinkedServer" }, { type: "azure-native_redis_v20230501preview:redis:LinkedServer" }, { type: "azure-native_redis_v20230801:redis:LinkedServer" }, { type: "azure-native_redis_v20240301:redis:LinkedServer" }, { type: "azure-native_redis_v20240401preview:redis:LinkedServer" }, { type: "azure-native_redis_v20241101:redis:LinkedServer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LinkedServer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redis/patchSchedule.ts b/sdk/nodejs/redis/patchSchedule.ts index 117f0c40e3f4..2a47f00c4c8b 100644 --- a/sdk/nodejs/redis/patchSchedule.ts +++ b/sdk/nodejs/redis/patchSchedule.ts @@ -97,7 +97,7 @@ export class PatchSchedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:PatchSchedule" }, { type: "azure-native:cache/v20230501preview:PatchSchedule" }, { type: "azure-native:cache/v20230801:PatchSchedule" }, { type: "azure-native:cache/v20240301:PatchSchedule" }, { type: "azure-native:cache/v20240401preview:PatchSchedule" }, { type: "azure-native:cache/v20241101:PatchSchedule" }, { type: "azure-native:cache:PatchSchedule" }, { type: "azure-native:redis/v20171001:PatchSchedule" }, { type: "azure-native:redis/v20180301:PatchSchedule" }, { type: "azure-native:redis/v20190701:PatchSchedule" }, { type: "azure-native:redis/v20200601:PatchSchedule" }, { type: "azure-native:redis/v20201201:PatchSchedule" }, { type: "azure-native:redis/v20210601:PatchSchedule" }, { type: "azure-native:redis/v20220501:PatchSchedule" }, { type: "azure-native:redis/v20220601:PatchSchedule" }, { type: "azure-native:redis/v20230401:PatchSchedule" }, { type: "azure-native:redis/v20230501preview:PatchSchedule" }, { type: "azure-native:redis/v20230801:PatchSchedule" }, { type: "azure-native:redis/v20240301:PatchSchedule" }, { type: "azure-native:redis/v20240401preview:PatchSchedule" }, { type: "azure-native:redis/v20241101:PatchSchedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:PatchSchedule" }, { type: "azure-native:cache/v20230501preview:PatchSchedule" }, { type: "azure-native:cache/v20230801:PatchSchedule" }, { type: "azure-native:cache/v20240301:PatchSchedule" }, { type: "azure-native:cache/v20240401preview:PatchSchedule" }, { type: "azure-native:cache/v20241101:PatchSchedule" }, { type: "azure-native:cache:PatchSchedule" }, { type: "azure-native_redis_v20171001:redis:PatchSchedule" }, { type: "azure-native_redis_v20180301:redis:PatchSchedule" }, { type: "azure-native_redis_v20190701:redis:PatchSchedule" }, { type: "azure-native_redis_v20200601:redis:PatchSchedule" }, { type: "azure-native_redis_v20201201:redis:PatchSchedule" }, { type: "azure-native_redis_v20210601:redis:PatchSchedule" }, { type: "azure-native_redis_v20220501:redis:PatchSchedule" }, { type: "azure-native_redis_v20220601:redis:PatchSchedule" }, { type: "azure-native_redis_v20230401:redis:PatchSchedule" }, { type: "azure-native_redis_v20230501preview:redis:PatchSchedule" }, { type: "azure-native_redis_v20230801:redis:PatchSchedule" }, { type: "azure-native_redis_v20240301:redis:PatchSchedule" }, { type: "azure-native_redis_v20240401preview:redis:PatchSchedule" }, { type: "azure-native_redis_v20241101:redis:PatchSchedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PatchSchedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redis/privateEndpointConnection.ts b/sdk/nodejs/redis/privateEndpointConnection.ts index aa01f30f2b5c..04192a0337e9 100644 --- a/sdk/nodejs/redis/privateEndpointConnection.ts +++ b/sdk/nodejs/redis/privateEndpointConnection.ts @@ -104,7 +104,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:PrivateEndpointConnection" }, { type: "azure-native:cache/v20230501preview:PrivateEndpointConnection" }, { type: "azure-native:cache/v20230801:PrivateEndpointConnection" }, { type: "azure-native:cache/v20240301:PrivateEndpointConnection" }, { type: "azure-native:cache/v20240401preview:PrivateEndpointConnection" }, { type: "azure-native:cache/v20241101:PrivateEndpointConnection" }, { type: "azure-native:cache:PrivateEndpointConnection" }, { type: "azure-native:redis/v20200601:PrivateEndpointConnection" }, { type: "azure-native:redis/v20201201:PrivateEndpointConnection" }, { type: "azure-native:redis/v20210601:PrivateEndpointConnection" }, { type: "azure-native:redis/v20220501:PrivateEndpointConnection" }, { type: "azure-native:redis/v20220601:PrivateEndpointConnection" }, { type: "azure-native:redis/v20230401:PrivateEndpointConnection" }, { type: "azure-native:redis/v20230501preview:PrivateEndpointConnection" }, { type: "azure-native:redis/v20230801:PrivateEndpointConnection" }, { type: "azure-native:redis/v20240301:PrivateEndpointConnection" }, { type: "azure-native:redis/v20240401preview:PrivateEndpointConnection" }, { type: "azure-native:redis/v20241101:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:PrivateEndpointConnection" }, { type: "azure-native:cache/v20230501preview:PrivateEndpointConnection" }, { type: "azure-native:cache/v20230801:PrivateEndpointConnection" }, { type: "azure-native:cache/v20240301:PrivateEndpointConnection" }, { type: "azure-native:cache/v20240401preview:PrivateEndpointConnection" }, { type: "azure-native:cache/v20241101:PrivateEndpointConnection" }, { type: "azure-native:cache:PrivateEndpointConnection" }, { type: "azure-native_redis_v20200601:redis:PrivateEndpointConnection" }, { type: "azure-native_redis_v20201201:redis:PrivateEndpointConnection" }, { type: "azure-native_redis_v20210601:redis:PrivateEndpointConnection" }, { type: "azure-native_redis_v20220501:redis:PrivateEndpointConnection" }, { type: "azure-native_redis_v20220601:redis:PrivateEndpointConnection" }, { type: "azure-native_redis_v20230401:redis:PrivateEndpointConnection" }, { type: "azure-native_redis_v20230501preview:redis:PrivateEndpointConnection" }, { type: "azure-native_redis_v20230801:redis:PrivateEndpointConnection" }, { type: "azure-native_redis_v20240301:redis:PrivateEndpointConnection" }, { type: "azure-native_redis_v20240401preview:redis:PrivateEndpointConnection" }, { type: "azure-native_redis_v20241101:redis:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redis/redis.ts b/sdk/nodejs/redis/redis.ts index 40d0c4181c03..4d5f29e2f722 100644 --- a/sdk/nodejs/redis/redis.ts +++ b/sdk/nodejs/redis/redis.ts @@ -243,7 +243,7 @@ export class Redis extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20200601:Redis" }, { type: "azure-native:cache/v20230401:Redis" }, { type: "azure-native:cache/v20230501preview:Redis" }, { type: "azure-native:cache/v20230801:Redis" }, { type: "azure-native:cache/v20240301:Redis" }, { type: "azure-native:cache/v20240401preview:Redis" }, { type: "azure-native:cache/v20241101:Redis" }, { type: "azure-native:cache:Redis" }, { type: "azure-native:redis/v20150801:Redis" }, { type: "azure-native:redis/v20160401:Redis" }, { type: "azure-native:redis/v20170201:Redis" }, { type: "azure-native:redis/v20171001:Redis" }, { type: "azure-native:redis/v20180301:Redis" }, { type: "azure-native:redis/v20190701:Redis" }, { type: "azure-native:redis/v20200601:Redis" }, { type: "azure-native:redis/v20201201:Redis" }, { type: "azure-native:redis/v20210601:Redis" }, { type: "azure-native:redis/v20220501:Redis" }, { type: "azure-native:redis/v20220601:Redis" }, { type: "azure-native:redis/v20230401:Redis" }, { type: "azure-native:redis/v20230501preview:Redis" }, { type: "azure-native:redis/v20230801:Redis" }, { type: "azure-native:redis/v20240301:Redis" }, { type: "azure-native:redis/v20240401preview:Redis" }, { type: "azure-native:redis/v20241101:Redis" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20200601:Redis" }, { type: "azure-native:cache/v20230401:Redis" }, { type: "azure-native:cache/v20230501preview:Redis" }, { type: "azure-native:cache/v20230801:Redis" }, { type: "azure-native:cache/v20240301:Redis" }, { type: "azure-native:cache/v20240401preview:Redis" }, { type: "azure-native:cache/v20241101:Redis" }, { type: "azure-native:cache:Redis" }, { type: "azure-native_redis_v20150801:redis:Redis" }, { type: "azure-native_redis_v20160401:redis:Redis" }, { type: "azure-native_redis_v20170201:redis:Redis" }, { type: "azure-native_redis_v20171001:redis:Redis" }, { type: "azure-native_redis_v20180301:redis:Redis" }, { type: "azure-native_redis_v20190701:redis:Redis" }, { type: "azure-native_redis_v20200601:redis:Redis" }, { type: "azure-native_redis_v20201201:redis:Redis" }, { type: "azure-native_redis_v20210601:redis:Redis" }, { type: "azure-native_redis_v20220501:redis:Redis" }, { type: "azure-native_redis_v20220601:redis:Redis" }, { type: "azure-native_redis_v20230401:redis:Redis" }, { type: "azure-native_redis_v20230501preview:redis:Redis" }, { type: "azure-native_redis_v20230801:redis:Redis" }, { type: "azure-native_redis_v20240301:redis:Redis" }, { type: "azure-native_redis_v20240401preview:redis:Redis" }, { type: "azure-native_redis_v20241101:redis:Redis" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Redis.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redis/redisFirewallRule.ts b/sdk/nodejs/redis/redisFirewallRule.ts index a75649c8ed44..bf55deee4d2d 100644 --- a/sdk/nodejs/redis/redisFirewallRule.ts +++ b/sdk/nodejs/redis/redisFirewallRule.ts @@ -96,7 +96,7 @@ export class RedisFirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:FirewallRule" }, { type: "azure-native:cache/v20230501preview:FirewallRule" }, { type: "azure-native:cache/v20230801:FirewallRule" }, { type: "azure-native:cache/v20240301:FirewallRule" }, { type: "azure-native:cache/v20240401preview:FirewallRule" }, { type: "azure-native:cache/v20241101:FirewallRule" }, { type: "azure-native:cache:FirewallRule" }, { type: "azure-native:redis/v20160401:RedisFirewallRule" }, { type: "azure-native:redis/v20170201:RedisFirewallRule" }, { type: "azure-native:redis/v20171001:RedisFirewallRule" }, { type: "azure-native:redis/v20180301:RedisFirewallRule" }, { type: "azure-native:redis/v20190701:RedisFirewallRule" }, { type: "azure-native:redis/v20200601:RedisFirewallRule" }, { type: "azure-native:redis/v20201201:RedisFirewallRule" }, { type: "azure-native:redis/v20210601:RedisFirewallRule" }, { type: "azure-native:redis/v20220501:RedisFirewallRule" }, { type: "azure-native:redis/v20220601:RedisFirewallRule" }, { type: "azure-native:redis/v20230401:RedisFirewallRule" }, { type: "azure-native:redis/v20230501preview:RedisFirewallRule" }, { type: "azure-native:redis/v20230801:RedisFirewallRule" }, { type: "azure-native:redis/v20240301:RedisFirewallRule" }, { type: "azure-native:redis/v20240401preview:RedisFirewallRule" }, { type: "azure-native:redis/v20241101:RedisFirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:FirewallRule" }, { type: "azure-native:cache/v20230501preview:FirewallRule" }, { type: "azure-native:cache/v20230801:FirewallRule" }, { type: "azure-native:cache/v20240301:FirewallRule" }, { type: "azure-native:cache/v20240401preview:FirewallRule" }, { type: "azure-native:cache/v20241101:FirewallRule" }, { type: "azure-native:cache:FirewallRule" }, { type: "azure-native_redis_v20160401:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20170201:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20171001:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20180301:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20190701:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20200601:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20201201:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20210601:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20220501:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20220601:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20230401:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20230501preview:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20230801:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20240301:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20240401preview:redis:RedisFirewallRule" }, { type: "azure-native_redis_v20241101:redis:RedisFirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RedisFirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redis/redisLinkedServer.ts b/sdk/nodejs/redis/redisLinkedServer.ts index 0a423909d696..b7a98ae2de42 100644 --- a/sdk/nodejs/redis/redisLinkedServer.ts +++ b/sdk/nodejs/redis/redisLinkedServer.ts @@ -113,7 +113,7 @@ export class RedisLinkedServer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:LinkedServer" }, { type: "azure-native:cache/v20230501preview:LinkedServer" }, { type: "azure-native:cache/v20230801:LinkedServer" }, { type: "azure-native:cache/v20240301:LinkedServer" }, { type: "azure-native:cache/v20240401preview:LinkedServer" }, { type: "azure-native:cache/v20241101:LinkedServer" }, { type: "azure-native:cache:LinkedServer" }, { type: "azure-native:redis/v20170201:RedisLinkedServer" }, { type: "azure-native:redis/v20171001:RedisLinkedServer" }, { type: "azure-native:redis/v20180301:RedisLinkedServer" }, { type: "azure-native:redis/v20190701:RedisLinkedServer" }, { type: "azure-native:redis/v20200601:RedisLinkedServer" }, { type: "azure-native:redis/v20201201:RedisLinkedServer" }, { type: "azure-native:redis/v20210601:RedisLinkedServer" }, { type: "azure-native:redis/v20220501:RedisLinkedServer" }, { type: "azure-native:redis/v20220601:RedisLinkedServer" }, { type: "azure-native:redis/v20230401:RedisLinkedServer" }, { type: "azure-native:redis/v20230501preview:RedisLinkedServer" }, { type: "azure-native:redis/v20230801:RedisLinkedServer" }, { type: "azure-native:redis/v20240301:RedisLinkedServer" }, { type: "azure-native:redis/v20240401preview:RedisLinkedServer" }, { type: "azure-native:redis/v20241101:RedisLinkedServer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230401:LinkedServer" }, { type: "azure-native:cache/v20230501preview:LinkedServer" }, { type: "azure-native:cache/v20230801:LinkedServer" }, { type: "azure-native:cache/v20240301:LinkedServer" }, { type: "azure-native:cache/v20240401preview:LinkedServer" }, { type: "azure-native:cache/v20241101:LinkedServer" }, { type: "azure-native:cache:LinkedServer" }, { type: "azure-native_redis_v20170201:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20171001:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20180301:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20190701:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20200601:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20201201:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20210601:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20220501:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20220601:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20230401:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20230501preview:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20230801:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20240301:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20240401preview:redis:RedisLinkedServer" }, { type: "azure-native_redis_v20241101:redis:RedisLinkedServer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RedisLinkedServer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redisenterprise/accessPolicyAssignment.ts b/sdk/nodejs/redisenterprise/accessPolicyAssignment.ts index aca7d0d00353..39bd2aa4f1fa 100644 --- a/sdk/nodejs/redisenterprise/accessPolicyAssignment.ts +++ b/sdk/nodejs/redisenterprise/accessPolicyAssignment.ts @@ -111,7 +111,7 @@ export class AccessPolicyAssignment extends pulumi.CustomResource { resourceInputs["user"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20240901preview:AccessPolicyAssignment" }, { type: "azure-native:redisenterprise/v20240901preview:AccessPolicyAssignment" }, { type: "azure-native:redisenterprise/v20250401:AccessPolicyAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20240901preview:AccessPolicyAssignment" }, { type: "azure-native_redisenterprise_v20240901preview:redisenterprise:AccessPolicyAssignment" }, { type: "azure-native_redisenterprise_v20250401:redisenterprise:AccessPolicyAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccessPolicyAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redisenterprise/database.ts b/sdk/nodejs/redisenterprise/database.ts index 264951a19a65..3dba0fe2b835 100644 --- a/sdk/nodejs/redisenterprise/database.ts +++ b/sdk/nodejs/redisenterprise/database.ts @@ -149,7 +149,7 @@ export class Database extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230301preview:Database" }, { type: "azure-native:cache/v20230701:Database" }, { type: "azure-native:cache/v20230801preview:Database" }, { type: "azure-native:cache/v20231001preview:Database" }, { type: "azure-native:cache/v20231101:Database" }, { type: "azure-native:cache/v20240201:Database" }, { type: "azure-native:cache/v20240301preview:Database" }, { type: "azure-native:cache/v20240601preview:Database" }, { type: "azure-native:cache/v20240901preview:Database" }, { type: "azure-native:cache/v20241001:Database" }, { type: "azure-native:cache:Database" }, { type: "azure-native:redisenterprise/v20201001preview:Database" }, { type: "azure-native:redisenterprise/v20210201preview:Database" }, { type: "azure-native:redisenterprise/v20210301:Database" }, { type: "azure-native:redisenterprise/v20210801:Database" }, { type: "azure-native:redisenterprise/v20220101:Database" }, { type: "azure-native:redisenterprise/v20221101preview:Database" }, { type: "azure-native:redisenterprise/v20230301preview:Database" }, { type: "azure-native:redisenterprise/v20230701:Database" }, { type: "azure-native:redisenterprise/v20230801preview:Database" }, { type: "azure-native:redisenterprise/v20231001preview:Database" }, { type: "azure-native:redisenterprise/v20231101:Database" }, { type: "azure-native:redisenterprise/v20240201:Database" }, { type: "azure-native:redisenterprise/v20240301preview:Database" }, { type: "azure-native:redisenterprise/v20240601preview:Database" }, { type: "azure-native:redisenterprise/v20240901preview:Database" }, { type: "azure-native:redisenterprise/v20241001:Database" }, { type: "azure-native:redisenterprise/v20250401:Database" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230301preview:Database" }, { type: "azure-native:cache/v20230701:Database" }, { type: "azure-native:cache/v20230801preview:Database" }, { type: "azure-native:cache/v20231001preview:Database" }, { type: "azure-native:cache/v20231101:Database" }, { type: "azure-native:cache/v20240201:Database" }, { type: "azure-native:cache/v20240301preview:Database" }, { type: "azure-native:cache/v20240601preview:Database" }, { type: "azure-native:cache/v20240901preview:Database" }, { type: "azure-native:cache/v20241001:Database" }, { type: "azure-native:cache:Database" }, { type: "azure-native_redisenterprise_v20201001preview:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20210201preview:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20210301:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20210801:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20220101:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20221101preview:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20230301preview:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20230701:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20230801preview:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20231001preview:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20231101:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20240201:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20240301preview:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20240601preview:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20240901preview:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20241001:redisenterprise:Database" }, { type: "azure-native_redisenterprise_v20250401:redisenterprise:Database" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Database.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redisenterprise/privateEndpointConnection.ts b/sdk/nodejs/redisenterprise/privateEndpointConnection.ts index 9ecae3166cf3..b4f2cbc567db 100644 --- a/sdk/nodejs/redisenterprise/privateEndpointConnection.ts +++ b/sdk/nodejs/redisenterprise/privateEndpointConnection.ts @@ -104,7 +104,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230301preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20230701:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20230801preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20231001preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20231101:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20240201:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20240301preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20240601preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20240901preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20241001:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache:EnterprisePrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20201001preview:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20210201preview:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20210301:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20210801:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20220101:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20221101preview:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20230301preview:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20230701:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20230801preview:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20231001preview:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20231101:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20240201:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20240301preview:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20240901preview:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20241001:PrivateEndpointConnection" }, { type: "azure-native:redisenterprise/v20250401:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20230301preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20230701:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20230801preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20231001preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20231101:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20240201:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20240301preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20240601preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20240901preview:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache/v20241001:EnterprisePrivateEndpointConnection" }, { type: "azure-native:cache:EnterprisePrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20201001preview:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20210201preview:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20210301:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20210801:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20220101:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20221101preview:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20230301preview:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20230701:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20230801preview:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20231001preview:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20231101:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20240201:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20240301preview:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20240601preview:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20240901preview:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20241001:redisenterprise:PrivateEndpointConnection" }, { type: "azure-native_redisenterprise_v20250401:redisenterprise:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/redisenterprise/redisEnterprise.ts b/sdk/nodejs/redisenterprise/redisEnterprise.ts index c409c5d96442..7b724911a6b6 100644 --- a/sdk/nodejs/redisenterprise/redisEnterprise.ts +++ b/sdk/nodejs/redisenterprise/redisEnterprise.ts @@ -154,7 +154,7 @@ export class RedisEnterprise extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:cache/v20201001preview:RedisEnterprise" }, { type: "azure-native:cache/v20230301preview:RedisEnterprise" }, { type: "azure-native:cache/v20230701:RedisEnterprise" }, { type: "azure-native:cache/v20230801preview:RedisEnterprise" }, { type: "azure-native:cache/v20231001preview:RedisEnterprise" }, { type: "azure-native:cache/v20231101:RedisEnterprise" }, { type: "azure-native:cache/v20240201:RedisEnterprise" }, { type: "azure-native:cache/v20240301preview:RedisEnterprise" }, { type: "azure-native:cache/v20240601preview:RedisEnterprise" }, { type: "azure-native:cache/v20240901preview:RedisEnterprise" }, { type: "azure-native:cache/v20241001:RedisEnterprise" }, { type: "azure-native:cache:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20201001preview:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20210201preview:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20210301:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20210801:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20220101:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20221101preview:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20230301preview:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20230701:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20230801preview:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20231001preview:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20231101:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20240201:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20240301preview:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20240601preview:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20240901preview:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20241001:RedisEnterprise" }, { type: "azure-native:redisenterprise/v20250401:RedisEnterprise" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:cache/v20201001preview:RedisEnterprise" }, { type: "azure-native:cache/v20230301preview:RedisEnterprise" }, { type: "azure-native:cache/v20230701:RedisEnterprise" }, { type: "azure-native:cache/v20230801preview:RedisEnterprise" }, { type: "azure-native:cache/v20231001preview:RedisEnterprise" }, { type: "azure-native:cache/v20231101:RedisEnterprise" }, { type: "azure-native:cache/v20240201:RedisEnterprise" }, { type: "azure-native:cache/v20240301preview:RedisEnterprise" }, { type: "azure-native:cache/v20240601preview:RedisEnterprise" }, { type: "azure-native:cache/v20240901preview:RedisEnterprise" }, { type: "azure-native:cache/v20241001:RedisEnterprise" }, { type: "azure-native:cache:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20201001preview:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20210201preview:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20210301:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20210801:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20220101:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20221101preview:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20230301preview:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20230701:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20230801preview:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20231001preview:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20231101:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20240201:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20240301preview:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20240601preview:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20240901preview:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20241001:redisenterprise:RedisEnterprise" }, { type: "azure-native_redisenterprise_v20250401:redisenterprise:RedisEnterprise" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RedisEnterprise.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/relay/hybridConnection.ts b/sdk/nodejs/relay/hybridConnection.ts index 95fdb7ece562..daf90b35f608 100644 --- a/sdk/nodejs/relay/hybridConnection.ts +++ b/sdk/nodejs/relay/hybridConnection.ts @@ -125,7 +125,7 @@ export class HybridConnection extends pulumi.CustomResource { resourceInputs["userMetadata"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:relay/v20160701:HybridConnection" }, { type: "azure-native:relay/v20170401:HybridConnection" }, { type: "azure-native:relay/v20211101:HybridConnection" }, { type: "azure-native:relay/v20240101:HybridConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:relay/v20211101:HybridConnection" }, { type: "azure-native:relay/v20240101:HybridConnection" }, { type: "azure-native_relay_v20160701:relay:HybridConnection" }, { type: "azure-native_relay_v20170401:relay:HybridConnection" }, { type: "azure-native_relay_v20211101:relay:HybridConnection" }, { type: "azure-native_relay_v20240101:relay:HybridConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HybridConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/relay/hybridConnectionAuthorizationRule.ts b/sdk/nodejs/relay/hybridConnectionAuthorizationRule.ts index b2acb44ef90f..1cd80e507f53 100644 --- a/sdk/nodejs/relay/hybridConnectionAuthorizationRule.ts +++ b/sdk/nodejs/relay/hybridConnectionAuthorizationRule.ts @@ -108,7 +108,7 @@ export class HybridConnectionAuthorizationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:relay/v20160701:HybridConnectionAuthorizationRule" }, { type: "azure-native:relay/v20170401:HybridConnectionAuthorizationRule" }, { type: "azure-native:relay/v20211101:HybridConnectionAuthorizationRule" }, { type: "azure-native:relay/v20240101:HybridConnectionAuthorizationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:relay/v20170401:HybridConnectionAuthorizationRule" }, { type: "azure-native:relay/v20211101:HybridConnectionAuthorizationRule" }, { type: "azure-native:relay/v20240101:HybridConnectionAuthorizationRule" }, { type: "azure-native_relay_v20160701:relay:HybridConnectionAuthorizationRule" }, { type: "azure-native_relay_v20170401:relay:HybridConnectionAuthorizationRule" }, { type: "azure-native_relay_v20211101:relay:HybridConnectionAuthorizationRule" }, { type: "azure-native_relay_v20240101:relay:HybridConnectionAuthorizationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HybridConnectionAuthorizationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/relay/namespace.ts b/sdk/nodejs/relay/namespace.ts index a9947f88072b..e8ec5b5afa79 100644 --- a/sdk/nodejs/relay/namespace.ts +++ b/sdk/nodejs/relay/namespace.ts @@ -151,7 +151,7 @@ export class Namespace extends pulumi.CustomResource { resourceInputs["updatedAt"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:relay/v20160701:Namespace" }, { type: "azure-native:relay/v20170401:Namespace" }, { type: "azure-native:relay/v20180101preview:Namespace" }, { type: "azure-native:relay/v20211101:Namespace" }, { type: "azure-native:relay/v20240101:Namespace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:relay/v20211101:Namespace" }, { type: "azure-native:relay/v20240101:Namespace" }, { type: "azure-native_relay_v20160701:relay:Namespace" }, { type: "azure-native_relay_v20170401:relay:Namespace" }, { type: "azure-native_relay_v20180101preview:relay:Namespace" }, { type: "azure-native_relay_v20211101:relay:Namespace" }, { type: "azure-native_relay_v20240101:relay:Namespace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Namespace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/relay/namespaceAuthorizationRule.ts b/sdk/nodejs/relay/namespaceAuthorizationRule.ts index 23bb238afd78..db9c073701b3 100644 --- a/sdk/nodejs/relay/namespaceAuthorizationRule.ts +++ b/sdk/nodejs/relay/namespaceAuthorizationRule.ts @@ -104,7 +104,7 @@ export class NamespaceAuthorizationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:relay/v20160701:NamespaceAuthorizationRule" }, { type: "azure-native:relay/v20170401:NamespaceAuthorizationRule" }, { type: "azure-native:relay/v20211101:NamespaceAuthorizationRule" }, { type: "azure-native:relay/v20240101:NamespaceAuthorizationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:relay/v20170401:NamespaceAuthorizationRule" }, { type: "azure-native:relay/v20211101:NamespaceAuthorizationRule" }, { type: "azure-native:relay/v20240101:NamespaceAuthorizationRule" }, { type: "azure-native_relay_v20160701:relay:NamespaceAuthorizationRule" }, { type: "azure-native_relay_v20170401:relay:NamespaceAuthorizationRule" }, { type: "azure-native_relay_v20211101:relay:NamespaceAuthorizationRule" }, { type: "azure-native_relay_v20240101:relay:NamespaceAuthorizationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceAuthorizationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/relay/privateEndpointConnection.ts b/sdk/nodejs/relay/privateEndpointConnection.ts index 1cf9ba8c657c..486e36faf96b 100644 --- a/sdk/nodejs/relay/privateEndpointConnection.ts +++ b/sdk/nodejs/relay/privateEndpointConnection.ts @@ -113,7 +113,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:relay/v20180101preview:PrivateEndpointConnection" }, { type: "azure-native:relay/v20211101:PrivateEndpointConnection" }, { type: "azure-native:relay/v20240101:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:relay/v20180101preview:PrivateEndpointConnection" }, { type: "azure-native:relay/v20211101:PrivateEndpointConnection" }, { type: "azure-native:relay/v20240101:PrivateEndpointConnection" }, { type: "azure-native_relay_v20180101preview:relay:PrivateEndpointConnection" }, { type: "azure-native_relay_v20211101:relay:PrivateEndpointConnection" }, { type: "azure-native_relay_v20240101:relay:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/relay/wcfrelay.ts b/sdk/nodejs/relay/wcfrelay.ts index 0faf4aa53cc1..e74ad79c55ca 100644 --- a/sdk/nodejs/relay/wcfrelay.ts +++ b/sdk/nodejs/relay/wcfrelay.ts @@ -143,7 +143,7 @@ export class WCFRelay extends pulumi.CustomResource { resourceInputs["userMetadata"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:relay/v20160701:WCFRelay" }, { type: "azure-native:relay/v20170401:WCFRelay" }, { type: "azure-native:relay/v20211101:WCFRelay" }, { type: "azure-native:relay/v20240101:WCFRelay" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:relay/v20211101:WCFRelay" }, { type: "azure-native:relay/v20240101:WCFRelay" }, { type: "azure-native_relay_v20160701:relay:WCFRelay" }, { type: "azure-native_relay_v20170401:relay:WCFRelay" }, { type: "azure-native_relay_v20211101:relay:WCFRelay" }, { type: "azure-native_relay_v20240101:relay:WCFRelay" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WCFRelay.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/relay/wcfrelayAuthorizationRule.ts b/sdk/nodejs/relay/wcfrelayAuthorizationRule.ts index 826eeede3d0a..3feb33014433 100644 --- a/sdk/nodejs/relay/wcfrelayAuthorizationRule.ts +++ b/sdk/nodejs/relay/wcfrelayAuthorizationRule.ts @@ -108,7 +108,7 @@ export class WCFRelayAuthorizationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:relay/v20160701:WCFRelayAuthorizationRule" }, { type: "azure-native:relay/v20170401:WCFRelayAuthorizationRule" }, { type: "azure-native:relay/v20211101:WCFRelayAuthorizationRule" }, { type: "azure-native:relay/v20240101:WCFRelayAuthorizationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:relay/v20170401:WCFRelayAuthorizationRule" }, { type: "azure-native:relay/v20211101:WCFRelayAuthorizationRule" }, { type: "azure-native:relay/v20240101:WCFRelayAuthorizationRule" }, { type: "azure-native_relay_v20160701:relay:WCFRelayAuthorizationRule" }, { type: "azure-native_relay_v20170401:relay:WCFRelayAuthorizationRule" }, { type: "azure-native_relay_v20211101:relay:WCFRelayAuthorizationRule" }, { type: "azure-native_relay_v20240101:relay:WCFRelayAuthorizationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WCFRelayAuthorizationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resourceconnector/appliance.ts b/sdk/nodejs/resourceconnector/appliance.ts index 5984d7db8f72..183273f82b8b 100644 --- a/sdk/nodejs/resourceconnector/appliance.ts +++ b/sdk/nodejs/resourceconnector/appliance.ts @@ -139,7 +139,7 @@ export class Appliance extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resourceconnector/v20211031preview:Appliance" }, { type: "azure-native:resourceconnector/v20220415preview:Appliance" }, { type: "azure-native:resourceconnector/v20221027:Appliance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resourceconnector/v20211031preview:Appliance" }, { type: "azure-native:resourceconnector/v20221027:Appliance" }, { type: "azure-native_resourceconnector_v20211031preview:resourceconnector:Appliance" }, { type: "azure-native_resourceconnector_v20220415preview:resourceconnector:Appliance" }, { type: "azure-native_resourceconnector_v20221027:resourceconnector:Appliance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Appliance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resourcegraph/graphQuery.ts b/sdk/nodejs/resourcegraph/graphQuery.ts index ef8f150ebaff..e30ae57d0637 100644 --- a/sdk/nodejs/resourcegraph/graphQuery.ts +++ b/sdk/nodejs/resourcegraph/graphQuery.ts @@ -130,7 +130,7 @@ export class GraphQuery extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resourcegraph/v20180901preview:GraphQuery" }, { type: "azure-native:resourcegraph/v20190401:GraphQuery" }, { type: "azure-native:resourcegraph/v20200401preview:GraphQuery" }, { type: "azure-native:resourcegraph/v20210301:GraphQuery" }, { type: "azure-native:resourcegraph/v20221001:GraphQuery" }, { type: "azure-native:resourcegraph/v20240401:GraphQuery" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resourcegraph/v20180901preview:GraphQuery" }, { type: "azure-native:resourcegraph/v20190401:GraphQuery" }, { type: "azure-native:resourcegraph/v20200401preview:GraphQuery" }, { type: "azure-native:resourcegraph/v20210301:GraphQuery" }, { type: "azure-native:resourcegraph/v20221001:GraphQuery" }, { type: "azure-native:resourcegraph/v20240401:GraphQuery" }, { type: "azure-native_resourcegraph_v20180901preview:resourcegraph:GraphQuery" }, { type: "azure-native_resourcegraph_v20190401:resourcegraph:GraphQuery" }, { type: "azure-native_resourcegraph_v20200401preview:resourcegraph:GraphQuery" }, { type: "azure-native_resourcegraph_v20210301:resourcegraph:GraphQuery" }, { type: "azure-native_resourcegraph_v20221001:resourcegraph:GraphQuery" }, { type: "azure-native_resourcegraph_v20240401:resourcegraph:GraphQuery" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GraphQuery.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/azureCliScript.ts b/sdk/nodejs/resources/azureCliScript.ts index 818a3ff9ff0b..a76cd506226b 100644 --- a/sdk/nodejs/resources/azureCliScript.ts +++ b/sdk/nodejs/resources/azureCliScript.ts @@ -207,7 +207,7 @@ export class AzureCliScript extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20191001preview:AzureCliScript" }, { type: "azure-native:resources/v20191001preview:AzurePowerShellScript" }, { type: "azure-native:resources/v20201001:AzureCliScript" }, { type: "azure-native:resources/v20201001:AzurePowerShellScript" }, { type: "azure-native:resources/v20230801:AzureCliScript" }, { type: "azure-native:resources/v20230801:AzurePowerShellScript" }, { type: "azure-native:resources:AzurePowerShellScript" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20191001preview:AzureCliScript" }, { type: "azure-native:resources/v20191001preview:AzurePowerShellScript" }, { type: "azure-native:resources/v20201001:AzureCliScript" }, { type: "azure-native:resources/v20201001:AzurePowerShellScript" }, { type: "azure-native:resources/v20230801:AzureCliScript" }, { type: "azure-native:resources/v20230801:AzurePowerShellScript" }, { type: "azure-native:resources:AzurePowerShellScript" }, { type: "azure-native_resources_v20191001preview:resources:AzureCliScript" }, { type: "azure-native_resources_v20201001:resources:AzureCliScript" }, { type: "azure-native_resources_v20230801:resources:AzureCliScript" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzureCliScript.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/azurePowerShellScript.ts b/sdk/nodejs/resources/azurePowerShellScript.ts index a2efced48426..550e8a8e069a 100644 --- a/sdk/nodejs/resources/azurePowerShellScript.ts +++ b/sdk/nodejs/resources/azurePowerShellScript.ts @@ -207,7 +207,7 @@ export class AzurePowerShellScript extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20191001preview:AzureCliScript" }, { type: "azure-native:resources/v20191001preview:AzurePowerShellScript" }, { type: "azure-native:resources/v20201001:AzureCliScript" }, { type: "azure-native:resources/v20201001:AzurePowerShellScript" }, { type: "azure-native:resources/v20230801:AzureCliScript" }, { type: "azure-native:resources/v20230801:AzurePowerShellScript" }, { type: "azure-native:resources:AzureCliScript" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20191001preview:AzureCliScript" }, { type: "azure-native:resources/v20191001preview:AzurePowerShellScript" }, { type: "azure-native:resources/v20201001:AzureCliScript" }, { type: "azure-native:resources/v20201001:AzurePowerShellScript" }, { type: "azure-native:resources/v20230801:AzureCliScript" }, { type: "azure-native:resources/v20230801:AzurePowerShellScript" }, { type: "azure-native:resources:AzureCliScript" }, { type: "azure-native_resources_v20191001preview:resources:AzurePowerShellScript" }, { type: "azure-native_resources_v20201001:resources:AzurePowerShellScript" }, { type: "azure-native_resources_v20230801:resources:AzurePowerShellScript" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzurePowerShellScript.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/deployment.ts b/sdk/nodejs/resources/deployment.ts index 73e1909f4b12..74eace6164a0 100644 --- a/sdk/nodejs/resources/deployment.ts +++ b/sdk/nodejs/resources/deployment.ts @@ -100,7 +100,7 @@ export class Deployment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20151101:Deployment" }, { type: "azure-native:resources/v20160201:Deployment" }, { type: "azure-native:resources/v20160701:Deployment" }, { type: "azure-native:resources/v20160901:Deployment" }, { type: "azure-native:resources/v20170510:Deployment" }, { type: "azure-native:resources/v20180201:Deployment" }, { type: "azure-native:resources/v20180501:Deployment" }, { type: "azure-native:resources/v20190301:Deployment" }, { type: "azure-native:resources/v20190501:Deployment" }, { type: "azure-native:resources/v20190510:Deployment" }, { type: "azure-native:resources/v20190701:Deployment" }, { type: "azure-native:resources/v20190801:Deployment" }, { type: "azure-native:resources/v20191001:Deployment" }, { type: "azure-native:resources/v20200601:Deployment" }, { type: "azure-native:resources/v20200801:Deployment" }, { type: "azure-native:resources/v20201001:Deployment" }, { type: "azure-native:resources/v20210101:Deployment" }, { type: "azure-native:resources/v20210401:Deployment" }, { type: "azure-native:resources/v20220901:Deployment" }, { type: "azure-native:resources/v20230701:Deployment" }, { type: "azure-native:resources/v20240301:Deployment" }, { type: "azure-native:resources/v20240701:Deployment" }, { type: "azure-native:resources/v20241101:Deployment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220901:Deployment" }, { type: "azure-native:resources/v20230701:Deployment" }, { type: "azure-native:resources/v20240301:Deployment" }, { type: "azure-native:resources/v20240701:Deployment" }, { type: "azure-native:resources/v20241101:Deployment" }, { type: "azure-native_resources_v20151101:resources:Deployment" }, { type: "azure-native_resources_v20160201:resources:Deployment" }, { type: "azure-native_resources_v20160701:resources:Deployment" }, { type: "azure-native_resources_v20160901:resources:Deployment" }, { type: "azure-native_resources_v20170510:resources:Deployment" }, { type: "azure-native_resources_v20180201:resources:Deployment" }, { type: "azure-native_resources_v20180501:resources:Deployment" }, { type: "azure-native_resources_v20190301:resources:Deployment" }, { type: "azure-native_resources_v20190501:resources:Deployment" }, { type: "azure-native_resources_v20190510:resources:Deployment" }, { type: "azure-native_resources_v20190701:resources:Deployment" }, { type: "azure-native_resources_v20190801:resources:Deployment" }, { type: "azure-native_resources_v20191001:resources:Deployment" }, { type: "azure-native_resources_v20200601:resources:Deployment" }, { type: "azure-native_resources_v20200801:resources:Deployment" }, { type: "azure-native_resources_v20201001:resources:Deployment" }, { type: "azure-native_resources_v20210101:resources:Deployment" }, { type: "azure-native_resources_v20210401:resources:Deployment" }, { type: "azure-native_resources_v20220901:resources:Deployment" }, { type: "azure-native_resources_v20230701:resources:Deployment" }, { type: "azure-native_resources_v20240301:resources:Deployment" }, { type: "azure-native_resources_v20240701:resources:Deployment" }, { type: "azure-native_resources_v20241101:resources:Deployment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Deployment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/deploymentAtManagementGroupScope.ts b/sdk/nodejs/resources/deploymentAtManagementGroupScope.ts index d026aad3d34f..2a37900ad6c9 100644 --- a/sdk/nodejs/resources/deploymentAtManagementGroupScope.ts +++ b/sdk/nodejs/resources/deploymentAtManagementGroupScope.ts @@ -100,7 +100,7 @@ export class DeploymentAtManagementGroupScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20190501:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20190510:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20190701:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20190801:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20191001:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20200601:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20200801:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20201001:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20210101:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20210401:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20220901:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20230701:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20240301:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20240701:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20241101:DeploymentAtManagementGroupScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220901:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20230701:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20240301:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20240701:DeploymentAtManagementGroupScope" }, { type: "azure-native:resources/v20241101:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20190501:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20190510:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20190701:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20190801:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20191001:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20200601:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20200801:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20201001:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20210101:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20210401:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20220901:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20230701:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20240301:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20240701:resources:DeploymentAtManagementGroupScope" }, { type: "azure-native_resources_v20241101:resources:DeploymentAtManagementGroupScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DeploymentAtManagementGroupScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/deploymentAtScope.ts b/sdk/nodejs/resources/deploymentAtScope.ts index 260435a7628e..4549818628d3 100644 --- a/sdk/nodejs/resources/deploymentAtScope.ts +++ b/sdk/nodejs/resources/deploymentAtScope.ts @@ -100,7 +100,7 @@ export class DeploymentAtScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20190701:DeploymentAtScope" }, { type: "azure-native:resources/v20190801:DeploymentAtScope" }, { type: "azure-native:resources/v20191001:DeploymentAtScope" }, { type: "azure-native:resources/v20200601:DeploymentAtScope" }, { type: "azure-native:resources/v20200801:DeploymentAtScope" }, { type: "azure-native:resources/v20201001:DeploymentAtScope" }, { type: "azure-native:resources/v20210101:DeploymentAtScope" }, { type: "azure-native:resources/v20210401:DeploymentAtScope" }, { type: "azure-native:resources/v20220901:DeploymentAtScope" }, { type: "azure-native:resources/v20230701:DeploymentAtScope" }, { type: "azure-native:resources/v20240301:DeploymentAtScope" }, { type: "azure-native:resources/v20240701:DeploymentAtScope" }, { type: "azure-native:resources/v20241101:DeploymentAtScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220901:DeploymentAtScope" }, { type: "azure-native:resources/v20230701:DeploymentAtScope" }, { type: "azure-native:resources/v20240301:DeploymentAtScope" }, { type: "azure-native:resources/v20240701:DeploymentAtScope" }, { type: "azure-native:resources/v20241101:DeploymentAtScope" }, { type: "azure-native_resources_v20190701:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20190801:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20191001:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20200601:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20200801:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20201001:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20210101:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20210401:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20220901:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20230701:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20240301:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20240701:resources:DeploymentAtScope" }, { type: "azure-native_resources_v20241101:resources:DeploymentAtScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DeploymentAtScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/deploymentAtSubscriptionScope.ts b/sdk/nodejs/resources/deploymentAtSubscriptionScope.ts index f93c637faa6e..987246af8082 100644 --- a/sdk/nodejs/resources/deploymentAtSubscriptionScope.ts +++ b/sdk/nodejs/resources/deploymentAtSubscriptionScope.ts @@ -96,7 +96,7 @@ export class DeploymentAtSubscriptionScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20180501:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20190301:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20190501:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20190510:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20190701:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20190801:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20191001:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20200601:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20200801:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20201001:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20210101:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20210401:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20220901:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20230701:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20240301:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20240701:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20241101:DeploymentAtSubscriptionScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220901:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20230701:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20240301:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20240701:DeploymentAtSubscriptionScope" }, { type: "azure-native:resources/v20241101:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20180501:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20190301:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20190501:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20190510:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20190701:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20190801:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20191001:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20200601:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20200801:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20201001:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20210101:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20210401:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20220901:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20230701:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20240301:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20240701:resources:DeploymentAtSubscriptionScope" }, { type: "azure-native_resources_v20241101:resources:DeploymentAtSubscriptionScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DeploymentAtSubscriptionScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/deploymentAtTenantScope.ts b/sdk/nodejs/resources/deploymentAtTenantScope.ts index 6e7ea244fd95..cab414d100b6 100644 --- a/sdk/nodejs/resources/deploymentAtTenantScope.ts +++ b/sdk/nodejs/resources/deploymentAtTenantScope.ts @@ -96,7 +96,7 @@ export class DeploymentAtTenantScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20190701:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20190801:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20191001:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20200601:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20200801:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20201001:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20210101:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20210401:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20220901:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20230701:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20240301:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20240701:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20241101:DeploymentAtTenantScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220901:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20230701:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20240301:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20240701:DeploymentAtTenantScope" }, { type: "azure-native:resources/v20241101:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20190701:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20190801:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20191001:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20200601:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20200801:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20201001:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20210101:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20210401:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20220901:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20230701:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20240301:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20240701:resources:DeploymentAtTenantScope" }, { type: "azure-native_resources_v20241101:resources:DeploymentAtTenantScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DeploymentAtTenantScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/deploymentStackAtManagementGroup.ts b/sdk/nodejs/resources/deploymentStackAtManagementGroup.ts index 9ca115496368..3fe21d4ea669 100644 --- a/sdk/nodejs/resources/deploymentStackAtManagementGroup.ts +++ b/sdk/nodejs/resources/deploymentStackAtManagementGroup.ts @@ -208,7 +208,7 @@ export class DeploymentStackAtManagementGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220801preview:DeploymentStackAtManagementGroup" }, { type: "azure-native:resources/v20240301:DeploymentStackAtManagementGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220801preview:DeploymentStackAtManagementGroup" }, { type: "azure-native:resources/v20240301:DeploymentStackAtManagementGroup" }, { type: "azure-native_resources_v20220801preview:resources:DeploymentStackAtManagementGroup" }, { type: "azure-native_resources_v20240301:resources:DeploymentStackAtManagementGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DeploymentStackAtManagementGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/deploymentStackAtResourceGroup.ts b/sdk/nodejs/resources/deploymentStackAtResourceGroup.ts index ee0cddf021c1..3fecd9b04445 100644 --- a/sdk/nodejs/resources/deploymentStackAtResourceGroup.ts +++ b/sdk/nodejs/resources/deploymentStackAtResourceGroup.ts @@ -208,7 +208,7 @@ export class DeploymentStackAtResourceGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220801preview:DeploymentStackAtResourceGroup" }, { type: "azure-native:resources/v20240301:DeploymentStackAtResourceGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220801preview:DeploymentStackAtResourceGroup" }, { type: "azure-native:resources/v20240301:DeploymentStackAtResourceGroup" }, { type: "azure-native_resources_v20220801preview:resources:DeploymentStackAtResourceGroup" }, { type: "azure-native_resources_v20240301:resources:DeploymentStackAtResourceGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DeploymentStackAtResourceGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/deploymentStackAtSubscription.ts b/sdk/nodejs/resources/deploymentStackAtSubscription.ts index 3b05a84a6155..12790e370087 100644 --- a/sdk/nodejs/resources/deploymentStackAtSubscription.ts +++ b/sdk/nodejs/resources/deploymentStackAtSubscription.ts @@ -204,7 +204,7 @@ export class DeploymentStackAtSubscription extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220801preview:DeploymentStackAtSubscription" }, { type: "azure-native:resources/v20240301:DeploymentStackAtSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220801preview:DeploymentStackAtSubscription" }, { type: "azure-native:resources/v20240301:DeploymentStackAtSubscription" }, { type: "azure-native_resources_v20220801preview:resources:DeploymentStackAtSubscription" }, { type: "azure-native_resources_v20240301:resources:DeploymentStackAtSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DeploymentStackAtSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/resource.ts b/sdk/nodejs/resources/resource.ts index 51f9ece9540a..51c9554740cc 100644 --- a/sdk/nodejs/resources/resource.ts +++ b/sdk/nodejs/resources/resource.ts @@ -149,7 +149,7 @@ export class Resource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20151101:Resource" }, { type: "azure-native:resources/v20160201:Resource" }, { type: "azure-native:resources/v20160701:Resource" }, { type: "azure-native:resources/v20160901:Resource" }, { type: "azure-native:resources/v20170510:Resource" }, { type: "azure-native:resources/v20180201:Resource" }, { type: "azure-native:resources/v20180501:Resource" }, { type: "azure-native:resources/v20190301:Resource" }, { type: "azure-native:resources/v20190501:Resource" }, { type: "azure-native:resources/v20190510:Resource" }, { type: "azure-native:resources/v20190701:Resource" }, { type: "azure-native:resources/v20190801:Resource" }, { type: "azure-native:resources/v20191001:Resource" }, { type: "azure-native:resources/v20200601:Resource" }, { type: "azure-native:resources/v20200801:Resource" }, { type: "azure-native:resources/v20201001:Resource" }, { type: "azure-native:resources/v20210101:Resource" }, { type: "azure-native:resources/v20210401:Resource" }, { type: "azure-native:resources/v20220901:Resource" }, { type: "azure-native:resources/v20230701:Resource" }, { type: "azure-native:resources/v20240301:Resource" }, { type: "azure-native:resources/v20240701:Resource" }, { type: "azure-native:resources/v20241101:Resource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220901:Resource" }, { type: "azure-native:resources/v20230701:Resource" }, { type: "azure-native:resources/v20240301:Resource" }, { type: "azure-native:resources/v20240701:Resource" }, { type: "azure-native:resources/v20241101:Resource" }, { type: "azure-native_resources_v20151101:resources:Resource" }, { type: "azure-native_resources_v20160201:resources:Resource" }, { type: "azure-native_resources_v20160701:resources:Resource" }, { type: "azure-native_resources_v20160901:resources:Resource" }, { type: "azure-native_resources_v20170510:resources:Resource" }, { type: "azure-native_resources_v20180201:resources:Resource" }, { type: "azure-native_resources_v20180501:resources:Resource" }, { type: "azure-native_resources_v20190301:resources:Resource" }, { type: "azure-native_resources_v20190501:resources:Resource" }, { type: "azure-native_resources_v20190510:resources:Resource" }, { type: "azure-native_resources_v20190701:resources:Resource" }, { type: "azure-native_resources_v20190801:resources:Resource" }, { type: "azure-native_resources_v20191001:resources:Resource" }, { type: "azure-native_resources_v20200601:resources:Resource" }, { type: "azure-native_resources_v20200801:resources:Resource" }, { type: "azure-native_resources_v20201001:resources:Resource" }, { type: "azure-native_resources_v20210101:resources:Resource" }, { type: "azure-native_resources_v20210401:resources:Resource" }, { type: "azure-native_resources_v20220901:resources:Resource" }, { type: "azure-native_resources_v20230701:resources:Resource" }, { type: "azure-native_resources_v20240301:resources:Resource" }, { type: "azure-native_resources_v20240701:resources:Resource" }, { type: "azure-native_resources_v20241101:resources:Resource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Resource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/resourceGroup.ts b/sdk/nodejs/resources/resourceGroup.ts index 89a208a6ed0e..f7b8862aa8b4 100644 --- a/sdk/nodejs/resources/resourceGroup.ts +++ b/sdk/nodejs/resources/resourceGroup.ts @@ -99,7 +99,7 @@ export class ResourceGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20151101:ResourceGroup" }, { type: "azure-native:resources/v20160201:ResourceGroup" }, { type: "azure-native:resources/v20160701:ResourceGroup" }, { type: "azure-native:resources/v20160901:ResourceGroup" }, { type: "azure-native:resources/v20170510:ResourceGroup" }, { type: "azure-native:resources/v20180201:ResourceGroup" }, { type: "azure-native:resources/v20180501:ResourceGroup" }, { type: "azure-native:resources/v20190301:ResourceGroup" }, { type: "azure-native:resources/v20190501:ResourceGroup" }, { type: "azure-native:resources/v20190510:ResourceGroup" }, { type: "azure-native:resources/v20190701:ResourceGroup" }, { type: "azure-native:resources/v20190801:ResourceGroup" }, { type: "azure-native:resources/v20191001:ResourceGroup" }, { type: "azure-native:resources/v20200601:ResourceGroup" }, { type: "azure-native:resources/v20200801:ResourceGroup" }, { type: "azure-native:resources/v20201001:ResourceGroup" }, { type: "azure-native:resources/v20210101:ResourceGroup" }, { type: "azure-native:resources/v20210401:ResourceGroup" }, { type: "azure-native:resources/v20220901:ResourceGroup" }, { type: "azure-native:resources/v20230701:ResourceGroup" }, { type: "azure-native:resources/v20240301:ResourceGroup" }, { type: "azure-native:resources/v20240701:ResourceGroup" }, { type: "azure-native:resources/v20241101:ResourceGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220901:ResourceGroup" }, { type: "azure-native:resources/v20230701:ResourceGroup" }, { type: "azure-native:resources/v20240301:ResourceGroup" }, { type: "azure-native:resources/v20240701:ResourceGroup" }, { type: "azure-native:resources/v20241101:ResourceGroup" }, { type: "azure-native_resources_v20151101:resources:ResourceGroup" }, { type: "azure-native_resources_v20160201:resources:ResourceGroup" }, { type: "azure-native_resources_v20160701:resources:ResourceGroup" }, { type: "azure-native_resources_v20160901:resources:ResourceGroup" }, { type: "azure-native_resources_v20170510:resources:ResourceGroup" }, { type: "azure-native_resources_v20180201:resources:ResourceGroup" }, { type: "azure-native_resources_v20180501:resources:ResourceGroup" }, { type: "azure-native_resources_v20190301:resources:ResourceGroup" }, { type: "azure-native_resources_v20190501:resources:ResourceGroup" }, { type: "azure-native_resources_v20190510:resources:ResourceGroup" }, { type: "azure-native_resources_v20190701:resources:ResourceGroup" }, { type: "azure-native_resources_v20190801:resources:ResourceGroup" }, { type: "azure-native_resources_v20191001:resources:ResourceGroup" }, { type: "azure-native_resources_v20200601:resources:ResourceGroup" }, { type: "azure-native_resources_v20200801:resources:ResourceGroup" }, { type: "azure-native_resources_v20201001:resources:ResourceGroup" }, { type: "azure-native_resources_v20210101:resources:ResourceGroup" }, { type: "azure-native_resources_v20210401:resources:ResourceGroup" }, { type: "azure-native_resources_v20220901:resources:ResourceGroup" }, { type: "azure-native_resources_v20230701:resources:ResourceGroup" }, { type: "azure-native_resources_v20240301:resources:ResourceGroup" }, { type: "azure-native_resources_v20240701:resources:ResourceGroup" }, { type: "azure-native_resources_v20241101:resources:ResourceGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ResourceGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/tagAtScope.ts b/sdk/nodejs/resources/tagAtScope.ts index 2d7a827b7eeb..aace0db0dd89 100644 --- a/sdk/nodejs/resources/tagAtScope.ts +++ b/sdk/nodejs/resources/tagAtScope.ts @@ -87,7 +87,7 @@ export class TagAtScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20191001:TagAtScope" }, { type: "azure-native:resources/v20200601:TagAtScope" }, { type: "azure-native:resources/v20200801:TagAtScope" }, { type: "azure-native:resources/v20201001:TagAtScope" }, { type: "azure-native:resources/v20210101:TagAtScope" }, { type: "azure-native:resources/v20210401:TagAtScope" }, { type: "azure-native:resources/v20220901:TagAtScope" }, { type: "azure-native:resources/v20230701:TagAtScope" }, { type: "azure-native:resources/v20240301:TagAtScope" }, { type: "azure-native:resources/v20240701:TagAtScope" }, { type: "azure-native:resources/v20241101:TagAtScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220901:TagAtScope" }, { type: "azure-native:resources/v20230701:TagAtScope" }, { type: "azure-native:resources/v20240301:TagAtScope" }, { type: "azure-native:resources/v20240701:TagAtScope" }, { type: "azure-native:resources/v20241101:TagAtScope" }, { type: "azure-native_resources_v20191001:resources:TagAtScope" }, { type: "azure-native_resources_v20200601:resources:TagAtScope" }, { type: "azure-native_resources_v20200801:resources:TagAtScope" }, { type: "azure-native_resources_v20201001:resources:TagAtScope" }, { type: "azure-native_resources_v20210101:resources:TagAtScope" }, { type: "azure-native_resources_v20210401:resources:TagAtScope" }, { type: "azure-native_resources_v20220901:resources:TagAtScope" }, { type: "azure-native_resources_v20230701:resources:TagAtScope" }, { type: "azure-native_resources_v20240301:resources:TagAtScope" }, { type: "azure-native_resources_v20240701:resources:TagAtScope" }, { type: "azure-native_resources_v20241101:resources:TagAtScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TagAtScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/templateSpec.ts b/sdk/nodejs/resources/templateSpec.ts index cb7cb9613afe..40559db10a61 100644 --- a/sdk/nodejs/resources/templateSpec.ts +++ b/sdk/nodejs/resources/templateSpec.ts @@ -121,7 +121,7 @@ export class TemplateSpec extends pulumi.CustomResource { resourceInputs["versions"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20190601preview:TemplateSpec" }, { type: "azure-native:resources/v20210301preview:TemplateSpec" }, { type: "azure-native:resources/v20210501:TemplateSpec" }, { type: "azure-native:resources/v20220201:TemplateSpec" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20220201:TemplateSpec" }, { type: "azure-native_resources_v20190601preview:resources:TemplateSpec" }, { type: "azure-native_resources_v20210301preview:resources:TemplateSpec" }, { type: "azure-native_resources_v20210501:resources:TemplateSpec" }, { type: "azure-native_resources_v20220201:resources:TemplateSpec" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TemplateSpec.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/resources/templateSpecVersion.ts b/sdk/nodejs/resources/templateSpecVersion.ts index c8ffa0e2d77e..1468f1f5187d 100644 --- a/sdk/nodejs/resources/templateSpecVersion.ts +++ b/sdk/nodejs/resources/templateSpecVersion.ts @@ -131,7 +131,7 @@ export class TemplateSpecVersion extends pulumi.CustomResource { resourceInputs["uiFormDefinition"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:resources/v20190601preview:TemplateSpecVersion" }, { type: "azure-native:resources/v20210301preview:TemplateSpecVersion" }, { type: "azure-native:resources/v20210501:TemplateSpecVersion" }, { type: "azure-native:resources/v20220201:TemplateSpecVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:resources/v20190601preview:TemplateSpecVersion" }, { type: "azure-native:resources/v20220201:TemplateSpecVersion" }, { type: "azure-native_resources_v20190601preview:resources:TemplateSpecVersion" }, { type: "azure-native_resources_v20210301preview:resources:TemplateSpecVersion" }, { type: "azure-native_resources_v20210501:resources:TemplateSpecVersion" }, { type: "azure-native_resources_v20220201:resources:TemplateSpecVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TemplateSpecVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/saas/saasSubscriptionLevel.ts b/sdk/nodejs/saas/saasSubscriptionLevel.ts index b266a5bb8987..ccc444bb0004 100644 --- a/sdk/nodejs/saas/saasSubscriptionLevel.ts +++ b/sdk/nodejs/saas/saasSubscriptionLevel.ts @@ -90,7 +90,7 @@ export class SaasSubscriptionLevel extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:saas/v20180301beta:SaasSubscriptionLevel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:saas/v20180301beta:SaasSubscriptionLevel" }, { type: "azure-native_saas_v20180301beta:saas:SaasSubscriptionLevel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SaasSubscriptionLevel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scheduler/job.ts b/sdk/nodejs/scheduler/job.ts index 4450caa389d4..48a9b65a7c1d 100644 --- a/sdk/nodejs/scheduler/job.ts +++ b/sdk/nodejs/scheduler/job.ts @@ -85,7 +85,7 @@ export class Job extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scheduler/v20140801preview:Job" }, { type: "azure-native:scheduler/v20160101:Job" }, { type: "azure-native:scheduler/v20160301:Job" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scheduler/v20160301:Job" }, { type: "azure-native_scheduler_v20140801preview:scheduler:Job" }, { type: "azure-native_scheduler_v20160101:scheduler:Job" }, { type: "azure-native_scheduler_v20160301:scheduler:Job" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Job.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scheduler/jobCollection.ts b/sdk/nodejs/scheduler/jobCollection.ts index 86557dc47bb6..46ac9408b732 100644 --- a/sdk/nodejs/scheduler/jobCollection.ts +++ b/sdk/nodejs/scheduler/jobCollection.ts @@ -93,7 +93,7 @@ export class JobCollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scheduler/v20140801preview:JobCollection" }, { type: "azure-native:scheduler/v20160101:JobCollection" }, { type: "azure-native:scheduler/v20160301:JobCollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scheduler/v20160301:JobCollection" }, { type: "azure-native_scheduler_v20140801preview:scheduler:JobCollection" }, { type: "azure-native_scheduler_v20160101:scheduler:JobCollection" }, { type: "azure-native_scheduler_v20160301:scheduler:JobCollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JobCollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scom/instance.ts b/sdk/nodejs/scom/instance.ts index 50fdce8fa1aa..78372ac01876 100644 --- a/sdk/nodejs/scom/instance.ts +++ b/sdk/nodejs/scom/instance.ts @@ -108,7 +108,7 @@ export class Instance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scom/v20230707preview:Instance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scom/v20230707preview:Instance" }, { type: "azure-native_scom_v20230707preview:scom:Instance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Instance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scom/managedGateway.ts b/sdk/nodejs/scom/managedGateway.ts index 3e42019ddf06..29185357f0b2 100644 --- a/sdk/nodejs/scom/managedGateway.ts +++ b/sdk/nodejs/scom/managedGateway.ts @@ -93,7 +93,7 @@ export class ManagedGateway extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scom/v20230707preview:ManagedGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scom/v20230707preview:ManagedGateway" }, { type: "azure-native_scom_v20230707preview:scom:ManagedGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scom/monitoredResource.ts b/sdk/nodejs/scom/monitoredResource.ts index eb778758840a..ec41b84ccadb 100644 --- a/sdk/nodejs/scom/monitoredResource.ts +++ b/sdk/nodejs/scom/monitoredResource.ts @@ -93,7 +93,7 @@ export class MonitoredResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scom/v20230707preview:MonitoredResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scom/v20230707preview:MonitoredResource" }, { type: "azure-native_scom_v20230707preview:scom:MonitoredResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MonitoredResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/availabilitySet.ts b/sdk/nodejs/scvmm/availabilitySet.ts index 63b5ea5f14fe..eb31174e2ca1 100644 --- a/sdk/nodejs/scvmm/availabilitySet.ts +++ b/sdk/nodejs/scvmm/availabilitySet.ts @@ -120,7 +120,7 @@ export class AvailabilitySet extends pulumi.CustomResource { resourceInputs["vmmServerId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20200605preview:AvailabilitySet" }, { type: "azure-native:scvmm/v20220521preview:AvailabilitySet" }, { type: "azure-native:scvmm/v20230401preview:AvailabilitySet" }, { type: "azure-native:scvmm/v20231007:AvailabilitySet" }, { type: "azure-native:scvmm/v20240601:AvailabilitySet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:AvailabilitySet" }, { type: "azure-native:scvmm/v20230401preview:AvailabilitySet" }, { type: "azure-native:scvmm/v20231007:AvailabilitySet" }, { type: "azure-native:scvmm/v20240601:AvailabilitySet" }, { type: "azure-native_scvmm_v20200605preview:scvmm:AvailabilitySet" }, { type: "azure-native_scvmm_v20220521preview:scvmm:AvailabilitySet" }, { type: "azure-native_scvmm_v20230401preview:scvmm:AvailabilitySet" }, { type: "azure-native_scvmm_v20231007:scvmm:AvailabilitySet" }, { type: "azure-native_scvmm_v20240601:scvmm:AvailabilitySet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AvailabilitySet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/cloud.ts b/sdk/nodejs/scvmm/cloud.ts index aec590ebc2ea..6c651d47be4f 100644 --- a/sdk/nodejs/scvmm/cloud.ts +++ b/sdk/nodejs/scvmm/cloud.ts @@ -147,7 +147,7 @@ export class Cloud extends pulumi.CustomResource { resourceInputs["vmmServerId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20200605preview:Cloud" }, { type: "azure-native:scvmm/v20220521preview:Cloud" }, { type: "azure-native:scvmm/v20230401preview:Cloud" }, { type: "azure-native:scvmm/v20231007:Cloud" }, { type: "azure-native:scvmm/v20240601:Cloud" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:Cloud" }, { type: "azure-native:scvmm/v20230401preview:Cloud" }, { type: "azure-native:scvmm/v20231007:Cloud" }, { type: "azure-native:scvmm/v20240601:Cloud" }, { type: "azure-native_scvmm_v20200605preview:scvmm:Cloud" }, { type: "azure-native_scvmm_v20220521preview:scvmm:Cloud" }, { type: "azure-native_scvmm_v20230401preview:scvmm:Cloud" }, { type: "azure-native_scvmm_v20231007:scvmm:Cloud" }, { type: "azure-native_scvmm_v20240601:scvmm:Cloud" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cloud.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/guestAgent.ts b/sdk/nodejs/scvmm/guestAgent.ts index d825e4be1483..e3af2a875509 100644 --- a/sdk/nodejs/scvmm/guestAgent.ts +++ b/sdk/nodejs/scvmm/guestAgent.ts @@ -131,7 +131,7 @@ export class GuestAgent extends pulumi.CustomResource { resourceInputs["uuid"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:GuestAgent" }, { type: "azure-native:scvmm/v20230401preview:GuestAgent" }, { type: "azure-native:scvmm/v20231007:GuestAgent" }, { type: "azure-native:scvmm/v20240601:GuestAgent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:GuestAgent" }, { type: "azure-native:scvmm/v20230401preview:GuestAgent" }, { type: "azure-native_scvmm_v20220521preview:scvmm:GuestAgent" }, { type: "azure-native_scvmm_v20230401preview:scvmm:GuestAgent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GuestAgent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/hybridIdentityMetadata.ts b/sdk/nodejs/scvmm/hybridIdentityMetadata.ts index 8e39a584a6a6..1ed948bb71ad 100644 --- a/sdk/nodejs/scvmm/hybridIdentityMetadata.ts +++ b/sdk/nodejs/scvmm/hybridIdentityMetadata.ts @@ -113,7 +113,7 @@ export class HybridIdentityMetadata extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:HybridIdentityMetadata" }, { type: "azure-native:scvmm/v20230401preview:HybridIdentityMetadata" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:HybridIdentityMetadata" }, { type: "azure-native:scvmm/v20230401preview:HybridIdentityMetadata" }, { type: "azure-native_scvmm_v20220521preview:scvmm:HybridIdentityMetadata" }, { type: "azure-native_scvmm_v20230401preview:scvmm:HybridIdentityMetadata" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HybridIdentityMetadata.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/inventoryItem.ts b/sdk/nodejs/scvmm/inventoryItem.ts index 71d6e66a54ed..dc3c8e5ce6d1 100644 --- a/sdk/nodejs/scvmm/inventoryItem.ts +++ b/sdk/nodejs/scvmm/inventoryItem.ts @@ -127,7 +127,7 @@ export class InventoryItem extends pulumi.CustomResource { resourceInputs["uuid"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20200605preview:InventoryItem" }, { type: "azure-native:scvmm/v20220521preview:InventoryItem" }, { type: "azure-native:scvmm/v20230401preview:InventoryItem" }, { type: "azure-native:scvmm/v20231007:InventoryItem" }, { type: "azure-native:scvmm/v20240601:InventoryItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:InventoryItem" }, { type: "azure-native:scvmm/v20230401preview:InventoryItem" }, { type: "azure-native:scvmm/v20231007:InventoryItem" }, { type: "azure-native:scvmm/v20240601:InventoryItem" }, { type: "azure-native_scvmm_v20200605preview:scvmm:InventoryItem" }, { type: "azure-native_scvmm_v20220521preview:scvmm:InventoryItem" }, { type: "azure-native_scvmm_v20230401preview:scvmm:InventoryItem" }, { type: "azure-native_scvmm_v20231007:scvmm:InventoryItem" }, { type: "azure-native_scvmm_v20240601:scvmm:InventoryItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InventoryItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/machineExtension.ts b/sdk/nodejs/scvmm/machineExtension.ts index bc49817752bb..08d1bd71e32e 100644 --- a/sdk/nodejs/scvmm/machineExtension.ts +++ b/sdk/nodejs/scvmm/machineExtension.ts @@ -155,7 +155,7 @@ export class MachineExtension extends pulumi.CustomResource { resourceInputs["typeHandlerVersion"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:MachineExtension" }, { type: "azure-native:scvmm/v20230401preview:MachineExtension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:MachineExtension" }, { type: "azure-native:scvmm/v20230401preview:MachineExtension" }, { type: "azure-native_scvmm_v20220521preview:scvmm:MachineExtension" }, { type: "azure-native_scvmm_v20230401preview:scvmm:MachineExtension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MachineExtension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/virtualMachine.ts b/sdk/nodejs/scvmm/virtualMachine.ts index 56dd924f2937..262e090003b5 100644 --- a/sdk/nodejs/scvmm/virtualMachine.ts +++ b/sdk/nodejs/scvmm/virtualMachine.ts @@ -220,7 +220,7 @@ export class VirtualMachine extends pulumi.CustomResource { resourceInputs["vmmServerId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20200605preview:VirtualMachine" }, { type: "azure-native:scvmm/v20220521preview:VirtualMachine" }, { type: "azure-native:scvmm/v20230401preview:VirtualMachine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:VirtualMachine" }, { type: "azure-native:scvmm/v20230401preview:VirtualMachine" }, { type: "azure-native_scvmm_v20200605preview:scvmm:VirtualMachine" }, { type: "azure-native_scvmm_v20220521preview:scvmm:VirtualMachine" }, { type: "azure-native_scvmm_v20230401preview:scvmm:VirtualMachine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/virtualMachineInstance.ts b/sdk/nodejs/scvmm/virtualMachineInstance.ts index 06bcfee72d52..63984a75d8ba 100644 --- a/sdk/nodejs/scvmm/virtualMachineInstance.ts +++ b/sdk/nodejs/scvmm/virtualMachineInstance.ts @@ -141,7 +141,7 @@ export class VirtualMachineInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20230401preview:VirtualMachineInstance" }, { type: "azure-native:scvmm/v20231007:VirtualMachineInstance" }, { type: "azure-native:scvmm/v20240601:VirtualMachineInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20230401preview:VirtualMachineInstance" }, { type: "azure-native:scvmm/v20231007:VirtualMachineInstance" }, { type: "azure-native:scvmm/v20240601:VirtualMachineInstance" }, { type: "azure-native_scvmm_v20230401preview:scvmm:VirtualMachineInstance" }, { type: "azure-native_scvmm_v20231007:scvmm:VirtualMachineInstance" }, { type: "azure-native_scvmm_v20240601:scvmm:VirtualMachineInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/virtualMachineTemplate.ts b/sdk/nodejs/scvmm/virtualMachineTemplate.ts index a676f628495b..68299b519a94 100644 --- a/sdk/nodejs/scvmm/virtualMachineTemplate.ts +++ b/sdk/nodejs/scvmm/virtualMachineTemplate.ts @@ -214,7 +214,7 @@ export class VirtualMachineTemplate extends pulumi.CustomResource { resourceInputs["vmmServerId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20200605preview:VirtualMachineTemplate" }, { type: "azure-native:scvmm/v20220521preview:VirtualMachineTemplate" }, { type: "azure-native:scvmm/v20230401preview:VirtualMachineTemplate" }, { type: "azure-native:scvmm/v20231007:VirtualMachineTemplate" }, { type: "azure-native:scvmm/v20240601:VirtualMachineTemplate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:VirtualMachineTemplate" }, { type: "azure-native:scvmm/v20230401preview:VirtualMachineTemplate" }, { type: "azure-native:scvmm/v20231007:VirtualMachineTemplate" }, { type: "azure-native:scvmm/v20240601:VirtualMachineTemplate" }, { type: "azure-native_scvmm_v20200605preview:scvmm:VirtualMachineTemplate" }, { type: "azure-native_scvmm_v20220521preview:scvmm:VirtualMachineTemplate" }, { type: "azure-native_scvmm_v20230401preview:scvmm:VirtualMachineTemplate" }, { type: "azure-native_scvmm_v20231007:scvmm:VirtualMachineTemplate" }, { type: "azure-native_scvmm_v20240601:scvmm:VirtualMachineTemplate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineTemplate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/virtualNetwork.ts b/sdk/nodejs/scvmm/virtualNetwork.ts index c613dba3d59a..6094280b7b90 100644 --- a/sdk/nodejs/scvmm/virtualNetwork.ts +++ b/sdk/nodejs/scvmm/virtualNetwork.ts @@ -136,7 +136,7 @@ export class VirtualNetwork extends pulumi.CustomResource { resourceInputs["vmmServerId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20200605preview:VirtualNetwork" }, { type: "azure-native:scvmm/v20220521preview:VirtualNetwork" }, { type: "azure-native:scvmm/v20230401preview:VirtualNetwork" }, { type: "azure-native:scvmm/v20231007:VirtualNetwork" }, { type: "azure-native:scvmm/v20240601:VirtualNetwork" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:VirtualNetwork" }, { type: "azure-native:scvmm/v20230401preview:VirtualNetwork" }, { type: "azure-native:scvmm/v20231007:VirtualNetwork" }, { type: "azure-native:scvmm/v20240601:VirtualNetwork" }, { type: "azure-native_scvmm_v20200605preview:scvmm:VirtualNetwork" }, { type: "azure-native_scvmm_v20220521preview:scvmm:VirtualNetwork" }, { type: "azure-native_scvmm_v20230401preview:scvmm:VirtualNetwork" }, { type: "azure-native_scvmm_v20231007:scvmm:VirtualNetwork" }, { type: "azure-native_scvmm_v20240601:scvmm:VirtualNetwork" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetwork.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/vminstanceGuestAgent.ts b/sdk/nodejs/scvmm/vminstanceGuestAgent.ts index e75bd69ff8ee..2aac67f7d8cd 100644 --- a/sdk/nodejs/scvmm/vminstanceGuestAgent.ts +++ b/sdk/nodejs/scvmm/vminstanceGuestAgent.ts @@ -124,7 +124,7 @@ export class VMInstanceGuestAgent extends pulumi.CustomResource { resourceInputs["uuid"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20230401preview:VMInstanceGuestAgent" }, { type: "azure-native:scvmm/v20231007:GuestAgent" }, { type: "azure-native:scvmm/v20231007:VMInstanceGuestAgent" }, { type: "azure-native:scvmm/v20240601:GuestAgent" }, { type: "azure-native:scvmm/v20240601:VMInstanceGuestAgent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20230401preview:VMInstanceGuestAgent" }, { type: "azure-native:scvmm/v20231007:GuestAgent" }, { type: "azure-native:scvmm/v20240601:GuestAgent" }, { type: "azure-native_scvmm_v20230401preview:scvmm:VMInstanceGuestAgent" }, { type: "azure-native_scvmm_v20231007:scvmm:VMInstanceGuestAgent" }, { type: "azure-native_scvmm_v20240601:scvmm:VMInstanceGuestAgent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VMInstanceGuestAgent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/scvmm/vmmServer.ts b/sdk/nodejs/scvmm/vmmServer.ts index 96ca61696b3b..907668f9850d 100644 --- a/sdk/nodejs/scvmm/vmmServer.ts +++ b/sdk/nodejs/scvmm/vmmServer.ts @@ -157,7 +157,7 @@ export class VmmServer extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20200605preview:VmmServer" }, { type: "azure-native:scvmm/v20220521preview:VmmServer" }, { type: "azure-native:scvmm/v20230401preview:VmmServer" }, { type: "azure-native:scvmm/v20231007:VmmServer" }, { type: "azure-native:scvmm/v20240601:VmmServer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:scvmm/v20220521preview:VmmServer" }, { type: "azure-native:scvmm/v20230401preview:VmmServer" }, { type: "azure-native:scvmm/v20231007:VmmServer" }, { type: "azure-native:scvmm/v20240601:VmmServer" }, { type: "azure-native_scvmm_v20200605preview:scvmm:VmmServer" }, { type: "azure-native_scvmm_v20220521preview:scvmm:VmmServer" }, { type: "azure-native_scvmm_v20230401preview:scvmm:VmmServer" }, { type: "azure-native_scvmm_v20231007:scvmm:VmmServer" }, { type: "azure-native_scvmm_v20240601:scvmm:VmmServer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VmmServer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/search/privateEndpointConnection.ts b/sdk/nodejs/search/privateEndpointConnection.ts index b03fe0e06792..ac1b14393201 100644 --- a/sdk/nodejs/search/privateEndpointConnection.ts +++ b/sdk/nodejs/search/privateEndpointConnection.ts @@ -89,7 +89,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:search/v20191001preview:PrivateEndpointConnection" }, { type: "azure-native:search/v20200313:PrivateEndpointConnection" }, { type: "azure-native:search/v20200801:PrivateEndpointConnection" }, { type: "azure-native:search/v20200801preview:PrivateEndpointConnection" }, { type: "azure-native:search/v20210401preview:PrivateEndpointConnection" }, { type: "azure-native:search/v20220901:PrivateEndpointConnection" }, { type: "azure-native:search/v20231101:PrivateEndpointConnection" }, { type: "azure-native:search/v20240301preview:PrivateEndpointConnection" }, { type: "azure-native:search/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native:search/v20250201preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:search/v20220901:PrivateEndpointConnection" }, { type: "azure-native:search/v20231101:PrivateEndpointConnection" }, { type: "azure-native:search/v20240301preview:PrivateEndpointConnection" }, { type: "azure-native:search/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native:search/v20250201preview:PrivateEndpointConnection" }, { type: "azure-native_search_v20191001preview:search:PrivateEndpointConnection" }, { type: "azure-native_search_v20200313:search:PrivateEndpointConnection" }, { type: "azure-native_search_v20200801:search:PrivateEndpointConnection" }, { type: "azure-native_search_v20200801preview:search:PrivateEndpointConnection" }, { type: "azure-native_search_v20210401preview:search:PrivateEndpointConnection" }, { type: "azure-native_search_v20220901:search:PrivateEndpointConnection" }, { type: "azure-native_search_v20231101:search:PrivateEndpointConnection" }, { type: "azure-native_search_v20240301preview:search:PrivateEndpointConnection" }, { type: "azure-native_search_v20240601preview:search:PrivateEndpointConnection" }, { type: "azure-native_search_v20250201preview:search:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/search/service.ts b/sdk/nodejs/search/service.ts index 93ce2c7d02da..413a4efcd37a 100644 --- a/sdk/nodejs/search/service.ts +++ b/sdk/nodejs/search/service.ts @@ -187,7 +187,7 @@ export class Service extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:search/v20150819:Service" }, { type: "azure-native:search/v20191001preview:Service" }, { type: "azure-native:search/v20200313:Service" }, { type: "azure-native:search/v20200801:Service" }, { type: "azure-native:search/v20200801preview:Service" }, { type: "azure-native:search/v20210401preview:Service" }, { type: "azure-native:search/v20220901:Service" }, { type: "azure-native:search/v20231101:Service" }, { type: "azure-native:search/v20240301preview:Service" }, { type: "azure-native:search/v20240601preview:Service" }, { type: "azure-native:search/v20250201preview:Service" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:search/v20210401preview:Service" }, { type: "azure-native:search/v20220901:Service" }, { type: "azure-native:search/v20231101:Service" }, { type: "azure-native:search/v20240301preview:Service" }, { type: "azure-native:search/v20240601preview:Service" }, { type: "azure-native:search/v20250201preview:Service" }, { type: "azure-native_search_v20150819:search:Service" }, { type: "azure-native_search_v20191001preview:search:Service" }, { type: "azure-native_search_v20200313:search:Service" }, { type: "azure-native_search_v20200801:search:Service" }, { type: "azure-native_search_v20200801preview:search:Service" }, { type: "azure-native_search_v20210401preview:search:Service" }, { type: "azure-native_search_v20220901:search:Service" }, { type: "azure-native_search_v20231101:search:Service" }, { type: "azure-native_search_v20240301preview:search:Service" }, { type: "azure-native_search_v20240601preview:search:Service" }, { type: "azure-native_search_v20250201preview:search:Service" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Service.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/search/sharedPrivateLinkResource.ts b/sdk/nodejs/search/sharedPrivateLinkResource.ts index d2effd2440b9..8a460041e93b 100644 --- a/sdk/nodejs/search/sharedPrivateLinkResource.ts +++ b/sdk/nodejs/search/sharedPrivateLinkResource.ts @@ -89,7 +89,7 @@ export class SharedPrivateLinkResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:search/v20200801:SharedPrivateLinkResource" }, { type: "azure-native:search/v20200801preview:SharedPrivateLinkResource" }, { type: "azure-native:search/v20210401preview:SharedPrivateLinkResource" }, { type: "azure-native:search/v20220901:SharedPrivateLinkResource" }, { type: "azure-native:search/v20231101:SharedPrivateLinkResource" }, { type: "azure-native:search/v20240301preview:SharedPrivateLinkResource" }, { type: "azure-native:search/v20240601preview:SharedPrivateLinkResource" }, { type: "azure-native:search/v20250201preview:SharedPrivateLinkResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:search/v20220901:SharedPrivateLinkResource" }, { type: "azure-native:search/v20231101:SharedPrivateLinkResource" }, { type: "azure-native:search/v20240301preview:SharedPrivateLinkResource" }, { type: "azure-native:search/v20240601preview:SharedPrivateLinkResource" }, { type: "azure-native:search/v20250201preview:SharedPrivateLinkResource" }, { type: "azure-native_search_v20200801:search:SharedPrivateLinkResource" }, { type: "azure-native_search_v20200801preview:search:SharedPrivateLinkResource" }, { type: "azure-native_search_v20210401preview:search:SharedPrivateLinkResource" }, { type: "azure-native_search_v20220901:search:SharedPrivateLinkResource" }, { type: "azure-native_search_v20231101:search:SharedPrivateLinkResource" }, { type: "azure-native_search_v20240301preview:search:SharedPrivateLinkResource" }, { type: "azure-native_search_v20240601preview:search:SharedPrivateLinkResource" }, { type: "azure-native_search_v20250201preview:search:SharedPrivateLinkResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SharedPrivateLinkResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/secretsynccontroller/azureKeyVaultSecretProviderClass.ts b/sdk/nodejs/secretsynccontroller/azureKeyVaultSecretProviderClass.ts index e141e6a1e490..df47acaa4406 100644 --- a/sdk/nodejs/secretsynccontroller/azureKeyVaultSecretProviderClass.ts +++ b/sdk/nodejs/secretsynccontroller/azureKeyVaultSecretProviderClass.ts @@ -140,7 +140,7 @@ export class AzureKeyVaultSecretProviderClass extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:secretsynccontroller/v20240821preview:AzureKeyVaultSecretProviderClass" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:secretsynccontroller/v20240821preview:AzureKeyVaultSecretProviderClass" }, { type: "azure-native_secretsynccontroller_v20240821preview:secretsynccontroller:AzureKeyVaultSecretProviderClass" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzureKeyVaultSecretProviderClass.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/secretsynccontroller/secretSync.ts b/sdk/nodejs/secretsynccontroller/secretSync.ts index 86e72def3532..6eb9e5acf5f1 100644 --- a/sdk/nodejs/secretsynccontroller/secretSync.ts +++ b/sdk/nodejs/secretsynccontroller/secretSync.ts @@ -155,7 +155,7 @@ export class SecretSync extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:secretsynccontroller/v20240821preview:SecretSync" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:secretsynccontroller/v20240821preview:SecretSync" }, { type: "azure-native_secretsynccontroller_v20240821preview:secretsynccontroller:SecretSync" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecretSync.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/advancedThreatProtection.ts b/sdk/nodejs/security/advancedThreatProtection.ts index 0f12a8b21318..fabeda53ddbc 100644 --- a/sdk/nodejs/security/advancedThreatProtection.ts +++ b/sdk/nodejs/security/advancedThreatProtection.ts @@ -82,7 +82,7 @@ export class AdvancedThreatProtection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20170801preview:AdvancedThreatProtection" }, { type: "azure-native:security/v20190101:AdvancedThreatProtection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20190101:AdvancedThreatProtection" }, { type: "azure-native_security_v20170801preview:security:AdvancedThreatProtection" }, { type: "azure-native_security_v20190101:security:AdvancedThreatProtection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AdvancedThreatProtection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/alertsSuppressionRule.ts b/sdk/nodejs/security/alertsSuppressionRule.ts index 5a66a6993d32..041ffe66d826 100644 --- a/sdk/nodejs/security/alertsSuppressionRule.ts +++ b/sdk/nodejs/security/alertsSuppressionRule.ts @@ -124,7 +124,7 @@ export class AlertsSuppressionRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20190101preview:AlertsSuppressionRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20190101preview:AlertsSuppressionRule" }, { type: "azure-native_security_v20190101preview:security:AlertsSuppressionRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AlertsSuppressionRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/apicollection.ts b/sdk/nodejs/security/apicollection.ts index 0d6824d99909..01c05659cc85 100644 --- a/sdk/nodejs/security/apicollection.ts +++ b/sdk/nodejs/security/apicollection.ts @@ -90,7 +90,7 @@ export class APICollection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20221120preview:APICollection" }, { type: "azure-native:security/v20231115:APICollection" }, { type: "azure-native:security/v20231115:APICollectionByAzureApiManagementService" }, { type: "azure-native:security:APICollectionByAzureApiManagementService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20221120preview:APICollection" }, { type: "azure-native:security/v20231115:APICollectionByAzureApiManagementService" }, { type: "azure-native:security:APICollectionByAzureApiManagementService" }, { type: "azure-native_security_v20221120preview:security:APICollection" }, { type: "azure-native_security_v20231115:security:APICollection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(APICollection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/apicollectionByAzureApiManagementService.ts b/sdk/nodejs/security/apicollectionByAzureApiManagementService.ts index cca4d56dd74a..4ee2a8555ce4 100644 --- a/sdk/nodejs/security/apicollectionByAzureApiManagementService.ts +++ b/sdk/nodejs/security/apicollectionByAzureApiManagementService.ts @@ -138,7 +138,7 @@ export class APICollectionByAzureApiManagementService extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20221120preview:APICollection" }, { type: "azure-native:security/v20221120preview:APICollectionByAzureApiManagementService" }, { type: "azure-native:security/v20231115:APICollectionByAzureApiManagementService" }, { type: "azure-native:security:APICollection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20221120preview:APICollection" }, { type: "azure-native:security/v20231115:APICollectionByAzureApiManagementService" }, { type: "azure-native:security:APICollection" }, { type: "azure-native_security_v20221120preview:security:APICollectionByAzureApiManagementService" }, { type: "azure-native_security_v20231115:security:APICollectionByAzureApiManagementService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(APICollectionByAzureApiManagementService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/application.ts b/sdk/nodejs/security/application.ts index fd94f71a78e3..596c41fca409 100644 --- a/sdk/nodejs/security/application.ts +++ b/sdk/nodejs/security/application.ts @@ -94,7 +94,7 @@ export class Application extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20220701preview:Application" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20220701preview:Application" }, { type: "azure-native_security_v20220701preview:security:Application" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Application.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/assessment.ts b/sdk/nodejs/security/assessment.ts index 60fb9df0694b..5480be4b9ed9 100644 --- a/sdk/nodejs/security/assessment.ts +++ b/sdk/nodejs/security/assessment.ts @@ -127,7 +127,7 @@ export class Assessment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20190101preview:Assessment" }, { type: "azure-native:security/v20200101:Assessment" }, { type: "azure-native:security/v20210601:Assessment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20200101:Assessment" }, { type: "azure-native:security/v20210601:Assessment" }, { type: "azure-native_security_v20190101preview:security:Assessment" }, { type: "azure-native_security_v20200101:security:Assessment" }, { type: "azure-native_security_v20210601:security:Assessment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Assessment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/assessmentMetadataInSubscription.ts b/sdk/nodejs/security/assessmentMetadataInSubscription.ts index 70d48601dec7..095a6d1932d3 100644 --- a/sdk/nodejs/security/assessmentMetadataInSubscription.ts +++ b/sdk/nodejs/security/assessmentMetadataInSubscription.ts @@ -162,7 +162,7 @@ export class AssessmentMetadataInSubscription extends pulumi.CustomResource { resourceInputs["userImpact"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20190101preview:AssessmentMetadataInSubscription" }, { type: "azure-native:security/v20190101preview:AssessmentsMetadataSubscription" }, { type: "azure-native:security/v20200101:AssessmentMetadataInSubscription" }, { type: "azure-native:security/v20210601:AssessmentMetadataInSubscription" }, { type: "azure-native:security:AssessmentsMetadataSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20190101preview:AssessmentsMetadataSubscription" }, { type: "azure-native:security/v20210601:AssessmentMetadataInSubscription" }, { type: "azure-native:security:AssessmentsMetadataSubscription" }, { type: "azure-native_security_v20190101preview:security:AssessmentMetadataInSubscription" }, { type: "azure-native_security_v20200101:security:AssessmentMetadataInSubscription" }, { type: "azure-native_security_v20210601:security:AssessmentMetadataInSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AssessmentMetadataInSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/assessmentsMetadataSubscription.ts b/sdk/nodejs/security/assessmentsMetadataSubscription.ts index 2b23bbed1388..acb43517f485 100644 --- a/sdk/nodejs/security/assessmentsMetadataSubscription.ts +++ b/sdk/nodejs/security/assessmentsMetadataSubscription.ts @@ -142,7 +142,7 @@ export class AssessmentsMetadataSubscription extends pulumi.CustomResource { resourceInputs["userImpact"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20190101preview:AssessmentsMetadataSubscription" }, { type: "azure-native:security/v20200101:AssessmentsMetadataSubscription" }, { type: "azure-native:security/v20210601:AssessmentMetadataInSubscription" }, { type: "azure-native:security/v20210601:AssessmentsMetadataSubscription" }, { type: "azure-native:security:AssessmentMetadataInSubscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20190101preview:AssessmentsMetadataSubscription" }, { type: "azure-native:security/v20210601:AssessmentMetadataInSubscription" }, { type: "azure-native:security:AssessmentMetadataInSubscription" }, { type: "azure-native_security_v20190101preview:security:AssessmentsMetadataSubscription" }, { type: "azure-native_security_v20200101:security:AssessmentsMetadataSubscription" }, { type: "azure-native_security_v20210601:security:AssessmentsMetadataSubscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AssessmentsMetadataSubscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/assignment.ts b/sdk/nodejs/security/assignment.ts index 20c1274e7ff5..356ec050fa2d 100644 --- a/sdk/nodejs/security/assignment.ts +++ b/sdk/nodejs/security/assignment.ts @@ -161,7 +161,7 @@ export class Assignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20210801preview:Assignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20210801preview:Assignment" }, { type: "azure-native_security_v20210801preview:security:Assignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Assignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/automation.ts b/sdk/nodejs/security/automation.ts index dc4a33a389fd..14a15a395618 100644 --- a/sdk/nodejs/security/automation.ts +++ b/sdk/nodejs/security/automation.ts @@ -133,7 +133,7 @@ export class Automation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20190101preview:Automation" }, { type: "azure-native:security/v20231201preview:Automation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20190101preview:Automation" }, { type: "azure-native:security/v20231201preview:Automation" }, { type: "azure-native_security_v20190101preview:security:Automation" }, { type: "azure-native_security_v20231201preview:security:Automation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Automation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/azureServersSetting.ts b/sdk/nodejs/security/azureServersSetting.ts index 72df93d69abb..a33e7bcb0cc0 100644 --- a/sdk/nodejs/security/azureServersSetting.ts +++ b/sdk/nodejs/security/azureServersSetting.ts @@ -98,7 +98,7 @@ export class AzureServersSetting extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20230501:AzureServersSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20230501:AzureServersSetting" }, { type: "azure-native_security_v20230501:security:AzureServersSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AzureServersSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/connector.ts b/sdk/nodejs/security/connector.ts index b4893507edae..8e04dea1ede1 100644 --- a/sdk/nodejs/security/connector.ts +++ b/sdk/nodejs/security/connector.ts @@ -85,7 +85,7 @@ export class Connector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20200101preview:Connector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20200101preview:Connector" }, { type: "azure-native_security_v20200101preview:security:Connector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Connector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/customAssessmentAutomation.ts b/sdk/nodejs/security/customAssessmentAutomation.ts index b8f1a0a9c451..e0931f0a190a 100644 --- a/sdk/nodejs/security/customAssessmentAutomation.ts +++ b/sdk/nodejs/security/customAssessmentAutomation.ts @@ -125,7 +125,7 @@ export class CustomAssessmentAutomation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20210701preview:CustomAssessmentAutomation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20210701preview:CustomAssessmentAutomation" }, { type: "azure-native_security_v20210701preview:security:CustomAssessmentAutomation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomAssessmentAutomation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/customEntityStoreAssignment.ts b/sdk/nodejs/security/customEntityStoreAssignment.ts index 33501141d89b..a075f2d974b2 100644 --- a/sdk/nodejs/security/customEntityStoreAssignment.ts +++ b/sdk/nodejs/security/customEntityStoreAssignment.ts @@ -95,7 +95,7 @@ export class CustomEntityStoreAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20210701preview:CustomEntityStoreAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20210701preview:CustomEntityStoreAssignment" }, { type: "azure-native_security_v20210701preview:security:CustomEntityStoreAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomEntityStoreAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/customRecommendation.ts b/sdk/nodejs/security/customRecommendation.ts index 9ee613e21c09..3a363f21c92c 100644 --- a/sdk/nodejs/security/customRecommendation.ts +++ b/sdk/nodejs/security/customRecommendation.ts @@ -131,7 +131,7 @@ export class CustomRecommendation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20240801:CustomRecommendation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20240801:CustomRecommendation" }, { type: "azure-native_security_v20240801:security:CustomRecommendation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomRecommendation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/defenderForStorage.ts b/sdk/nodejs/security/defenderForStorage.ts index 3519d5ddec16..aa45b229c6da 100644 --- a/sdk/nodejs/security/defenderForStorage.ts +++ b/sdk/nodejs/security/defenderForStorage.ts @@ -85,7 +85,7 @@ export class DefenderForStorage extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20221201preview:DefenderForStorage" }, { type: "azure-native:security/v20241001preview:DefenderForStorage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20221201preview:DefenderForStorage" }, { type: "azure-native:security/v20241001preview:DefenderForStorage" }, { type: "azure-native_security_v20221201preview:security:DefenderForStorage" }, { type: "azure-native_security_v20241001preview:security:DefenderForStorage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DefenderForStorage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/devOpsConfiguration.ts b/sdk/nodejs/security/devOpsConfiguration.ts index bf1203f790f9..483ab6fea7e9 100644 --- a/sdk/nodejs/security/devOpsConfiguration.ts +++ b/sdk/nodejs/security/devOpsConfiguration.ts @@ -94,7 +94,7 @@ export class DevOpsConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20230901preview:DevOpsConfiguration" }, { type: "azure-native:security/v20240401:DevOpsConfiguration" }, { type: "azure-native:security/v20240515preview:DevOpsConfiguration" }, { type: "azure-native:security/v20250301:DevOpsConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20230901preview:DevOpsConfiguration" }, { type: "azure-native:security/v20240401:DevOpsConfiguration" }, { type: "azure-native:security/v20240515preview:DevOpsConfiguration" }, { type: "azure-native_security_v20230901preview:security:DevOpsConfiguration" }, { type: "azure-native_security_v20240401:security:DevOpsConfiguration" }, { type: "azure-native_security_v20240515preview:security:DevOpsConfiguration" }, { type: "azure-native_security_v20250301:security:DevOpsConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DevOpsConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/deviceSecurityGroup.ts b/sdk/nodejs/security/deviceSecurityGroup.ts index e11f3c5a0d2e..38fb93b2efd6 100644 --- a/sdk/nodejs/security/deviceSecurityGroup.ts +++ b/sdk/nodejs/security/deviceSecurityGroup.ts @@ -103,7 +103,7 @@ export class DeviceSecurityGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20170801preview:DeviceSecurityGroup" }, { type: "azure-native:security/v20190801:DeviceSecurityGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20190801:DeviceSecurityGroup" }, { type: "azure-native_security_v20170801preview:security:DeviceSecurityGroup" }, { type: "azure-native_security_v20190801:security:DeviceSecurityGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DeviceSecurityGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/governanceAssignment.ts b/sdk/nodejs/security/governanceAssignment.ts index 06910a171c4b..4976b2143031 100644 --- a/sdk/nodejs/security/governanceAssignment.ts +++ b/sdk/nodejs/security/governanceAssignment.ts @@ -120,7 +120,7 @@ export class GovernanceAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20220101preview:GovernanceAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20220101preview:GovernanceAssignment" }, { type: "azure-native_security_v20220101preview:security:GovernanceAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GovernanceAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/governanceRule.ts b/sdk/nodejs/security/governanceRule.ts index 0301b1911bab..e13c807698f6 100644 --- a/sdk/nodejs/security/governanceRule.ts +++ b/sdk/nodejs/security/governanceRule.ts @@ -176,7 +176,7 @@ export class GovernanceRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20220101preview:GovernanceRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20220101preview:GovernanceRule" }, { type: "azure-native_security_v20220101preview:security:GovernanceRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GovernanceRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/iotSecuritySolution.ts b/sdk/nodejs/security/iotSecuritySolution.ts index 381b9f5806ab..d3ed92914570 100644 --- a/sdk/nodejs/security/iotSecuritySolution.ts +++ b/sdk/nodejs/security/iotSecuritySolution.ts @@ -169,7 +169,7 @@ export class IotSecuritySolution extends pulumi.CustomResource { resourceInputs["workspace"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20170801preview:IotSecuritySolution" }, { type: "azure-native:security/v20190801:IotSecuritySolution" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20170801preview:IotSecuritySolution" }, { type: "azure-native:security/v20190801:IotSecuritySolution" }, { type: "azure-native_security_v20170801preview:security:IotSecuritySolution" }, { type: "azure-native_security_v20190801:security:IotSecuritySolution" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IotSecuritySolution.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/jitNetworkAccessPolicy.ts b/sdk/nodejs/security/jitNetworkAccessPolicy.ts index c24b0bd024aa..99457e703cac 100644 --- a/sdk/nodejs/security/jitNetworkAccessPolicy.ts +++ b/sdk/nodejs/security/jitNetworkAccessPolicy.ts @@ -109,7 +109,7 @@ export class JitNetworkAccessPolicy extends pulumi.CustomResource { resourceInputs["virtualMachines"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20150601preview:JitNetworkAccessPolicy" }, { type: "azure-native:security/v20200101:JitNetworkAccessPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20200101:JitNetworkAccessPolicy" }, { type: "azure-native_security_v20150601preview:security:JitNetworkAccessPolicy" }, { type: "azure-native_security_v20200101:security:JitNetworkAccessPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JitNetworkAccessPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/pricing.ts b/sdk/nodejs/security/pricing.ts index d387547a68ca..c28f562282de 100644 --- a/sdk/nodejs/security/pricing.ts +++ b/sdk/nodejs/security/pricing.ts @@ -146,7 +146,7 @@ export class Pricing extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20240101:Pricing" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20240101:Pricing" }, { type: "azure-native_security_v20240101:security:Pricing" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Pricing.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/securityConnector.ts b/sdk/nodejs/security/securityConnector.ts index 8651fc380bef..e54a967ce138 100644 --- a/sdk/nodejs/security/securityConnector.ts +++ b/sdk/nodejs/security/securityConnector.ts @@ -139,7 +139,7 @@ export class SecurityConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20210701preview:SecurityConnector" }, { type: "azure-native:security/v20211201preview:SecurityConnector" }, { type: "azure-native:security/v20220501preview:SecurityConnector" }, { type: "azure-native:security/v20220801preview:SecurityConnector" }, { type: "azure-native:security/v20230301preview:SecurityConnector" }, { type: "azure-native:security/v20231001preview:SecurityConnector" }, { type: "azure-native:security/v20240301preview:SecurityConnector" }, { type: "azure-native:security/v20240701preview:SecurityConnector" }, { type: "azure-native:security/v20240801preview:SecurityConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20210701preview:SecurityConnector" }, { type: "azure-native:security/v20230301preview:SecurityConnector" }, { type: "azure-native:security/v20231001preview:SecurityConnector" }, { type: "azure-native:security/v20240301preview:SecurityConnector" }, { type: "azure-native:security/v20240701preview:SecurityConnector" }, { type: "azure-native:security/v20240801preview:SecurityConnector" }, { type: "azure-native_security_v20210701preview:security:SecurityConnector" }, { type: "azure-native_security_v20211201preview:security:SecurityConnector" }, { type: "azure-native_security_v20220501preview:security:SecurityConnector" }, { type: "azure-native_security_v20220801preview:security:SecurityConnector" }, { type: "azure-native_security_v20230301preview:security:SecurityConnector" }, { type: "azure-native_security_v20231001preview:security:SecurityConnector" }, { type: "azure-native_security_v20240301preview:security:SecurityConnector" }, { type: "azure-native_security_v20240701preview:security:SecurityConnector" }, { type: "azure-native_security_v20240801preview:security:SecurityConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/securityConnectorApplication.ts b/sdk/nodejs/security/securityConnectorApplication.ts index 39b97380fd78..e3ee6fde51c2 100644 --- a/sdk/nodejs/security/securityConnectorApplication.ts +++ b/sdk/nodejs/security/securityConnectorApplication.ts @@ -102,7 +102,7 @@ export class SecurityConnectorApplication extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20220701preview:SecurityConnectorApplication" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20220701preview:SecurityConnectorApplication" }, { type: "azure-native_security_v20220701preview:security:SecurityConnectorApplication" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityConnectorApplication.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/securityContact.ts b/sdk/nodejs/security/securityContact.ts index 293a06b9b787..344144a15c09 100644 --- a/sdk/nodejs/security/securityContact.ts +++ b/sdk/nodejs/security/securityContact.ts @@ -105,7 +105,7 @@ export class SecurityContact extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20170801preview:SecurityContact" }, { type: "azure-native:security/v20200101preview:SecurityContact" }, { type: "azure-native:security/v20231201preview:SecurityContact" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20170801preview:SecurityContact" }, { type: "azure-native:security/v20200101preview:SecurityContact" }, { type: "azure-native:security/v20231201preview:SecurityContact" }, { type: "azure-native_security_v20170801preview:security:SecurityContact" }, { type: "azure-native_security_v20200101preview:security:SecurityContact" }, { type: "azure-native_security_v20231201preview:security:SecurityContact" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityContact.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/securityOperator.ts b/sdk/nodejs/security/securityOperator.ts index e9ecb8e65022..e71d78feb2d9 100644 --- a/sdk/nodejs/security/securityOperator.ts +++ b/sdk/nodejs/security/securityOperator.ts @@ -83,7 +83,7 @@ export class SecurityOperator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20230101preview:SecurityOperator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20230101preview:SecurityOperator" }, { type: "azure-native_security_v20230101preview:security:SecurityOperator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityOperator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/securityStandard.ts b/sdk/nodejs/security/securityStandard.ts index 08bd79a28fe1..cb62a2623ee2 100644 --- a/sdk/nodejs/security/securityStandard.ts +++ b/sdk/nodejs/security/securityStandard.ts @@ -119,7 +119,7 @@ export class SecurityStandard extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20240801:SecurityStandard" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20240801:SecurityStandard" }, { type: "azure-native_security_v20240801:security:SecurityStandard" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityStandard.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/serverVulnerabilityAssessment.ts b/sdk/nodejs/security/serverVulnerabilityAssessment.ts index 6c032bb901ec..f329fbd63afd 100644 --- a/sdk/nodejs/security/serverVulnerabilityAssessment.ts +++ b/sdk/nodejs/security/serverVulnerabilityAssessment.ts @@ -92,7 +92,7 @@ export class ServerVulnerabilityAssessment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20200101:ServerVulnerabilityAssessment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20200101:ServerVulnerabilityAssessment" }, { type: "azure-native_security_v20200101:security:ServerVulnerabilityAssessment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerVulnerabilityAssessment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/sqlVulnerabilityAssessmentBaselineRule.ts b/sdk/nodejs/security/sqlVulnerabilityAssessmentBaselineRule.ts index ede7ef05499e..b0b41c5cc389 100644 --- a/sdk/nodejs/security/sqlVulnerabilityAssessmentBaselineRule.ts +++ b/sdk/nodejs/security/sqlVulnerabilityAssessmentBaselineRule.ts @@ -91,7 +91,7 @@ export class SqlVulnerabilityAssessmentBaselineRule extends pulumi.CustomResourc resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20200701preview:SqlVulnerabilityAssessmentBaselineRule" }, { type: "azure-native:security/v20230201preview:SqlVulnerabilityAssessmentBaselineRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20230201preview:SqlVulnerabilityAssessmentBaselineRule" }, { type: "azure-native_security_v20200701preview:security:SqlVulnerabilityAssessmentBaselineRule" }, { type: "azure-native_security_v20230201preview:security:SqlVulnerabilityAssessmentBaselineRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlVulnerabilityAssessmentBaselineRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/standard.ts b/sdk/nodejs/security/standard.ts index 48e8f3551b9a..dc8cf63139f0 100644 --- a/sdk/nodejs/security/standard.ts +++ b/sdk/nodejs/security/standard.ts @@ -143,7 +143,7 @@ export class Standard extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20210801preview:Standard" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20210801preview:Standard" }, { type: "azure-native_security_v20210801preview:security:Standard" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Standard.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/standardAssignment.ts b/sdk/nodejs/security/standardAssignment.ts index ad210060bbd9..b6c9f6dc71e4 100644 --- a/sdk/nodejs/security/standardAssignment.ts +++ b/sdk/nodejs/security/standardAssignment.ts @@ -131,7 +131,7 @@ export class StandardAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20240801:StandardAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20240801:StandardAssignment" }, { type: "azure-native_security_v20240801:security:StandardAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StandardAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/security/workspaceSetting.ts b/sdk/nodejs/security/workspaceSetting.ts index 976223e18d50..a17e110b97a8 100644 --- a/sdk/nodejs/security/workspaceSetting.ts +++ b/sdk/nodejs/security/workspaceSetting.ts @@ -88,7 +88,7 @@ export class WorkspaceSetting extends pulumi.CustomResource { resourceInputs["workspaceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:security/v20170801preview:WorkspaceSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:security/v20170801preview:WorkspaceSetting" }, { type: "azure-native_security_v20170801preview:security:WorkspaceSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsAdtAPI.ts b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsAdtAPI.ts index 8a8e6e4ff78a..6f860a6274e4 100644 --- a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsAdtAPI.ts +++ b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsAdtAPI.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsAdtAPI extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsAdtAPI" }, { type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsAdtAPI" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsAdtAPI" }, { type: "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsAdtAPI" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsAdtAPI" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsAdtAPI.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsComp.ts b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsComp.ts index e8ca1faf6b27..9ee952cc8c36 100644 --- a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsComp.ts +++ b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsComp.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsComp extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsComp" }, { type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsComp" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsComp" }, { type: "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsComp" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsComp" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsComp.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForEDM.ts b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForEDM.ts index 16663790c7bb..dcf35e09226b 100644 --- a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForEDM.ts +++ b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForEDM.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsForEDM extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsForEDM" }, { type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForEDM" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForEDM" }, { type: "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsForEDM" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForEDM" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsForEDM.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForMIPPolicySync.ts b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForMIPPolicySync.ts index f016125a4cd0..740649dfaef8 100644 --- a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForMIPPolicySync.ts +++ b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForMIPPolicySync.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsForMIPPolicySync extends pulumi.CustomRes resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForMIPPolicySync" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForMIPPolicySync" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForMIPPolicySync" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsForMIPPolicySync.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForSCCPowershell.ts b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForSCCPowershell.ts index 41cd700658c6..0318a51479c6 100644 --- a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForSCCPowershell.ts +++ b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsForSCCPowershell.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsForSCCPowershell extends pulumi.CustomRes resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsForSCCPowershell" }, { type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForSCCPowershell" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForSCCPowershell" }, { type: "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsForSCCPowershell" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForSCCPowershell" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsForSCCPowershell.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsSec.ts b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsSec.ts index b5c2ef072739..dd21967d279b 100644 --- a/sdk/nodejs/securityandcompliance/privateEndpointConnectionsSec.ts +++ b/sdk/nodejs/securityandcompliance/privateEndpointConnectionsSec.ts @@ -108,7 +108,7 @@ export class PrivateEndpointConnectionsSec extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsSec" }, { type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsSec" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsSec" }, { type: "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsSec" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsSec" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnectionsSec.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateLinkServicesForEDMUpload.ts b/sdk/nodejs/securityandcompliance/privateLinkServicesForEDMUpload.ts index c348a41c9b66..0bc048b5ace7 100644 --- a/sdk/nodejs/securityandcompliance/privateLinkServicesForEDMUpload.ts +++ b/sdk/nodejs/securityandcompliance/privateLinkServicesForEDMUpload.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForEDMUpload extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210111:PrivateLinkServicesForEDMUpload" }, { type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForEDMUpload" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForEDMUpload" }, { type: "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForEDMUpload" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForEDMUpload" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForEDMUpload.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateLinkServicesForM365ComplianceCenter.ts b/sdk/nodejs/securityandcompliance/privateLinkServicesForM365ComplianceCenter.ts index 84aa7c4e22e9..9372909d1ac1 100644 --- a/sdk/nodejs/securityandcompliance/privateLinkServicesForM365ComplianceCenter.ts +++ b/sdk/nodejs/securityandcompliance/privateLinkServicesForM365ComplianceCenter.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForM365ComplianceCenter extends pulumi.CustomRes resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210111:PrivateLinkServicesForM365ComplianceCenter" }, { type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365ComplianceCenter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365ComplianceCenter" }, { type: "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForM365ComplianceCenter" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForM365ComplianceCenter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForM365ComplianceCenter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateLinkServicesForM365SecurityCenter.ts b/sdk/nodejs/securityandcompliance/privateLinkServicesForM365SecurityCenter.ts index 1d2d1ba16024..895a14805dcb 100644 --- a/sdk/nodejs/securityandcompliance/privateLinkServicesForM365SecurityCenter.ts +++ b/sdk/nodejs/securityandcompliance/privateLinkServicesForM365SecurityCenter.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForM365SecurityCenter extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210111:PrivateLinkServicesForM365SecurityCenter" }, { type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365SecurityCenter" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365SecurityCenter" }, { type: "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForM365SecurityCenter" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForM365SecurityCenter" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForM365SecurityCenter.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateLinkServicesForMIPPolicySync.ts b/sdk/nodejs/securityandcompliance/privateLinkServicesForMIPPolicySync.ts index 9511cc65b27f..2bec69a39698 100644 --- a/sdk/nodejs/securityandcompliance/privateLinkServicesForMIPPolicySync.ts +++ b/sdk/nodejs/securityandcompliance/privateLinkServicesForMIPPolicySync.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForMIPPolicySync extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForMIPPolicySync" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForMIPPolicySync" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForMIPPolicySync" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForMIPPolicySync.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateLinkServicesForO365ManagementActivityAPI.ts b/sdk/nodejs/securityandcompliance/privateLinkServicesForO365ManagementActivityAPI.ts index 17b5ce770bd7..fc26e8c0405f 100644 --- a/sdk/nodejs/securityandcompliance/privateLinkServicesForO365ManagementActivityAPI.ts +++ b/sdk/nodejs/securityandcompliance/privateLinkServicesForO365ManagementActivityAPI.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForO365ManagementActivityAPI extends pulumi.Cust resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210111:PrivateLinkServicesForO365ManagementActivityAPI" }, { type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForO365ManagementActivityAPI" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForO365ManagementActivityAPI" }, { type: "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForO365ManagementActivityAPI.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityandcompliance/privateLinkServicesForSCCPowershell.ts b/sdk/nodejs/securityandcompliance/privateLinkServicesForSCCPowershell.ts index e7f915be1aca..269cd714d80d 100644 --- a/sdk/nodejs/securityandcompliance/privateLinkServicesForSCCPowershell.ts +++ b/sdk/nodejs/securityandcompliance/privateLinkServicesForSCCPowershell.ts @@ -122,7 +122,7 @@ export class PrivateLinkServicesForSCCPowershell extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210111:PrivateLinkServicesForSCCPowershell" }, { type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForSCCPowershell" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityandcompliance/v20210308:PrivateLinkServicesForSCCPowershell" }, { type: "azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForSCCPowershell" }, { type: "azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForSCCPowershell" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkServicesForSCCPowershell.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/aaddataConnector.ts b/sdk/nodejs/securityinsights/aaddataConnector.ts index 264408e08234..b3d42b42fa53 100644 --- a/sdk/nodejs/securityinsights/aaddataConnector.ts +++ b/sdk/nodejs/securityinsights/aaddataConnector.ts @@ -115,7 +115,7 @@ export class AADDataConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20200101:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20210901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20211001:AADDataConnector" }, { type: "azure-native:securityinsights/v20211001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20220101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20220401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20220501preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20220601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20220701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20220801:AADDataConnector" }, { type: "azure-native:securityinsights/v20220801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20220901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20221001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20221101:AADDataConnector" }, { type: "azure-native:securityinsights/v20221101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20221201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230501preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20250101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20250301:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20200101:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20211001:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20220801:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20221101:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20230201:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20231101:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20240301:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20240901:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:AADDataConnector" }, { type: "azure-native_securityinsights_v20250301:securityinsights:AADDataConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AADDataConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/aatpdataConnector.ts b/sdk/nodejs/securityinsights/aatpdataConnector.ts index 6526620c88b7..f31dc0e13cc6 100644 --- a/sdk/nodejs/securityinsights/aatpdataConnector.ts +++ b/sdk/nodejs/securityinsights/aatpdataConnector.ts @@ -115,7 +115,7 @@ export class AATPDataConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20200101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20210901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20211001:AATPDataConnector" }, { type: "azure-native:securityinsights/v20211001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20220101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20220401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20220501preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20220601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20220701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20220801:AATPDataConnector" }, { type: "azure-native:securityinsights/v20220801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20220901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20221001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20221101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20221101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20221201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230501preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20250101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20250301:AATPDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20200101:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20211001:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20220801:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20221101:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20230201:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20231101:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20240301:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20240901:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:AATPDataConnector" }, { type: "azure-native_securityinsights_v20250301:securityinsights:AATPDataConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AATPDataConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/action.ts b/sdk/nodejs/securityinsights/action.ts index e88fe1dc6d76..3993ca68cfc9 100644 --- a/sdk/nodejs/securityinsights/action.ts +++ b/sdk/nodejs/securityinsights/action.ts @@ -118,7 +118,7 @@ export class Action extends pulumi.CustomResource { resourceInputs["workflowId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:Action" }, { type: "azure-native:securityinsights/v20200101:Action" }, { type: "azure-native:securityinsights/v20210301preview:Action" }, { type: "azure-native:securityinsights/v20210901preview:Action" }, { type: "azure-native:securityinsights/v20211001:Action" }, { type: "azure-native:securityinsights/v20211001preview:Action" }, { type: "azure-native:securityinsights/v20220101preview:Action" }, { type: "azure-native:securityinsights/v20220401preview:Action" }, { type: "azure-native:securityinsights/v20220501preview:Action" }, { type: "azure-native:securityinsights/v20220601preview:Action" }, { type: "azure-native:securityinsights/v20220701preview:Action" }, { type: "azure-native:securityinsights/v20220801:Action" }, { type: "azure-native:securityinsights/v20220801preview:Action" }, { type: "azure-native:securityinsights/v20220901preview:Action" }, { type: "azure-native:securityinsights/v20221001preview:Action" }, { type: "azure-native:securityinsights/v20221101:Action" }, { type: "azure-native:securityinsights/v20221101preview:Action" }, { type: "azure-native:securityinsights/v20221201preview:Action" }, { type: "azure-native:securityinsights/v20230201:Action" }, { type: "azure-native:securityinsights/v20230201preview:Action" }, { type: "azure-native:securityinsights/v20230301preview:Action" }, { type: "azure-native:securityinsights/v20230401preview:Action" }, { type: "azure-native:securityinsights/v20230501preview:Action" }, { type: "azure-native:securityinsights/v20230601preview:Action" }, { type: "azure-native:securityinsights/v20230701preview:Action" }, { type: "azure-native:securityinsights/v20230801preview:Action" }, { type: "azure-native:securityinsights/v20230901preview:Action" }, { type: "azure-native:securityinsights/v20231001preview:Action" }, { type: "azure-native:securityinsights/v20231101:Action" }, { type: "azure-native:securityinsights/v20231201preview:Action" }, { type: "azure-native:securityinsights/v20240101preview:Action" }, { type: "azure-native:securityinsights/v20240301:Action" }, { type: "azure-native:securityinsights/v20240401preview:Action" }, { type: "azure-native:securityinsights/v20240901:Action" }, { type: "azure-native:securityinsights/v20241001preview:Action" }, { type: "azure-native:securityinsights/v20250101preview:Action" }, { type: "azure-native:securityinsights/v20250301:Action" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:Action" }, { type: "azure-native:securityinsights/v20230201:Action" }, { type: "azure-native:securityinsights/v20230601preview:Action" }, { type: "azure-native:securityinsights/v20230701preview:Action" }, { type: "azure-native:securityinsights/v20230801preview:Action" }, { type: "azure-native:securityinsights/v20230901preview:Action" }, { type: "azure-native:securityinsights/v20231001preview:Action" }, { type: "azure-native:securityinsights/v20231101:Action" }, { type: "azure-native:securityinsights/v20231201preview:Action" }, { type: "azure-native:securityinsights/v20240101preview:Action" }, { type: "azure-native:securityinsights/v20240301:Action" }, { type: "azure-native:securityinsights/v20240401preview:Action" }, { type: "azure-native:securityinsights/v20240901:Action" }, { type: "azure-native:securityinsights/v20241001preview:Action" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20200101:securityinsights:Action" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20211001:securityinsights:Action" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20220801:securityinsights:Action" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20221101:securityinsights:Action" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20230201:securityinsights:Action" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20231101:securityinsights:Action" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20240301:securityinsights:Action" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20240901:securityinsights:Action" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:Action" }, { type: "azure-native_securityinsights_v20250301:securityinsights:Action" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Action.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/activityCustomEntityQuery.ts b/sdk/nodejs/securityinsights/activityCustomEntityQuery.ts index a9072ec2f3e5..d524de7a8ae6 100644 --- a/sdk/nodejs/securityinsights/activityCustomEntityQuery.ts +++ b/sdk/nodejs/securityinsights/activityCustomEntityQuery.ts @@ -169,7 +169,7 @@ export class ActivityCustomEntityQuery extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20210901preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20211001preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20220101preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20220401preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20220501preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20220601preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20220701preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20220801preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20220901preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20221001preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20221101preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20221201preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230201preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230301preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230401preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230501preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230601preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230701preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230801preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230901preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20231001preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20231201preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20240101preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20240401preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20241001preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20250101preview:ActivityCustomEntityQuery" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230601preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230701preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230801preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20230901preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20231001preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20231201preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20240101preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20240401preview:ActivityCustomEntityQuery" }, { type: "azure-native:securityinsights/v20241001preview:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:ActivityCustomEntityQuery" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:ActivityCustomEntityQuery" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ActivityCustomEntityQuery.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/anomalies.ts b/sdk/nodejs/securityinsights/anomalies.ts index a1b827c610b8..443d5af81d9e 100644 --- a/sdk/nodejs/securityinsights/anomalies.ts +++ b/sdk/nodejs/securityinsights/anomalies.ts @@ -109,7 +109,7 @@ export class Anomalies extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:Anomalies" }, { type: "azure-native:securityinsights/v20190101preview:IPSyncer" }, { type: "azure-native:securityinsights/v20210301preview:Anomalies" }, { type: "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20210301preview:EyesOn" }, { type: "azure-native:securityinsights/v20210301preview:Ueba" }, { type: "azure-native:securityinsights/v20210901preview:Anomalies" }, { type: "azure-native:securityinsights/v20211001preview:Anomalies" }, { type: "azure-native:securityinsights/v20220101preview:Anomalies" }, { type: "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20220401preview:Anomalies" }, { type: "azure-native:securityinsights/v20220501preview:Anomalies" }, { type: "azure-native:securityinsights/v20220601preview:Anomalies" }, { type: "azure-native:securityinsights/v20220701preview:Anomalies" }, { type: "azure-native:securityinsights/v20220801preview:Anomalies" }, { type: "azure-native:securityinsights/v20220901preview:Anomalies" }, { type: "azure-native:securityinsights/v20221001preview:Anomalies" }, { type: "azure-native:securityinsights/v20221101preview:Anomalies" }, { type: "azure-native:securityinsights/v20221201preview:Anomalies" }, { type: "azure-native:securityinsights/v20230201preview:Anomalies" }, { type: "azure-native:securityinsights/v20230301preview:Anomalies" }, { type: "azure-native:securityinsights/v20230401preview:Anomalies" }, { type: "azure-native:securityinsights/v20230501preview:Anomalies" }, { type: "azure-native:securityinsights/v20230601preview:Anomalies" }, { type: "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:EyesOn" }, { type: "azure-native:securityinsights/v20230601preview:Ueba" }, { type: "azure-native:securityinsights/v20230701preview:Anomalies" }, { type: "azure-native:securityinsights/v20230701preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230701preview:EyesOn" }, { type: "azure-native:securityinsights/v20230701preview:Ueba" }, { type: "azure-native:securityinsights/v20230801preview:Anomalies" }, { type: "azure-native:securityinsights/v20230801preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230801preview:EyesOn" }, { type: "azure-native:securityinsights/v20230801preview:Ueba" }, { type: "azure-native:securityinsights/v20230901preview:Anomalies" }, { type: "azure-native:securityinsights/v20230901preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230901preview:EyesOn" }, { type: "azure-native:securityinsights/v20230901preview:Ueba" }, { type: "azure-native:securityinsights/v20231001preview:Anomalies" }, { type: "azure-native:securityinsights/v20231001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231001preview:EyesOn" }, { type: "azure-native:securityinsights/v20231001preview:Ueba" }, { type: "azure-native:securityinsights/v20231201preview:Anomalies" }, { type: "azure-native:securityinsights/v20231201preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231201preview:EyesOn" }, { type: "azure-native:securityinsights/v20231201preview:Ueba" }, { type: "azure-native:securityinsights/v20240101preview:Anomalies" }, { type: "azure-native:securityinsights/v20240101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240101preview:EyesOn" }, { type: "azure-native:securityinsights/v20240101preview:Ueba" }, { type: "azure-native:securityinsights/v20240401preview:Anomalies" }, { type: "azure-native:securityinsights/v20240401preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240401preview:EyesOn" }, { type: "azure-native:securityinsights/v20240401preview:Ueba" }, { type: "azure-native:securityinsights/v20241001preview:Anomalies" }, { type: "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20241001preview:EyesOn" }, { type: "azure-native:securityinsights/v20241001preview:Ueba" }, { type: "azure-native:securityinsights/v20250101preview:Anomalies" }, { type: "azure-native:securityinsights:EntityAnalytics" }, { type: "azure-native:securityinsights:EyesOn" }, { type: "azure-native:securityinsights:Ueba" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:IPSyncer" }, { type: "azure-native:securityinsights/v20210301preview:Anomalies" }, { type: "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20210301preview:EyesOn" }, { type: "azure-native:securityinsights/v20210301preview:Ueba" }, { type: "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:Anomalies" }, { type: "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:EyesOn" }, { type: "azure-native:securityinsights/v20230601preview:Ueba" }, { type: "azure-native:securityinsights/v20230701preview:Anomalies" }, { type: "azure-native:securityinsights/v20230701preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230701preview:EyesOn" }, { type: "azure-native:securityinsights/v20230701preview:Ueba" }, { type: "azure-native:securityinsights/v20230801preview:Anomalies" }, { type: "azure-native:securityinsights/v20230801preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230801preview:EyesOn" }, { type: "azure-native:securityinsights/v20230801preview:Ueba" }, { type: "azure-native:securityinsights/v20230901preview:Anomalies" }, { type: "azure-native:securityinsights/v20230901preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230901preview:EyesOn" }, { type: "azure-native:securityinsights/v20230901preview:Ueba" }, { type: "azure-native:securityinsights/v20231001preview:Anomalies" }, { type: "azure-native:securityinsights/v20231001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231001preview:EyesOn" }, { type: "azure-native:securityinsights/v20231001preview:Ueba" }, { type: "azure-native:securityinsights/v20231201preview:Anomalies" }, { type: "azure-native:securityinsights/v20231201preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231201preview:EyesOn" }, { type: "azure-native:securityinsights/v20231201preview:Ueba" }, { type: "azure-native:securityinsights/v20240101preview:Anomalies" }, { type: "azure-native:securityinsights/v20240101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240101preview:EyesOn" }, { type: "azure-native:securityinsights/v20240101preview:Ueba" }, { type: "azure-native:securityinsights/v20240401preview:Anomalies" }, { type: "azure-native:securityinsights/v20240401preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240401preview:EyesOn" }, { type: "azure-native:securityinsights/v20240401preview:Ueba" }, { type: "azure-native:securityinsights/v20241001preview:Anomalies" }, { type: "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20241001preview:EyesOn" }, { type: "azure-native:securityinsights/v20241001preview:Ueba" }, { type: "azure-native:securityinsights:EntityAnalytics" }, { type: "azure-native:securityinsights:EyesOn" }, { type: "azure-native:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:Anomalies" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:Anomalies" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Anomalies.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/anomalySecurityMLAnalyticsSettings.ts b/sdk/nodejs/securityinsights/anomalySecurityMLAnalyticsSettings.ts index 2457931d2de8..ead1fb8ee615 100644 --- a/sdk/nodejs/securityinsights/anomalySecurityMLAnalyticsSettings.ts +++ b/sdk/nodejs/securityinsights/anomalySecurityMLAnalyticsSettings.ts @@ -205,7 +205,7 @@ export class AnomalySecurityMLAnalyticsSettings extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20220501preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20220601preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20220701preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20220801preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20220901preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20221001preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20221101:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20221101preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20221201preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230201:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230201preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230301preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230401preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230501preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230601preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230701preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230801preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230901preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20231001preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20231101:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20231201preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20240101preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20240301:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20240401preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20240901:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20241001preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20250101preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20250301:AnomalySecurityMLAnalyticsSettings" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230701preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230801preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20230901preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20231001preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20231101:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20231201preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20240101preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20240301:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20240401preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20240901:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native:securityinsights/v20241001preview:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20221101:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20230201:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20231101:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20240301:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20240901:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:AnomalySecurityMLAnalyticsSettings" }, { type: "azure-native_securityinsights_v20250301:securityinsights:AnomalySecurityMLAnalyticsSettings" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AnomalySecurityMLAnalyticsSettings.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/ascdataConnector.ts b/sdk/nodejs/securityinsights/ascdataConnector.ts index daa91f113780..d5c374527f60 100644 --- a/sdk/nodejs/securityinsights/ascdataConnector.ts +++ b/sdk/nodejs/securityinsights/ascdataConnector.ts @@ -115,7 +115,7 @@ export class ASCDataConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20200101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20210901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20211001:ASCDataConnector" }, { type: "azure-native:securityinsights/v20211001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20220101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20220401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20220501preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20220601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20220701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20220801:ASCDataConnector" }, { type: "azure-native:securityinsights/v20220801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20220901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20221001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20221101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20221101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20221201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230501preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20250101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20250301:ASCDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20200101:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20211001:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20220801:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20221101:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20230201:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20231101:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20240301:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20240901:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:ASCDataConnector" }, { type: "azure-native_securityinsights_v20250301:securityinsights:ASCDataConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ASCDataConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/automationRule.ts b/sdk/nodejs/securityinsights/automationRule.ts index caacf5d0c360..44c7fbd50757 100644 --- a/sdk/nodejs/securityinsights/automationRule.ts +++ b/sdk/nodejs/securityinsights/automationRule.ts @@ -153,7 +153,7 @@ export class AutomationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:AutomationRule" }, { type: "azure-native:securityinsights/v20210901preview:AutomationRule" }, { type: "azure-native:securityinsights/v20211001:AutomationRule" }, { type: "azure-native:securityinsights/v20211001preview:AutomationRule" }, { type: "azure-native:securityinsights/v20220101preview:AutomationRule" }, { type: "azure-native:securityinsights/v20220401preview:AutomationRule" }, { type: "azure-native:securityinsights/v20220501preview:AutomationRule" }, { type: "azure-native:securityinsights/v20220601preview:AutomationRule" }, { type: "azure-native:securityinsights/v20220701preview:AutomationRule" }, { type: "azure-native:securityinsights/v20220801:AutomationRule" }, { type: "azure-native:securityinsights/v20220801preview:AutomationRule" }, { type: "azure-native:securityinsights/v20220901preview:AutomationRule" }, { type: "azure-native:securityinsights/v20221001preview:AutomationRule" }, { type: "azure-native:securityinsights/v20221101:AutomationRule" }, { type: "azure-native:securityinsights/v20221101preview:AutomationRule" }, { type: "azure-native:securityinsights/v20221201preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230201:AutomationRule" }, { type: "azure-native:securityinsights/v20230201preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230301preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230401preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230501preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230601preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230701preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230801preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230901preview:AutomationRule" }, { type: "azure-native:securityinsights/v20231001preview:AutomationRule" }, { type: "azure-native:securityinsights/v20231101:AutomationRule" }, { type: "azure-native:securityinsights/v20231201preview:AutomationRule" }, { type: "azure-native:securityinsights/v20240101preview:AutomationRule" }, { type: "azure-native:securityinsights/v20240301:AutomationRule" }, { type: "azure-native:securityinsights/v20240401preview:AutomationRule" }, { type: "azure-native:securityinsights/v20240901:AutomationRule" }, { type: "azure-native:securityinsights/v20241001preview:AutomationRule" }, { type: "azure-native:securityinsights/v20250101preview:AutomationRule" }, { type: "azure-native:securityinsights/v20250301:AutomationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230201:AutomationRule" }, { type: "azure-native:securityinsights/v20230601preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230701preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230801preview:AutomationRule" }, { type: "azure-native:securityinsights/v20230901preview:AutomationRule" }, { type: "azure-native:securityinsights/v20231001preview:AutomationRule" }, { type: "azure-native:securityinsights/v20231101:AutomationRule" }, { type: "azure-native:securityinsights/v20231201preview:AutomationRule" }, { type: "azure-native:securityinsights/v20240101preview:AutomationRule" }, { type: "azure-native:securityinsights/v20240301:AutomationRule" }, { type: "azure-native:securityinsights/v20240401preview:AutomationRule" }, { type: "azure-native:securityinsights/v20240901:AutomationRule" }, { type: "azure-native:securityinsights/v20241001preview:AutomationRule" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20211001:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20220801:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20221101:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20230201:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20231101:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20240301:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20240901:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:AutomationRule" }, { type: "azure-native_securityinsights_v20250301:securityinsights:AutomationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AutomationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/awsCloudTrailDataConnector.ts b/sdk/nodejs/securityinsights/awsCloudTrailDataConnector.ts index c0ba7cd4d947..516833d7243e 100644 --- a/sdk/nodejs/securityinsights/awsCloudTrailDataConnector.ts +++ b/sdk/nodejs/securityinsights/awsCloudTrailDataConnector.ts @@ -115,7 +115,7 @@ export class AwsCloudTrailDataConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20200101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20210901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20211001:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20211001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20220101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20220401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20220501preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20220601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20220701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20220801:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20220801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20220901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20221001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20221101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20221101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20221201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230501preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20250101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20250301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20200101:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20211001:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20220801:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20221101:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20230201:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20231101:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20240301:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20240901:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native_securityinsights_v20250301:securityinsights:AwsCloudTrailDataConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AwsCloudTrailDataConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/bookmark.ts b/sdk/nodejs/securityinsights/bookmark.ts index abbfa4663ac0..e5f1bd34dd61 100644 --- a/sdk/nodejs/securityinsights/bookmark.ts +++ b/sdk/nodejs/securityinsights/bookmark.ts @@ -179,7 +179,7 @@ export class Bookmark extends pulumi.CustomResource { resourceInputs["updatedBy"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:Bookmark" }, { type: "azure-native:securityinsights/v20200101:Bookmark" }, { type: "azure-native:securityinsights/v20210901preview:Bookmark" }, { type: "azure-native:securityinsights/v20211001:Bookmark" }, { type: "azure-native:securityinsights/v20211001preview:Bookmark" }, { type: "azure-native:securityinsights/v20220101preview:Bookmark" }, { type: "azure-native:securityinsights/v20220401preview:Bookmark" }, { type: "azure-native:securityinsights/v20220501preview:Bookmark" }, { type: "azure-native:securityinsights/v20220601preview:Bookmark" }, { type: "azure-native:securityinsights/v20220701preview:Bookmark" }, { type: "azure-native:securityinsights/v20220801:Bookmark" }, { type: "azure-native:securityinsights/v20220801preview:Bookmark" }, { type: "azure-native:securityinsights/v20220901preview:Bookmark" }, { type: "azure-native:securityinsights/v20221001preview:Bookmark" }, { type: "azure-native:securityinsights/v20221101:Bookmark" }, { type: "azure-native:securityinsights/v20221101preview:Bookmark" }, { type: "azure-native:securityinsights/v20221201preview:Bookmark" }, { type: "azure-native:securityinsights/v20230201:Bookmark" }, { type: "azure-native:securityinsights/v20230201preview:Bookmark" }, { type: "azure-native:securityinsights/v20230301preview:Bookmark" }, { type: "azure-native:securityinsights/v20230401preview:Bookmark" }, { type: "azure-native:securityinsights/v20230501preview:Bookmark" }, { type: "azure-native:securityinsights/v20230601preview:Bookmark" }, { type: "azure-native:securityinsights/v20230701preview:Bookmark" }, { type: "azure-native:securityinsights/v20230801preview:Bookmark" }, { type: "azure-native:securityinsights/v20230901preview:Bookmark" }, { type: "azure-native:securityinsights/v20231001preview:Bookmark" }, { type: "azure-native:securityinsights/v20231101:Bookmark" }, { type: "azure-native:securityinsights/v20231201preview:Bookmark" }, { type: "azure-native:securityinsights/v20240101preview:Bookmark" }, { type: "azure-native:securityinsights/v20240301:Bookmark" }, { type: "azure-native:securityinsights/v20240401preview:Bookmark" }, { type: "azure-native:securityinsights/v20240901:Bookmark" }, { type: "azure-native:securityinsights/v20241001preview:Bookmark" }, { type: "azure-native:securityinsights/v20250101preview:Bookmark" }, { type: "azure-native:securityinsights/v20250301:Bookmark" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:Bookmark" }, { type: "azure-native:securityinsights/v20230201:Bookmark" }, { type: "azure-native:securityinsights/v20230601preview:Bookmark" }, { type: "azure-native:securityinsights/v20230701preview:Bookmark" }, { type: "azure-native:securityinsights/v20230801preview:Bookmark" }, { type: "azure-native:securityinsights/v20230901preview:Bookmark" }, { type: "azure-native:securityinsights/v20231001preview:Bookmark" }, { type: "azure-native:securityinsights/v20231101:Bookmark" }, { type: "azure-native:securityinsights/v20231201preview:Bookmark" }, { type: "azure-native:securityinsights/v20240101preview:Bookmark" }, { type: "azure-native:securityinsights/v20240301:Bookmark" }, { type: "azure-native:securityinsights/v20240401preview:Bookmark" }, { type: "azure-native:securityinsights/v20240901:Bookmark" }, { type: "azure-native:securityinsights/v20241001preview:Bookmark" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20200101:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20211001:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20220801:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20221101:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20230201:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20231101:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20240301:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20240901:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:Bookmark" }, { type: "azure-native_securityinsights_v20250301:securityinsights:Bookmark" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Bookmark.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/bookmarkRelation.ts b/sdk/nodejs/securityinsights/bookmarkRelation.ts index e9b68bd81f6a..b0231e2152c6 100644 --- a/sdk/nodejs/securityinsights/bookmarkRelation.ts +++ b/sdk/nodejs/securityinsights/bookmarkRelation.ts @@ -126,7 +126,7 @@ export class BookmarkRelation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20210901preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20211001preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20220101preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20220401preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20220501preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20220601preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20220701preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20220801preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20220901preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20221001preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20221101preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20221201preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230201preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230301preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230401preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230501preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230601preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230701preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230801preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230901preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20231001preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20231201preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20240101preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20240401preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20241001preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20250101preview:BookmarkRelation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230601preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230701preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230801preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20230901preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20231001preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20231201preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20240101preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20240401preview:BookmarkRelation" }, { type: "azure-native:securityinsights/v20241001preview:BookmarkRelation" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:BookmarkRelation" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:BookmarkRelation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BookmarkRelation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/businessApplicationAgent.ts b/sdk/nodejs/securityinsights/businessApplicationAgent.ts index 88602c6c1a8d..9a8047298de6 100644 --- a/sdk/nodejs/securityinsights/businessApplicationAgent.ts +++ b/sdk/nodejs/securityinsights/businessApplicationAgent.ts @@ -116,7 +116,7 @@ export class BusinessApplicationAgent extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20240401preview:BusinessApplicationAgent" }, { type: "azure-native:securityinsights/v20241001preview:BusinessApplicationAgent" }, { type: "azure-native:securityinsights/v20250101preview:BusinessApplicationAgent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20240401preview:BusinessApplicationAgent" }, { type: "azure-native:securityinsights/v20241001preview:BusinessApplicationAgent" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:BusinessApplicationAgent" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:BusinessApplicationAgent" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:BusinessApplicationAgent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BusinessApplicationAgent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/contentPackage.ts b/sdk/nodejs/securityinsights/contentPackage.ts index 47c46dc6f6e0..bf6eb5933db5 100644 --- a/sdk/nodejs/securityinsights/contentPackage.ts +++ b/sdk/nodejs/securityinsights/contentPackage.ts @@ -248,7 +248,7 @@ export class ContentPackage extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230401preview:ContentPackage" }, { type: "azure-native:securityinsights/v20230501preview:ContentPackage" }, { type: "azure-native:securityinsights/v20230601preview:ContentPackage" }, { type: "azure-native:securityinsights/v20230701preview:ContentPackage" }, { type: "azure-native:securityinsights/v20230801preview:ContentPackage" }, { type: "azure-native:securityinsights/v20230901preview:ContentPackage" }, { type: "azure-native:securityinsights/v20231001preview:ContentPackage" }, { type: "azure-native:securityinsights/v20231101:ContentPackage" }, { type: "azure-native:securityinsights/v20231201preview:ContentPackage" }, { type: "azure-native:securityinsights/v20240101preview:ContentPackage" }, { type: "azure-native:securityinsights/v20240301:ContentPackage" }, { type: "azure-native:securityinsights/v20240401preview:ContentPackage" }, { type: "azure-native:securityinsights/v20240901:ContentPackage" }, { type: "azure-native:securityinsights/v20241001preview:ContentPackage" }, { type: "azure-native:securityinsights/v20250101preview:ContentPackage" }, { type: "azure-native:securityinsights/v20250301:ContentPackage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:ContentPackage" }, { type: "azure-native:securityinsights/v20230701preview:ContentPackage" }, { type: "azure-native:securityinsights/v20230801preview:ContentPackage" }, { type: "azure-native:securityinsights/v20230901preview:ContentPackage" }, { type: "azure-native:securityinsights/v20231001preview:ContentPackage" }, { type: "azure-native:securityinsights/v20231101:ContentPackage" }, { type: "azure-native:securityinsights/v20231201preview:ContentPackage" }, { type: "azure-native:securityinsights/v20240101preview:ContentPackage" }, { type: "azure-native:securityinsights/v20240301:ContentPackage" }, { type: "azure-native:securityinsights/v20240401preview:ContentPackage" }, { type: "azure-native:securityinsights/v20240901:ContentPackage" }, { type: "azure-native:securityinsights/v20241001preview:ContentPackage" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20231101:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20240301:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20240901:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:ContentPackage" }, { type: "azure-native_securityinsights_v20250301:securityinsights:ContentPackage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContentPackage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/contentTemplate.ts b/sdk/nodejs/securityinsights/contentTemplate.ts index 4a8022350d43..c1c59014983c 100644 --- a/sdk/nodejs/securityinsights/contentTemplate.ts +++ b/sdk/nodejs/securityinsights/contentTemplate.ts @@ -281,7 +281,7 @@ export class ContentTemplate extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230401preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20230501preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20230601preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20230701preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20230801preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20230901preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20231001preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20231101:ContentTemplate" }, { type: "azure-native:securityinsights/v20231201preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20240101preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20240301:ContentTemplate" }, { type: "azure-native:securityinsights/v20240401preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20240901:ContentTemplate" }, { type: "azure-native:securityinsights/v20241001preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20250101preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20250301:ContentTemplate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20230701preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20230801preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20230901preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20231001preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20231101:ContentTemplate" }, { type: "azure-native:securityinsights/v20231201preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20240101preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20240301:ContentTemplate" }, { type: "azure-native:securityinsights/v20240401preview:ContentTemplate" }, { type: "azure-native:securityinsights/v20240901:ContentTemplate" }, { type: "azure-native:securityinsights/v20241001preview:ContentTemplate" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20231101:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20240301:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20240901:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:ContentTemplate" }, { type: "azure-native_securityinsights_v20250301:securityinsights:ContentTemplate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ContentTemplate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/customizableConnectorDefinition.ts b/sdk/nodejs/securityinsights/customizableConnectorDefinition.ts index 189143c88e5e..6eb0630f043c 100644 --- a/sdk/nodejs/securityinsights/customizableConnectorDefinition.ts +++ b/sdk/nodejs/securityinsights/customizableConnectorDefinition.ts @@ -130,7 +130,7 @@ export class CustomizableConnectorDefinition extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230701preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20230801preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20230901preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20231001preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20231201preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20240101preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20240401preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20240901:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20241001preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20250101preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20250301:CustomizableConnectorDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230701preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20230801preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20230901preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20231001preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20231201preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20240101preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20240401preview:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20240901:CustomizableConnectorDefinition" }, { type: "azure-native:securityinsights/v20241001preview:CustomizableConnectorDefinition" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:CustomizableConnectorDefinition" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:CustomizableConnectorDefinition" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:CustomizableConnectorDefinition" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:CustomizableConnectorDefinition" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:CustomizableConnectorDefinition" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:CustomizableConnectorDefinition" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:CustomizableConnectorDefinition" }, { type: "azure-native_securityinsights_v20240901:securityinsights:CustomizableConnectorDefinition" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:CustomizableConnectorDefinition" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:CustomizableConnectorDefinition" }, { type: "azure-native_securityinsights_v20250301:securityinsights:CustomizableConnectorDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomizableConnectorDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/entityAnalytics.ts b/sdk/nodejs/securityinsights/entityAnalytics.ts index 292007f30356..fff62422513e 100644 --- a/sdk/nodejs/securityinsights/entityAnalytics.ts +++ b/sdk/nodejs/securityinsights/entityAnalytics.ts @@ -109,7 +109,7 @@ export class EntityAnalytics extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20190101preview:IPSyncer" }, { type: "azure-native:securityinsights/v20210301preview:Anomalies" }, { type: "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20210301preview:EyesOn" }, { type: "azure-native:securityinsights/v20210301preview:Ueba" }, { type: "azure-native:securityinsights/v20210901preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20211001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20220401preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20220501preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20220601preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20220701preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20220801preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20220901preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20221001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20221101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20221201preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230201preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230301preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230401preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230501preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:Anomalies" }, { type: "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:EyesOn" }, { type: "azure-native:securityinsights/v20230601preview:Ueba" }, { type: "azure-native:securityinsights/v20230701preview:Anomalies" }, { type: "azure-native:securityinsights/v20230701preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230701preview:EyesOn" }, { type: "azure-native:securityinsights/v20230701preview:Ueba" }, { type: "azure-native:securityinsights/v20230801preview:Anomalies" }, { type: "azure-native:securityinsights/v20230801preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230801preview:EyesOn" }, { type: "azure-native:securityinsights/v20230801preview:Ueba" }, { type: "azure-native:securityinsights/v20230901preview:Anomalies" }, { type: "azure-native:securityinsights/v20230901preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230901preview:EyesOn" }, { type: "azure-native:securityinsights/v20230901preview:Ueba" }, { type: "azure-native:securityinsights/v20231001preview:Anomalies" }, { type: "azure-native:securityinsights/v20231001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231001preview:EyesOn" }, { type: "azure-native:securityinsights/v20231001preview:Ueba" }, { type: "azure-native:securityinsights/v20231201preview:Anomalies" }, { type: "azure-native:securityinsights/v20231201preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231201preview:EyesOn" }, { type: "azure-native:securityinsights/v20231201preview:Ueba" }, { type: "azure-native:securityinsights/v20240101preview:Anomalies" }, { type: "azure-native:securityinsights/v20240101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240101preview:EyesOn" }, { type: "azure-native:securityinsights/v20240101preview:Ueba" }, { type: "azure-native:securityinsights/v20240401preview:Anomalies" }, { type: "azure-native:securityinsights/v20240401preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240401preview:EyesOn" }, { type: "azure-native:securityinsights/v20240401preview:Ueba" }, { type: "azure-native:securityinsights/v20241001preview:Anomalies" }, { type: "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20241001preview:EyesOn" }, { type: "azure-native:securityinsights/v20241001preview:Ueba" }, { type: "azure-native:securityinsights/v20250101preview:EntityAnalytics" }, { type: "azure-native:securityinsights:Anomalies" }, { type: "azure-native:securityinsights:EyesOn" }, { type: "azure-native:securityinsights:Ueba" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:IPSyncer" }, { type: "azure-native:securityinsights/v20210301preview:Anomalies" }, { type: "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20210301preview:EyesOn" }, { type: "azure-native:securityinsights/v20210301preview:Ueba" }, { type: "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:Anomalies" }, { type: "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:EyesOn" }, { type: "azure-native:securityinsights/v20230601preview:Ueba" }, { type: "azure-native:securityinsights/v20230701preview:Anomalies" }, { type: "azure-native:securityinsights/v20230701preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230701preview:EyesOn" }, { type: "azure-native:securityinsights/v20230701preview:Ueba" }, { type: "azure-native:securityinsights/v20230801preview:Anomalies" }, { type: "azure-native:securityinsights/v20230801preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230801preview:EyesOn" }, { type: "azure-native:securityinsights/v20230801preview:Ueba" }, { type: "azure-native:securityinsights/v20230901preview:Anomalies" }, { type: "azure-native:securityinsights/v20230901preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230901preview:EyesOn" }, { type: "azure-native:securityinsights/v20230901preview:Ueba" }, { type: "azure-native:securityinsights/v20231001preview:Anomalies" }, { type: "azure-native:securityinsights/v20231001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231001preview:EyesOn" }, { type: "azure-native:securityinsights/v20231001preview:Ueba" }, { type: "azure-native:securityinsights/v20231201preview:Anomalies" }, { type: "azure-native:securityinsights/v20231201preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231201preview:EyesOn" }, { type: "azure-native:securityinsights/v20231201preview:Ueba" }, { type: "azure-native:securityinsights/v20240101preview:Anomalies" }, { type: "azure-native:securityinsights/v20240101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240101preview:EyesOn" }, { type: "azure-native:securityinsights/v20240101preview:Ueba" }, { type: "azure-native:securityinsights/v20240401preview:Anomalies" }, { type: "azure-native:securityinsights/v20240401preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240401preview:EyesOn" }, { type: "azure-native:securityinsights/v20240401preview:Ueba" }, { type: "azure-native:securityinsights/v20241001preview:Anomalies" }, { type: "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20241001preview:EyesOn" }, { type: "azure-native:securityinsights/v20241001preview:Ueba" }, { type: "azure-native:securityinsights:Anomalies" }, { type: "azure-native:securityinsights:EyesOn" }, { type: "azure-native:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:EntityAnalytics" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:EntityAnalytics" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EntityAnalytics.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/eyesOn.ts b/sdk/nodejs/securityinsights/eyesOn.ts index df5fd18945ac..195db72dc07d 100644 --- a/sdk/nodejs/securityinsights/eyesOn.ts +++ b/sdk/nodejs/securityinsights/eyesOn.ts @@ -109,7 +109,7 @@ export class EyesOn extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:EyesOn" }, { type: "azure-native:securityinsights/v20190101preview:IPSyncer" }, { type: "azure-native:securityinsights/v20210301preview:Anomalies" }, { type: "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20210301preview:EyesOn" }, { type: "azure-native:securityinsights/v20210301preview:Ueba" }, { type: "azure-native:securityinsights/v20210901preview:EyesOn" }, { type: "azure-native:securityinsights/v20211001preview:EyesOn" }, { type: "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20220101preview:EyesOn" }, { type: "azure-native:securityinsights/v20220401preview:EyesOn" }, { type: "azure-native:securityinsights/v20220501preview:EyesOn" }, { type: "azure-native:securityinsights/v20220601preview:EyesOn" }, { type: "azure-native:securityinsights/v20220701preview:EyesOn" }, { type: "azure-native:securityinsights/v20220801preview:EyesOn" }, { type: "azure-native:securityinsights/v20220901preview:EyesOn" }, { type: "azure-native:securityinsights/v20221001preview:EyesOn" }, { type: "azure-native:securityinsights/v20221101preview:EyesOn" }, { type: "azure-native:securityinsights/v20221201preview:EyesOn" }, { type: "azure-native:securityinsights/v20230201preview:EyesOn" }, { type: "azure-native:securityinsights/v20230301preview:EyesOn" }, { type: "azure-native:securityinsights/v20230401preview:EyesOn" }, { type: "azure-native:securityinsights/v20230501preview:EyesOn" }, { type: "azure-native:securityinsights/v20230601preview:Anomalies" }, { type: "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:EyesOn" }, { type: "azure-native:securityinsights/v20230601preview:Ueba" }, { type: "azure-native:securityinsights/v20230701preview:Anomalies" }, { type: "azure-native:securityinsights/v20230701preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230701preview:EyesOn" }, { type: "azure-native:securityinsights/v20230701preview:Ueba" }, { type: "azure-native:securityinsights/v20230801preview:Anomalies" }, { type: "azure-native:securityinsights/v20230801preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230801preview:EyesOn" }, { type: "azure-native:securityinsights/v20230801preview:Ueba" }, { type: "azure-native:securityinsights/v20230901preview:Anomalies" }, { type: "azure-native:securityinsights/v20230901preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230901preview:EyesOn" }, { type: "azure-native:securityinsights/v20230901preview:Ueba" }, { type: "azure-native:securityinsights/v20231001preview:Anomalies" }, { type: "azure-native:securityinsights/v20231001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231001preview:EyesOn" }, { type: "azure-native:securityinsights/v20231001preview:Ueba" }, { type: "azure-native:securityinsights/v20231201preview:Anomalies" }, { type: "azure-native:securityinsights/v20231201preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231201preview:EyesOn" }, { type: "azure-native:securityinsights/v20231201preview:Ueba" }, { type: "azure-native:securityinsights/v20240101preview:Anomalies" }, { type: "azure-native:securityinsights/v20240101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240101preview:EyesOn" }, { type: "azure-native:securityinsights/v20240101preview:Ueba" }, { type: "azure-native:securityinsights/v20240401preview:Anomalies" }, { type: "azure-native:securityinsights/v20240401preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240401preview:EyesOn" }, { type: "azure-native:securityinsights/v20240401preview:Ueba" }, { type: "azure-native:securityinsights/v20241001preview:Anomalies" }, { type: "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20241001preview:EyesOn" }, { type: "azure-native:securityinsights/v20241001preview:Ueba" }, { type: "azure-native:securityinsights/v20250101preview:EyesOn" }, { type: "azure-native:securityinsights:Anomalies" }, { type: "azure-native:securityinsights:EntityAnalytics" }, { type: "azure-native:securityinsights:Ueba" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:IPSyncer" }, { type: "azure-native:securityinsights/v20210301preview:Anomalies" }, { type: "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20210301preview:EyesOn" }, { type: "azure-native:securityinsights/v20210301preview:Ueba" }, { type: "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:Anomalies" }, { type: "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:EyesOn" }, { type: "azure-native:securityinsights/v20230601preview:Ueba" }, { type: "azure-native:securityinsights/v20230701preview:Anomalies" }, { type: "azure-native:securityinsights/v20230701preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230701preview:EyesOn" }, { type: "azure-native:securityinsights/v20230701preview:Ueba" }, { type: "azure-native:securityinsights/v20230801preview:Anomalies" }, { type: "azure-native:securityinsights/v20230801preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230801preview:EyesOn" }, { type: "azure-native:securityinsights/v20230801preview:Ueba" }, { type: "azure-native:securityinsights/v20230901preview:Anomalies" }, { type: "azure-native:securityinsights/v20230901preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230901preview:EyesOn" }, { type: "azure-native:securityinsights/v20230901preview:Ueba" }, { type: "azure-native:securityinsights/v20231001preview:Anomalies" }, { type: "azure-native:securityinsights/v20231001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231001preview:EyesOn" }, { type: "azure-native:securityinsights/v20231001preview:Ueba" }, { type: "azure-native:securityinsights/v20231201preview:Anomalies" }, { type: "azure-native:securityinsights/v20231201preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231201preview:EyesOn" }, { type: "azure-native:securityinsights/v20231201preview:Ueba" }, { type: "azure-native:securityinsights/v20240101preview:Anomalies" }, { type: "azure-native:securityinsights/v20240101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240101preview:EyesOn" }, { type: "azure-native:securityinsights/v20240101preview:Ueba" }, { type: "azure-native:securityinsights/v20240401preview:Anomalies" }, { type: "azure-native:securityinsights/v20240401preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240401preview:EyesOn" }, { type: "azure-native:securityinsights/v20240401preview:Ueba" }, { type: "azure-native:securityinsights/v20241001preview:Anomalies" }, { type: "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20241001preview:EyesOn" }, { type: "azure-native:securityinsights/v20241001preview:Ueba" }, { type: "azure-native:securityinsights:Anomalies" }, { type: "azure-native:securityinsights:EntityAnalytics" }, { type: "azure-native:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:EyesOn" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EyesOn.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/fileImport.ts b/sdk/nodejs/securityinsights/fileImport.ts index 812db4f27fe6..ae5445113251 100644 --- a/sdk/nodejs/securityinsights/fileImport.ts +++ b/sdk/nodejs/securityinsights/fileImport.ts @@ -179,7 +179,7 @@ export class FileImport extends pulumi.CustomResource { resourceInputs["validRecordCount"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20220801preview:FileImport" }, { type: "azure-native:securityinsights/v20220901preview:FileImport" }, { type: "azure-native:securityinsights/v20221001preview:FileImport" }, { type: "azure-native:securityinsights/v20221101preview:FileImport" }, { type: "azure-native:securityinsights/v20221201preview:FileImport" }, { type: "azure-native:securityinsights/v20230201preview:FileImport" }, { type: "azure-native:securityinsights/v20230301preview:FileImport" }, { type: "azure-native:securityinsights/v20230401preview:FileImport" }, { type: "azure-native:securityinsights/v20230501preview:FileImport" }, { type: "azure-native:securityinsights/v20230601preview:FileImport" }, { type: "azure-native:securityinsights/v20230701preview:FileImport" }, { type: "azure-native:securityinsights/v20230801preview:FileImport" }, { type: "azure-native:securityinsights/v20230901preview:FileImport" }, { type: "azure-native:securityinsights/v20231001preview:FileImport" }, { type: "azure-native:securityinsights/v20231201preview:FileImport" }, { type: "azure-native:securityinsights/v20240101preview:FileImport" }, { type: "azure-native:securityinsights/v20240401preview:FileImport" }, { type: "azure-native:securityinsights/v20241001preview:FileImport" }, { type: "azure-native:securityinsights/v20250101preview:FileImport" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:FileImport" }, { type: "azure-native:securityinsights/v20230701preview:FileImport" }, { type: "azure-native:securityinsights/v20230801preview:FileImport" }, { type: "azure-native:securityinsights/v20230901preview:FileImport" }, { type: "azure-native:securityinsights/v20231001preview:FileImport" }, { type: "azure-native:securityinsights/v20231201preview:FileImport" }, { type: "azure-native:securityinsights/v20240101preview:FileImport" }, { type: "azure-native:securityinsights/v20240401preview:FileImport" }, { type: "azure-native:securityinsights/v20241001preview:FileImport" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:FileImport" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:FileImport" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FileImport.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/fusionAlertRule.ts b/sdk/nodejs/securityinsights/fusionAlertRule.ts index a131b6a50b3a..f523b7e6468f 100644 --- a/sdk/nodejs/securityinsights/fusionAlertRule.ts +++ b/sdk/nodejs/securityinsights/fusionAlertRule.ts @@ -157,7 +157,7 @@ export class FusionAlertRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20200101:FusionAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20210901preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20211001:FusionAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20220101preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20220401preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20220501preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20220601preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20220701preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20220801:FusionAlertRule" }, { type: "azure-native:securityinsights/v20220801preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20220901preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20221001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20221101:FusionAlertRule" }, { type: "azure-native:securityinsights/v20221101preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20221201preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230201:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230201preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230301preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230401preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230501preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231101:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231101:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240301:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240301:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240901:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240901:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20250101preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20250301:FusionAlertRule" }, { type: "azure-native:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights:ScheduledAlertRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231101:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231101:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240301:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240301:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240901:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240901:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20200101:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20211001:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20220801:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20221101:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20230201:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20231101:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20240301:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20240901:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:FusionAlertRule" }, { type: "azure-native_securityinsights_v20250301:securityinsights:FusionAlertRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FusionAlertRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/hunt.ts b/sdk/nodejs/securityinsights/hunt.ts index 60f369a92e6b..a5d425d11c94 100644 --- a/sdk/nodejs/securityinsights/hunt.ts +++ b/sdk/nodejs/securityinsights/hunt.ts @@ -149,7 +149,7 @@ export class Hunt extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230401preview:Hunt" }, { type: "azure-native:securityinsights/v20230501preview:Hunt" }, { type: "azure-native:securityinsights/v20230601preview:Hunt" }, { type: "azure-native:securityinsights/v20230701preview:Hunt" }, { type: "azure-native:securityinsights/v20230801preview:Hunt" }, { type: "azure-native:securityinsights/v20230901preview:Hunt" }, { type: "azure-native:securityinsights/v20231001preview:Hunt" }, { type: "azure-native:securityinsights/v20231201preview:Hunt" }, { type: "azure-native:securityinsights/v20240101preview:Hunt" }, { type: "azure-native:securityinsights/v20240401preview:Hunt" }, { type: "azure-native:securityinsights/v20241001preview:Hunt" }, { type: "azure-native:securityinsights/v20250101preview:Hunt" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:Hunt" }, { type: "azure-native:securityinsights/v20230701preview:Hunt" }, { type: "azure-native:securityinsights/v20230801preview:Hunt" }, { type: "azure-native:securityinsights/v20230901preview:Hunt" }, { type: "azure-native:securityinsights/v20231001preview:Hunt" }, { type: "azure-native:securityinsights/v20231201preview:Hunt" }, { type: "azure-native:securityinsights/v20240101preview:Hunt" }, { type: "azure-native:securityinsights/v20240401preview:Hunt" }, { type: "azure-native:securityinsights/v20241001preview:Hunt" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:Hunt" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:Hunt" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:Hunt" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:Hunt" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:Hunt" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:Hunt" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:Hunt" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:Hunt" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:Hunt" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:Hunt" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:Hunt" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:Hunt" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Hunt.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/huntComment.ts b/sdk/nodejs/securityinsights/huntComment.ts index a5406cc50051..925f64cb1960 100644 --- a/sdk/nodejs/securityinsights/huntComment.ts +++ b/sdk/nodejs/securityinsights/huntComment.ts @@ -108,7 +108,7 @@ export class HuntComment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230401preview:HuntComment" }, { type: "azure-native:securityinsights/v20230501preview:HuntComment" }, { type: "azure-native:securityinsights/v20230601preview:HuntComment" }, { type: "azure-native:securityinsights/v20230701preview:HuntComment" }, { type: "azure-native:securityinsights/v20230801preview:HuntComment" }, { type: "azure-native:securityinsights/v20230901preview:HuntComment" }, { type: "azure-native:securityinsights/v20231001preview:HuntComment" }, { type: "azure-native:securityinsights/v20231201preview:HuntComment" }, { type: "azure-native:securityinsights/v20240101preview:HuntComment" }, { type: "azure-native:securityinsights/v20240401preview:HuntComment" }, { type: "azure-native:securityinsights/v20241001preview:HuntComment" }, { type: "azure-native:securityinsights/v20250101preview:HuntComment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:HuntComment" }, { type: "azure-native:securityinsights/v20230701preview:HuntComment" }, { type: "azure-native:securityinsights/v20230801preview:HuntComment" }, { type: "azure-native:securityinsights/v20230901preview:HuntComment" }, { type: "azure-native:securityinsights/v20231001preview:HuntComment" }, { type: "azure-native:securityinsights/v20231201preview:HuntComment" }, { type: "azure-native:securityinsights/v20240101preview:HuntComment" }, { type: "azure-native:securityinsights/v20240401preview:HuntComment" }, { type: "azure-native:securityinsights/v20241001preview:HuntComment" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:HuntComment" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:HuntComment" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:HuntComment" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:HuntComment" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:HuntComment" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:HuntComment" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:HuntComment" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:HuntComment" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:HuntComment" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:HuntComment" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:HuntComment" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:HuntComment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HuntComment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/huntRelation.ts b/sdk/nodejs/securityinsights/huntRelation.ts index 2c86b3433778..25fad145830e 100644 --- a/sdk/nodejs/securityinsights/huntRelation.ts +++ b/sdk/nodejs/securityinsights/huntRelation.ts @@ -132,7 +132,7 @@ export class HuntRelation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230401preview:HuntRelation" }, { type: "azure-native:securityinsights/v20230501preview:HuntRelation" }, { type: "azure-native:securityinsights/v20230601preview:HuntRelation" }, { type: "azure-native:securityinsights/v20230701preview:HuntRelation" }, { type: "azure-native:securityinsights/v20230801preview:HuntRelation" }, { type: "azure-native:securityinsights/v20230901preview:HuntRelation" }, { type: "azure-native:securityinsights/v20231001preview:HuntRelation" }, { type: "azure-native:securityinsights/v20231201preview:HuntRelation" }, { type: "azure-native:securityinsights/v20240101preview:HuntRelation" }, { type: "azure-native:securityinsights/v20240401preview:HuntRelation" }, { type: "azure-native:securityinsights/v20241001preview:HuntRelation" }, { type: "azure-native:securityinsights/v20250101preview:HuntRelation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:HuntRelation" }, { type: "azure-native:securityinsights/v20230701preview:HuntRelation" }, { type: "azure-native:securityinsights/v20230801preview:HuntRelation" }, { type: "azure-native:securityinsights/v20230901preview:HuntRelation" }, { type: "azure-native:securityinsights/v20231001preview:HuntRelation" }, { type: "azure-native:securityinsights/v20231201preview:HuntRelation" }, { type: "azure-native:securityinsights/v20240101preview:HuntRelation" }, { type: "azure-native:securityinsights/v20240401preview:HuntRelation" }, { type: "azure-native:securityinsights/v20241001preview:HuntRelation" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:HuntRelation" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:HuntRelation" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:HuntRelation" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:HuntRelation" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:HuntRelation" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:HuntRelation" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:HuntRelation" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:HuntRelation" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:HuntRelation" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:HuntRelation" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:HuntRelation" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:HuntRelation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HuntRelation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/incident.ts b/sdk/nodejs/securityinsights/incident.ts index 80d1be24fb76..9c26786b4a7a 100644 --- a/sdk/nodejs/securityinsights/incident.ts +++ b/sdk/nodejs/securityinsights/incident.ts @@ -218,7 +218,7 @@ export class Incident extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:Incident" }, { type: "azure-native:securityinsights/v20200101:Incident" }, { type: "azure-native:securityinsights/v20210301preview:Incident" }, { type: "azure-native:securityinsights/v20210401:Incident" }, { type: "azure-native:securityinsights/v20210901preview:Incident" }, { type: "azure-native:securityinsights/v20211001:Incident" }, { type: "azure-native:securityinsights/v20211001preview:Incident" }, { type: "azure-native:securityinsights/v20220101preview:Incident" }, { type: "azure-native:securityinsights/v20220401preview:Incident" }, { type: "azure-native:securityinsights/v20220501preview:Incident" }, { type: "azure-native:securityinsights/v20220601preview:Incident" }, { type: "azure-native:securityinsights/v20220701preview:Incident" }, { type: "azure-native:securityinsights/v20220801:Incident" }, { type: "azure-native:securityinsights/v20220801preview:Incident" }, { type: "azure-native:securityinsights/v20220901preview:Incident" }, { type: "azure-native:securityinsights/v20221001preview:Incident" }, { type: "azure-native:securityinsights/v20221101:Incident" }, { type: "azure-native:securityinsights/v20221101preview:Incident" }, { type: "azure-native:securityinsights/v20221201preview:Incident" }, { type: "azure-native:securityinsights/v20230201:Incident" }, { type: "azure-native:securityinsights/v20230201preview:Incident" }, { type: "azure-native:securityinsights/v20230301preview:Incident" }, { type: "azure-native:securityinsights/v20230401preview:Incident" }, { type: "azure-native:securityinsights/v20230501preview:Incident" }, { type: "azure-native:securityinsights/v20230601preview:Incident" }, { type: "azure-native:securityinsights/v20230701preview:Incident" }, { type: "azure-native:securityinsights/v20230801preview:Incident" }, { type: "azure-native:securityinsights/v20230901preview:Incident" }, { type: "azure-native:securityinsights/v20231001preview:Incident" }, { type: "azure-native:securityinsights/v20231101:Incident" }, { type: "azure-native:securityinsights/v20231201preview:Incident" }, { type: "azure-native:securityinsights/v20240101preview:Incident" }, { type: "azure-native:securityinsights/v20240301:Incident" }, { type: "azure-native:securityinsights/v20240401preview:Incident" }, { type: "azure-native:securityinsights/v20240901:Incident" }, { type: "azure-native:securityinsights/v20241001preview:Incident" }, { type: "azure-native:securityinsights/v20250101preview:Incident" }, { type: "azure-native:securityinsights/v20250301:Incident" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:Incident" }, { type: "azure-native:securityinsights/v20230201:Incident" }, { type: "azure-native:securityinsights/v20230201preview:Incident" }, { type: "azure-native:securityinsights/v20230301preview:Incident" }, { type: "azure-native:securityinsights/v20230601preview:Incident" }, { type: "azure-native:securityinsights/v20230701preview:Incident" }, { type: "azure-native:securityinsights/v20230801preview:Incident" }, { type: "azure-native:securityinsights/v20230901preview:Incident" }, { type: "azure-native:securityinsights/v20231001preview:Incident" }, { type: "azure-native:securityinsights/v20231101:Incident" }, { type: "azure-native:securityinsights/v20231201preview:Incident" }, { type: "azure-native:securityinsights/v20240101preview:Incident" }, { type: "azure-native:securityinsights/v20240301:Incident" }, { type: "azure-native:securityinsights/v20240401preview:Incident" }, { type: "azure-native:securityinsights/v20240901:Incident" }, { type: "azure-native:securityinsights/v20241001preview:Incident" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20200101:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20210401:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20211001:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20220801:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20221101:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20230201:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20231101:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20240301:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20240901:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:Incident" }, { type: "azure-native_securityinsights_v20250301:securityinsights:Incident" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Incident.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/incidentComment.ts b/sdk/nodejs/securityinsights/incidentComment.ts index 710207a3552c..262cf2457b59 100644 --- a/sdk/nodejs/securityinsights/incidentComment.ts +++ b/sdk/nodejs/securityinsights/incidentComment.ts @@ -126,7 +126,7 @@ export class IncidentComment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:IncidentComment" }, { type: "azure-native:securityinsights/v20210301preview:IncidentComment" }, { type: "azure-native:securityinsights/v20210401:IncidentComment" }, { type: "azure-native:securityinsights/v20210901preview:IncidentComment" }, { type: "azure-native:securityinsights/v20211001:IncidentComment" }, { type: "azure-native:securityinsights/v20211001preview:IncidentComment" }, { type: "azure-native:securityinsights/v20220101preview:IncidentComment" }, { type: "azure-native:securityinsights/v20220401preview:IncidentComment" }, { type: "azure-native:securityinsights/v20220501preview:IncidentComment" }, { type: "azure-native:securityinsights/v20220601preview:IncidentComment" }, { type: "azure-native:securityinsights/v20220701preview:IncidentComment" }, { type: "azure-native:securityinsights/v20220801:IncidentComment" }, { type: "azure-native:securityinsights/v20220801preview:IncidentComment" }, { type: "azure-native:securityinsights/v20220901preview:IncidentComment" }, { type: "azure-native:securityinsights/v20221001preview:IncidentComment" }, { type: "azure-native:securityinsights/v20221101:IncidentComment" }, { type: "azure-native:securityinsights/v20221101preview:IncidentComment" }, { type: "azure-native:securityinsights/v20221201preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230201:IncidentComment" }, { type: "azure-native:securityinsights/v20230201preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230301preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230401preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230501preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230601preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230701preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230801preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230901preview:IncidentComment" }, { type: "azure-native:securityinsights/v20231001preview:IncidentComment" }, { type: "azure-native:securityinsights/v20231101:IncidentComment" }, { type: "azure-native:securityinsights/v20231201preview:IncidentComment" }, { type: "azure-native:securityinsights/v20240101preview:IncidentComment" }, { type: "azure-native:securityinsights/v20240301:IncidentComment" }, { type: "azure-native:securityinsights/v20240401preview:IncidentComment" }, { type: "azure-native:securityinsights/v20240901:IncidentComment" }, { type: "azure-native:securityinsights/v20241001preview:IncidentComment" }, { type: "azure-native:securityinsights/v20250101preview:IncidentComment" }, { type: "azure-native:securityinsights/v20250301:IncidentComment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230201:IncidentComment" }, { type: "azure-native:securityinsights/v20230601preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230701preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230801preview:IncidentComment" }, { type: "azure-native:securityinsights/v20230901preview:IncidentComment" }, { type: "azure-native:securityinsights/v20231001preview:IncidentComment" }, { type: "azure-native:securityinsights/v20231101:IncidentComment" }, { type: "azure-native:securityinsights/v20231201preview:IncidentComment" }, { type: "azure-native:securityinsights/v20240101preview:IncidentComment" }, { type: "azure-native:securityinsights/v20240301:IncidentComment" }, { type: "azure-native:securityinsights/v20240401preview:IncidentComment" }, { type: "azure-native:securityinsights/v20240901:IncidentComment" }, { type: "azure-native:securityinsights/v20241001preview:IncidentComment" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20210401:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20211001:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20220801:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20221101:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20230201:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20231101:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20240301:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20240901:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:IncidentComment" }, { type: "azure-native_securityinsights_v20250301:securityinsights:IncidentComment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IncidentComment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/incidentRelation.ts b/sdk/nodejs/securityinsights/incidentRelation.ts index 4c01fe9080d5..4b8474ec8da0 100644 --- a/sdk/nodejs/securityinsights/incidentRelation.ts +++ b/sdk/nodejs/securityinsights/incidentRelation.ts @@ -126,7 +126,7 @@ export class IncidentRelation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20210301preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20210401:IncidentRelation" }, { type: "azure-native:securityinsights/v20210901preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20211001:IncidentRelation" }, { type: "azure-native:securityinsights/v20211001preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20220101preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20220401preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20220501preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20220601preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20220701preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20220801:IncidentRelation" }, { type: "azure-native:securityinsights/v20220801preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20220901preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20221001preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20221101:IncidentRelation" }, { type: "azure-native:securityinsights/v20221101preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20221201preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230201:IncidentRelation" }, { type: "azure-native:securityinsights/v20230201preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230301preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230401preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230501preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230601preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230701preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230801preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230901preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20231001preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20231101:IncidentRelation" }, { type: "azure-native:securityinsights/v20231201preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20240101preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20240301:IncidentRelation" }, { type: "azure-native:securityinsights/v20240401preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20240901:IncidentRelation" }, { type: "azure-native:securityinsights/v20241001preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20250101preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20250301:IncidentRelation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230201:IncidentRelation" }, { type: "azure-native:securityinsights/v20230601preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230701preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230801preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20230901preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20231001preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20231101:IncidentRelation" }, { type: "azure-native:securityinsights/v20231201preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20240101preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20240301:IncidentRelation" }, { type: "azure-native:securityinsights/v20240401preview:IncidentRelation" }, { type: "azure-native:securityinsights/v20240901:IncidentRelation" }, { type: "azure-native:securityinsights/v20241001preview:IncidentRelation" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20210401:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20211001:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20220801:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20221101:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20230201:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20231101:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20240301:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20240901:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:IncidentRelation" }, { type: "azure-native_securityinsights_v20250301:securityinsights:IncidentRelation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IncidentRelation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/incidentTask.ts b/sdk/nodejs/securityinsights/incidentTask.ts index 72be5a1dcb7d..d6d1c5fc32d6 100644 --- a/sdk/nodejs/securityinsights/incidentTask.ts +++ b/sdk/nodejs/securityinsights/incidentTask.ts @@ -147,7 +147,7 @@ export class IncidentTask extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20221201preview:IncidentTask" }, { type: "azure-native:securityinsights/v20230201preview:IncidentTask" }, { type: "azure-native:securityinsights/v20230301preview:IncidentTask" }, { type: "azure-native:securityinsights/v20230401preview:IncidentTask" }, { type: "azure-native:securityinsights/v20230501preview:IncidentTask" }, { type: "azure-native:securityinsights/v20230601preview:IncidentTask" }, { type: "azure-native:securityinsights/v20230701preview:IncidentTask" }, { type: "azure-native:securityinsights/v20230801preview:IncidentTask" }, { type: "azure-native:securityinsights/v20230901preview:IncidentTask" }, { type: "azure-native:securityinsights/v20231001preview:IncidentTask" }, { type: "azure-native:securityinsights/v20231201preview:IncidentTask" }, { type: "azure-native:securityinsights/v20240101preview:IncidentTask" }, { type: "azure-native:securityinsights/v20240301:IncidentTask" }, { type: "azure-native:securityinsights/v20240401preview:IncidentTask" }, { type: "azure-native:securityinsights/v20240901:IncidentTask" }, { type: "azure-native:securityinsights/v20241001preview:IncidentTask" }, { type: "azure-native:securityinsights/v20250101preview:IncidentTask" }, { type: "azure-native:securityinsights/v20250301:IncidentTask" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:IncidentTask" }, { type: "azure-native:securityinsights/v20230701preview:IncidentTask" }, { type: "azure-native:securityinsights/v20230801preview:IncidentTask" }, { type: "azure-native:securityinsights/v20230901preview:IncidentTask" }, { type: "azure-native:securityinsights/v20231001preview:IncidentTask" }, { type: "azure-native:securityinsights/v20231201preview:IncidentTask" }, { type: "azure-native:securityinsights/v20240101preview:IncidentTask" }, { type: "azure-native:securityinsights/v20240301:IncidentTask" }, { type: "azure-native:securityinsights/v20240401preview:IncidentTask" }, { type: "azure-native:securityinsights/v20240901:IncidentTask" }, { type: "azure-native:securityinsights/v20241001preview:IncidentTask" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20240301:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20240901:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:IncidentTask" }, { type: "azure-native_securityinsights_v20250301:securityinsights:IncidentTask" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IncidentTask.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/mcasdataConnector.ts b/sdk/nodejs/securityinsights/mcasdataConnector.ts index 4a7d2e79c580..c3f640cc9c6e 100644 --- a/sdk/nodejs/securityinsights/mcasdataConnector.ts +++ b/sdk/nodejs/securityinsights/mcasdataConnector.ts @@ -115,7 +115,7 @@ export class MCASDataConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20200101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20210901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20211001:MCASDataConnector" }, { type: "azure-native:securityinsights/v20211001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20220101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20220401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20220501preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20220601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20220701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20220801:MCASDataConnector" }, { type: "azure-native:securityinsights/v20220801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20220901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20221001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20221101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20221101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20221201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230501preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20250101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20250301:MCASDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20200101:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20211001:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20220801:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20221101:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20230201:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20231101:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20240301:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20240901:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:MCASDataConnector" }, { type: "azure-native_securityinsights_v20250301:securityinsights:MCASDataConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MCASDataConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/mdatpdataConnector.ts b/sdk/nodejs/securityinsights/mdatpdataConnector.ts index e79687466650..961c9f0a3b42 100644 --- a/sdk/nodejs/securityinsights/mdatpdataConnector.ts +++ b/sdk/nodejs/securityinsights/mdatpdataConnector.ts @@ -115,7 +115,7 @@ export class MDATPDataConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20200101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20210901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20211001:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20211001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20220101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20220401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20220501preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20220601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20220701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20220801:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20220801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20220901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20221001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20221101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20221101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20221201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230501preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20250101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20250301:MDATPDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20200101:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20211001:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20220801:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20221101:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20230201:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20231101:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20240301:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20240901:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:MDATPDataConnector" }, { type: "azure-native_securityinsights_v20250301:securityinsights:MDATPDataConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MDATPDataConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/metadata.ts b/sdk/nodejs/securityinsights/metadata.ts index e3eb582f2f92..76216eb789c0 100644 --- a/sdk/nodejs/securityinsights/metadata.ts +++ b/sdk/nodejs/securityinsights/metadata.ts @@ -215,7 +215,7 @@ export class Metadata extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:Metadata" }, { type: "azure-native:securityinsights/v20210901preview:Metadata" }, { type: "azure-native:securityinsights/v20211001preview:Metadata" }, { type: "azure-native:securityinsights/v20220101preview:Metadata" }, { type: "azure-native:securityinsights/v20220401preview:Metadata" }, { type: "azure-native:securityinsights/v20220501preview:Metadata" }, { type: "azure-native:securityinsights/v20220601preview:Metadata" }, { type: "azure-native:securityinsights/v20220701preview:Metadata" }, { type: "azure-native:securityinsights/v20220801preview:Metadata" }, { type: "azure-native:securityinsights/v20220901preview:Metadata" }, { type: "azure-native:securityinsights/v20221001preview:Metadata" }, { type: "azure-native:securityinsights/v20221101preview:Metadata" }, { type: "azure-native:securityinsights/v20221201preview:Metadata" }, { type: "azure-native:securityinsights/v20230201:Metadata" }, { type: "azure-native:securityinsights/v20230201preview:Metadata" }, { type: "azure-native:securityinsights/v20230301preview:Metadata" }, { type: "azure-native:securityinsights/v20230401preview:Metadata" }, { type: "azure-native:securityinsights/v20230501preview:Metadata" }, { type: "azure-native:securityinsights/v20230601preview:Metadata" }, { type: "azure-native:securityinsights/v20230701preview:Metadata" }, { type: "azure-native:securityinsights/v20230801preview:Metadata" }, { type: "azure-native:securityinsights/v20230901preview:Metadata" }, { type: "azure-native:securityinsights/v20231001preview:Metadata" }, { type: "azure-native:securityinsights/v20231101:Metadata" }, { type: "azure-native:securityinsights/v20231201preview:Metadata" }, { type: "azure-native:securityinsights/v20240101preview:Metadata" }, { type: "azure-native:securityinsights/v20240301:Metadata" }, { type: "azure-native:securityinsights/v20240401preview:Metadata" }, { type: "azure-native:securityinsights/v20240901:Metadata" }, { type: "azure-native:securityinsights/v20241001preview:Metadata" }, { type: "azure-native:securityinsights/v20250101preview:Metadata" }, { type: "azure-native:securityinsights/v20250301:Metadata" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:Metadata" }, { type: "azure-native:securityinsights/v20230201:Metadata" }, { type: "azure-native:securityinsights/v20230201preview:Metadata" }, { type: "azure-native:securityinsights/v20230601preview:Metadata" }, { type: "azure-native:securityinsights/v20230701preview:Metadata" }, { type: "azure-native:securityinsights/v20230801preview:Metadata" }, { type: "azure-native:securityinsights/v20230901preview:Metadata" }, { type: "azure-native:securityinsights/v20231001preview:Metadata" }, { type: "azure-native:securityinsights/v20231101:Metadata" }, { type: "azure-native:securityinsights/v20231201preview:Metadata" }, { type: "azure-native:securityinsights/v20240101preview:Metadata" }, { type: "azure-native:securityinsights/v20240301:Metadata" }, { type: "azure-native:securityinsights/v20240401preview:Metadata" }, { type: "azure-native:securityinsights/v20240901:Metadata" }, { type: "azure-native:securityinsights/v20241001preview:Metadata" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20230201:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20231101:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20240301:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20240901:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:Metadata" }, { type: "azure-native_securityinsights_v20250301:securityinsights:Metadata" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Metadata.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/microsoftSecurityIncidentCreationAlertRule.ts b/sdk/nodejs/securityinsights/microsoftSecurityIncidentCreationAlertRule.ts index 8e1923ce84b8..3a6ade5f410e 100644 --- a/sdk/nodejs/securityinsights/microsoftSecurityIncidentCreationAlertRule.ts +++ b/sdk/nodejs/securityinsights/microsoftSecurityIncidentCreationAlertRule.ts @@ -166,7 +166,7 @@ export class MicrosoftSecurityIncidentCreationAlertRule extends pulumi.CustomRes resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20200101:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20210901preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20211001:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20220101preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20220401preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20220501preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20220601preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20220701preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20220801:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20220801preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20220901preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20221001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20221101:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20221101preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20221201preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230201:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230201preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230301preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230401preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230501preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231101:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231101:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240301:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240301:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240901:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240901:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20250101preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20250301:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights:FusionAlertRule" }, { type: "azure-native:securityinsights:ScheduledAlertRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231101:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231101:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240301:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240301:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240901:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240901:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights:FusionAlertRule" }, { type: "azure-native:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20200101:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20211001:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20220801:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20221101:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20230201:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20231101:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20240301:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20240901:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20250301:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MicrosoftSecurityIncidentCreationAlertRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/mstidataConnector.ts b/sdk/nodejs/securityinsights/mstidataConnector.ts index 36ba9925e336..7b895bb94744 100644 --- a/sdk/nodejs/securityinsights/mstidataConnector.ts +++ b/sdk/nodejs/securityinsights/mstidataConnector.ts @@ -118,7 +118,7 @@ export class MSTIDataConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20200101:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20210901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20211001:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20211001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20220101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20220401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20220501preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20220601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20220701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20220801:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20220801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20220901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20221001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20221101:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20221101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20221201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230501preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20250101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20250301:MSTIDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20200101:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20211001:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20220801:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20221101:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20230201:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20231101:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20240301:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20240901:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:MSTIDataConnector" }, { type: "azure-native_securityinsights_v20250301:securityinsights:MSTIDataConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MSTIDataConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/officeDataConnector.ts b/sdk/nodejs/securityinsights/officeDataConnector.ts index c4c9576e1a74..f0022ad2c625 100644 --- a/sdk/nodejs/securityinsights/officeDataConnector.ts +++ b/sdk/nodejs/securityinsights/officeDataConnector.ts @@ -115,7 +115,7 @@ export class OfficeDataConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20200101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20210901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20211001:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20211001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20220101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20220401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20220501preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20220601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20220701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20220801:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20220801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20220901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20221001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20221101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20221101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20221201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230501preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20250101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20250301:OfficeDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20200101:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20211001:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20220801:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20221101:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20230201:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20231101:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20240301:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20240901:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20250301:securityinsights:OfficeDataConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OfficeDataConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/premiumMicrosoftDefenderForThreatIntelligence.ts b/sdk/nodejs/securityinsights/premiumMicrosoftDefenderForThreatIntelligence.ts index 670826cb8e54..9f93ab170694 100644 --- a/sdk/nodejs/securityinsights/premiumMicrosoftDefenderForThreatIntelligence.ts +++ b/sdk/nodejs/securityinsights/premiumMicrosoftDefenderForThreatIntelligence.ts @@ -133,7 +133,7 @@ export class PremiumMicrosoftDefenderForThreatIntelligence extends pulumi.Custom resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20200101:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20210901preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20211001:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20211001preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20220101preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20220401preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20220501preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20220601preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20220701preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20220801:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20220801preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20220901preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20221001preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20221101:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20221101preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20221201preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20230301preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20230401preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20230501preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20250101preview:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20250301:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20200101:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20211001:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20220801:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20221101:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20230201:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20231101:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20240301:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20240901:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native_securityinsights_v20250301:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PremiumMicrosoftDefenderForThreatIntelligence.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/restApiPollerDataConnector.ts b/sdk/nodejs/securityinsights/restApiPollerDataConnector.ts index a9f647a61486..efcb36b686b9 100644 --- a/sdk/nodejs/securityinsights/restApiPollerDataConnector.ts +++ b/sdk/nodejs/securityinsights/restApiPollerDataConnector.ts @@ -166,7 +166,7 @@ export class RestApiPollerDataConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20200101:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20210901preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20211001:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20211001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20220101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20220401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20220501preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20220601preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20220701preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20220801:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20220801preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20220901preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20221001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20221101:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20221101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20221201preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20230301preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20230401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20230501preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20250101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20250301:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20200101:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20211001:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20220801:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20221101:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20230201:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20231101:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20240301:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20240901:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:RestApiPollerDataConnector" }, { type: "azure-native_securityinsights_v20250301:securityinsights:RestApiPollerDataConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RestApiPollerDataConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/scheduledAlertRule.ts b/sdk/nodejs/securityinsights/scheduledAlertRule.ts index da821dd996f7..3f80752f5d9e 100644 --- a/sdk/nodejs/securityinsights/scheduledAlertRule.ts +++ b/sdk/nodejs/securityinsights/scheduledAlertRule.ts @@ -259,7 +259,7 @@ export class ScheduledAlertRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20200101:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20210901preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20211001:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20220101preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20220401preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20220501preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20220601preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20220701preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20220801:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20220801preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20220901preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20221001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20221101:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20221101preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20221201preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230201:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230201preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230301preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230401preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230501preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231101:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231101:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240301:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240301:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240901:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240901:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20250101preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20250301:ScheduledAlertRule" }, { type: "azure-native:securityinsights:FusionAlertRule" }, { type: "azure-native:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20211001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20231101:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231101:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240301:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240301:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights/v20240901:FusionAlertRule" }, { type: "azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20240901:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:FusionAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:NrtAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ScheduledAlertRule" }, { type: "azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule" }, { type: "azure-native:securityinsights:FusionAlertRule" }, { type: "azure-native:securityinsights:MicrosoftSecurityIncidentCreationAlertRule" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20200101:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20211001:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20220801:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20221101:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20230201:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20231101:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20240301:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20240901:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:ScheduledAlertRule" }, { type: "azure-native_securityinsights_v20250301:securityinsights:ScheduledAlertRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ScheduledAlertRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/sentinelOnboardingState.ts b/sdk/nodejs/securityinsights/sentinelOnboardingState.ts index 6ae1fe15f51f..1d6b553a0738 100644 --- a/sdk/nodejs/securityinsights/sentinelOnboardingState.ts +++ b/sdk/nodejs/securityinsights/sentinelOnboardingState.ts @@ -101,7 +101,7 @@ export class SentinelOnboardingState extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20210901preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20211001:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20211001preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20220101preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20220401preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20220501preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20220601preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20220701preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20220801:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20220801preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20220901preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20221001preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20221101:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20221101preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20221201preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230201:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230201preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230301preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230401preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230501preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230601preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230701preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230801preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230901preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20231001preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20231101:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20231201preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20240101preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20240301:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20240401preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20240901:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20241001preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20250101preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20250301:SentinelOnboardingState" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230201:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230601preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230701preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230801preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20230901preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20231001preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20231101:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20231201preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20240101preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20240301:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20240401preview:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20240901:SentinelOnboardingState" }, { type: "azure-native:securityinsights/v20241001preview:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20211001:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20220801:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20221101:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20230201:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20231101:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20240301:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20240901:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:SentinelOnboardingState" }, { type: "azure-native_securityinsights_v20250301:securityinsights:SentinelOnboardingState" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SentinelOnboardingState.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/sourceControl.ts b/sdk/nodejs/securityinsights/sourceControl.ts index aa0940466738..20989a8b80b7 100644 --- a/sdk/nodejs/securityinsights/sourceControl.ts +++ b/sdk/nodejs/securityinsights/sourceControl.ts @@ -156,7 +156,7 @@ export class SourceControl extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:SourceControl" }, { type: "azure-native:securityinsights/v20210901preview:SourceControl" }, { type: "azure-native:securityinsights/v20211001preview:SourceControl" }, { type: "azure-native:securityinsights/v20220101preview:SourceControl" }, { type: "azure-native:securityinsights/v20220401preview:SourceControl" }, { type: "azure-native:securityinsights/v20220501preview:SourceControl" }, { type: "azure-native:securityinsights/v20220601preview:SourceControl" }, { type: "azure-native:securityinsights/v20220701preview:SourceControl" }, { type: "azure-native:securityinsights/v20220801preview:SourceControl" }, { type: "azure-native:securityinsights/v20220901preview:SourceControl" }, { type: "azure-native:securityinsights/v20221001preview:SourceControl" }, { type: "azure-native:securityinsights/v20221101preview:SourceControl" }, { type: "azure-native:securityinsights/v20221201preview:SourceControl" }, { type: "azure-native:securityinsights/v20230201preview:SourceControl" }, { type: "azure-native:securityinsights/v20230301preview:SourceControl" }, { type: "azure-native:securityinsights/v20230401preview:SourceControl" }, { type: "azure-native:securityinsights/v20230501preview:SourceControl" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:SourceControl" }, { type: "azure-native:securityinsights/v20230501preview:SourceControl" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:SourceControl" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:SourceControl" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SourceControl.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/system.ts b/sdk/nodejs/securityinsights/system.ts index 34da268d1337..fe75feb6081c 100644 --- a/sdk/nodejs/securityinsights/system.ts +++ b/sdk/nodejs/securityinsights/system.ts @@ -123,7 +123,7 @@ export class System extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20240401preview:System" }, { type: "azure-native:securityinsights/v20241001preview:System" }, { type: "azure-native:securityinsights/v20250101preview:System" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20240401preview:System" }, { type: "azure-native:securityinsights/v20241001preview:System" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:System" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:System" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:System" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(System.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/threatIntelligenceIndicator.ts b/sdk/nodejs/securityinsights/threatIntelligenceIndicator.ts index 00681746460d..ce72cfa50c48 100644 --- a/sdk/nodejs/securityinsights/threatIntelligenceIndicator.ts +++ b/sdk/nodejs/securityinsights/threatIntelligenceIndicator.ts @@ -131,7 +131,7 @@ export class ThreatIntelligenceIndicator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20210401:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20210901preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20211001:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20211001preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20220101preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20220401preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20220501preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20220601preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20220701preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20220801:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20220801preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20220901preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20221001preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20221101:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20221101preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20221201preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230201:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230201preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230301preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230401preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230501preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230601preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230701preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230801preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230901preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20231001preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20231101:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20231201preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20240101preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20240301:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20240401preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20240901:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20241001preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20250101preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20250301:ThreatIntelligenceIndicator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210401:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20210901preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230201:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230601preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230701preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230801preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20230901preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20231001preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20231101:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20231201preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20240101preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20240301:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20240401preview:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20240901:ThreatIntelligenceIndicator" }, { type: "azure-native:securityinsights/v20241001preview:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20210401:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20211001:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20220801:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20221101:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20230201:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20231101:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20240301:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20240901:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:ThreatIntelligenceIndicator" }, { type: "azure-native_securityinsights_v20250301:securityinsights:ThreatIntelligenceIndicator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ThreatIntelligenceIndicator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/tidataConnector.ts b/sdk/nodejs/securityinsights/tidataConnector.ts index c113552ea8b9..a43b71939d13 100644 --- a/sdk/nodejs/securityinsights/tidataConnector.ts +++ b/sdk/nodejs/securityinsights/tidataConnector.ts @@ -121,7 +121,7 @@ export class TIDataConnector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20200101:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20210901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20211001:TIDataConnector" }, { type: "azure-native:securityinsights/v20211001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20220101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20220401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20220501preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20220601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20220701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20220801:TIDataConnector" }, { type: "azure-native:securityinsights/v20220801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20220901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20221001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20221101:TIDataConnector" }, { type: "azure-native:securityinsights/v20221101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20221201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230501preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20250101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20250301:TIDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210301preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230201:AADDataConnector" }, { type: "azure-native:securityinsights/v20230201:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230201:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230201:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230201:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230201:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230601preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230701preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230801preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20230901preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20231101:AADDataConnector" }, { type: "azure-native:securityinsights/v20231101:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231101:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231101:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231101:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231101:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20231201preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240101preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240301:AADDataConnector" }, { type: "azure-native:securityinsights/v20240301:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240301:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240301:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240301:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240301:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20240401preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights/v20240901:AADDataConnector" }, { type: "azure-native:securityinsights/v20240901:AATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:ASCDataConnector" }, { type: "azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20240901:MCASDataConnector" }, { type: "azure-native:securityinsights/v20240901:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20240901:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20240901:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence" }, { type: "azure-native:securityinsights/v20240901:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20240901:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AADDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:ASCDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:AwsS3DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:CodelessUiDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Dynamics365DataConnector" }, { type: "azure-native:securityinsights/v20241001preview:GCPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:IoTDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MCASDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MDATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MSTIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MTPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeATPDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TIDataConnector" }, { type: "azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector" }, { type: "azure-native:securityinsights:AADDataConnector" }, { type: "azure-native:securityinsights:AATPDataConnector" }, { type: "azure-native:securityinsights:ASCDataConnector" }, { type: "azure-native:securityinsights:AwsCloudTrailDataConnector" }, { type: "azure-native:securityinsights:MCASDataConnector" }, { type: "azure-native:securityinsights:MDATPDataConnector" }, { type: "azure-native:securityinsights:OfficeDataConnector" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20200101:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20211001:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20220801:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20221101:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20230201:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20231101:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20240301:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20240901:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:TIDataConnector" }, { type: "azure-native_securityinsights_v20250301:securityinsights:TIDataConnector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TIDataConnector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/ueba.ts b/sdk/nodejs/securityinsights/ueba.ts index 1475c7dbe069..0a14da167632 100644 --- a/sdk/nodejs/securityinsights/ueba.ts +++ b/sdk/nodejs/securityinsights/ueba.ts @@ -109,7 +109,7 @@ export class Ueba extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:IPSyncer" }, { type: "azure-native:securityinsights/v20190101preview:Ueba" }, { type: "azure-native:securityinsights/v20210301preview:Anomalies" }, { type: "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20210301preview:EyesOn" }, { type: "azure-native:securityinsights/v20210301preview:Ueba" }, { type: "azure-native:securityinsights/v20210901preview:Ueba" }, { type: "azure-native:securityinsights/v20211001preview:Ueba" }, { type: "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20220101preview:Ueba" }, { type: "azure-native:securityinsights/v20220401preview:Ueba" }, { type: "azure-native:securityinsights/v20220501preview:Ueba" }, { type: "azure-native:securityinsights/v20220601preview:Ueba" }, { type: "azure-native:securityinsights/v20220701preview:Ueba" }, { type: "azure-native:securityinsights/v20220801preview:Ueba" }, { type: "azure-native:securityinsights/v20220901preview:Ueba" }, { type: "azure-native:securityinsights/v20221001preview:Ueba" }, { type: "azure-native:securityinsights/v20221101preview:Ueba" }, { type: "azure-native:securityinsights/v20221201preview:Ueba" }, { type: "azure-native:securityinsights/v20230201preview:Ueba" }, { type: "azure-native:securityinsights/v20230301preview:Ueba" }, { type: "azure-native:securityinsights/v20230401preview:Ueba" }, { type: "azure-native:securityinsights/v20230501preview:Ueba" }, { type: "azure-native:securityinsights/v20230601preview:Anomalies" }, { type: "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:EyesOn" }, { type: "azure-native:securityinsights/v20230601preview:Ueba" }, { type: "azure-native:securityinsights/v20230701preview:Anomalies" }, { type: "azure-native:securityinsights/v20230701preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230701preview:EyesOn" }, { type: "azure-native:securityinsights/v20230701preview:Ueba" }, { type: "azure-native:securityinsights/v20230801preview:Anomalies" }, { type: "azure-native:securityinsights/v20230801preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230801preview:EyesOn" }, { type: "azure-native:securityinsights/v20230801preview:Ueba" }, { type: "azure-native:securityinsights/v20230901preview:Anomalies" }, { type: "azure-native:securityinsights/v20230901preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230901preview:EyesOn" }, { type: "azure-native:securityinsights/v20230901preview:Ueba" }, { type: "azure-native:securityinsights/v20231001preview:Anomalies" }, { type: "azure-native:securityinsights/v20231001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231001preview:EyesOn" }, { type: "azure-native:securityinsights/v20231001preview:Ueba" }, { type: "azure-native:securityinsights/v20231201preview:Anomalies" }, { type: "azure-native:securityinsights/v20231201preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231201preview:EyesOn" }, { type: "azure-native:securityinsights/v20231201preview:Ueba" }, { type: "azure-native:securityinsights/v20240101preview:Anomalies" }, { type: "azure-native:securityinsights/v20240101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240101preview:EyesOn" }, { type: "azure-native:securityinsights/v20240101preview:Ueba" }, { type: "azure-native:securityinsights/v20240401preview:Anomalies" }, { type: "azure-native:securityinsights/v20240401preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240401preview:EyesOn" }, { type: "azure-native:securityinsights/v20240401preview:Ueba" }, { type: "azure-native:securityinsights/v20241001preview:Anomalies" }, { type: "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20241001preview:EyesOn" }, { type: "azure-native:securityinsights/v20241001preview:Ueba" }, { type: "azure-native:securityinsights/v20250101preview:Ueba" }, { type: "azure-native:securityinsights:Anomalies" }, { type: "azure-native:securityinsights:EntityAnalytics" }, { type: "azure-native:securityinsights:EyesOn" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:IPSyncer" }, { type: "azure-native:securityinsights/v20210301preview:Anomalies" }, { type: "azure-native:securityinsights/v20210301preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20210301preview:EyesOn" }, { type: "azure-native:securityinsights/v20210301preview:Ueba" }, { type: "azure-native:securityinsights/v20220101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:Anomalies" }, { type: "azure-native:securityinsights/v20230601preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230601preview:EyesOn" }, { type: "azure-native:securityinsights/v20230601preview:Ueba" }, { type: "azure-native:securityinsights/v20230701preview:Anomalies" }, { type: "azure-native:securityinsights/v20230701preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230701preview:EyesOn" }, { type: "azure-native:securityinsights/v20230701preview:Ueba" }, { type: "azure-native:securityinsights/v20230801preview:Anomalies" }, { type: "azure-native:securityinsights/v20230801preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230801preview:EyesOn" }, { type: "azure-native:securityinsights/v20230801preview:Ueba" }, { type: "azure-native:securityinsights/v20230901preview:Anomalies" }, { type: "azure-native:securityinsights/v20230901preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20230901preview:EyesOn" }, { type: "azure-native:securityinsights/v20230901preview:Ueba" }, { type: "azure-native:securityinsights/v20231001preview:Anomalies" }, { type: "azure-native:securityinsights/v20231001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231001preview:EyesOn" }, { type: "azure-native:securityinsights/v20231001preview:Ueba" }, { type: "azure-native:securityinsights/v20231201preview:Anomalies" }, { type: "azure-native:securityinsights/v20231201preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20231201preview:EyesOn" }, { type: "azure-native:securityinsights/v20231201preview:Ueba" }, { type: "azure-native:securityinsights/v20240101preview:Anomalies" }, { type: "azure-native:securityinsights/v20240101preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240101preview:EyesOn" }, { type: "azure-native:securityinsights/v20240101preview:Ueba" }, { type: "azure-native:securityinsights/v20240401preview:Anomalies" }, { type: "azure-native:securityinsights/v20240401preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20240401preview:EyesOn" }, { type: "azure-native:securityinsights/v20240401preview:Ueba" }, { type: "azure-native:securityinsights/v20241001preview:Anomalies" }, { type: "azure-native:securityinsights/v20241001preview:EntityAnalytics" }, { type: "azure-native:securityinsights/v20241001preview:EyesOn" }, { type: "azure-native:securityinsights/v20241001preview:Ueba" }, { type: "azure-native:securityinsights:Anomalies" }, { type: "azure-native:securityinsights:EntityAnalytics" }, { type: "azure-native:securityinsights:EyesOn" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:Ueba" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:Ueba" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Ueba.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/watchlist.ts b/sdk/nodejs/securityinsights/watchlist.ts index 983b0313f87e..9ce5ef9649b6 100644 --- a/sdk/nodejs/securityinsights/watchlist.ts +++ b/sdk/nodejs/securityinsights/watchlist.ts @@ -235,7 +235,7 @@ export class Watchlist extends pulumi.CustomResource { resourceInputs["watchlistType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:Watchlist" }, { type: "azure-native:securityinsights/v20210301preview:Watchlist" }, { type: "azure-native:securityinsights/v20210401:Watchlist" }, { type: "azure-native:securityinsights/v20210901preview:Watchlist" }, { type: "azure-native:securityinsights/v20211001:Watchlist" }, { type: "azure-native:securityinsights/v20211001preview:Watchlist" }, { type: "azure-native:securityinsights/v20220101preview:Watchlist" }, { type: "azure-native:securityinsights/v20220401preview:Watchlist" }, { type: "azure-native:securityinsights/v20220501preview:Watchlist" }, { type: "azure-native:securityinsights/v20220601preview:Watchlist" }, { type: "azure-native:securityinsights/v20220701preview:Watchlist" }, { type: "azure-native:securityinsights/v20220801:Watchlist" }, { type: "azure-native:securityinsights/v20220801preview:Watchlist" }, { type: "azure-native:securityinsights/v20220901preview:Watchlist" }, { type: "azure-native:securityinsights/v20221001preview:Watchlist" }, { type: "azure-native:securityinsights/v20221101:Watchlist" }, { type: "azure-native:securityinsights/v20221101preview:Watchlist" }, { type: "azure-native:securityinsights/v20221201preview:Watchlist" }, { type: "azure-native:securityinsights/v20230201:Watchlist" }, { type: "azure-native:securityinsights/v20230201preview:Watchlist" }, { type: "azure-native:securityinsights/v20230301preview:Watchlist" }, { type: "azure-native:securityinsights/v20230401preview:Watchlist" }, { type: "azure-native:securityinsights/v20230501preview:Watchlist" }, { type: "azure-native:securityinsights/v20230601preview:Watchlist" }, { type: "azure-native:securityinsights/v20230701preview:Watchlist" }, { type: "azure-native:securityinsights/v20230801preview:Watchlist" }, { type: "azure-native:securityinsights/v20230901preview:Watchlist" }, { type: "azure-native:securityinsights/v20231001preview:Watchlist" }, { type: "azure-native:securityinsights/v20231101:Watchlist" }, { type: "azure-native:securityinsights/v20231201preview:Watchlist" }, { type: "azure-native:securityinsights/v20240101preview:Watchlist" }, { type: "azure-native:securityinsights/v20240301:Watchlist" }, { type: "azure-native:securityinsights/v20240401preview:Watchlist" }, { type: "azure-native:securityinsights/v20240901:Watchlist" }, { type: "azure-native:securityinsights/v20241001preview:Watchlist" }, { type: "azure-native:securityinsights/v20250101preview:Watchlist" }, { type: "azure-native:securityinsights/v20250301:Watchlist" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:Watchlist" }, { type: "azure-native:securityinsights/v20210301preview:Watchlist" }, { type: "azure-native:securityinsights/v20210401:Watchlist" }, { type: "azure-native:securityinsights/v20211001preview:Watchlist" }, { type: "azure-native:securityinsights/v20220101preview:Watchlist" }, { type: "azure-native:securityinsights/v20230201:Watchlist" }, { type: "azure-native:securityinsights/v20230601preview:Watchlist" }, { type: "azure-native:securityinsights/v20230701preview:Watchlist" }, { type: "azure-native:securityinsights/v20230801preview:Watchlist" }, { type: "azure-native:securityinsights/v20230901preview:Watchlist" }, { type: "azure-native:securityinsights/v20231001preview:Watchlist" }, { type: "azure-native:securityinsights/v20231101:Watchlist" }, { type: "azure-native:securityinsights/v20231201preview:Watchlist" }, { type: "azure-native:securityinsights/v20240101preview:Watchlist" }, { type: "azure-native:securityinsights/v20240301:Watchlist" }, { type: "azure-native:securityinsights/v20240401preview:Watchlist" }, { type: "azure-native:securityinsights/v20240901:Watchlist" }, { type: "azure-native:securityinsights/v20241001preview:Watchlist" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20210401:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20211001:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20220801:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20221101:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20230201:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20231101:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20240301:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20240901:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:Watchlist" }, { type: "azure-native_securityinsights_v20250301:securityinsights:Watchlist" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Watchlist.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/watchlistItem.ts b/sdk/nodejs/securityinsights/watchlistItem.ts index 3ca53ad5816d..a6b04cdde3bb 100644 --- a/sdk/nodejs/securityinsights/watchlistItem.ts +++ b/sdk/nodejs/securityinsights/watchlistItem.ts @@ -161,7 +161,7 @@ export class WatchlistItem extends pulumi.CustomResource { resourceInputs["watchlistItemType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20190101preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20210301preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20210401:WatchlistItem" }, { type: "azure-native:securityinsights/v20210901preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20211001:WatchlistItem" }, { type: "azure-native:securityinsights/v20211001preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20220101preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20220401preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20220501preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20220601preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20220701preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20220801:WatchlistItem" }, { type: "azure-native:securityinsights/v20220801preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20220901preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20221001preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20221101:WatchlistItem" }, { type: "azure-native:securityinsights/v20221101preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20221201preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20230201:WatchlistItem" }, { type: "azure-native:securityinsights/v20230201preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20230301preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20230401preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20230501preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20230601preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20230701preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20230801preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20230901preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20231001preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20231101:WatchlistItem" }, { type: "azure-native:securityinsights/v20231201preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20240101preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20240301:WatchlistItem" }, { type: "azure-native:securityinsights/v20240401preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20240901:WatchlistItem" }, { type: "azure-native:securityinsights/v20241001preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20250101preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20250301:WatchlistItem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20210401:WatchlistItem" }, { type: "azure-native:securityinsights/v20230201:WatchlistItem" }, { type: "azure-native:securityinsights/v20230601preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20230701preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20230801preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20230901preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20231001preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20231101:WatchlistItem" }, { type: "azure-native:securityinsights/v20231201preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20240101preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20240301:WatchlistItem" }, { type: "azure-native:securityinsights/v20240401preview:WatchlistItem" }, { type: "azure-native:securityinsights/v20240901:WatchlistItem" }, { type: "azure-native:securityinsights/v20241001preview:WatchlistItem" }, { type: "azure-native_securityinsights_v20190101preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20210301preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20210401:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20210901preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20211001:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20211001preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20220101preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20220401preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20220501preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20220601preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20220701preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20220801:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20220801preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20220901preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20221001preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20221101:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20221101preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20221201preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20230201:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20230201preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20230301preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20231101:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20240301:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20240901:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:WatchlistItem" }, { type: "azure-native_securityinsights_v20250301:securityinsights:WatchlistItem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WatchlistItem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/workspaceManagerAssignment.ts b/sdk/nodejs/securityinsights/workspaceManagerAssignment.ts index ed8561199442..910242ed33b4 100644 --- a/sdk/nodejs/securityinsights/workspaceManagerAssignment.ts +++ b/sdk/nodejs/securityinsights/workspaceManagerAssignment.ts @@ -125,7 +125,7 @@ export class WorkspaceManagerAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230401preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20230501preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20230601preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20230701preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20230801preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20230901preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20231001preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20231201preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20240101preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20240401preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20241001preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20250101preview:WorkspaceManagerAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20230701preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20230801preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20230901preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20231001preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20231201preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20240101preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20240401preview:WorkspaceManagerAssignment" }, { type: "azure-native:securityinsights/v20241001preview:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerAssignment" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceManagerAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/workspaceManagerConfiguration.ts b/sdk/nodejs/securityinsights/workspaceManagerConfiguration.ts index b3f7b39071af..41eb82d62069 100644 --- a/sdk/nodejs/securityinsights/workspaceManagerConfiguration.ts +++ b/sdk/nodejs/securityinsights/workspaceManagerConfiguration.ts @@ -104,7 +104,7 @@ export class WorkspaceManagerConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230401preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20230501preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20230601preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20230701preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20230801preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20230901preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20231001preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20231201preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20240101preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20240401preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20241001preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20250101preview:WorkspaceManagerConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20230701preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20230801preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20230901preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20231001preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20231201preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20240101preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20240401preview:WorkspaceManagerConfiguration" }, { type: "azure-native:securityinsights/v20241001preview:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerConfiguration" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceManagerConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/workspaceManagerGroup.ts b/sdk/nodejs/securityinsights/workspaceManagerGroup.ts index bbfd04fe0a06..109481470ba3 100644 --- a/sdk/nodejs/securityinsights/workspaceManagerGroup.ts +++ b/sdk/nodejs/securityinsights/workspaceManagerGroup.ts @@ -119,7 +119,7 @@ export class WorkspaceManagerGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230401preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20230501preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20230601preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20230701preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20230801preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20230901preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20231001preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20231201preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20240101preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20240401preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20241001preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20250101preview:WorkspaceManagerGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20230701preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20230801preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20230901preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20231001preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20231201preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20240101preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20240401preview:WorkspaceManagerGroup" }, { type: "azure-native:securityinsights/v20241001preview:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerGroup" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceManagerGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/securityinsights/workspaceManagerMember.ts b/sdk/nodejs/securityinsights/workspaceManagerMember.ts index 883f38958901..daf4fe6ce220 100644 --- a/sdk/nodejs/securityinsights/workspaceManagerMember.ts +++ b/sdk/nodejs/securityinsights/workspaceManagerMember.ts @@ -113,7 +113,7 @@ export class WorkspaceManagerMember extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230401preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20230501preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20230601preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20230701preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20230801preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20230901preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20231001preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20231201preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20240101preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20240401preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20241001preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20250101preview:WorkspaceManagerMember" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:securityinsights/v20230601preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20230701preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20230801preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20230901preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20231001preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20231201preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20240101preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20240401preview:WorkspaceManagerMember" }, { type: "azure-native:securityinsights/v20241001preview:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerMember" }, { type: "azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerMember" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceManagerMember.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/serialconsole/serialPort.ts b/sdk/nodejs/serialconsole/serialPort.ts index 6c820eea0d24..a4d3e2bbb3f3 100644 --- a/sdk/nodejs/serialconsole/serialPort.ts +++ b/sdk/nodejs/serialconsole/serialPort.ts @@ -95,7 +95,7 @@ export class SerialPort extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:serialconsole/v20180501:SerialPort" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:serialconsole/v20180501:SerialPort" }, { type: "azure-native_serialconsole_v20180501:serialconsole:SerialPort" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SerialPort.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/disasterRecoveryConfig.ts b/sdk/nodejs/servicebus/disasterRecoveryConfig.ts index cf5a7604e5a2..cd04e4cc6a89 100644 --- a/sdk/nodejs/servicebus/disasterRecoveryConfig.ts +++ b/sdk/nodejs/servicebus/disasterRecoveryConfig.ts @@ -125,7 +125,7 @@ export class DisasterRecoveryConfig extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20170401:DisasterRecoveryConfig" }, { type: "azure-native:servicebus/v20180101preview:DisasterRecoveryConfig" }, { type: "azure-native:servicebus/v20210101preview:DisasterRecoveryConfig" }, { type: "azure-native:servicebus/v20210601preview:DisasterRecoveryConfig" }, { type: "azure-native:servicebus/v20211101:DisasterRecoveryConfig" }, { type: "azure-native:servicebus/v20220101preview:DisasterRecoveryConfig" }, { type: "azure-native:servicebus/v20221001preview:DisasterRecoveryConfig" }, { type: "azure-native:servicebus/v20230101preview:DisasterRecoveryConfig" }, { type: "azure-native:servicebus/v20240101:DisasterRecoveryConfig" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:DisasterRecoveryConfig" }, { type: "azure-native:servicebus/v20221001preview:DisasterRecoveryConfig" }, { type: "azure-native:servicebus/v20230101preview:DisasterRecoveryConfig" }, { type: "azure-native:servicebus/v20240101:DisasterRecoveryConfig" }, { type: "azure-native_servicebus_v20170401:servicebus:DisasterRecoveryConfig" }, { type: "azure-native_servicebus_v20180101preview:servicebus:DisasterRecoveryConfig" }, { type: "azure-native_servicebus_v20210101preview:servicebus:DisasterRecoveryConfig" }, { type: "azure-native_servicebus_v20210601preview:servicebus:DisasterRecoveryConfig" }, { type: "azure-native_servicebus_v20211101:servicebus:DisasterRecoveryConfig" }, { type: "azure-native_servicebus_v20220101preview:servicebus:DisasterRecoveryConfig" }, { type: "azure-native_servicebus_v20221001preview:servicebus:DisasterRecoveryConfig" }, { type: "azure-native_servicebus_v20230101preview:servicebus:DisasterRecoveryConfig" }, { type: "azure-native_servicebus_v20240101:servicebus:DisasterRecoveryConfig" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DisasterRecoveryConfig.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/migrationConfig.ts b/sdk/nodejs/servicebus/migrationConfig.ts index bb90c5a0e934..63710c070b93 100644 --- a/sdk/nodejs/servicebus/migrationConfig.ts +++ b/sdk/nodejs/servicebus/migrationConfig.ts @@ -131,7 +131,7 @@ export class MigrationConfig extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20170401:MigrationConfig" }, { type: "azure-native:servicebus/v20180101preview:MigrationConfig" }, { type: "azure-native:servicebus/v20210101preview:MigrationConfig" }, { type: "azure-native:servicebus/v20210601preview:MigrationConfig" }, { type: "azure-native:servicebus/v20211101:MigrationConfig" }, { type: "azure-native:servicebus/v20220101preview:MigrationConfig" }, { type: "azure-native:servicebus/v20221001preview:MigrationConfig" }, { type: "azure-native:servicebus/v20230101preview:MigrationConfig" }, { type: "azure-native:servicebus/v20240101:MigrationConfig" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:MigrationConfig" }, { type: "azure-native:servicebus/v20221001preview:MigrationConfig" }, { type: "azure-native:servicebus/v20230101preview:MigrationConfig" }, { type: "azure-native:servicebus/v20240101:MigrationConfig" }, { type: "azure-native_servicebus_v20170401:servicebus:MigrationConfig" }, { type: "azure-native_servicebus_v20180101preview:servicebus:MigrationConfig" }, { type: "azure-native_servicebus_v20210101preview:servicebus:MigrationConfig" }, { type: "azure-native_servicebus_v20210601preview:servicebus:MigrationConfig" }, { type: "azure-native_servicebus_v20211101:servicebus:MigrationConfig" }, { type: "azure-native_servicebus_v20220101preview:servicebus:MigrationConfig" }, { type: "azure-native_servicebus_v20221001preview:servicebus:MigrationConfig" }, { type: "azure-native_servicebus_v20230101preview:servicebus:MigrationConfig" }, { type: "azure-native_servicebus_v20240101:servicebus:MigrationConfig" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MigrationConfig.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/namespace.ts b/sdk/nodejs/servicebus/namespace.ts index d1d5210d7512..43e0a7a586ed 100644 --- a/sdk/nodejs/servicebus/namespace.ts +++ b/sdk/nodejs/servicebus/namespace.ts @@ -193,7 +193,7 @@ export class Namespace extends pulumi.CustomResource { resourceInputs["zoneRedundant"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20140901:Namespace" }, { type: "azure-native:servicebus/v20150801:Namespace" }, { type: "azure-native:servicebus/v20170401:Namespace" }, { type: "azure-native:servicebus/v20180101preview:Namespace" }, { type: "azure-native:servicebus/v20210101preview:Namespace" }, { type: "azure-native:servicebus/v20210601preview:Namespace" }, { type: "azure-native:servicebus/v20211101:Namespace" }, { type: "azure-native:servicebus/v20220101preview:Namespace" }, { type: "azure-native:servicebus/v20221001preview:Namespace" }, { type: "azure-native:servicebus/v20230101preview:Namespace" }, { type: "azure-native:servicebus/v20240101:Namespace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:Namespace" }, { type: "azure-native:servicebus/v20221001preview:Namespace" }, { type: "azure-native:servicebus/v20230101preview:Namespace" }, { type: "azure-native:servicebus/v20240101:Namespace" }, { type: "azure-native_servicebus_v20140901:servicebus:Namespace" }, { type: "azure-native_servicebus_v20150801:servicebus:Namespace" }, { type: "azure-native_servicebus_v20170401:servicebus:Namespace" }, { type: "azure-native_servicebus_v20180101preview:servicebus:Namespace" }, { type: "azure-native_servicebus_v20210101preview:servicebus:Namespace" }, { type: "azure-native_servicebus_v20210601preview:servicebus:Namespace" }, { type: "azure-native_servicebus_v20211101:servicebus:Namespace" }, { type: "azure-native_servicebus_v20220101preview:servicebus:Namespace" }, { type: "azure-native_servicebus_v20221001preview:servicebus:Namespace" }, { type: "azure-native_servicebus_v20230101preview:servicebus:Namespace" }, { type: "azure-native_servicebus_v20240101:servicebus:Namespace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Namespace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/namespaceAuthorizationRule.ts b/sdk/nodejs/servicebus/namespaceAuthorizationRule.ts index 2afc11510922..a818d1ac1b56 100644 --- a/sdk/nodejs/servicebus/namespaceAuthorizationRule.ts +++ b/sdk/nodejs/servicebus/namespaceAuthorizationRule.ts @@ -104,7 +104,7 @@ export class NamespaceAuthorizationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20140901:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20150801:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20170401:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20180101preview:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20210101preview:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20210601preview:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20211101:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20220101preview:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20221001preview:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20230101preview:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20240101:NamespaceAuthorizationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20221001preview:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20230101preview:NamespaceAuthorizationRule" }, { type: "azure-native:servicebus/v20240101:NamespaceAuthorizationRule" }, { type: "azure-native_servicebus_v20140901:servicebus:NamespaceAuthorizationRule" }, { type: "azure-native_servicebus_v20150801:servicebus:NamespaceAuthorizationRule" }, { type: "azure-native_servicebus_v20170401:servicebus:NamespaceAuthorizationRule" }, { type: "azure-native_servicebus_v20180101preview:servicebus:NamespaceAuthorizationRule" }, { type: "azure-native_servicebus_v20210101preview:servicebus:NamespaceAuthorizationRule" }, { type: "azure-native_servicebus_v20210601preview:servicebus:NamespaceAuthorizationRule" }, { type: "azure-native_servicebus_v20211101:servicebus:NamespaceAuthorizationRule" }, { type: "azure-native_servicebus_v20220101preview:servicebus:NamespaceAuthorizationRule" }, { type: "azure-native_servicebus_v20221001preview:servicebus:NamespaceAuthorizationRule" }, { type: "azure-native_servicebus_v20230101preview:servicebus:NamespaceAuthorizationRule" }, { type: "azure-native_servicebus_v20240101:servicebus:NamespaceAuthorizationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceAuthorizationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/namespaceIpFilterRule.ts b/sdk/nodejs/servicebus/namespaceIpFilterRule.ts index 158795fff341..0da722df57cf 100644 --- a/sdk/nodejs/servicebus/namespaceIpFilterRule.ts +++ b/sdk/nodejs/servicebus/namespaceIpFilterRule.ts @@ -99,7 +99,7 @@ export class NamespaceIpFilterRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20180101preview:NamespaceIpFilterRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20180101preview:NamespaceIpFilterRule" }, { type: "azure-native_servicebus_v20180101preview:servicebus:NamespaceIpFilterRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceIpFilterRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/namespaceNetworkRuleSet.ts b/sdk/nodejs/servicebus/namespaceNetworkRuleSet.ts index 244076a20649..8a9b5aff1902 100644 --- a/sdk/nodejs/servicebus/namespaceNetworkRuleSet.ts +++ b/sdk/nodejs/servicebus/namespaceNetworkRuleSet.ts @@ -124,7 +124,7 @@ export class NamespaceNetworkRuleSet extends pulumi.CustomResource { resourceInputs["virtualNetworkRules"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20170401:NamespaceNetworkRuleSet" }, { type: "azure-native:servicebus/v20180101preview:NamespaceNetworkRuleSet" }, { type: "azure-native:servicebus/v20210101preview:NamespaceNetworkRuleSet" }, { type: "azure-native:servicebus/v20210601preview:NamespaceNetworkRuleSet" }, { type: "azure-native:servicebus/v20211101:NamespaceNetworkRuleSet" }, { type: "azure-native:servicebus/v20220101preview:NamespaceNetworkRuleSet" }, { type: "azure-native:servicebus/v20221001preview:NamespaceNetworkRuleSet" }, { type: "azure-native:servicebus/v20230101preview:NamespaceNetworkRuleSet" }, { type: "azure-native:servicebus/v20240101:NamespaceNetworkRuleSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:NamespaceNetworkRuleSet" }, { type: "azure-native:servicebus/v20221001preview:NamespaceNetworkRuleSet" }, { type: "azure-native:servicebus/v20230101preview:NamespaceNetworkRuleSet" }, { type: "azure-native:servicebus/v20240101:NamespaceNetworkRuleSet" }, { type: "azure-native_servicebus_v20170401:servicebus:NamespaceNetworkRuleSet" }, { type: "azure-native_servicebus_v20180101preview:servicebus:NamespaceNetworkRuleSet" }, { type: "azure-native_servicebus_v20210101preview:servicebus:NamespaceNetworkRuleSet" }, { type: "azure-native_servicebus_v20210601preview:servicebus:NamespaceNetworkRuleSet" }, { type: "azure-native_servicebus_v20211101:servicebus:NamespaceNetworkRuleSet" }, { type: "azure-native_servicebus_v20220101preview:servicebus:NamespaceNetworkRuleSet" }, { type: "azure-native_servicebus_v20221001preview:servicebus:NamespaceNetworkRuleSet" }, { type: "azure-native_servicebus_v20230101preview:servicebus:NamespaceNetworkRuleSet" }, { type: "azure-native_servicebus_v20240101:servicebus:NamespaceNetworkRuleSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceNetworkRuleSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/namespaceVirtualNetworkRule.ts b/sdk/nodejs/servicebus/namespaceVirtualNetworkRule.ts index 004726536fa8..6cdd1084ce9e 100644 --- a/sdk/nodejs/servicebus/namespaceVirtualNetworkRule.ts +++ b/sdk/nodejs/servicebus/namespaceVirtualNetworkRule.ts @@ -84,7 +84,7 @@ export class NamespaceVirtualNetworkRule extends pulumi.CustomResource { resourceInputs["virtualNetworkSubnetId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20180101preview:NamespaceVirtualNetworkRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20180101preview:NamespaceVirtualNetworkRule" }, { type: "azure-native_servicebus_v20180101preview:servicebus:NamespaceVirtualNetworkRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NamespaceVirtualNetworkRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/privateEndpointConnection.ts b/sdk/nodejs/servicebus/privateEndpointConnection.ts index 5afb0ca265e6..c6932836783a 100644 --- a/sdk/nodejs/servicebus/privateEndpointConnection.ts +++ b/sdk/nodejs/servicebus/privateEndpointConnection.ts @@ -113,7 +113,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20180101preview:PrivateEndpointConnection" }, { type: "azure-native:servicebus/v20210101preview:PrivateEndpointConnection" }, { type: "azure-native:servicebus/v20210601preview:PrivateEndpointConnection" }, { type: "azure-native:servicebus/v20211101:PrivateEndpointConnection" }, { type: "azure-native:servicebus/v20220101preview:PrivateEndpointConnection" }, { type: "azure-native:servicebus/v20221001preview:PrivateEndpointConnection" }, { type: "azure-native:servicebus/v20230101preview:PrivateEndpointConnection" }, { type: "azure-native:servicebus/v20240101:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:PrivateEndpointConnection" }, { type: "azure-native:servicebus/v20221001preview:PrivateEndpointConnection" }, { type: "azure-native:servicebus/v20230101preview:PrivateEndpointConnection" }, { type: "azure-native:servicebus/v20240101:PrivateEndpointConnection" }, { type: "azure-native_servicebus_v20180101preview:servicebus:PrivateEndpointConnection" }, { type: "azure-native_servicebus_v20210101preview:servicebus:PrivateEndpointConnection" }, { type: "azure-native_servicebus_v20210601preview:servicebus:PrivateEndpointConnection" }, { type: "azure-native_servicebus_v20211101:servicebus:PrivateEndpointConnection" }, { type: "azure-native_servicebus_v20220101preview:servicebus:PrivateEndpointConnection" }, { type: "azure-native_servicebus_v20221001preview:servicebus:PrivateEndpointConnection" }, { type: "azure-native_servicebus_v20230101preview:servicebus:PrivateEndpointConnection" }, { type: "azure-native_servicebus_v20240101:servicebus:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/queue.ts b/sdk/nodejs/servicebus/queue.ts index b26782cee4c4..26820750f1a9 100644 --- a/sdk/nodejs/servicebus/queue.ts +++ b/sdk/nodejs/servicebus/queue.ts @@ -227,7 +227,7 @@ export class Queue extends pulumi.CustomResource { resourceInputs["updatedAt"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20140901:Queue" }, { type: "azure-native:servicebus/v20150801:Queue" }, { type: "azure-native:servicebus/v20170401:Queue" }, { type: "azure-native:servicebus/v20180101preview:Queue" }, { type: "azure-native:servicebus/v20210101preview:Queue" }, { type: "azure-native:servicebus/v20210601preview:Queue" }, { type: "azure-native:servicebus/v20211101:Queue" }, { type: "azure-native:servicebus/v20220101preview:Queue" }, { type: "azure-native:servicebus/v20221001preview:Queue" }, { type: "azure-native:servicebus/v20230101preview:Queue" }, { type: "azure-native:servicebus/v20240101:Queue" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:Queue" }, { type: "azure-native:servicebus/v20221001preview:Queue" }, { type: "azure-native:servicebus/v20230101preview:Queue" }, { type: "azure-native:servicebus/v20240101:Queue" }, { type: "azure-native_servicebus_v20140901:servicebus:Queue" }, { type: "azure-native_servicebus_v20150801:servicebus:Queue" }, { type: "azure-native_servicebus_v20170401:servicebus:Queue" }, { type: "azure-native_servicebus_v20180101preview:servicebus:Queue" }, { type: "azure-native_servicebus_v20210101preview:servicebus:Queue" }, { type: "azure-native_servicebus_v20210601preview:servicebus:Queue" }, { type: "azure-native_servicebus_v20211101:servicebus:Queue" }, { type: "azure-native_servicebus_v20220101preview:servicebus:Queue" }, { type: "azure-native_servicebus_v20221001preview:servicebus:Queue" }, { type: "azure-native_servicebus_v20230101preview:servicebus:Queue" }, { type: "azure-native_servicebus_v20240101:servicebus:Queue" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Queue.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/queueAuthorizationRule.ts b/sdk/nodejs/servicebus/queueAuthorizationRule.ts index 3269d096cd34..c97100e666da 100644 --- a/sdk/nodejs/servicebus/queueAuthorizationRule.ts +++ b/sdk/nodejs/servicebus/queueAuthorizationRule.ts @@ -108,7 +108,7 @@ export class QueueAuthorizationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20140901:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20150801:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20170401:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20180101preview:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20210101preview:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20210601preview:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20211101:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20220101preview:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20221001preview:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20230101preview:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20240101:QueueAuthorizationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20221001preview:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20230101preview:QueueAuthorizationRule" }, { type: "azure-native:servicebus/v20240101:QueueAuthorizationRule" }, { type: "azure-native_servicebus_v20140901:servicebus:QueueAuthorizationRule" }, { type: "azure-native_servicebus_v20150801:servicebus:QueueAuthorizationRule" }, { type: "azure-native_servicebus_v20170401:servicebus:QueueAuthorizationRule" }, { type: "azure-native_servicebus_v20180101preview:servicebus:QueueAuthorizationRule" }, { type: "azure-native_servicebus_v20210101preview:servicebus:QueueAuthorizationRule" }, { type: "azure-native_servicebus_v20210601preview:servicebus:QueueAuthorizationRule" }, { type: "azure-native_servicebus_v20211101:servicebus:QueueAuthorizationRule" }, { type: "azure-native_servicebus_v20220101preview:servicebus:QueueAuthorizationRule" }, { type: "azure-native_servicebus_v20221001preview:servicebus:QueueAuthorizationRule" }, { type: "azure-native_servicebus_v20230101preview:servicebus:QueueAuthorizationRule" }, { type: "azure-native_servicebus_v20240101:servicebus:QueueAuthorizationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(QueueAuthorizationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/rule.ts b/sdk/nodejs/servicebus/rule.ts index c5ab2bbda49a..9250c09e2afb 100644 --- a/sdk/nodejs/servicebus/rule.ts +++ b/sdk/nodejs/servicebus/rule.ts @@ -127,7 +127,7 @@ export class Rule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20170401:Rule" }, { type: "azure-native:servicebus/v20180101preview:Rule" }, { type: "azure-native:servicebus/v20210101preview:Rule" }, { type: "azure-native:servicebus/v20210601preview:Rule" }, { type: "azure-native:servicebus/v20211101:Rule" }, { type: "azure-native:servicebus/v20220101preview:Rule" }, { type: "azure-native:servicebus/v20221001preview:Rule" }, { type: "azure-native:servicebus/v20230101preview:Rule" }, { type: "azure-native:servicebus/v20240101:Rule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:Rule" }, { type: "azure-native:servicebus/v20221001preview:Rule" }, { type: "azure-native:servicebus/v20230101preview:Rule" }, { type: "azure-native:servicebus/v20240101:Rule" }, { type: "azure-native_servicebus_v20170401:servicebus:Rule" }, { type: "azure-native_servicebus_v20180101preview:servicebus:Rule" }, { type: "azure-native_servicebus_v20210101preview:servicebus:Rule" }, { type: "azure-native_servicebus_v20210601preview:servicebus:Rule" }, { type: "azure-native_servicebus_v20211101:servicebus:Rule" }, { type: "azure-native_servicebus_v20220101preview:servicebus:Rule" }, { type: "azure-native_servicebus_v20221001preview:servicebus:Rule" }, { type: "azure-native_servicebus_v20230101preview:servicebus:Rule" }, { type: "azure-native_servicebus_v20240101:servicebus:Rule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Rule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/subscription.ts b/sdk/nodejs/servicebus/subscription.ts index 8099a646c3ca..55f6a59dfb03 100644 --- a/sdk/nodejs/servicebus/subscription.ts +++ b/sdk/nodejs/servicebus/subscription.ts @@ -213,7 +213,7 @@ export class Subscription extends pulumi.CustomResource { resourceInputs["updatedAt"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20140901:Subscription" }, { type: "azure-native:servicebus/v20150801:Subscription" }, { type: "azure-native:servicebus/v20170401:Subscription" }, { type: "azure-native:servicebus/v20180101preview:Subscription" }, { type: "azure-native:servicebus/v20210101preview:Subscription" }, { type: "azure-native:servicebus/v20210601preview:Subscription" }, { type: "azure-native:servicebus/v20211101:Subscription" }, { type: "azure-native:servicebus/v20220101preview:Subscription" }, { type: "azure-native:servicebus/v20221001preview:Subscription" }, { type: "azure-native:servicebus/v20230101preview:Subscription" }, { type: "azure-native:servicebus/v20240101:Subscription" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:Subscription" }, { type: "azure-native:servicebus/v20221001preview:Subscription" }, { type: "azure-native:servicebus/v20230101preview:Subscription" }, { type: "azure-native:servicebus/v20240101:Subscription" }, { type: "azure-native_servicebus_v20140901:servicebus:Subscription" }, { type: "azure-native_servicebus_v20150801:servicebus:Subscription" }, { type: "azure-native_servicebus_v20170401:servicebus:Subscription" }, { type: "azure-native_servicebus_v20180101preview:servicebus:Subscription" }, { type: "azure-native_servicebus_v20210101preview:servicebus:Subscription" }, { type: "azure-native_servicebus_v20210601preview:servicebus:Subscription" }, { type: "azure-native_servicebus_v20211101:servicebus:Subscription" }, { type: "azure-native_servicebus_v20220101preview:servicebus:Subscription" }, { type: "azure-native_servicebus_v20221001preview:servicebus:Subscription" }, { type: "azure-native_servicebus_v20230101preview:servicebus:Subscription" }, { type: "azure-native_servicebus_v20240101:servicebus:Subscription" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Subscription.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/topic.ts b/sdk/nodejs/servicebus/topic.ts index 5e1858d90453..4a952916e03c 100644 --- a/sdk/nodejs/servicebus/topic.ts +++ b/sdk/nodejs/servicebus/topic.ts @@ -197,7 +197,7 @@ export class Topic extends pulumi.CustomResource { resourceInputs["updatedAt"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20140901:Topic" }, { type: "azure-native:servicebus/v20150801:Topic" }, { type: "azure-native:servicebus/v20170401:Topic" }, { type: "azure-native:servicebus/v20180101preview:Topic" }, { type: "azure-native:servicebus/v20210101preview:Topic" }, { type: "azure-native:servicebus/v20210601preview:Topic" }, { type: "azure-native:servicebus/v20211101:Topic" }, { type: "azure-native:servicebus/v20220101preview:Topic" }, { type: "azure-native:servicebus/v20221001preview:Topic" }, { type: "azure-native:servicebus/v20230101preview:Topic" }, { type: "azure-native:servicebus/v20240101:Topic" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:Topic" }, { type: "azure-native:servicebus/v20221001preview:Topic" }, { type: "azure-native:servicebus/v20230101preview:Topic" }, { type: "azure-native:servicebus/v20240101:Topic" }, { type: "azure-native_servicebus_v20140901:servicebus:Topic" }, { type: "azure-native_servicebus_v20150801:servicebus:Topic" }, { type: "azure-native_servicebus_v20170401:servicebus:Topic" }, { type: "azure-native_servicebus_v20180101preview:servicebus:Topic" }, { type: "azure-native_servicebus_v20210101preview:servicebus:Topic" }, { type: "azure-native_servicebus_v20210601preview:servicebus:Topic" }, { type: "azure-native_servicebus_v20211101:servicebus:Topic" }, { type: "azure-native_servicebus_v20220101preview:servicebus:Topic" }, { type: "azure-native_servicebus_v20221001preview:servicebus:Topic" }, { type: "azure-native_servicebus_v20230101preview:servicebus:Topic" }, { type: "azure-native_servicebus_v20240101:servicebus:Topic" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Topic.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicebus/topicAuthorizationRule.ts b/sdk/nodejs/servicebus/topicAuthorizationRule.ts index 0653557db7b0..c467ad25e789 100644 --- a/sdk/nodejs/servicebus/topicAuthorizationRule.ts +++ b/sdk/nodejs/servicebus/topicAuthorizationRule.ts @@ -108,7 +108,7 @@ export class TopicAuthorizationRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20140901:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20150801:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20170401:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20180101preview:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20210101preview:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20210601preview:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20211101:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20220101preview:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20221001preview:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20230101preview:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20240101:TopicAuthorizationRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicebus/v20220101preview:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20221001preview:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20230101preview:TopicAuthorizationRule" }, { type: "azure-native:servicebus/v20240101:TopicAuthorizationRule" }, { type: "azure-native_servicebus_v20140901:servicebus:TopicAuthorizationRule" }, { type: "azure-native_servicebus_v20150801:servicebus:TopicAuthorizationRule" }, { type: "azure-native_servicebus_v20170401:servicebus:TopicAuthorizationRule" }, { type: "azure-native_servicebus_v20180101preview:servicebus:TopicAuthorizationRule" }, { type: "azure-native_servicebus_v20210101preview:servicebus:TopicAuthorizationRule" }, { type: "azure-native_servicebus_v20210601preview:servicebus:TopicAuthorizationRule" }, { type: "azure-native_servicebus_v20211101:servicebus:TopicAuthorizationRule" }, { type: "azure-native_servicebus_v20220101preview:servicebus:TopicAuthorizationRule" }, { type: "azure-native_servicebus_v20221001preview:servicebus:TopicAuthorizationRule" }, { type: "azure-native_servicebus_v20230101preview:servicebus:TopicAuthorizationRule" }, { type: "azure-native_servicebus_v20240101:servicebus:TopicAuthorizationRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TopicAuthorizationRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabric/application.ts b/sdk/nodejs/servicefabric/application.ts index 9d4a50c3babd..ac548dfee038 100644 --- a/sdk/nodejs/servicefabric/application.ts +++ b/sdk/nodejs/servicefabric/application.ts @@ -136,7 +136,7 @@ export class Application extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20210101preview:Application" }, { type: "azure-native:servicefabric/v20210501:Application" }, { type: "azure-native:servicefabric/v20210601:Application" }, { type: "azure-native:servicefabric/v20210701preview:Application" }, { type: "azure-native:servicefabric/v20210901privatepreview:Application" }, { type: "azure-native:servicefabric/v20211101preview:Application" }, { type: "azure-native:servicefabric/v20220101:Application" }, { type: "azure-native:servicefabric/v20220201preview:Application" }, { type: "azure-native:servicefabric/v20220601preview:Application" }, { type: "azure-native:servicefabric/v20220801preview:Application" }, { type: "azure-native:servicefabric/v20221001preview:Application" }, { type: "azure-native:servicefabric/v20230201preview:Application" }, { type: "azure-native:servicefabric/v20230301preview:Application" }, { type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20230701preview:Application" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20230901preview:Application" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20231101preview:Application" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20231201preview:Application" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240201preview:Application" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240401:Application" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240601preview:Application" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240901preview:Application" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20241101preview:Application" }, { type: "azure-native:servicefabric:ManagedClusterApplication" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20210101preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20210501:servicefabric:Application" }, { type: "azure-native_servicefabric_v20210701preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20210901privatepreview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20211101preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20220101:servicefabric:Application" }, { type: "azure-native_servicefabric_v20220201preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20220601preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20220801preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20221001preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20230201preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20230301preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20230701preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20230901preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20231101preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20231201preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20240201preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20240401:servicefabric:Application" }, { type: "azure-native_servicefabric_v20240601preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20240901preview:servicefabric:Application" }, { type: "azure-native_servicefabric_v20241101preview:servicefabric:Application" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Application.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabric/applicationType.ts b/sdk/nodejs/servicefabric/applicationType.ts index 3d23bdfc7e53..d63bddd9b4e5 100644 --- a/sdk/nodejs/servicefabric/applicationType.ts +++ b/sdk/nodejs/servicefabric/applicationType.ts @@ -105,7 +105,7 @@ export class ApplicationType extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20210101preview:ApplicationType" }, { type: "azure-native:servicefabric/v20210501:ApplicationType" }, { type: "azure-native:servicefabric/v20210601:ApplicationType" }, { type: "azure-native:servicefabric/v20210701preview:ApplicationType" }, { type: "azure-native:servicefabric/v20210901privatepreview:ApplicationType" }, { type: "azure-native:servicefabric/v20211101preview:ApplicationType" }, { type: "azure-native:servicefabric/v20220101:ApplicationType" }, { type: "azure-native:servicefabric/v20220201preview:ApplicationType" }, { type: "azure-native:servicefabric/v20220601preview:ApplicationType" }, { type: "azure-native:servicefabric/v20220801preview:ApplicationType" }, { type: "azure-native:servicefabric/v20221001preview:ApplicationType" }, { type: "azure-native:servicefabric/v20230201preview:ApplicationType" }, { type: "azure-native:servicefabric/v20230301preview:ApplicationType" }, { type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20230701preview:ApplicationType" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20230901preview:ApplicationType" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20231101preview:ApplicationType" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20231201preview:ApplicationType" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240201preview:ApplicationType" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240401:ApplicationType" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240601preview:ApplicationType" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240901preview:ApplicationType" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20241101preview:ApplicationType" }, { type: "azure-native:servicefabric:ManagedClusterApplicationType" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20210101preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20210501:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20210701preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20210901privatepreview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20211101preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20220101:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20220201preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20220601preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20220801preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20221001preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20230201preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20230301preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20230701preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20230901preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20231101preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20231201preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20240201preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20240401:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20240601preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20240901preview:servicefabric:ApplicationType" }, { type: "azure-native_servicefabric_v20241101preview:servicefabric:ApplicationType" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationType.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabric/applicationTypeVersion.ts b/sdk/nodejs/servicefabric/applicationTypeVersion.ts index ad26480fb21d..a3f6e6b9396c 100644 --- a/sdk/nodejs/servicefabric/applicationTypeVersion.ts +++ b/sdk/nodejs/servicefabric/applicationTypeVersion.ts @@ -118,7 +118,7 @@ export class ApplicationTypeVersion extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20210101preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20210501:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20210601:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20210701preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20210901privatepreview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20211101preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20220101:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20220201preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20220601preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20220801preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20221001preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230201preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230301preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230701preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230901preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20231101preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20231201preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240201preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240401:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240601preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240901preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20241101preview:ApplicationTypeVersion" }, { type: "azure-native:servicefabric:ManagedClusterApplicationTypeVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20210101preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20210501:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20210701preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20210901privatepreview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20211101preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20220101:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20220201preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20220601preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20220801preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20221001preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20230201preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20230301preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20230701preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20230901preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20231101preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20231201preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20240201preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20240401:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20240601preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20240901preview:servicefabric:ApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20241101preview:servicefabric:ApplicationTypeVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationTypeVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabric/managedCluster.ts b/sdk/nodejs/servicefabric/managedCluster.ts index 575d4e4444f7..8743064458b0 100644 --- a/sdk/nodejs/servicefabric/managedCluster.ts +++ b/sdk/nodejs/servicefabric/managedCluster.ts @@ -352,7 +352,7 @@ export class ManagedCluster extends pulumi.CustomResource { resourceInputs["zonalUpdateMode"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20200101preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20210101preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20210501:ManagedCluster" }, { type: "azure-native:servicefabric/v20210701preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20210901privatepreview:ManagedCluster" }, { type: "azure-native:servicefabric/v20211101preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20220101:ManagedCluster" }, { type: "azure-native:servicefabric/v20220201preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20220601preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20220801preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20221001preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20230201preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20230301preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20230701preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20230901preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20231101preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20231201preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20240201preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20240401:ManagedCluster" }, { type: "azure-native:servicefabric/v20240601preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20240901preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20241101preview:ManagedCluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20200101preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20220101:ManagedCluster" }, { type: "azure-native:servicefabric/v20221001preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20230301preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20230701preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20230901preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20231101preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20231201preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20240201preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20240401:ManagedCluster" }, { type: "azure-native:servicefabric/v20240601preview:ManagedCluster" }, { type: "azure-native:servicefabric/v20240901preview:ManagedCluster" }, { type: "azure-native_servicefabric_v20200101preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20210101preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20210501:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20210701preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20211101preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20220101:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20220201preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20220601preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20220801preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20221001preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20230201preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20230301preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20230701preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20230901preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20231101preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20231201preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20240201preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20240401:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20240601preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20240901preview:servicefabric:ManagedCluster" }, { type: "azure-native_servicefabric_v20241101preview:servicefabric:ManagedCluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedCluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabric/managedClusterApplication.ts b/sdk/nodejs/servicefabric/managedClusterApplication.ts index bceb5b38ec34..9668dcbd852d 100644 --- a/sdk/nodejs/servicefabric/managedClusterApplication.ts +++ b/sdk/nodejs/servicefabric/managedClusterApplication.ts @@ -138,7 +138,7 @@ export class ManagedClusterApplication extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20210101preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20210501:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20210701preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20210901privatepreview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20211101preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20220101:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20220201preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20220601preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20220801preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20221001preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20230201preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20241101preview:ManagedClusterApplication" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplication" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20210501:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20220101:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplication" }, { type: "azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterApplication" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedClusterApplication.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabric/managedClusterApplicationType.ts b/sdk/nodejs/servicefabric/managedClusterApplicationType.ts index fbdbfa5176c9..cc5a63f54f77 100644 --- a/sdk/nodejs/servicefabric/managedClusterApplicationType.ts +++ b/sdk/nodejs/servicefabric/managedClusterApplicationType.ts @@ -107,7 +107,7 @@ export class ManagedClusterApplicationType extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20210101preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20210501:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20210701preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20210901privatepreview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20211101preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20220101:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20220201preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20220601preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20220801preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20221001preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20230201preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20241101preview:ManagedClusterApplicationType" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationType" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20210501:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20220101:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplicationType" }, { type: "azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterApplicationType" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedClusterApplicationType.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabric/managedClusterApplicationTypeVersion.ts b/sdk/nodejs/servicefabric/managedClusterApplicationTypeVersion.ts index 74077256b5da..7c0a2dd5756e 100644 --- a/sdk/nodejs/servicefabric/managedClusterApplicationTypeVersion.ts +++ b/sdk/nodejs/servicefabric/managedClusterApplicationTypeVersion.ts @@ -120,7 +120,7 @@ export class ManagedClusterApplicationTypeVersion extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20210101preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20210501:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20210701preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20210901privatepreview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20211101preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20220101:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20220201preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20220601preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20220801preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20221001preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230201preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20241101preview:ManagedClusterApplicationTypeVersion" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20230301preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20210501:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20220101:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplicationTypeVersion" }, { type: "azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterApplicationTypeVersion" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedClusterApplicationTypeVersion.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabric/managedClusterService.ts b/sdk/nodejs/servicefabric/managedClusterService.ts index 324b02b09edf..3bbc970bd11c 100644 --- a/sdk/nodejs/servicefabric/managedClusterService.ts +++ b/sdk/nodejs/servicefabric/managedClusterService.ts @@ -111,7 +111,7 @@ export class ManagedClusterService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20210101preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20210501:ManagedClusterService" }, { type: "azure-native:servicefabric/v20210701preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20210901privatepreview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20211101preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20220101:ManagedClusterService" }, { type: "azure-native:servicefabric/v20220201preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20220601preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20220801preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20221001preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20230201preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20230301preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20241101preview:ManagedClusterService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20230301preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterService" }, { type: "azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20210501:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20220101:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20240401:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedClusterService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabric/nodeType.ts b/sdk/nodejs/servicefabric/nodeType.ts index d03c2d58a53c..b92e0d3528d2 100644 --- a/sdk/nodejs/servicefabric/nodeType.ts +++ b/sdk/nodejs/servicefabric/nodeType.ts @@ -401,7 +401,7 @@ export class NodeType extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20200101preview:NodeType" }, { type: "azure-native:servicefabric/v20210101preview:NodeType" }, { type: "azure-native:servicefabric/v20210501:NodeType" }, { type: "azure-native:servicefabric/v20210701preview:NodeType" }, { type: "azure-native:servicefabric/v20210901privatepreview:NodeType" }, { type: "azure-native:servicefabric/v20211101preview:NodeType" }, { type: "azure-native:servicefabric/v20220101:NodeType" }, { type: "azure-native:servicefabric/v20220201preview:NodeType" }, { type: "azure-native:servicefabric/v20220601preview:NodeType" }, { type: "azure-native:servicefabric/v20220801preview:NodeType" }, { type: "azure-native:servicefabric/v20221001preview:NodeType" }, { type: "azure-native:servicefabric/v20230201preview:NodeType" }, { type: "azure-native:servicefabric/v20230301preview:NodeType" }, { type: "azure-native:servicefabric/v20230701preview:NodeType" }, { type: "azure-native:servicefabric/v20230901preview:NodeType" }, { type: "azure-native:servicefabric/v20231101preview:NodeType" }, { type: "azure-native:servicefabric/v20231201preview:NodeType" }, { type: "azure-native:servicefabric/v20240201preview:NodeType" }, { type: "azure-native:servicefabric/v20240401:NodeType" }, { type: "azure-native:servicefabric/v20240601preview:NodeType" }, { type: "azure-native:servicefabric/v20240901preview:NodeType" }, { type: "azure-native:servicefabric/v20241101preview:NodeType" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20230301preview:NodeType" }, { type: "azure-native:servicefabric/v20230701preview:NodeType" }, { type: "azure-native:servicefabric/v20230901preview:NodeType" }, { type: "azure-native:servicefabric/v20231101preview:NodeType" }, { type: "azure-native:servicefabric/v20231201preview:NodeType" }, { type: "azure-native:servicefabric/v20240201preview:NodeType" }, { type: "azure-native:servicefabric/v20240401:NodeType" }, { type: "azure-native:servicefabric/v20240601preview:NodeType" }, { type: "azure-native:servicefabric/v20240901preview:NodeType" }, { type: "azure-native_servicefabric_v20200101preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20210101preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20210501:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20210701preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20210901privatepreview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20211101preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20220101:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20220201preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20220601preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20220801preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20221001preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20230201preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20230301preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20230701preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20230901preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20231101preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20231201preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20240201preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20240401:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20240601preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20240901preview:servicefabric:NodeType" }, { type: "azure-native_servicefabric_v20241101preview:servicefabric:NodeType" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(NodeType.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabric/service.ts b/sdk/nodejs/servicefabric/service.ts index 9eeb2ad0fae6..bf5662dcee29 100644 --- a/sdk/nodejs/servicefabric/service.ts +++ b/sdk/nodejs/servicefabric/service.ts @@ -109,7 +109,7 @@ export class Service extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20210101preview:Service" }, { type: "azure-native:servicefabric/v20210501:Service" }, { type: "azure-native:servicefabric/v20210601:Service" }, { type: "azure-native:servicefabric/v20210701preview:Service" }, { type: "azure-native:servicefabric/v20210901privatepreview:Service" }, { type: "azure-native:servicefabric/v20211101preview:Service" }, { type: "azure-native:servicefabric/v20220101:Service" }, { type: "azure-native:servicefabric/v20220201preview:Service" }, { type: "azure-native:servicefabric/v20220601preview:Service" }, { type: "azure-native:servicefabric/v20220801preview:Service" }, { type: "azure-native:servicefabric/v20221001preview:Service" }, { type: "azure-native:servicefabric/v20230201preview:Service" }, { type: "azure-native:servicefabric/v20230301preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20230301preview:Service" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20230701preview:Service" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20230901preview:Service" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20231101preview:Service" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20231201preview:Service" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240201preview:Service" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240401:Service" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240601preview:Service" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240901preview:Service" }, { type: "azure-native:servicefabric/v20241101preview:Service" }, { type: "azure-native:servicefabric:ManagedClusterService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabric/v20230301preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20230701preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20230901preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20231101preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20231201preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240201preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240401:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240601preview:ManagedClusterService" }, { type: "azure-native:servicefabric/v20240901preview:ManagedClusterService" }, { type: "azure-native:servicefabric:ManagedClusterService" }, { type: "azure-native_servicefabric_v20210101preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20210501:servicefabric:Service" }, { type: "azure-native_servicefabric_v20210701preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20210901privatepreview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20211101preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20220101:servicefabric:Service" }, { type: "azure-native_servicefabric_v20220201preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20220601preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20220801preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20221001preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20230201preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20230301preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20230701preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20230901preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20231101preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20231201preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20240201preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20240401:servicefabric:Service" }, { type: "azure-native_servicefabric_v20240601preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20240901preview:servicefabric:Service" }, { type: "azure-native_servicefabric_v20241101preview:servicefabric:Service" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Service.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabricmesh/application.ts b/sdk/nodejs/servicefabricmesh/application.ts index 2e6ecb378d35..6aca5c31fe83 100644 --- a/sdk/nodejs/servicefabricmesh/application.ts +++ b/sdk/nodejs/servicefabricmesh/application.ts @@ -149,7 +149,7 @@ export class Application extends pulumi.CustomResource { resourceInputs["unhealthyEvaluation"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180701preview:Application" }, { type: "azure-native:servicefabricmesh/v20180901preview:Application" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180901preview:Application" }, { type: "azure-native_servicefabricmesh_v20180701preview:servicefabricmesh:Application" }, { type: "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Application" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Application.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabricmesh/gateway.ts b/sdk/nodejs/servicefabricmesh/gateway.ts index da11cc10959e..0f25e9b5b5eb 100644 --- a/sdk/nodejs/servicefabricmesh/gateway.ts +++ b/sdk/nodejs/servicefabricmesh/gateway.ts @@ -149,7 +149,7 @@ export class Gateway extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180901preview:Gateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180901preview:Gateway" }, { type: "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Gateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Gateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabricmesh/network.ts b/sdk/nodejs/servicefabricmesh/network.ts index 65b4b3abb9a0..9431890e2cf0 100644 --- a/sdk/nodejs/servicefabricmesh/network.ts +++ b/sdk/nodejs/servicefabricmesh/network.ts @@ -98,7 +98,7 @@ export class Network extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180701preview:Network" }, { type: "azure-native:servicefabricmesh/v20180901preview:Network" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180901preview:Network" }, { type: "azure-native_servicefabricmesh_v20180701preview:servicefabricmesh:Network" }, { type: "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Network" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Network.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabricmesh/secret.ts b/sdk/nodejs/servicefabricmesh/secret.ts index 898072ca2ebb..a266cc3f6ed8 100644 --- a/sdk/nodejs/servicefabricmesh/secret.ts +++ b/sdk/nodejs/servicefabricmesh/secret.ts @@ -98,7 +98,7 @@ export class Secret extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180901preview:Secret" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180901preview:Secret" }, { type: "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Secret" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Secret.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabricmesh/secretValue.ts b/sdk/nodejs/servicefabricmesh/secretValue.ts index 034ebe0b38f8..f8a52920da33 100644 --- a/sdk/nodejs/servicefabricmesh/secretValue.ts +++ b/sdk/nodejs/servicefabricmesh/secretValue.ts @@ -102,7 +102,7 @@ export class SecretValue extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180901preview:SecretValue" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180901preview:SecretValue" }, { type: "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:SecretValue" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecretValue.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicefabricmesh/volume.ts b/sdk/nodejs/servicefabricmesh/volume.ts index 22dc27c20e12..35b2ad84be3f 100644 --- a/sdk/nodejs/servicefabricmesh/volume.ts +++ b/sdk/nodejs/servicefabricmesh/volume.ts @@ -128,7 +128,7 @@ export class Volume extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180701preview:Volume" }, { type: "azure-native:servicefabricmesh/v20180901preview:Volume" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicefabricmesh/v20180901preview:Volume" }, { type: "azure-native_servicefabricmesh_v20180701preview:servicefabricmesh:Volume" }, { type: "azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Volume" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Volume.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicelinker/connector.ts b/sdk/nodejs/servicelinker/connector.ts index 0d9a2ca4c4b1..6176c96da3ea 100644 --- a/sdk/nodejs/servicelinker/connector.ts +++ b/sdk/nodejs/servicelinker/connector.ts @@ -144,7 +144,7 @@ export class Connector extends pulumi.CustomResource { resourceInputs["vNetSolution"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicelinker/v20221101preview:Connector" }, { type: "azure-native:servicelinker/v20230401preview:Connector" }, { type: "azure-native:servicelinker/v20240401:Connector" }, { type: "azure-native:servicelinker/v20240701preview:Connector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicelinker/v20221101preview:Connector" }, { type: "azure-native:servicelinker/v20230401preview:Connector" }, { type: "azure-native:servicelinker/v20240401:Connector" }, { type: "azure-native:servicelinker/v20240701preview:Connector" }, { type: "azure-native_servicelinker_v20221101preview:servicelinker:Connector" }, { type: "azure-native_servicelinker_v20230401preview:servicelinker:Connector" }, { type: "azure-native_servicelinker_v20240401:servicelinker:Connector" }, { type: "azure-native_servicelinker_v20240701preview:servicelinker:Connector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Connector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicelinker/connectorDryrun.ts b/sdk/nodejs/servicelinker/connectorDryrun.ts index 3fafe0e722f7..9269d12e3b70 100644 --- a/sdk/nodejs/servicelinker/connectorDryrun.ts +++ b/sdk/nodejs/servicelinker/connectorDryrun.ts @@ -114,7 +114,7 @@ export class ConnectorDryrun extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicelinker/v20221101preview:ConnectorDryrun" }, { type: "azure-native:servicelinker/v20230401preview:ConnectorDryrun" }, { type: "azure-native:servicelinker/v20240401:ConnectorDryrun" }, { type: "azure-native:servicelinker/v20240701preview:ConnectorDryrun" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicelinker/v20221101preview:ConnectorDryrun" }, { type: "azure-native:servicelinker/v20230401preview:ConnectorDryrun" }, { type: "azure-native:servicelinker/v20240401:ConnectorDryrun" }, { type: "azure-native:servicelinker/v20240701preview:ConnectorDryrun" }, { type: "azure-native_servicelinker_v20221101preview:servicelinker:ConnectorDryrun" }, { type: "azure-native_servicelinker_v20230401preview:servicelinker:ConnectorDryrun" }, { type: "azure-native_servicelinker_v20240401:servicelinker:ConnectorDryrun" }, { type: "azure-native_servicelinker_v20240701preview:servicelinker:ConnectorDryrun" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectorDryrun.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicelinker/linker.ts b/sdk/nodejs/servicelinker/linker.ts index 11e7171a7ea5..00de7f4d2802 100644 --- a/sdk/nodejs/servicelinker/linker.ts +++ b/sdk/nodejs/servicelinker/linker.ts @@ -139,7 +139,7 @@ export class Linker extends pulumi.CustomResource { resourceInputs["vNetSolution"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicelinker/v20211101preview:Linker" }, { type: "azure-native:servicelinker/v20220101preview:Linker" }, { type: "azure-native:servicelinker/v20220501:Linker" }, { type: "azure-native:servicelinker/v20221101preview:Linker" }, { type: "azure-native:servicelinker/v20230401preview:Linker" }, { type: "azure-native:servicelinker/v20240401:Linker" }, { type: "azure-native:servicelinker/v20240701preview:Linker" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicelinker/v20211101preview:Linker" }, { type: "azure-native:servicelinker/v20221101preview:Linker" }, { type: "azure-native:servicelinker/v20230401preview:Linker" }, { type: "azure-native:servicelinker/v20240401:Linker" }, { type: "azure-native:servicelinker/v20240701preview:Linker" }, { type: "azure-native_servicelinker_v20211101preview:servicelinker:Linker" }, { type: "azure-native_servicelinker_v20220101preview:servicelinker:Linker" }, { type: "azure-native_servicelinker_v20220501:servicelinker:Linker" }, { type: "azure-native_servicelinker_v20221101preview:servicelinker:Linker" }, { type: "azure-native_servicelinker_v20230401preview:servicelinker:Linker" }, { type: "azure-native_servicelinker_v20240401:servicelinker:Linker" }, { type: "azure-native_servicelinker_v20240701preview:servicelinker:Linker" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Linker.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicelinker/linkerDryrun.ts b/sdk/nodejs/servicelinker/linkerDryrun.ts index f04fd2ac94ed..8f686728b80e 100644 --- a/sdk/nodejs/servicelinker/linkerDryrun.ts +++ b/sdk/nodejs/servicelinker/linkerDryrun.ts @@ -109,7 +109,7 @@ export class LinkerDryrun extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicelinker/v20221101preview:LinkerDryrun" }, { type: "azure-native:servicelinker/v20230401preview:LinkerDryrun" }, { type: "azure-native:servicelinker/v20240401:LinkerDryrun" }, { type: "azure-native:servicelinker/v20240701preview:LinkerDryrun" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicelinker/v20221101preview:LinkerDryrun" }, { type: "azure-native:servicelinker/v20230401preview:LinkerDryrun" }, { type: "azure-native:servicelinker/v20240401:LinkerDryrun" }, { type: "azure-native:servicelinker/v20240701preview:LinkerDryrun" }, { type: "azure-native_servicelinker_v20221101preview:servicelinker:LinkerDryrun" }, { type: "azure-native_servicelinker_v20230401preview:servicelinker:LinkerDryrun" }, { type: "azure-native_servicelinker_v20240401:servicelinker:LinkerDryrun" }, { type: "azure-native_servicelinker_v20240701preview:servicelinker:LinkerDryrun" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LinkerDryrun.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicenetworking/associationsInterface.ts b/sdk/nodejs/servicenetworking/associationsInterface.ts index 15ffe568b67f..78056e005404 100644 --- a/sdk/nodejs/servicenetworking/associationsInterface.ts +++ b/sdk/nodejs/servicenetworking/associationsInterface.ts @@ -122,7 +122,7 @@ export class AssociationsInterface extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicenetworking/v20221001preview:AssociationsInterface" }, { type: "azure-native:servicenetworking/v20230501preview:AssociationsInterface" }, { type: "azure-native:servicenetworking/v20231101:AssociationsInterface" }, { type: "azure-native:servicenetworking/v20240501preview:AssociationsInterface" }, { type: "azure-native:servicenetworking/v20250101:AssociationsInterface" }, { type: "azure-native:servicenetworking/v20250301preview:AssociationsInterface" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicenetworking/v20221001preview:AssociationsInterface" }, { type: "azure-native:servicenetworking/v20230501preview:AssociationsInterface" }, { type: "azure-native:servicenetworking/v20231101:AssociationsInterface" }, { type: "azure-native:servicenetworking/v20240501preview:AssociationsInterface" }, { type: "azure-native:servicenetworking/v20250101:AssociationsInterface" }, { type: "azure-native_servicenetworking_v20221001preview:servicenetworking:AssociationsInterface" }, { type: "azure-native_servicenetworking_v20230501preview:servicenetworking:AssociationsInterface" }, { type: "azure-native_servicenetworking_v20231101:servicenetworking:AssociationsInterface" }, { type: "azure-native_servicenetworking_v20240501preview:servicenetworking:AssociationsInterface" }, { type: "azure-native_servicenetworking_v20250101:servicenetworking:AssociationsInterface" }, { type: "azure-native_servicenetworking_v20250301preview:servicenetworking:AssociationsInterface" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AssociationsInterface.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicenetworking/frontendsInterface.ts b/sdk/nodejs/servicenetworking/frontendsInterface.ts index 00b409ce3f00..0597ae367324 100644 --- a/sdk/nodejs/servicenetworking/frontendsInterface.ts +++ b/sdk/nodejs/servicenetworking/frontendsInterface.ts @@ -113,7 +113,7 @@ export class FrontendsInterface extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicenetworking/v20221001preview:FrontendsInterface" }, { type: "azure-native:servicenetworking/v20230501preview:FrontendsInterface" }, { type: "azure-native:servicenetworking/v20231101:FrontendsInterface" }, { type: "azure-native:servicenetworking/v20240501preview:FrontendsInterface" }, { type: "azure-native:servicenetworking/v20250101:FrontendsInterface" }, { type: "azure-native:servicenetworking/v20250301preview:FrontendsInterface" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicenetworking/v20221001preview:FrontendsInterface" }, { type: "azure-native:servicenetworking/v20230501preview:FrontendsInterface" }, { type: "azure-native:servicenetworking/v20231101:FrontendsInterface" }, { type: "azure-native:servicenetworking/v20240501preview:FrontendsInterface" }, { type: "azure-native:servicenetworking/v20250101:FrontendsInterface" }, { type: "azure-native_servicenetworking_v20221001preview:servicenetworking:FrontendsInterface" }, { type: "azure-native_servicenetworking_v20230501preview:servicenetworking:FrontendsInterface" }, { type: "azure-native_servicenetworking_v20231101:servicenetworking:FrontendsInterface" }, { type: "azure-native_servicenetworking_v20240501preview:servicenetworking:FrontendsInterface" }, { type: "azure-native_servicenetworking_v20250101:servicenetworking:FrontendsInterface" }, { type: "azure-native_servicenetworking_v20250301preview:servicenetworking:FrontendsInterface" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FrontendsInterface.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicenetworking/securityPoliciesInterface.ts b/sdk/nodejs/servicenetworking/securityPoliciesInterface.ts index 4230ee433be3..08582c86db62 100644 --- a/sdk/nodejs/servicenetworking/securityPoliciesInterface.ts +++ b/sdk/nodejs/servicenetworking/securityPoliciesInterface.ts @@ -119,7 +119,7 @@ export class SecurityPoliciesInterface extends pulumi.CustomResource { resourceInputs["wafPolicy"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicenetworking/v20240501preview:SecurityPoliciesInterface" }, { type: "azure-native:servicenetworking/v20250101:SecurityPoliciesInterface" }, { type: "azure-native:servicenetworking/v20250301preview:SecurityPoliciesInterface" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicenetworking/v20240501preview:SecurityPoliciesInterface" }, { type: "azure-native:servicenetworking/v20250101:SecurityPoliciesInterface" }, { type: "azure-native_servicenetworking_v20240501preview:servicenetworking:SecurityPoliciesInterface" }, { type: "azure-native_servicenetworking_v20250101:servicenetworking:SecurityPoliciesInterface" }, { type: "azure-native_servicenetworking_v20250301preview:servicenetworking:SecurityPoliciesInterface" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SecurityPoliciesInterface.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/servicenetworking/trafficControllerInterface.ts b/sdk/nodejs/servicenetworking/trafficControllerInterface.ts index 52a82a1344fc..26fe8ef11898 100644 --- a/sdk/nodejs/servicenetworking/trafficControllerInterface.ts +++ b/sdk/nodejs/servicenetworking/trafficControllerInterface.ts @@ -133,7 +133,7 @@ export class TrafficControllerInterface extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:servicenetworking/v20221001preview:TrafficControllerInterface" }, { type: "azure-native:servicenetworking/v20230501preview:TrafficControllerInterface" }, { type: "azure-native:servicenetworking/v20231101:TrafficControllerInterface" }, { type: "azure-native:servicenetworking/v20240501preview:TrafficControllerInterface" }, { type: "azure-native:servicenetworking/v20250101:TrafficControllerInterface" }, { type: "azure-native:servicenetworking/v20250301preview:TrafficControllerInterface" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:servicenetworking/v20221001preview:TrafficControllerInterface" }, { type: "azure-native:servicenetworking/v20230501preview:TrafficControllerInterface" }, { type: "azure-native:servicenetworking/v20231101:TrafficControllerInterface" }, { type: "azure-native:servicenetworking/v20240501preview:TrafficControllerInterface" }, { type: "azure-native:servicenetworking/v20250101:TrafficControllerInterface" }, { type: "azure-native_servicenetworking_v20221001preview:servicenetworking:TrafficControllerInterface" }, { type: "azure-native_servicenetworking_v20230501preview:servicenetworking:TrafficControllerInterface" }, { type: "azure-native_servicenetworking_v20231101:servicenetworking:TrafficControllerInterface" }, { type: "azure-native_servicenetworking_v20240501preview:servicenetworking:TrafficControllerInterface" }, { type: "azure-native_servicenetworking_v20250101:servicenetworking:TrafficControllerInterface" }, { type: "azure-native_servicenetworking_v20250301preview:servicenetworking:TrafficControllerInterface" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TrafficControllerInterface.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/signalrservice/signalR.ts b/sdk/nodejs/signalrservice/signalR.ts index 83e6a666f65d..e9095005f1a1 100644 --- a/sdk/nodejs/signalrservice/signalR.ts +++ b/sdk/nodejs/signalrservice/signalR.ts @@ -262,7 +262,7 @@ export class SignalR extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20180301preview:SignalR" }, { type: "azure-native:signalrservice/v20181001:SignalR" }, { type: "azure-native:signalrservice/v20200501:SignalR" }, { type: "azure-native:signalrservice/v20200701preview:SignalR" }, { type: "azure-native:signalrservice/v20210401preview:SignalR" }, { type: "azure-native:signalrservice/v20210601preview:SignalR" }, { type: "azure-native:signalrservice/v20210901preview:SignalR" }, { type: "azure-native:signalrservice/v20211001:SignalR" }, { type: "azure-native:signalrservice/v20220201:SignalR" }, { type: "azure-native:signalrservice/v20220801preview:SignalR" }, { type: "azure-native:signalrservice/v20230201:SignalR" }, { type: "azure-native:signalrservice/v20230301preview:SignalR" }, { type: "azure-native:signalrservice/v20230601preview:SignalR" }, { type: "azure-native:signalrservice/v20230801preview:SignalR" }, { type: "azure-native:signalrservice/v20240101preview:SignalR" }, { type: "azure-native:signalrservice/v20240301:SignalR" }, { type: "azure-native:signalrservice/v20240401preview:SignalR" }, { type: "azure-native:signalrservice/v20240801preview:SignalR" }, { type: "azure-native:signalrservice/v20241001preview:SignalR" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20230201:SignalR" }, { type: "azure-native:signalrservice/v20230301preview:SignalR" }, { type: "azure-native:signalrservice/v20230601preview:SignalR" }, { type: "azure-native:signalrservice/v20230801preview:SignalR" }, { type: "azure-native:signalrservice/v20240101preview:SignalR" }, { type: "azure-native:signalrservice/v20240301:SignalR" }, { type: "azure-native:signalrservice/v20240401preview:SignalR" }, { type: "azure-native:signalrservice/v20240801preview:SignalR" }, { type: "azure-native:signalrservice/v20241001preview:SignalR" }, { type: "azure-native_signalrservice_v20180301preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20181001:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20200501:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20200701preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20210401preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20210601preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20210901preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20211001:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20220201:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20220801preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20230201:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20230301preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20230601preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20230801preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20240101preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20240301:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20240401preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20240801preview:signalrservice:SignalR" }, { type: "azure-native_signalrservice_v20241001preview:signalrservice:SignalR" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SignalR.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/signalrservice/signalRCustomCertificate.ts b/sdk/nodejs/signalrservice/signalRCustomCertificate.ts index 65fe9a114a67..8f051851c66c 100644 --- a/sdk/nodejs/signalrservice/signalRCustomCertificate.ts +++ b/sdk/nodejs/signalrservice/signalRCustomCertificate.ts @@ -119,7 +119,7 @@ export class SignalRCustomCertificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20220201:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20220801preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20230201:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20230301preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20230601preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20230801preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20240101preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20240301:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20240401preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20240801preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20241001preview:SignalRCustomCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20230201:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20230301preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20230601preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20230801preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20240101preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20240301:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20240401preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20240801preview:SignalRCustomCertificate" }, { type: "azure-native:signalrservice/v20241001preview:SignalRCustomCertificate" }, { type: "azure-native_signalrservice_v20220201:signalrservice:SignalRCustomCertificate" }, { type: "azure-native_signalrservice_v20220801preview:signalrservice:SignalRCustomCertificate" }, { type: "azure-native_signalrservice_v20230201:signalrservice:SignalRCustomCertificate" }, { type: "azure-native_signalrservice_v20230301preview:signalrservice:SignalRCustomCertificate" }, { type: "azure-native_signalrservice_v20230601preview:signalrservice:SignalRCustomCertificate" }, { type: "azure-native_signalrservice_v20230801preview:signalrservice:SignalRCustomCertificate" }, { type: "azure-native_signalrservice_v20240101preview:signalrservice:SignalRCustomCertificate" }, { type: "azure-native_signalrservice_v20240301:signalrservice:SignalRCustomCertificate" }, { type: "azure-native_signalrservice_v20240401preview:signalrservice:SignalRCustomCertificate" }, { type: "azure-native_signalrservice_v20240801preview:signalrservice:SignalRCustomCertificate" }, { type: "azure-native_signalrservice_v20241001preview:signalrservice:SignalRCustomCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SignalRCustomCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/signalrservice/signalRCustomDomain.ts b/sdk/nodejs/signalrservice/signalRCustomDomain.ts index 903dfcab44c7..7c98138f4d15 100644 --- a/sdk/nodejs/signalrservice/signalRCustomDomain.ts +++ b/sdk/nodejs/signalrservice/signalRCustomDomain.ts @@ -112,7 +112,7 @@ export class SignalRCustomDomain extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20220201:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20220801preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20230201:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20230301preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20230601preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20230801preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20240101preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20240301:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20240401preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20240801preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20241001preview:SignalRCustomDomain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20230201:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20230301preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20230601preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20230801preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20240101preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20240301:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20240401preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20240801preview:SignalRCustomDomain" }, { type: "azure-native:signalrservice/v20241001preview:SignalRCustomDomain" }, { type: "azure-native_signalrservice_v20220201:signalrservice:SignalRCustomDomain" }, { type: "azure-native_signalrservice_v20220801preview:signalrservice:SignalRCustomDomain" }, { type: "azure-native_signalrservice_v20230201:signalrservice:SignalRCustomDomain" }, { type: "azure-native_signalrservice_v20230301preview:signalrservice:SignalRCustomDomain" }, { type: "azure-native_signalrservice_v20230601preview:signalrservice:SignalRCustomDomain" }, { type: "azure-native_signalrservice_v20230801preview:signalrservice:SignalRCustomDomain" }, { type: "azure-native_signalrservice_v20240101preview:signalrservice:SignalRCustomDomain" }, { type: "azure-native_signalrservice_v20240301:signalrservice:SignalRCustomDomain" }, { type: "azure-native_signalrservice_v20240401preview:signalrservice:SignalRCustomDomain" }, { type: "azure-native_signalrservice_v20240801preview:signalrservice:SignalRCustomDomain" }, { type: "azure-native_signalrservice_v20241001preview:signalrservice:SignalRCustomDomain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SignalRCustomDomain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/signalrservice/signalRPrivateEndpointConnection.ts b/sdk/nodejs/signalrservice/signalRPrivateEndpointConnection.ts index 2da8ddd82575..7b20b532db1b 100644 --- a/sdk/nodejs/signalrservice/signalRPrivateEndpointConnection.ts +++ b/sdk/nodejs/signalrservice/signalRPrivateEndpointConnection.ts @@ -113,7 +113,7 @@ export class SignalRPrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20200501:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20200701preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20210401preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20210601preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20210901preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20211001:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20220201:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20220801preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20230201:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20230301preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20230601preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20230801preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20240101preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20240301:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20240401preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20240801preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20241001preview:SignalRPrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20230201:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20230301preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20230601preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20230801preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20240101preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20240301:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20240401preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20240801preview:SignalRPrivateEndpointConnection" }, { type: "azure-native:signalrservice/v20241001preview:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20200501:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20200701preview:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20210401preview:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20210601preview:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20210901preview:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20211001:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20220201:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20220801preview:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20230201:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20230301preview:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20230601preview:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20230801preview:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20240101preview:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20240301:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20240401preview:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20240801preview:signalrservice:SignalRPrivateEndpointConnection" }, { type: "azure-native_signalrservice_v20241001preview:signalrservice:SignalRPrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SignalRPrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/signalrservice/signalRReplica.ts b/sdk/nodejs/signalrservice/signalRReplica.ts index 3d93326b7233..3254750831e5 100644 --- a/sdk/nodejs/signalrservice/signalRReplica.ts +++ b/sdk/nodejs/signalrservice/signalRReplica.ts @@ -128,7 +128,7 @@ export class SignalRReplica extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20230301preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20230601preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20230801preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20240101preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20240301:SignalRReplica" }, { type: "azure-native:signalrservice/v20240401preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20240801preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20241001preview:SignalRReplica" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20230301preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20230601preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20230801preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20240101preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20240301:SignalRReplica" }, { type: "azure-native:signalrservice/v20240401preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20240801preview:SignalRReplica" }, { type: "azure-native:signalrservice/v20241001preview:SignalRReplica" }, { type: "azure-native_signalrservice_v20230301preview:signalrservice:SignalRReplica" }, { type: "azure-native_signalrservice_v20230601preview:signalrservice:SignalRReplica" }, { type: "azure-native_signalrservice_v20230801preview:signalrservice:SignalRReplica" }, { type: "azure-native_signalrservice_v20240101preview:signalrservice:SignalRReplica" }, { type: "azure-native_signalrservice_v20240301:signalrservice:SignalRReplica" }, { type: "azure-native_signalrservice_v20240401preview:signalrservice:SignalRReplica" }, { type: "azure-native_signalrservice_v20240801preview:signalrservice:SignalRReplica" }, { type: "azure-native_signalrservice_v20241001preview:signalrservice:SignalRReplica" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SignalRReplica.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/signalrservice/signalRSharedPrivateLinkResource.ts b/sdk/nodejs/signalrservice/signalRSharedPrivateLinkResource.ts index 30cbf5a1c5f7..7cae64761bf9 100644 --- a/sdk/nodejs/signalrservice/signalRSharedPrivateLinkResource.ts +++ b/sdk/nodejs/signalrservice/signalRSharedPrivateLinkResource.ts @@ -125,7 +125,7 @@ export class SignalRSharedPrivateLinkResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20210401preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20210601preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20210901preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20211001:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20220201:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20220801preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20230201:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20230301preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20230601preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20230801preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20240101preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20240301:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20240401preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20240801preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20241001preview:SignalRSharedPrivateLinkResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:signalrservice/v20230201:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20230301preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20230601preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20230801preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20240101preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20240301:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20240401preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20240801preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native:signalrservice/v20241001preview:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20210401preview:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20210601preview:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20210901preview:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20211001:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20220201:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20220801preview:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20230201:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20230301preview:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20230601preview:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20230801preview:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20240101preview:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20240301:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20240401preview:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20240801preview:signalrservice:SignalRSharedPrivateLinkResource" }, { type: "azure-native_signalrservice_v20241001preview:signalrservice:SignalRSharedPrivateLinkResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SignalRSharedPrivateLinkResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/softwareplan/hybridUseBenefit.ts b/sdk/nodejs/softwareplan/hybridUseBenefit.ts index aa204d97740a..133475ce2e05 100644 --- a/sdk/nodejs/softwareplan/hybridUseBenefit.ts +++ b/sdk/nodejs/softwareplan/hybridUseBenefit.ts @@ -110,7 +110,7 @@ export class HybridUseBenefit extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:softwareplan/v20190601preview:HybridUseBenefit" }, { type: "azure-native:softwareplan/v20191201:HybridUseBenefit" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:softwareplan/v20191201:HybridUseBenefit" }, { type: "azure-native_softwareplan_v20190601preview:softwareplan:HybridUseBenefit" }, { type: "azure-native_softwareplan_v20191201:softwareplan:HybridUseBenefit" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(HybridUseBenefit.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/solutions/application.ts b/sdk/nodejs/solutions/application.ts index 6e0b38c3ebdb..e5a30b098b21 100644 --- a/sdk/nodejs/solutions/application.ts +++ b/sdk/nodejs/solutions/application.ts @@ -220,7 +220,7 @@ export class Application extends pulumi.CustomResource { resourceInputs["updatedBy"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:solutions/v20160901preview:Application" }, { type: "azure-native:solutions/v20170901:Application" }, { type: "azure-native:solutions/v20171201:Application" }, { type: "azure-native:solutions/v20180201:Application" }, { type: "azure-native:solutions/v20180301:Application" }, { type: "azure-native:solutions/v20180601:Application" }, { type: "azure-native:solutions/v20180901preview:Application" }, { type: "azure-native:solutions/v20190701:Application" }, { type: "azure-native:solutions/v20200821preview:Application" }, { type: "azure-native:solutions/v20210201preview:Application" }, { type: "azure-native:solutions/v20210701:Application" }, { type: "azure-native:solutions/v20231201preview:Application" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:solutions/v20210701:Application" }, { type: "azure-native:solutions/v20231201preview:Application" }, { type: "azure-native_solutions_v20160901preview:solutions:Application" }, { type: "azure-native_solutions_v20170901:solutions:Application" }, { type: "azure-native_solutions_v20171201:solutions:Application" }, { type: "azure-native_solutions_v20180201:solutions:Application" }, { type: "azure-native_solutions_v20180301:solutions:Application" }, { type: "azure-native_solutions_v20180601:solutions:Application" }, { type: "azure-native_solutions_v20180901preview:solutions:Application" }, { type: "azure-native_solutions_v20190701:solutions:Application" }, { type: "azure-native_solutions_v20200821preview:solutions:Application" }, { type: "azure-native_solutions_v20210201preview:solutions:Application" }, { type: "azure-native_solutions_v20210701:solutions:Application" }, { type: "azure-native_solutions_v20231201preview:solutions:Application" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Application.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/solutions/applicationDefinition.ts b/sdk/nodejs/solutions/applicationDefinition.ts index da90cf5f1e78..6765f64228cc 100644 --- a/sdk/nodejs/solutions/applicationDefinition.ts +++ b/sdk/nodejs/solutions/applicationDefinition.ts @@ -202,7 +202,7 @@ export class ApplicationDefinition extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:solutions/v20160901preview:ApplicationDefinition" }, { type: "azure-native:solutions/v20170901:ApplicationDefinition" }, { type: "azure-native:solutions/v20171201:ApplicationDefinition" }, { type: "azure-native:solutions/v20180201:ApplicationDefinition" }, { type: "azure-native:solutions/v20180301:ApplicationDefinition" }, { type: "azure-native:solutions/v20180601:ApplicationDefinition" }, { type: "azure-native:solutions/v20180901preview:ApplicationDefinition" }, { type: "azure-native:solutions/v20190701:ApplicationDefinition" }, { type: "azure-native:solutions/v20200821preview:ApplicationDefinition" }, { type: "azure-native:solutions/v20210201preview:ApplicationDefinition" }, { type: "azure-native:solutions/v20210701:ApplicationDefinition" }, { type: "azure-native:solutions/v20231201preview:ApplicationDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:solutions/v20210701:ApplicationDefinition" }, { type: "azure-native:solutions/v20231201preview:ApplicationDefinition" }, { type: "azure-native_solutions_v20160901preview:solutions:ApplicationDefinition" }, { type: "azure-native_solutions_v20170901:solutions:ApplicationDefinition" }, { type: "azure-native_solutions_v20171201:solutions:ApplicationDefinition" }, { type: "azure-native_solutions_v20180201:solutions:ApplicationDefinition" }, { type: "azure-native_solutions_v20180301:solutions:ApplicationDefinition" }, { type: "azure-native_solutions_v20180601:solutions:ApplicationDefinition" }, { type: "azure-native_solutions_v20180901preview:solutions:ApplicationDefinition" }, { type: "azure-native_solutions_v20190701:solutions:ApplicationDefinition" }, { type: "azure-native_solutions_v20200821preview:solutions:ApplicationDefinition" }, { type: "azure-native_solutions_v20210201preview:solutions:ApplicationDefinition" }, { type: "azure-native_solutions_v20210701:solutions:ApplicationDefinition" }, { type: "azure-native_solutions_v20231201preview:solutions:ApplicationDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ApplicationDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/solutions/jitRequest.ts b/sdk/nodejs/solutions/jitRequest.ts index a7f4dc62b1ce..565fb5e1de15 100644 --- a/sdk/nodejs/solutions/jitRequest.ts +++ b/sdk/nodejs/solutions/jitRequest.ts @@ -154,7 +154,7 @@ export class JitRequest extends pulumi.CustomResource { resourceInputs["updatedBy"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:solutions/v20180301:JitRequest" }, { type: "azure-native:solutions/v20180601:JitRequest" }, { type: "azure-native:solutions/v20180901preview:JitRequest" }, { type: "azure-native:solutions/v20190701:JitRequest" }, { type: "azure-native:solutions/v20200821preview:JitRequest" }, { type: "azure-native:solutions/v20210201preview:JitRequest" }, { type: "azure-native:solutions/v20210701:JitRequest" }, { type: "azure-native:solutions/v20231201preview:JitRequest" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:solutions/v20210701:JitRequest" }, { type: "azure-native:solutions/v20231201preview:JitRequest" }, { type: "azure-native_solutions_v20180301:solutions:JitRequest" }, { type: "azure-native_solutions_v20180601:solutions:JitRequest" }, { type: "azure-native_solutions_v20180901preview:solutions:JitRequest" }, { type: "azure-native_solutions_v20190701:solutions:JitRequest" }, { type: "azure-native_solutions_v20200821preview:solutions:JitRequest" }, { type: "azure-native_solutions_v20210201preview:solutions:JitRequest" }, { type: "azure-native_solutions_v20210701:solutions:JitRequest" }, { type: "azure-native_solutions_v20231201preview:solutions:JitRequest" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JitRequest.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sovereign/landingZoneAccountOperation.ts b/sdk/nodejs/sovereign/landingZoneAccountOperation.ts index 8e89ad9026ba..4cd800a8a024 100644 --- a/sdk/nodejs/sovereign/landingZoneAccountOperation.ts +++ b/sdk/nodejs/sovereign/landingZoneAccountOperation.ts @@ -107,7 +107,7 @@ export class LandingZoneAccountOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sovereign/v20250227preview:LandingZoneAccountOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_sovereign_v20250227preview:sovereign:LandingZoneAccountOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LandingZoneAccountOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sovereign/landingZoneConfigurationOperation.ts b/sdk/nodejs/sovereign/landingZoneConfigurationOperation.ts index 951e5e20c2a3..fefa62c0b76b 100644 --- a/sdk/nodejs/sovereign/landingZoneConfigurationOperation.ts +++ b/sdk/nodejs/sovereign/landingZoneConfigurationOperation.ts @@ -93,7 +93,7 @@ export class LandingZoneConfigurationOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sovereign/v20250227preview:LandingZoneConfigurationOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_sovereign_v20250227preview:sovereign:LandingZoneConfigurationOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LandingZoneConfigurationOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sovereign/landingZoneRegistrationOperation.ts b/sdk/nodejs/sovereign/landingZoneRegistrationOperation.ts index 3b4a0bb38bbf..4159e59aba9f 100644 --- a/sdk/nodejs/sovereign/landingZoneRegistrationOperation.ts +++ b/sdk/nodejs/sovereign/landingZoneRegistrationOperation.ts @@ -93,7 +93,7 @@ export class LandingZoneRegistrationOperation extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sovereign/v20250227preview:LandingZoneRegistrationOperation" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_sovereign_v20250227preview:sovereign:LandingZoneRegistrationOperation" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LandingZoneRegistrationOperation.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/backupLongTermRetentionPolicy.ts b/sdk/nodejs/sql/backupLongTermRetentionPolicy.ts index bcb5cc49274a..e7cf8378fc3a 100644 --- a/sdk/nodejs/sql/backupLongTermRetentionPolicy.ts +++ b/sdk/nodejs/sql/backupLongTermRetentionPolicy.ts @@ -106,7 +106,7 @@ export class BackupLongTermRetentionPolicy extends pulumi.CustomResource { resourceInputs["yearlyRetention"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20200202preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20200801preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20201101preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20210201preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20210501preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20210801preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20211101:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20211101:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20211101preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20220201preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20220501preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20220801preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20221101preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20221101preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230201preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20230201preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230501preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20230501preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230801:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20230801preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20230801preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20240501preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20240501preview:LongTermRetentionPolicy" }, { type: "azure-native:sql:LongTermRetentionPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20211101:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20221101preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230201preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230501preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230801preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20240501preview:LongTermRetentionPolicy" }, { type: "azure-native:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20170301preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20200202preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20200801preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20201101preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20210201preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20210501preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20210801preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20211101:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20211101preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20220201preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20220501preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20220801preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20221101preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20230201preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20230501preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20230801:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20230801preview:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20240501preview:sql:BackupLongTermRetentionPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BackupLongTermRetentionPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/backupShortTermRetentionPolicy.ts b/sdk/nodejs/sql/backupShortTermRetentionPolicy.ts index dc731486ec98..d4854ab809de 100644 --- a/sdk/nodejs/sql/backupShortTermRetentionPolicy.ts +++ b/sdk/nodejs/sql/backupShortTermRetentionPolicy.ts @@ -96,7 +96,7 @@ export class BackupShortTermRetentionPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20171001preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20200202preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20200801preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20201101preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20210201preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20210501preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20210801preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20211101:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20211101preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20220201preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20220501preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20220801preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20221101preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20230201preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20230501preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20230801:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20230801preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20240501preview:BackupShortTermRetentionPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20221101preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20230201preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20230501preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20230801preview:BackupShortTermRetentionPolicy" }, { type: "azure-native:sql/v20240501preview:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20171001preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20200202preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20200801preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20201101preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20210201preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20210501preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20210801preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20211101:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20211101preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20220201preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20220501preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20220801preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20221101preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20230201preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20230501preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20230801:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20230801preview:sql:BackupShortTermRetentionPolicy" }, { type: "azure-native_sql_v20240501preview:sql:BackupShortTermRetentionPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BackupShortTermRetentionPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/dataMaskingPolicy.ts b/sdk/nodejs/sql/dataMaskingPolicy.ts index a38b4942aa7c..04ede6a891b6 100644 --- a/sdk/nodejs/sql/dataMaskingPolicy.ts +++ b/sdk/nodejs/sql/dataMaskingPolicy.ts @@ -126,7 +126,7 @@ export class DataMaskingPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:DataMaskingPolicy" }, { type: "azure-native:sql/v20211101:DataMaskingPolicy" }, { type: "azure-native:sql/v20220201preview:DataMaskingPolicy" }, { type: "azure-native:sql/v20220501preview:DataMaskingPolicy" }, { type: "azure-native:sql/v20220801preview:DataMaskingPolicy" }, { type: "azure-native:sql/v20221101preview:DataMaskingPolicy" }, { type: "azure-native:sql/v20230201preview:DataMaskingPolicy" }, { type: "azure-native:sql/v20230501preview:DataMaskingPolicy" }, { type: "azure-native:sql/v20230801:DataMaskingPolicy" }, { type: "azure-native:sql/v20230801preview:DataMaskingPolicy" }, { type: "azure-native:sql/v20240501preview:DataMaskingPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:DataMaskingPolicy" }, { type: "azure-native:sql/v20221101preview:DataMaskingPolicy" }, { type: "azure-native:sql/v20230201preview:DataMaskingPolicy" }, { type: "azure-native:sql/v20230501preview:DataMaskingPolicy" }, { type: "azure-native:sql/v20230801preview:DataMaskingPolicy" }, { type: "azure-native:sql/v20240501preview:DataMaskingPolicy" }, { type: "azure-native_sql_v20140401:sql:DataMaskingPolicy" }, { type: "azure-native_sql_v20211101:sql:DataMaskingPolicy" }, { type: "azure-native_sql_v20220201preview:sql:DataMaskingPolicy" }, { type: "azure-native_sql_v20220501preview:sql:DataMaskingPolicy" }, { type: "azure-native_sql_v20220801preview:sql:DataMaskingPolicy" }, { type: "azure-native_sql_v20221101preview:sql:DataMaskingPolicy" }, { type: "azure-native_sql_v20230201preview:sql:DataMaskingPolicy" }, { type: "azure-native_sql_v20230501preview:sql:DataMaskingPolicy" }, { type: "azure-native_sql_v20230801:sql:DataMaskingPolicy" }, { type: "azure-native_sql_v20230801preview:sql:DataMaskingPolicy" }, { type: "azure-native_sql_v20240501preview:sql:DataMaskingPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DataMaskingPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/database.ts b/sdk/nodejs/sql/database.ts index 507f10705941..98bea809e5a2 100644 --- a/sdk/nodejs/sql/database.ts +++ b/sdk/nodejs/sql/database.ts @@ -383,7 +383,7 @@ export class Database extends pulumi.CustomResource { resourceInputs["zoneRedundant"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:Database" }, { type: "azure-native:sql/v20170301preview:Database" }, { type: "azure-native:sql/v20171001preview:Database" }, { type: "azure-native:sql/v20190601preview:Database" }, { type: "azure-native:sql/v20200202preview:Database" }, { type: "azure-native:sql/v20200801preview:Database" }, { type: "azure-native:sql/v20201101preview:Database" }, { type: "azure-native:sql/v20210201preview:Database" }, { type: "azure-native:sql/v20210501preview:Database" }, { type: "azure-native:sql/v20210801preview:Database" }, { type: "azure-native:sql/v20211101:Database" }, { type: "azure-native:sql/v20211101preview:Database" }, { type: "azure-native:sql/v20220201preview:Database" }, { type: "azure-native:sql/v20220501preview:Database" }, { type: "azure-native:sql/v20220801preview:Database" }, { type: "azure-native:sql/v20221101preview:Database" }, { type: "azure-native:sql/v20230201preview:Database" }, { type: "azure-native:sql/v20230501preview:Database" }, { type: "azure-native:sql/v20230801:Database" }, { type: "azure-native:sql/v20230801preview:Database" }, { type: "azure-native:sql/v20240501preview:Database" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:Database" }, { type: "azure-native:sql/v20190601preview:Database" }, { type: "azure-native:sql/v20200202preview:Database" }, { type: "azure-native:sql/v20200801preview:Database" }, { type: "azure-native:sql/v20211101:Database" }, { type: "azure-native:sql/v20221101preview:Database" }, { type: "azure-native:sql/v20230201preview:Database" }, { type: "azure-native:sql/v20230501preview:Database" }, { type: "azure-native:sql/v20230801preview:Database" }, { type: "azure-native:sql/v20240501preview:Database" }, { type: "azure-native_sql_v20140401:sql:Database" }, { type: "azure-native_sql_v20170301preview:sql:Database" }, { type: "azure-native_sql_v20171001preview:sql:Database" }, { type: "azure-native_sql_v20190601preview:sql:Database" }, { type: "azure-native_sql_v20200202preview:sql:Database" }, { type: "azure-native_sql_v20200801preview:sql:Database" }, { type: "azure-native_sql_v20201101preview:sql:Database" }, { type: "azure-native_sql_v20210201preview:sql:Database" }, { type: "azure-native_sql_v20210501preview:sql:Database" }, { type: "azure-native_sql_v20210801preview:sql:Database" }, { type: "azure-native_sql_v20211101:sql:Database" }, { type: "azure-native_sql_v20211101preview:sql:Database" }, { type: "azure-native_sql_v20220201preview:sql:Database" }, { type: "azure-native_sql_v20220501preview:sql:Database" }, { type: "azure-native_sql_v20220801preview:sql:Database" }, { type: "azure-native_sql_v20221101preview:sql:Database" }, { type: "azure-native_sql_v20230201preview:sql:Database" }, { type: "azure-native_sql_v20230501preview:sql:Database" }, { type: "azure-native_sql_v20230801:sql:Database" }, { type: "azure-native_sql_v20230801preview:sql:Database" }, { type: "azure-native_sql_v20240501preview:sql:Database" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Database.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/databaseAdvisor.ts b/sdk/nodejs/sql/databaseAdvisor.ts index 7fa35fb5d556..a5cce1ba411b 100644 --- a/sdk/nodejs/sql/databaseAdvisor.ts +++ b/sdk/nodejs/sql/databaseAdvisor.ts @@ -138,7 +138,7 @@ export class DatabaseAdvisor extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:DatabaseAdvisor" }, { type: "azure-native:sql/v20150501preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20200202preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20200801preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20201101preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20210201preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20210501preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20210801preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20211101:DatabaseAdvisor" }, { type: "azure-native:sql/v20211101preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20220201preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20220501preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20220801preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20221101preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20230201preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20230501preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20230801:DatabaseAdvisor" }, { type: "azure-native:sql/v20230801preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20240501preview:DatabaseAdvisor" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:DatabaseAdvisor" }, { type: "azure-native:sql/v20211101:DatabaseAdvisor" }, { type: "azure-native:sql/v20221101preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20230201preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20230501preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20230801preview:DatabaseAdvisor" }, { type: "azure-native:sql/v20240501preview:DatabaseAdvisor" }, { type: "azure-native_sql_v20140401:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20150501preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20200202preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20200801preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20201101preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20210201preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20210501preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20210801preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20211101:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20211101preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20220201preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20220501preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20220801preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20221101preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20230201preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20230501preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20230801:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20230801preview:sql:DatabaseAdvisor" }, { type: "azure-native_sql_v20240501preview:sql:DatabaseAdvisor" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseAdvisor.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/databaseBlobAuditingPolicy.ts b/sdk/nodejs/sql/databaseBlobAuditingPolicy.ts index 2857c361ce40..b1ab2a88d589 100644 --- a/sdk/nodejs/sql/databaseBlobAuditingPolicy.ts +++ b/sdk/nodejs/sql/databaseBlobAuditingPolicy.ts @@ -222,7 +222,7 @@ export class DatabaseBlobAuditingPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20150501preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20170301preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20200202preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20200801preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20201101preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20210201preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20210501preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20210801preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20211101:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20211101preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20220201preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20220501preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20220801preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20221101preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230201preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230501preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20240501preview:DatabaseBlobAuditingPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20221101preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230201preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230501preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20240501preview:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20150501preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20170301preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20200202preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20200801preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20201101preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20210201preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20210501preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20210801preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20211101:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20211101preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20220201preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20220501preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20220801preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20221101preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20230201preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20230501preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20230801:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20230801preview:sql:DatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20240501preview:sql:DatabaseBlobAuditingPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseBlobAuditingPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/databaseSecurityAlertPolicy.ts b/sdk/nodejs/sql/databaseSecurityAlertPolicy.ts index 0f2f8f790b6e..54f56edeefa1 100644 --- a/sdk/nodejs/sql/databaseSecurityAlertPolicy.ts +++ b/sdk/nodejs/sql/databaseSecurityAlertPolicy.ts @@ -144,7 +144,7 @@ export class DatabaseSecurityAlertPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20140401:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20180601preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20200202preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20200801preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20201101preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20210201preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20210501preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20210801preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20211101:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20211101preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20220201preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20220501preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20220801preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20221101preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230201preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230501preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230801:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230801preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20240501preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql:DatabaseThreatDetectionPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20180601preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20211101:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20221101preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230201preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230501preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230801preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20240501preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20140401:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20180601preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20200202preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20200801preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20201101preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20210201preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20210501preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20210801preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20211101:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20211101preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20220201preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20220501preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20220801preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20221101preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20230201preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20230501preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20230801:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20230801preview:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20240501preview:sql:DatabaseSecurityAlertPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseSecurityAlertPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/databaseSqlVulnerabilityAssessmentRuleBaseline.ts b/sdk/nodejs/sql/databaseSqlVulnerabilityAssessmentRuleBaseline.ts index c16fe6cc5be2..fb1d29c937ce 100644 --- a/sdk/nodejs/sql/databaseSqlVulnerabilityAssessmentRuleBaseline.ts +++ b/sdk/nodejs/sql/databaseSqlVulnerabilityAssessmentRuleBaseline.ts @@ -114,7 +114,7 @@ export class DatabaseSqlVulnerabilityAssessmentRuleBaseline extends pulumi.Custo resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20220201preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20220501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20220801preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20221101preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230201preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20240501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20221101preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230201preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20240501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220201preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220801preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20221101preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230201preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230801:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230801preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20240501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseSqlVulnerabilityAssessmentRuleBaseline.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/databaseThreatDetectionPolicy.ts b/sdk/nodejs/sql/databaseThreatDetectionPolicy.ts index c6a5a451eec8..30c88d8ca1d2 100644 --- a/sdk/nodejs/sql/databaseThreatDetectionPolicy.ts +++ b/sdk/nodejs/sql/databaseThreatDetectionPolicy.ts @@ -143,7 +143,7 @@ export class DatabaseThreatDetectionPolicy extends pulumi.CustomResource { resourceInputs["useServerDefault"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20180601preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20180601preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20200202preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20200801preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20201101preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20210201preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20210501preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20210801preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20211101:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20211101:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20211101preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20220201preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20220501preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20220801preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20221101preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20221101preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20230201preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230201preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20230501preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230501preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20230801:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20230801preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230801preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20240501preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20240501preview:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql:DatabaseSecurityAlertPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:DatabaseThreatDetectionPolicy" }, { type: "azure-native:sql/v20180601preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20211101:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20221101preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230201preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230501preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20230801preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql/v20240501preview:DatabaseSecurityAlertPolicy" }, { type: "azure-native:sql:DatabaseSecurityAlertPolicy" }, { type: "azure-native_sql_v20140401:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20180601preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20200202preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20200801preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20201101preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20210201preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20210501preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20210801preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20211101:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20211101preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20220201preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20220501preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20220801preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20221101preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20230201preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20230501preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20230801:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20230801preview:sql:DatabaseThreatDetectionPolicy" }, { type: "azure-native_sql_v20240501preview:sql:DatabaseThreatDetectionPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseThreatDetectionPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/databaseVulnerabilityAssessment.ts b/sdk/nodejs/sql/databaseVulnerabilityAssessment.ts index be2c075d1432..26fec147f66c 100644 --- a/sdk/nodejs/sql/databaseVulnerabilityAssessment.ts +++ b/sdk/nodejs/sql/databaseVulnerabilityAssessment.ts @@ -96,7 +96,7 @@ export class DatabaseVulnerabilityAssessment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20200202preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20200801preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20201101preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20210201preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20210501preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20210801preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20211101:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20211101preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20220201preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20220501preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20220801preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20170301preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20200202preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20200801preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20201101preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20210201preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20210501preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20210801preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20211101:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20211101preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20220201preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20220501preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20220801preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20221101preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20230201preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20230501preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20230801:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20230801preview:sql:DatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20240501preview:sql:DatabaseVulnerabilityAssessment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseVulnerabilityAssessment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/databaseVulnerabilityAssessmentRuleBaseline.ts b/sdk/nodejs/sql/databaseVulnerabilityAssessmentRuleBaseline.ts index 7ece219c8a59..1e88cf0b1e2c 100644 --- a/sdk/nodejs/sql/databaseVulnerabilityAssessmentRuleBaseline.ts +++ b/sdk/nodejs/sql/databaseVulnerabilityAssessmentRuleBaseline.ts @@ -104,7 +104,7 @@ export class DatabaseVulnerabilityAssessmentRuleBaseline extends pulumi.CustomRe resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20200202preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20200801preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20201101preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20210201preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20210501preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20210801preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20211101:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20211101preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20220201preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20220501preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20220801preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessmentRuleBaseline" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20170301preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20200202preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20200801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20201101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20210201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20210501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20210801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20211101:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20211101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20221101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230801:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20240501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabaseVulnerabilityAssessmentRuleBaseline.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/disasterRecoveryConfiguration.ts b/sdk/nodejs/sql/disasterRecoveryConfiguration.ts index a3239a6615f4..724ee4efec12 100644 --- a/sdk/nodejs/sql/disasterRecoveryConfiguration.ts +++ b/sdk/nodejs/sql/disasterRecoveryConfiguration.ts @@ -126,7 +126,7 @@ export class DisasterRecoveryConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:DisasterRecoveryConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:DisasterRecoveryConfiguration" }, { type: "azure-native_sql_v20140401:sql:DisasterRecoveryConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DisasterRecoveryConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/distributedAvailabilityGroup.ts b/sdk/nodejs/sql/distributedAvailabilityGroup.ts index eda4dfd67fe4..76e3ac625a41 100644 --- a/sdk/nodejs/sql/distributedAvailabilityGroup.ts +++ b/sdk/nodejs/sql/distributedAvailabilityGroup.ts @@ -148,7 +148,7 @@ export class DistributedAvailabilityGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20210501preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20210801preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20211101:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20211101preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20220201preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20220501preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20220801preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20221101preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20230201preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20230501preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20230801:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20230801preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20240501preview:DistributedAvailabilityGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20221101preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20230201preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20230501preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20230801preview:DistributedAvailabilityGroup" }, { type: "azure-native:sql/v20240501preview:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20210501preview:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20210801preview:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20211101:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20211101preview:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20220201preview:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20220501preview:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20220801preview:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20221101preview:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20230201preview:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20230501preview:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20230801:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20230801preview:sql:DistributedAvailabilityGroup" }, { type: "azure-native_sql_v20240501preview:sql:DistributedAvailabilityGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DistributedAvailabilityGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/elasticPool.ts b/sdk/nodejs/sql/elasticPool.ts index e77d31280b7d..ae568e44994b 100644 --- a/sdk/nodejs/sql/elasticPool.ts +++ b/sdk/nodejs/sql/elasticPool.ts @@ -185,7 +185,7 @@ export class ElasticPool extends pulumi.CustomResource { resourceInputs["zoneRedundant"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:ElasticPool" }, { type: "azure-native:sql/v20171001preview:ElasticPool" }, { type: "azure-native:sql/v20200202preview:ElasticPool" }, { type: "azure-native:sql/v20200801preview:ElasticPool" }, { type: "azure-native:sql/v20201101preview:ElasticPool" }, { type: "azure-native:sql/v20210201preview:ElasticPool" }, { type: "azure-native:sql/v20210501preview:ElasticPool" }, { type: "azure-native:sql/v20210801preview:ElasticPool" }, { type: "azure-native:sql/v20211101:ElasticPool" }, { type: "azure-native:sql/v20211101preview:ElasticPool" }, { type: "azure-native:sql/v20220201preview:ElasticPool" }, { type: "azure-native:sql/v20220501preview:ElasticPool" }, { type: "azure-native:sql/v20220801preview:ElasticPool" }, { type: "azure-native:sql/v20221101preview:ElasticPool" }, { type: "azure-native:sql/v20230201preview:ElasticPool" }, { type: "azure-native:sql/v20230501preview:ElasticPool" }, { type: "azure-native:sql/v20230801:ElasticPool" }, { type: "azure-native:sql/v20230801preview:ElasticPool" }, { type: "azure-native:sql/v20240501preview:ElasticPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:ElasticPool" }, { type: "azure-native:sql/v20211101:ElasticPool" }, { type: "azure-native:sql/v20221101preview:ElasticPool" }, { type: "azure-native:sql/v20230201preview:ElasticPool" }, { type: "azure-native:sql/v20230501preview:ElasticPool" }, { type: "azure-native:sql/v20230801preview:ElasticPool" }, { type: "azure-native:sql/v20240501preview:ElasticPool" }, { type: "azure-native_sql_v20140401:sql:ElasticPool" }, { type: "azure-native_sql_v20171001preview:sql:ElasticPool" }, { type: "azure-native_sql_v20200202preview:sql:ElasticPool" }, { type: "azure-native_sql_v20200801preview:sql:ElasticPool" }, { type: "azure-native_sql_v20201101preview:sql:ElasticPool" }, { type: "azure-native_sql_v20210201preview:sql:ElasticPool" }, { type: "azure-native_sql_v20210501preview:sql:ElasticPool" }, { type: "azure-native_sql_v20210801preview:sql:ElasticPool" }, { type: "azure-native_sql_v20211101:sql:ElasticPool" }, { type: "azure-native_sql_v20211101preview:sql:ElasticPool" }, { type: "azure-native_sql_v20220201preview:sql:ElasticPool" }, { type: "azure-native_sql_v20220501preview:sql:ElasticPool" }, { type: "azure-native_sql_v20220801preview:sql:ElasticPool" }, { type: "azure-native_sql_v20221101preview:sql:ElasticPool" }, { type: "azure-native_sql_v20230201preview:sql:ElasticPool" }, { type: "azure-native_sql_v20230501preview:sql:ElasticPool" }, { type: "azure-native_sql_v20230801:sql:ElasticPool" }, { type: "azure-native_sql_v20230801preview:sql:ElasticPool" }, { type: "azure-native_sql_v20240501preview:sql:ElasticPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ElasticPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/encryptionProtector.ts b/sdk/nodejs/sql/encryptionProtector.ts index d9ec423f99c1..cf4737bda7f4 100644 --- a/sdk/nodejs/sql/encryptionProtector.ts +++ b/sdk/nodejs/sql/encryptionProtector.ts @@ -134,7 +134,7 @@ export class EncryptionProtector extends pulumi.CustomResource { resourceInputs["uri"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20150501preview:EncryptionProtector" }, { type: "azure-native:sql/v20200202preview:EncryptionProtector" }, { type: "azure-native:sql/v20200801preview:EncryptionProtector" }, { type: "azure-native:sql/v20201101preview:EncryptionProtector" }, { type: "azure-native:sql/v20210201preview:EncryptionProtector" }, { type: "azure-native:sql/v20210501preview:EncryptionProtector" }, { type: "azure-native:sql/v20210801preview:EncryptionProtector" }, { type: "azure-native:sql/v20211101:EncryptionProtector" }, { type: "azure-native:sql/v20211101preview:EncryptionProtector" }, { type: "azure-native:sql/v20220201preview:EncryptionProtector" }, { type: "azure-native:sql/v20220501preview:EncryptionProtector" }, { type: "azure-native:sql/v20220801preview:EncryptionProtector" }, { type: "azure-native:sql/v20221101preview:EncryptionProtector" }, { type: "azure-native:sql/v20230201preview:EncryptionProtector" }, { type: "azure-native:sql/v20230501preview:EncryptionProtector" }, { type: "azure-native:sql/v20230801:EncryptionProtector" }, { type: "azure-native:sql/v20230801preview:EncryptionProtector" }, { type: "azure-native:sql/v20240501preview:EncryptionProtector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:EncryptionProtector" }, { type: "azure-native:sql/v20221101preview:EncryptionProtector" }, { type: "azure-native:sql/v20230201preview:EncryptionProtector" }, { type: "azure-native:sql/v20230501preview:EncryptionProtector" }, { type: "azure-native:sql/v20230801preview:EncryptionProtector" }, { type: "azure-native:sql/v20240501preview:EncryptionProtector" }, { type: "azure-native_sql_v20150501preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20200202preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20200801preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20201101preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20210201preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20210501preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20210801preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20211101:sql:EncryptionProtector" }, { type: "azure-native_sql_v20211101preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20220201preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20220501preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20220801preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20221101preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20230201preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20230501preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20230801:sql:EncryptionProtector" }, { type: "azure-native_sql_v20230801preview:sql:EncryptionProtector" }, { type: "azure-native_sql_v20240501preview:sql:EncryptionProtector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EncryptionProtector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/extendedDatabaseBlobAuditingPolicy.ts b/sdk/nodejs/sql/extendedDatabaseBlobAuditingPolicy.ts index 8bc97304ebf7..186814243d13 100644 --- a/sdk/nodejs/sql/extendedDatabaseBlobAuditingPolicy.ts +++ b/sdk/nodejs/sql/extendedDatabaseBlobAuditingPolicy.ts @@ -222,7 +222,7 @@ export class ExtendedDatabaseBlobAuditingPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20200202preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20200801preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20201101preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20210201preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20210501preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20210801preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20211101:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20211101preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20220201preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20220501preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20220801preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20221101preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230201preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230501preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20240501preview:ExtendedDatabaseBlobAuditingPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20221101preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230201preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230501preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native:sql/v20240501preview:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20170301preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20200202preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20200801preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20201101preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20210201preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20210501preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20210801preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20211101:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20211101preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20220201preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20220501preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20220801preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20221101preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20230201preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20230501preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20230801:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20230801preview:sql:ExtendedDatabaseBlobAuditingPolicy" }, { type: "azure-native_sql_v20240501preview:sql:ExtendedDatabaseBlobAuditingPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExtendedDatabaseBlobAuditingPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/extendedServerBlobAuditingPolicy.ts b/sdk/nodejs/sql/extendedServerBlobAuditingPolicy.ts index eac7ecdab62f..09e972057930 100644 --- a/sdk/nodejs/sql/extendedServerBlobAuditingPolicy.ts +++ b/sdk/nodejs/sql/extendedServerBlobAuditingPolicy.ts @@ -233,7 +233,7 @@ export class ExtendedServerBlobAuditingPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20200202preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20200801preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20201101preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20210201preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20210501preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20210801preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20211101:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20211101preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20220201preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20220501preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20220801preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20221101preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230201preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230501preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20240501preview:ExtendedServerBlobAuditingPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20221101preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230201preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230501preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20240501preview:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20170301preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20200202preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20200801preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20201101preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20210201preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20210501preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20210801preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20211101:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20211101preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20220201preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20220501preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20220801preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20221101preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20230201preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20230501preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20230801:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20230801preview:sql:ExtendedServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20240501preview:sql:ExtendedServerBlobAuditingPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ExtendedServerBlobAuditingPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/failoverGroup.ts b/sdk/nodejs/sql/failoverGroup.ts index 806785050813..2435c309a893 100644 --- a/sdk/nodejs/sql/failoverGroup.ts +++ b/sdk/nodejs/sql/failoverGroup.ts @@ -138,7 +138,7 @@ export class FailoverGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20150501preview:FailoverGroup" }, { type: "azure-native:sql/v20200202preview:FailoverGroup" }, { type: "azure-native:sql/v20200801preview:FailoverGroup" }, { type: "azure-native:sql/v20201101preview:FailoverGroup" }, { type: "azure-native:sql/v20210201preview:FailoverGroup" }, { type: "azure-native:sql/v20210501preview:FailoverGroup" }, { type: "azure-native:sql/v20210801preview:FailoverGroup" }, { type: "azure-native:sql/v20211101:FailoverGroup" }, { type: "azure-native:sql/v20211101preview:FailoverGroup" }, { type: "azure-native:sql/v20220201preview:FailoverGroup" }, { type: "azure-native:sql/v20220501preview:FailoverGroup" }, { type: "azure-native:sql/v20220801preview:FailoverGroup" }, { type: "azure-native:sql/v20221101preview:FailoverGroup" }, { type: "azure-native:sql/v20230201preview:FailoverGroup" }, { type: "azure-native:sql/v20230501preview:FailoverGroup" }, { type: "azure-native:sql/v20230801:FailoverGroup" }, { type: "azure-native:sql/v20230801preview:FailoverGroup" }, { type: "azure-native:sql/v20240501preview:FailoverGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:FailoverGroup" }, { type: "azure-native:sql/v20221101preview:FailoverGroup" }, { type: "azure-native:sql/v20230201preview:FailoverGroup" }, { type: "azure-native:sql/v20230501preview:FailoverGroup" }, { type: "azure-native:sql/v20230801preview:FailoverGroup" }, { type: "azure-native:sql/v20240501preview:FailoverGroup" }, { type: "azure-native_sql_v20150501preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20200202preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20200801preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20201101preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20210201preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20210501preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20210801preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20211101:sql:FailoverGroup" }, { type: "azure-native_sql_v20211101preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20220201preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20220501preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20220801preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20221101preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20230201preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20230501preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20230801:sql:FailoverGroup" }, { type: "azure-native_sql_v20230801preview:sql:FailoverGroup" }, { type: "azure-native_sql_v20240501preview:sql:FailoverGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FailoverGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/firewallRule.ts b/sdk/nodejs/sql/firewallRule.ts index 24a8e6f7a1fa..c6dfda15b9a3 100644 --- a/sdk/nodejs/sql/firewallRule.ts +++ b/sdk/nodejs/sql/firewallRule.ts @@ -92,7 +92,7 @@ export class FirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:FirewallRule" }, { type: "azure-native:sql/v20150501preview:FirewallRule" }, { type: "azure-native:sql/v20200202preview:FirewallRule" }, { type: "azure-native:sql/v20200801preview:FirewallRule" }, { type: "azure-native:sql/v20201101preview:FirewallRule" }, { type: "azure-native:sql/v20210201preview:FirewallRule" }, { type: "azure-native:sql/v20210501preview:FirewallRule" }, { type: "azure-native:sql/v20210801preview:FirewallRule" }, { type: "azure-native:sql/v20211101:FirewallRule" }, { type: "azure-native:sql/v20211101preview:FirewallRule" }, { type: "azure-native:sql/v20220201preview:FirewallRule" }, { type: "azure-native:sql/v20220501preview:FirewallRule" }, { type: "azure-native:sql/v20220801preview:FirewallRule" }, { type: "azure-native:sql/v20221101preview:FirewallRule" }, { type: "azure-native:sql/v20230201preview:FirewallRule" }, { type: "azure-native:sql/v20230501preview:FirewallRule" }, { type: "azure-native:sql/v20230801:FirewallRule" }, { type: "azure-native:sql/v20230801preview:FirewallRule" }, { type: "azure-native:sql/v20240501preview:FirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:FirewallRule" }, { type: "azure-native:sql/v20211101:FirewallRule" }, { type: "azure-native:sql/v20221101preview:FirewallRule" }, { type: "azure-native:sql/v20230201preview:FirewallRule" }, { type: "azure-native:sql/v20230501preview:FirewallRule" }, { type: "azure-native:sql/v20230801preview:FirewallRule" }, { type: "azure-native:sql/v20240501preview:FirewallRule" }, { type: "azure-native_sql_v20140401:sql:FirewallRule" }, { type: "azure-native_sql_v20150501preview:sql:FirewallRule" }, { type: "azure-native_sql_v20200202preview:sql:FirewallRule" }, { type: "azure-native_sql_v20200801preview:sql:FirewallRule" }, { type: "azure-native_sql_v20201101preview:sql:FirewallRule" }, { type: "azure-native_sql_v20210201preview:sql:FirewallRule" }, { type: "azure-native_sql_v20210501preview:sql:FirewallRule" }, { type: "azure-native_sql_v20210801preview:sql:FirewallRule" }, { type: "azure-native_sql_v20211101:sql:FirewallRule" }, { type: "azure-native_sql_v20211101preview:sql:FirewallRule" }, { type: "azure-native_sql_v20220201preview:sql:FirewallRule" }, { type: "azure-native_sql_v20220501preview:sql:FirewallRule" }, { type: "azure-native_sql_v20220801preview:sql:FirewallRule" }, { type: "azure-native_sql_v20221101preview:sql:FirewallRule" }, { type: "azure-native_sql_v20230201preview:sql:FirewallRule" }, { type: "azure-native_sql_v20230501preview:sql:FirewallRule" }, { type: "azure-native_sql_v20230801:sql:FirewallRule" }, { type: "azure-native_sql_v20230801preview:sql:FirewallRule" }, { type: "azure-native_sql_v20240501preview:sql:FirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/geoBackupPolicy.ts b/sdk/nodejs/sql/geoBackupPolicy.ts index d9899e49aa1b..a8cc86a4f29d 100644 --- a/sdk/nodejs/sql/geoBackupPolicy.ts +++ b/sdk/nodejs/sql/geoBackupPolicy.ts @@ -114,7 +114,7 @@ export class GeoBackupPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:GeoBackupPolicy" }, { type: "azure-native:sql/v20211101:GeoBackupPolicy" }, { type: "azure-native:sql/v20220201preview:GeoBackupPolicy" }, { type: "azure-native:sql/v20220501preview:GeoBackupPolicy" }, { type: "azure-native:sql/v20220801preview:GeoBackupPolicy" }, { type: "azure-native:sql/v20221101preview:GeoBackupPolicy" }, { type: "azure-native:sql/v20230201preview:GeoBackupPolicy" }, { type: "azure-native:sql/v20230501preview:GeoBackupPolicy" }, { type: "azure-native:sql/v20230801:GeoBackupPolicy" }, { type: "azure-native:sql/v20230801preview:GeoBackupPolicy" }, { type: "azure-native:sql/v20240501preview:GeoBackupPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:GeoBackupPolicy" }, { type: "azure-native:sql/v20221101preview:GeoBackupPolicy" }, { type: "azure-native:sql/v20230201preview:GeoBackupPolicy" }, { type: "azure-native:sql/v20230501preview:GeoBackupPolicy" }, { type: "azure-native:sql/v20230801preview:GeoBackupPolicy" }, { type: "azure-native:sql/v20240501preview:GeoBackupPolicy" }, { type: "azure-native_sql_v20140401:sql:GeoBackupPolicy" }, { type: "azure-native_sql_v20211101:sql:GeoBackupPolicy" }, { type: "azure-native_sql_v20220201preview:sql:GeoBackupPolicy" }, { type: "azure-native_sql_v20220501preview:sql:GeoBackupPolicy" }, { type: "azure-native_sql_v20220801preview:sql:GeoBackupPolicy" }, { type: "azure-native_sql_v20221101preview:sql:GeoBackupPolicy" }, { type: "azure-native_sql_v20230201preview:sql:GeoBackupPolicy" }, { type: "azure-native_sql_v20230501preview:sql:GeoBackupPolicy" }, { type: "azure-native_sql_v20230801:sql:GeoBackupPolicy" }, { type: "azure-native_sql_v20230801preview:sql:GeoBackupPolicy" }, { type: "azure-native_sql_v20240501preview:sql:GeoBackupPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(GeoBackupPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/instanceFailoverGroup.ts b/sdk/nodejs/sql/instanceFailoverGroup.ts index 599d25ba9332..2405447518fd 100644 --- a/sdk/nodejs/sql/instanceFailoverGroup.ts +++ b/sdk/nodejs/sql/instanceFailoverGroup.ts @@ -134,7 +134,7 @@ export class InstanceFailoverGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20171001preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20200202preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20200801preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20201101preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20210201preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20210501preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20210801preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20211101:InstanceFailoverGroup" }, { type: "azure-native:sql/v20211101preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20220201preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20220501preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20220801preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20221101preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20230201preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20230501preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20230801:InstanceFailoverGroup" }, { type: "azure-native:sql/v20230801preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20240501preview:InstanceFailoverGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:InstanceFailoverGroup" }, { type: "azure-native:sql/v20221101preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20230201preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20230501preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20230801preview:InstanceFailoverGroup" }, { type: "azure-native:sql/v20240501preview:InstanceFailoverGroup" }, { type: "azure-native_sql_v20171001preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20200202preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20200801preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20201101preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20210201preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20210501preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20210801preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20211101:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20211101preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20220201preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20220501preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20220801preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20221101preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20230201preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20230501preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20230801:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20230801preview:sql:InstanceFailoverGroup" }, { type: "azure-native_sql_v20240501preview:sql:InstanceFailoverGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InstanceFailoverGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/instancePool.ts b/sdk/nodejs/sql/instancePool.ts index dac8575c2b3b..6f7999f50789 100644 --- a/sdk/nodejs/sql/instancePool.ts +++ b/sdk/nodejs/sql/instancePool.ts @@ -136,7 +136,7 @@ export class InstancePool extends pulumi.CustomResource { resourceInputs["vCores"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20180601preview:InstancePool" }, { type: "azure-native:sql/v20200202preview:InstancePool" }, { type: "azure-native:sql/v20200801preview:InstancePool" }, { type: "azure-native:sql/v20201101preview:InstancePool" }, { type: "azure-native:sql/v20210201preview:InstancePool" }, { type: "azure-native:sql/v20210501preview:InstancePool" }, { type: "azure-native:sql/v20210801preview:InstancePool" }, { type: "azure-native:sql/v20211101:InstancePool" }, { type: "azure-native:sql/v20211101preview:InstancePool" }, { type: "azure-native:sql/v20220201preview:InstancePool" }, { type: "azure-native:sql/v20220501preview:InstancePool" }, { type: "azure-native:sql/v20220801preview:InstancePool" }, { type: "azure-native:sql/v20221101preview:InstancePool" }, { type: "azure-native:sql/v20230201preview:InstancePool" }, { type: "azure-native:sql/v20230501preview:InstancePool" }, { type: "azure-native:sql/v20230801:InstancePool" }, { type: "azure-native:sql/v20230801preview:InstancePool" }, { type: "azure-native:sql/v20240501preview:InstancePool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:InstancePool" }, { type: "azure-native:sql/v20221101preview:InstancePool" }, { type: "azure-native:sql/v20230201preview:InstancePool" }, { type: "azure-native:sql/v20230501preview:InstancePool" }, { type: "azure-native:sql/v20230801preview:InstancePool" }, { type: "azure-native:sql/v20240501preview:InstancePool" }, { type: "azure-native_sql_v20180601preview:sql:InstancePool" }, { type: "azure-native_sql_v20200202preview:sql:InstancePool" }, { type: "azure-native_sql_v20200801preview:sql:InstancePool" }, { type: "azure-native_sql_v20201101preview:sql:InstancePool" }, { type: "azure-native_sql_v20210201preview:sql:InstancePool" }, { type: "azure-native_sql_v20210501preview:sql:InstancePool" }, { type: "azure-native_sql_v20210801preview:sql:InstancePool" }, { type: "azure-native_sql_v20211101:sql:InstancePool" }, { type: "azure-native_sql_v20211101preview:sql:InstancePool" }, { type: "azure-native_sql_v20220201preview:sql:InstancePool" }, { type: "azure-native_sql_v20220501preview:sql:InstancePool" }, { type: "azure-native_sql_v20220801preview:sql:InstancePool" }, { type: "azure-native_sql_v20221101preview:sql:InstancePool" }, { type: "azure-native_sql_v20230201preview:sql:InstancePool" }, { type: "azure-native_sql_v20230501preview:sql:InstancePool" }, { type: "azure-native_sql_v20230801:sql:InstancePool" }, { type: "azure-native_sql_v20230801preview:sql:InstancePool" }, { type: "azure-native_sql_v20240501preview:sql:InstancePool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(InstancePool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/ipv6FirewallRule.ts b/sdk/nodejs/sql/ipv6FirewallRule.ts index 87bc6735b044..4479cf70082a 100644 --- a/sdk/nodejs/sql/ipv6FirewallRule.ts +++ b/sdk/nodejs/sql/ipv6FirewallRule.ts @@ -92,7 +92,7 @@ export class IPv6FirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20210801preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20211101:IPv6FirewallRule" }, { type: "azure-native:sql/v20211101preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20220201preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20220501preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20220801preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20221101preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20230201preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20230501preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20230801:IPv6FirewallRule" }, { type: "azure-native:sql/v20230801preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20240501preview:IPv6FirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:IPv6FirewallRule" }, { type: "azure-native:sql/v20221101preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20230201preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20230501preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20230801preview:IPv6FirewallRule" }, { type: "azure-native:sql/v20240501preview:IPv6FirewallRule" }, { type: "azure-native_sql_v20210801preview:sql:IPv6FirewallRule" }, { type: "azure-native_sql_v20211101:sql:IPv6FirewallRule" }, { type: "azure-native_sql_v20211101preview:sql:IPv6FirewallRule" }, { type: "azure-native_sql_v20220201preview:sql:IPv6FirewallRule" }, { type: "azure-native_sql_v20220501preview:sql:IPv6FirewallRule" }, { type: "azure-native_sql_v20220801preview:sql:IPv6FirewallRule" }, { type: "azure-native_sql_v20221101preview:sql:IPv6FirewallRule" }, { type: "azure-native_sql_v20230201preview:sql:IPv6FirewallRule" }, { type: "azure-native_sql_v20230501preview:sql:IPv6FirewallRule" }, { type: "azure-native_sql_v20230801:sql:IPv6FirewallRule" }, { type: "azure-native_sql_v20230801preview:sql:IPv6FirewallRule" }, { type: "azure-native_sql_v20240501preview:sql:IPv6FirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IPv6FirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/job.ts b/sdk/nodejs/sql/job.ts index c7ebf7e56e5f..d422c67ee16e 100644 --- a/sdk/nodejs/sql/job.ts +++ b/sdk/nodejs/sql/job.ts @@ -105,7 +105,7 @@ export class Job extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:Job" }, { type: "azure-native:sql/v20200202preview:Job" }, { type: "azure-native:sql/v20200801preview:Job" }, { type: "azure-native:sql/v20201101preview:Job" }, { type: "azure-native:sql/v20210201preview:Job" }, { type: "azure-native:sql/v20210501preview:Job" }, { type: "azure-native:sql/v20210801preview:Job" }, { type: "azure-native:sql/v20211101:Job" }, { type: "azure-native:sql/v20211101preview:Job" }, { type: "azure-native:sql/v20220201preview:Job" }, { type: "azure-native:sql/v20220501preview:Job" }, { type: "azure-native:sql/v20220801preview:Job" }, { type: "azure-native:sql/v20221101preview:Job" }, { type: "azure-native:sql/v20230201preview:Job" }, { type: "azure-native:sql/v20230501preview:Job" }, { type: "azure-native:sql/v20230801:Job" }, { type: "azure-native:sql/v20230801preview:Job" }, { type: "azure-native:sql/v20240501preview:Job" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:Job" }, { type: "azure-native:sql/v20221101preview:Job" }, { type: "azure-native:sql/v20230201preview:Job" }, { type: "azure-native:sql/v20230501preview:Job" }, { type: "azure-native:sql/v20230801preview:Job" }, { type: "azure-native:sql/v20240501preview:Job" }, { type: "azure-native_sql_v20170301preview:sql:Job" }, { type: "azure-native_sql_v20200202preview:sql:Job" }, { type: "azure-native_sql_v20200801preview:sql:Job" }, { type: "azure-native_sql_v20201101preview:sql:Job" }, { type: "azure-native_sql_v20210201preview:sql:Job" }, { type: "azure-native_sql_v20210501preview:sql:Job" }, { type: "azure-native_sql_v20210801preview:sql:Job" }, { type: "azure-native_sql_v20211101:sql:Job" }, { type: "azure-native_sql_v20211101preview:sql:Job" }, { type: "azure-native_sql_v20220201preview:sql:Job" }, { type: "azure-native_sql_v20220501preview:sql:Job" }, { type: "azure-native_sql_v20220801preview:sql:Job" }, { type: "azure-native_sql_v20221101preview:sql:Job" }, { type: "azure-native_sql_v20230201preview:sql:Job" }, { type: "azure-native_sql_v20230501preview:sql:Job" }, { type: "azure-native_sql_v20230801:sql:Job" }, { type: "azure-native_sql_v20230801preview:sql:Job" }, { type: "azure-native_sql_v20240501preview:sql:Job" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Job.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/jobAgent.ts b/sdk/nodejs/sql/jobAgent.ts index bd24085f1430..99bf5c692a0d 100644 --- a/sdk/nodejs/sql/jobAgent.ts +++ b/sdk/nodejs/sql/jobAgent.ts @@ -122,7 +122,7 @@ export class JobAgent extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:JobAgent" }, { type: "azure-native:sql/v20200202preview:JobAgent" }, { type: "azure-native:sql/v20200801preview:JobAgent" }, { type: "azure-native:sql/v20201101preview:JobAgent" }, { type: "azure-native:sql/v20210201preview:JobAgent" }, { type: "azure-native:sql/v20210501preview:JobAgent" }, { type: "azure-native:sql/v20210801preview:JobAgent" }, { type: "azure-native:sql/v20211101:JobAgent" }, { type: "azure-native:sql/v20211101preview:JobAgent" }, { type: "azure-native:sql/v20220201preview:JobAgent" }, { type: "azure-native:sql/v20220501preview:JobAgent" }, { type: "azure-native:sql/v20220801preview:JobAgent" }, { type: "azure-native:sql/v20221101preview:JobAgent" }, { type: "azure-native:sql/v20230201preview:JobAgent" }, { type: "azure-native:sql/v20230501preview:JobAgent" }, { type: "azure-native:sql/v20230801:JobAgent" }, { type: "azure-native:sql/v20230801preview:JobAgent" }, { type: "azure-native:sql/v20240501preview:JobAgent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:JobAgent" }, { type: "azure-native:sql/v20221101preview:JobAgent" }, { type: "azure-native:sql/v20230201preview:JobAgent" }, { type: "azure-native:sql/v20230501preview:JobAgent" }, { type: "azure-native:sql/v20230801preview:JobAgent" }, { type: "azure-native:sql/v20240501preview:JobAgent" }, { type: "azure-native_sql_v20170301preview:sql:JobAgent" }, { type: "azure-native_sql_v20200202preview:sql:JobAgent" }, { type: "azure-native_sql_v20200801preview:sql:JobAgent" }, { type: "azure-native_sql_v20201101preview:sql:JobAgent" }, { type: "azure-native_sql_v20210201preview:sql:JobAgent" }, { type: "azure-native_sql_v20210501preview:sql:JobAgent" }, { type: "azure-native_sql_v20210801preview:sql:JobAgent" }, { type: "azure-native_sql_v20211101:sql:JobAgent" }, { type: "azure-native_sql_v20211101preview:sql:JobAgent" }, { type: "azure-native_sql_v20220201preview:sql:JobAgent" }, { type: "azure-native_sql_v20220501preview:sql:JobAgent" }, { type: "azure-native_sql_v20220801preview:sql:JobAgent" }, { type: "azure-native_sql_v20221101preview:sql:JobAgent" }, { type: "azure-native_sql_v20230201preview:sql:JobAgent" }, { type: "azure-native_sql_v20230501preview:sql:JobAgent" }, { type: "azure-native_sql_v20230801:sql:JobAgent" }, { type: "azure-native_sql_v20230801preview:sql:JobAgent" }, { type: "azure-native_sql_v20240501preview:sql:JobAgent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JobAgent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/jobCredential.ts b/sdk/nodejs/sql/jobCredential.ts index ceea7049c22b..cf4cdc046ecc 100644 --- a/sdk/nodejs/sql/jobCredential.ts +++ b/sdk/nodejs/sql/jobCredential.ts @@ -97,7 +97,7 @@ export class JobCredential extends pulumi.CustomResource { resourceInputs["username"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:JobCredential" }, { type: "azure-native:sql/v20200202preview:JobCredential" }, { type: "azure-native:sql/v20200801preview:JobCredential" }, { type: "azure-native:sql/v20201101preview:JobCredential" }, { type: "azure-native:sql/v20210201preview:JobCredential" }, { type: "azure-native:sql/v20210501preview:JobCredential" }, { type: "azure-native:sql/v20210801preview:JobCredential" }, { type: "azure-native:sql/v20211101:JobCredential" }, { type: "azure-native:sql/v20211101preview:JobCredential" }, { type: "azure-native:sql/v20220201preview:JobCredential" }, { type: "azure-native:sql/v20220501preview:JobCredential" }, { type: "azure-native:sql/v20220801preview:JobCredential" }, { type: "azure-native:sql/v20221101preview:JobCredential" }, { type: "azure-native:sql/v20230201preview:JobCredential" }, { type: "azure-native:sql/v20230501preview:JobCredential" }, { type: "azure-native:sql/v20230801:JobCredential" }, { type: "azure-native:sql/v20230801preview:JobCredential" }, { type: "azure-native:sql/v20240501preview:JobCredential" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:JobCredential" }, { type: "azure-native:sql/v20221101preview:JobCredential" }, { type: "azure-native:sql/v20230201preview:JobCredential" }, { type: "azure-native:sql/v20230501preview:JobCredential" }, { type: "azure-native:sql/v20230801preview:JobCredential" }, { type: "azure-native:sql/v20240501preview:JobCredential" }, { type: "azure-native_sql_v20170301preview:sql:JobCredential" }, { type: "azure-native_sql_v20200202preview:sql:JobCredential" }, { type: "azure-native_sql_v20200801preview:sql:JobCredential" }, { type: "azure-native_sql_v20201101preview:sql:JobCredential" }, { type: "azure-native_sql_v20210201preview:sql:JobCredential" }, { type: "azure-native_sql_v20210501preview:sql:JobCredential" }, { type: "azure-native_sql_v20210801preview:sql:JobCredential" }, { type: "azure-native_sql_v20211101:sql:JobCredential" }, { type: "azure-native_sql_v20211101preview:sql:JobCredential" }, { type: "azure-native_sql_v20220201preview:sql:JobCredential" }, { type: "azure-native_sql_v20220501preview:sql:JobCredential" }, { type: "azure-native_sql_v20220801preview:sql:JobCredential" }, { type: "azure-native_sql_v20221101preview:sql:JobCredential" }, { type: "azure-native_sql_v20230201preview:sql:JobCredential" }, { type: "azure-native_sql_v20230501preview:sql:JobCredential" }, { type: "azure-native_sql_v20230801:sql:JobCredential" }, { type: "azure-native_sql_v20230801preview:sql:JobCredential" }, { type: "azure-native_sql_v20240501preview:sql:JobCredential" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JobCredential.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/jobPrivateEndpoint.ts b/sdk/nodejs/sql/jobPrivateEndpoint.ts index abf0908f3611..d408af21bb32 100644 --- a/sdk/nodejs/sql/jobPrivateEndpoint.ts +++ b/sdk/nodejs/sql/jobPrivateEndpoint.ts @@ -99,7 +99,7 @@ export class JobPrivateEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20230501preview:JobPrivateEndpoint" }, { type: "azure-native:sql/v20230801:JobPrivateEndpoint" }, { type: "azure-native:sql/v20230801preview:JobPrivateEndpoint" }, { type: "azure-native:sql/v20240501preview:JobPrivateEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20230501preview:JobPrivateEndpoint" }, { type: "azure-native:sql/v20230801preview:JobPrivateEndpoint" }, { type: "azure-native:sql/v20240501preview:JobPrivateEndpoint" }, { type: "azure-native_sql_v20230501preview:sql:JobPrivateEndpoint" }, { type: "azure-native_sql_v20230801:sql:JobPrivateEndpoint" }, { type: "azure-native_sql_v20230801preview:sql:JobPrivateEndpoint" }, { type: "azure-native_sql_v20240501preview:sql:JobPrivateEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JobPrivateEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/jobStep.ts b/sdk/nodejs/sql/jobStep.ts index 596db69f4362..bfacb180a8b0 100644 --- a/sdk/nodejs/sql/jobStep.ts +++ b/sdk/nodejs/sql/jobStep.ts @@ -133,7 +133,7 @@ export class JobStep extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:JobStep" }, { type: "azure-native:sql/v20200202preview:JobStep" }, { type: "azure-native:sql/v20200801preview:JobStep" }, { type: "azure-native:sql/v20201101preview:JobStep" }, { type: "azure-native:sql/v20210201preview:JobStep" }, { type: "azure-native:sql/v20210501preview:JobStep" }, { type: "azure-native:sql/v20210801preview:JobStep" }, { type: "azure-native:sql/v20211101:JobStep" }, { type: "azure-native:sql/v20211101preview:JobStep" }, { type: "azure-native:sql/v20220201preview:JobStep" }, { type: "azure-native:sql/v20220501preview:JobStep" }, { type: "azure-native:sql/v20220801preview:JobStep" }, { type: "azure-native:sql/v20221101preview:JobStep" }, { type: "azure-native:sql/v20230201preview:JobStep" }, { type: "azure-native:sql/v20230501preview:JobStep" }, { type: "azure-native:sql/v20230801:JobStep" }, { type: "azure-native:sql/v20230801preview:JobStep" }, { type: "azure-native:sql/v20240501preview:JobStep" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:JobStep" }, { type: "azure-native:sql/v20221101preview:JobStep" }, { type: "azure-native:sql/v20230201preview:JobStep" }, { type: "azure-native:sql/v20230501preview:JobStep" }, { type: "azure-native:sql/v20230801preview:JobStep" }, { type: "azure-native:sql/v20240501preview:JobStep" }, { type: "azure-native_sql_v20170301preview:sql:JobStep" }, { type: "azure-native_sql_v20200202preview:sql:JobStep" }, { type: "azure-native_sql_v20200801preview:sql:JobStep" }, { type: "azure-native_sql_v20201101preview:sql:JobStep" }, { type: "azure-native_sql_v20210201preview:sql:JobStep" }, { type: "azure-native_sql_v20210501preview:sql:JobStep" }, { type: "azure-native_sql_v20210801preview:sql:JobStep" }, { type: "azure-native_sql_v20211101:sql:JobStep" }, { type: "azure-native_sql_v20211101preview:sql:JobStep" }, { type: "azure-native_sql_v20220201preview:sql:JobStep" }, { type: "azure-native_sql_v20220501preview:sql:JobStep" }, { type: "azure-native_sql_v20220801preview:sql:JobStep" }, { type: "azure-native_sql_v20221101preview:sql:JobStep" }, { type: "azure-native_sql_v20230201preview:sql:JobStep" }, { type: "azure-native_sql_v20230501preview:sql:JobStep" }, { type: "azure-native_sql_v20230801:sql:JobStep" }, { type: "azure-native_sql_v20230801preview:sql:JobStep" }, { type: "azure-native_sql_v20240501preview:sql:JobStep" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JobStep.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/jobTargetGroup.ts b/sdk/nodejs/sql/jobTargetGroup.ts index b6bd267d6a84..89e7ee75254c 100644 --- a/sdk/nodejs/sql/jobTargetGroup.ts +++ b/sdk/nodejs/sql/jobTargetGroup.ts @@ -96,7 +96,7 @@ export class JobTargetGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:JobTargetGroup" }, { type: "azure-native:sql/v20200202preview:JobTargetGroup" }, { type: "azure-native:sql/v20200801preview:JobTargetGroup" }, { type: "azure-native:sql/v20201101preview:JobTargetGroup" }, { type: "azure-native:sql/v20210201preview:JobTargetGroup" }, { type: "azure-native:sql/v20210501preview:JobTargetGroup" }, { type: "azure-native:sql/v20210801preview:JobTargetGroup" }, { type: "azure-native:sql/v20211101:JobTargetGroup" }, { type: "azure-native:sql/v20211101preview:JobTargetGroup" }, { type: "azure-native:sql/v20220201preview:JobTargetGroup" }, { type: "azure-native:sql/v20220501preview:JobTargetGroup" }, { type: "azure-native:sql/v20220801preview:JobTargetGroup" }, { type: "azure-native:sql/v20221101preview:JobTargetGroup" }, { type: "azure-native:sql/v20230201preview:JobTargetGroup" }, { type: "azure-native:sql/v20230501preview:JobTargetGroup" }, { type: "azure-native:sql/v20230801:JobTargetGroup" }, { type: "azure-native:sql/v20230801preview:JobTargetGroup" }, { type: "azure-native:sql/v20240501preview:JobTargetGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:JobTargetGroup" }, { type: "azure-native:sql/v20221101preview:JobTargetGroup" }, { type: "azure-native:sql/v20230201preview:JobTargetGroup" }, { type: "azure-native:sql/v20230501preview:JobTargetGroup" }, { type: "azure-native:sql/v20230801preview:JobTargetGroup" }, { type: "azure-native:sql/v20240501preview:JobTargetGroup" }, { type: "azure-native_sql_v20170301preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20200202preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20200801preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20201101preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20210201preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20210501preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20210801preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20211101:sql:JobTargetGroup" }, { type: "azure-native_sql_v20211101preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20220201preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20220501preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20220801preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20221101preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20230201preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20230501preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20230801:sql:JobTargetGroup" }, { type: "azure-native_sql_v20230801preview:sql:JobTargetGroup" }, { type: "azure-native_sql_v20240501preview:sql:JobTargetGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JobTargetGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/longTermRetentionPolicy.ts b/sdk/nodejs/sql/longTermRetentionPolicy.ts index 0ff603a230b5..fef7725e811d 100644 --- a/sdk/nodejs/sql/longTermRetentionPolicy.ts +++ b/sdk/nodejs/sql/longTermRetentionPolicy.ts @@ -108,7 +108,7 @@ export class LongTermRetentionPolicy extends pulumi.CustomResource { resourceInputs["yearlyRetention"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20170301preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20200202preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20200801preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20201101preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20210201preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20210501preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20210801preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20211101:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20211101preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20220201preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20220501preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20220801preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20221101preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230201preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230501preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230801:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230801preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20240501preview:LongTermRetentionPolicy" }, { type: "azure-native:sql:BackupLongTermRetentionPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:BackupLongTermRetentionPolicy" }, { type: "azure-native:sql/v20211101:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20221101preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230201preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230501preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20230801preview:LongTermRetentionPolicy" }, { type: "azure-native:sql/v20240501preview:LongTermRetentionPolicy" }, { type: "azure-native:sql:BackupLongTermRetentionPolicy" }, { type: "azure-native_sql_v20170301preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20200202preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20200801preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20201101preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20210201preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20210501preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20210801preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20211101:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20211101preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20220201preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20220501preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20220801preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20221101preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20230201preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20230501preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20230801:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20230801preview:sql:LongTermRetentionPolicy" }, { type: "azure-native_sql_v20240501preview:sql:LongTermRetentionPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LongTermRetentionPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedDatabase.ts b/sdk/nodejs/sql/managedDatabase.ts index fc758a7b045b..2ef66da99168 100644 --- a/sdk/nodejs/sql/managedDatabase.ts +++ b/sdk/nodejs/sql/managedDatabase.ts @@ -157,7 +157,7 @@ export class ManagedDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:ManagedDatabase" }, { type: "azure-native:sql/v20180601preview:ManagedDatabase" }, { type: "azure-native:sql/v20190601preview:ManagedDatabase" }, { type: "azure-native:sql/v20200202preview:ManagedDatabase" }, { type: "azure-native:sql/v20200801preview:ManagedDatabase" }, { type: "azure-native:sql/v20201101preview:ManagedDatabase" }, { type: "azure-native:sql/v20210201preview:ManagedDatabase" }, { type: "azure-native:sql/v20210501preview:ManagedDatabase" }, { type: "azure-native:sql/v20210801preview:ManagedDatabase" }, { type: "azure-native:sql/v20211101:ManagedDatabase" }, { type: "azure-native:sql/v20211101preview:ManagedDatabase" }, { type: "azure-native:sql/v20220201preview:ManagedDatabase" }, { type: "azure-native:sql/v20220501preview:ManagedDatabase" }, { type: "azure-native:sql/v20220801preview:ManagedDatabase" }, { type: "azure-native:sql/v20221101preview:ManagedDatabase" }, { type: "azure-native:sql/v20230201preview:ManagedDatabase" }, { type: "azure-native:sql/v20230501preview:ManagedDatabase" }, { type: "azure-native:sql/v20230801:ManagedDatabase" }, { type: "azure-native:sql/v20230801preview:ManagedDatabase" }, { type: "azure-native:sql/v20240501preview:ManagedDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ManagedDatabase" }, { type: "azure-native:sql/v20221101preview:ManagedDatabase" }, { type: "azure-native:sql/v20230201preview:ManagedDatabase" }, { type: "azure-native:sql/v20230501preview:ManagedDatabase" }, { type: "azure-native:sql/v20230801preview:ManagedDatabase" }, { type: "azure-native:sql/v20240501preview:ManagedDatabase" }, { type: "azure-native_sql_v20170301preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20180601preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20190601preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20200202preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20200801preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20201101preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20210201preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20210501preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20210801preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20211101:sql:ManagedDatabase" }, { type: "azure-native_sql_v20211101preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20220201preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20220501preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20220801preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20221101preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20230201preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20230501preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20230801:sql:ManagedDatabase" }, { type: "azure-native_sql_v20230801preview:sql:ManagedDatabase" }, { type: "azure-native_sql_v20240501preview:sql:ManagedDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedDatabaseSensitivityLabel.ts b/sdk/nodejs/sql/managedDatabaseSensitivityLabel.ts index 9b2d47d4733a..8b248c1c25bb 100644 --- a/sdk/nodejs/sql/managedDatabaseSensitivityLabel.ts +++ b/sdk/nodejs/sql/managedDatabaseSensitivityLabel.ts @@ -156,7 +156,7 @@ export class ManagedDatabaseSensitivityLabel extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20180601preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20200202preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20200801preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20201101preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20210201preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20210501preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20210801preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20211101:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20211101preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20220201preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20220501preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20220801preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20221101preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20230201preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20230501preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20230801:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20230801preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20240501preview:ManagedDatabaseSensitivityLabel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20221101preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20230201preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20230501preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20230801preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native:sql/v20240501preview:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20180601preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20200202preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20200801preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20201101preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20210201preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20210501preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20210801preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20211101:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20211101preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20220201preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20220501preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20220801preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20221101preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20230201preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20230501preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20230801:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20230801preview:sql:ManagedDatabaseSensitivityLabel" }, { type: "azure-native_sql_v20240501preview:sql:ManagedDatabaseSensitivityLabel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedDatabaseSensitivityLabel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedDatabaseVulnerabilityAssessment.ts b/sdk/nodejs/sql/managedDatabaseVulnerabilityAssessment.ts index dc632ec356a1..ffe93eae09bf 100644 --- a/sdk/nodejs/sql/managedDatabaseVulnerabilityAssessment.ts +++ b/sdk/nodejs/sql/managedDatabaseVulnerabilityAssessment.ts @@ -96,7 +96,7 @@ export class ManagedDatabaseVulnerabilityAssessment extends pulumi.CustomResourc resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20171001preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20200202preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20200801preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20201101preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20210201preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20210501preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20210801preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20211101preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20220201preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20220501preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20220801preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20171001preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20200202preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20200801preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20201101preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20210201preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20210501preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20210801preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20211101:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20211101preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20220201preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20220501preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20220801preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20221101preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20230201preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20230501preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20230801:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20230801preview:sql:ManagedDatabaseVulnerabilityAssessment" }, { type: "azure-native_sql_v20240501preview:sql:ManagedDatabaseVulnerabilityAssessment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedDatabaseVulnerabilityAssessment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedDatabaseVulnerabilityAssessmentRuleBaseline.ts b/sdk/nodejs/sql/managedDatabaseVulnerabilityAssessmentRuleBaseline.ts index b94c13b3ae72..5e7c186d17aa 100644 --- a/sdk/nodejs/sql/managedDatabaseVulnerabilityAssessmentRuleBaseline.ts +++ b/sdk/nodejs/sql/managedDatabaseVulnerabilityAssessmentRuleBaseline.ts @@ -104,7 +104,7 @@ export class ManagedDatabaseVulnerabilityAssessmentRuleBaseline extends pulumi.C resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20171001preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20200202preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20200801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20201101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20210201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20210501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20210801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20211101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20220201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20220501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20220801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20171001preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20200202preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20200801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20201101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20210201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20210501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20210801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20211101:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20211101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20221101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230801:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20240501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedDatabaseVulnerabilityAssessmentRuleBaseline.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedInstance.ts b/sdk/nodejs/sql/managedInstance.ts index 02f1923287dd..cf4e125c0cd6 100644 --- a/sdk/nodejs/sql/managedInstance.ts +++ b/sdk/nodejs/sql/managedInstance.ts @@ -323,7 +323,7 @@ export class ManagedInstance extends pulumi.CustomResource { resourceInputs["zoneRedundant"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20150501preview:ManagedInstance" }, { type: "azure-native:sql/v20180601preview:ManagedInstance" }, { type: "azure-native:sql/v20200202preview:ManagedInstance" }, { type: "azure-native:sql/v20200801preview:ManagedInstance" }, { type: "azure-native:sql/v20201101preview:ManagedInstance" }, { type: "azure-native:sql/v20210201preview:ManagedInstance" }, { type: "azure-native:sql/v20210501preview:ManagedInstance" }, { type: "azure-native:sql/v20210801preview:ManagedInstance" }, { type: "azure-native:sql/v20211101:ManagedInstance" }, { type: "azure-native:sql/v20211101preview:ManagedInstance" }, { type: "azure-native:sql/v20220201preview:ManagedInstance" }, { type: "azure-native:sql/v20220501preview:ManagedInstance" }, { type: "azure-native:sql/v20220801preview:ManagedInstance" }, { type: "azure-native:sql/v20221101preview:ManagedInstance" }, { type: "azure-native:sql/v20230201preview:ManagedInstance" }, { type: "azure-native:sql/v20230501preview:ManagedInstance" }, { type: "azure-native:sql/v20230801:ManagedInstance" }, { type: "azure-native:sql/v20230801preview:ManagedInstance" }, { type: "azure-native:sql/v20240501preview:ManagedInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20210201preview:ManagedInstance" }, { type: "azure-native:sql/v20211101:ManagedInstance" }, { type: "azure-native:sql/v20221101preview:ManagedInstance" }, { type: "azure-native:sql/v20230201preview:ManagedInstance" }, { type: "azure-native:sql/v20230501preview:ManagedInstance" }, { type: "azure-native:sql/v20230801preview:ManagedInstance" }, { type: "azure-native:sql/v20240501preview:ManagedInstance" }, { type: "azure-native_sql_v20150501preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20180601preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20200202preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20200801preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20201101preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20210201preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20210501preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20210801preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20211101:sql:ManagedInstance" }, { type: "azure-native_sql_v20211101preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20220201preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20220501preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20220801preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20221101preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20230201preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20230501preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20230801:sql:ManagedInstance" }, { type: "azure-native_sql_v20230801preview:sql:ManagedInstance" }, { type: "azure-native_sql_v20240501preview:sql:ManagedInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedInstanceAdministrator.ts b/sdk/nodejs/sql/managedInstanceAdministrator.ts index 6ad3899a6288..d8ab2c9ad64c 100644 --- a/sdk/nodejs/sql/managedInstanceAdministrator.ts +++ b/sdk/nodejs/sql/managedInstanceAdministrator.ts @@ -116,7 +116,7 @@ export class ManagedInstanceAdministrator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20200202preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20200801preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20201101preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20210201preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20210501preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20210801preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20211101:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20211101preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20220201preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20220501preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20220801preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20221101preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20230201preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20230501preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20230801:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20230801preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20240501preview:ManagedInstanceAdministrator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20221101preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20230201preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20230501preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20230801preview:ManagedInstanceAdministrator" }, { type: "azure-native:sql/v20240501preview:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20170301preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20200202preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20200801preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20201101preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20210201preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20210501preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20210801preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20211101:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20211101preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20220201preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20220501preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20220801preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20221101preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20230201preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20230501preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20230801:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20230801preview:sql:ManagedInstanceAdministrator" }, { type: "azure-native_sql_v20240501preview:sql:ManagedInstanceAdministrator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedInstanceAdministrator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedInstanceAzureADOnlyAuthentication.ts b/sdk/nodejs/sql/managedInstanceAzureADOnlyAuthentication.ts index 760d4669f23f..776682a6edb9 100644 --- a/sdk/nodejs/sql/managedInstanceAzureADOnlyAuthentication.ts +++ b/sdk/nodejs/sql/managedInstanceAzureADOnlyAuthentication.ts @@ -89,7 +89,7 @@ export class ManagedInstanceAzureADOnlyAuthentication extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20200202preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20200801preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20201101preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20210201preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20210501preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20210801preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20211101:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20211101preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20220201preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20220501preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20220801preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20221101preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230201preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230501preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230801:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230801preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20240501preview:ManagedInstanceAzureADOnlyAuthentication" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20221101preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230201preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230501preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230801preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20240501preview:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20200202preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20200801preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20201101preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20210201preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20210501preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20210801preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20211101:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20211101preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20220201preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20220501preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20220801preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20221101preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20230201preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20230501preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20230801:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20230801preview:sql:ManagedInstanceAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20240501preview:sql:ManagedInstanceAzureADOnlyAuthentication" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedInstanceAzureADOnlyAuthentication.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedInstanceKey.ts b/sdk/nodejs/sql/managedInstanceKey.ts index f0263b7b4845..8587d87b9b62 100644 --- a/sdk/nodejs/sql/managedInstanceKey.ts +++ b/sdk/nodejs/sql/managedInstanceKey.ts @@ -112,7 +112,7 @@ export class ManagedInstanceKey extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20171001preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20200202preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20200801preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20201101preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20210201preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20210501preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20210801preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20211101:ManagedInstanceKey" }, { type: "azure-native:sql/v20211101preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20220201preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20220501preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20220801preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20221101preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20230201preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20230501preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20230801:ManagedInstanceKey" }, { type: "azure-native:sql/v20230801preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20240501preview:ManagedInstanceKey" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ManagedInstanceKey" }, { type: "azure-native:sql/v20221101preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20230201preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20230501preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20230801preview:ManagedInstanceKey" }, { type: "azure-native:sql/v20240501preview:ManagedInstanceKey" }, { type: "azure-native_sql_v20171001preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20200202preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20200801preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20201101preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20210201preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20210501preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20210801preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20211101:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20211101preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20220201preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20220501preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20220801preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20221101preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20230201preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20230501preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20230801:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20230801preview:sql:ManagedInstanceKey" }, { type: "azure-native_sql_v20240501preview:sql:ManagedInstanceKey" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedInstanceKey.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedInstanceLongTermRetentionPolicy.ts b/sdk/nodejs/sql/managedInstanceLongTermRetentionPolicy.ts index b21ed89aa5af..7c3155d6ec15 100644 --- a/sdk/nodejs/sql/managedInstanceLongTermRetentionPolicy.ts +++ b/sdk/nodejs/sql/managedInstanceLongTermRetentionPolicy.ts @@ -117,7 +117,7 @@ export class ManagedInstanceLongTermRetentionPolicy extends pulumi.CustomResourc resourceInputs["yearlyRetention"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20220501preview:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native:sql/v20220801preview:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native:sql/v20221101preview:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native:sql/v20230201preview:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native:sql/v20230501preview:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native:sql/v20230801:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native:sql/v20230801preview:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native:sql/v20240501preview:ManagedInstanceLongTermRetentionPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20221101preview:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native:sql/v20230201preview:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native:sql/v20230501preview:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native:sql/v20230801preview:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native:sql/v20240501preview:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native_sql_v20220501preview:sql:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native_sql_v20220801preview:sql:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native_sql_v20221101preview:sql:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native_sql_v20230201preview:sql:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native_sql_v20230501preview:sql:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native_sql_v20230801:sql:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native_sql_v20230801preview:sql:ManagedInstanceLongTermRetentionPolicy" }, { type: "azure-native_sql_v20240501preview:sql:ManagedInstanceLongTermRetentionPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedInstanceLongTermRetentionPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedInstancePrivateEndpointConnection.ts b/sdk/nodejs/sql/managedInstancePrivateEndpointConnection.ts index d4227a76bd3d..d54ef31db89c 100644 --- a/sdk/nodejs/sql/managedInstancePrivateEndpointConnection.ts +++ b/sdk/nodejs/sql/managedInstancePrivateEndpointConnection.ts @@ -101,7 +101,7 @@ export class ManagedInstancePrivateEndpointConnection extends pulumi.CustomResou resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20200202preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20200801preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20201101preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20210201preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20210501preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20210801preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20211101:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20211101preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20220201preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20220501preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20220801preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20221101preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20230201preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20230501preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20230801:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20230801preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20240501preview:ManagedInstancePrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20221101preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20230201preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20230501preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20230801preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native:sql/v20240501preview:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20200202preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20200801preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20201101preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20210201preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20210501preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20210801preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20211101:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20211101preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20220201preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20220501preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20220801preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20221101preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20230201preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20230501preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20230801:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20230801preview:sql:ManagedInstancePrivateEndpointConnection" }, { type: "azure-native_sql_v20240501preview:sql:ManagedInstancePrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedInstancePrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedInstanceVulnerabilityAssessment.ts b/sdk/nodejs/sql/managedInstanceVulnerabilityAssessment.ts index 46ea4541feaf..adae71b94caa 100644 --- a/sdk/nodejs/sql/managedInstanceVulnerabilityAssessment.ts +++ b/sdk/nodejs/sql/managedInstanceVulnerabilityAssessment.ts @@ -95,7 +95,7 @@ export class ManagedInstanceVulnerabilityAssessment extends pulumi.CustomResourc resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20180601preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20200202preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20200801preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20201101preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20210201preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20210501preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20210801preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20211101:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20211101preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20220201preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20220501preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20220801preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20221101preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20230201preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20230501preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20240501preview:ManagedInstanceVulnerabilityAssessment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20221101preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20230201preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20230501preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native:sql/v20240501preview:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20180601preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20200202preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20200801preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20201101preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20210201preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20210501preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20210801preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20211101:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20211101preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20220201preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20220501preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20220801preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20221101preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20230201preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20230501preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20230801:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20230801preview:sql:ManagedInstanceVulnerabilityAssessment" }, { type: "azure-native_sql_v20240501preview:sql:ManagedInstanceVulnerabilityAssessment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedInstanceVulnerabilityAssessment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/managedServerDnsAlias.ts b/sdk/nodejs/sql/managedServerDnsAlias.ts index acfa30749c9b..50743c7b4e48 100644 --- a/sdk/nodejs/sql/managedServerDnsAlias.ts +++ b/sdk/nodejs/sql/managedServerDnsAlias.ts @@ -93,7 +93,7 @@ export class ManagedServerDnsAlias extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20211101preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20220201preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20220501preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20220801preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20221101preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20230201preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20230501preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20230801:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20230801preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20240501preview:ManagedServerDnsAlias" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20221101preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20230201preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20230501preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20230801preview:ManagedServerDnsAlias" }, { type: "azure-native:sql/v20240501preview:ManagedServerDnsAlias" }, { type: "azure-native_sql_v20211101:sql:ManagedServerDnsAlias" }, { type: "azure-native_sql_v20211101preview:sql:ManagedServerDnsAlias" }, { type: "azure-native_sql_v20220201preview:sql:ManagedServerDnsAlias" }, { type: "azure-native_sql_v20220501preview:sql:ManagedServerDnsAlias" }, { type: "azure-native_sql_v20220801preview:sql:ManagedServerDnsAlias" }, { type: "azure-native_sql_v20221101preview:sql:ManagedServerDnsAlias" }, { type: "azure-native_sql_v20230201preview:sql:ManagedServerDnsAlias" }, { type: "azure-native_sql_v20230501preview:sql:ManagedServerDnsAlias" }, { type: "azure-native_sql_v20230801:sql:ManagedServerDnsAlias" }, { type: "azure-native_sql_v20230801preview:sql:ManagedServerDnsAlias" }, { type: "azure-native_sql_v20240501preview:sql:ManagedServerDnsAlias" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagedServerDnsAlias.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/outboundFirewallRule.ts b/sdk/nodejs/sql/outboundFirewallRule.ts index 272b79214fc5..322f0daf715a 100644 --- a/sdk/nodejs/sql/outboundFirewallRule.ts +++ b/sdk/nodejs/sql/outboundFirewallRule.ts @@ -86,7 +86,7 @@ export class OutboundFirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20210201preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20210501preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20210801preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20211101:OutboundFirewallRule" }, { type: "azure-native:sql/v20211101preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20220201preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20220501preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20220801preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20221101preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20230201preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20230501preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20230801:OutboundFirewallRule" }, { type: "azure-native:sql/v20230801preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20240501preview:OutboundFirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:OutboundFirewallRule" }, { type: "azure-native:sql/v20221101preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20230201preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20230501preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20230801preview:OutboundFirewallRule" }, { type: "azure-native:sql/v20240501preview:OutboundFirewallRule" }, { type: "azure-native_sql_v20210201preview:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20210501preview:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20210801preview:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20211101:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20211101preview:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20220201preview:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20220501preview:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20220801preview:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20221101preview:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20230201preview:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20230501preview:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20230801:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20230801preview:sql:OutboundFirewallRule" }, { type: "azure-native_sql_v20240501preview:sql:OutboundFirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(OutboundFirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/privateEndpointConnection.ts b/sdk/nodejs/sql/privateEndpointConnection.ts index 23a50c8494f8..22e27288f317 100644 --- a/sdk/nodejs/sql/privateEndpointConnection.ts +++ b/sdk/nodejs/sql/privateEndpointConnection.ts @@ -107,7 +107,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20180601preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20200202preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20200801preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20201101preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20210201preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20210501preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20210801preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20211101:PrivateEndpointConnection" }, { type: "azure-native:sql/v20211101preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20220201preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20220501preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20220801preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20221101preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20230201preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20230501preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20230801:PrivateEndpointConnection" }, { type: "azure-native:sql/v20230801preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20240501preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:PrivateEndpointConnection" }, { type: "azure-native:sql/v20221101preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20230201preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20230501preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20230801preview:PrivateEndpointConnection" }, { type: "azure-native:sql/v20240501preview:PrivateEndpointConnection" }, { type: "azure-native_sql_v20180601preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20200202preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20200801preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20201101preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20210201preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20210501preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20210801preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20211101:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20211101preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20220201preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20220501preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20220801preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20221101preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20230201preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20230501preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20230801:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20230801preview:sql:PrivateEndpointConnection" }, { type: "azure-native_sql_v20240501preview:sql:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/replicationLink.ts b/sdk/nodejs/sql/replicationLink.ts index 4c001c82cf67..32d4d23fa9b4 100644 --- a/sdk/nodejs/sql/replicationLink.ts +++ b/sdk/nodejs/sql/replicationLink.ts @@ -159,7 +159,7 @@ export class ReplicationLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20230501preview:ReplicationLink" }, { type: "azure-native:sql/v20230801:ReplicationLink" }, { type: "azure-native:sql/v20230801preview:ReplicationLink" }, { type: "azure-native:sql/v20240501preview:ReplicationLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20230501preview:ReplicationLink" }, { type: "azure-native:sql/v20230801preview:ReplicationLink" }, { type: "azure-native:sql/v20240501preview:ReplicationLink" }, { type: "azure-native_sql_v20230501preview:sql:ReplicationLink" }, { type: "azure-native_sql_v20230801:sql:ReplicationLink" }, { type: "azure-native_sql_v20230801preview:sql:ReplicationLink" }, { type: "azure-native_sql_v20240501preview:sql:ReplicationLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReplicationLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/sensitivityLabel.ts b/sdk/nodejs/sql/sensitivityLabel.ts index da04052b9167..579a41e9f71f 100644 --- a/sdk/nodejs/sql/sensitivityLabel.ts +++ b/sdk/nodejs/sql/sensitivityLabel.ts @@ -156,7 +156,7 @@ export class SensitivityLabel extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:SensitivityLabel" }, { type: "azure-native:sql/v20200202preview:SensitivityLabel" }, { type: "azure-native:sql/v20200801preview:SensitivityLabel" }, { type: "azure-native:sql/v20201101preview:SensitivityLabel" }, { type: "azure-native:sql/v20210201preview:SensitivityLabel" }, { type: "azure-native:sql/v20210501preview:SensitivityLabel" }, { type: "azure-native:sql/v20210801preview:SensitivityLabel" }, { type: "azure-native:sql/v20211101:SensitivityLabel" }, { type: "azure-native:sql/v20211101preview:SensitivityLabel" }, { type: "azure-native:sql/v20220201preview:SensitivityLabel" }, { type: "azure-native:sql/v20220501preview:SensitivityLabel" }, { type: "azure-native:sql/v20220801preview:SensitivityLabel" }, { type: "azure-native:sql/v20221101preview:SensitivityLabel" }, { type: "azure-native:sql/v20230201preview:SensitivityLabel" }, { type: "azure-native:sql/v20230501preview:SensitivityLabel" }, { type: "azure-native:sql/v20230801:SensitivityLabel" }, { type: "azure-native:sql/v20230801preview:SensitivityLabel" }, { type: "azure-native:sql/v20240501preview:SensitivityLabel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:SensitivityLabel" }, { type: "azure-native:sql/v20221101preview:SensitivityLabel" }, { type: "azure-native:sql/v20230201preview:SensitivityLabel" }, { type: "azure-native:sql/v20230501preview:SensitivityLabel" }, { type: "azure-native:sql/v20230801preview:SensitivityLabel" }, { type: "azure-native:sql/v20240501preview:SensitivityLabel" }, { type: "azure-native_sql_v20170301preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20200202preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20200801preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20201101preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20210201preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20210501preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20210801preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20211101:sql:SensitivityLabel" }, { type: "azure-native_sql_v20211101preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20220201preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20220501preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20220801preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20221101preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20230201preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20230501preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20230801:sql:SensitivityLabel" }, { type: "azure-native_sql_v20230801preview:sql:SensitivityLabel" }, { type: "azure-native_sql_v20240501preview:sql:SensitivityLabel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SensitivityLabel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/server.ts b/sdk/nodejs/sql/server.ts index e0c96053a78e..4d168b06a5b9 100644 --- a/sdk/nodejs/sql/server.ts +++ b/sdk/nodejs/sql/server.ts @@ -204,7 +204,7 @@ export class Server extends pulumi.CustomResource { resourceInputs["workspaceFeature"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:Server" }, { type: "azure-native:sql/v20150501preview:Server" }, { type: "azure-native:sql/v20190601preview:Server" }, { type: "azure-native:sql/v20200202preview:Server" }, { type: "azure-native:sql/v20200801preview:Server" }, { type: "azure-native:sql/v20201101preview:Server" }, { type: "azure-native:sql/v20210201preview:Server" }, { type: "azure-native:sql/v20210501preview:Server" }, { type: "azure-native:sql/v20210801preview:Server" }, { type: "azure-native:sql/v20211101:Server" }, { type: "azure-native:sql/v20211101preview:Server" }, { type: "azure-native:sql/v20220201preview:Server" }, { type: "azure-native:sql/v20220501preview:Server" }, { type: "azure-native:sql/v20220801preview:Server" }, { type: "azure-native:sql/v20221101preview:Server" }, { type: "azure-native:sql/v20230201preview:Server" }, { type: "azure-native:sql/v20230501preview:Server" }, { type: "azure-native:sql/v20230801:Server" }, { type: "azure-native:sql/v20230801preview:Server" }, { type: "azure-native:sql/v20240501preview:Server" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:Server" }, { type: "azure-native:sql/v20211101:Server" }, { type: "azure-native:sql/v20221101preview:Server" }, { type: "azure-native:sql/v20230201preview:Server" }, { type: "azure-native:sql/v20230501preview:Server" }, { type: "azure-native:sql/v20230801preview:Server" }, { type: "azure-native:sql/v20240501preview:Server" }, { type: "azure-native_sql_v20140401:sql:Server" }, { type: "azure-native_sql_v20150501preview:sql:Server" }, { type: "azure-native_sql_v20190601preview:sql:Server" }, { type: "azure-native_sql_v20200202preview:sql:Server" }, { type: "azure-native_sql_v20200801preview:sql:Server" }, { type: "azure-native_sql_v20201101preview:sql:Server" }, { type: "azure-native_sql_v20210201preview:sql:Server" }, { type: "azure-native_sql_v20210501preview:sql:Server" }, { type: "azure-native_sql_v20210801preview:sql:Server" }, { type: "azure-native_sql_v20211101:sql:Server" }, { type: "azure-native_sql_v20211101preview:sql:Server" }, { type: "azure-native_sql_v20220201preview:sql:Server" }, { type: "azure-native_sql_v20220501preview:sql:Server" }, { type: "azure-native_sql_v20220801preview:sql:Server" }, { type: "azure-native_sql_v20221101preview:sql:Server" }, { type: "azure-native_sql_v20230201preview:sql:Server" }, { type: "azure-native_sql_v20230501preview:sql:Server" }, { type: "azure-native_sql_v20230801:sql:Server" }, { type: "azure-native_sql_v20230801preview:sql:Server" }, { type: "azure-native_sql_v20240501preview:sql:Server" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Server.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/serverAdvisor.ts b/sdk/nodejs/sql/serverAdvisor.ts index 2a9073881f44..fb1954ff0bb5 100644 --- a/sdk/nodejs/sql/serverAdvisor.ts +++ b/sdk/nodejs/sql/serverAdvisor.ts @@ -134,7 +134,7 @@ export class ServerAdvisor extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:ServerAdvisor" }, { type: "azure-native:sql/v20150501preview:ServerAdvisor" }, { type: "azure-native:sql/v20200202preview:ServerAdvisor" }, { type: "azure-native:sql/v20200801preview:ServerAdvisor" }, { type: "azure-native:sql/v20201101preview:ServerAdvisor" }, { type: "azure-native:sql/v20210201preview:ServerAdvisor" }, { type: "azure-native:sql/v20210501preview:ServerAdvisor" }, { type: "azure-native:sql/v20210801preview:ServerAdvisor" }, { type: "azure-native:sql/v20211101:ServerAdvisor" }, { type: "azure-native:sql/v20211101preview:ServerAdvisor" }, { type: "azure-native:sql/v20220201preview:ServerAdvisor" }, { type: "azure-native:sql/v20220501preview:ServerAdvisor" }, { type: "azure-native:sql/v20220801preview:ServerAdvisor" }, { type: "azure-native:sql/v20221101preview:ServerAdvisor" }, { type: "azure-native:sql/v20230201preview:ServerAdvisor" }, { type: "azure-native:sql/v20230501preview:ServerAdvisor" }, { type: "azure-native:sql/v20230801:ServerAdvisor" }, { type: "azure-native:sql/v20230801preview:ServerAdvisor" }, { type: "azure-native:sql/v20240501preview:ServerAdvisor" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:ServerAdvisor" }, { type: "azure-native:sql/v20211101:ServerAdvisor" }, { type: "azure-native:sql/v20221101preview:ServerAdvisor" }, { type: "azure-native:sql/v20230201preview:ServerAdvisor" }, { type: "azure-native:sql/v20230501preview:ServerAdvisor" }, { type: "azure-native:sql/v20230801preview:ServerAdvisor" }, { type: "azure-native:sql/v20240501preview:ServerAdvisor" }, { type: "azure-native_sql_v20140401:sql:ServerAdvisor" }, { type: "azure-native_sql_v20150501preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20200202preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20200801preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20201101preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20210201preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20210501preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20210801preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20211101:sql:ServerAdvisor" }, { type: "azure-native_sql_v20211101preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20220201preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20220501preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20220801preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20221101preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20230201preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20230501preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20230801:sql:ServerAdvisor" }, { type: "azure-native_sql_v20230801preview:sql:ServerAdvisor" }, { type: "azure-native_sql_v20240501preview:sql:ServerAdvisor" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerAdvisor.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/serverAzureADAdministrator.ts b/sdk/nodejs/sql/serverAzureADAdministrator.ts index e6e35edfc152..9db6088a9e12 100644 --- a/sdk/nodejs/sql/serverAzureADAdministrator.ts +++ b/sdk/nodejs/sql/serverAzureADAdministrator.ts @@ -119,7 +119,7 @@ export class ServerAzureADAdministrator extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20180601preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20190601preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20200202preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20200801preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20201101preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20210201preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20210501preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20210801preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20211101:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20211101preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20220201preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20220501preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20220801preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20221101preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20230201preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20230501preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20230801:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20230801preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20240501preview:ServerAzureADAdministrator" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20211101:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20221101preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20230201preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20230501preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20230801preview:ServerAzureADAdministrator" }, { type: "azure-native:sql/v20240501preview:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20140401:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20180601preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20190601preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20200202preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20200801preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20201101preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20210201preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20210501preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20210801preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20211101:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20211101preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20220201preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20220501preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20220801preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20221101preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20230201preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20230501preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20230801:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20230801preview:sql:ServerAzureADAdministrator" }, { type: "azure-native_sql_v20240501preview:sql:ServerAzureADAdministrator" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerAzureADAdministrator.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/serverAzureADOnlyAuthentication.ts b/sdk/nodejs/sql/serverAzureADOnlyAuthentication.ts index 6a5a308dcdce..b2b8f3362a1c 100644 --- a/sdk/nodejs/sql/serverAzureADOnlyAuthentication.ts +++ b/sdk/nodejs/sql/serverAzureADOnlyAuthentication.ts @@ -89,7 +89,7 @@ export class ServerAzureADOnlyAuthentication extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20200202preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20200801preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20201101preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20210201preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20210501preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20210801preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20211101:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20211101preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20220201preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20220501preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20220801preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20221101preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230201preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230501preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230801:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230801preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20240501preview:ServerAzureADOnlyAuthentication" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20221101preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230201preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230501preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20230801preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native:sql/v20240501preview:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20200202preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20200801preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20201101preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20210201preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20210501preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20210801preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20211101:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20211101preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20220201preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20220501preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20220801preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20221101preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20230201preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20230501preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20230801:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20230801preview:sql:ServerAzureADOnlyAuthentication" }, { type: "azure-native_sql_v20240501preview:sql:ServerAzureADOnlyAuthentication" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerAzureADOnlyAuthentication.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/serverBlobAuditingPolicy.ts b/sdk/nodejs/sql/serverBlobAuditingPolicy.ts index 40b293958319..72ec500c2f6f 100644 --- a/sdk/nodejs/sql/serverBlobAuditingPolicy.ts +++ b/sdk/nodejs/sql/serverBlobAuditingPolicy.ts @@ -227,7 +227,7 @@ export class ServerBlobAuditingPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20200202preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20200801preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20201101preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20210201preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20210501preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20210801preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20211101:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20211101preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20220201preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20220501preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20220801preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20221101preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230201preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230501preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20240501preview:ServerBlobAuditingPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20221101preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230201preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230501preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20230801preview:ServerBlobAuditingPolicy" }, { type: "azure-native:sql/v20240501preview:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20170301preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20200202preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20200801preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20201101preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20210201preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20210501preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20210801preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20211101:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20211101preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20220201preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20220501preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20220801preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20221101preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20230201preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20230501preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20230801:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20230801preview:sql:ServerBlobAuditingPolicy" }, { type: "azure-native_sql_v20240501preview:sql:ServerBlobAuditingPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerBlobAuditingPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/serverCommunicationLink.ts b/sdk/nodejs/sql/serverCommunicationLink.ts index f4227c48aeb3..24c85bf207b8 100644 --- a/sdk/nodejs/sql/serverCommunicationLink.ts +++ b/sdk/nodejs/sql/serverCommunicationLink.ts @@ -105,7 +105,7 @@ export class ServerCommunicationLink extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:ServerCommunicationLink" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:ServerCommunicationLink" }, { type: "azure-native_sql_v20140401:sql:ServerCommunicationLink" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerCommunicationLink.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/serverDnsAlias.ts b/sdk/nodejs/sql/serverDnsAlias.ts index 6be34170a105..e851c832e839 100644 --- a/sdk/nodejs/sql/serverDnsAlias.ts +++ b/sdk/nodejs/sql/serverDnsAlias.ts @@ -86,7 +86,7 @@ export class ServerDnsAlias extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:ServerDnsAlias" }, { type: "azure-native:sql/v20200202preview:ServerDnsAlias" }, { type: "azure-native:sql/v20200801preview:ServerDnsAlias" }, { type: "azure-native:sql/v20201101preview:ServerDnsAlias" }, { type: "azure-native:sql/v20210201preview:ServerDnsAlias" }, { type: "azure-native:sql/v20210501preview:ServerDnsAlias" }, { type: "azure-native:sql/v20210801preview:ServerDnsAlias" }, { type: "azure-native:sql/v20211101:ServerDnsAlias" }, { type: "azure-native:sql/v20211101preview:ServerDnsAlias" }, { type: "azure-native:sql/v20220201preview:ServerDnsAlias" }, { type: "azure-native:sql/v20220501preview:ServerDnsAlias" }, { type: "azure-native:sql/v20220801preview:ServerDnsAlias" }, { type: "azure-native:sql/v20221101preview:ServerDnsAlias" }, { type: "azure-native:sql/v20230201preview:ServerDnsAlias" }, { type: "azure-native:sql/v20230501preview:ServerDnsAlias" }, { type: "azure-native:sql/v20230801:ServerDnsAlias" }, { type: "azure-native:sql/v20230801preview:ServerDnsAlias" }, { type: "azure-native:sql/v20240501preview:ServerDnsAlias" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ServerDnsAlias" }, { type: "azure-native:sql/v20221101preview:ServerDnsAlias" }, { type: "azure-native:sql/v20230201preview:ServerDnsAlias" }, { type: "azure-native:sql/v20230501preview:ServerDnsAlias" }, { type: "azure-native:sql/v20230801preview:ServerDnsAlias" }, { type: "azure-native:sql/v20240501preview:ServerDnsAlias" }, { type: "azure-native_sql_v20170301preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20200202preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20200801preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20201101preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20210201preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20210501preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20210801preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20211101:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20211101preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20220201preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20220501preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20220801preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20221101preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20230201preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20230501preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20230801:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20230801preview:sql:ServerDnsAlias" }, { type: "azure-native_sql_v20240501preview:sql:ServerDnsAlias" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerDnsAlias.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/serverKey.ts b/sdk/nodejs/sql/serverKey.ts index cfae82126609..afdd4642b427 100644 --- a/sdk/nodejs/sql/serverKey.ts +++ b/sdk/nodejs/sql/serverKey.ts @@ -124,7 +124,7 @@ export class ServerKey extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20150501preview:ServerKey" }, { type: "azure-native:sql/v20200202preview:ServerKey" }, { type: "azure-native:sql/v20200801preview:ServerKey" }, { type: "azure-native:sql/v20201101preview:ServerKey" }, { type: "azure-native:sql/v20210201preview:ServerKey" }, { type: "azure-native:sql/v20210501preview:ServerKey" }, { type: "azure-native:sql/v20210801preview:ServerKey" }, { type: "azure-native:sql/v20211101:ServerKey" }, { type: "azure-native:sql/v20211101preview:ServerKey" }, { type: "azure-native:sql/v20220201preview:ServerKey" }, { type: "azure-native:sql/v20220501preview:ServerKey" }, { type: "azure-native:sql/v20220801preview:ServerKey" }, { type: "azure-native:sql/v20221101preview:ServerKey" }, { type: "azure-native:sql/v20230201preview:ServerKey" }, { type: "azure-native:sql/v20230501preview:ServerKey" }, { type: "azure-native:sql/v20230801:ServerKey" }, { type: "azure-native:sql/v20230801preview:ServerKey" }, { type: "azure-native:sql/v20240501preview:ServerKey" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20150501preview:ServerKey" }, { type: "azure-native:sql/v20211101:ServerKey" }, { type: "azure-native:sql/v20221101preview:ServerKey" }, { type: "azure-native:sql/v20230201preview:ServerKey" }, { type: "azure-native:sql/v20230501preview:ServerKey" }, { type: "azure-native:sql/v20230801preview:ServerKey" }, { type: "azure-native:sql/v20240501preview:ServerKey" }, { type: "azure-native_sql_v20150501preview:sql:ServerKey" }, { type: "azure-native_sql_v20200202preview:sql:ServerKey" }, { type: "azure-native_sql_v20200801preview:sql:ServerKey" }, { type: "azure-native_sql_v20201101preview:sql:ServerKey" }, { type: "azure-native_sql_v20210201preview:sql:ServerKey" }, { type: "azure-native_sql_v20210501preview:sql:ServerKey" }, { type: "azure-native_sql_v20210801preview:sql:ServerKey" }, { type: "azure-native_sql_v20211101:sql:ServerKey" }, { type: "azure-native_sql_v20211101preview:sql:ServerKey" }, { type: "azure-native_sql_v20220201preview:sql:ServerKey" }, { type: "azure-native_sql_v20220501preview:sql:ServerKey" }, { type: "azure-native_sql_v20220801preview:sql:ServerKey" }, { type: "azure-native_sql_v20221101preview:sql:ServerKey" }, { type: "azure-native_sql_v20230201preview:sql:ServerKey" }, { type: "azure-native_sql_v20230501preview:sql:ServerKey" }, { type: "azure-native_sql_v20230801:sql:ServerKey" }, { type: "azure-native_sql_v20230801preview:sql:ServerKey" }, { type: "azure-native_sql_v20240501preview:sql:ServerKey" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerKey.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/serverSecurityAlertPolicy.ts b/sdk/nodejs/sql/serverSecurityAlertPolicy.ts index 7ab610dbcc0d..5b6b71fd6eb9 100644 --- a/sdk/nodejs/sql/serverSecurityAlertPolicy.ts +++ b/sdk/nodejs/sql/serverSecurityAlertPolicy.ts @@ -140,7 +140,7 @@ export class ServerSecurityAlertPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20200202preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20200801preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20201101preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20210201preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20210501preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20210801preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20211101:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20211101preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20220201preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20220501preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20220801preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20221101preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20230201preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20230501preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20230801:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20230801preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20240501preview:ServerSecurityAlertPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20170301preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20211101:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20221101preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20230201preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20230501preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20230801preview:ServerSecurityAlertPolicy" }, { type: "azure-native:sql/v20240501preview:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20170301preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20200202preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20200801preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20201101preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20210201preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20210501preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20210801preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20211101:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20211101preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20220201preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20220501preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20220801preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20221101preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20230201preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20230501preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20230801:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20230801preview:sql:ServerSecurityAlertPolicy" }, { type: "azure-native_sql_v20240501preview:sql:ServerSecurityAlertPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerSecurityAlertPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/serverTrustCertificate.ts b/sdk/nodejs/sql/serverTrustCertificate.ts index b3b814678a4e..8314a486db80 100644 --- a/sdk/nodejs/sql/serverTrustCertificate.ts +++ b/sdk/nodejs/sql/serverTrustCertificate.ts @@ -97,7 +97,7 @@ export class ServerTrustCertificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20210501preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20210801preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20211101:ServerTrustCertificate" }, { type: "azure-native:sql/v20211101preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20220201preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20220501preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20220801preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20221101preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20230201preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20230501preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20230801:ServerTrustCertificate" }, { type: "azure-native:sql/v20230801preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20240501preview:ServerTrustCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ServerTrustCertificate" }, { type: "azure-native:sql/v20221101preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20230201preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20230501preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20230801preview:ServerTrustCertificate" }, { type: "azure-native:sql/v20240501preview:ServerTrustCertificate" }, { type: "azure-native_sql_v20210501preview:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20210801preview:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20211101:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20211101preview:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20220201preview:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20220501preview:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20220801preview:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20221101preview:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20230201preview:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20230501preview:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20230801:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20230801preview:sql:ServerTrustCertificate" }, { type: "azure-native_sql_v20240501preview:sql:ServerTrustCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerTrustCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/serverTrustGroup.ts b/sdk/nodejs/sql/serverTrustGroup.ts index 3d981ce9b257..da3b144a74f0 100644 --- a/sdk/nodejs/sql/serverTrustGroup.ts +++ b/sdk/nodejs/sql/serverTrustGroup.ts @@ -101,7 +101,7 @@ export class ServerTrustGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20200202preview:ServerTrustGroup" }, { type: "azure-native:sql/v20200801preview:ServerTrustGroup" }, { type: "azure-native:sql/v20201101preview:ServerTrustGroup" }, { type: "azure-native:sql/v20210201preview:ServerTrustGroup" }, { type: "azure-native:sql/v20210501preview:ServerTrustGroup" }, { type: "azure-native:sql/v20210801preview:ServerTrustGroup" }, { type: "azure-native:sql/v20211101:ServerTrustGroup" }, { type: "azure-native:sql/v20211101preview:ServerTrustGroup" }, { type: "azure-native:sql/v20220201preview:ServerTrustGroup" }, { type: "azure-native:sql/v20220501preview:ServerTrustGroup" }, { type: "azure-native:sql/v20220801preview:ServerTrustGroup" }, { type: "azure-native:sql/v20221101preview:ServerTrustGroup" }, { type: "azure-native:sql/v20230201preview:ServerTrustGroup" }, { type: "azure-native:sql/v20230501preview:ServerTrustGroup" }, { type: "azure-native:sql/v20230801:ServerTrustGroup" }, { type: "azure-native:sql/v20230801preview:ServerTrustGroup" }, { type: "azure-native:sql/v20240501preview:ServerTrustGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ServerTrustGroup" }, { type: "azure-native:sql/v20221101preview:ServerTrustGroup" }, { type: "azure-native:sql/v20230201preview:ServerTrustGroup" }, { type: "azure-native:sql/v20230501preview:ServerTrustGroup" }, { type: "azure-native:sql/v20230801preview:ServerTrustGroup" }, { type: "azure-native:sql/v20240501preview:ServerTrustGroup" }, { type: "azure-native_sql_v20200202preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20200801preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20201101preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20210201preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20210501preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20210801preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20211101:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20211101preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20220201preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20220501preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20220801preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20221101preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20230201preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20230501preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20230801:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20230801preview:sql:ServerTrustGroup" }, { type: "azure-native_sql_v20240501preview:sql:ServerTrustGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerTrustGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/serverVulnerabilityAssessment.ts b/sdk/nodejs/sql/serverVulnerabilityAssessment.ts index 32b2a776b870..8f9748f69f70 100644 --- a/sdk/nodejs/sql/serverVulnerabilityAssessment.ts +++ b/sdk/nodejs/sql/serverVulnerabilityAssessment.ts @@ -95,7 +95,7 @@ export class ServerVulnerabilityAssessment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20180601preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20200202preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20200801preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20201101preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20210201preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20210501preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20210801preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20211101:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20211101preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20220201preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20220501preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20220801preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20221101preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20230201preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20230501preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20240501preview:ServerVulnerabilityAssessment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20221101preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20230201preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20230501preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20230801preview:ServerVulnerabilityAssessment" }, { type: "azure-native:sql/v20240501preview:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20180601preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20200202preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20200801preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20201101preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20210201preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20210501preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20210801preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20211101:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20211101preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20220201preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20220501preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20220801preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20221101preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20230201preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20230501preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20230801:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20230801preview:sql:ServerVulnerabilityAssessment" }, { type: "azure-native_sql_v20240501preview:sql:ServerVulnerabilityAssessment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerVulnerabilityAssessment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/sqlVulnerabilityAssessmentRuleBaseline.ts b/sdk/nodejs/sql/sqlVulnerabilityAssessmentRuleBaseline.ts index 4afee8f184b0..f97168f38715 100644 --- a/sdk/nodejs/sql/sqlVulnerabilityAssessmentRuleBaseline.ts +++ b/sdk/nodejs/sql/sqlVulnerabilityAssessmentRuleBaseline.ts @@ -114,7 +114,7 @@ export class SqlVulnerabilityAssessmentRuleBaseline extends pulumi.CustomResourc resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20220201preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20220501preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20220801preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentRuleBaseline" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220201preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220501preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20220801preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20221101preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230201preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230501preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230801:sql:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20230801preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_sql_v20240501preview:sql:SqlVulnerabilityAssessmentRuleBaseline" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlVulnerabilityAssessmentRuleBaseline.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/sqlVulnerabilityAssessmentsSetting.ts b/sdk/nodejs/sql/sqlVulnerabilityAssessmentsSetting.ts index 14de0f82f13b..e7095907d2f4 100644 --- a/sdk/nodejs/sql/sqlVulnerabilityAssessmentsSetting.ts +++ b/sdk/nodejs/sql/sqlVulnerabilityAssessmentsSetting.ts @@ -95,7 +95,7 @@ export class SqlVulnerabilityAssessmentsSetting extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20220201preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20220501preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20220801preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20230801:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentsSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native_sql_v20220201preview:sql:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native_sql_v20220501preview:sql:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native_sql_v20220801preview:sql:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native_sql_v20221101preview:sql:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native_sql_v20230201preview:sql:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native_sql_v20230501preview:sql:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native_sql_v20230801:sql:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native_sql_v20230801preview:sql:SqlVulnerabilityAssessmentsSetting" }, { type: "azure-native_sql_v20240501preview:sql:SqlVulnerabilityAssessmentsSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlVulnerabilityAssessmentsSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/startStopManagedInstanceSchedule.ts b/sdk/nodejs/sql/startStopManagedInstanceSchedule.ts index 7edf9f9a5131..8fd349a7d9b9 100644 --- a/sdk/nodejs/sql/startStopManagedInstanceSchedule.ts +++ b/sdk/nodejs/sql/startStopManagedInstanceSchedule.ts @@ -122,7 +122,7 @@ export class StartStopManagedInstanceSchedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20220801preview:StartStopManagedInstanceSchedule" }, { type: "azure-native:sql/v20221101preview:StartStopManagedInstanceSchedule" }, { type: "azure-native:sql/v20230201preview:StartStopManagedInstanceSchedule" }, { type: "azure-native:sql/v20230501preview:StartStopManagedInstanceSchedule" }, { type: "azure-native:sql/v20230801:StartStopManagedInstanceSchedule" }, { type: "azure-native:sql/v20230801preview:StartStopManagedInstanceSchedule" }, { type: "azure-native:sql/v20240501preview:StartStopManagedInstanceSchedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20221101preview:StartStopManagedInstanceSchedule" }, { type: "azure-native:sql/v20230201preview:StartStopManagedInstanceSchedule" }, { type: "azure-native:sql/v20230501preview:StartStopManagedInstanceSchedule" }, { type: "azure-native:sql/v20230801preview:StartStopManagedInstanceSchedule" }, { type: "azure-native:sql/v20240501preview:StartStopManagedInstanceSchedule" }, { type: "azure-native_sql_v20220801preview:sql:StartStopManagedInstanceSchedule" }, { type: "azure-native_sql_v20221101preview:sql:StartStopManagedInstanceSchedule" }, { type: "azure-native_sql_v20230201preview:sql:StartStopManagedInstanceSchedule" }, { type: "azure-native_sql_v20230501preview:sql:StartStopManagedInstanceSchedule" }, { type: "azure-native_sql_v20230801:sql:StartStopManagedInstanceSchedule" }, { type: "azure-native_sql_v20230801preview:sql:StartStopManagedInstanceSchedule" }, { type: "azure-native_sql_v20240501preview:sql:StartStopManagedInstanceSchedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StartStopManagedInstanceSchedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/syncAgent.ts b/sdk/nodejs/sql/syncAgent.ts index 04a700056332..af44a58d8eae 100644 --- a/sdk/nodejs/sql/syncAgent.ts +++ b/sdk/nodejs/sql/syncAgent.ts @@ -116,7 +116,7 @@ export class SyncAgent extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20150501preview:SyncAgent" }, { type: "azure-native:sql/v20200202preview:SyncAgent" }, { type: "azure-native:sql/v20200801preview:SyncAgent" }, { type: "azure-native:sql/v20201101preview:SyncAgent" }, { type: "azure-native:sql/v20210201preview:SyncAgent" }, { type: "azure-native:sql/v20210501preview:SyncAgent" }, { type: "azure-native:sql/v20210801preview:SyncAgent" }, { type: "azure-native:sql/v20211101:SyncAgent" }, { type: "azure-native:sql/v20211101preview:SyncAgent" }, { type: "azure-native:sql/v20220201preview:SyncAgent" }, { type: "azure-native:sql/v20220501preview:SyncAgent" }, { type: "azure-native:sql/v20220801preview:SyncAgent" }, { type: "azure-native:sql/v20221101preview:SyncAgent" }, { type: "azure-native:sql/v20230201preview:SyncAgent" }, { type: "azure-native:sql/v20230501preview:SyncAgent" }, { type: "azure-native:sql/v20230801:SyncAgent" }, { type: "azure-native:sql/v20230801preview:SyncAgent" }, { type: "azure-native:sql/v20240501preview:SyncAgent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:SyncAgent" }, { type: "azure-native:sql/v20221101preview:SyncAgent" }, { type: "azure-native:sql/v20230201preview:SyncAgent" }, { type: "azure-native:sql/v20230501preview:SyncAgent" }, { type: "azure-native:sql/v20230801preview:SyncAgent" }, { type: "azure-native:sql/v20240501preview:SyncAgent" }, { type: "azure-native_sql_v20150501preview:sql:SyncAgent" }, { type: "azure-native_sql_v20200202preview:sql:SyncAgent" }, { type: "azure-native_sql_v20200801preview:sql:SyncAgent" }, { type: "azure-native_sql_v20201101preview:sql:SyncAgent" }, { type: "azure-native_sql_v20210201preview:sql:SyncAgent" }, { type: "azure-native_sql_v20210501preview:sql:SyncAgent" }, { type: "azure-native_sql_v20210801preview:sql:SyncAgent" }, { type: "azure-native_sql_v20211101:sql:SyncAgent" }, { type: "azure-native_sql_v20211101preview:sql:SyncAgent" }, { type: "azure-native_sql_v20220201preview:sql:SyncAgent" }, { type: "azure-native_sql_v20220501preview:sql:SyncAgent" }, { type: "azure-native_sql_v20220801preview:sql:SyncAgent" }, { type: "azure-native_sql_v20221101preview:sql:SyncAgent" }, { type: "azure-native_sql_v20230201preview:sql:SyncAgent" }, { type: "azure-native_sql_v20230501preview:sql:SyncAgent" }, { type: "azure-native_sql_v20230801:sql:SyncAgent" }, { type: "azure-native_sql_v20230801preview:sql:SyncAgent" }, { type: "azure-native_sql_v20240501preview:sql:SyncAgent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SyncAgent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/syncGroup.ts b/sdk/nodejs/sql/syncGroup.ts index 7ccc22bb4fb4..19042fa9a5af 100644 --- a/sdk/nodejs/sql/syncGroup.ts +++ b/sdk/nodejs/sql/syncGroup.ts @@ -160,7 +160,7 @@ export class SyncGroup extends pulumi.CustomResource { resourceInputs["usePrivateLinkConnection"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20150501preview:SyncGroup" }, { type: "azure-native:sql/v20190601preview:SyncGroup" }, { type: "azure-native:sql/v20200202preview:SyncGroup" }, { type: "azure-native:sql/v20200801preview:SyncGroup" }, { type: "azure-native:sql/v20201101preview:SyncGroup" }, { type: "azure-native:sql/v20210201preview:SyncGroup" }, { type: "azure-native:sql/v20210501preview:SyncGroup" }, { type: "azure-native:sql/v20210801preview:SyncGroup" }, { type: "azure-native:sql/v20211101:SyncGroup" }, { type: "azure-native:sql/v20211101preview:SyncGroup" }, { type: "azure-native:sql/v20220201preview:SyncGroup" }, { type: "azure-native:sql/v20220501preview:SyncGroup" }, { type: "azure-native:sql/v20220801preview:SyncGroup" }, { type: "azure-native:sql/v20221101preview:SyncGroup" }, { type: "azure-native:sql/v20230201preview:SyncGroup" }, { type: "azure-native:sql/v20230501preview:SyncGroup" }, { type: "azure-native:sql/v20230801:SyncGroup" }, { type: "azure-native:sql/v20230801preview:SyncGroup" }, { type: "azure-native:sql/v20240501preview:SyncGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:SyncGroup" }, { type: "azure-native:sql/v20221101preview:SyncGroup" }, { type: "azure-native:sql/v20230201preview:SyncGroup" }, { type: "azure-native:sql/v20230501preview:SyncGroup" }, { type: "azure-native:sql/v20230801preview:SyncGroup" }, { type: "azure-native:sql/v20240501preview:SyncGroup" }, { type: "azure-native_sql_v20150501preview:sql:SyncGroup" }, { type: "azure-native_sql_v20190601preview:sql:SyncGroup" }, { type: "azure-native_sql_v20200202preview:sql:SyncGroup" }, { type: "azure-native_sql_v20200801preview:sql:SyncGroup" }, { type: "azure-native_sql_v20201101preview:sql:SyncGroup" }, { type: "azure-native_sql_v20210201preview:sql:SyncGroup" }, { type: "azure-native_sql_v20210501preview:sql:SyncGroup" }, { type: "azure-native_sql_v20210801preview:sql:SyncGroup" }, { type: "azure-native_sql_v20211101:sql:SyncGroup" }, { type: "azure-native_sql_v20211101preview:sql:SyncGroup" }, { type: "azure-native_sql_v20220201preview:sql:SyncGroup" }, { type: "azure-native_sql_v20220501preview:sql:SyncGroup" }, { type: "azure-native_sql_v20220801preview:sql:SyncGroup" }, { type: "azure-native_sql_v20221101preview:sql:SyncGroup" }, { type: "azure-native_sql_v20230201preview:sql:SyncGroup" }, { type: "azure-native_sql_v20230501preview:sql:SyncGroup" }, { type: "azure-native_sql_v20230801:sql:SyncGroup" }, { type: "azure-native_sql_v20230801preview:sql:SyncGroup" }, { type: "azure-native_sql_v20240501preview:sql:SyncGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SyncGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/syncMember.ts b/sdk/nodejs/sql/syncMember.ts index 8dac73861533..097c11ef0f14 100644 --- a/sdk/nodejs/sql/syncMember.ts +++ b/sdk/nodejs/sql/syncMember.ts @@ -156,7 +156,7 @@ export class SyncMember extends pulumi.CustomResource { resourceInputs["userName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20150501preview:SyncMember" }, { type: "azure-native:sql/v20190601preview:SyncMember" }, { type: "azure-native:sql/v20200202preview:SyncMember" }, { type: "azure-native:sql/v20200801preview:SyncMember" }, { type: "azure-native:sql/v20201101preview:SyncMember" }, { type: "azure-native:sql/v20210201preview:SyncMember" }, { type: "azure-native:sql/v20210501preview:SyncMember" }, { type: "azure-native:sql/v20210801preview:SyncMember" }, { type: "azure-native:sql/v20211101:SyncMember" }, { type: "azure-native:sql/v20211101preview:SyncMember" }, { type: "azure-native:sql/v20220201preview:SyncMember" }, { type: "azure-native:sql/v20220501preview:SyncMember" }, { type: "azure-native:sql/v20220801preview:SyncMember" }, { type: "azure-native:sql/v20221101preview:SyncMember" }, { type: "azure-native:sql/v20230201preview:SyncMember" }, { type: "azure-native:sql/v20230501preview:SyncMember" }, { type: "azure-native:sql/v20230801:SyncMember" }, { type: "azure-native:sql/v20230801preview:SyncMember" }, { type: "azure-native:sql/v20240501preview:SyncMember" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:SyncMember" }, { type: "azure-native:sql/v20221101preview:SyncMember" }, { type: "azure-native:sql/v20230201preview:SyncMember" }, { type: "azure-native:sql/v20230501preview:SyncMember" }, { type: "azure-native:sql/v20230801preview:SyncMember" }, { type: "azure-native:sql/v20240501preview:SyncMember" }, { type: "azure-native_sql_v20150501preview:sql:SyncMember" }, { type: "azure-native_sql_v20190601preview:sql:SyncMember" }, { type: "azure-native_sql_v20200202preview:sql:SyncMember" }, { type: "azure-native_sql_v20200801preview:sql:SyncMember" }, { type: "azure-native_sql_v20201101preview:sql:SyncMember" }, { type: "azure-native_sql_v20210201preview:sql:SyncMember" }, { type: "azure-native_sql_v20210501preview:sql:SyncMember" }, { type: "azure-native_sql_v20210801preview:sql:SyncMember" }, { type: "azure-native_sql_v20211101:sql:SyncMember" }, { type: "azure-native_sql_v20211101preview:sql:SyncMember" }, { type: "azure-native_sql_v20220201preview:sql:SyncMember" }, { type: "azure-native_sql_v20220501preview:sql:SyncMember" }, { type: "azure-native_sql_v20220801preview:sql:SyncMember" }, { type: "azure-native_sql_v20221101preview:sql:SyncMember" }, { type: "azure-native_sql_v20230201preview:sql:SyncMember" }, { type: "azure-native_sql_v20230501preview:sql:SyncMember" }, { type: "azure-native_sql_v20230801:sql:SyncMember" }, { type: "azure-native_sql_v20230801preview:sql:SyncMember" }, { type: "azure-native_sql_v20240501preview:sql:SyncMember" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SyncMember.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/transparentDataEncryption.ts b/sdk/nodejs/sql/transparentDataEncryption.ts index 10f2f3625cab..f4c8f17b5988 100644 --- a/sdk/nodejs/sql/transparentDataEncryption.ts +++ b/sdk/nodejs/sql/transparentDataEncryption.ts @@ -96,7 +96,7 @@ export class TransparentDataEncryption extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:TransparentDataEncryption" }, { type: "azure-native:sql/v20200202preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20200801preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20201101preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20210201preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20210501preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20210801preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20211101:TransparentDataEncryption" }, { type: "azure-native:sql/v20211101preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20220201preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20220501preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20220801preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20221101preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20230201preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20230501preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20230801:TransparentDataEncryption" }, { type: "azure-native:sql/v20230801preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20240501preview:TransparentDataEncryption" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20140401:TransparentDataEncryption" }, { type: "azure-native:sql/v20211101:TransparentDataEncryption" }, { type: "azure-native:sql/v20221101preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20230201preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20230501preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20230801preview:TransparentDataEncryption" }, { type: "azure-native:sql/v20240501preview:TransparentDataEncryption" }, { type: "azure-native_sql_v20140401:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20200202preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20200801preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20201101preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20210201preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20210501preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20210801preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20211101:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20211101preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20220201preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20220501preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20220801preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20221101preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20230201preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20230501preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20230801:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20230801preview:sql:TransparentDataEncryption" }, { type: "azure-native_sql_v20240501preview:sql:TransparentDataEncryption" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TransparentDataEncryption.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/virtualNetworkRule.ts b/sdk/nodejs/sql/virtualNetworkRule.ts index d8d8d31dbea0..1bb29dbf05cf 100644 --- a/sdk/nodejs/sql/virtualNetworkRule.ts +++ b/sdk/nodejs/sql/virtualNetworkRule.ts @@ -101,7 +101,7 @@ export class VirtualNetworkRule extends pulumi.CustomResource { resourceInputs["virtualNetworkSubnetId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20150501preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20200202preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20200801preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20201101preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20210201preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20210501preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20210801preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20211101:VirtualNetworkRule" }, { type: "azure-native:sql/v20211101preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20220201preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20220501preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20220801preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20221101preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20230201preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20230501preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20230801:VirtualNetworkRule" }, { type: "azure-native:sql/v20230801preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20240501preview:VirtualNetworkRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:VirtualNetworkRule" }, { type: "azure-native:sql/v20221101preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20230201preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20230501preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20230801preview:VirtualNetworkRule" }, { type: "azure-native:sql/v20240501preview:VirtualNetworkRule" }, { type: "azure-native_sql_v20150501preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20200202preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20200801preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20201101preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20210201preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20210501preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20210801preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20211101:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20211101preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20220201preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20220501preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20220801preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20221101preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20230201preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20230501preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20230801:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20230801preview:sql:VirtualNetworkRule" }, { type: "azure-native_sql_v20240501preview:sql:VirtualNetworkRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualNetworkRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/workloadClassifier.ts b/sdk/nodejs/sql/workloadClassifier.ts index 4448bcebb616..c8d1232bceac 100644 --- a/sdk/nodejs/sql/workloadClassifier.ts +++ b/sdk/nodejs/sql/workloadClassifier.ts @@ -127,7 +127,7 @@ export class WorkloadClassifier extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20190601preview:WorkloadClassifier" }, { type: "azure-native:sql/v20200202preview:WorkloadClassifier" }, { type: "azure-native:sql/v20200801preview:WorkloadClassifier" }, { type: "azure-native:sql/v20201101preview:WorkloadClassifier" }, { type: "azure-native:sql/v20210201preview:WorkloadClassifier" }, { type: "azure-native:sql/v20210501preview:WorkloadClassifier" }, { type: "azure-native:sql/v20210801preview:WorkloadClassifier" }, { type: "azure-native:sql/v20211101:WorkloadClassifier" }, { type: "azure-native:sql/v20211101preview:WorkloadClassifier" }, { type: "azure-native:sql/v20220201preview:WorkloadClassifier" }, { type: "azure-native:sql/v20220501preview:WorkloadClassifier" }, { type: "azure-native:sql/v20220801preview:WorkloadClassifier" }, { type: "azure-native:sql/v20221101preview:WorkloadClassifier" }, { type: "azure-native:sql/v20230201preview:WorkloadClassifier" }, { type: "azure-native:sql/v20230501preview:WorkloadClassifier" }, { type: "azure-native:sql/v20230801:WorkloadClassifier" }, { type: "azure-native:sql/v20230801preview:WorkloadClassifier" }, { type: "azure-native:sql/v20240501preview:WorkloadClassifier" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:WorkloadClassifier" }, { type: "azure-native:sql/v20221101preview:WorkloadClassifier" }, { type: "azure-native:sql/v20230201preview:WorkloadClassifier" }, { type: "azure-native:sql/v20230501preview:WorkloadClassifier" }, { type: "azure-native:sql/v20230801preview:WorkloadClassifier" }, { type: "azure-native:sql/v20240501preview:WorkloadClassifier" }, { type: "azure-native_sql_v20190601preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20200202preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20200801preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20201101preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20210201preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20210501preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20210801preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20211101:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20211101preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20220201preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20220501preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20220801preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20221101preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20230201preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20230501preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20230801:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20230801preview:sql:WorkloadClassifier" }, { type: "azure-native_sql_v20240501preview:sql:WorkloadClassifier" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadClassifier.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sql/workloadGroup.ts b/sdk/nodejs/sql/workloadGroup.ts index f1ef084f6b12..ab7d7862845c 100644 --- a/sdk/nodejs/sql/workloadGroup.ts +++ b/sdk/nodejs/sql/workloadGroup.ts @@ -129,7 +129,7 @@ export class WorkloadGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sql/v20190601preview:WorkloadGroup" }, { type: "azure-native:sql/v20200202preview:WorkloadGroup" }, { type: "azure-native:sql/v20200801preview:WorkloadGroup" }, { type: "azure-native:sql/v20201101preview:WorkloadGroup" }, { type: "azure-native:sql/v20210201preview:WorkloadGroup" }, { type: "azure-native:sql/v20210501preview:WorkloadGroup" }, { type: "azure-native:sql/v20210801preview:WorkloadGroup" }, { type: "azure-native:sql/v20211101:WorkloadGroup" }, { type: "azure-native:sql/v20211101preview:WorkloadGroup" }, { type: "azure-native:sql/v20220201preview:WorkloadGroup" }, { type: "azure-native:sql/v20220501preview:WorkloadGroup" }, { type: "azure-native:sql/v20220801preview:WorkloadGroup" }, { type: "azure-native:sql/v20221101preview:WorkloadGroup" }, { type: "azure-native:sql/v20230201preview:WorkloadGroup" }, { type: "azure-native:sql/v20230501preview:WorkloadGroup" }, { type: "azure-native:sql/v20230801:WorkloadGroup" }, { type: "azure-native:sql/v20230801preview:WorkloadGroup" }, { type: "azure-native:sql/v20240501preview:WorkloadGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sql/v20211101:WorkloadGroup" }, { type: "azure-native:sql/v20221101preview:WorkloadGroup" }, { type: "azure-native:sql/v20230201preview:WorkloadGroup" }, { type: "azure-native:sql/v20230501preview:WorkloadGroup" }, { type: "azure-native:sql/v20230801preview:WorkloadGroup" }, { type: "azure-native:sql/v20240501preview:WorkloadGroup" }, { type: "azure-native_sql_v20190601preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20200202preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20200801preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20201101preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20210201preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20210501preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20210801preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20211101:sql:WorkloadGroup" }, { type: "azure-native_sql_v20211101preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20220201preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20220501preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20220801preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20221101preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20230201preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20230501preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20230801:sql:WorkloadGroup" }, { type: "azure-native_sql_v20230801preview:sql:WorkloadGroup" }, { type: "azure-native_sql_v20240501preview:sql:WorkloadGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkloadGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sqlvirtualmachine/availabilityGroupListener.ts b/sdk/nodejs/sqlvirtualmachine/availabilityGroupListener.ts index 262b73b32477..621dc5c1ec75 100644 --- a/sdk/nodejs/sqlvirtualmachine/availabilityGroupListener.ts +++ b/sdk/nodejs/sqlvirtualmachine/availabilityGroupListener.ts @@ -131,7 +131,7 @@ export class AvailabilityGroupListener extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sqlvirtualmachine/v20170301preview:AvailabilityGroupListener" }, { type: "azure-native:sqlvirtualmachine/v20211101preview:AvailabilityGroupListener" }, { type: "azure-native:sqlvirtualmachine/v20220201:AvailabilityGroupListener" }, { type: "azure-native:sqlvirtualmachine/v20220201preview:AvailabilityGroupListener" }, { type: "azure-native:sqlvirtualmachine/v20220701preview:AvailabilityGroupListener" }, { type: "azure-native:sqlvirtualmachine/v20220801preview:AvailabilityGroupListener" }, { type: "azure-native:sqlvirtualmachine/v20230101preview:AvailabilityGroupListener" }, { type: "azure-native:sqlvirtualmachine/v20231001:AvailabilityGroupListener" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sqlvirtualmachine/v20220201:AvailabilityGroupListener" }, { type: "azure-native:sqlvirtualmachine/v20230101preview:AvailabilityGroupListener" }, { type: "azure-native:sqlvirtualmachine/v20231001:AvailabilityGroupListener" }, { type: "azure-native_sqlvirtualmachine_v20170301preview:sqlvirtualmachine:AvailabilityGroupListener" }, { type: "azure-native_sqlvirtualmachine_v20211101preview:sqlvirtualmachine:AvailabilityGroupListener" }, { type: "azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:AvailabilityGroupListener" }, { type: "azure-native_sqlvirtualmachine_v20220201preview:sqlvirtualmachine:AvailabilityGroupListener" }, { type: "azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:AvailabilityGroupListener" }, { type: "azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:AvailabilityGroupListener" }, { type: "azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:AvailabilityGroupListener" }, { type: "azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:AvailabilityGroupListener" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AvailabilityGroupListener.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sqlvirtualmachine/sqlVirtualMachine.ts b/sdk/nodejs/sqlvirtualmachine/sqlVirtualMachine.ts index f950a3e28035..8817169c2044 100644 --- a/sdk/nodejs/sqlvirtualmachine/sqlVirtualMachine.ts +++ b/sdk/nodejs/sqlvirtualmachine/sqlVirtualMachine.ts @@ -229,7 +229,7 @@ export class SqlVirtualMachine extends pulumi.CustomResource { resourceInputs["wsfcStaticIp"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sqlvirtualmachine/v20170301preview:SqlVirtualMachine" }, { type: "azure-native:sqlvirtualmachine/v20211101preview:SqlVirtualMachine" }, { type: "azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachine" }, { type: "azure-native:sqlvirtualmachine/v20220201preview:SqlVirtualMachine" }, { type: "azure-native:sqlvirtualmachine/v20220701preview:SqlVirtualMachine" }, { type: "azure-native:sqlvirtualmachine/v20220801preview:SqlVirtualMachine" }, { type: "azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachine" }, { type: "azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachine" }, { type: "azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachine" }, { type: "azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachine" }, { type: "azure-native_sqlvirtualmachine_v20170301preview:sqlvirtualmachine:SqlVirtualMachine" }, { type: "azure-native_sqlvirtualmachine_v20211101preview:sqlvirtualmachine:SqlVirtualMachine" }, { type: "azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:SqlVirtualMachine" }, { type: "azure-native_sqlvirtualmachine_v20220201preview:sqlvirtualmachine:SqlVirtualMachine" }, { type: "azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:SqlVirtualMachine" }, { type: "azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:SqlVirtualMachine" }, { type: "azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:SqlVirtualMachine" }, { type: "azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:SqlVirtualMachine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlVirtualMachine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/sqlvirtualmachine/sqlVirtualMachineGroup.ts b/sdk/nodejs/sqlvirtualmachine/sqlVirtualMachineGroup.ts index eb37bc68b4ac..a8fe3e39a5f6 100644 --- a/sdk/nodejs/sqlvirtualmachine/sqlVirtualMachineGroup.ts +++ b/sdk/nodejs/sqlvirtualmachine/sqlVirtualMachineGroup.ts @@ -139,7 +139,7 @@ export class SqlVirtualMachineGroup extends pulumi.CustomResource { resourceInputs["wsfcDomainProfile"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:sqlvirtualmachine/v20170301preview:SqlVirtualMachineGroup" }, { type: "azure-native:sqlvirtualmachine/v20211101preview:SqlVirtualMachineGroup" }, { type: "azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachineGroup" }, { type: "azure-native:sqlvirtualmachine/v20220201preview:SqlVirtualMachineGroup" }, { type: "azure-native:sqlvirtualmachine/v20220701preview:SqlVirtualMachineGroup" }, { type: "azure-native:sqlvirtualmachine/v20220801preview:SqlVirtualMachineGroup" }, { type: "azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachineGroup" }, { type: "azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachineGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachineGroup" }, { type: "azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachineGroup" }, { type: "azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachineGroup" }, { type: "azure-native_sqlvirtualmachine_v20170301preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, { type: "azure-native_sqlvirtualmachine_v20211101preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, { type: "azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:SqlVirtualMachineGroup" }, { type: "azure-native_sqlvirtualmachine_v20220201preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, { type: "azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, { type: "azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, { type: "azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:SqlVirtualMachineGroup" }, { type: "azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:SqlVirtualMachineGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlVirtualMachineGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/standbypool/standbyContainerGroupPool.ts b/sdk/nodejs/standbypool/standbyContainerGroupPool.ts index 70271789a483..f8f9d5017eff 100644 --- a/sdk/nodejs/standbypool/standbyContainerGroupPool.ts +++ b/sdk/nodejs/standbypool/standbyContainerGroupPool.ts @@ -121,7 +121,7 @@ export class StandbyContainerGroupPool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:standbypool/v20231201preview:StandbyContainerGroupPool" }, { type: "azure-native:standbypool/v20240301:StandbyContainerGroupPool" }, { type: "azure-native:standbypool/v20240301preview:StandbyContainerGroupPool" }, { type: "azure-native:standbypool/v20250301:StandbyContainerGroupPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:standbypool/v20231201preview:StandbyContainerGroupPool" }, { type: "azure-native:standbypool/v20240301:StandbyContainerGroupPool" }, { type: "azure-native:standbypool/v20240301preview:StandbyContainerGroupPool" }, { type: "azure-native_standbypool_v20231201preview:standbypool:StandbyContainerGroupPool" }, { type: "azure-native_standbypool_v20240301:standbypool:StandbyContainerGroupPool" }, { type: "azure-native_standbypool_v20240301preview:standbypool:StandbyContainerGroupPool" }, { type: "azure-native_standbypool_v20250301:standbypool:StandbyContainerGroupPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StandbyContainerGroupPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/standbypool/standbyVirtualMachinePool.ts b/sdk/nodejs/standbypool/standbyVirtualMachinePool.ts index 19bffc4e86ad..7d779f9ed1de 100644 --- a/sdk/nodejs/standbypool/standbyVirtualMachinePool.ts +++ b/sdk/nodejs/standbypool/standbyVirtualMachinePool.ts @@ -124,7 +124,7 @@ export class StandbyVirtualMachinePool extends pulumi.CustomResource { resourceInputs["virtualMachineState"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:standbypool/v20231201preview:StandbyVirtualMachinePool" }, { type: "azure-native:standbypool/v20240301:StandbyVirtualMachinePool" }, { type: "azure-native:standbypool/v20240301preview:StandbyVirtualMachinePool" }, { type: "azure-native:standbypool/v20250301:StandbyVirtualMachinePool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:standbypool/v20231201preview:StandbyVirtualMachinePool" }, { type: "azure-native:standbypool/v20240301:StandbyVirtualMachinePool" }, { type: "azure-native:standbypool/v20240301preview:StandbyVirtualMachinePool" }, { type: "azure-native_standbypool_v20231201preview:standbypool:StandbyVirtualMachinePool" }, { type: "azure-native_standbypool_v20240301:standbypool:StandbyVirtualMachinePool" }, { type: "azure-native_standbypool_v20240301preview:standbypool:StandbyVirtualMachinePool" }, { type: "azure-native_standbypool_v20250301:standbypool:StandbyVirtualMachinePool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StandbyVirtualMachinePool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/blobContainer.ts b/sdk/nodejs/storage/blobContainer.ts index 4d54daf2e03e..fd60e2c7203b 100644 --- a/sdk/nodejs/storage/blobContainer.ts +++ b/sdk/nodejs/storage/blobContainer.ts @@ -203,7 +203,7 @@ export class BlobContainer extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20180201:BlobContainer" }, { type: "azure-native:storage/v20180301preview:BlobContainer" }, { type: "azure-native:storage/v20180701:BlobContainer" }, { type: "azure-native:storage/v20181101:BlobContainer" }, { type: "azure-native:storage/v20190401:BlobContainer" }, { type: "azure-native:storage/v20190601:BlobContainer" }, { type: "azure-native:storage/v20200801preview:BlobContainer" }, { type: "azure-native:storage/v20210101:BlobContainer" }, { type: "azure-native:storage/v20210201:BlobContainer" }, { type: "azure-native:storage/v20210401:BlobContainer" }, { type: "azure-native:storage/v20210601:BlobContainer" }, { type: "azure-native:storage/v20210801:BlobContainer" }, { type: "azure-native:storage/v20210901:BlobContainer" }, { type: "azure-native:storage/v20220501:BlobContainer" }, { type: "azure-native:storage/v20220901:BlobContainer" }, { type: "azure-native:storage/v20230101:BlobContainer" }, { type: "azure-native:storage/v20230401:BlobContainer" }, { type: "azure-native:storage/v20230501:BlobContainer" }, { type: "azure-native:storage/v20240101:BlobContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:BlobContainer" }, { type: "azure-native:storage/v20230101:BlobContainer" }, { type: "azure-native:storage/v20230401:BlobContainer" }, { type: "azure-native:storage/v20230501:BlobContainer" }, { type: "azure-native_storage_v20180201:storage:BlobContainer" }, { type: "azure-native_storage_v20180301preview:storage:BlobContainer" }, { type: "azure-native_storage_v20180701:storage:BlobContainer" }, { type: "azure-native_storage_v20181101:storage:BlobContainer" }, { type: "azure-native_storage_v20190401:storage:BlobContainer" }, { type: "azure-native_storage_v20190601:storage:BlobContainer" }, { type: "azure-native_storage_v20200801preview:storage:BlobContainer" }, { type: "azure-native_storage_v20210101:storage:BlobContainer" }, { type: "azure-native_storage_v20210201:storage:BlobContainer" }, { type: "azure-native_storage_v20210401:storage:BlobContainer" }, { type: "azure-native_storage_v20210601:storage:BlobContainer" }, { type: "azure-native_storage_v20210801:storage:BlobContainer" }, { type: "azure-native_storage_v20210901:storage:BlobContainer" }, { type: "azure-native_storage_v20220501:storage:BlobContainer" }, { type: "azure-native_storage_v20220901:storage:BlobContainer" }, { type: "azure-native_storage_v20230101:storage:BlobContainer" }, { type: "azure-native_storage_v20230401:storage:BlobContainer" }, { type: "azure-native_storage_v20230501:storage:BlobContainer" }, { type: "azure-native_storage_v20240101:storage:BlobContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BlobContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/blobContainerImmutabilityPolicy.ts b/sdk/nodejs/storage/blobContainerImmutabilityPolicy.ts index defbf82f648a..1d52602b21f9 100644 --- a/sdk/nodejs/storage/blobContainerImmutabilityPolicy.ts +++ b/sdk/nodejs/storage/blobContainerImmutabilityPolicy.ts @@ -114,7 +114,7 @@ export class BlobContainerImmutabilityPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20180201:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20180301preview:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20180701:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20181101:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20190401:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20190601:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20200801preview:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20210101:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20210201:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20210401:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20210601:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20210801:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20210901:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20220501:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20220901:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20230101:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20230401:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20230501:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20240101:BlobContainerImmutabilityPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20230101:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20230401:BlobContainerImmutabilityPolicy" }, { type: "azure-native:storage/v20230501:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20180201:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20180301preview:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20180701:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20181101:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20190401:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20190601:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20200801preview:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20210101:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20210201:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20210401:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20210601:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20210801:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20210901:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20220501:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20220901:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20230101:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20230401:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20230501:storage:BlobContainerImmutabilityPolicy" }, { type: "azure-native_storage_v20240101:storage:BlobContainerImmutabilityPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BlobContainerImmutabilityPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/blobInventoryPolicy.ts b/sdk/nodejs/storage/blobInventoryPolicy.ts index ad487c40bfac..951b9aab7e1b 100644 --- a/sdk/nodejs/storage/blobInventoryPolicy.ts +++ b/sdk/nodejs/storage/blobInventoryPolicy.ts @@ -104,7 +104,7 @@ export class BlobInventoryPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20190601:BlobInventoryPolicy" }, { type: "azure-native:storage/v20200801preview:BlobInventoryPolicy" }, { type: "azure-native:storage/v20210101:BlobInventoryPolicy" }, { type: "azure-native:storage/v20210201:BlobInventoryPolicy" }, { type: "azure-native:storage/v20210401:BlobInventoryPolicy" }, { type: "azure-native:storage/v20210601:BlobInventoryPolicy" }, { type: "azure-native:storage/v20210801:BlobInventoryPolicy" }, { type: "azure-native:storage/v20210901:BlobInventoryPolicy" }, { type: "azure-native:storage/v20220501:BlobInventoryPolicy" }, { type: "azure-native:storage/v20220901:BlobInventoryPolicy" }, { type: "azure-native:storage/v20230101:BlobInventoryPolicy" }, { type: "azure-native:storage/v20230401:BlobInventoryPolicy" }, { type: "azure-native:storage/v20230501:BlobInventoryPolicy" }, { type: "azure-native:storage/v20240101:BlobInventoryPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:BlobInventoryPolicy" }, { type: "azure-native:storage/v20230101:BlobInventoryPolicy" }, { type: "azure-native:storage/v20230401:BlobInventoryPolicy" }, { type: "azure-native:storage/v20230501:BlobInventoryPolicy" }, { type: "azure-native_storage_v20190601:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20200801preview:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20210101:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20210201:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20210401:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20210601:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20210801:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20210901:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20220501:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20220901:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20230101:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20230401:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20230501:storage:BlobInventoryPolicy" }, { type: "azure-native_storage_v20240101:storage:BlobInventoryPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BlobInventoryPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/blobServiceProperties.ts b/sdk/nodejs/storage/blobServiceProperties.ts index cedffcf1e7a0..67f1164db67e 100644 --- a/sdk/nodejs/storage/blobServiceProperties.ts +++ b/sdk/nodejs/storage/blobServiceProperties.ts @@ -143,7 +143,7 @@ export class BlobServiceProperties extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20180701:BlobServiceProperties" }, { type: "azure-native:storage/v20181101:BlobServiceProperties" }, { type: "azure-native:storage/v20190401:BlobServiceProperties" }, { type: "azure-native:storage/v20190601:BlobServiceProperties" }, { type: "azure-native:storage/v20200801preview:BlobServiceProperties" }, { type: "azure-native:storage/v20210101:BlobServiceProperties" }, { type: "azure-native:storage/v20210201:BlobServiceProperties" }, { type: "azure-native:storage/v20210401:BlobServiceProperties" }, { type: "azure-native:storage/v20210601:BlobServiceProperties" }, { type: "azure-native:storage/v20210801:BlobServiceProperties" }, { type: "azure-native:storage/v20210901:BlobServiceProperties" }, { type: "azure-native:storage/v20220501:BlobServiceProperties" }, { type: "azure-native:storage/v20220901:BlobServiceProperties" }, { type: "azure-native:storage/v20230101:BlobServiceProperties" }, { type: "azure-native:storage/v20230401:BlobServiceProperties" }, { type: "azure-native:storage/v20230501:BlobServiceProperties" }, { type: "azure-native:storage/v20240101:BlobServiceProperties" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:BlobServiceProperties" }, { type: "azure-native:storage/v20230101:BlobServiceProperties" }, { type: "azure-native:storage/v20230401:BlobServiceProperties" }, { type: "azure-native:storage/v20230501:BlobServiceProperties" }, { type: "azure-native_storage_v20180701:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20181101:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20190401:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20190601:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20200801preview:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20210101:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20210201:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20210401:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20210601:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20210801:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20210901:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20220501:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20220901:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20230101:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20230401:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20230501:storage:BlobServiceProperties" }, { type: "azure-native_storage_v20240101:storage:BlobServiceProperties" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BlobServiceProperties.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/encryptionScope.ts b/sdk/nodejs/storage/encryptionScope.ts index 35076881687f..78bb8d549085 100644 --- a/sdk/nodejs/storage/encryptionScope.ts +++ b/sdk/nodejs/storage/encryptionScope.ts @@ -119,7 +119,7 @@ export class EncryptionScope extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20190601:EncryptionScope" }, { type: "azure-native:storage/v20200801preview:EncryptionScope" }, { type: "azure-native:storage/v20210101:EncryptionScope" }, { type: "azure-native:storage/v20210201:EncryptionScope" }, { type: "azure-native:storage/v20210401:EncryptionScope" }, { type: "azure-native:storage/v20210601:EncryptionScope" }, { type: "azure-native:storage/v20210801:EncryptionScope" }, { type: "azure-native:storage/v20210901:EncryptionScope" }, { type: "azure-native:storage/v20220501:EncryptionScope" }, { type: "azure-native:storage/v20220901:EncryptionScope" }, { type: "azure-native:storage/v20230101:EncryptionScope" }, { type: "azure-native:storage/v20230401:EncryptionScope" }, { type: "azure-native:storage/v20230501:EncryptionScope" }, { type: "azure-native:storage/v20240101:EncryptionScope" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:EncryptionScope" }, { type: "azure-native:storage/v20230101:EncryptionScope" }, { type: "azure-native:storage/v20230401:EncryptionScope" }, { type: "azure-native:storage/v20230501:EncryptionScope" }, { type: "azure-native_storage_v20190601:storage:EncryptionScope" }, { type: "azure-native_storage_v20200801preview:storage:EncryptionScope" }, { type: "azure-native_storage_v20210101:storage:EncryptionScope" }, { type: "azure-native_storage_v20210201:storage:EncryptionScope" }, { type: "azure-native_storage_v20210401:storage:EncryptionScope" }, { type: "azure-native_storage_v20210601:storage:EncryptionScope" }, { type: "azure-native_storage_v20210801:storage:EncryptionScope" }, { type: "azure-native_storage_v20210901:storage:EncryptionScope" }, { type: "azure-native_storage_v20220501:storage:EncryptionScope" }, { type: "azure-native_storage_v20220901:storage:EncryptionScope" }, { type: "azure-native_storage_v20230101:storage:EncryptionScope" }, { type: "azure-native_storage_v20230401:storage:EncryptionScope" }, { type: "azure-native_storage_v20230501:storage:EncryptionScope" }, { type: "azure-native_storage_v20240101:storage:EncryptionScope" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EncryptionScope.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/fileServiceProperties.ts b/sdk/nodejs/storage/fileServiceProperties.ts index a9eeb00577aa..5256cd9ecb6a 100644 --- a/sdk/nodejs/storage/fileServiceProperties.ts +++ b/sdk/nodejs/storage/fileServiceProperties.ts @@ -107,7 +107,7 @@ export class FileServiceProperties extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20190401:FileServiceProperties" }, { type: "azure-native:storage/v20190601:FileServiceProperties" }, { type: "azure-native:storage/v20200801preview:FileServiceProperties" }, { type: "azure-native:storage/v20210101:FileServiceProperties" }, { type: "azure-native:storage/v20210201:FileServiceProperties" }, { type: "azure-native:storage/v20210401:FileServiceProperties" }, { type: "azure-native:storage/v20210601:FileServiceProperties" }, { type: "azure-native:storage/v20210801:FileServiceProperties" }, { type: "azure-native:storage/v20210901:FileServiceProperties" }, { type: "azure-native:storage/v20220501:FileServiceProperties" }, { type: "azure-native:storage/v20220901:FileServiceProperties" }, { type: "azure-native:storage/v20230101:FileServiceProperties" }, { type: "azure-native:storage/v20230401:FileServiceProperties" }, { type: "azure-native:storage/v20230501:FileServiceProperties" }, { type: "azure-native:storage/v20240101:FileServiceProperties" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:FileServiceProperties" }, { type: "azure-native:storage/v20230101:FileServiceProperties" }, { type: "azure-native:storage/v20230401:FileServiceProperties" }, { type: "azure-native:storage/v20230501:FileServiceProperties" }, { type: "azure-native_storage_v20190401:storage:FileServiceProperties" }, { type: "azure-native_storage_v20190601:storage:FileServiceProperties" }, { type: "azure-native_storage_v20200801preview:storage:FileServiceProperties" }, { type: "azure-native_storage_v20210101:storage:FileServiceProperties" }, { type: "azure-native_storage_v20210201:storage:FileServiceProperties" }, { type: "azure-native_storage_v20210401:storage:FileServiceProperties" }, { type: "azure-native_storage_v20210601:storage:FileServiceProperties" }, { type: "azure-native_storage_v20210801:storage:FileServiceProperties" }, { type: "azure-native_storage_v20210901:storage:FileServiceProperties" }, { type: "azure-native_storage_v20220501:storage:FileServiceProperties" }, { type: "azure-native_storage_v20220901:storage:FileServiceProperties" }, { type: "azure-native_storage_v20230101:storage:FileServiceProperties" }, { type: "azure-native_storage_v20230401:storage:FileServiceProperties" }, { type: "azure-native_storage_v20230501:storage:FileServiceProperties" }, { type: "azure-native_storage_v20240101:storage:FileServiceProperties" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FileServiceProperties.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/fileShare.ts b/sdk/nodejs/storage/fileShare.ts index 65e9e11acdb5..eda788b93fbb 100644 --- a/sdk/nodejs/storage/fileShare.ts +++ b/sdk/nodejs/storage/fileShare.ts @@ -246,7 +246,7 @@ export class FileShare extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20190401:FileShare" }, { type: "azure-native:storage/v20190601:FileShare" }, { type: "azure-native:storage/v20200801preview:FileShare" }, { type: "azure-native:storage/v20210101:FileShare" }, { type: "azure-native:storage/v20210201:FileShare" }, { type: "azure-native:storage/v20210401:FileShare" }, { type: "azure-native:storage/v20210601:FileShare" }, { type: "azure-native:storage/v20210801:FileShare" }, { type: "azure-native:storage/v20210901:FileShare" }, { type: "azure-native:storage/v20220501:FileShare" }, { type: "azure-native:storage/v20220901:FileShare" }, { type: "azure-native:storage/v20230101:FileShare" }, { type: "azure-native:storage/v20230401:FileShare" }, { type: "azure-native:storage/v20230501:FileShare" }, { type: "azure-native:storage/v20240101:FileShare" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:FileShare" }, { type: "azure-native:storage/v20230101:FileShare" }, { type: "azure-native:storage/v20230401:FileShare" }, { type: "azure-native:storage/v20230501:FileShare" }, { type: "azure-native_storage_v20190401:storage:FileShare" }, { type: "azure-native_storage_v20190601:storage:FileShare" }, { type: "azure-native_storage_v20200801preview:storage:FileShare" }, { type: "azure-native_storage_v20210101:storage:FileShare" }, { type: "azure-native_storage_v20210201:storage:FileShare" }, { type: "azure-native_storage_v20210401:storage:FileShare" }, { type: "azure-native_storage_v20210601:storage:FileShare" }, { type: "azure-native_storage_v20210801:storage:FileShare" }, { type: "azure-native_storage_v20210901:storage:FileShare" }, { type: "azure-native_storage_v20220501:storage:FileShare" }, { type: "azure-native_storage_v20220901:storage:FileShare" }, { type: "azure-native_storage_v20230101:storage:FileShare" }, { type: "azure-native_storage_v20230401:storage:FileShare" }, { type: "azure-native_storage_v20230501:storage:FileShare" }, { type: "azure-native_storage_v20240101:storage:FileShare" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FileShare.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/localUser.ts b/sdk/nodejs/storage/localUser.ts index 98e5c4a17102..733372be80a4 100644 --- a/sdk/nodejs/storage/localUser.ts +++ b/sdk/nodejs/storage/localUser.ts @@ -161,7 +161,7 @@ export class LocalUser extends pulumi.CustomResource { resourceInputs["userId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20210801:LocalUser" }, { type: "azure-native:storage/v20210901:LocalUser" }, { type: "azure-native:storage/v20220501:LocalUser" }, { type: "azure-native:storage/v20220901:LocalUser" }, { type: "azure-native:storage/v20230101:LocalUser" }, { type: "azure-native:storage/v20230401:LocalUser" }, { type: "azure-native:storage/v20230501:LocalUser" }, { type: "azure-native:storage/v20240101:LocalUser" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:LocalUser" }, { type: "azure-native:storage/v20230101:LocalUser" }, { type: "azure-native:storage/v20230401:LocalUser" }, { type: "azure-native:storage/v20230501:LocalUser" }, { type: "azure-native_storage_v20210801:storage:LocalUser" }, { type: "azure-native_storage_v20210901:storage:LocalUser" }, { type: "azure-native_storage_v20220501:storage:LocalUser" }, { type: "azure-native_storage_v20220901:storage:LocalUser" }, { type: "azure-native_storage_v20230101:storage:LocalUser" }, { type: "azure-native_storage_v20230401:storage:LocalUser" }, { type: "azure-native_storage_v20230501:storage:LocalUser" }, { type: "azure-native_storage_v20240101:storage:LocalUser" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LocalUser.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/managementPolicy.ts b/sdk/nodejs/storage/managementPolicy.ts index e19849350cd8..514dabbdbdbe 100644 --- a/sdk/nodejs/storage/managementPolicy.ts +++ b/sdk/nodejs/storage/managementPolicy.ts @@ -98,7 +98,7 @@ export class ManagementPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20180301preview:ManagementPolicy" }, { type: "azure-native:storage/v20181101:ManagementPolicy" }, { type: "azure-native:storage/v20190401:ManagementPolicy" }, { type: "azure-native:storage/v20190601:ManagementPolicy" }, { type: "azure-native:storage/v20200801preview:ManagementPolicy" }, { type: "azure-native:storage/v20210101:ManagementPolicy" }, { type: "azure-native:storage/v20210201:ManagementPolicy" }, { type: "azure-native:storage/v20210401:ManagementPolicy" }, { type: "azure-native:storage/v20210601:ManagementPolicy" }, { type: "azure-native:storage/v20210801:ManagementPolicy" }, { type: "azure-native:storage/v20210901:ManagementPolicy" }, { type: "azure-native:storage/v20220501:ManagementPolicy" }, { type: "azure-native:storage/v20220901:ManagementPolicy" }, { type: "azure-native:storage/v20230101:ManagementPolicy" }, { type: "azure-native:storage/v20230401:ManagementPolicy" }, { type: "azure-native:storage/v20230501:ManagementPolicy" }, { type: "azure-native:storage/v20240101:ManagementPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:ManagementPolicy" }, { type: "azure-native:storage/v20230101:ManagementPolicy" }, { type: "azure-native:storage/v20230401:ManagementPolicy" }, { type: "azure-native:storage/v20230501:ManagementPolicy" }, { type: "azure-native_storage_v20180301preview:storage:ManagementPolicy" }, { type: "azure-native_storage_v20181101:storage:ManagementPolicy" }, { type: "azure-native_storage_v20190401:storage:ManagementPolicy" }, { type: "azure-native_storage_v20190601:storage:ManagementPolicy" }, { type: "azure-native_storage_v20200801preview:storage:ManagementPolicy" }, { type: "azure-native_storage_v20210101:storage:ManagementPolicy" }, { type: "azure-native_storage_v20210201:storage:ManagementPolicy" }, { type: "azure-native_storage_v20210401:storage:ManagementPolicy" }, { type: "azure-native_storage_v20210601:storage:ManagementPolicy" }, { type: "azure-native_storage_v20210801:storage:ManagementPolicy" }, { type: "azure-native_storage_v20210901:storage:ManagementPolicy" }, { type: "azure-native_storage_v20220501:storage:ManagementPolicy" }, { type: "azure-native_storage_v20220901:storage:ManagementPolicy" }, { type: "azure-native_storage_v20230101:storage:ManagementPolicy" }, { type: "azure-native_storage_v20230401:storage:ManagementPolicy" }, { type: "azure-native_storage_v20230501:storage:ManagementPolicy" }, { type: "azure-native_storage_v20240101:storage:ManagementPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagementPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/objectReplicationPolicy.ts b/sdk/nodejs/storage/objectReplicationPolicy.ts index c4b569866b7b..bd034d1a2177 100644 --- a/sdk/nodejs/storage/objectReplicationPolicy.ts +++ b/sdk/nodejs/storage/objectReplicationPolicy.ts @@ -125,7 +125,7 @@ export class ObjectReplicationPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20190601:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20200801preview:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20210101:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20210201:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20210401:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20210601:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20210801:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20210901:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20220501:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20220901:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20230101:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20230401:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20230501:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20240101:ObjectReplicationPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20230101:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20230401:ObjectReplicationPolicy" }, { type: "azure-native:storage/v20230501:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20190601:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20200801preview:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20210101:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20210201:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20210401:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20210601:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20210801:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20210901:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20220501:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20220901:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20230101:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20230401:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20230501:storage:ObjectReplicationPolicy" }, { type: "azure-native_storage_v20240101:storage:ObjectReplicationPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ObjectReplicationPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/privateEndpointConnection.ts b/sdk/nodejs/storage/privateEndpointConnection.ts index 728bede4962b..bf61a4f8730a 100644 --- a/sdk/nodejs/storage/privateEndpointConnection.ts +++ b/sdk/nodejs/storage/privateEndpointConnection.ts @@ -104,7 +104,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20190601:PrivateEndpointConnection" }, { type: "azure-native:storage/v20200801preview:PrivateEndpointConnection" }, { type: "azure-native:storage/v20210101:PrivateEndpointConnection" }, { type: "azure-native:storage/v20210201:PrivateEndpointConnection" }, { type: "azure-native:storage/v20210401:PrivateEndpointConnection" }, { type: "azure-native:storage/v20210601:PrivateEndpointConnection" }, { type: "azure-native:storage/v20210801:PrivateEndpointConnection" }, { type: "azure-native:storage/v20210901:PrivateEndpointConnection" }, { type: "azure-native:storage/v20220501:PrivateEndpointConnection" }, { type: "azure-native:storage/v20220901:PrivateEndpointConnection" }, { type: "azure-native:storage/v20230101:PrivateEndpointConnection" }, { type: "azure-native:storage/v20230401:PrivateEndpointConnection" }, { type: "azure-native:storage/v20230501:PrivateEndpointConnection" }, { type: "azure-native:storage/v20240101:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:PrivateEndpointConnection" }, { type: "azure-native:storage/v20230101:PrivateEndpointConnection" }, { type: "azure-native:storage/v20230401:PrivateEndpointConnection" }, { type: "azure-native:storage/v20230501:PrivateEndpointConnection" }, { type: "azure-native_storage_v20190601:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20200801preview:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20210101:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20210201:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20210401:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20210601:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20210801:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20210901:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20220501:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20220901:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20230101:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20230401:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20230501:storage:PrivateEndpointConnection" }, { type: "azure-native_storage_v20240101:storage:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/queue.ts b/sdk/nodejs/storage/queue.ts index 611f59906932..2cc4495d04ba 100644 --- a/sdk/nodejs/storage/queue.ts +++ b/sdk/nodejs/storage/queue.ts @@ -90,7 +90,7 @@ export class Queue extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20190601:Queue" }, { type: "azure-native:storage/v20200801preview:Queue" }, { type: "azure-native:storage/v20210101:Queue" }, { type: "azure-native:storage/v20210201:Queue" }, { type: "azure-native:storage/v20210401:Queue" }, { type: "azure-native:storage/v20210601:Queue" }, { type: "azure-native:storage/v20210801:Queue" }, { type: "azure-native:storage/v20210901:Queue" }, { type: "azure-native:storage/v20220501:Queue" }, { type: "azure-native:storage/v20220901:Queue" }, { type: "azure-native:storage/v20230101:Queue" }, { type: "azure-native:storage/v20230401:Queue" }, { type: "azure-native:storage/v20230501:Queue" }, { type: "azure-native:storage/v20240101:Queue" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:Queue" }, { type: "azure-native:storage/v20230101:Queue" }, { type: "azure-native:storage/v20230401:Queue" }, { type: "azure-native:storage/v20230501:Queue" }, { type: "azure-native_storage_v20190601:storage:Queue" }, { type: "azure-native_storage_v20200801preview:storage:Queue" }, { type: "azure-native_storage_v20210101:storage:Queue" }, { type: "azure-native_storage_v20210201:storage:Queue" }, { type: "azure-native_storage_v20210401:storage:Queue" }, { type: "azure-native_storage_v20210601:storage:Queue" }, { type: "azure-native_storage_v20210801:storage:Queue" }, { type: "azure-native_storage_v20210901:storage:Queue" }, { type: "azure-native_storage_v20220501:storage:Queue" }, { type: "azure-native_storage_v20220901:storage:Queue" }, { type: "azure-native_storage_v20230101:storage:Queue" }, { type: "azure-native_storage_v20230401:storage:Queue" }, { type: "azure-native_storage_v20230501:storage:Queue" }, { type: "azure-native_storage_v20240101:storage:Queue" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Queue.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/queueServiceProperties.ts b/sdk/nodejs/storage/queueServiceProperties.ts index 28b1343fbbc4..61f35ae9958e 100644 --- a/sdk/nodejs/storage/queueServiceProperties.ts +++ b/sdk/nodejs/storage/queueServiceProperties.ts @@ -89,7 +89,7 @@ export class QueueServiceProperties extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20190601:QueueServiceProperties" }, { type: "azure-native:storage/v20200801preview:QueueServiceProperties" }, { type: "azure-native:storage/v20210101:QueueServiceProperties" }, { type: "azure-native:storage/v20210201:QueueServiceProperties" }, { type: "azure-native:storage/v20210401:QueueServiceProperties" }, { type: "azure-native:storage/v20210601:QueueServiceProperties" }, { type: "azure-native:storage/v20210801:QueueServiceProperties" }, { type: "azure-native:storage/v20210901:QueueServiceProperties" }, { type: "azure-native:storage/v20220501:QueueServiceProperties" }, { type: "azure-native:storage/v20220901:QueueServiceProperties" }, { type: "azure-native:storage/v20230101:QueueServiceProperties" }, { type: "azure-native:storage/v20230401:QueueServiceProperties" }, { type: "azure-native:storage/v20230501:QueueServiceProperties" }, { type: "azure-native:storage/v20240101:QueueServiceProperties" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:QueueServiceProperties" }, { type: "azure-native:storage/v20230101:QueueServiceProperties" }, { type: "azure-native:storage/v20230401:QueueServiceProperties" }, { type: "azure-native:storage/v20230501:QueueServiceProperties" }, { type: "azure-native_storage_v20190601:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20200801preview:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20210101:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20210201:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20210401:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20210601:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20210801:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20210901:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20220501:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20220901:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20230101:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20230401:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20230501:storage:QueueServiceProperties" }, { type: "azure-native_storage_v20240101:storage:QueueServiceProperties" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(QueueServiceProperties.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/storageAccount.ts b/sdk/nodejs/storage/storageAccount.ts index 66d9055c105a..d6b82e0d3794 100644 --- a/sdk/nodejs/storage/storageAccount.ts +++ b/sdk/nodejs/storage/storageAccount.ts @@ -367,7 +367,7 @@ export class StorageAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20150501preview:StorageAccount" }, { type: "azure-native:storage/v20150615:StorageAccount" }, { type: "azure-native:storage/v20160101:StorageAccount" }, { type: "azure-native:storage/v20160501:StorageAccount" }, { type: "azure-native:storage/v20161201:StorageAccount" }, { type: "azure-native:storage/v20170601:StorageAccount" }, { type: "azure-native:storage/v20171001:StorageAccount" }, { type: "azure-native:storage/v20180201:StorageAccount" }, { type: "azure-native:storage/v20180301preview:StorageAccount" }, { type: "azure-native:storage/v20180701:StorageAccount" }, { type: "azure-native:storage/v20181101:StorageAccount" }, { type: "azure-native:storage/v20190401:StorageAccount" }, { type: "azure-native:storage/v20190601:StorageAccount" }, { type: "azure-native:storage/v20200801preview:StorageAccount" }, { type: "azure-native:storage/v20210101:StorageAccount" }, { type: "azure-native:storage/v20210201:StorageAccount" }, { type: "azure-native:storage/v20210401:StorageAccount" }, { type: "azure-native:storage/v20210601:StorageAccount" }, { type: "azure-native:storage/v20210801:StorageAccount" }, { type: "azure-native:storage/v20210901:StorageAccount" }, { type: "azure-native:storage/v20220501:StorageAccount" }, { type: "azure-native:storage/v20220901:StorageAccount" }, { type: "azure-native:storage/v20230101:StorageAccount" }, { type: "azure-native:storage/v20230401:StorageAccount" }, { type: "azure-native:storage/v20230501:StorageAccount" }, { type: "azure-native:storage/v20240101:StorageAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:StorageAccount" }, { type: "azure-native:storage/v20230101:StorageAccount" }, { type: "azure-native:storage/v20230401:StorageAccount" }, { type: "azure-native:storage/v20230501:StorageAccount" }, { type: "azure-native_storage_v20150501preview:storage:StorageAccount" }, { type: "azure-native_storage_v20150615:storage:StorageAccount" }, { type: "azure-native_storage_v20160101:storage:StorageAccount" }, { type: "azure-native_storage_v20160501:storage:StorageAccount" }, { type: "azure-native_storage_v20161201:storage:StorageAccount" }, { type: "azure-native_storage_v20170601:storage:StorageAccount" }, { type: "azure-native_storage_v20171001:storage:StorageAccount" }, { type: "azure-native_storage_v20180201:storage:StorageAccount" }, { type: "azure-native_storage_v20180301preview:storage:StorageAccount" }, { type: "azure-native_storage_v20180701:storage:StorageAccount" }, { type: "azure-native_storage_v20181101:storage:StorageAccount" }, { type: "azure-native_storage_v20190401:storage:StorageAccount" }, { type: "azure-native_storage_v20190601:storage:StorageAccount" }, { type: "azure-native_storage_v20200801preview:storage:StorageAccount" }, { type: "azure-native_storage_v20210101:storage:StorageAccount" }, { type: "azure-native_storage_v20210201:storage:StorageAccount" }, { type: "azure-native_storage_v20210401:storage:StorageAccount" }, { type: "azure-native_storage_v20210601:storage:StorageAccount" }, { type: "azure-native_storage_v20210801:storage:StorageAccount" }, { type: "azure-native_storage_v20210901:storage:StorageAccount" }, { type: "azure-native_storage_v20220501:storage:StorageAccount" }, { type: "azure-native_storage_v20220901:storage:StorageAccount" }, { type: "azure-native_storage_v20230101:storage:StorageAccount" }, { type: "azure-native_storage_v20230401:storage:StorageAccount" }, { type: "azure-native_storage_v20230501:storage:StorageAccount" }, { type: "azure-native_storage_v20240101:storage:StorageAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/storageTaskAssignment.ts b/sdk/nodejs/storage/storageTaskAssignment.ts index ef5335072cc4..13fc793220fd 100644 --- a/sdk/nodejs/storage/storageTaskAssignment.ts +++ b/sdk/nodejs/storage/storageTaskAssignment.ts @@ -92,7 +92,7 @@ export class StorageTaskAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20230501:StorageTaskAssignment" }, { type: "azure-native:storage/v20240101:StorageTaskAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20230501:StorageTaskAssignment" }, { type: "azure-native_storage_v20230501:storage:StorageTaskAssignment" }, { type: "azure-native_storage_v20240101:storage:StorageTaskAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageTaskAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/table.ts b/sdk/nodejs/storage/table.ts index cda553e0d80b..bfe355c63f0e 100644 --- a/sdk/nodejs/storage/table.ts +++ b/sdk/nodejs/storage/table.ts @@ -94,7 +94,7 @@ export class Table extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20190601:Table" }, { type: "azure-native:storage/v20200801preview:Table" }, { type: "azure-native:storage/v20210101:Table" }, { type: "azure-native:storage/v20210201:Table" }, { type: "azure-native:storage/v20210401:Table" }, { type: "azure-native:storage/v20210601:Table" }, { type: "azure-native:storage/v20210801:Table" }, { type: "azure-native:storage/v20210901:Table" }, { type: "azure-native:storage/v20220501:Table" }, { type: "azure-native:storage/v20220901:Table" }, { type: "azure-native:storage/v20230101:Table" }, { type: "azure-native:storage/v20230401:Table" }, { type: "azure-native:storage/v20230501:Table" }, { type: "azure-native:storage/v20240101:Table" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:Table" }, { type: "azure-native:storage/v20230101:Table" }, { type: "azure-native:storage/v20230401:Table" }, { type: "azure-native:storage/v20230501:Table" }, { type: "azure-native_storage_v20190601:storage:Table" }, { type: "azure-native_storage_v20200801preview:storage:Table" }, { type: "azure-native_storage_v20210101:storage:Table" }, { type: "azure-native_storage_v20210201:storage:Table" }, { type: "azure-native_storage_v20210401:storage:Table" }, { type: "azure-native_storage_v20210601:storage:Table" }, { type: "azure-native_storage_v20210801:storage:Table" }, { type: "azure-native_storage_v20210901:storage:Table" }, { type: "azure-native_storage_v20220501:storage:Table" }, { type: "azure-native_storage_v20220901:storage:Table" }, { type: "azure-native_storage_v20230101:storage:Table" }, { type: "azure-native_storage_v20230401:storage:Table" }, { type: "azure-native_storage_v20230501:storage:Table" }, { type: "azure-native_storage_v20240101:storage:Table" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Table.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storage/tableServiceProperties.ts b/sdk/nodejs/storage/tableServiceProperties.ts index 63ee3427259e..29d22f22fd1d 100644 --- a/sdk/nodejs/storage/tableServiceProperties.ts +++ b/sdk/nodejs/storage/tableServiceProperties.ts @@ -89,7 +89,7 @@ export class TableServiceProperties extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storage/v20190601:TableServiceProperties" }, { type: "azure-native:storage/v20200801preview:TableServiceProperties" }, { type: "azure-native:storage/v20210101:TableServiceProperties" }, { type: "azure-native:storage/v20210201:TableServiceProperties" }, { type: "azure-native:storage/v20210401:TableServiceProperties" }, { type: "azure-native:storage/v20210601:TableServiceProperties" }, { type: "azure-native:storage/v20210801:TableServiceProperties" }, { type: "azure-native:storage/v20210901:TableServiceProperties" }, { type: "azure-native:storage/v20220501:TableServiceProperties" }, { type: "azure-native:storage/v20220901:TableServiceProperties" }, { type: "azure-native:storage/v20230101:TableServiceProperties" }, { type: "azure-native:storage/v20230401:TableServiceProperties" }, { type: "azure-native:storage/v20230501:TableServiceProperties" }, { type: "azure-native:storage/v20240101:TableServiceProperties" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storage/v20220901:TableServiceProperties" }, { type: "azure-native:storage/v20230101:TableServiceProperties" }, { type: "azure-native:storage/v20230401:TableServiceProperties" }, { type: "azure-native:storage/v20230501:TableServiceProperties" }, { type: "azure-native_storage_v20190601:storage:TableServiceProperties" }, { type: "azure-native_storage_v20200801preview:storage:TableServiceProperties" }, { type: "azure-native_storage_v20210101:storage:TableServiceProperties" }, { type: "azure-native_storage_v20210201:storage:TableServiceProperties" }, { type: "azure-native_storage_v20210401:storage:TableServiceProperties" }, { type: "azure-native_storage_v20210601:storage:TableServiceProperties" }, { type: "azure-native_storage_v20210801:storage:TableServiceProperties" }, { type: "azure-native_storage_v20210901:storage:TableServiceProperties" }, { type: "azure-native_storage_v20220501:storage:TableServiceProperties" }, { type: "azure-native_storage_v20220901:storage:TableServiceProperties" }, { type: "azure-native_storage_v20230101:storage:TableServiceProperties" }, { type: "azure-native_storage_v20230401:storage:TableServiceProperties" }, { type: "azure-native_storage_v20230501:storage:TableServiceProperties" }, { type: "azure-native_storage_v20240101:storage:TableServiceProperties" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TableServiceProperties.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storageactions/storageTask.ts b/sdk/nodejs/storageactions/storageTask.ts index 5ffe5fcf1e63..8ace0aca6798 100644 --- a/sdk/nodejs/storageactions/storageTask.ts +++ b/sdk/nodejs/storageactions/storageTask.ts @@ -149,7 +149,7 @@ export class StorageTask extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storageactions/v20230101:StorageTask" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storageactions/v20230101:StorageTask" }, { type: "azure-native_storageactions_v20230101:storageactions:StorageTask" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageTask.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagecache/amlFilesystem.ts b/sdk/nodejs/storagecache/amlFilesystem.ts index beb45790d508..b536df08ce92 100644 --- a/sdk/nodejs/storagecache/amlFilesystem.ts +++ b/sdk/nodejs/storagecache/amlFilesystem.ts @@ -184,7 +184,7 @@ export class AmlFilesystem extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagecache/v20230301preview:AmlFilesystem" }, { type: "azure-native:storagecache/v20230501:AmlFilesystem" }, { type: "azure-native:storagecache/v20231101preview:AmlFilesystem" }, { type: "azure-native:storagecache/v20240301:AmlFilesystem" }, { type: "azure-native:storagecache/v20240701:AmlFilesystem" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagecache/v20230301preview:AmlFilesystem" }, { type: "azure-native:storagecache/v20230501:AmlFilesystem" }, { type: "azure-native:storagecache/v20231101preview:AmlFilesystem" }, { type: "azure-native:storagecache/v20240301:AmlFilesystem" }, { type: "azure-native_storagecache_v20230301preview:storagecache:AmlFilesystem" }, { type: "azure-native_storagecache_v20230501:storagecache:AmlFilesystem" }, { type: "azure-native_storagecache_v20231101preview:storagecache:AmlFilesystem" }, { type: "azure-native_storagecache_v20240301:storagecache:AmlFilesystem" }, { type: "azure-native_storagecache_v20240701:storagecache:AmlFilesystem" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AmlFilesystem.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagecache/cache.ts b/sdk/nodejs/storagecache/cache.ts index 348b5ae2e215..61cf352f3238 100644 --- a/sdk/nodejs/storagecache/cache.ts +++ b/sdk/nodejs/storagecache/cache.ts @@ -193,7 +193,7 @@ export class Cache extends pulumi.CustomResource { resourceInputs["zones"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagecache/v20190801preview:Cache" }, { type: "azure-native:storagecache/v20191101:Cache" }, { type: "azure-native:storagecache/v20200301:Cache" }, { type: "azure-native:storagecache/v20201001:Cache" }, { type: "azure-native:storagecache/v20210301:Cache" }, { type: "azure-native:storagecache/v20210501:Cache" }, { type: "azure-native:storagecache/v20210901:Cache" }, { type: "azure-native:storagecache/v20220101:Cache" }, { type: "azure-native:storagecache/v20220501:Cache" }, { type: "azure-native:storagecache/v20230101:Cache" }, { type: "azure-native:storagecache/v20230301preview:Cache" }, { type: "azure-native:storagecache/v20230501:Cache" }, { type: "azure-native:storagecache/v20231101preview:Cache" }, { type: "azure-native:storagecache/v20240301:Cache" }, { type: "azure-native:storagecache/v20240701:Cache" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagecache/v20210301:Cache" }, { type: "azure-native:storagecache/v20230301preview:Cache" }, { type: "azure-native:storagecache/v20230501:Cache" }, { type: "azure-native:storagecache/v20231101preview:Cache" }, { type: "azure-native:storagecache/v20240301:Cache" }, { type: "azure-native_storagecache_v20190801preview:storagecache:Cache" }, { type: "azure-native_storagecache_v20191101:storagecache:Cache" }, { type: "azure-native_storagecache_v20200301:storagecache:Cache" }, { type: "azure-native_storagecache_v20201001:storagecache:Cache" }, { type: "azure-native_storagecache_v20210301:storagecache:Cache" }, { type: "azure-native_storagecache_v20210501:storagecache:Cache" }, { type: "azure-native_storagecache_v20210901:storagecache:Cache" }, { type: "azure-native_storagecache_v20220101:storagecache:Cache" }, { type: "azure-native_storagecache_v20220501:storagecache:Cache" }, { type: "azure-native_storagecache_v20230101:storagecache:Cache" }, { type: "azure-native_storagecache_v20230301preview:storagecache:Cache" }, { type: "azure-native_storagecache_v20230501:storagecache:Cache" }, { type: "azure-native_storagecache_v20231101preview:storagecache:Cache" }, { type: "azure-native_storagecache_v20240301:storagecache:Cache" }, { type: "azure-native_storagecache_v20240701:storagecache:Cache" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cache.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagecache/importJob.ts b/sdk/nodejs/storagecache/importJob.ts index 3b981a34e7a8..885aabd17023 100644 --- a/sdk/nodejs/storagecache/importJob.ts +++ b/sdk/nodejs/storagecache/importJob.ts @@ -185,7 +185,7 @@ export class ImportJob extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagecache/v20240301:ImportJob" }, { type: "azure-native:storagecache/v20240701:ImportJob" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagecache/v20240301:ImportJob" }, { type: "azure-native_storagecache_v20240301:storagecache:ImportJob" }, { type: "azure-native_storagecache_v20240701:storagecache:ImportJob" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ImportJob.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagecache/storageTarget.ts b/sdk/nodejs/storagecache/storageTarget.ts index 1a2ce2b52598..e9a77b0b1876 100644 --- a/sdk/nodejs/storagecache/storageTarget.ts +++ b/sdk/nodejs/storagecache/storageTarget.ts @@ -152,7 +152,7 @@ export class StorageTarget extends pulumi.CustomResource { resourceInputs["unknown"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagecache/v20190801preview:StorageTarget" }, { type: "azure-native:storagecache/v20191101:StorageTarget" }, { type: "azure-native:storagecache/v20200301:StorageTarget" }, { type: "azure-native:storagecache/v20201001:StorageTarget" }, { type: "azure-native:storagecache/v20210301:StorageTarget" }, { type: "azure-native:storagecache/v20210501:StorageTarget" }, { type: "azure-native:storagecache/v20210901:StorageTarget" }, { type: "azure-native:storagecache/v20220101:StorageTarget" }, { type: "azure-native:storagecache/v20220501:StorageTarget" }, { type: "azure-native:storagecache/v20230101:StorageTarget" }, { type: "azure-native:storagecache/v20230301preview:StorageTarget" }, { type: "azure-native:storagecache/v20230501:StorageTarget" }, { type: "azure-native:storagecache/v20231101preview:StorageTarget" }, { type: "azure-native:storagecache/v20240301:StorageTarget" }, { type: "azure-native:storagecache/v20240701:StorageTarget" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagecache/v20210301:StorageTarget" }, { type: "azure-native:storagecache/v20230501:StorageTarget" }, { type: "azure-native:storagecache/v20231101preview:StorageTarget" }, { type: "azure-native:storagecache/v20240301:StorageTarget" }, { type: "azure-native_storagecache_v20190801preview:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20191101:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20200301:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20201001:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20210301:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20210501:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20210901:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20220101:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20220501:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20230101:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20230301preview:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20230501:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20231101preview:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20240301:storagecache:StorageTarget" }, { type: "azure-native_storagecache_v20240701:storagecache:StorageTarget" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageTarget.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagemover/agent.ts b/sdk/nodejs/storagemover/agent.ts index 0a464bf6f17c..d9c39102b8ff 100644 --- a/sdk/nodejs/storagemover/agent.ts +++ b/sdk/nodejs/storagemover/agent.ts @@ -176,7 +176,7 @@ export class Agent extends pulumi.CustomResource { resourceInputs["uptimeInSeconds"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagemover/v20220701preview:Agent" }, { type: "azure-native:storagemover/v20230301:Agent" }, { type: "azure-native:storagemover/v20230701preview:Agent" }, { type: "azure-native:storagemover/v20231001:Agent" }, { type: "azure-native:storagemover/v20240701:Agent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagemover/v20230301:Agent" }, { type: "azure-native:storagemover/v20230701preview:Agent" }, { type: "azure-native:storagemover/v20231001:Agent" }, { type: "azure-native:storagemover/v20240701:Agent" }, { type: "azure-native_storagemover_v20220701preview:storagemover:Agent" }, { type: "azure-native_storagemover_v20230301:storagemover:Agent" }, { type: "azure-native_storagemover_v20230701preview:storagemover:Agent" }, { type: "azure-native_storagemover_v20231001:storagemover:Agent" }, { type: "azure-native_storagemover_v20240701:storagemover:Agent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Agent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagemover/endpoint.ts b/sdk/nodejs/storagemover/endpoint.ts index 440c6f0ccb25..2b75ec091f63 100644 --- a/sdk/nodejs/storagemover/endpoint.ts +++ b/sdk/nodejs/storagemover/endpoint.ts @@ -98,7 +98,7 @@ export class Endpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagemover/v20220701preview:Endpoint" }, { type: "azure-native:storagemover/v20230301:Endpoint" }, { type: "azure-native:storagemover/v20230701preview:Endpoint" }, { type: "azure-native:storagemover/v20231001:Endpoint" }, { type: "azure-native:storagemover/v20240701:Endpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagemover/v20230301:Endpoint" }, { type: "azure-native:storagemover/v20230701preview:Endpoint" }, { type: "azure-native:storagemover/v20231001:Endpoint" }, { type: "azure-native:storagemover/v20240701:Endpoint" }, { type: "azure-native_storagemover_v20220701preview:storagemover:Endpoint" }, { type: "azure-native_storagemover_v20230301:storagemover:Endpoint" }, { type: "azure-native_storagemover_v20230701preview:storagemover:Endpoint" }, { type: "azure-native_storagemover_v20231001:storagemover:Endpoint" }, { type: "azure-native_storagemover_v20240701:storagemover:Endpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Endpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagemover/jobDefinition.ts b/sdk/nodejs/storagemover/jobDefinition.ts index 68fa179f52d9..254126565b59 100644 --- a/sdk/nodejs/storagemover/jobDefinition.ts +++ b/sdk/nodejs/storagemover/jobDefinition.ts @@ -186,7 +186,7 @@ export class JobDefinition extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagemover/v20220701preview:JobDefinition" }, { type: "azure-native:storagemover/v20230301:JobDefinition" }, { type: "azure-native:storagemover/v20230701preview:JobDefinition" }, { type: "azure-native:storagemover/v20231001:JobDefinition" }, { type: "azure-native:storagemover/v20240701:JobDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagemover/v20230301:JobDefinition" }, { type: "azure-native:storagemover/v20230701preview:JobDefinition" }, { type: "azure-native:storagemover/v20231001:JobDefinition" }, { type: "azure-native:storagemover/v20240701:JobDefinition" }, { type: "azure-native_storagemover_v20220701preview:storagemover:JobDefinition" }, { type: "azure-native_storagemover_v20230301:storagemover:JobDefinition" }, { type: "azure-native_storagemover_v20230701preview:storagemover:JobDefinition" }, { type: "azure-native_storagemover_v20231001:storagemover:JobDefinition" }, { type: "azure-native_storagemover_v20240701:storagemover:JobDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(JobDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagemover/project.ts b/sdk/nodejs/storagemover/project.ts index 38cf032211b8..a83d9b5d8856 100644 --- a/sdk/nodejs/storagemover/project.ts +++ b/sdk/nodejs/storagemover/project.ts @@ -101,7 +101,7 @@ export class Project extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagemover/v20220701preview:Project" }, { type: "azure-native:storagemover/v20230301:Project" }, { type: "azure-native:storagemover/v20230701preview:Project" }, { type: "azure-native:storagemover/v20231001:Project" }, { type: "azure-native:storagemover/v20240701:Project" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagemover/v20230301:Project" }, { type: "azure-native:storagemover/v20230701preview:Project" }, { type: "azure-native:storagemover/v20231001:Project" }, { type: "azure-native:storagemover/v20240701:Project" }, { type: "azure-native_storagemover_v20220701preview:storagemover:Project" }, { type: "azure-native_storagemover_v20230301:storagemover:Project" }, { type: "azure-native_storagemover_v20230701preview:storagemover:Project" }, { type: "azure-native_storagemover_v20231001:storagemover:Project" }, { type: "azure-native_storagemover_v20240701:storagemover:Project" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Project.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagemover/storageMover.ts b/sdk/nodejs/storagemover/storageMover.ts index accfc553a2b4..72157607d4da 100644 --- a/sdk/nodejs/storagemover/storageMover.ts +++ b/sdk/nodejs/storagemover/storageMover.ts @@ -109,7 +109,7 @@ export class StorageMover extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagemover/v20220701preview:StorageMover" }, { type: "azure-native:storagemover/v20230301:StorageMover" }, { type: "azure-native:storagemover/v20230701preview:StorageMover" }, { type: "azure-native:storagemover/v20231001:StorageMover" }, { type: "azure-native:storagemover/v20240701:StorageMover" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagemover/v20230301:StorageMover" }, { type: "azure-native:storagemover/v20230701preview:StorageMover" }, { type: "azure-native:storagemover/v20231001:StorageMover" }, { type: "azure-native:storagemover/v20240701:StorageMover" }, { type: "azure-native_storagemover_v20220701preview:storagemover:StorageMover" }, { type: "azure-native_storagemover_v20230301:storagemover:StorageMover" }, { type: "azure-native_storagemover_v20230701preview:storagemover:StorageMover" }, { type: "azure-native_storagemover_v20231001:storagemover:StorageMover" }, { type: "azure-native_storagemover_v20240701:storagemover:StorageMover" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageMover.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagepool/diskPool.ts b/sdk/nodejs/storagepool/diskPool.ts index a872b394f500..232355b07c5d 100644 --- a/sdk/nodejs/storagepool/diskPool.ts +++ b/sdk/nodejs/storagepool/diskPool.ts @@ -156,7 +156,7 @@ export class DiskPool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagepool/v20200315preview:DiskPool" }, { type: "azure-native:storagepool/v20210401preview:DiskPool" }, { type: "azure-native:storagepool/v20210801:DiskPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagepool/v20200315preview:DiskPool" }, { type: "azure-native:storagepool/v20210801:DiskPool" }, { type: "azure-native_storagepool_v20200315preview:storagepool:DiskPool" }, { type: "azure-native_storagepool_v20210401preview:storagepool:DiskPool" }, { type: "azure-native_storagepool_v20210801:storagepool:DiskPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DiskPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagepool/iscsiTarget.ts b/sdk/nodejs/storagepool/iscsiTarget.ts index 049f254ea4fe..39ee0f1c98e3 100644 --- a/sdk/nodejs/storagepool/iscsiTarget.ts +++ b/sdk/nodejs/storagepool/iscsiTarget.ts @@ -156,7 +156,7 @@ export class IscsiTarget extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagepool/v20200315preview:IscsiTarget" }, { type: "azure-native:storagepool/v20210401preview:IscsiTarget" }, { type: "azure-native:storagepool/v20210801:IscsiTarget" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagepool/v20200315preview:IscsiTarget" }, { type: "azure-native:storagepool/v20210801:IscsiTarget" }, { type: "azure-native_storagepool_v20200315preview:storagepool:IscsiTarget" }, { type: "azure-native_storagepool_v20210401preview:storagepool:IscsiTarget" }, { type: "azure-native_storagepool_v20210801:storagepool:IscsiTarget" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IscsiTarget.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagesync/cloudEndpoint.ts b/sdk/nodejs/storagesync/cloudEndpoint.ts index 14b95e104a9a..b83cabe914c1 100644 --- a/sdk/nodejs/storagesync/cloudEndpoint.ts +++ b/sdk/nodejs/storagesync/cloudEndpoint.ts @@ -153,7 +153,7 @@ export class CloudEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20170605preview:CloudEndpoint" }, { type: "azure-native:storagesync/v20180402:CloudEndpoint" }, { type: "azure-native:storagesync/v20180701:CloudEndpoint" }, { type: "azure-native:storagesync/v20181001:CloudEndpoint" }, { type: "azure-native:storagesync/v20190201:CloudEndpoint" }, { type: "azure-native:storagesync/v20190301:CloudEndpoint" }, { type: "azure-native:storagesync/v20190601:CloudEndpoint" }, { type: "azure-native:storagesync/v20191001:CloudEndpoint" }, { type: "azure-native:storagesync/v20200301:CloudEndpoint" }, { type: "azure-native:storagesync/v20200901:CloudEndpoint" }, { type: "azure-native:storagesync/v20220601:CloudEndpoint" }, { type: "azure-native:storagesync/v20220901:CloudEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20220601:CloudEndpoint" }, { type: "azure-native:storagesync/v20220901:CloudEndpoint" }, { type: "azure-native_storagesync_v20170605preview:storagesync:CloudEndpoint" }, { type: "azure-native_storagesync_v20180402:storagesync:CloudEndpoint" }, { type: "azure-native_storagesync_v20180701:storagesync:CloudEndpoint" }, { type: "azure-native_storagesync_v20181001:storagesync:CloudEndpoint" }, { type: "azure-native_storagesync_v20190201:storagesync:CloudEndpoint" }, { type: "azure-native_storagesync_v20190301:storagesync:CloudEndpoint" }, { type: "azure-native_storagesync_v20190601:storagesync:CloudEndpoint" }, { type: "azure-native_storagesync_v20191001:storagesync:CloudEndpoint" }, { type: "azure-native_storagesync_v20200301:storagesync:CloudEndpoint" }, { type: "azure-native_storagesync_v20200901:storagesync:CloudEndpoint" }, { type: "azure-native_storagesync_v20220601:storagesync:CloudEndpoint" }, { type: "azure-native_storagesync_v20220901:storagesync:CloudEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CloudEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagesync/privateEndpointConnection.ts b/sdk/nodejs/storagesync/privateEndpointConnection.ts index f8df40ef29a9..54f0dd185f25 100644 --- a/sdk/nodejs/storagesync/privateEndpointConnection.ts +++ b/sdk/nodejs/storagesync/privateEndpointConnection.ts @@ -116,7 +116,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20200301:PrivateEndpointConnection" }, { type: "azure-native:storagesync/v20200901:PrivateEndpointConnection" }, { type: "azure-native:storagesync/v20220601:PrivateEndpointConnection" }, { type: "azure-native:storagesync/v20220901:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20220601:PrivateEndpointConnection" }, { type: "azure-native:storagesync/v20220901:PrivateEndpointConnection" }, { type: "azure-native_storagesync_v20200301:storagesync:PrivateEndpointConnection" }, { type: "azure-native_storagesync_v20200901:storagesync:PrivateEndpointConnection" }, { type: "azure-native_storagesync_v20220601:storagesync:PrivateEndpointConnection" }, { type: "azure-native_storagesync_v20220901:storagesync:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagesync/registeredServer.ts b/sdk/nodejs/storagesync/registeredServer.ts index 8ff4240a7356..441667aaed10 100644 --- a/sdk/nodejs/storagesync/registeredServer.ts +++ b/sdk/nodejs/storagesync/registeredServer.ts @@ -250,7 +250,7 @@ export class RegisteredServer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20170605preview:RegisteredServer" }, { type: "azure-native:storagesync/v20180402:RegisteredServer" }, { type: "azure-native:storagesync/v20180701:RegisteredServer" }, { type: "azure-native:storagesync/v20181001:RegisteredServer" }, { type: "azure-native:storagesync/v20190201:RegisteredServer" }, { type: "azure-native:storagesync/v20190301:RegisteredServer" }, { type: "azure-native:storagesync/v20190601:RegisteredServer" }, { type: "azure-native:storagesync/v20191001:RegisteredServer" }, { type: "azure-native:storagesync/v20200301:RegisteredServer" }, { type: "azure-native:storagesync/v20200901:RegisteredServer" }, { type: "azure-native:storagesync/v20220601:RegisteredServer" }, { type: "azure-native:storagesync/v20220901:RegisteredServer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20220601:RegisteredServer" }, { type: "azure-native:storagesync/v20220901:RegisteredServer" }, { type: "azure-native_storagesync_v20170605preview:storagesync:RegisteredServer" }, { type: "azure-native_storagesync_v20180402:storagesync:RegisteredServer" }, { type: "azure-native_storagesync_v20180701:storagesync:RegisteredServer" }, { type: "azure-native_storagesync_v20181001:storagesync:RegisteredServer" }, { type: "azure-native_storagesync_v20190201:storagesync:RegisteredServer" }, { type: "azure-native_storagesync_v20190301:storagesync:RegisteredServer" }, { type: "azure-native_storagesync_v20190601:storagesync:RegisteredServer" }, { type: "azure-native_storagesync_v20191001:storagesync:RegisteredServer" }, { type: "azure-native_storagesync_v20200301:storagesync:RegisteredServer" }, { type: "azure-native_storagesync_v20200901:storagesync:RegisteredServer" }, { type: "azure-native_storagesync_v20220601:storagesync:RegisteredServer" }, { type: "azure-native_storagesync_v20220901:storagesync:RegisteredServer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(RegisteredServer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagesync/serverEndpoint.ts b/sdk/nodejs/storagesync/serverEndpoint.ts index 49b6416ac5b5..a87644b583cd 100644 --- a/sdk/nodejs/storagesync/serverEndpoint.ts +++ b/sdk/nodejs/storagesync/serverEndpoint.ts @@ -219,7 +219,7 @@ export class ServerEndpoint extends pulumi.CustomResource { resourceInputs["volumeFreeSpacePercent"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20170605preview:ServerEndpoint" }, { type: "azure-native:storagesync/v20180402:ServerEndpoint" }, { type: "azure-native:storagesync/v20180701:ServerEndpoint" }, { type: "azure-native:storagesync/v20181001:ServerEndpoint" }, { type: "azure-native:storagesync/v20190201:ServerEndpoint" }, { type: "azure-native:storagesync/v20190301:ServerEndpoint" }, { type: "azure-native:storagesync/v20190601:ServerEndpoint" }, { type: "azure-native:storagesync/v20191001:ServerEndpoint" }, { type: "azure-native:storagesync/v20200301:ServerEndpoint" }, { type: "azure-native:storagesync/v20200901:ServerEndpoint" }, { type: "azure-native:storagesync/v20220601:ServerEndpoint" }, { type: "azure-native:storagesync/v20220901:ServerEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20220601:ServerEndpoint" }, { type: "azure-native:storagesync/v20220901:ServerEndpoint" }, { type: "azure-native_storagesync_v20170605preview:storagesync:ServerEndpoint" }, { type: "azure-native_storagesync_v20180402:storagesync:ServerEndpoint" }, { type: "azure-native_storagesync_v20180701:storagesync:ServerEndpoint" }, { type: "azure-native_storagesync_v20181001:storagesync:ServerEndpoint" }, { type: "azure-native_storagesync_v20190201:storagesync:ServerEndpoint" }, { type: "azure-native_storagesync_v20190301:storagesync:ServerEndpoint" }, { type: "azure-native_storagesync_v20190601:storagesync:ServerEndpoint" }, { type: "azure-native_storagesync_v20191001:storagesync:ServerEndpoint" }, { type: "azure-native_storagesync_v20200301:storagesync:ServerEndpoint" }, { type: "azure-native_storagesync_v20200901:storagesync:ServerEndpoint" }, { type: "azure-native_storagesync_v20220601:storagesync:ServerEndpoint" }, { type: "azure-native_storagesync_v20220901:storagesync:ServerEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagesync/storageSyncService.ts b/sdk/nodejs/storagesync/storageSyncService.ts index e61f24cca3c1..e3c7b3c69633 100644 --- a/sdk/nodejs/storagesync/storageSyncService.ts +++ b/sdk/nodejs/storagesync/storageSyncService.ts @@ -151,7 +151,7 @@ export class StorageSyncService extends pulumi.CustomResource { resourceInputs["useIdentity"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20170605preview:StorageSyncService" }, { type: "azure-native:storagesync/v20180402:StorageSyncService" }, { type: "azure-native:storagesync/v20180701:StorageSyncService" }, { type: "azure-native:storagesync/v20181001:StorageSyncService" }, { type: "azure-native:storagesync/v20190201:StorageSyncService" }, { type: "azure-native:storagesync/v20190301:StorageSyncService" }, { type: "azure-native:storagesync/v20190601:StorageSyncService" }, { type: "azure-native:storagesync/v20191001:StorageSyncService" }, { type: "azure-native:storagesync/v20200301:StorageSyncService" }, { type: "azure-native:storagesync/v20200901:StorageSyncService" }, { type: "azure-native:storagesync/v20220601:StorageSyncService" }, { type: "azure-native:storagesync/v20220901:StorageSyncService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20220601:StorageSyncService" }, { type: "azure-native:storagesync/v20220901:StorageSyncService" }, { type: "azure-native_storagesync_v20170605preview:storagesync:StorageSyncService" }, { type: "azure-native_storagesync_v20180402:storagesync:StorageSyncService" }, { type: "azure-native_storagesync_v20180701:storagesync:StorageSyncService" }, { type: "azure-native_storagesync_v20181001:storagesync:StorageSyncService" }, { type: "azure-native_storagesync_v20190201:storagesync:StorageSyncService" }, { type: "azure-native_storagesync_v20190301:storagesync:StorageSyncService" }, { type: "azure-native_storagesync_v20190601:storagesync:StorageSyncService" }, { type: "azure-native_storagesync_v20191001:storagesync:StorageSyncService" }, { type: "azure-native_storagesync_v20200301:storagesync:StorageSyncService" }, { type: "azure-native_storagesync_v20200901:storagesync:StorageSyncService" }, { type: "azure-native_storagesync_v20220601:storagesync:StorageSyncService" }, { type: "azure-native_storagesync_v20220901:storagesync:StorageSyncService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageSyncService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storagesync/syncGroup.ts b/sdk/nodejs/storagesync/syncGroup.ts index 28d7cbbf0e7d..ac19eeb93278 100644 --- a/sdk/nodejs/storagesync/syncGroup.ts +++ b/sdk/nodejs/storagesync/syncGroup.ts @@ -101,7 +101,7 @@ export class SyncGroup extends pulumi.CustomResource { resourceInputs["uniqueId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20170605preview:SyncGroup" }, { type: "azure-native:storagesync/v20180402:SyncGroup" }, { type: "azure-native:storagesync/v20180701:SyncGroup" }, { type: "azure-native:storagesync/v20181001:SyncGroup" }, { type: "azure-native:storagesync/v20190201:SyncGroup" }, { type: "azure-native:storagesync/v20190301:SyncGroup" }, { type: "azure-native:storagesync/v20190601:SyncGroup" }, { type: "azure-native:storagesync/v20191001:SyncGroup" }, { type: "azure-native:storagesync/v20200301:SyncGroup" }, { type: "azure-native:storagesync/v20200901:SyncGroup" }, { type: "azure-native:storagesync/v20220601:SyncGroup" }, { type: "azure-native:storagesync/v20220901:SyncGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storagesync/v20220601:SyncGroup" }, { type: "azure-native:storagesync/v20220901:SyncGroup" }, { type: "azure-native_storagesync_v20170605preview:storagesync:SyncGroup" }, { type: "azure-native_storagesync_v20180402:storagesync:SyncGroup" }, { type: "azure-native_storagesync_v20180701:storagesync:SyncGroup" }, { type: "azure-native_storagesync_v20181001:storagesync:SyncGroup" }, { type: "azure-native_storagesync_v20190201:storagesync:SyncGroup" }, { type: "azure-native_storagesync_v20190301:storagesync:SyncGroup" }, { type: "azure-native_storagesync_v20190601:storagesync:SyncGroup" }, { type: "azure-native_storagesync_v20191001:storagesync:SyncGroup" }, { type: "azure-native_storagesync_v20200301:storagesync:SyncGroup" }, { type: "azure-native_storagesync_v20200901:storagesync:SyncGroup" }, { type: "azure-native_storagesync_v20220601:storagesync:SyncGroup" }, { type: "azure-native_storagesync_v20220901:storagesync:SyncGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SyncGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storsimple/accessControlRecord.ts b/sdk/nodejs/storsimple/accessControlRecord.ts index 8b56561aff4b..8926d9eeb29e 100644 --- a/sdk/nodejs/storsimple/accessControlRecord.ts +++ b/sdk/nodejs/storsimple/accessControlRecord.ts @@ -102,7 +102,7 @@ export class AccessControlRecord extends pulumi.CustomResource { resourceInputs["volumeCount"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20161001:AccessControlRecord" }, { type: "azure-native:storsimple/v20170601:AccessControlRecord" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:AccessControlRecord" }, { type: "azure-native_storsimple_v20161001:storsimple:AccessControlRecord" }, { type: "azure-native_storsimple_v20170601:storsimple:AccessControlRecord" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccessControlRecord.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storsimple/backupPolicy.ts b/sdk/nodejs/storsimple/backupPolicy.ts index 5dc53c17e7a7..fc0254174ed6 100644 --- a/sdk/nodejs/storsimple/backupPolicy.ts +++ b/sdk/nodejs/storsimple/backupPolicy.ts @@ -136,7 +136,7 @@ export class BackupPolicy extends pulumi.CustomResource { resourceInputs["volumeIds"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:BackupPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:BackupPolicy" }, { type: "azure-native_storsimple_v20170601:storsimple:BackupPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BackupPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storsimple/backupSchedule.ts b/sdk/nodejs/storsimple/backupSchedule.ts index 71ec143cd10d..900e78e28d73 100644 --- a/sdk/nodejs/storsimple/backupSchedule.ts +++ b/sdk/nodejs/storsimple/backupSchedule.ts @@ -146,7 +146,7 @@ export class BackupSchedule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:BackupSchedule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:BackupSchedule" }, { type: "azure-native_storsimple_v20170601:storsimple:BackupSchedule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BackupSchedule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storsimple/bandwidthSetting.ts b/sdk/nodejs/storsimple/bandwidthSetting.ts index 6e583e41f4c9..009e3abe56f1 100644 --- a/sdk/nodejs/storsimple/bandwidthSetting.ts +++ b/sdk/nodejs/storsimple/bandwidthSetting.ts @@ -102,7 +102,7 @@ export class BandwidthSetting extends pulumi.CustomResource { resourceInputs["volumeCount"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:BandwidthSetting" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:BandwidthSetting" }, { type: "azure-native_storsimple_v20170601:storsimple:BandwidthSetting" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BandwidthSetting.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storsimple/manager.ts b/sdk/nodejs/storsimple/manager.ts index fa939ce056c6..1cb1392f4ad9 100644 --- a/sdk/nodejs/storsimple/manager.ts +++ b/sdk/nodejs/storsimple/manager.ts @@ -113,7 +113,7 @@ export class Manager extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20161001:Manager" }, { type: "azure-native:storsimple/v20170601:Manager" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:Manager" }, { type: "azure-native_storsimple_v20161001:storsimple:Manager" }, { type: "azure-native_storsimple_v20170601:storsimple:Manager" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Manager.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storsimple/managerExtendedInfo.ts b/sdk/nodejs/storsimple/managerExtendedInfo.ts index 90260feb0395..b31b5a8ee11b 100644 --- a/sdk/nodejs/storsimple/managerExtendedInfo.ts +++ b/sdk/nodejs/storsimple/managerExtendedInfo.ts @@ -134,7 +134,7 @@ export class ManagerExtendedInfo extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20161001:ManagerExtendedInfo" }, { type: "azure-native:storsimple/v20170601:ManagerExtendedInfo" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:ManagerExtendedInfo" }, { type: "azure-native_storsimple_v20161001:storsimple:ManagerExtendedInfo" }, { type: "azure-native_storsimple_v20170601:storsimple:ManagerExtendedInfo" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ManagerExtendedInfo.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storsimple/storageAccountCredential.ts b/sdk/nodejs/storsimple/storageAccountCredential.ts index b3ad07d75cb8..47fcce1e4128 100644 --- a/sdk/nodejs/storsimple/storageAccountCredential.ts +++ b/sdk/nodejs/storsimple/storageAccountCredential.ts @@ -117,7 +117,7 @@ export class StorageAccountCredential extends pulumi.CustomResource { resourceInputs["volumesCount"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20161001:StorageAccountCredential" }, { type: "azure-native:storsimple/v20170601:StorageAccountCredential" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:StorageAccountCredential" }, { type: "azure-native_storsimple_v20161001:storsimple:StorageAccountCredential" }, { type: "azure-native_storsimple_v20170601:storsimple:StorageAccountCredential" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StorageAccountCredential.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storsimple/volume.ts b/sdk/nodejs/storsimple/volume.ts index 9ec7405c71af..4b26fe859a59 100644 --- a/sdk/nodejs/storsimple/volume.ts +++ b/sdk/nodejs/storsimple/volume.ts @@ -164,7 +164,7 @@ export class Volume extends pulumi.CustomResource { resourceInputs["volumeType"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:Volume" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:Volume" }, { type: "azure-native_storsimple_v20170601:storsimple:Volume" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Volume.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/storsimple/volumeContainer.ts b/sdk/nodejs/storsimple/volumeContainer.ts index 0f372ddfc684..0f9a57a78a06 100644 --- a/sdk/nodejs/storsimple/volumeContainer.ts +++ b/sdk/nodejs/storsimple/volumeContainer.ts @@ -142,7 +142,7 @@ export class VolumeContainer extends pulumi.CustomResource { resourceInputs["volumeCount"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:VolumeContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:storsimple/v20170601:VolumeContainer" }, { type: "azure-native_storsimple_v20170601:storsimple:VolumeContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VolumeContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/streamanalytics/cluster.ts b/sdk/nodejs/streamanalytics/cluster.ts index 46c47545ec61..84b383f66268 100644 --- a/sdk/nodejs/streamanalytics/cluster.ts +++ b/sdk/nodejs/streamanalytics/cluster.ts @@ -131,7 +131,7 @@ export class Cluster extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20200301:Cluster" }, { type: "azure-native:streamanalytics/v20200301preview:Cluster" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20200301:Cluster" }, { type: "azure-native:streamanalytics/v20200301preview:Cluster" }, { type: "azure-native_streamanalytics_v20200301:streamanalytics:Cluster" }, { type: "azure-native_streamanalytics_v20200301preview:streamanalytics:Cluster" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Cluster.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/streamanalytics/function.ts b/sdk/nodejs/streamanalytics/function.ts index 9401922d8325..032e3881f61f 100644 --- a/sdk/nodejs/streamanalytics/function.ts +++ b/sdk/nodejs/streamanalytics/function.ts @@ -89,7 +89,7 @@ export class Function extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20160301:Function" }, { type: "azure-native:streamanalytics/v20170401preview:Function" }, { type: "azure-native:streamanalytics/v20200301:Function" }, { type: "azure-native:streamanalytics/v20211001preview:Function" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20160301:Function" }, { type: "azure-native:streamanalytics/v20200301:Function" }, { type: "azure-native:streamanalytics/v20211001preview:Function" }, { type: "azure-native_streamanalytics_v20160301:streamanalytics:Function" }, { type: "azure-native_streamanalytics_v20170401preview:streamanalytics:Function" }, { type: "azure-native_streamanalytics_v20200301:streamanalytics:Function" }, { type: "azure-native_streamanalytics_v20211001preview:streamanalytics:Function" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Function.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/streamanalytics/input.ts b/sdk/nodejs/streamanalytics/input.ts index e40825488b20..5822dc1ad7ce 100644 --- a/sdk/nodejs/streamanalytics/input.ts +++ b/sdk/nodejs/streamanalytics/input.ts @@ -89,7 +89,7 @@ export class Input extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20160301:Input" }, { type: "azure-native:streamanalytics/v20170401preview:Input" }, { type: "azure-native:streamanalytics/v20200301:Input" }, { type: "azure-native:streamanalytics/v20211001preview:Input" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20200301:Input" }, { type: "azure-native:streamanalytics/v20211001preview:Input" }, { type: "azure-native_streamanalytics_v20160301:streamanalytics:Input" }, { type: "azure-native_streamanalytics_v20170401preview:streamanalytics:Input" }, { type: "azure-native_streamanalytics_v20200301:streamanalytics:Input" }, { type: "azure-native_streamanalytics_v20211001preview:streamanalytics:Input" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Input.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/streamanalytics/output.ts b/sdk/nodejs/streamanalytics/output.ts index 73b50543e9f4..9d92d778b80a 100644 --- a/sdk/nodejs/streamanalytics/output.ts +++ b/sdk/nodejs/streamanalytics/output.ts @@ -119,7 +119,7 @@ export class Output extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20160301:Output" }, { type: "azure-native:streamanalytics/v20170401preview:Output" }, { type: "azure-native:streamanalytics/v20200301:Output" }, { type: "azure-native:streamanalytics/v20211001preview:Output" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20200301:Output" }, { type: "azure-native:streamanalytics/v20211001preview:Output" }, { type: "azure-native_streamanalytics_v20160301:streamanalytics:Output" }, { type: "azure-native_streamanalytics_v20170401preview:streamanalytics:Output" }, { type: "azure-native_streamanalytics_v20200301:streamanalytics:Output" }, { type: "azure-native_streamanalytics_v20211001preview:streamanalytics:Output" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Output.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/streamanalytics/privateEndpoint.ts b/sdk/nodejs/streamanalytics/privateEndpoint.ts index 79784d42d2f5..9f2ff6d830ed 100644 --- a/sdk/nodejs/streamanalytics/privateEndpoint.ts +++ b/sdk/nodejs/streamanalytics/privateEndpoint.ts @@ -99,7 +99,7 @@ export class PrivateEndpoint extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20200301:PrivateEndpoint" }, { type: "azure-native:streamanalytics/v20200301preview:PrivateEndpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20200301:PrivateEndpoint" }, { type: "azure-native:streamanalytics/v20200301preview:PrivateEndpoint" }, { type: "azure-native_streamanalytics_v20200301:streamanalytics:PrivateEndpoint" }, { type: "azure-native_streamanalytics_v20200301preview:streamanalytics:PrivateEndpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/streamanalytics/streamingJob.ts b/sdk/nodejs/streamanalytics/streamingJob.ts index 923714932a5e..27a7aac11bff 100644 --- a/sdk/nodejs/streamanalytics/streamingJob.ts +++ b/sdk/nodejs/streamanalytics/streamingJob.ts @@ -235,7 +235,7 @@ export class StreamingJob extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20160301:StreamingJob" }, { type: "azure-native:streamanalytics/v20170401preview:StreamingJob" }, { type: "azure-native:streamanalytics/v20200301:StreamingJob" }, { type: "azure-native:streamanalytics/v20211001preview:StreamingJob" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:streamanalytics/v20170401preview:StreamingJob" }, { type: "azure-native:streamanalytics/v20200301:StreamingJob" }, { type: "azure-native:streamanalytics/v20211001preview:StreamingJob" }, { type: "azure-native_streamanalytics_v20160301:streamanalytics:StreamingJob" }, { type: "azure-native_streamanalytics_v20170401preview:streamanalytics:StreamingJob" }, { type: "azure-native_streamanalytics_v20200301:streamanalytics:StreamingJob" }, { type: "azure-native_streamanalytics_v20211001preview:streamanalytics:StreamingJob" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StreamingJob.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/subscription/alias.ts b/sdk/nodejs/subscription/alias.ts index ea06406827e8..c724932bf51a 100644 --- a/sdk/nodejs/subscription/alias.ts +++ b/sdk/nodejs/subscription/alias.ts @@ -87,7 +87,7 @@ export class Alias extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:subscription/v20191001preview:Alias" }, { type: "azure-native:subscription/v20200901:Alias" }, { type: "azure-native:subscription/v20211001:Alias" }, { type: "azure-native:subscription/v20240801preview:Alias" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:subscription/v20200901:Alias" }, { type: "azure-native:subscription/v20211001:Alias" }, { type: "azure-native:subscription/v20240801preview:Alias" }, { type: "azure-native_subscription_v20191001preview:subscription:Alias" }, { type: "azure-native_subscription_v20200901:subscription:Alias" }, { type: "azure-native_subscription_v20211001:subscription:Alias" }, { type: "azure-native_subscription_v20240801preview:subscription:Alias" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Alias.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/subscription/subscriptionTarDirectory.ts b/sdk/nodejs/subscription/subscriptionTarDirectory.ts index e5c00e8a6104..19db4adac5d1 100644 --- a/sdk/nodejs/subscription/subscriptionTarDirectory.ts +++ b/sdk/nodejs/subscription/subscriptionTarDirectory.ts @@ -79,7 +79,7 @@ export class SubscriptionTarDirectory extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:subscription/v20240801preview:SubscriptionTarDirectory" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:subscription/v20240801preview:SubscriptionTarDirectory" }, { type: "azure-native_subscription_v20240801preview:subscription:SubscriptionTarDirectory" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SubscriptionTarDirectory.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/bigDataPool.ts b/sdk/nodejs/synapse/bigDataPool.ts index a561335ea94e..e7dca6e7bd25 100644 --- a/sdk/nodejs/synapse/bigDataPool.ts +++ b/sdk/nodejs/synapse/bigDataPool.ts @@ -210,7 +210,7 @@ export class BigDataPool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:BigDataPool" }, { type: "azure-native:synapse/v20201201:BigDataPool" }, { type: "azure-native:synapse/v20210301:BigDataPool" }, { type: "azure-native:synapse/v20210401preview:BigDataPool" }, { type: "azure-native:synapse/v20210501:BigDataPool" }, { type: "azure-native:synapse/v20210601:BigDataPool" }, { type: "azure-native:synapse/v20210601preview:BigDataPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210501:BigDataPool" }, { type: "azure-native:synapse/v20210601:BigDataPool" }, { type: "azure-native:synapse/v20210601preview:BigDataPool" }, { type: "azure-native_synapse_v20190601preview:synapse:BigDataPool" }, { type: "azure-native_synapse_v20201201:synapse:BigDataPool" }, { type: "azure-native_synapse_v20210301:synapse:BigDataPool" }, { type: "azure-native_synapse_v20210401preview:synapse:BigDataPool" }, { type: "azure-native_synapse_v20210501:synapse:BigDataPool" }, { type: "azure-native_synapse_v20210601:synapse:BigDataPool" }, { type: "azure-native_synapse_v20210601preview:synapse:BigDataPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(BigDataPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/databasePrincipalAssignment.ts b/sdk/nodejs/synapse/databasePrincipalAssignment.ts index 826813142958..ddb4ea1c8041 100644 --- a/sdk/nodejs/synapse/databasePrincipalAssignment.ts +++ b/sdk/nodejs/synapse/databasePrincipalAssignment.ts @@ -146,7 +146,7 @@ export class DatabasePrincipalAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:DatabasePrincipalAssignment" }, { type: "azure-native:synapse/v20210601preview:DatabasePrincipalAssignment" }, { type: "azure-native:synapse/v20210601preview:KustoPoolDatabasePrincipalAssignment" }, { type: "azure-native:synapse:KustoPoolDatabasePrincipalAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:DatabasePrincipalAssignment" }, { type: "azure-native:synapse/v20210601preview:KustoPoolDatabasePrincipalAssignment" }, { type: "azure-native:synapse:KustoPoolDatabasePrincipalAssignment" }, { type: "azure-native_synapse_v20210401preview:synapse:DatabasePrincipalAssignment" }, { type: "azure-native_synapse_v20210601preview:synapse:DatabasePrincipalAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DatabasePrincipalAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/eventGridDataConnection.ts b/sdk/nodejs/synapse/eventGridDataConnection.ts index b1c3677be247..471742443fae 100644 --- a/sdk/nodejs/synapse/eventGridDataConnection.ts +++ b/sdk/nodejs/synapse/eventGridDataConnection.ts @@ -174,7 +174,7 @@ export class EventGridDataConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:EventGridDataConnection" }, { type: "azure-native:synapse/v20210601preview:EventGridDataConnection" }, { type: "azure-native:synapse/v20210601preview:EventHubDataConnection" }, { type: "azure-native:synapse/v20210601preview:IotHubDataConnection" }, { type: "azure-native:synapse:EventHubDataConnection" }, { type: "azure-native:synapse:IotHubDataConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601preview:EventGridDataConnection" }, { type: "azure-native:synapse/v20210601preview:EventHubDataConnection" }, { type: "azure-native:synapse/v20210601preview:IotHubDataConnection" }, { type: "azure-native:synapse:EventHubDataConnection" }, { type: "azure-native:synapse:IotHubDataConnection" }, { type: "azure-native_synapse_v20210401preview:synapse:EventGridDataConnection" }, { type: "azure-native_synapse_v20210601preview:synapse:EventGridDataConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EventGridDataConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/eventHubDataConnection.ts b/sdk/nodejs/synapse/eventHubDataConnection.ts index 895d5ef54999..83843885e56c 100644 --- a/sdk/nodejs/synapse/eventHubDataConnection.ts +++ b/sdk/nodejs/synapse/eventHubDataConnection.ts @@ -171,7 +171,7 @@ export class EventHubDataConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:EventHubDataConnection" }, { type: "azure-native:synapse/v20210601preview:EventGridDataConnection" }, { type: "azure-native:synapse/v20210601preview:EventHubDataConnection" }, { type: "azure-native:synapse/v20210601preview:IotHubDataConnection" }, { type: "azure-native:synapse:EventGridDataConnection" }, { type: "azure-native:synapse:IotHubDataConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601preview:EventGridDataConnection" }, { type: "azure-native:synapse/v20210601preview:EventHubDataConnection" }, { type: "azure-native:synapse/v20210601preview:IotHubDataConnection" }, { type: "azure-native:synapse:EventGridDataConnection" }, { type: "azure-native:synapse:IotHubDataConnection" }, { type: "azure-native_synapse_v20210401preview:synapse:EventHubDataConnection" }, { type: "azure-native_synapse_v20210601preview:synapse:EventHubDataConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EventHubDataConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/integrationRuntime.ts b/sdk/nodejs/synapse/integrationRuntime.ts index ffde1a4060a2..78f422fb2798 100644 --- a/sdk/nodejs/synapse/integrationRuntime.ts +++ b/sdk/nodejs/synapse/integrationRuntime.ts @@ -98,7 +98,7 @@ export class IntegrationRuntime extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:IntegrationRuntime" }, { type: "azure-native:synapse/v20201201:IntegrationRuntime" }, { type: "azure-native:synapse/v20210301:IntegrationRuntime" }, { type: "azure-native:synapse/v20210401preview:IntegrationRuntime" }, { type: "azure-native:synapse/v20210501:IntegrationRuntime" }, { type: "azure-native:synapse/v20210601:IntegrationRuntime" }, { type: "azure-native:synapse/v20210601preview:IntegrationRuntime" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:IntegrationRuntime" }, { type: "azure-native:synapse/v20210601preview:IntegrationRuntime" }, { type: "azure-native_synapse_v20190601preview:synapse:IntegrationRuntime" }, { type: "azure-native_synapse_v20201201:synapse:IntegrationRuntime" }, { type: "azure-native_synapse_v20210301:synapse:IntegrationRuntime" }, { type: "azure-native_synapse_v20210401preview:synapse:IntegrationRuntime" }, { type: "azure-native_synapse_v20210501:synapse:IntegrationRuntime" }, { type: "azure-native_synapse_v20210601:synapse:IntegrationRuntime" }, { type: "azure-native_synapse_v20210601preview:synapse:IntegrationRuntime" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IntegrationRuntime.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/iotHubDataConnection.ts b/sdk/nodejs/synapse/iotHubDataConnection.ts index cda3752cd7ca..cd1d5e5eebdb 100644 --- a/sdk/nodejs/synapse/iotHubDataConnection.ts +++ b/sdk/nodejs/synapse/iotHubDataConnection.ts @@ -168,7 +168,7 @@ export class IotHubDataConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:IotHubDataConnection" }, { type: "azure-native:synapse/v20210601preview:EventGridDataConnection" }, { type: "azure-native:synapse/v20210601preview:EventHubDataConnection" }, { type: "azure-native:synapse/v20210601preview:IotHubDataConnection" }, { type: "azure-native:synapse:EventGridDataConnection" }, { type: "azure-native:synapse:EventHubDataConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601preview:EventGridDataConnection" }, { type: "azure-native:synapse/v20210601preview:EventHubDataConnection" }, { type: "azure-native:synapse/v20210601preview:IotHubDataConnection" }, { type: "azure-native:synapse:EventGridDataConnection" }, { type: "azure-native:synapse:EventHubDataConnection" }, { type: "azure-native_synapse_v20210401preview:synapse:IotHubDataConnection" }, { type: "azure-native_synapse_v20210601preview:synapse:IotHubDataConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IotHubDataConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/ipFirewallRule.ts b/sdk/nodejs/synapse/ipFirewallRule.ts index 625a1a57237f..61eaf2b273e9 100644 --- a/sdk/nodejs/synapse/ipFirewallRule.ts +++ b/sdk/nodejs/synapse/ipFirewallRule.ts @@ -98,7 +98,7 @@ export class IpFirewallRule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:IpFirewallRule" }, { type: "azure-native:synapse/v20201201:IpFirewallRule" }, { type: "azure-native:synapse/v20210301:IpFirewallRule" }, { type: "azure-native:synapse/v20210401preview:IpFirewallRule" }, { type: "azure-native:synapse/v20210501:IpFirewallRule" }, { type: "azure-native:synapse/v20210601:IpFirewallRule" }, { type: "azure-native:synapse/v20210601preview:IpFirewallRule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:IpFirewallRule" }, { type: "azure-native:synapse/v20210601preview:IpFirewallRule" }, { type: "azure-native_synapse_v20190601preview:synapse:IpFirewallRule" }, { type: "azure-native_synapse_v20201201:synapse:IpFirewallRule" }, { type: "azure-native_synapse_v20210301:synapse:IpFirewallRule" }, { type: "azure-native_synapse_v20210401preview:synapse:IpFirewallRule" }, { type: "azure-native_synapse_v20210501:synapse:IpFirewallRule" }, { type: "azure-native_synapse_v20210601:synapse:IpFirewallRule" }, { type: "azure-native_synapse_v20210601preview:synapse:IpFirewallRule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IpFirewallRule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/key.ts b/sdk/nodejs/synapse/key.ts index debdcde982af..a9623e34d725 100644 --- a/sdk/nodejs/synapse/key.ts +++ b/sdk/nodejs/synapse/key.ts @@ -92,7 +92,7 @@ export class Key extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:Key" }, { type: "azure-native:synapse/v20201201:Key" }, { type: "azure-native:synapse/v20210301:Key" }, { type: "azure-native:synapse/v20210401preview:Key" }, { type: "azure-native:synapse/v20210501:Key" }, { type: "azure-native:synapse/v20210601:Key" }, { type: "azure-native:synapse/v20210601preview:Key" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:Key" }, { type: "azure-native:synapse/v20210601preview:Key" }, { type: "azure-native_synapse_v20190601preview:synapse:Key" }, { type: "azure-native_synapse_v20201201:synapse:Key" }, { type: "azure-native_synapse_v20210301:synapse:Key" }, { type: "azure-native_synapse_v20210401preview:synapse:Key" }, { type: "azure-native_synapse_v20210501:synapse:Key" }, { type: "azure-native_synapse_v20210601:synapse:Key" }, { type: "azure-native_synapse_v20210601preview:synapse:Key" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Key.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/kustoPool.ts b/sdk/nodejs/synapse/kustoPool.ts index 9272613d995b..69d8dce28480 100644 --- a/sdk/nodejs/synapse/kustoPool.ts +++ b/sdk/nodejs/synapse/kustoPool.ts @@ -176,7 +176,7 @@ export class KustoPool extends pulumi.CustomResource { resourceInputs["workspaceUID"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:KustoPool" }, { type: "azure-native:synapse/v20210601preview:KustoPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:KustoPool" }, { type: "azure-native:synapse/v20210601preview:KustoPool" }, { type: "azure-native_synapse_v20210401preview:synapse:KustoPool" }, { type: "azure-native_synapse_v20210601preview:synapse:KustoPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KustoPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/kustoPoolAttachedDatabaseConfiguration.ts b/sdk/nodejs/synapse/kustoPoolAttachedDatabaseConfiguration.ts index 3eb0338beda2..04ab5d730df4 100644 --- a/sdk/nodejs/synapse/kustoPoolAttachedDatabaseConfiguration.ts +++ b/sdk/nodejs/synapse/kustoPoolAttachedDatabaseConfiguration.ts @@ -142,7 +142,7 @@ export class KustoPoolAttachedDatabaseConfiguration extends pulumi.CustomResourc resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601preview:KustoPoolAttachedDatabaseConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601preview:KustoPoolAttachedDatabaseConfiguration" }, { type: "azure-native_synapse_v20210601preview:synapse:KustoPoolAttachedDatabaseConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KustoPoolAttachedDatabaseConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/kustoPoolDatabasePrincipalAssignment.ts b/sdk/nodejs/synapse/kustoPoolDatabasePrincipalAssignment.ts index e64721a51757..a7ad5672c90c 100644 --- a/sdk/nodejs/synapse/kustoPoolDatabasePrincipalAssignment.ts +++ b/sdk/nodejs/synapse/kustoPoolDatabasePrincipalAssignment.ts @@ -152,7 +152,7 @@ export class KustoPoolDatabasePrincipalAssignment extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:DatabasePrincipalAssignment" }, { type: "azure-native:synapse/v20210401preview:KustoPoolDatabasePrincipalAssignment" }, { type: "azure-native:synapse/v20210601preview:KustoPoolDatabasePrincipalAssignment" }, { type: "azure-native:synapse:DatabasePrincipalAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:DatabasePrincipalAssignment" }, { type: "azure-native:synapse/v20210601preview:KustoPoolDatabasePrincipalAssignment" }, { type: "azure-native:synapse:DatabasePrincipalAssignment" }, { type: "azure-native_synapse_v20210401preview:synapse:KustoPoolDatabasePrincipalAssignment" }, { type: "azure-native_synapse_v20210601preview:synapse:KustoPoolDatabasePrincipalAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KustoPoolDatabasePrincipalAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/kustoPoolPrincipalAssignment.ts b/sdk/nodejs/synapse/kustoPoolPrincipalAssignment.ts index d58f67ed38ee..617579531a8a 100644 --- a/sdk/nodejs/synapse/kustoPoolPrincipalAssignment.ts +++ b/sdk/nodejs/synapse/kustoPoolPrincipalAssignment.ts @@ -150,7 +150,7 @@ export class KustoPoolPrincipalAssignment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:KustoPoolPrincipalAssignment" }, { type: "azure-native:synapse/v20210601preview:KustoPoolPrincipalAssignment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601preview:KustoPoolPrincipalAssignment" }, { type: "azure-native_synapse_v20210401preview:synapse:KustoPoolPrincipalAssignment" }, { type: "azure-native_synapse_v20210601preview:synapse:KustoPoolPrincipalAssignment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KustoPoolPrincipalAssignment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/privateEndpointConnection.ts b/sdk/nodejs/synapse/privateEndpointConnection.ts index f981e776f890..801daf646153 100644 --- a/sdk/nodejs/synapse/privateEndpointConnection.ts +++ b/sdk/nodejs/synapse/privateEndpointConnection.ts @@ -101,7 +101,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:PrivateEndpointConnection" }, { type: "azure-native:synapse/v20201201:PrivateEndpointConnection" }, { type: "azure-native:synapse/v20210301:PrivateEndpointConnection" }, { type: "azure-native:synapse/v20210401preview:PrivateEndpointConnection" }, { type: "azure-native:synapse/v20210501:PrivateEndpointConnection" }, { type: "azure-native:synapse/v20210601:PrivateEndpointConnection" }, { type: "azure-native:synapse/v20210601preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:PrivateEndpointConnection" }, { type: "azure-native:synapse/v20210601preview:PrivateEndpointConnection" }, { type: "azure-native_synapse_v20190601preview:synapse:PrivateEndpointConnection" }, { type: "azure-native_synapse_v20201201:synapse:PrivateEndpointConnection" }, { type: "azure-native_synapse_v20210301:synapse:PrivateEndpointConnection" }, { type: "azure-native_synapse_v20210401preview:synapse:PrivateEndpointConnection" }, { type: "azure-native_synapse_v20210501:synapse:PrivateEndpointConnection" }, { type: "azure-native_synapse_v20210601:synapse:PrivateEndpointConnection" }, { type: "azure-native_synapse_v20210601preview:synapse:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/privateLinkHub.ts b/sdk/nodejs/synapse/privateLinkHub.ts index 680ca58bbed7..c37ba0a34a7f 100644 --- a/sdk/nodejs/synapse/privateLinkHub.ts +++ b/sdk/nodejs/synapse/privateLinkHub.ts @@ -103,7 +103,7 @@ export class PrivateLinkHub extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:PrivateLinkHub" }, { type: "azure-native:synapse/v20201201:PrivateLinkHub" }, { type: "azure-native:synapse/v20210301:PrivateLinkHub" }, { type: "azure-native:synapse/v20210401preview:PrivateLinkHub" }, { type: "azure-native:synapse/v20210501:PrivateLinkHub" }, { type: "azure-native:synapse/v20210601:PrivateLinkHub" }, { type: "azure-native:synapse/v20210601preview:PrivateLinkHub" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:PrivateLinkHub" }, { type: "azure-native:synapse/v20210601preview:PrivateLinkHub" }, { type: "azure-native_synapse_v20190601preview:synapse:PrivateLinkHub" }, { type: "azure-native_synapse_v20201201:synapse:PrivateLinkHub" }, { type: "azure-native_synapse_v20210301:synapse:PrivateLinkHub" }, { type: "azure-native_synapse_v20210401preview:synapse:PrivateLinkHub" }, { type: "azure-native_synapse_v20210501:synapse:PrivateLinkHub" }, { type: "azure-native_synapse_v20210601:synapse:PrivateLinkHub" }, { type: "azure-native_synapse_v20210601preview:synapse:PrivateLinkHub" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateLinkHub.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/readOnlyFollowingDatabase.ts b/sdk/nodejs/synapse/readOnlyFollowingDatabase.ts index ca0610cf09eb..c6fe4e25dbb1 100644 --- a/sdk/nodejs/synapse/readOnlyFollowingDatabase.ts +++ b/sdk/nodejs/synapse/readOnlyFollowingDatabase.ts @@ -149,7 +149,7 @@ export class ReadOnlyFollowingDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:ReadOnlyFollowingDatabase" }, { type: "azure-native:synapse/v20210601preview:ReadOnlyFollowingDatabase" }, { type: "azure-native:synapse/v20210601preview:ReadWriteDatabase" }, { type: "azure-native:synapse:ReadWriteDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601preview:ReadOnlyFollowingDatabase" }, { type: "azure-native:synapse/v20210601preview:ReadWriteDatabase" }, { type: "azure-native:synapse:ReadWriteDatabase" }, { type: "azure-native_synapse_v20210401preview:synapse:ReadOnlyFollowingDatabase" }, { type: "azure-native_synapse_v20210601preview:synapse:ReadOnlyFollowingDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReadOnlyFollowingDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/readWriteDatabase.ts b/sdk/nodejs/synapse/readWriteDatabase.ts index cf285f72fa40..1d7dd7e6a4c4 100644 --- a/sdk/nodejs/synapse/readWriteDatabase.ts +++ b/sdk/nodejs/synapse/readWriteDatabase.ts @@ -137,7 +137,7 @@ export class ReadWriteDatabase extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210401preview:ReadWriteDatabase" }, { type: "azure-native:synapse/v20210601preview:ReadOnlyFollowingDatabase" }, { type: "azure-native:synapse/v20210601preview:ReadWriteDatabase" }, { type: "azure-native:synapse:ReadOnlyFollowingDatabase" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601preview:ReadOnlyFollowingDatabase" }, { type: "azure-native:synapse/v20210601preview:ReadWriteDatabase" }, { type: "azure-native:synapse:ReadOnlyFollowingDatabase" }, { type: "azure-native_synapse_v20210401preview:synapse:ReadWriteDatabase" }, { type: "azure-native_synapse_v20210601preview:synapse:ReadWriteDatabase" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReadWriteDatabase.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/sqlPool.ts b/sdk/nodejs/synapse/sqlPool.ts index 478da885eb68..cd75a9f77f95 100644 --- a/sdk/nodejs/synapse/sqlPool.ts +++ b/sdk/nodejs/synapse/sqlPool.ts @@ -157,7 +157,7 @@ export class SqlPool extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:SqlPool" }, { type: "azure-native:synapse/v20200401preview:SqlPool" }, { type: "azure-native:synapse/v20201201:SqlPool" }, { type: "azure-native:synapse/v20210301:SqlPool" }, { type: "azure-native:synapse/v20210401preview:SqlPool" }, { type: "azure-native:synapse/v20210501:SqlPool" }, { type: "azure-native:synapse/v20210601:SqlPool" }, { type: "azure-native:synapse/v20210601preview:SqlPool" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210501:SqlPool" }, { type: "azure-native:synapse/v20210601:SqlPool" }, { type: "azure-native:synapse/v20210601preview:SqlPool" }, { type: "azure-native_synapse_v20190601preview:synapse:SqlPool" }, { type: "azure-native_synapse_v20200401preview:synapse:SqlPool" }, { type: "azure-native_synapse_v20201201:synapse:SqlPool" }, { type: "azure-native_synapse_v20210301:synapse:SqlPool" }, { type: "azure-native_synapse_v20210401preview:synapse:SqlPool" }, { type: "azure-native_synapse_v20210501:synapse:SqlPool" }, { type: "azure-native_synapse_v20210601:synapse:SqlPool" }, { type: "azure-native_synapse_v20210601preview:synapse:SqlPool" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlPool.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/sqlPoolSensitivityLabel.ts b/sdk/nodejs/synapse/sqlPoolSensitivityLabel.ts index 6a90e554fe15..5ea346bf4b1e 100644 --- a/sdk/nodejs/synapse/sqlPoolSensitivityLabel.ts +++ b/sdk/nodejs/synapse/sqlPoolSensitivityLabel.ts @@ -153,7 +153,7 @@ export class SqlPoolSensitivityLabel extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:SqlPoolSensitivityLabel" }, { type: "azure-native:synapse/v20201201:SqlPoolSensitivityLabel" }, { type: "azure-native:synapse/v20210301:SqlPoolSensitivityLabel" }, { type: "azure-native:synapse/v20210401preview:SqlPoolSensitivityLabel" }, { type: "azure-native:synapse/v20210501:SqlPoolSensitivityLabel" }, { type: "azure-native:synapse/v20210601:SqlPoolSensitivityLabel" }, { type: "azure-native:synapse/v20210601preview:SqlPoolSensitivityLabel" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:SqlPoolSensitivityLabel" }, { type: "azure-native:synapse/v20210601preview:SqlPoolSensitivityLabel" }, { type: "azure-native_synapse_v20190601preview:synapse:SqlPoolSensitivityLabel" }, { type: "azure-native_synapse_v20201201:synapse:SqlPoolSensitivityLabel" }, { type: "azure-native_synapse_v20210301:synapse:SqlPoolSensitivityLabel" }, { type: "azure-native_synapse_v20210401preview:synapse:SqlPoolSensitivityLabel" }, { type: "azure-native_synapse_v20210501:synapse:SqlPoolSensitivityLabel" }, { type: "azure-native_synapse_v20210601:synapse:SqlPoolSensitivityLabel" }, { type: "azure-native_synapse_v20210601preview:synapse:SqlPoolSensitivityLabel" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlPoolSensitivityLabel.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/sqlPoolTransparentDataEncryption.ts b/sdk/nodejs/synapse/sqlPoolTransparentDataEncryption.ts index 2126ba49a01f..3eb81fc8b587 100644 --- a/sdk/nodejs/synapse/sqlPoolTransparentDataEncryption.ts +++ b/sdk/nodejs/synapse/sqlPoolTransparentDataEncryption.ts @@ -99,7 +99,7 @@ export class SqlPoolTransparentDataEncryption extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:SqlPoolTransparentDataEncryption" }, { type: "azure-native:synapse/v20201201:SqlPoolTransparentDataEncryption" }, { type: "azure-native:synapse/v20210301:SqlPoolTransparentDataEncryption" }, { type: "azure-native:synapse/v20210401preview:SqlPoolTransparentDataEncryption" }, { type: "azure-native:synapse/v20210501:SqlPoolTransparentDataEncryption" }, { type: "azure-native:synapse/v20210601:SqlPoolTransparentDataEncryption" }, { type: "azure-native:synapse/v20210601preview:SqlPoolTransparentDataEncryption" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:SqlPoolTransparentDataEncryption" }, { type: "azure-native:synapse/v20210601preview:SqlPoolTransparentDataEncryption" }, { type: "azure-native_synapse_v20190601preview:synapse:SqlPoolTransparentDataEncryption" }, { type: "azure-native_synapse_v20201201:synapse:SqlPoolTransparentDataEncryption" }, { type: "azure-native_synapse_v20210301:synapse:SqlPoolTransparentDataEncryption" }, { type: "azure-native_synapse_v20210401preview:synapse:SqlPoolTransparentDataEncryption" }, { type: "azure-native_synapse_v20210501:synapse:SqlPoolTransparentDataEncryption" }, { type: "azure-native_synapse_v20210601:synapse:SqlPoolTransparentDataEncryption" }, { type: "azure-native_synapse_v20210601preview:synapse:SqlPoolTransparentDataEncryption" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlPoolTransparentDataEncryption.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/sqlPoolVulnerabilityAssessment.ts b/sdk/nodejs/synapse/sqlPoolVulnerabilityAssessment.ts index 49449fb35b3f..fab4278d8173 100644 --- a/sdk/nodejs/synapse/sqlPoolVulnerabilityAssessment.ts +++ b/sdk/nodejs/synapse/sqlPoolVulnerabilityAssessment.ts @@ -101,7 +101,7 @@ export class SqlPoolVulnerabilityAssessment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:SqlPoolVulnerabilityAssessment" }, { type: "azure-native:synapse/v20201201:SqlPoolVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210301:SqlPoolVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210401preview:SqlPoolVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210501:SqlPoolVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessment" }, { type: "azure-native_synapse_v20190601preview:synapse:SqlPoolVulnerabilityAssessment" }, { type: "azure-native_synapse_v20201201:synapse:SqlPoolVulnerabilityAssessment" }, { type: "azure-native_synapse_v20210301:synapse:SqlPoolVulnerabilityAssessment" }, { type: "azure-native_synapse_v20210401preview:synapse:SqlPoolVulnerabilityAssessment" }, { type: "azure-native_synapse_v20210501:synapse:SqlPoolVulnerabilityAssessment" }, { type: "azure-native_synapse_v20210601:synapse:SqlPoolVulnerabilityAssessment" }, { type: "azure-native_synapse_v20210601preview:synapse:SqlPoolVulnerabilityAssessment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlPoolVulnerabilityAssessment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/sqlPoolVulnerabilityAssessmentRuleBaseline.ts b/sdk/nodejs/synapse/sqlPoolVulnerabilityAssessmentRuleBaseline.ts index a2d19ee7b245..deb3792dd546 100644 --- a/sdk/nodejs/synapse/sqlPoolVulnerabilityAssessmentRuleBaseline.ts +++ b/sdk/nodejs/synapse/sqlPoolVulnerabilityAssessmentRuleBaseline.ts @@ -104,7 +104,7 @@ export class SqlPoolVulnerabilityAssessmentRuleBaseline extends pulumi.CustomRes resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:synapse/v20201201:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:synapse/v20210301:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:synapse/v20210401preview:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:synapse/v20210501:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessmentRuleBaseline" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_synapse_v20190601preview:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_synapse_v20201201:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_synapse_v20210301:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_synapse_v20210401preview:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_synapse_v20210501:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_synapse_v20210601:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }, { type: "azure-native_synapse_v20210601preview:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlPoolVulnerabilityAssessmentRuleBaseline.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/sqlPoolWorkloadClassifier.ts b/sdk/nodejs/synapse/sqlPoolWorkloadClassifier.ts index 51cb1bd0d6d3..58eef12e222a 100644 --- a/sdk/nodejs/synapse/sqlPoolWorkloadClassifier.ts +++ b/sdk/nodejs/synapse/sqlPoolWorkloadClassifier.ts @@ -127,7 +127,7 @@ export class SqlPoolWorkloadClassifier extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:SqlPoolWorkloadClassifier" }, { type: "azure-native:synapse/v20201201:SqlPoolWorkloadClassifier" }, { type: "azure-native:synapse/v20210301:SqlPoolWorkloadClassifier" }, { type: "azure-native:synapse/v20210401preview:SqlPoolWorkloadClassifier" }, { type: "azure-native:synapse/v20210501:SqlPoolWorkloadClassifier" }, { type: "azure-native:synapse/v20210601:SqlPoolWorkloadClassifier" }, { type: "azure-native:synapse/v20210601preview:SqlPoolWorkloadClassifier" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:SqlPoolWorkloadClassifier" }, { type: "azure-native:synapse/v20210601preview:SqlPoolWorkloadClassifier" }, { type: "azure-native_synapse_v20190601preview:synapse:SqlPoolWorkloadClassifier" }, { type: "azure-native_synapse_v20201201:synapse:SqlPoolWorkloadClassifier" }, { type: "azure-native_synapse_v20210301:synapse:SqlPoolWorkloadClassifier" }, { type: "azure-native_synapse_v20210401preview:synapse:SqlPoolWorkloadClassifier" }, { type: "azure-native_synapse_v20210501:synapse:SqlPoolWorkloadClassifier" }, { type: "azure-native_synapse_v20210601:synapse:SqlPoolWorkloadClassifier" }, { type: "azure-native_synapse_v20210601preview:synapse:SqlPoolWorkloadClassifier" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlPoolWorkloadClassifier.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/sqlPoolWorkloadGroup.ts b/sdk/nodejs/synapse/sqlPoolWorkloadGroup.ts index f56c1baed0e0..60b557aff8ed 100644 --- a/sdk/nodejs/synapse/sqlPoolWorkloadGroup.ts +++ b/sdk/nodejs/synapse/sqlPoolWorkloadGroup.ts @@ -129,7 +129,7 @@ export class SqlPoolWorkloadGroup extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:SqlPoolWorkloadGroup" }, { type: "azure-native:synapse/v20201201:SqlPoolWorkloadGroup" }, { type: "azure-native:synapse/v20210301:SqlPoolWorkloadGroup" }, { type: "azure-native:synapse/v20210401preview:SqlPoolWorkloadGroup" }, { type: "azure-native:synapse/v20210501:SqlPoolWorkloadGroup" }, { type: "azure-native:synapse/v20210601:SqlPoolWorkloadGroup" }, { type: "azure-native:synapse/v20210601preview:SqlPoolWorkloadGroup" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:SqlPoolWorkloadGroup" }, { type: "azure-native:synapse/v20210601preview:SqlPoolWorkloadGroup" }, { type: "azure-native_synapse_v20190601preview:synapse:SqlPoolWorkloadGroup" }, { type: "azure-native_synapse_v20201201:synapse:SqlPoolWorkloadGroup" }, { type: "azure-native_synapse_v20210301:synapse:SqlPoolWorkloadGroup" }, { type: "azure-native_synapse_v20210401preview:synapse:SqlPoolWorkloadGroup" }, { type: "azure-native_synapse_v20210501:synapse:SqlPoolWorkloadGroup" }, { type: "azure-native_synapse_v20210601:synapse:SqlPoolWorkloadGroup" }, { type: "azure-native_synapse_v20210601preview:synapse:SqlPoolWorkloadGroup" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SqlPoolWorkloadGroup.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/workspace.ts b/sdk/nodejs/synapse/workspace.ts index fc315b8e79c0..1547df9d0263 100644 --- a/sdk/nodejs/synapse/workspace.ts +++ b/sdk/nodejs/synapse/workspace.ts @@ -218,7 +218,7 @@ export class Workspace extends pulumi.CustomResource { resourceInputs["workspaceUID"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:Workspace" }, { type: "azure-native:synapse/v20201201:Workspace" }, { type: "azure-native:synapse/v20210301:Workspace" }, { type: "azure-native:synapse/v20210401preview:Workspace" }, { type: "azure-native:synapse/v20210501:Workspace" }, { type: "azure-native:synapse/v20210601:Workspace" }, { type: "azure-native:synapse/v20210601preview:Workspace" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210501:Workspace" }, { type: "azure-native:synapse/v20210601:Workspace" }, { type: "azure-native:synapse/v20210601preview:Workspace" }, { type: "azure-native_synapse_v20190601preview:synapse:Workspace" }, { type: "azure-native_synapse_v20201201:synapse:Workspace" }, { type: "azure-native_synapse_v20210301:synapse:Workspace" }, { type: "azure-native_synapse_v20210401preview:synapse:Workspace" }, { type: "azure-native_synapse_v20210501:synapse:Workspace" }, { type: "azure-native_synapse_v20210601:synapse:Workspace" }, { type: "azure-native_synapse_v20210601preview:synapse:Workspace" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Workspace.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/workspaceAadAdmin.ts b/sdk/nodejs/synapse/workspaceAadAdmin.ts index 6340df57168b..692d73700148 100644 --- a/sdk/nodejs/synapse/workspaceAadAdmin.ts +++ b/sdk/nodejs/synapse/workspaceAadAdmin.ts @@ -103,7 +103,7 @@ export class WorkspaceAadAdmin extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:WorkspaceAadAdmin" }, { type: "azure-native:synapse/v20201201:WorkspaceAadAdmin" }, { type: "azure-native:synapse/v20210301:WorkspaceAadAdmin" }, { type: "azure-native:synapse/v20210401preview:WorkspaceAadAdmin" }, { type: "azure-native:synapse/v20210501:WorkspaceAadAdmin" }, { type: "azure-native:synapse/v20210601:WorkspaceAadAdmin" }, { type: "azure-native:synapse/v20210601preview:WorkspaceAadAdmin" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:WorkspaceAadAdmin" }, { type: "azure-native:synapse/v20210601preview:WorkspaceAadAdmin" }, { type: "azure-native_synapse_v20190601preview:synapse:WorkspaceAadAdmin" }, { type: "azure-native_synapse_v20201201:synapse:WorkspaceAadAdmin" }, { type: "azure-native_synapse_v20210301:synapse:WorkspaceAadAdmin" }, { type: "azure-native_synapse_v20210401preview:synapse:WorkspaceAadAdmin" }, { type: "azure-native_synapse_v20210501:synapse:WorkspaceAadAdmin" }, { type: "azure-native_synapse_v20210601:synapse:WorkspaceAadAdmin" }, { type: "azure-native_synapse_v20210601preview:synapse:WorkspaceAadAdmin" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceAadAdmin.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/workspaceManagedSqlServerVulnerabilityAssessment.ts b/sdk/nodejs/synapse/workspaceManagedSqlServerVulnerabilityAssessment.ts index f07aba1b7d56..02c7aa8d7ac3 100644 --- a/sdk/nodejs/synapse/workspaceManagedSqlServerVulnerabilityAssessment.ts +++ b/sdk/nodejs/synapse/workspaceManagedSqlServerVulnerabilityAssessment.ts @@ -100,7 +100,7 @@ export class WorkspaceManagedSqlServerVulnerabilityAssessment extends pulumi.Cus resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native:synapse/v20201201:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210301:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210401preview:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210501:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210601:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210601preview:WorkspaceManagedSqlServerVulnerabilityAssessment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native:synapse/v20210601preview:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native_synapse_v20190601preview:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native_synapse_v20201201:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native_synapse_v20210301:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native_synapse_v20210401preview:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native_synapse_v20210501:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native_synapse_v20210601:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }, { type: "azure-native_synapse_v20210601preview:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceManagedSqlServerVulnerabilityAssessment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/synapse/workspaceSqlAadAdmin.ts b/sdk/nodejs/synapse/workspaceSqlAadAdmin.ts index 5d2fb79e65e1..0c0493e45af1 100644 --- a/sdk/nodejs/synapse/workspaceSqlAadAdmin.ts +++ b/sdk/nodejs/synapse/workspaceSqlAadAdmin.ts @@ -105,7 +105,7 @@ export class WorkspaceSqlAadAdmin extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20190601preview:WorkspaceSqlAadAdmin" }, { type: "azure-native:synapse/v20201201:WorkspaceSqlAadAdmin" }, { type: "azure-native:synapse/v20210301:WorkspaceSqlAadAdmin" }, { type: "azure-native:synapse/v20210401preview:WorkspaceSqlAadAdmin" }, { type: "azure-native:synapse/v20210501:WorkspaceSqlAadAdmin" }, { type: "azure-native:synapse/v20210601:WorkspaceSqlAadAdmin" }, { type: "azure-native:synapse/v20210601preview:WorkspaceSqlAadAdmin" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:synapse/v20210601:WorkspaceSqlAadAdmin" }, { type: "azure-native:synapse/v20210601preview:WorkspaceSqlAadAdmin" }, { type: "azure-native_synapse_v20190601preview:synapse:WorkspaceSqlAadAdmin" }, { type: "azure-native_synapse_v20201201:synapse:WorkspaceSqlAadAdmin" }, { type: "azure-native_synapse_v20210301:synapse:WorkspaceSqlAadAdmin" }, { type: "azure-native_synapse_v20210401preview:synapse:WorkspaceSqlAadAdmin" }, { type: "azure-native_synapse_v20210501:synapse:WorkspaceSqlAadAdmin" }, { type: "azure-native_synapse_v20210601:synapse:WorkspaceSqlAadAdmin" }, { type: "azure-native_synapse_v20210601preview:synapse:WorkspaceSqlAadAdmin" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WorkspaceSqlAadAdmin.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/syntex/documentProcessor.ts b/sdk/nodejs/syntex/documentProcessor.ts index a459494f2112..2bae4b3b31f0 100644 --- a/sdk/nodejs/syntex/documentProcessor.ts +++ b/sdk/nodejs/syntex/documentProcessor.ts @@ -101,7 +101,7 @@ export class DocumentProcessor extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:syntex/v20220915preview:DocumentProcessor" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:syntex/v20220915preview:DocumentProcessor" }, { type: "azure-native_syntex_v20220915preview:syntex:DocumentProcessor" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DocumentProcessor.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/testbase/actionRequest.ts b/sdk/nodejs/testbase/actionRequest.ts index 0809bce71202..8fb07a365a1e 100644 --- a/sdk/nodejs/testbase/actionRequest.ts +++ b/sdk/nodejs/testbase/actionRequest.ts @@ -106,7 +106,7 @@ export class ActionRequest extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20231101preview:ActionRequest" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20231101preview:ActionRequest" }, { type: "azure-native_testbase_v20231101preview:testbase:ActionRequest" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ActionRequest.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/testbase/credential.ts b/sdk/nodejs/testbase/credential.ts index 7808e6c726df..a11c229d7fc0 100644 --- a/sdk/nodejs/testbase/credential.ts +++ b/sdk/nodejs/testbase/credential.ts @@ -105,7 +105,7 @@ export class Credential extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20231101preview:Credential" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20231101preview:Credential" }, { type: "azure-native_testbase_v20231101preview:testbase:Credential" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Credential.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/testbase/customImage.ts b/sdk/nodejs/testbase/customImage.ts index 9fdfb2de22b8..0e01872d4f98 100644 --- a/sdk/nodejs/testbase/customImage.ts +++ b/sdk/nodejs/testbase/customImage.ts @@ -174,7 +174,7 @@ export class CustomImage extends pulumi.CustomResource { resourceInputs["vhdId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20231101preview:CustomImage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20231101preview:CustomImage" }, { type: "azure-native_testbase_v20231101preview:testbase:CustomImage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomImage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/testbase/customerEvent.ts b/sdk/nodejs/testbase/customerEvent.ts index 82a46a70e805..4db307c76f11 100644 --- a/sdk/nodejs/testbase/customerEvent.ts +++ b/sdk/nodejs/testbase/customerEvent.ts @@ -107,7 +107,7 @@ export class CustomerEvent extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20201216preview:CustomerEvent" }, { type: "azure-native:testbase/v20220401preview:CustomerEvent" }, { type: "azure-native:testbase/v20231101preview:CustomerEvent" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20220401preview:CustomerEvent" }, { type: "azure-native:testbase/v20231101preview:CustomerEvent" }, { type: "azure-native_testbase_v20201216preview:testbase:CustomerEvent" }, { type: "azure-native_testbase_v20220401preview:testbase:CustomerEvent" }, { type: "azure-native_testbase_v20231101preview:testbase:CustomerEvent" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomerEvent.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/testbase/draftPackage.ts b/sdk/nodejs/testbase/draftPackage.ts index 8434abb83ef5..8e58f37022b3 100644 --- a/sdk/nodejs/testbase/draftPackage.ts +++ b/sdk/nodejs/testbase/draftPackage.ts @@ -249,7 +249,7 @@ export class DraftPackage extends pulumi.CustomResource { resourceInputs["workingPath"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20231101preview:DraftPackage" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20231101preview:DraftPackage" }, { type: "azure-native_testbase_v20231101preview:testbase:DraftPackage" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DraftPackage.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/testbase/favoriteProcess.ts b/sdk/nodejs/testbase/favoriteProcess.ts index 981cd8573ecf..cf277163ff5a 100644 --- a/sdk/nodejs/testbase/favoriteProcess.ts +++ b/sdk/nodejs/testbase/favoriteProcess.ts @@ -102,7 +102,7 @@ export class FavoriteProcess extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20201216preview:FavoriteProcess" }, { type: "azure-native:testbase/v20220401preview:FavoriteProcess" }, { type: "azure-native:testbase/v20231101preview:FavoriteProcess" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20220401preview:FavoriteProcess" }, { type: "azure-native:testbase/v20231101preview:FavoriteProcess" }, { type: "azure-native_testbase_v20201216preview:testbase:FavoriteProcess" }, { type: "azure-native_testbase_v20220401preview:testbase:FavoriteProcess" }, { type: "azure-native_testbase_v20231101preview:testbase:FavoriteProcess" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(FavoriteProcess.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/testbase/imageDefinition.ts b/sdk/nodejs/testbase/imageDefinition.ts index 06bedf0782ff..e775b8bf2639 100644 --- a/sdk/nodejs/testbase/imageDefinition.ts +++ b/sdk/nodejs/testbase/imageDefinition.ts @@ -117,7 +117,7 @@ export class ImageDefinition extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20231101preview:ImageDefinition" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20231101preview:ImageDefinition" }, { type: "azure-native_testbase_v20231101preview:testbase:ImageDefinition" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ImageDefinition.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/testbase/package.ts b/sdk/nodejs/testbase/package.ts index cd0b5ff474f7..54f2ff9d0e20 100644 --- a/sdk/nodejs/testbase/package.ts +++ b/sdk/nodejs/testbase/package.ts @@ -209,7 +209,7 @@ export class Package extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20201216preview:Package" }, { type: "azure-native:testbase/v20220401preview:Package" }, { type: "azure-native:testbase/v20231101preview:Package" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20220401preview:Package" }, { type: "azure-native:testbase/v20231101preview:Package" }, { type: "azure-native_testbase_v20201216preview:testbase:Package" }, { type: "azure-native_testbase_v20220401preview:testbase:Package" }, { type: "azure-native_testbase_v20231101preview:testbase:Package" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Package.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/testbase/testBaseAccount.ts b/sdk/nodejs/testbase/testBaseAccount.ts index b1414df22cd3..347c025b0b3f 100644 --- a/sdk/nodejs/testbase/testBaseAccount.ts +++ b/sdk/nodejs/testbase/testBaseAccount.ts @@ -125,7 +125,7 @@ export class TestBaseAccount extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20201216preview:TestBaseAccount" }, { type: "azure-native:testbase/v20220401preview:TestBaseAccount" }, { type: "azure-native:testbase/v20231101preview:TestBaseAccount" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:testbase/v20220401preview:TestBaseAccount" }, { type: "azure-native:testbase/v20231101preview:TestBaseAccount" }, { type: "azure-native_testbase_v20201216preview:testbase:TestBaseAccount" }, { type: "azure-native_testbase_v20220401preview:testbase:TestBaseAccount" }, { type: "azure-native_testbase_v20231101preview:testbase:TestBaseAccount" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TestBaseAccount.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/timeseriesinsights/accessPolicy.ts b/sdk/nodejs/timeseriesinsights/accessPolicy.ts index 56f321ee2d1f..2f7d22591d5a 100644 --- a/sdk/nodejs/timeseriesinsights/accessPolicy.ts +++ b/sdk/nodejs/timeseriesinsights/accessPolicy.ts @@ -101,7 +101,7 @@ export class AccessPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20170228preview:AccessPolicy" }, { type: "azure-native:timeseriesinsights/v20171115:AccessPolicy" }, { type: "azure-native:timeseriesinsights/v20180815preview:AccessPolicy" }, { type: "azure-native:timeseriesinsights/v20200515:AccessPolicy" }, { type: "azure-native:timeseriesinsights/v20210331preview:AccessPolicy" }, { type: "azure-native:timeseriesinsights/v20210630preview:AccessPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20200515:AccessPolicy" }, { type: "azure-native:timeseriesinsights/v20210630preview:AccessPolicy" }, { type: "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:AccessPolicy" }, { type: "azure-native_timeseriesinsights_v20171115:timeseriesinsights:AccessPolicy" }, { type: "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:AccessPolicy" }, { type: "azure-native_timeseriesinsights_v20200515:timeseriesinsights:AccessPolicy" }, { type: "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:AccessPolicy" }, { type: "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:AccessPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccessPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/timeseriesinsights/eventHubEventSource.ts b/sdk/nodejs/timeseriesinsights/eventHubEventSource.ts index fd3f9c99204e..4666b1e4f01d 100644 --- a/sdk/nodejs/timeseriesinsights/eventHubEventSource.ts +++ b/sdk/nodejs/timeseriesinsights/eventHubEventSource.ts @@ -182,7 +182,7 @@ export class EventHubEventSource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20170228preview:EventHubEventSource" }, { type: "azure-native:timeseriesinsights/v20171115:EventHubEventSource" }, { type: "azure-native:timeseriesinsights/v20180815preview:EventHubEventSource" }, { type: "azure-native:timeseriesinsights/v20200515:EventHubEventSource" }, { type: "azure-native:timeseriesinsights/v20210331preview:EventHubEventSource" }, { type: "azure-native:timeseriesinsights/v20210630preview:EventHubEventSource" }, { type: "azure-native:timeseriesinsights/v20210630preview:IoTHubEventSource" }, { type: "azure-native:timeseriesinsights:IoTHubEventSource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20210630preview:EventHubEventSource" }, { type: "azure-native:timeseriesinsights/v20210630preview:IoTHubEventSource" }, { type: "azure-native:timeseriesinsights:IoTHubEventSource" }, { type: "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:EventHubEventSource" }, { type: "azure-native_timeseriesinsights_v20171115:timeseriesinsights:EventHubEventSource" }, { type: "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:EventHubEventSource" }, { type: "azure-native_timeseriesinsights_v20200515:timeseriesinsights:EventHubEventSource" }, { type: "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:EventHubEventSource" }, { type: "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:EventHubEventSource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EventHubEventSource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/timeseriesinsights/gen1Environment.ts b/sdk/nodejs/timeseriesinsights/gen1Environment.ts index cd4b463051a3..16f85dc93499 100644 --- a/sdk/nodejs/timeseriesinsights/gen1Environment.ts +++ b/sdk/nodejs/timeseriesinsights/gen1Environment.ts @@ -159,7 +159,7 @@ export class Gen1Environment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20170228preview:Gen1Environment" }, { type: "azure-native:timeseriesinsights/v20171115:Gen1Environment" }, { type: "azure-native:timeseriesinsights/v20180815preview:Gen1Environment" }, { type: "azure-native:timeseriesinsights/v20200515:Gen1Environment" }, { type: "azure-native:timeseriesinsights/v20210331preview:Gen1Environment" }, { type: "azure-native:timeseriesinsights/v20210331preview:Gen2Environment" }, { type: "azure-native:timeseriesinsights/v20210630preview:Gen1Environment" }, { type: "azure-native:timeseriesinsights/v20210630preview:Gen2Environment" }, { type: "azure-native:timeseriesinsights:Gen2Environment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20210331preview:Gen2Environment" }, { type: "azure-native:timeseriesinsights/v20210630preview:Gen1Environment" }, { type: "azure-native:timeseriesinsights/v20210630preview:Gen2Environment" }, { type: "azure-native:timeseriesinsights:Gen2Environment" }, { type: "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:Gen1Environment" }, { type: "azure-native_timeseriesinsights_v20171115:timeseriesinsights:Gen1Environment" }, { type: "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:Gen1Environment" }, { type: "azure-native_timeseriesinsights_v20200515:timeseriesinsights:Gen1Environment" }, { type: "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:Gen1Environment" }, { type: "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:Gen1Environment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Gen1Environment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/timeseriesinsights/gen2Environment.ts b/sdk/nodejs/timeseriesinsights/gen2Environment.ts index acd53d1d6506..d698c36db448 100644 --- a/sdk/nodejs/timeseriesinsights/gen2Environment.ts +++ b/sdk/nodejs/timeseriesinsights/gen2Environment.ts @@ -162,7 +162,7 @@ export class Gen2Environment extends pulumi.CustomResource { resourceInputs["warmStoreConfiguration"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20170228preview:Gen2Environment" }, { type: "azure-native:timeseriesinsights/v20171115:Gen2Environment" }, { type: "azure-native:timeseriesinsights/v20180815preview:Gen2Environment" }, { type: "azure-native:timeseriesinsights/v20200515:Gen2Environment" }, { type: "azure-native:timeseriesinsights/v20210331preview:Gen2Environment" }, { type: "azure-native:timeseriesinsights/v20210630preview:Gen1Environment" }, { type: "azure-native:timeseriesinsights/v20210630preview:Gen2Environment" }, { type: "azure-native:timeseriesinsights:Gen1Environment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20210331preview:Gen2Environment" }, { type: "azure-native:timeseriesinsights/v20210630preview:Gen1Environment" }, { type: "azure-native:timeseriesinsights/v20210630preview:Gen2Environment" }, { type: "azure-native:timeseriesinsights:Gen1Environment" }, { type: "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:Gen2Environment" }, { type: "azure-native_timeseriesinsights_v20171115:timeseriesinsights:Gen2Environment" }, { type: "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:Gen2Environment" }, { type: "azure-native_timeseriesinsights_v20200515:timeseriesinsights:Gen2Environment" }, { type: "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:Gen2Environment" }, { type: "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:Gen2Environment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Gen2Environment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/timeseriesinsights/ioTHubEventSource.ts b/sdk/nodejs/timeseriesinsights/ioTHubEventSource.ts index b983e52f629b..95d9c1173a6b 100644 --- a/sdk/nodejs/timeseriesinsights/ioTHubEventSource.ts +++ b/sdk/nodejs/timeseriesinsights/ioTHubEventSource.ts @@ -173,7 +173,7 @@ export class IoTHubEventSource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20170228preview:IoTHubEventSource" }, { type: "azure-native:timeseriesinsights/v20171115:IoTHubEventSource" }, { type: "azure-native:timeseriesinsights/v20180815preview:IoTHubEventSource" }, { type: "azure-native:timeseriesinsights/v20200515:IoTHubEventSource" }, { type: "azure-native:timeseriesinsights/v20210331preview:IoTHubEventSource" }, { type: "azure-native:timeseriesinsights/v20210630preview:EventHubEventSource" }, { type: "azure-native:timeseriesinsights/v20210630preview:IoTHubEventSource" }, { type: "azure-native:timeseriesinsights:EventHubEventSource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20210630preview:EventHubEventSource" }, { type: "azure-native:timeseriesinsights/v20210630preview:IoTHubEventSource" }, { type: "azure-native:timeseriesinsights:EventHubEventSource" }, { type: "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:IoTHubEventSource" }, { type: "azure-native_timeseriesinsights_v20171115:timeseriesinsights:IoTHubEventSource" }, { type: "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:IoTHubEventSource" }, { type: "azure-native_timeseriesinsights_v20200515:timeseriesinsights:IoTHubEventSource" }, { type: "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:IoTHubEventSource" }, { type: "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:IoTHubEventSource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(IoTHubEventSource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/timeseriesinsights/referenceDataSet.ts b/sdk/nodejs/timeseriesinsights/referenceDataSet.ts index 6d3f4c06d872..579c87ac7ab3 100644 --- a/sdk/nodejs/timeseriesinsights/referenceDataSet.ts +++ b/sdk/nodejs/timeseriesinsights/referenceDataSet.ts @@ -122,7 +122,7 @@ export class ReferenceDataSet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20170228preview:ReferenceDataSet" }, { type: "azure-native:timeseriesinsights/v20171115:ReferenceDataSet" }, { type: "azure-native:timeseriesinsights/v20180815preview:ReferenceDataSet" }, { type: "azure-native:timeseriesinsights/v20200515:ReferenceDataSet" }, { type: "azure-native:timeseriesinsights/v20210331preview:ReferenceDataSet" }, { type: "azure-native:timeseriesinsights/v20210630preview:ReferenceDataSet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:timeseriesinsights/v20200515:ReferenceDataSet" }, { type: "azure-native:timeseriesinsights/v20210630preview:ReferenceDataSet" }, { type: "azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:ReferenceDataSet" }, { type: "azure-native_timeseriesinsights_v20171115:timeseriesinsights:ReferenceDataSet" }, { type: "azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:ReferenceDataSet" }, { type: "azure-native_timeseriesinsights_v20200515:timeseriesinsights:ReferenceDataSet" }, { type: "azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:ReferenceDataSet" }, { type: "azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:ReferenceDataSet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ReferenceDataSet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/trafficmanager/endpoint.ts b/sdk/nodejs/trafficmanager/endpoint.ts index 464c6f45de77..709931cc0ceb 100644 --- a/sdk/nodejs/trafficmanager/endpoint.ts +++ b/sdk/nodejs/trafficmanager/endpoint.ts @@ -172,7 +172,7 @@ export class Endpoint extends pulumi.CustomResource { resourceInputs["weight"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20220401:Endpoint" }, { type: "azure-native:network/v20220401preview:Endpoint" }, { type: "azure-native:network:Endpoint" }, { type: "azure-native:trafficmanager/v20151101:Endpoint" }, { type: "azure-native:trafficmanager/v20170301:Endpoint" }, { type: "azure-native:trafficmanager/v20170501:Endpoint" }, { type: "azure-native:trafficmanager/v20180201:Endpoint" }, { type: "azure-native:trafficmanager/v20180301:Endpoint" }, { type: "azure-native:trafficmanager/v20180401:Endpoint" }, { type: "azure-native:trafficmanager/v20180801:Endpoint" }, { type: "azure-native:trafficmanager/v20220401:Endpoint" }, { type: "azure-native:trafficmanager/v20220401preview:Endpoint" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20220401:Endpoint" }, { type: "azure-native:network/v20220401preview:Endpoint" }, { type: "azure-native:network:Endpoint" }, { type: "azure-native_trafficmanager_v20151101:trafficmanager:Endpoint" }, { type: "azure-native_trafficmanager_v20170301:trafficmanager:Endpoint" }, { type: "azure-native_trafficmanager_v20170501:trafficmanager:Endpoint" }, { type: "azure-native_trafficmanager_v20180201:trafficmanager:Endpoint" }, { type: "azure-native_trafficmanager_v20180301:trafficmanager:Endpoint" }, { type: "azure-native_trafficmanager_v20180401:trafficmanager:Endpoint" }, { type: "azure-native_trafficmanager_v20180801:trafficmanager:Endpoint" }, { type: "azure-native_trafficmanager_v20220401:trafficmanager:Endpoint" }, { type: "azure-native_trafficmanager_v20220401preview:trafficmanager:Endpoint" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Endpoint.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/trafficmanager/profile.ts b/sdk/nodejs/trafficmanager/profile.ts index fe18ce92591f..26b950eeac80 100644 --- a/sdk/nodejs/trafficmanager/profile.ts +++ b/sdk/nodejs/trafficmanager/profile.ts @@ -140,7 +140,7 @@ export class Profile extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20220401:Profile" }, { type: "azure-native:network/v20220401preview:Profile" }, { type: "azure-native:network:Profile" }, { type: "azure-native:trafficmanager/v20151101:Profile" }, { type: "azure-native:trafficmanager/v20170301:Profile" }, { type: "azure-native:trafficmanager/v20170501:Profile" }, { type: "azure-native:trafficmanager/v20180201:Profile" }, { type: "azure-native:trafficmanager/v20180301:Profile" }, { type: "azure-native:trafficmanager/v20180401:Profile" }, { type: "azure-native:trafficmanager/v20180801:Profile" }, { type: "azure-native:trafficmanager/v20220401:Profile" }, { type: "azure-native:trafficmanager/v20220401preview:Profile" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20220401:Profile" }, { type: "azure-native:network/v20220401preview:Profile" }, { type: "azure-native:network:Profile" }, { type: "azure-native_trafficmanager_v20151101:trafficmanager:Profile" }, { type: "azure-native_trafficmanager_v20170301:trafficmanager:Profile" }, { type: "azure-native_trafficmanager_v20170501:trafficmanager:Profile" }, { type: "azure-native_trafficmanager_v20180201:trafficmanager:Profile" }, { type: "azure-native_trafficmanager_v20180301:trafficmanager:Profile" }, { type: "azure-native_trafficmanager_v20180401:trafficmanager:Profile" }, { type: "azure-native_trafficmanager_v20180801:trafficmanager:Profile" }, { type: "azure-native_trafficmanager_v20220401:trafficmanager:Profile" }, { type: "azure-native_trafficmanager_v20220401preview:trafficmanager:Profile" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Profile.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/trafficmanager/trafficManagerUserMetricsKey.ts b/sdk/nodejs/trafficmanager/trafficManagerUserMetricsKey.ts index 64ec28f4a1d2..b2c1123febcb 100644 --- a/sdk/nodejs/trafficmanager/trafficManagerUserMetricsKey.ts +++ b/sdk/nodejs/trafficmanager/trafficManagerUserMetricsKey.ts @@ -77,7 +77,7 @@ export class TrafficManagerUserMetricsKey extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:network/v20220401:TrafficManagerUserMetricsKey" }, { type: "azure-native:network/v20220401preview:TrafficManagerUserMetricsKey" }, { type: "azure-native:network:TrafficManagerUserMetricsKey" }, { type: "azure-native:trafficmanager/v20180401:TrafficManagerUserMetricsKey" }, { type: "azure-native:trafficmanager/v20180801:TrafficManagerUserMetricsKey" }, { type: "azure-native:trafficmanager/v20220401:TrafficManagerUserMetricsKey" }, { type: "azure-native:trafficmanager/v20220401preview:TrafficManagerUserMetricsKey" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:network/v20220401:TrafficManagerUserMetricsKey" }, { type: "azure-native:network/v20220401preview:TrafficManagerUserMetricsKey" }, { type: "azure-native:network:TrafficManagerUserMetricsKey" }, { type: "azure-native_trafficmanager_v20180401:trafficmanager:TrafficManagerUserMetricsKey" }, { type: "azure-native_trafficmanager_v20180801:trafficmanager:TrafficManagerUserMetricsKey" }, { type: "azure-native_trafficmanager_v20220401:trafficmanager:TrafficManagerUserMetricsKey" }, { type: "azure-native_trafficmanager_v20220401preview:trafficmanager:TrafficManagerUserMetricsKey" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TrafficManagerUserMetricsKey.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/verifiedid/authority.ts b/sdk/nodejs/verifiedid/authority.ts index 5224fa05fe1b..2d2b96f2e114 100644 --- a/sdk/nodejs/verifiedid/authority.ts +++ b/sdk/nodejs/verifiedid/authority.ts @@ -101,7 +101,7 @@ export class Authority extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:verifiedid/v20240126preview:Authority" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:verifiedid/v20240126preview:Authority" }, { type: "azure-native_verifiedid_v20240126preview:verifiedid:Authority" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Authority.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/videoanalyzer/accessPolicy.ts b/sdk/nodejs/videoanalyzer/accessPolicy.ts index d516019c3619..6542b76d3ea3 100644 --- a/sdk/nodejs/videoanalyzer/accessPolicy.ts +++ b/sdk/nodejs/videoanalyzer/accessPolicy.ts @@ -99,7 +99,7 @@ export class AccessPolicy extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20210501preview:AccessPolicy" }, { type: "azure-native:videoanalyzer/v20211101preview:AccessPolicy" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20211101preview:AccessPolicy" }, { type: "azure-native_videoanalyzer_v20210501preview:videoanalyzer:AccessPolicy" }, { type: "azure-native_videoanalyzer_v20211101preview:videoanalyzer:AccessPolicy" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AccessPolicy.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/videoanalyzer/edgeModule.ts b/sdk/nodejs/videoanalyzer/edgeModule.ts index d6fd3aafb632..1a8ba30ab4e2 100644 --- a/sdk/nodejs/videoanalyzer/edgeModule.ts +++ b/sdk/nodejs/videoanalyzer/edgeModule.ts @@ -93,7 +93,7 @@ export class EdgeModule extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20210501preview:EdgeModule" }, { type: "azure-native:videoanalyzer/v20211101preview:EdgeModule" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20211101preview:EdgeModule" }, { type: "azure-native_videoanalyzer_v20210501preview:videoanalyzer:EdgeModule" }, { type: "azure-native_videoanalyzer_v20211101preview:videoanalyzer:EdgeModule" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(EdgeModule.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/videoanalyzer/livePipeline.ts b/sdk/nodejs/videoanalyzer/livePipeline.ts index 658b8d8cbb3e..f5200b73aa18 100644 --- a/sdk/nodejs/videoanalyzer/livePipeline.ts +++ b/sdk/nodejs/videoanalyzer/livePipeline.ts @@ -123,7 +123,7 @@ export class LivePipeline extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20211101preview:LivePipeline" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20211101preview:LivePipeline" }, { type: "azure-native_videoanalyzer_v20211101preview:videoanalyzer:LivePipeline" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(LivePipeline.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/videoanalyzer/pipelineJob.ts b/sdk/nodejs/videoanalyzer/pipelineJob.ts index 4bbf68594b6e..7deab3ba7329 100644 --- a/sdk/nodejs/videoanalyzer/pipelineJob.ts +++ b/sdk/nodejs/videoanalyzer/pipelineJob.ts @@ -126,7 +126,7 @@ export class PipelineJob extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20211101preview:PipelineJob" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20211101preview:PipelineJob" }, { type: "azure-native_videoanalyzer_v20211101preview:videoanalyzer:PipelineJob" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PipelineJob.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/videoanalyzer/pipelineTopology.ts b/sdk/nodejs/videoanalyzer/pipelineTopology.ts index 4da636062d47..70cb0c8c3d49 100644 --- a/sdk/nodejs/videoanalyzer/pipelineTopology.ts +++ b/sdk/nodejs/videoanalyzer/pipelineTopology.ts @@ -146,7 +146,7 @@ export class PipelineTopology extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20211101preview:PipelineTopology" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20211101preview:PipelineTopology" }, { type: "azure-native_videoanalyzer_v20211101preview:videoanalyzer:PipelineTopology" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PipelineTopology.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/videoanalyzer/privateEndpointConnection.ts b/sdk/nodejs/videoanalyzer/privateEndpointConnection.ts index 6fbb7ac12152..7001829b61c4 100644 --- a/sdk/nodejs/videoanalyzer/privateEndpointConnection.ts +++ b/sdk/nodejs/videoanalyzer/privateEndpointConnection.ts @@ -107,7 +107,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20211101preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20211101preview:PrivateEndpointConnection" }, { type: "azure-native_videoanalyzer_v20211101preview:videoanalyzer:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/videoanalyzer/video.ts b/sdk/nodejs/videoanalyzer/video.ts index a0d134dd4f7b..22ab6ec2cc94 100644 --- a/sdk/nodejs/videoanalyzer/video.ts +++ b/sdk/nodejs/videoanalyzer/video.ts @@ -123,7 +123,7 @@ export class Video extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20210501preview:Video" }, { type: "azure-native:videoanalyzer/v20211101preview:Video" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20210501preview:Video" }, { type: "azure-native:videoanalyzer/v20211101preview:Video" }, { type: "azure-native_videoanalyzer_v20210501preview:videoanalyzer:Video" }, { type: "azure-native_videoanalyzer_v20211101preview:videoanalyzer:Video" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Video.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/videoanalyzer/videoAnalyzer.ts b/sdk/nodejs/videoanalyzer/videoAnalyzer.ts index e6801f016323..91d2ff23613c 100644 --- a/sdk/nodejs/videoanalyzer/videoAnalyzer.ts +++ b/sdk/nodejs/videoanalyzer/videoAnalyzer.ts @@ -152,7 +152,7 @@ export class VideoAnalyzer extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20210501preview:VideoAnalyzer" }, { type: "azure-native:videoanalyzer/v20211101preview:VideoAnalyzer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:videoanalyzer/v20210501preview:VideoAnalyzer" }, { type: "azure-native:videoanalyzer/v20211101preview:VideoAnalyzer" }, { type: "azure-native_videoanalyzer_v20210501preview:videoanalyzer:VideoAnalyzer" }, { type: "azure-native_videoanalyzer_v20211101preview:videoanalyzer:VideoAnalyzer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VideoAnalyzer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/videoindexer/account.ts b/sdk/nodejs/videoindexer/account.ts index 7436963ded95..52bb2c8222d0 100644 --- a/sdk/nodejs/videoindexer/account.ts +++ b/sdk/nodejs/videoindexer/account.ts @@ -138,7 +138,7 @@ export class Account extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:videoindexer/v20211018preview:Account" }, { type: "azure-native:videoindexer/v20211027preview:Account" }, { type: "azure-native:videoindexer/v20211110preview:Account" }, { type: "azure-native:videoindexer/v20220413preview:Account" }, { type: "azure-native:videoindexer/v20220720preview:Account" }, { type: "azure-native:videoindexer/v20220801:Account" }, { type: "azure-native:videoindexer/v20240101:Account" }, { type: "azure-native:videoindexer/v20240401preview:Account" }, { type: "azure-native:videoindexer/v20240601preview:Account" }, { type: "azure-native:videoindexer/v20240923preview:Account" }, { type: "azure-native:videoindexer/v20250101:Account" }, { type: "azure-native:videoindexer/v20250301:Account" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:videoindexer/v20220801:Account" }, { type: "azure-native:videoindexer/v20240101:Account" }, { type: "azure-native:videoindexer/v20240401preview:Account" }, { type: "azure-native:videoindexer/v20240601preview:Account" }, { type: "azure-native:videoindexer/v20240923preview:Account" }, { type: "azure-native_videoindexer_v20211018preview:videoindexer:Account" }, { type: "azure-native_videoindexer_v20211027preview:videoindexer:Account" }, { type: "azure-native_videoindexer_v20211110preview:videoindexer:Account" }, { type: "azure-native_videoindexer_v20220413preview:videoindexer:Account" }, { type: "azure-native_videoindexer_v20220720preview:videoindexer:Account" }, { type: "azure-native_videoindexer_v20220801:videoindexer:Account" }, { type: "azure-native_videoindexer_v20240101:videoindexer:Account" }, { type: "azure-native_videoindexer_v20240401preview:videoindexer:Account" }, { type: "azure-native_videoindexer_v20240601preview:videoindexer:Account" }, { type: "azure-native_videoindexer_v20240923preview:videoindexer:Account" }, { type: "azure-native_videoindexer_v20250101:videoindexer:Account" }, { type: "azure-native_videoindexer_v20250301:videoindexer:Account" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Account.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/videoindexer/privateEndpointConnection.ts b/sdk/nodejs/videoindexer/privateEndpointConnection.ts index ea9b8c4d43b9..77ca5036c846 100644 --- a/sdk/nodejs/videoindexer/privateEndpointConnection.ts +++ b/sdk/nodejs/videoindexer/privateEndpointConnection.ts @@ -114,7 +114,7 @@ export class PrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:videoindexer/v20240601preview:PrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:videoindexer/v20240601preview:PrivateEndpointConnection" }, { type: "azure-native_videoindexer_v20240601preview:videoindexer:PrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(PrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/virtualmachineimages/trigger.ts b/sdk/nodejs/virtualmachineimages/trigger.ts index ef643693e3e8..ac8b21780d97 100644 --- a/sdk/nodejs/virtualmachineimages/trigger.ts +++ b/sdk/nodejs/virtualmachineimages/trigger.ts @@ -110,7 +110,7 @@ export class Trigger extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:virtualmachineimages/v20220701:Trigger" }, { type: "azure-native:virtualmachineimages/v20230701:Trigger" }, { type: "azure-native:virtualmachineimages/v20240201:Trigger" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:virtualmachineimages/v20220701:Trigger" }, { type: "azure-native:virtualmachineimages/v20230701:Trigger" }, { type: "azure-native:virtualmachineimages/v20240201:Trigger" }, { type: "azure-native_virtualmachineimages_v20220701:virtualmachineimages:Trigger" }, { type: "azure-native_virtualmachineimages_v20230701:virtualmachineimages:Trigger" }, { type: "azure-native_virtualmachineimages_v20240201:virtualmachineimages:Trigger" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Trigger.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/virtualmachineimages/virtualMachineImageTemplate.ts b/sdk/nodejs/virtualmachineimages/virtualMachineImageTemplate.ts index deea887fd306..da4571de2c46 100644 --- a/sdk/nodejs/virtualmachineimages/virtualMachineImageTemplate.ts +++ b/sdk/nodejs/virtualmachineimages/virtualMachineImageTemplate.ts @@ -202,7 +202,7 @@ export class VirtualMachineImageTemplate extends pulumi.CustomResource { resourceInputs["vmProfile"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:virtualmachineimages/v20180201preview:VirtualMachineImageTemplate" }, { type: "azure-native:virtualmachineimages/v20190201preview:VirtualMachineImageTemplate" }, { type: "azure-native:virtualmachineimages/v20190501preview:VirtualMachineImageTemplate" }, { type: "azure-native:virtualmachineimages/v20200214:VirtualMachineImageTemplate" }, { type: "azure-native:virtualmachineimages/v20211001:VirtualMachineImageTemplate" }, { type: "azure-native:virtualmachineimages/v20220214:VirtualMachineImageTemplate" }, { type: "azure-native:virtualmachineimages/v20220701:VirtualMachineImageTemplate" }, { type: "azure-native:virtualmachineimages/v20230701:VirtualMachineImageTemplate" }, { type: "azure-native:virtualmachineimages/v20240201:VirtualMachineImageTemplate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:virtualmachineimages/v20220701:VirtualMachineImageTemplate" }, { type: "azure-native:virtualmachineimages/v20230701:VirtualMachineImageTemplate" }, { type: "azure-native:virtualmachineimages/v20240201:VirtualMachineImageTemplate" }, { type: "azure-native_virtualmachineimages_v20180201preview:virtualmachineimages:VirtualMachineImageTemplate" }, { type: "azure-native_virtualmachineimages_v20190201preview:virtualmachineimages:VirtualMachineImageTemplate" }, { type: "azure-native_virtualmachineimages_v20190501preview:virtualmachineimages:VirtualMachineImageTemplate" }, { type: "azure-native_virtualmachineimages_v20200214:virtualmachineimages:VirtualMachineImageTemplate" }, { type: "azure-native_virtualmachineimages_v20211001:virtualmachineimages:VirtualMachineImageTemplate" }, { type: "azure-native_virtualmachineimages_v20220214:virtualmachineimages:VirtualMachineImageTemplate" }, { type: "azure-native_virtualmachineimages_v20220701:virtualmachineimages:VirtualMachineImageTemplate" }, { type: "azure-native_virtualmachineimages_v20230701:virtualmachineimages:VirtualMachineImageTemplate" }, { type: "azure-native_virtualmachineimages_v20240201:virtualmachineimages:VirtualMachineImageTemplate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachineImageTemplate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/vmwarecloudsimple/dedicatedCloudNode.ts b/sdk/nodejs/vmwarecloudsimple/dedicatedCloudNode.ts index 3524b45d3141..383ab67ab7dd 100644 --- a/sdk/nodejs/vmwarecloudsimple/dedicatedCloudNode.ts +++ b/sdk/nodejs/vmwarecloudsimple/dedicatedCloudNode.ts @@ -124,7 +124,7 @@ export class DedicatedCloudNode extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:vmwarecloudsimple/v20190401:DedicatedCloudNode" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:vmwarecloudsimple/v20190401:DedicatedCloudNode" }, { type: "azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:DedicatedCloudNode" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DedicatedCloudNode.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/vmwarecloudsimple/dedicatedCloudService.ts b/sdk/nodejs/vmwarecloudsimple/dedicatedCloudService.ts index 822e43e7fe16..76111ed58a9f 100644 --- a/sdk/nodejs/vmwarecloudsimple/dedicatedCloudService.ts +++ b/sdk/nodejs/vmwarecloudsimple/dedicatedCloudService.ts @@ -113,7 +113,7 @@ export class DedicatedCloudService extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:vmwarecloudsimple/v20190401:DedicatedCloudService" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:vmwarecloudsimple/v20190401:DedicatedCloudService" }, { type: "azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:DedicatedCloudService" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(DedicatedCloudService.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/vmwarecloudsimple/virtualMachine.ts b/sdk/nodejs/vmwarecloudsimple/virtualMachine.ts index ef8a77b13c06..833ea0a2c945 100644 --- a/sdk/nodejs/vmwarecloudsimple/virtualMachine.ts +++ b/sdk/nodejs/vmwarecloudsimple/virtualMachine.ts @@ -230,7 +230,7 @@ export class VirtualMachine extends pulumi.CustomResource { resourceInputs["vmwaretools"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:vmwarecloudsimple/v20190401:VirtualMachine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:vmwarecloudsimple/v20190401:VirtualMachine" }, { type: "azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:VirtualMachine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(VirtualMachine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/voiceservices/communicationsGateway.ts b/sdk/nodejs/voiceservices/communicationsGateway.ts index 2804c627f1a8..7384e14bccb3 100644 --- a/sdk/nodejs/voiceservices/communicationsGateway.ts +++ b/sdk/nodejs/voiceservices/communicationsGateway.ts @@ -232,7 +232,7 @@ export class CommunicationsGateway extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:voiceservices/v20221201preview:CommunicationsGateway" }, { type: "azure-native:voiceservices/v20230131:CommunicationsGateway" }, { type: "azure-native:voiceservices/v20230403:CommunicationsGateway" }, { type: "azure-native:voiceservices/v20230901:CommunicationsGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:voiceservices/v20230403:CommunicationsGateway" }, { type: "azure-native:voiceservices/v20230901:CommunicationsGateway" }, { type: "azure-native_voiceservices_v20221201preview:voiceservices:CommunicationsGateway" }, { type: "azure-native_voiceservices_v20230131:voiceservices:CommunicationsGateway" }, { type: "azure-native_voiceservices_v20230403:voiceservices:CommunicationsGateway" }, { type: "azure-native_voiceservices_v20230901:voiceservices:CommunicationsGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CommunicationsGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/voiceservices/contact.ts b/sdk/nodejs/voiceservices/contact.ts index eaeb033c8cc5..681f5d8826a1 100644 --- a/sdk/nodejs/voiceservices/contact.ts +++ b/sdk/nodejs/voiceservices/contact.ts @@ -137,7 +137,7 @@ export class Contact extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:voiceservices/v20221201preview:Contact" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:voiceservices/v20221201preview:Contact" }, { type: "azure-native_voiceservices_v20221201preview:voiceservices:Contact" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Contact.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/voiceservices/testLine.ts b/sdk/nodejs/voiceservices/testLine.ts index c8b4ba830767..2e2e9400da62 100644 --- a/sdk/nodejs/voiceservices/testLine.ts +++ b/sdk/nodejs/voiceservices/testLine.ts @@ -125,7 +125,7 @@ export class TestLine extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:voiceservices/v20221201preview:TestLine" }, { type: "azure-native:voiceservices/v20230131:TestLine" }, { type: "azure-native:voiceservices/v20230403:TestLine" }, { type: "azure-native:voiceservices/v20230901:TestLine" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:voiceservices/v20221201preview:TestLine" }, { type: "azure-native:voiceservices/v20230403:TestLine" }, { type: "azure-native:voiceservices/v20230901:TestLine" }, { type: "azure-native_voiceservices_v20221201preview:voiceservices:TestLine" }, { type: "azure-native_voiceservices_v20230131:voiceservices:TestLine" }, { type: "azure-native_voiceservices_v20230403:voiceservices:TestLine" }, { type: "azure-native_voiceservices_v20230901:voiceservices:TestLine" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(TestLine.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/appServiceEnvironment.ts b/sdk/nodejs/web/appServiceEnvironment.ts index 506b6e685e97..765947e04f30 100644 --- a/sdk/nodejs/web/appServiceEnvironment.ts +++ b/sdk/nodejs/web/appServiceEnvironment.ts @@ -220,7 +220,7 @@ export class AppServiceEnvironment extends pulumi.CustomResource { resourceInputs["zoneRedundant"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:AppServiceEnvironment" }, { type: "azure-native:web/v20160901:AppServiceEnvironment" }, { type: "azure-native:web/v20180201:AppServiceEnvironment" }, { type: "azure-native:web/v20190801:AppServiceEnvironment" }, { type: "azure-native:web/v20200601:AppServiceEnvironment" }, { type: "azure-native:web/v20200901:AppServiceEnvironment" }, { type: "azure-native:web/v20201001:AppServiceEnvironment" }, { type: "azure-native:web/v20201201:AppServiceEnvironment" }, { type: "azure-native:web/v20210101:AppServiceEnvironment" }, { type: "azure-native:web/v20210115:AppServiceEnvironment" }, { type: "azure-native:web/v20210201:AppServiceEnvironment" }, { type: "azure-native:web/v20210301:AppServiceEnvironment" }, { type: "azure-native:web/v20220301:AppServiceEnvironment" }, { type: "azure-native:web/v20220901:AppServiceEnvironment" }, { type: "azure-native:web/v20230101:AppServiceEnvironment" }, { type: "azure-native:web/v20231201:AppServiceEnvironment" }, { type: "azure-native:web/v20240401:AppServiceEnvironment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20190801:AppServiceEnvironment" }, { type: "azure-native:web/v20201001:AppServiceEnvironment" }, { type: "azure-native:web/v20210115:AppServiceEnvironment" }, { type: "azure-native:web/v20220901:AppServiceEnvironment" }, { type: "azure-native:web/v20230101:AppServiceEnvironment" }, { type: "azure-native:web/v20231201:AppServiceEnvironment" }, { type: "azure-native:web/v20240401:AppServiceEnvironment" }, { type: "azure-native_web_v20150801:web:AppServiceEnvironment" }, { type: "azure-native_web_v20160901:web:AppServiceEnvironment" }, { type: "azure-native_web_v20180201:web:AppServiceEnvironment" }, { type: "azure-native_web_v20190801:web:AppServiceEnvironment" }, { type: "azure-native_web_v20200601:web:AppServiceEnvironment" }, { type: "azure-native_web_v20200901:web:AppServiceEnvironment" }, { type: "azure-native_web_v20201001:web:AppServiceEnvironment" }, { type: "azure-native_web_v20201201:web:AppServiceEnvironment" }, { type: "azure-native_web_v20210101:web:AppServiceEnvironment" }, { type: "azure-native_web_v20210115:web:AppServiceEnvironment" }, { type: "azure-native_web_v20210201:web:AppServiceEnvironment" }, { type: "azure-native_web_v20210301:web:AppServiceEnvironment" }, { type: "azure-native_web_v20220301:web:AppServiceEnvironment" }, { type: "azure-native_web_v20220901:web:AppServiceEnvironment" }, { type: "azure-native_web_v20230101:web:AppServiceEnvironment" }, { type: "azure-native_web_v20231201:web:AppServiceEnvironment" }, { type: "azure-native_web_v20240401:web:AppServiceEnvironment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AppServiceEnvironment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/appServiceEnvironmentAseCustomDnsSuffixConfiguration.ts b/sdk/nodejs/web/appServiceEnvironmentAseCustomDnsSuffixConfiguration.ts index 0f70eac2b90a..023b3fe22b75 100644 --- a/sdk/nodejs/web/appServiceEnvironmentAseCustomDnsSuffixConfiguration.ts +++ b/sdk/nodejs/web/appServiceEnvironmentAseCustomDnsSuffixConfiguration.ts @@ -108,7 +108,7 @@ export class AppServiceEnvironmentAseCustomDnsSuffixConfiguration extends pulumi resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20220301:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native:web/v20220901:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native:web/v20230101:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native:web/v20231201:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native:web/v20240401:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native:web/v20230101:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native:web/v20231201:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native:web/v20240401:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native_web_v20220301:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native_web_v20220901:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native_web_v20230101:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native_web_v20231201:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }, { type: "azure-native_web_v20240401:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AppServiceEnvironmentAseCustomDnsSuffixConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/appServiceEnvironmentPrivateEndpointConnection.ts b/sdk/nodejs/web/appServiceEnvironmentPrivateEndpointConnection.ts index 92f2e9fc9202..f6bbb618bf18 100644 --- a/sdk/nodejs/web/appServiceEnvironmentPrivateEndpointConnection.ts +++ b/sdk/nodejs/web/appServiceEnvironmentPrivateEndpointConnection.ts @@ -109,7 +109,7 @@ export class AppServiceEnvironmentPrivateEndpointConnection extends pulumi.Custo resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20201201:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20210101:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20210115:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20210201:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20210301:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20220301:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20220901:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20230101:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20231201:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20240401:AppServiceEnvironmentPrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20230101:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20231201:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native:web/v20240401:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native_web_v20201201:web:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native_web_v20210101:web:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native_web_v20210115:web:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native_web_v20210201:web:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native_web_v20210301:web:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native_web_v20220301:web:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native_web_v20220901:web:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native_web_v20230101:web:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native_web_v20231201:web:AppServiceEnvironmentPrivateEndpointConnection" }, { type: "azure-native_web_v20240401:web:AppServiceEnvironmentPrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AppServiceEnvironmentPrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/appServicePlan.ts b/sdk/nodejs/web/appServicePlan.ts index c187a9161623..ae6b18d0702f 100644 --- a/sdk/nodejs/web/appServicePlan.ts +++ b/sdk/nodejs/web/appServicePlan.ts @@ -248,7 +248,7 @@ export class AppServicePlan extends pulumi.CustomResource { resourceInputs["zoneRedundant"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:AppServicePlan" }, { type: "azure-native:web/v20160901:AppServicePlan" }, { type: "azure-native:web/v20180201:AppServicePlan" }, { type: "azure-native:web/v20190801:AppServicePlan" }, { type: "azure-native:web/v20200601:AppServicePlan" }, { type: "azure-native:web/v20200901:AppServicePlan" }, { type: "azure-native:web/v20201001:AppServicePlan" }, { type: "azure-native:web/v20201201:AppServicePlan" }, { type: "azure-native:web/v20210101:AppServicePlan" }, { type: "azure-native:web/v20210115:AppServicePlan" }, { type: "azure-native:web/v20210201:AppServicePlan" }, { type: "azure-native:web/v20210301:AppServicePlan" }, { type: "azure-native:web/v20220301:AppServicePlan" }, { type: "azure-native:web/v20220901:AppServicePlan" }, { type: "azure-native:web/v20230101:AppServicePlan" }, { type: "azure-native:web/v20231201:AppServicePlan" }, { type: "azure-native:web/v20240401:AppServicePlan" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160901:AppServicePlan" }, { type: "azure-native:web/v20201001:AppServicePlan" }, { type: "azure-native:web/v20220901:AppServicePlan" }, { type: "azure-native:web/v20230101:AppServicePlan" }, { type: "azure-native:web/v20231201:AppServicePlan" }, { type: "azure-native:web/v20240401:AppServicePlan" }, { type: "azure-native_web_v20150801:web:AppServicePlan" }, { type: "azure-native_web_v20160901:web:AppServicePlan" }, { type: "azure-native_web_v20180201:web:AppServicePlan" }, { type: "azure-native_web_v20190801:web:AppServicePlan" }, { type: "azure-native_web_v20200601:web:AppServicePlan" }, { type: "azure-native_web_v20200901:web:AppServicePlan" }, { type: "azure-native_web_v20201001:web:AppServicePlan" }, { type: "azure-native_web_v20201201:web:AppServicePlan" }, { type: "azure-native_web_v20210101:web:AppServicePlan" }, { type: "azure-native_web_v20210115:web:AppServicePlan" }, { type: "azure-native_web_v20210201:web:AppServicePlan" }, { type: "azure-native_web_v20210301:web:AppServicePlan" }, { type: "azure-native_web_v20220301:web:AppServicePlan" }, { type: "azure-native_web_v20220901:web:AppServicePlan" }, { type: "azure-native_web_v20230101:web:AppServicePlan" }, { type: "azure-native_web_v20231201:web:AppServicePlan" }, { type: "azure-native_web_v20240401:web:AppServicePlan" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AppServicePlan.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/appServicePlanRouteForVnet.ts b/sdk/nodejs/web/appServicePlanRouteForVnet.ts index 12d9f0f2c932..374eeeb2822a 100644 --- a/sdk/nodejs/web/appServicePlanRouteForVnet.ts +++ b/sdk/nodejs/web/appServicePlanRouteForVnet.ts @@ -115,7 +115,7 @@ export class AppServicePlanRouteForVnet extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20160901:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20180201:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20190801:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20200601:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20200901:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20201001:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20201201:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20210101:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20210115:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20210201:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20210301:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20220301:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20220901:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20230101:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20231201:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20240401:AppServicePlanRouteForVnet" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160901:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20201001:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20220901:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20230101:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20231201:AppServicePlanRouteForVnet" }, { type: "azure-native:web/v20240401:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20150801:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20160901:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20180201:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20190801:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20200601:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20200901:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20201001:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20201201:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20210101:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20210115:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20210201:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20210301:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20220301:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20220901:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20230101:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20231201:web:AppServicePlanRouteForVnet" }, { type: "azure-native_web_v20240401:web:AppServicePlanRouteForVnet" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(AppServicePlanRouteForVnet.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/certificate.ts b/sdk/nodejs/web/certificate.ts index 23c538450433..9f1d176c027e 100644 --- a/sdk/nodejs/web/certificate.ts +++ b/sdk/nodejs/web/certificate.ts @@ -217,7 +217,7 @@ export class Certificate extends pulumi.CustomResource { resourceInputs["valid"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:Certificate" }, { type: "azure-native:web/v20160301:Certificate" }, { type: "azure-native:web/v20180201:Certificate" }, { type: "azure-native:web/v20181101:Certificate" }, { type: "azure-native:web/v20190801:Certificate" }, { type: "azure-native:web/v20200601:Certificate" }, { type: "azure-native:web/v20200901:Certificate" }, { type: "azure-native:web/v20201001:Certificate" }, { type: "azure-native:web/v20201201:Certificate" }, { type: "azure-native:web/v20210101:Certificate" }, { type: "azure-native:web/v20210115:Certificate" }, { type: "azure-native:web/v20210201:Certificate" }, { type: "azure-native:web/v20210301:Certificate" }, { type: "azure-native:web/v20220301:Certificate" }, { type: "azure-native:web/v20220901:Certificate" }, { type: "azure-native:web/v20230101:Certificate" }, { type: "azure-native:web/v20231201:Certificate" }, { type: "azure-native:web/v20240401:Certificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160301:Certificate" }, { type: "azure-native:web/v20201001:Certificate" }, { type: "azure-native:web/v20220901:Certificate" }, { type: "azure-native:web/v20230101:Certificate" }, { type: "azure-native:web/v20231201:Certificate" }, { type: "azure-native:web/v20240401:Certificate" }, { type: "azure-native_web_v20150801:web:Certificate" }, { type: "azure-native_web_v20160301:web:Certificate" }, { type: "azure-native_web_v20180201:web:Certificate" }, { type: "azure-native_web_v20181101:web:Certificate" }, { type: "azure-native_web_v20190801:web:Certificate" }, { type: "azure-native_web_v20200601:web:Certificate" }, { type: "azure-native_web_v20200901:web:Certificate" }, { type: "azure-native_web_v20201001:web:Certificate" }, { type: "azure-native_web_v20201201:web:Certificate" }, { type: "azure-native_web_v20210101:web:Certificate" }, { type: "azure-native_web_v20210115:web:Certificate" }, { type: "azure-native_web_v20210201:web:Certificate" }, { type: "azure-native_web_v20210301:web:Certificate" }, { type: "azure-native_web_v20220301:web:Certificate" }, { type: "azure-native_web_v20220901:web:Certificate" }, { type: "azure-native_web_v20230101:web:Certificate" }, { type: "azure-native_web_v20231201:web:Certificate" }, { type: "azure-native_web_v20240401:web:Certificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Certificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/connection.ts b/sdk/nodejs/web/connection.ts index 26e77e1351d0..c74fcfc9193c 100644 --- a/sdk/nodejs/web/connection.ts +++ b/sdk/nodejs/web/connection.ts @@ -101,7 +101,7 @@ export class Connection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801preview:Connection" }, { type: "azure-native:web/v20160601:Connection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801preview:Connection" }, { type: "azure-native:web/v20160601:Connection" }, { type: "azure-native_web_v20150801preview:web:Connection" }, { type: "azure-native_web_v20160601:web:Connection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Connection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/connectionGateway.ts b/sdk/nodejs/web/connectionGateway.ts index 0edd7a430463..22e9842d6d6e 100644 --- a/sdk/nodejs/web/connectionGateway.ts +++ b/sdk/nodejs/web/connectionGateway.ts @@ -99,7 +99,7 @@ export class ConnectionGateway extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160601:ConnectionGateway" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160601:ConnectionGateway" }, { type: "azure-native_web_v20160601:web:ConnectionGateway" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ConnectionGateway.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/customApi.ts b/sdk/nodejs/web/customApi.ts index 107f7e1fa468..5f36c1782adc 100644 --- a/sdk/nodejs/web/customApi.ts +++ b/sdk/nodejs/web/customApi.ts @@ -102,7 +102,7 @@ export class CustomApi extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160601:CustomApi" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160601:CustomApi" }, { type: "azure-native_web_v20160601:web:CustomApi" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(CustomApi.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/kubeEnvironment.ts b/sdk/nodejs/web/kubeEnvironment.ts index 60c0d7ae94f9..594135513684 100644 --- a/sdk/nodejs/web/kubeEnvironment.ts +++ b/sdk/nodejs/web/kubeEnvironment.ts @@ -163,7 +163,7 @@ export class KubeEnvironment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20210101:KubeEnvironment" }, { type: "azure-native:web/v20210115:KubeEnvironment" }, { type: "azure-native:web/v20210201:KubeEnvironment" }, { type: "azure-native:web/v20210301:KubeEnvironment" }, { type: "azure-native:web/v20220301:KubeEnvironment" }, { type: "azure-native:web/v20220901:KubeEnvironment" }, { type: "azure-native:web/v20230101:KubeEnvironment" }, { type: "azure-native:web/v20231201:KubeEnvironment" }, { type: "azure-native:web/v20240401:KubeEnvironment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:KubeEnvironment" }, { type: "azure-native:web/v20230101:KubeEnvironment" }, { type: "azure-native:web/v20231201:KubeEnvironment" }, { type: "azure-native:web/v20240401:KubeEnvironment" }, { type: "azure-native_web_v20210101:web:KubeEnvironment" }, { type: "azure-native_web_v20210115:web:KubeEnvironment" }, { type: "azure-native_web_v20210201:web:KubeEnvironment" }, { type: "azure-native_web_v20210301:web:KubeEnvironment" }, { type: "azure-native_web_v20220301:web:KubeEnvironment" }, { type: "azure-native_web_v20220901:web:KubeEnvironment" }, { type: "azure-native_web_v20230101:web:KubeEnvironment" }, { type: "azure-native_web_v20231201:web:KubeEnvironment" }, { type: "azure-native_web_v20240401:web:KubeEnvironment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(KubeEnvironment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/staticSite.ts b/sdk/nodejs/web/staticSite.ts index 28d22bf8ca6d..c0c5f5497dcc 100644 --- a/sdk/nodejs/web/staticSite.ts +++ b/sdk/nodejs/web/staticSite.ts @@ -216,7 +216,7 @@ export class StaticSite extends pulumi.CustomResource { resourceInputs["userProvidedFunctionApps"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20190801:StaticSite" }, { type: "azure-native:web/v20200601:StaticSite" }, { type: "azure-native:web/v20200901:StaticSite" }, { type: "azure-native:web/v20201001:StaticSite" }, { type: "azure-native:web/v20201201:StaticSite" }, { type: "azure-native:web/v20210101:StaticSite" }, { type: "azure-native:web/v20210115:StaticSite" }, { type: "azure-native:web/v20210201:StaticSite" }, { type: "azure-native:web/v20210301:StaticSite" }, { type: "azure-native:web/v20220301:StaticSite" }, { type: "azure-native:web/v20220901:StaticSite" }, { type: "azure-native:web/v20230101:StaticSite" }, { type: "azure-native:web/v20231201:StaticSite" }, { type: "azure-native:web/v20240401:StaticSite" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:StaticSite" }, { type: "azure-native:web/v20210201:StaticSite" }, { type: "azure-native:web/v20220901:StaticSite" }, { type: "azure-native:web/v20230101:StaticSite" }, { type: "azure-native:web/v20231201:StaticSite" }, { type: "azure-native:web/v20240401:StaticSite" }, { type: "azure-native_web_v20190801:web:StaticSite" }, { type: "azure-native_web_v20200601:web:StaticSite" }, { type: "azure-native_web_v20200901:web:StaticSite" }, { type: "azure-native_web_v20201001:web:StaticSite" }, { type: "azure-native_web_v20201201:web:StaticSite" }, { type: "azure-native_web_v20210101:web:StaticSite" }, { type: "azure-native_web_v20210115:web:StaticSite" }, { type: "azure-native_web_v20210201:web:StaticSite" }, { type: "azure-native_web_v20210301:web:StaticSite" }, { type: "azure-native_web_v20220301:web:StaticSite" }, { type: "azure-native_web_v20220901:web:StaticSite" }, { type: "azure-native_web_v20230101:web:StaticSite" }, { type: "azure-native_web_v20231201:web:StaticSite" }, { type: "azure-native_web_v20240401:web:StaticSite" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StaticSite.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/staticSiteBuildDatabaseConnection.ts b/sdk/nodejs/web/staticSiteBuildDatabaseConnection.ts index 326e173fb228..45af5eaced03 100644 --- a/sdk/nodejs/web/staticSiteBuildDatabaseConnection.ts +++ b/sdk/nodejs/web/staticSiteBuildDatabaseConnection.ts @@ -128,7 +128,7 @@ export class StaticSiteBuildDatabaseConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:StaticSiteBuildDatabaseConnection" }, { type: "azure-native:web/v20230101:StaticSiteBuildDatabaseConnection" }, { type: "azure-native:web/v20231201:StaticSiteBuildDatabaseConnection" }, { type: "azure-native:web/v20240401:StaticSiteBuildDatabaseConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:StaticSiteBuildDatabaseConnection" }, { type: "azure-native:web/v20230101:StaticSiteBuildDatabaseConnection" }, { type: "azure-native:web/v20231201:StaticSiteBuildDatabaseConnection" }, { type: "azure-native:web/v20240401:StaticSiteBuildDatabaseConnection" }, { type: "azure-native_web_v20220901:web:StaticSiteBuildDatabaseConnection" }, { type: "azure-native_web_v20230101:web:StaticSiteBuildDatabaseConnection" }, { type: "azure-native_web_v20231201:web:StaticSiteBuildDatabaseConnection" }, { type: "azure-native_web_v20240401:web:StaticSiteBuildDatabaseConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StaticSiteBuildDatabaseConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/staticSiteCustomDomain.ts b/sdk/nodejs/web/staticSiteCustomDomain.ts index 94f59046178b..6c85fa768572 100644 --- a/sdk/nodejs/web/staticSiteCustomDomain.ts +++ b/sdk/nodejs/web/staticSiteCustomDomain.ts @@ -112,7 +112,7 @@ export class StaticSiteCustomDomain extends pulumi.CustomResource { resourceInputs["validationToken"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20201201:StaticSiteCustomDomain" }, { type: "azure-native:web/v20210101:StaticSiteCustomDomain" }, { type: "azure-native:web/v20210115:StaticSiteCustomDomain" }, { type: "azure-native:web/v20210201:StaticSiteCustomDomain" }, { type: "azure-native:web/v20210301:StaticSiteCustomDomain" }, { type: "azure-native:web/v20220301:StaticSiteCustomDomain" }, { type: "azure-native:web/v20220901:StaticSiteCustomDomain" }, { type: "azure-native:web/v20230101:StaticSiteCustomDomain" }, { type: "azure-native:web/v20231201:StaticSiteCustomDomain" }, { type: "azure-native:web/v20240401:StaticSiteCustomDomain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:StaticSiteCustomDomain" }, { type: "azure-native:web/v20230101:StaticSiteCustomDomain" }, { type: "azure-native:web/v20231201:StaticSiteCustomDomain" }, { type: "azure-native:web/v20240401:StaticSiteCustomDomain" }, { type: "azure-native_web_v20201201:web:StaticSiteCustomDomain" }, { type: "azure-native_web_v20210101:web:StaticSiteCustomDomain" }, { type: "azure-native_web_v20210115:web:StaticSiteCustomDomain" }, { type: "azure-native_web_v20210201:web:StaticSiteCustomDomain" }, { type: "azure-native_web_v20210301:web:StaticSiteCustomDomain" }, { type: "azure-native_web_v20220301:web:StaticSiteCustomDomain" }, { type: "azure-native_web_v20220901:web:StaticSiteCustomDomain" }, { type: "azure-native_web_v20230101:web:StaticSiteCustomDomain" }, { type: "azure-native_web_v20231201:web:StaticSiteCustomDomain" }, { type: "azure-native_web_v20240401:web:StaticSiteCustomDomain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StaticSiteCustomDomain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/staticSiteDatabaseConnection.ts b/sdk/nodejs/web/staticSiteDatabaseConnection.ts index ac26d16ca848..239505ef3809 100644 --- a/sdk/nodejs/web/staticSiteDatabaseConnection.ts +++ b/sdk/nodejs/web/staticSiteDatabaseConnection.ts @@ -124,7 +124,7 @@ export class StaticSiteDatabaseConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:StaticSiteDatabaseConnection" }, { type: "azure-native:web/v20230101:StaticSiteDatabaseConnection" }, { type: "azure-native:web/v20231201:StaticSiteDatabaseConnection" }, { type: "azure-native:web/v20240401:StaticSiteDatabaseConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:StaticSiteDatabaseConnection" }, { type: "azure-native:web/v20230101:StaticSiteDatabaseConnection" }, { type: "azure-native:web/v20231201:StaticSiteDatabaseConnection" }, { type: "azure-native:web/v20240401:StaticSiteDatabaseConnection" }, { type: "azure-native_web_v20220901:web:StaticSiteDatabaseConnection" }, { type: "azure-native_web_v20230101:web:StaticSiteDatabaseConnection" }, { type: "azure-native_web_v20231201:web:StaticSiteDatabaseConnection" }, { type: "azure-native_web_v20240401:web:StaticSiteDatabaseConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StaticSiteDatabaseConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/staticSiteLinkedBackend.ts b/sdk/nodejs/web/staticSiteLinkedBackend.ts index 740bcc551e7c..75d05a09a56b 100644 --- a/sdk/nodejs/web/staticSiteLinkedBackend.ts +++ b/sdk/nodejs/web/staticSiteLinkedBackend.ts @@ -112,7 +112,7 @@ export class StaticSiteLinkedBackend extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20220301:StaticSiteLinkedBackend" }, { type: "azure-native:web/v20220901:StaticSiteLinkedBackend" }, { type: "azure-native:web/v20230101:StaticSiteLinkedBackend" }, { type: "azure-native:web/v20231201:StaticSiteLinkedBackend" }, { type: "azure-native:web/v20240401:StaticSiteLinkedBackend" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:StaticSiteLinkedBackend" }, { type: "azure-native:web/v20230101:StaticSiteLinkedBackend" }, { type: "azure-native:web/v20231201:StaticSiteLinkedBackend" }, { type: "azure-native:web/v20240401:StaticSiteLinkedBackend" }, { type: "azure-native_web_v20220301:web:StaticSiteLinkedBackend" }, { type: "azure-native_web_v20220901:web:StaticSiteLinkedBackend" }, { type: "azure-native_web_v20230101:web:StaticSiteLinkedBackend" }, { type: "azure-native_web_v20231201:web:StaticSiteLinkedBackend" }, { type: "azure-native_web_v20240401:web:StaticSiteLinkedBackend" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StaticSiteLinkedBackend.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/staticSiteLinkedBackendForBuild.ts b/sdk/nodejs/web/staticSiteLinkedBackendForBuild.ts index 728ad6a63590..017e41f3fa13 100644 --- a/sdk/nodejs/web/staticSiteLinkedBackendForBuild.ts +++ b/sdk/nodejs/web/staticSiteLinkedBackendForBuild.ts @@ -113,7 +113,7 @@ export class StaticSiteLinkedBackendForBuild extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20220301:StaticSiteLinkedBackendForBuild" }, { type: "azure-native:web/v20220901:StaticSiteLinkedBackendForBuild" }, { type: "azure-native:web/v20230101:StaticSiteLinkedBackendForBuild" }, { type: "azure-native:web/v20231201:StaticSiteLinkedBackendForBuild" }, { type: "azure-native:web/v20240401:StaticSiteLinkedBackendForBuild" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:StaticSiteLinkedBackendForBuild" }, { type: "azure-native:web/v20230101:StaticSiteLinkedBackendForBuild" }, { type: "azure-native:web/v20231201:StaticSiteLinkedBackendForBuild" }, { type: "azure-native:web/v20240401:StaticSiteLinkedBackendForBuild" }, { type: "azure-native_web_v20220301:web:StaticSiteLinkedBackendForBuild" }, { type: "azure-native_web_v20220901:web:StaticSiteLinkedBackendForBuild" }, { type: "azure-native_web_v20230101:web:StaticSiteLinkedBackendForBuild" }, { type: "azure-native_web_v20231201:web:StaticSiteLinkedBackendForBuild" }, { type: "azure-native_web_v20240401:web:StaticSiteLinkedBackendForBuild" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StaticSiteLinkedBackendForBuild.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/staticSitePrivateEndpointConnection.ts b/sdk/nodejs/web/staticSitePrivateEndpointConnection.ts index 28e15e5a8c60..3fc601e1a749 100644 --- a/sdk/nodejs/web/staticSitePrivateEndpointConnection.ts +++ b/sdk/nodejs/web/staticSitePrivateEndpointConnection.ts @@ -109,7 +109,7 @@ export class StaticSitePrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20201201:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20210101:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20210115:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20210201:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20210301:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20220301:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20220901:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20230101:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20231201:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20240401:StaticSitePrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20230101:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20231201:StaticSitePrivateEndpointConnection" }, { type: "azure-native:web/v20240401:StaticSitePrivateEndpointConnection" }, { type: "azure-native_web_v20201201:web:StaticSitePrivateEndpointConnection" }, { type: "azure-native_web_v20210101:web:StaticSitePrivateEndpointConnection" }, { type: "azure-native_web_v20210115:web:StaticSitePrivateEndpointConnection" }, { type: "azure-native_web_v20210201:web:StaticSitePrivateEndpointConnection" }, { type: "azure-native_web_v20210301:web:StaticSitePrivateEndpointConnection" }, { type: "azure-native_web_v20220301:web:StaticSitePrivateEndpointConnection" }, { type: "azure-native_web_v20220901:web:StaticSitePrivateEndpointConnection" }, { type: "azure-native_web_v20230101:web:StaticSitePrivateEndpointConnection" }, { type: "azure-native_web_v20231201:web:StaticSitePrivateEndpointConnection" }, { type: "azure-native_web_v20240401:web:StaticSitePrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StaticSitePrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/staticSiteUserProvidedFunctionAppForStaticSite.ts b/sdk/nodejs/web/staticSiteUserProvidedFunctionAppForStaticSite.ts index f23de3447d70..f89d7ce9b766 100644 --- a/sdk/nodejs/web/staticSiteUserProvidedFunctionAppForStaticSite.ts +++ b/sdk/nodejs/web/staticSiteUserProvidedFunctionAppForStaticSite.ts @@ -104,7 +104,7 @@ export class StaticSiteUserProvidedFunctionAppForStaticSite extends pulumi.Custo resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20201201:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20210101:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20210115:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20210201:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20210301:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20220301:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSite" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native_web_v20201201:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native_web_v20210101:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native_web_v20210115:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native_web_v20210201:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native_web_v20210301:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native_web_v20220301:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native_web_v20220901:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native_web_v20230101:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native_web_v20231201:web:StaticSiteUserProvidedFunctionAppForStaticSite" }, { type: "azure-native_web_v20240401:web:StaticSiteUserProvidedFunctionAppForStaticSite" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StaticSiteUserProvidedFunctionAppForStaticSite.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/staticSiteUserProvidedFunctionAppForStaticSiteBuild.ts b/sdk/nodejs/web/staticSiteUserProvidedFunctionAppForStaticSiteBuild.ts index 087f8925065e..eda4cc49bbdc 100644 --- a/sdk/nodejs/web/staticSiteUserProvidedFunctionAppForStaticSiteBuild.ts +++ b/sdk/nodejs/web/staticSiteUserProvidedFunctionAppForStaticSiteBuild.ts @@ -108,7 +108,7 @@ export class StaticSiteUserProvidedFunctionAppForStaticSiteBuild extends pulumi. resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20201201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20210101:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20210115:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20210201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20210301:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20220301:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native_web_v20201201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native_web_v20210101:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native_web_v20210115:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native_web_v20210201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native_web_v20210301:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native_web_v20220301:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native_web_v20220901:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native_web_v20230101:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native_web_v20231201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }, { type: "azure-native_web_v20240401:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(StaticSiteUserProvidedFunctionAppForStaticSiteBuild.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webApp.ts b/sdk/nodejs/web/webApp.ts index 9c490312797f..a13c388255e3 100644 --- a/sdk/nodejs/web/webApp.ts +++ b/sdk/nodejs/web/webApp.ts @@ -447,7 +447,7 @@ export class WebApp extends pulumi.CustomResource { resourceInputs["workloadProfileName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebApp" }, { type: "azure-native:web/v20160801:WebApp" }, { type: "azure-native:web/v20180201:WebApp" }, { type: "azure-native:web/v20181101:WebApp" }, { type: "azure-native:web/v20190801:WebApp" }, { type: "azure-native:web/v20200601:WebApp" }, { type: "azure-native:web/v20200901:WebApp" }, { type: "azure-native:web/v20201001:WebApp" }, { type: "azure-native:web/v20201201:WebApp" }, { type: "azure-native:web/v20210101:WebApp" }, { type: "azure-native:web/v20210115:WebApp" }, { type: "azure-native:web/v20210201:WebApp" }, { type: "azure-native:web/v20210301:WebApp" }, { type: "azure-native:web/v20220301:WebApp" }, { type: "azure-native:web/v20220901:WebApp" }, { type: "azure-native:web/v20230101:WebApp" }, { type: "azure-native:web/v20231201:WebApp" }, { type: "azure-native:web/v20240401:WebApp" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebApp" }, { type: "azure-native:web/v20181101:WebApp" }, { type: "azure-native:web/v20201001:WebApp" }, { type: "azure-native:web/v20220901:WebApp" }, { type: "azure-native:web/v20230101:WebApp" }, { type: "azure-native:web/v20231201:WebApp" }, { type: "azure-native:web/v20240401:WebApp" }, { type: "azure-native_web_v20150801:web:WebApp" }, { type: "azure-native_web_v20160801:web:WebApp" }, { type: "azure-native_web_v20180201:web:WebApp" }, { type: "azure-native_web_v20181101:web:WebApp" }, { type: "azure-native_web_v20190801:web:WebApp" }, { type: "azure-native_web_v20200601:web:WebApp" }, { type: "azure-native_web_v20200901:web:WebApp" }, { type: "azure-native_web_v20201001:web:WebApp" }, { type: "azure-native_web_v20201201:web:WebApp" }, { type: "azure-native_web_v20210101:web:WebApp" }, { type: "azure-native_web_v20210115:web:WebApp" }, { type: "azure-native_web_v20210201:web:WebApp" }, { type: "azure-native_web_v20210301:web:WebApp" }, { type: "azure-native_web_v20220301:web:WebApp" }, { type: "azure-native_web_v20220901:web:WebApp" }, { type: "azure-native_web_v20230101:web:WebApp" }, { type: "azure-native_web_v20231201:web:WebApp" }, { type: "azure-native_web_v20240401:web:WebApp" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebApp.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppApplicationSettings.ts b/sdk/nodejs/web/webAppApplicationSettings.ts index ddcad7894dfe..b74238d86e0c 100644 --- a/sdk/nodejs/web/webAppApplicationSettings.ts +++ b/sdk/nodejs/web/webAppApplicationSettings.ts @@ -90,7 +90,7 @@ export class WebAppApplicationSettings extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppApplicationSettings" }, { type: "azure-native:web/v20160801:WebAppApplicationSettings" }, { type: "azure-native:web/v20180201:WebAppApplicationSettings" }, { type: "azure-native:web/v20181101:WebAppApplicationSettings" }, { type: "azure-native:web/v20190801:WebAppApplicationSettings" }, { type: "azure-native:web/v20200601:WebAppApplicationSettings" }, { type: "azure-native:web/v20200901:WebAppApplicationSettings" }, { type: "azure-native:web/v20201001:WebAppApplicationSettings" }, { type: "azure-native:web/v20201201:WebAppApplicationSettings" }, { type: "azure-native:web/v20210101:WebAppApplicationSettings" }, { type: "azure-native:web/v20210115:WebAppApplicationSettings" }, { type: "azure-native:web/v20210201:WebAppApplicationSettings" }, { type: "azure-native:web/v20210301:WebAppApplicationSettings" }, { type: "azure-native:web/v20220301:WebAppApplicationSettings" }, { type: "azure-native:web/v20220901:WebAppApplicationSettings" }, { type: "azure-native:web/v20230101:WebAppApplicationSettings" }, { type: "azure-native:web/v20231201:WebAppApplicationSettings" }, { type: "azure-native:web/v20240401:WebAppApplicationSettings" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppApplicationSettings" }, { type: "azure-native:web/v20220901:WebAppApplicationSettings" }, { type: "azure-native:web/v20230101:WebAppApplicationSettings" }, { type: "azure-native:web/v20231201:WebAppApplicationSettings" }, { type: "azure-native:web/v20240401:WebAppApplicationSettings" }, { type: "azure-native_web_v20150801:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20160801:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20180201:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20181101:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20190801:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20200601:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20200901:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20201001:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20201201:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20210101:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20210115:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20210201:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20210301:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20220301:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20220901:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20230101:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20231201:web:WebAppApplicationSettings" }, { type: "azure-native_web_v20240401:web:WebAppApplicationSettings" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppApplicationSettings.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppApplicationSettingsSlot.ts b/sdk/nodejs/web/webAppApplicationSettingsSlot.ts index 038999ec64bf..55e5255521b9 100644 --- a/sdk/nodejs/web/webAppApplicationSettingsSlot.ts +++ b/sdk/nodejs/web/webAppApplicationSettingsSlot.ts @@ -94,7 +94,7 @@ export class WebAppApplicationSettingsSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20160801:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20180201:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20181101:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20190801:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20200601:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20200901:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20201001:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20201201:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20210101:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20210115:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20210201:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20210301:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20220301:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20220901:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20230101:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20231201:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20240401:WebAppApplicationSettingsSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20220901:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20230101:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20231201:WebAppApplicationSettingsSlot" }, { type: "azure-native:web/v20240401:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20150801:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20160801:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20180201:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20181101:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20190801:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20200601:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20200901:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20201001:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20201201:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20210101:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20210115:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20210201:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20210301:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20220301:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20220901:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20230101:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20231201:web:WebAppApplicationSettingsSlot" }, { type: "azure-native_web_v20240401:web:WebAppApplicationSettingsSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppApplicationSettingsSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppAuthSettings.ts b/sdk/nodejs/web/webAppAuthSettings.ts index bc31ace8155f..2cd0890028e3 100644 --- a/sdk/nodejs/web/webAppAuthSettings.ts +++ b/sdk/nodejs/web/webAppAuthSettings.ts @@ -367,7 +367,7 @@ export class WebAppAuthSettings extends pulumi.CustomResource { resourceInputs["validateIssuer"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppAuthSettings" }, { type: "azure-native:web/v20160801:WebAppAuthSettings" }, { type: "azure-native:web/v20180201:WebAppAuthSettings" }, { type: "azure-native:web/v20181101:WebAppAuthSettings" }, { type: "azure-native:web/v20190801:WebAppAuthSettings" }, { type: "azure-native:web/v20200601:WebAppAuthSettings" }, { type: "azure-native:web/v20200901:WebAppAuthSettings" }, { type: "azure-native:web/v20201001:WebAppAuthSettings" }, { type: "azure-native:web/v20201201:WebAppAuthSettings" }, { type: "azure-native:web/v20210101:WebAppAuthSettings" }, { type: "azure-native:web/v20210115:WebAppAuthSettings" }, { type: "azure-native:web/v20210201:WebAppAuthSettings" }, { type: "azure-native:web/v20210301:WebAppAuthSettings" }, { type: "azure-native:web/v20220301:WebAppAuthSettings" }, { type: "azure-native:web/v20220901:WebAppAuthSettings" }, { type: "azure-native:web/v20230101:WebAppAuthSettings" }, { type: "azure-native:web/v20231201:WebAppAuthSettings" }, { type: "azure-native:web/v20240401:WebAppAuthSettings" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppAuthSettings" }, { type: "azure-native:web/v20220901:WebAppAuthSettings" }, { type: "azure-native:web/v20230101:WebAppAuthSettings" }, { type: "azure-native:web/v20231201:WebAppAuthSettings" }, { type: "azure-native:web/v20240401:WebAppAuthSettings" }, { type: "azure-native_web_v20150801:web:WebAppAuthSettings" }, { type: "azure-native_web_v20160801:web:WebAppAuthSettings" }, { type: "azure-native_web_v20180201:web:WebAppAuthSettings" }, { type: "azure-native_web_v20181101:web:WebAppAuthSettings" }, { type: "azure-native_web_v20190801:web:WebAppAuthSettings" }, { type: "azure-native_web_v20200601:web:WebAppAuthSettings" }, { type: "azure-native_web_v20200901:web:WebAppAuthSettings" }, { type: "azure-native_web_v20201001:web:WebAppAuthSettings" }, { type: "azure-native_web_v20201201:web:WebAppAuthSettings" }, { type: "azure-native_web_v20210101:web:WebAppAuthSettings" }, { type: "azure-native_web_v20210115:web:WebAppAuthSettings" }, { type: "azure-native_web_v20210201:web:WebAppAuthSettings" }, { type: "azure-native_web_v20210301:web:WebAppAuthSettings" }, { type: "azure-native_web_v20220301:web:WebAppAuthSettings" }, { type: "azure-native_web_v20220901:web:WebAppAuthSettings" }, { type: "azure-native_web_v20230101:web:WebAppAuthSettings" }, { type: "azure-native_web_v20231201:web:WebAppAuthSettings" }, { type: "azure-native_web_v20240401:web:WebAppAuthSettings" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppAuthSettings.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppAuthSettingsSlot.ts b/sdk/nodejs/web/webAppAuthSettingsSlot.ts index 840367405ed2..e8cc3bb7a45a 100644 --- a/sdk/nodejs/web/webAppAuthSettingsSlot.ts +++ b/sdk/nodejs/web/webAppAuthSettingsSlot.ts @@ -371,7 +371,7 @@ export class WebAppAuthSettingsSlot extends pulumi.CustomResource { resourceInputs["validateIssuer"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20160801:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20180201:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20181101:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20190801:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20200601:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20200901:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20201001:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20201201:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20210101:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20210115:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20210201:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20210301:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20220301:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20220901:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20230101:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20231201:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20240401:WebAppAuthSettingsSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20220901:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20230101:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20231201:WebAppAuthSettingsSlot" }, { type: "azure-native:web/v20240401:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20150801:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20160801:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20180201:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20181101:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20190801:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20200601:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20200901:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20201001:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20201201:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20210101:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20210115:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20210201:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20210301:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20220301:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20220901:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20230101:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20231201:web:WebAppAuthSettingsSlot" }, { type: "azure-native_web_v20240401:web:WebAppAuthSettingsSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppAuthSettingsSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppAuthSettingsV2.ts b/sdk/nodejs/web/webAppAuthSettingsV2.ts index 0dbab01f4465..6312aa346ee9 100644 --- a/sdk/nodejs/web/webAppAuthSettingsV2.ts +++ b/sdk/nodejs/web/webAppAuthSettingsV2.ts @@ -117,7 +117,7 @@ export class WebAppAuthSettingsV2 extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20200601:WebAppAuthSettingsV2" }, { type: "azure-native:web/v20200901:WebAppAuthSettingsV2" }, { type: "azure-native:web/v20201001:WebAppAuthSettingsV2" }, { type: "azure-native:web/v20201201:WebAppAuthSettingsV2" }, { type: "azure-native:web/v20210101:WebAppAuthSettingsV2" }, { type: "azure-native:web/v20210115:WebAppAuthSettingsV2" }, { type: "azure-native:web/v20210201:WebAppAuthSettingsV2" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppAuthSettingsV2" }, { type: "azure-native:web/v20210201:WebAppAuthSettingsV2" }, { type: "azure-native_web_v20200601:web:WebAppAuthSettingsV2" }, { type: "azure-native_web_v20200901:web:WebAppAuthSettingsV2" }, { type: "azure-native_web_v20201001:web:WebAppAuthSettingsV2" }, { type: "azure-native_web_v20201201:web:WebAppAuthSettingsV2" }, { type: "azure-native_web_v20210101:web:WebAppAuthSettingsV2" }, { type: "azure-native_web_v20210115:web:WebAppAuthSettingsV2" }, { type: "azure-native_web_v20210201:web:WebAppAuthSettingsV2" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppAuthSettingsV2.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppAuthSettingsV2Slot.ts b/sdk/nodejs/web/webAppAuthSettingsV2Slot.ts index 0a79f2536484..a1955fece699 100644 --- a/sdk/nodejs/web/webAppAuthSettingsV2Slot.ts +++ b/sdk/nodejs/web/webAppAuthSettingsV2Slot.ts @@ -121,7 +121,7 @@ export class WebAppAuthSettingsV2Slot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20200601:WebAppAuthSettingsV2Slot" }, { type: "azure-native:web/v20200901:WebAppAuthSettingsV2Slot" }, { type: "azure-native:web/v20201001:WebAppAuthSettingsV2Slot" }, { type: "azure-native:web/v20201201:WebAppAuthSettingsV2Slot" }, { type: "azure-native:web/v20210101:WebAppAuthSettingsV2Slot" }, { type: "azure-native:web/v20210115:WebAppAuthSettingsV2Slot" }, { type: "azure-native:web/v20210201:WebAppAuthSettingsV2Slot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppAuthSettingsV2Slot" }, { type: "azure-native:web/v20210201:WebAppAuthSettingsV2Slot" }, { type: "azure-native_web_v20200601:web:WebAppAuthSettingsV2Slot" }, { type: "azure-native_web_v20200901:web:WebAppAuthSettingsV2Slot" }, { type: "azure-native_web_v20201001:web:WebAppAuthSettingsV2Slot" }, { type: "azure-native_web_v20201201:web:WebAppAuthSettingsV2Slot" }, { type: "azure-native_web_v20210101:web:WebAppAuthSettingsV2Slot" }, { type: "azure-native_web_v20210115:web:WebAppAuthSettingsV2Slot" }, { type: "azure-native_web_v20210201:web:WebAppAuthSettingsV2Slot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppAuthSettingsV2Slot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppAzureStorageAccounts.ts b/sdk/nodejs/web/webAppAzureStorageAccounts.ts index eb90abdda15f..6bf017814949 100644 --- a/sdk/nodejs/web/webAppAzureStorageAccounts.ts +++ b/sdk/nodejs/web/webAppAzureStorageAccounts.ts @@ -93,7 +93,7 @@ export class WebAppAzureStorageAccounts extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20180201:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20181101:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20190801:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20200601:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20200901:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20201001:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20201201:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20210101:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20210115:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20210201:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20210301:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20220301:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20220901:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20230101:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20231201:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20240401:WebAppAzureStorageAccounts" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20220901:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20230101:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20231201:WebAppAzureStorageAccounts" }, { type: "azure-native:web/v20240401:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20180201:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20181101:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20190801:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20200601:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20200901:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20201001:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20201201:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20210101:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20210115:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20210201:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20210301:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20220301:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20220901:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20230101:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20231201:web:WebAppAzureStorageAccounts" }, { type: "azure-native_web_v20240401:web:WebAppAzureStorageAccounts" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppAzureStorageAccounts.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppAzureStorageAccountsSlot.ts b/sdk/nodejs/web/webAppAzureStorageAccountsSlot.ts index 59dd4f554f3a..a1b4c35b3195 100644 --- a/sdk/nodejs/web/webAppAzureStorageAccountsSlot.ts +++ b/sdk/nodejs/web/webAppAzureStorageAccountsSlot.ts @@ -97,7 +97,7 @@ export class WebAppAzureStorageAccountsSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20180201:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20181101:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20190801:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20200601:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20200901:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20201001:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20201201:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20210101:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20210115:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20210201:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20210301:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20220301:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20220901:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20230101:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20231201:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20240401:WebAppAzureStorageAccountsSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20220901:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20230101:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20231201:WebAppAzureStorageAccountsSlot" }, { type: "azure-native:web/v20240401:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20180201:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20181101:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20190801:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20200601:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20200901:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20201001:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20201201:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20210101:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20210115:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20210201:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20210301:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20220301:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20220901:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20230101:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20231201:web:WebAppAzureStorageAccountsSlot" }, { type: "azure-native_web_v20240401:web:WebAppAzureStorageAccountsSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppAzureStorageAccountsSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppBackupConfiguration.ts b/sdk/nodejs/web/webAppBackupConfiguration.ts index f50215fb1f79..e13b5d433dd3 100644 --- a/sdk/nodejs/web/webAppBackupConfiguration.ts +++ b/sdk/nodejs/web/webAppBackupConfiguration.ts @@ -120,7 +120,7 @@ export class WebAppBackupConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppBackupConfiguration" }, { type: "azure-native:web/v20160801:WebAppBackupConfiguration" }, { type: "azure-native:web/v20180201:WebAppBackupConfiguration" }, { type: "azure-native:web/v20181101:WebAppBackupConfiguration" }, { type: "azure-native:web/v20190801:WebAppBackupConfiguration" }, { type: "azure-native:web/v20200601:WebAppBackupConfiguration" }, { type: "azure-native:web/v20200901:WebAppBackupConfiguration" }, { type: "azure-native:web/v20201001:WebAppBackupConfiguration" }, { type: "azure-native:web/v20201201:WebAppBackupConfiguration" }, { type: "azure-native:web/v20210101:WebAppBackupConfiguration" }, { type: "azure-native:web/v20210115:WebAppBackupConfiguration" }, { type: "azure-native:web/v20210201:WebAppBackupConfiguration" }, { type: "azure-native:web/v20210301:WebAppBackupConfiguration" }, { type: "azure-native:web/v20220301:WebAppBackupConfiguration" }, { type: "azure-native:web/v20220901:WebAppBackupConfiguration" }, { type: "azure-native:web/v20230101:WebAppBackupConfiguration" }, { type: "azure-native:web/v20231201:WebAppBackupConfiguration" }, { type: "azure-native:web/v20240401:WebAppBackupConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppBackupConfiguration" }, { type: "azure-native:web/v20201001:WebAppBackupConfiguration" }, { type: "azure-native:web/v20220901:WebAppBackupConfiguration" }, { type: "azure-native:web/v20230101:WebAppBackupConfiguration" }, { type: "azure-native:web/v20231201:WebAppBackupConfiguration" }, { type: "azure-native:web/v20240401:WebAppBackupConfiguration" }, { type: "azure-native_web_v20150801:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20160801:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20180201:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20181101:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20190801:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20200601:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20200901:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20201001:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20201201:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20210101:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20210115:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20210201:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20210301:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20220301:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20220901:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20230101:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20231201:web:WebAppBackupConfiguration" }, { type: "azure-native_web_v20240401:web:WebAppBackupConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppBackupConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppBackupConfigurationSlot.ts b/sdk/nodejs/web/webAppBackupConfigurationSlot.ts index f05b347de98b..0f409061d859 100644 --- a/sdk/nodejs/web/webAppBackupConfigurationSlot.ts +++ b/sdk/nodejs/web/webAppBackupConfigurationSlot.ts @@ -124,7 +124,7 @@ export class WebAppBackupConfigurationSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20160801:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20180201:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20181101:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20190801:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20200601:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20200901:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20201001:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20201201:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20210101:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20210115:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20210201:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20210301:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20220301:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20220901:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20230101:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20231201:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20240401:WebAppBackupConfigurationSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20201001:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20220901:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20230101:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20231201:WebAppBackupConfigurationSlot" }, { type: "azure-native:web/v20240401:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20150801:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20160801:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20180201:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20181101:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20190801:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20200601:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20200901:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20201001:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20201201:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20210101:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20210115:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20210201:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20210301:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20220301:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20220901:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20230101:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20231201:web:WebAppBackupConfigurationSlot" }, { type: "azure-native_web_v20240401:web:WebAppBackupConfigurationSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppBackupConfigurationSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppConnectionStrings.ts b/sdk/nodejs/web/webAppConnectionStrings.ts index 3f4f49765b63..af8eb34b99e0 100644 --- a/sdk/nodejs/web/webAppConnectionStrings.ts +++ b/sdk/nodejs/web/webAppConnectionStrings.ts @@ -93,7 +93,7 @@ export class WebAppConnectionStrings extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppConnectionStrings" }, { type: "azure-native:web/v20160801:WebAppConnectionStrings" }, { type: "azure-native:web/v20180201:WebAppConnectionStrings" }, { type: "azure-native:web/v20181101:WebAppConnectionStrings" }, { type: "azure-native:web/v20190801:WebAppConnectionStrings" }, { type: "azure-native:web/v20200601:WebAppConnectionStrings" }, { type: "azure-native:web/v20200901:WebAppConnectionStrings" }, { type: "azure-native:web/v20201001:WebAppConnectionStrings" }, { type: "azure-native:web/v20201201:WebAppConnectionStrings" }, { type: "azure-native:web/v20210101:WebAppConnectionStrings" }, { type: "azure-native:web/v20210115:WebAppConnectionStrings" }, { type: "azure-native:web/v20210201:WebAppConnectionStrings" }, { type: "azure-native:web/v20210301:WebAppConnectionStrings" }, { type: "azure-native:web/v20220301:WebAppConnectionStrings" }, { type: "azure-native:web/v20220901:WebAppConnectionStrings" }, { type: "azure-native:web/v20230101:WebAppConnectionStrings" }, { type: "azure-native:web/v20231201:WebAppConnectionStrings" }, { type: "azure-native:web/v20240401:WebAppConnectionStrings" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppConnectionStrings" }, { type: "azure-native:web/v20220901:WebAppConnectionStrings" }, { type: "azure-native:web/v20230101:WebAppConnectionStrings" }, { type: "azure-native:web/v20231201:WebAppConnectionStrings" }, { type: "azure-native:web/v20240401:WebAppConnectionStrings" }, { type: "azure-native_web_v20150801:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20160801:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20180201:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20181101:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20190801:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20200601:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20200901:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20201001:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20201201:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20210101:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20210115:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20210201:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20210301:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20220301:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20220901:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20230101:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20231201:web:WebAppConnectionStrings" }, { type: "azure-native_web_v20240401:web:WebAppConnectionStrings" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppConnectionStrings.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppConnectionStringsSlot.ts b/sdk/nodejs/web/webAppConnectionStringsSlot.ts index 403cb11a8fee..25c36402990c 100644 --- a/sdk/nodejs/web/webAppConnectionStringsSlot.ts +++ b/sdk/nodejs/web/webAppConnectionStringsSlot.ts @@ -97,7 +97,7 @@ export class WebAppConnectionStringsSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20160801:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20180201:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20181101:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20190801:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20200601:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20200901:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20201001:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20201201:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20210101:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20210115:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20210201:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20210301:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20220301:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20220901:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20230101:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20231201:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20240401:WebAppConnectionStringsSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20220901:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20230101:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20231201:WebAppConnectionStringsSlot" }, { type: "azure-native:web/v20240401:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20150801:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20160801:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20180201:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20181101:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20190801:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20200601:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20200901:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20201001:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20201201:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20210101:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20210115:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20210201:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20210301:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20220301:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20220901:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20230101:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20231201:web:WebAppConnectionStringsSlot" }, { type: "azure-native_web_v20240401:web:WebAppConnectionStringsSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppConnectionStringsSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppDeployment.ts b/sdk/nodejs/web/webAppDeployment.ts index 592349475aa6..e726a01711e9 100644 --- a/sdk/nodejs/web/webAppDeployment.ts +++ b/sdk/nodejs/web/webAppDeployment.ts @@ -139,7 +139,7 @@ export class WebAppDeployment extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppDeployment" }, { type: "azure-native:web/v20160801:WebAppDeployment" }, { type: "azure-native:web/v20180201:WebAppDeployment" }, { type: "azure-native:web/v20181101:WebAppDeployment" }, { type: "azure-native:web/v20190801:WebAppDeployment" }, { type: "azure-native:web/v20200601:WebAppDeployment" }, { type: "azure-native:web/v20200901:WebAppDeployment" }, { type: "azure-native:web/v20201001:WebAppDeployment" }, { type: "azure-native:web/v20201201:WebAppDeployment" }, { type: "azure-native:web/v20210101:WebAppDeployment" }, { type: "azure-native:web/v20210115:WebAppDeployment" }, { type: "azure-native:web/v20210201:WebAppDeployment" }, { type: "azure-native:web/v20210301:WebAppDeployment" }, { type: "azure-native:web/v20220301:WebAppDeployment" }, { type: "azure-native:web/v20220901:WebAppDeployment" }, { type: "azure-native:web/v20230101:WebAppDeployment" }, { type: "azure-native:web/v20231201:WebAppDeployment" }, { type: "azure-native:web/v20240401:WebAppDeployment" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppDeployment" }, { type: "azure-native:web/v20220901:WebAppDeployment" }, { type: "azure-native:web/v20230101:WebAppDeployment" }, { type: "azure-native:web/v20231201:WebAppDeployment" }, { type: "azure-native:web/v20240401:WebAppDeployment" }, { type: "azure-native_web_v20150801:web:WebAppDeployment" }, { type: "azure-native_web_v20160801:web:WebAppDeployment" }, { type: "azure-native_web_v20180201:web:WebAppDeployment" }, { type: "azure-native_web_v20181101:web:WebAppDeployment" }, { type: "azure-native_web_v20190801:web:WebAppDeployment" }, { type: "azure-native_web_v20200601:web:WebAppDeployment" }, { type: "azure-native_web_v20200901:web:WebAppDeployment" }, { type: "azure-native_web_v20201001:web:WebAppDeployment" }, { type: "azure-native_web_v20201201:web:WebAppDeployment" }, { type: "azure-native_web_v20210101:web:WebAppDeployment" }, { type: "azure-native_web_v20210115:web:WebAppDeployment" }, { type: "azure-native_web_v20210201:web:WebAppDeployment" }, { type: "azure-native_web_v20210301:web:WebAppDeployment" }, { type: "azure-native_web_v20220301:web:WebAppDeployment" }, { type: "azure-native_web_v20220901:web:WebAppDeployment" }, { type: "azure-native_web_v20230101:web:WebAppDeployment" }, { type: "azure-native_web_v20231201:web:WebAppDeployment" }, { type: "azure-native_web_v20240401:web:WebAppDeployment" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppDeployment.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppDeploymentSlot.ts b/sdk/nodejs/web/webAppDeploymentSlot.ts index 27105e80af0e..d0fe4a0e50d6 100644 --- a/sdk/nodejs/web/webAppDeploymentSlot.ts +++ b/sdk/nodejs/web/webAppDeploymentSlot.ts @@ -143,7 +143,7 @@ export class WebAppDeploymentSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppDeploymentSlot" }, { type: "azure-native:web/v20160801:WebAppDeploymentSlot" }, { type: "azure-native:web/v20180201:WebAppDeploymentSlot" }, { type: "azure-native:web/v20181101:WebAppDeploymentSlot" }, { type: "azure-native:web/v20190801:WebAppDeploymentSlot" }, { type: "azure-native:web/v20200601:WebAppDeploymentSlot" }, { type: "azure-native:web/v20200901:WebAppDeploymentSlot" }, { type: "azure-native:web/v20201001:WebAppDeploymentSlot" }, { type: "azure-native:web/v20201201:WebAppDeploymentSlot" }, { type: "azure-native:web/v20210101:WebAppDeploymentSlot" }, { type: "azure-native:web/v20210115:WebAppDeploymentSlot" }, { type: "azure-native:web/v20210201:WebAppDeploymentSlot" }, { type: "azure-native:web/v20210301:WebAppDeploymentSlot" }, { type: "azure-native:web/v20220301:WebAppDeploymentSlot" }, { type: "azure-native:web/v20220901:WebAppDeploymentSlot" }, { type: "azure-native:web/v20230101:WebAppDeploymentSlot" }, { type: "azure-native:web/v20231201:WebAppDeploymentSlot" }, { type: "azure-native:web/v20240401:WebAppDeploymentSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppDeploymentSlot" }, { type: "azure-native:web/v20220901:WebAppDeploymentSlot" }, { type: "azure-native:web/v20230101:WebAppDeploymentSlot" }, { type: "azure-native:web/v20231201:WebAppDeploymentSlot" }, { type: "azure-native:web/v20240401:WebAppDeploymentSlot" }, { type: "azure-native_web_v20150801:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20160801:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20180201:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20181101:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20190801:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20200601:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20200901:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20201001:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20201201:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20210101:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20210115:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20210201:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20210301:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20220301:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20220901:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20230101:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20231201:web:WebAppDeploymentSlot" }, { type: "azure-native_web_v20240401:web:WebAppDeploymentSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppDeploymentSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppDiagnosticLogsConfiguration.ts b/sdk/nodejs/web/webAppDiagnosticLogsConfiguration.ts index 07e5e4adaf6c..0f1d5d51d6b1 100644 --- a/sdk/nodejs/web/webAppDiagnosticLogsConfiguration.ts +++ b/sdk/nodejs/web/webAppDiagnosticLogsConfiguration.ts @@ -111,7 +111,7 @@ export class WebAppDiagnosticLogsConfiguration extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20160801:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20180201:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20181101:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20190801:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20200601:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20200901:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20201001:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20201201:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20210101:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20210115:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20210201:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20210301:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20220301:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20220901:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20230101:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20231201:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20240401:WebAppDiagnosticLogsConfiguration" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20220901:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20230101:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20231201:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native:web/v20240401:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20150801:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20160801:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20180201:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20181101:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20190801:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20200601:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20200901:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20201001:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20201201:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20210101:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20210115:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20210201:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20210301:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20220301:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20220901:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20230101:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20231201:web:WebAppDiagnosticLogsConfiguration" }, { type: "azure-native_web_v20240401:web:WebAppDiagnosticLogsConfiguration" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppDiagnosticLogsConfiguration.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppDiagnosticLogsConfigurationSlot.ts b/sdk/nodejs/web/webAppDiagnosticLogsConfigurationSlot.ts index aa6e15394540..e927c1bded45 100644 --- a/sdk/nodejs/web/webAppDiagnosticLogsConfigurationSlot.ts +++ b/sdk/nodejs/web/webAppDiagnosticLogsConfigurationSlot.ts @@ -115,7 +115,7 @@ export class WebAppDiagnosticLogsConfigurationSlot extends pulumi.CustomResource resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20160801:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20180201:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20181101:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20190801:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20200601:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20200901:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20201001:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20201201:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20210101:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20210115:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20210201:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20210301:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20220301:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20220901:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20230101:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20231201:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20240401:WebAppDiagnosticLogsConfigurationSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20180201:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20181101:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20190801:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20200601:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20200901:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20201001:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20201201:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20210101:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20210115:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20210201:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20210301:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20220301:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20220901:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20230101:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20231201:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native:web/v20240401:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20150801:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20160801:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20180201:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20181101:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20190801:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20200601:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20200901:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20201001:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20201201:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20210101:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20210115:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20210201:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20210301:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20220301:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20220901:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20230101:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20231201:web:WebAppDiagnosticLogsConfigurationSlot" }, { type: "azure-native_web_v20240401:web:WebAppDiagnosticLogsConfigurationSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppDiagnosticLogsConfigurationSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppDomainOwnershipIdentifier.ts b/sdk/nodejs/web/webAppDomainOwnershipIdentifier.ts index d767cae3aaa6..f8fa1aa8463d 100644 --- a/sdk/nodejs/web/webAppDomainOwnershipIdentifier.ts +++ b/sdk/nodejs/web/webAppDomainOwnershipIdentifier.ts @@ -91,7 +91,7 @@ export class WebAppDomainOwnershipIdentifier extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20180201:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20181101:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20190801:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20200601:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20200901:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20201001:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20201201:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20210101:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20210115:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20210201:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20210301:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20220301:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20220901:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20230101:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20231201:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20240401:WebAppDomainOwnershipIdentifier" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20181101:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20201001:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20220901:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20230101:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20231201:WebAppDomainOwnershipIdentifier" }, { type: "azure-native:web/v20240401:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20160801:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20180201:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20181101:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20190801:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20200601:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20200901:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20201001:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20201201:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20210101:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20210115:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20210201:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20210301:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20220301:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20220901:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20230101:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20231201:web:WebAppDomainOwnershipIdentifier" }, { type: "azure-native_web_v20240401:web:WebAppDomainOwnershipIdentifier" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppDomainOwnershipIdentifier.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppDomainOwnershipIdentifierSlot.ts b/sdk/nodejs/web/webAppDomainOwnershipIdentifierSlot.ts index 1fdf4c9b92ea..6f043db521c1 100644 --- a/sdk/nodejs/web/webAppDomainOwnershipIdentifierSlot.ts +++ b/sdk/nodejs/web/webAppDomainOwnershipIdentifierSlot.ts @@ -95,7 +95,7 @@ export class WebAppDomainOwnershipIdentifierSlot extends pulumi.CustomResource { resourceInputs["value"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20180201:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20181101:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20190801:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20200601:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20200901:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20201001:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20201201:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20210101:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20210115:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20210201:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20210301:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20220301:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20220901:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20230101:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20231201:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20240401:WebAppDomainOwnershipIdentifierSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20181101:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20201001:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20220901:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20230101:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20231201:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native:web/v20240401:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20160801:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20180201:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20181101:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20190801:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20200601:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20200901:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20201001:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20201201:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20210101:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20210115:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20210201:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20210301:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20220301:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20220901:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20230101:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20231201:web:WebAppDomainOwnershipIdentifierSlot" }, { type: "azure-native_web_v20240401:web:WebAppDomainOwnershipIdentifierSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppDomainOwnershipIdentifierSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppFtpAllowed.ts b/sdk/nodejs/web/webAppFtpAllowed.ts index ccc24ebbc3bb..4a70b83a931e 100644 --- a/sdk/nodejs/web/webAppFtpAllowed.ts +++ b/sdk/nodejs/web/webAppFtpAllowed.ts @@ -93,7 +93,7 @@ export class WebAppFtpAllowed extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20190801:WebAppFtpAllowed" }, { type: "azure-native:web/v20200601:WebAppFtpAllowed" }, { type: "azure-native:web/v20200901:WebAppFtpAllowed" }, { type: "azure-native:web/v20201001:WebAppFtpAllowed" }, { type: "azure-native:web/v20201201:WebAppFtpAllowed" }, { type: "azure-native:web/v20210101:WebAppFtpAllowed" }, { type: "azure-native:web/v20210115:WebAppFtpAllowed" }, { type: "azure-native:web/v20210201:WebAppFtpAllowed" }, { type: "azure-native:web/v20210301:WebAppFtpAllowed" }, { type: "azure-native:web/v20220301:WebAppFtpAllowed" }, { type: "azure-native:web/v20220901:WebAppFtpAllowed" }, { type: "azure-native:web/v20230101:WebAppFtpAllowed" }, { type: "azure-native:web/v20231201:WebAppFtpAllowed" }, { type: "azure-native:web/v20240401:WebAppFtpAllowed" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20190801:WebAppFtpAllowed" }, { type: "azure-native:web/v20200601:WebAppFtpAllowed" }, { type: "azure-native:web/v20200901:WebAppFtpAllowed" }, { type: "azure-native:web/v20201001:WebAppFtpAllowed" }, { type: "azure-native:web/v20201201:WebAppFtpAllowed" }, { type: "azure-native:web/v20210101:WebAppFtpAllowed" }, { type: "azure-native:web/v20210115:WebAppFtpAllowed" }, { type: "azure-native:web/v20210201:WebAppFtpAllowed" }, { type: "azure-native:web/v20210301:WebAppFtpAllowed" }, { type: "azure-native:web/v20220301:WebAppFtpAllowed" }, { type: "azure-native:web/v20220901:WebAppFtpAllowed" }, { type: "azure-native:web/v20230101:WebAppFtpAllowed" }, { type: "azure-native:web/v20231201:WebAppFtpAllowed" }, { type: "azure-native:web/v20240401:WebAppFtpAllowed" }, { type: "azure-native_web_v20190801:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20200601:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20200901:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20201001:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20201201:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20210101:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20210115:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20210201:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20210301:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20220301:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20220901:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20230101:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20231201:web:WebAppFtpAllowed" }, { type: "azure-native_web_v20240401:web:WebAppFtpAllowed" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppFtpAllowed.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppFtpAllowedSlot.ts b/sdk/nodejs/web/webAppFtpAllowedSlot.ts index d83a49a286d7..399c82d69569 100644 --- a/sdk/nodejs/web/webAppFtpAllowedSlot.ts +++ b/sdk/nodejs/web/webAppFtpAllowedSlot.ts @@ -97,7 +97,7 @@ export class WebAppFtpAllowedSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20201201:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20210101:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20210115:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20210201:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20210301:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20220301:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20220901:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20230101:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20231201:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20240401:WebAppFtpAllowedSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201201:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20210101:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20210115:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20210201:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20210301:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20220301:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20220901:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20230101:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20231201:WebAppFtpAllowedSlot" }, { type: "azure-native:web/v20240401:WebAppFtpAllowedSlot" }, { type: "azure-native_web_v20201201:web:WebAppFtpAllowedSlot" }, { type: "azure-native_web_v20210101:web:WebAppFtpAllowedSlot" }, { type: "azure-native_web_v20210115:web:WebAppFtpAllowedSlot" }, { type: "azure-native_web_v20210201:web:WebAppFtpAllowedSlot" }, { type: "azure-native_web_v20210301:web:WebAppFtpAllowedSlot" }, { type: "azure-native_web_v20220301:web:WebAppFtpAllowedSlot" }, { type: "azure-native_web_v20220901:web:WebAppFtpAllowedSlot" }, { type: "azure-native_web_v20230101:web:WebAppFtpAllowedSlot" }, { type: "azure-native_web_v20231201:web:WebAppFtpAllowedSlot" }, { type: "azure-native_web_v20240401:web:WebAppFtpAllowedSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppFtpAllowedSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppFunction.ts b/sdk/nodejs/web/webAppFunction.ts index 615910207fb7..05aaf9ad69ad 100644 --- a/sdk/nodejs/web/webAppFunction.ts +++ b/sdk/nodejs/web/webAppFunction.ts @@ -163,7 +163,7 @@ export class WebAppFunction extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppFunction" }, { type: "azure-native:web/v20180201:WebAppFunction" }, { type: "azure-native:web/v20181101:WebAppFunction" }, { type: "azure-native:web/v20190801:WebAppFunction" }, { type: "azure-native:web/v20200601:WebAppFunction" }, { type: "azure-native:web/v20200901:WebAppFunction" }, { type: "azure-native:web/v20201001:WebAppFunction" }, { type: "azure-native:web/v20201201:WebAppFunction" }, { type: "azure-native:web/v20210101:WebAppFunction" }, { type: "azure-native:web/v20210115:WebAppFunction" }, { type: "azure-native:web/v20210201:WebAppFunction" }, { type: "azure-native:web/v20210301:WebAppFunction" }, { type: "azure-native:web/v20220301:WebAppFunction" }, { type: "azure-native:web/v20220901:WebAppFunction" }, { type: "azure-native:web/v20230101:WebAppFunction" }, { type: "azure-native:web/v20231201:WebAppFunction" }, { type: "azure-native:web/v20240401:WebAppFunction" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppFunction" }, { type: "azure-native:web/v20201001:WebAppFunction" }, { type: "azure-native:web/v20220901:WebAppFunction" }, { type: "azure-native:web/v20230101:WebAppFunction" }, { type: "azure-native:web/v20231201:WebAppFunction" }, { type: "azure-native:web/v20240401:WebAppFunction" }, { type: "azure-native_web_v20160801:web:WebAppFunction" }, { type: "azure-native_web_v20180201:web:WebAppFunction" }, { type: "azure-native_web_v20181101:web:WebAppFunction" }, { type: "azure-native_web_v20190801:web:WebAppFunction" }, { type: "azure-native_web_v20200601:web:WebAppFunction" }, { type: "azure-native_web_v20200901:web:WebAppFunction" }, { type: "azure-native_web_v20201001:web:WebAppFunction" }, { type: "azure-native_web_v20201201:web:WebAppFunction" }, { type: "azure-native_web_v20210101:web:WebAppFunction" }, { type: "azure-native_web_v20210115:web:WebAppFunction" }, { type: "azure-native_web_v20210201:web:WebAppFunction" }, { type: "azure-native_web_v20210301:web:WebAppFunction" }, { type: "azure-native_web_v20220301:web:WebAppFunction" }, { type: "azure-native_web_v20220901:web:WebAppFunction" }, { type: "azure-native_web_v20230101:web:WebAppFunction" }, { type: "azure-native_web_v20231201:web:WebAppFunction" }, { type: "azure-native_web_v20240401:web:WebAppFunction" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppFunction.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppHostNameBinding.ts b/sdk/nodejs/web/webAppHostNameBinding.ts index 444c7cf2d7cd..3acfb9f7e6ee 100644 --- a/sdk/nodejs/web/webAppHostNameBinding.ts +++ b/sdk/nodejs/web/webAppHostNameBinding.ts @@ -142,7 +142,7 @@ export class WebAppHostNameBinding extends pulumi.CustomResource { resourceInputs["virtualIP"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppHostNameBinding" }, { type: "azure-native:web/v20160801:WebAppHostNameBinding" }, { type: "azure-native:web/v20180201:WebAppHostNameBinding" }, { type: "azure-native:web/v20181101:WebAppHostNameBinding" }, { type: "azure-native:web/v20190801:WebAppHostNameBinding" }, { type: "azure-native:web/v20200601:WebAppHostNameBinding" }, { type: "azure-native:web/v20200901:WebAppHostNameBinding" }, { type: "azure-native:web/v20201001:WebAppHostNameBinding" }, { type: "azure-native:web/v20201201:WebAppHostNameBinding" }, { type: "azure-native:web/v20210101:WebAppHostNameBinding" }, { type: "azure-native:web/v20210115:WebAppHostNameBinding" }, { type: "azure-native:web/v20210201:WebAppHostNameBinding" }, { type: "azure-native:web/v20210301:WebAppHostNameBinding" }, { type: "azure-native:web/v20220301:WebAppHostNameBinding" }, { type: "azure-native:web/v20220901:WebAppHostNameBinding" }, { type: "azure-native:web/v20230101:WebAppHostNameBinding" }, { type: "azure-native:web/v20231201:WebAppHostNameBinding" }, { type: "azure-native:web/v20240401:WebAppHostNameBinding" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppHostNameBinding" }, { type: "azure-native:web/v20220901:WebAppHostNameBinding" }, { type: "azure-native:web/v20230101:WebAppHostNameBinding" }, { type: "azure-native:web/v20231201:WebAppHostNameBinding" }, { type: "azure-native:web/v20240401:WebAppHostNameBinding" }, { type: "azure-native_web_v20150801:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20160801:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20180201:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20181101:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20190801:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20200601:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20200901:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20201001:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20201201:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20210101:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20210115:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20210201:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20210301:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20220301:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20220901:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20230101:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20231201:web:WebAppHostNameBinding" }, { type: "azure-native_web_v20240401:web:WebAppHostNameBinding" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppHostNameBinding.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppHostNameBindingSlot.ts b/sdk/nodejs/web/webAppHostNameBindingSlot.ts index 829501c74810..f2b8942b6319 100644 --- a/sdk/nodejs/web/webAppHostNameBindingSlot.ts +++ b/sdk/nodejs/web/webAppHostNameBindingSlot.ts @@ -146,7 +146,7 @@ export class WebAppHostNameBindingSlot extends pulumi.CustomResource { resourceInputs["virtualIP"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20160801:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20180201:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20181101:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20190801:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20200601:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20200901:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20201001:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20201201:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20210101:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20210115:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20210201:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20210301:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20220301:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20220901:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20230101:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20231201:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20240401:WebAppHostNameBindingSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20220901:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20230101:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20231201:WebAppHostNameBindingSlot" }, { type: "azure-native:web/v20240401:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20150801:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20160801:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20180201:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20181101:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20190801:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20200601:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20200901:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20201001:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20201201:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20210101:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20210115:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20210201:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20210301:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20220301:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20220901:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20230101:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20231201:web:WebAppHostNameBindingSlot" }, { type: "azure-native_web_v20240401:web:WebAppHostNameBindingSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppHostNameBindingSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppHybridConnection.ts b/sdk/nodejs/web/webAppHybridConnection.ts index cc9f8b06ad36..5c8ff4ca7e5c 100644 --- a/sdk/nodejs/web/webAppHybridConnection.ts +++ b/sdk/nodejs/web/webAppHybridConnection.ts @@ -137,7 +137,7 @@ export class WebAppHybridConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppHybridConnection" }, { type: "azure-native:web/v20180201:WebAppHybridConnection" }, { type: "azure-native:web/v20181101:WebAppHybridConnection" }, { type: "azure-native:web/v20190801:WebAppHybridConnection" }, { type: "azure-native:web/v20200601:WebAppHybridConnection" }, { type: "azure-native:web/v20200901:WebAppHybridConnection" }, { type: "azure-native:web/v20201001:WebAppHybridConnection" }, { type: "azure-native:web/v20201201:WebAppHybridConnection" }, { type: "azure-native:web/v20210101:WebAppHybridConnection" }, { type: "azure-native:web/v20210115:WebAppHybridConnection" }, { type: "azure-native:web/v20210201:WebAppHybridConnection" }, { type: "azure-native:web/v20210301:WebAppHybridConnection" }, { type: "azure-native:web/v20220301:WebAppHybridConnection" }, { type: "azure-native:web/v20220901:WebAppHybridConnection" }, { type: "azure-native:web/v20230101:WebAppHybridConnection" }, { type: "azure-native:web/v20231201:WebAppHybridConnection" }, { type: "azure-native:web/v20240401:WebAppHybridConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppHybridConnection" }, { type: "azure-native:web/v20220901:WebAppHybridConnection" }, { type: "azure-native:web/v20230101:WebAppHybridConnection" }, { type: "azure-native:web/v20231201:WebAppHybridConnection" }, { type: "azure-native:web/v20240401:WebAppHybridConnection" }, { type: "azure-native_web_v20160801:web:WebAppHybridConnection" }, { type: "azure-native_web_v20180201:web:WebAppHybridConnection" }, { type: "azure-native_web_v20181101:web:WebAppHybridConnection" }, { type: "azure-native_web_v20190801:web:WebAppHybridConnection" }, { type: "azure-native_web_v20200601:web:WebAppHybridConnection" }, { type: "azure-native_web_v20200901:web:WebAppHybridConnection" }, { type: "azure-native_web_v20201001:web:WebAppHybridConnection" }, { type: "azure-native_web_v20201201:web:WebAppHybridConnection" }, { type: "azure-native_web_v20210101:web:WebAppHybridConnection" }, { type: "azure-native_web_v20210115:web:WebAppHybridConnection" }, { type: "azure-native_web_v20210201:web:WebAppHybridConnection" }, { type: "azure-native_web_v20210301:web:WebAppHybridConnection" }, { type: "azure-native_web_v20220301:web:WebAppHybridConnection" }, { type: "azure-native_web_v20220901:web:WebAppHybridConnection" }, { type: "azure-native_web_v20230101:web:WebAppHybridConnection" }, { type: "azure-native_web_v20231201:web:WebAppHybridConnection" }, { type: "azure-native_web_v20240401:web:WebAppHybridConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppHybridConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppHybridConnectionSlot.ts b/sdk/nodejs/web/webAppHybridConnectionSlot.ts index 0f9d6fa82165..b39bea7806ed 100644 --- a/sdk/nodejs/web/webAppHybridConnectionSlot.ts +++ b/sdk/nodejs/web/webAppHybridConnectionSlot.ts @@ -141,7 +141,7 @@ export class WebAppHybridConnectionSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20180201:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20181101:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20190801:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20200601:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20200901:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20201001:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20201201:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20210101:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20210115:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20210201:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20210301:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20220301:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20220901:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20230101:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20231201:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20240401:WebAppHybridConnectionSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20220901:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20230101:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20231201:WebAppHybridConnectionSlot" }, { type: "azure-native:web/v20240401:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20160801:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20180201:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20181101:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20190801:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20200601:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20200901:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20201001:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20201201:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20210101:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20210115:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20210201:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20210301:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20220301:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20220901:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20230101:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20231201:web:WebAppHybridConnectionSlot" }, { type: "azure-native_web_v20240401:web:WebAppHybridConnectionSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppHybridConnectionSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppInstanceFunctionSlot.ts b/sdk/nodejs/web/webAppInstanceFunctionSlot.ts index b9723074c80c..19d641f1f4a5 100644 --- a/sdk/nodejs/web/webAppInstanceFunctionSlot.ts +++ b/sdk/nodejs/web/webAppInstanceFunctionSlot.ts @@ -167,7 +167,7 @@ export class WebAppInstanceFunctionSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20180201:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20181101:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20190801:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20200601:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20200901:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20201001:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20201201:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20210101:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20210115:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20210201:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20210301:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20220301:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20220901:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20230101:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20231201:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20240401:WebAppInstanceFunctionSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20201001:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20220901:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20230101:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20231201:WebAppInstanceFunctionSlot" }, { type: "azure-native:web/v20240401:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20160801:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20180201:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20181101:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20190801:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20200601:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20200901:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20201001:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20201201:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20210101:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20210115:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20210201:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20210301:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20220301:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20220901:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20230101:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20231201:web:WebAppInstanceFunctionSlot" }, { type: "azure-native_web_v20240401:web:WebAppInstanceFunctionSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppInstanceFunctionSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppMetadata.ts b/sdk/nodejs/web/webAppMetadata.ts index c86dd4c89928..a4bac8be2919 100644 --- a/sdk/nodejs/web/webAppMetadata.ts +++ b/sdk/nodejs/web/webAppMetadata.ts @@ -90,7 +90,7 @@ export class WebAppMetadata extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppMetadata" }, { type: "azure-native:web/v20160801:WebAppMetadata" }, { type: "azure-native:web/v20180201:WebAppMetadata" }, { type: "azure-native:web/v20181101:WebAppMetadata" }, { type: "azure-native:web/v20190801:WebAppMetadata" }, { type: "azure-native:web/v20200601:WebAppMetadata" }, { type: "azure-native:web/v20200901:WebAppMetadata" }, { type: "azure-native:web/v20201001:WebAppMetadata" }, { type: "azure-native:web/v20201201:WebAppMetadata" }, { type: "azure-native:web/v20210101:WebAppMetadata" }, { type: "azure-native:web/v20210115:WebAppMetadata" }, { type: "azure-native:web/v20210201:WebAppMetadata" }, { type: "azure-native:web/v20210301:WebAppMetadata" }, { type: "azure-native:web/v20220301:WebAppMetadata" }, { type: "azure-native:web/v20220901:WebAppMetadata" }, { type: "azure-native:web/v20230101:WebAppMetadata" }, { type: "azure-native:web/v20231201:WebAppMetadata" }, { type: "azure-native:web/v20240401:WebAppMetadata" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppMetadata" }, { type: "azure-native:web/v20220901:WebAppMetadata" }, { type: "azure-native:web/v20230101:WebAppMetadata" }, { type: "azure-native:web/v20231201:WebAppMetadata" }, { type: "azure-native:web/v20240401:WebAppMetadata" }, { type: "azure-native_web_v20150801:web:WebAppMetadata" }, { type: "azure-native_web_v20160801:web:WebAppMetadata" }, { type: "azure-native_web_v20180201:web:WebAppMetadata" }, { type: "azure-native_web_v20181101:web:WebAppMetadata" }, { type: "azure-native_web_v20190801:web:WebAppMetadata" }, { type: "azure-native_web_v20200601:web:WebAppMetadata" }, { type: "azure-native_web_v20200901:web:WebAppMetadata" }, { type: "azure-native_web_v20201001:web:WebAppMetadata" }, { type: "azure-native_web_v20201201:web:WebAppMetadata" }, { type: "azure-native_web_v20210101:web:WebAppMetadata" }, { type: "azure-native_web_v20210115:web:WebAppMetadata" }, { type: "azure-native_web_v20210201:web:WebAppMetadata" }, { type: "azure-native_web_v20210301:web:WebAppMetadata" }, { type: "azure-native_web_v20220301:web:WebAppMetadata" }, { type: "azure-native_web_v20220901:web:WebAppMetadata" }, { type: "azure-native_web_v20230101:web:WebAppMetadata" }, { type: "azure-native_web_v20231201:web:WebAppMetadata" }, { type: "azure-native_web_v20240401:web:WebAppMetadata" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppMetadata.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppMetadataSlot.ts b/sdk/nodejs/web/webAppMetadataSlot.ts index 3c2f48bac51a..7c8cb5d7668b 100644 --- a/sdk/nodejs/web/webAppMetadataSlot.ts +++ b/sdk/nodejs/web/webAppMetadataSlot.ts @@ -94,7 +94,7 @@ export class WebAppMetadataSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppMetadataSlot" }, { type: "azure-native:web/v20160801:WebAppMetadataSlot" }, { type: "azure-native:web/v20180201:WebAppMetadataSlot" }, { type: "azure-native:web/v20181101:WebAppMetadataSlot" }, { type: "azure-native:web/v20190801:WebAppMetadataSlot" }, { type: "azure-native:web/v20200601:WebAppMetadataSlot" }, { type: "azure-native:web/v20200901:WebAppMetadataSlot" }, { type: "azure-native:web/v20201001:WebAppMetadataSlot" }, { type: "azure-native:web/v20201201:WebAppMetadataSlot" }, { type: "azure-native:web/v20210101:WebAppMetadataSlot" }, { type: "azure-native:web/v20210115:WebAppMetadataSlot" }, { type: "azure-native:web/v20210201:WebAppMetadataSlot" }, { type: "azure-native:web/v20210301:WebAppMetadataSlot" }, { type: "azure-native:web/v20220301:WebAppMetadataSlot" }, { type: "azure-native:web/v20220901:WebAppMetadataSlot" }, { type: "azure-native:web/v20230101:WebAppMetadataSlot" }, { type: "azure-native:web/v20231201:WebAppMetadataSlot" }, { type: "azure-native:web/v20240401:WebAppMetadataSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppMetadataSlot" }, { type: "azure-native:web/v20220901:WebAppMetadataSlot" }, { type: "azure-native:web/v20230101:WebAppMetadataSlot" }, { type: "azure-native:web/v20231201:WebAppMetadataSlot" }, { type: "azure-native:web/v20240401:WebAppMetadataSlot" }, { type: "azure-native_web_v20150801:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20160801:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20180201:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20181101:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20190801:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20200601:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20200901:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20201001:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20201201:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20210101:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20210115:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20210201:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20210301:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20220301:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20220901:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20230101:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20231201:web:WebAppMetadataSlot" }, { type: "azure-native_web_v20240401:web:WebAppMetadataSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppMetadataSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppPremierAddOn.ts b/sdk/nodejs/web/webAppPremierAddOn.ts index 94e1eababdd3..540e1c49f3a9 100644 --- a/sdk/nodejs/web/webAppPremierAddOn.ts +++ b/sdk/nodejs/web/webAppPremierAddOn.ts @@ -127,7 +127,7 @@ export class WebAppPremierAddOn extends pulumi.CustomResource { resourceInputs["vendor"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppPremierAddOn" }, { type: "azure-native:web/v20160801:WebAppPremierAddOn" }, { type: "azure-native:web/v20180201:WebAppPremierAddOn" }, { type: "azure-native:web/v20181101:WebAppPremierAddOn" }, { type: "azure-native:web/v20190801:WebAppPremierAddOn" }, { type: "azure-native:web/v20200601:WebAppPremierAddOn" }, { type: "azure-native:web/v20200901:WebAppPremierAddOn" }, { type: "azure-native:web/v20201001:WebAppPremierAddOn" }, { type: "azure-native:web/v20201201:WebAppPremierAddOn" }, { type: "azure-native:web/v20210101:WebAppPremierAddOn" }, { type: "azure-native:web/v20210115:WebAppPremierAddOn" }, { type: "azure-native:web/v20210201:WebAppPremierAddOn" }, { type: "azure-native:web/v20210301:WebAppPremierAddOn" }, { type: "azure-native:web/v20220301:WebAppPremierAddOn" }, { type: "azure-native:web/v20220901:WebAppPremierAddOn" }, { type: "azure-native:web/v20230101:WebAppPremierAddOn" }, { type: "azure-native:web/v20231201:WebAppPremierAddOn" }, { type: "azure-native:web/v20240401:WebAppPremierAddOn" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppPremierAddOn" }, { type: "azure-native:web/v20201001:WebAppPremierAddOn" }, { type: "azure-native:web/v20220901:WebAppPremierAddOn" }, { type: "azure-native:web/v20230101:WebAppPremierAddOn" }, { type: "azure-native:web/v20231201:WebAppPremierAddOn" }, { type: "azure-native:web/v20240401:WebAppPremierAddOn" }, { type: "azure-native_web_v20150801:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20160801:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20180201:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20181101:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20190801:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20200601:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20200901:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20201001:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20201201:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20210101:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20210115:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20210201:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20210301:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20220301:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20220901:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20230101:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20231201:web:WebAppPremierAddOn" }, { type: "azure-native_web_v20240401:web:WebAppPremierAddOn" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppPremierAddOn.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppPremierAddOnSlot.ts b/sdk/nodejs/web/webAppPremierAddOnSlot.ts index 4d68c744d83c..74273e215c3d 100644 --- a/sdk/nodejs/web/webAppPremierAddOnSlot.ts +++ b/sdk/nodejs/web/webAppPremierAddOnSlot.ts @@ -131,7 +131,7 @@ export class WebAppPremierAddOnSlot extends pulumi.CustomResource { resourceInputs["vendor"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20160801:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20180201:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20181101:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20190801:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20200601:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20200901:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20201001:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20201201:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20210101:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20210115:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20210201:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20210301:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20220301:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20220901:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20230101:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20231201:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20240401:WebAppPremierAddOnSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20201001:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20220901:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20230101:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20231201:WebAppPremierAddOnSlot" }, { type: "azure-native:web/v20240401:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20150801:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20160801:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20180201:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20181101:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20190801:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20200601:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20200901:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20201001:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20201201:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20210101:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20210115:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20210201:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20210301:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20220301:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20220901:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20230101:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20231201:web:WebAppPremierAddOnSlot" }, { type: "azure-native_web_v20240401:web:WebAppPremierAddOnSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppPremierAddOnSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppPrivateEndpointConnection.ts b/sdk/nodejs/web/webAppPrivateEndpointConnection.ts index 51a4669b3164..f0728060e6da 100644 --- a/sdk/nodejs/web/webAppPrivateEndpointConnection.ts +++ b/sdk/nodejs/web/webAppPrivateEndpointConnection.ts @@ -109,7 +109,7 @@ export class WebAppPrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20190801:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20200601:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20200901:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20201001:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20201201:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20210101:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20210115:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20210201:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20210301:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20220301:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20220901:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20230101:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20231201:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20240401:WebAppPrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20220901:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20230101:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20231201:WebAppPrivateEndpointConnection" }, { type: "azure-native:web/v20240401:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20190801:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20200601:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20200901:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20201001:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20201201:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20210101:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20210115:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20210201:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20210301:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20220301:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20220901:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20230101:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20231201:web:WebAppPrivateEndpointConnection" }, { type: "azure-native_web_v20240401:web:WebAppPrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppPrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppPrivateEndpointConnectionSlot.ts b/sdk/nodejs/web/webAppPrivateEndpointConnectionSlot.ts index fd26c66beaa0..f21ffd271dad 100644 --- a/sdk/nodejs/web/webAppPrivateEndpointConnectionSlot.ts +++ b/sdk/nodejs/web/webAppPrivateEndpointConnectionSlot.ts @@ -113,7 +113,7 @@ export class WebAppPrivateEndpointConnectionSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20201201:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20210101:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20210115:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20210201:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20210301:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20220301:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20220901:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20230101:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20231201:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20240401:WebAppPrivateEndpointConnectionSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20220901:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20230101:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20231201:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native:web/v20240401:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native_web_v20201201:web:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native_web_v20210101:web:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native_web_v20210115:web:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native_web_v20210201:web:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native_web_v20210301:web:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native_web_v20220301:web:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native_web_v20220901:web:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native_web_v20230101:web:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native_web_v20231201:web:WebAppPrivateEndpointConnectionSlot" }, { type: "azure-native_web_v20240401:web:WebAppPrivateEndpointConnectionSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppPrivateEndpointConnectionSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppPublicCertificate.ts b/sdk/nodejs/web/webAppPublicCertificate.ts index 5beace058327..829b57163d40 100644 --- a/sdk/nodejs/web/webAppPublicCertificate.ts +++ b/sdk/nodejs/web/webAppPublicCertificate.ts @@ -106,7 +106,7 @@ export class WebAppPublicCertificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppPublicCertificate" }, { type: "azure-native:web/v20180201:WebAppPublicCertificate" }, { type: "azure-native:web/v20181101:WebAppPublicCertificate" }, { type: "azure-native:web/v20190801:WebAppPublicCertificate" }, { type: "azure-native:web/v20200601:WebAppPublicCertificate" }, { type: "azure-native:web/v20200901:WebAppPublicCertificate" }, { type: "azure-native:web/v20201001:WebAppPublicCertificate" }, { type: "azure-native:web/v20201201:WebAppPublicCertificate" }, { type: "azure-native:web/v20210101:WebAppPublicCertificate" }, { type: "azure-native:web/v20210115:WebAppPublicCertificate" }, { type: "azure-native:web/v20210201:WebAppPublicCertificate" }, { type: "azure-native:web/v20210301:WebAppPublicCertificate" }, { type: "azure-native:web/v20220301:WebAppPublicCertificate" }, { type: "azure-native:web/v20220901:WebAppPublicCertificate" }, { type: "azure-native:web/v20230101:WebAppPublicCertificate" }, { type: "azure-native:web/v20231201:WebAppPublicCertificate" }, { type: "azure-native:web/v20240401:WebAppPublicCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppPublicCertificate" }, { type: "azure-native:web/v20220901:WebAppPublicCertificate" }, { type: "azure-native:web/v20230101:WebAppPublicCertificate" }, { type: "azure-native:web/v20231201:WebAppPublicCertificate" }, { type: "azure-native:web/v20240401:WebAppPublicCertificate" }, { type: "azure-native_web_v20160801:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20180201:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20181101:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20190801:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20200601:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20200901:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20201001:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20201201:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20210101:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20210115:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20210201:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20210301:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20220301:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20220901:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20230101:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20231201:web:WebAppPublicCertificate" }, { type: "azure-native_web_v20240401:web:WebAppPublicCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppPublicCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppPublicCertificateSlot.ts b/sdk/nodejs/web/webAppPublicCertificateSlot.ts index 7c15ddaec433..09300df16c63 100644 --- a/sdk/nodejs/web/webAppPublicCertificateSlot.ts +++ b/sdk/nodejs/web/webAppPublicCertificateSlot.ts @@ -110,7 +110,7 @@ export class WebAppPublicCertificateSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20180201:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20181101:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20190801:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20200601:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20200901:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20201001:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20201201:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20210101:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20210115:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20210201:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20210301:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20220301:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20220901:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20230101:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20231201:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20240401:WebAppPublicCertificateSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20220901:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20230101:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20231201:WebAppPublicCertificateSlot" }, { type: "azure-native:web/v20240401:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20160801:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20180201:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20181101:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20190801:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20200601:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20200901:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20201001:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20201201:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20210101:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20210115:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20210201:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20210301:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20220301:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20220901:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20230101:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20231201:web:WebAppPublicCertificateSlot" }, { type: "azure-native_web_v20240401:web:WebAppPublicCertificateSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppPublicCertificateSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppRelayServiceConnection.ts b/sdk/nodejs/web/webAppRelayServiceConnection.ts index 18d37a2b61c9..64225c8da797 100644 --- a/sdk/nodejs/web/webAppRelayServiceConnection.ts +++ b/sdk/nodejs/web/webAppRelayServiceConnection.ts @@ -105,7 +105,7 @@ export class WebAppRelayServiceConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20160801:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20180201:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20181101:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20190801:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20200601:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20200901:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20201001:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20201201:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20210101:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20210115:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20210201:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20210301:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20220301:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20220901:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20230101:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20231201:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20240401:WebAppRelayServiceConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20220901:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20230101:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20231201:WebAppRelayServiceConnection" }, { type: "azure-native:web/v20240401:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20150801:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20160801:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20180201:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20181101:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20190801:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20200601:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20200901:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20201001:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20201201:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20210101:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20210115:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20210201:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20210301:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20220301:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20220901:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20230101:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20231201:web:WebAppRelayServiceConnection" }, { type: "azure-native_web_v20240401:web:WebAppRelayServiceConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppRelayServiceConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppRelayServiceConnectionSlot.ts b/sdk/nodejs/web/webAppRelayServiceConnectionSlot.ts index 0195e72b3559..f73d390194e4 100644 --- a/sdk/nodejs/web/webAppRelayServiceConnectionSlot.ts +++ b/sdk/nodejs/web/webAppRelayServiceConnectionSlot.ts @@ -109,7 +109,7 @@ export class WebAppRelayServiceConnectionSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20160801:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20180201:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20181101:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20190801:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20200601:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20200901:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20201001:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20201201:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20210101:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20210115:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20210201:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20210301:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20220301:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20220901:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20230101:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20231201:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20240401:WebAppRelayServiceConnectionSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20220901:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20230101:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20231201:WebAppRelayServiceConnectionSlot" }, { type: "azure-native:web/v20240401:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20150801:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20160801:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20180201:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20181101:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20190801:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20200601:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20200901:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20201001:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20201201:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20210101:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20210115:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20210201:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20210301:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20220301:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20220901:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20230101:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20231201:web:WebAppRelayServiceConnectionSlot" }, { type: "azure-native_web_v20240401:web:WebAppRelayServiceConnectionSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppRelayServiceConnectionSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppScmAllowed.ts b/sdk/nodejs/web/webAppScmAllowed.ts index 5f3f59c2513e..b6e9f05d1fe4 100644 --- a/sdk/nodejs/web/webAppScmAllowed.ts +++ b/sdk/nodejs/web/webAppScmAllowed.ts @@ -93,7 +93,7 @@ export class WebAppScmAllowed extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20190801:WebAppScmAllowed" }, { type: "azure-native:web/v20200601:WebAppScmAllowed" }, { type: "azure-native:web/v20200901:WebAppScmAllowed" }, { type: "azure-native:web/v20201001:WebAppScmAllowed" }, { type: "azure-native:web/v20201201:WebAppScmAllowed" }, { type: "azure-native:web/v20210101:WebAppScmAllowed" }, { type: "azure-native:web/v20210115:WebAppScmAllowed" }, { type: "azure-native:web/v20210201:WebAppScmAllowed" }, { type: "azure-native:web/v20210301:WebAppScmAllowed" }, { type: "azure-native:web/v20220301:WebAppScmAllowed" }, { type: "azure-native:web/v20220901:WebAppScmAllowed" }, { type: "azure-native:web/v20230101:WebAppScmAllowed" }, { type: "azure-native:web/v20231201:WebAppScmAllowed" }, { type: "azure-native:web/v20240401:WebAppScmAllowed" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20190801:WebAppScmAllowed" }, { type: "azure-native:web/v20200601:WebAppScmAllowed" }, { type: "azure-native:web/v20200901:WebAppScmAllowed" }, { type: "azure-native:web/v20201001:WebAppScmAllowed" }, { type: "azure-native:web/v20201201:WebAppScmAllowed" }, { type: "azure-native:web/v20210101:WebAppScmAllowed" }, { type: "azure-native:web/v20210115:WebAppScmAllowed" }, { type: "azure-native:web/v20210201:WebAppScmAllowed" }, { type: "azure-native:web/v20210301:WebAppScmAllowed" }, { type: "azure-native:web/v20220301:WebAppScmAllowed" }, { type: "azure-native:web/v20220901:WebAppScmAllowed" }, { type: "azure-native:web/v20230101:WebAppScmAllowed" }, { type: "azure-native:web/v20231201:WebAppScmAllowed" }, { type: "azure-native:web/v20240401:WebAppScmAllowed" }, { type: "azure-native_web_v20190801:web:WebAppScmAllowed" }, { type: "azure-native_web_v20200601:web:WebAppScmAllowed" }, { type: "azure-native_web_v20200901:web:WebAppScmAllowed" }, { type: "azure-native_web_v20201001:web:WebAppScmAllowed" }, { type: "azure-native_web_v20201201:web:WebAppScmAllowed" }, { type: "azure-native_web_v20210101:web:WebAppScmAllowed" }, { type: "azure-native_web_v20210115:web:WebAppScmAllowed" }, { type: "azure-native_web_v20210201:web:WebAppScmAllowed" }, { type: "azure-native_web_v20210301:web:WebAppScmAllowed" }, { type: "azure-native_web_v20220301:web:WebAppScmAllowed" }, { type: "azure-native_web_v20220901:web:WebAppScmAllowed" }, { type: "azure-native_web_v20230101:web:WebAppScmAllowed" }, { type: "azure-native_web_v20231201:web:WebAppScmAllowed" }, { type: "azure-native_web_v20240401:web:WebAppScmAllowed" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppScmAllowed.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppScmAllowedSlot.ts b/sdk/nodejs/web/webAppScmAllowedSlot.ts index d397805f3a83..49a4441a72e2 100644 --- a/sdk/nodejs/web/webAppScmAllowedSlot.ts +++ b/sdk/nodejs/web/webAppScmAllowedSlot.ts @@ -97,7 +97,7 @@ export class WebAppScmAllowedSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20201201:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20210101:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20210115:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20210201:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20210301:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20220301:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20220901:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20230101:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20231201:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20240401:WebAppScmAllowedSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201201:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20210101:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20210115:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20210201:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20210301:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20220301:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20220901:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20230101:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20231201:WebAppScmAllowedSlot" }, { type: "azure-native:web/v20240401:WebAppScmAllowedSlot" }, { type: "azure-native_web_v20201201:web:WebAppScmAllowedSlot" }, { type: "azure-native_web_v20210101:web:WebAppScmAllowedSlot" }, { type: "azure-native_web_v20210115:web:WebAppScmAllowedSlot" }, { type: "azure-native_web_v20210201:web:WebAppScmAllowedSlot" }, { type: "azure-native_web_v20210301:web:WebAppScmAllowedSlot" }, { type: "azure-native_web_v20220301:web:WebAppScmAllowedSlot" }, { type: "azure-native_web_v20220901:web:WebAppScmAllowedSlot" }, { type: "azure-native_web_v20230101:web:WebAppScmAllowedSlot" }, { type: "azure-native_web_v20231201:web:WebAppScmAllowedSlot" }, { type: "azure-native_web_v20240401:web:WebAppScmAllowedSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppScmAllowedSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSiteContainer.ts b/sdk/nodejs/web/webAppSiteContainer.ts index 87aa6f04151a..4a013af99308 100644 --- a/sdk/nodejs/web/webAppSiteContainer.ts +++ b/sdk/nodejs/web/webAppSiteContainer.ts @@ -166,7 +166,7 @@ export class WebAppSiteContainer extends pulumi.CustomResource { resourceInputs["volumeMounts"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20231201:WebAppSiteContainer" }, { type: "azure-native:web/v20240401:WebAppSiteContainer" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20231201:WebAppSiteContainer" }, { type: "azure-native:web/v20240401:WebAppSiteContainer" }, { type: "azure-native_web_v20231201:web:WebAppSiteContainer" }, { type: "azure-native_web_v20240401:web:WebAppSiteContainer" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSiteContainer.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSiteContainerSlot.ts b/sdk/nodejs/web/webAppSiteContainerSlot.ts index 63ffe941f339..55729a7d519a 100644 --- a/sdk/nodejs/web/webAppSiteContainerSlot.ts +++ b/sdk/nodejs/web/webAppSiteContainerSlot.ts @@ -170,7 +170,7 @@ export class WebAppSiteContainerSlot extends pulumi.CustomResource { resourceInputs["volumeMounts"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20231201:WebAppSiteContainerSlot" }, { type: "azure-native:web/v20240401:WebAppSiteContainerSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20231201:WebAppSiteContainerSlot" }, { type: "azure-native:web/v20240401:WebAppSiteContainerSlot" }, { type: "azure-native_web_v20231201:web:WebAppSiteContainerSlot" }, { type: "azure-native_web_v20240401:web:WebAppSiteContainerSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSiteContainerSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSiteExtension.ts b/sdk/nodejs/web/webAppSiteExtension.ts index 4f4a39fe3ff2..870f3dfc4732 100644 --- a/sdk/nodejs/web/webAppSiteExtension.ts +++ b/sdk/nodejs/web/webAppSiteExtension.ts @@ -202,7 +202,7 @@ export class WebAppSiteExtension extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppSiteExtension" }, { type: "azure-native:web/v20180201:WebAppSiteExtension" }, { type: "azure-native:web/v20181101:WebAppSiteExtension" }, { type: "azure-native:web/v20190801:WebAppSiteExtension" }, { type: "azure-native:web/v20200601:WebAppSiteExtension" }, { type: "azure-native:web/v20200901:WebAppSiteExtension" }, { type: "azure-native:web/v20201001:WebAppSiteExtension" }, { type: "azure-native:web/v20201201:WebAppSiteExtension" }, { type: "azure-native:web/v20210101:WebAppSiteExtension" }, { type: "azure-native:web/v20210115:WebAppSiteExtension" }, { type: "azure-native:web/v20210201:WebAppSiteExtension" }, { type: "azure-native:web/v20210301:WebAppSiteExtension" }, { type: "azure-native:web/v20220301:WebAppSiteExtension" }, { type: "azure-native:web/v20220901:WebAppSiteExtension" }, { type: "azure-native:web/v20230101:WebAppSiteExtension" }, { type: "azure-native:web/v20231201:WebAppSiteExtension" }, { type: "azure-native:web/v20240401:WebAppSiteExtension" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppSiteExtension" }, { type: "azure-native:web/v20201001:WebAppSiteExtension" }, { type: "azure-native:web/v20220901:WebAppSiteExtension" }, { type: "azure-native:web/v20230101:WebAppSiteExtension" }, { type: "azure-native:web/v20231201:WebAppSiteExtension" }, { type: "azure-native:web/v20240401:WebAppSiteExtension" }, { type: "azure-native_web_v20160801:web:WebAppSiteExtension" }, { type: "azure-native_web_v20180201:web:WebAppSiteExtension" }, { type: "azure-native_web_v20181101:web:WebAppSiteExtension" }, { type: "azure-native_web_v20190801:web:WebAppSiteExtension" }, { type: "azure-native_web_v20200601:web:WebAppSiteExtension" }, { type: "azure-native_web_v20200901:web:WebAppSiteExtension" }, { type: "azure-native_web_v20201001:web:WebAppSiteExtension" }, { type: "azure-native_web_v20201201:web:WebAppSiteExtension" }, { type: "azure-native_web_v20210101:web:WebAppSiteExtension" }, { type: "azure-native_web_v20210115:web:WebAppSiteExtension" }, { type: "azure-native_web_v20210201:web:WebAppSiteExtension" }, { type: "azure-native_web_v20210301:web:WebAppSiteExtension" }, { type: "azure-native_web_v20220301:web:WebAppSiteExtension" }, { type: "azure-native_web_v20220901:web:WebAppSiteExtension" }, { type: "azure-native_web_v20230101:web:WebAppSiteExtension" }, { type: "azure-native_web_v20231201:web:WebAppSiteExtension" }, { type: "azure-native_web_v20240401:web:WebAppSiteExtension" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSiteExtension.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSiteExtensionSlot.ts b/sdk/nodejs/web/webAppSiteExtensionSlot.ts index fbd244d3376e..943b62c0969d 100644 --- a/sdk/nodejs/web/webAppSiteExtensionSlot.ts +++ b/sdk/nodejs/web/webAppSiteExtensionSlot.ts @@ -206,7 +206,7 @@ export class WebAppSiteExtensionSlot extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20180201:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20181101:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20190801:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20200601:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20200901:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20201001:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20201201:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20210101:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20210115:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20210201:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20210301:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20220301:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20220901:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20230101:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20231201:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20240401:WebAppSiteExtensionSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20201001:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20220901:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20230101:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20231201:WebAppSiteExtensionSlot" }, { type: "azure-native:web/v20240401:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20160801:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20180201:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20181101:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20190801:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20200601:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20200901:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20201001:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20201201:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20210101:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20210115:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20210201:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20210301:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20220301:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20220901:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20230101:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20231201:web:WebAppSiteExtensionSlot" }, { type: "azure-native_web_v20240401:web:WebAppSiteExtensionSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSiteExtensionSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSitePushSettings.ts b/sdk/nodejs/web/webAppSitePushSettings.ts index f477f52f0067..369093c00bc6 100644 --- a/sdk/nodejs/web/webAppSitePushSettings.ts +++ b/sdk/nodejs/web/webAppSitePushSettings.ts @@ -114,7 +114,7 @@ export class WebAppSitePushSettings extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppSitePushSettings" }, { type: "azure-native:web/v20180201:WebAppSitePushSettings" }, { type: "azure-native:web/v20181101:WebAppSitePushSettings" }, { type: "azure-native:web/v20190801:WebAppSitePushSettings" }, { type: "azure-native:web/v20200601:WebAppSitePushSettings" }, { type: "azure-native:web/v20200901:WebAppSitePushSettings" }, { type: "azure-native:web/v20201001:WebAppSitePushSettings" }, { type: "azure-native:web/v20201201:WebAppSitePushSettings" }, { type: "azure-native:web/v20210101:WebAppSitePushSettings" }, { type: "azure-native:web/v20210115:WebAppSitePushSettings" }, { type: "azure-native:web/v20210201:WebAppSitePushSettings" }, { type: "azure-native:web/v20210301:WebAppSitePushSettings" }, { type: "azure-native:web/v20220301:WebAppSitePushSettings" }, { type: "azure-native:web/v20220901:WebAppSitePushSettings" }, { type: "azure-native:web/v20230101:WebAppSitePushSettings" }, { type: "azure-native:web/v20231201:WebAppSitePushSettings" }, { type: "azure-native:web/v20240401:WebAppSitePushSettings" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppSitePushSettings" }, { type: "azure-native:web/v20220901:WebAppSitePushSettings" }, { type: "azure-native:web/v20230101:WebAppSitePushSettings" }, { type: "azure-native:web/v20231201:WebAppSitePushSettings" }, { type: "azure-native:web/v20240401:WebAppSitePushSettings" }, { type: "azure-native_web_v20160801:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20180201:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20181101:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20190801:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20200601:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20200901:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20201001:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20201201:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20210101:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20210115:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20210201:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20210301:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20220301:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20220901:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20230101:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20231201:web:WebAppSitePushSettings" }, { type: "azure-native_web_v20240401:web:WebAppSitePushSettings" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSitePushSettings.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSitePushSettingsSlot.ts b/sdk/nodejs/web/webAppSitePushSettingsSlot.ts index 6b4f5f9fb10d..c0236b345362 100644 --- a/sdk/nodejs/web/webAppSitePushSettingsSlot.ts +++ b/sdk/nodejs/web/webAppSitePushSettingsSlot.ts @@ -118,7 +118,7 @@ export class WebAppSitePushSettingsSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20180201:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20181101:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20190801:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20200601:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20200901:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20201001:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20201201:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20210101:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20210115:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20210201:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20210301:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20220301:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20220901:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20230101:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20231201:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20240401:WebAppSitePushSettingsSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20220901:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20230101:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20231201:WebAppSitePushSettingsSlot" }, { type: "azure-native:web/v20240401:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20160801:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20180201:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20181101:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20190801:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20200601:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20200901:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20201001:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20201201:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20210101:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20210115:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20210201:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20210301:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20220301:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20220901:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20230101:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20231201:web:WebAppSitePushSettingsSlot" }, { type: "azure-native_web_v20240401:web:WebAppSitePushSettingsSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSitePushSettingsSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSlot.ts b/sdk/nodejs/web/webAppSlot.ts index de93f30c19a1..5dc8b85414d5 100644 --- a/sdk/nodejs/web/webAppSlot.ts +++ b/sdk/nodejs/web/webAppSlot.ts @@ -451,7 +451,7 @@ export class WebAppSlot extends pulumi.CustomResource { resourceInputs["workloadProfileName"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppSlot" }, { type: "azure-native:web/v20160801:WebAppSlot" }, { type: "azure-native:web/v20180201:WebAppSlot" }, { type: "azure-native:web/v20181101:WebAppSlot" }, { type: "azure-native:web/v20190801:WebAppSlot" }, { type: "azure-native:web/v20200601:WebAppSlot" }, { type: "azure-native:web/v20200901:WebAppSlot" }, { type: "azure-native:web/v20201001:WebAppSlot" }, { type: "azure-native:web/v20201201:WebAppSlot" }, { type: "azure-native:web/v20210101:WebAppSlot" }, { type: "azure-native:web/v20210115:WebAppSlot" }, { type: "azure-native:web/v20210201:WebAppSlot" }, { type: "azure-native:web/v20210301:WebAppSlot" }, { type: "azure-native:web/v20220301:WebAppSlot" }, { type: "azure-native:web/v20220901:WebAppSlot" }, { type: "azure-native:web/v20230101:WebAppSlot" }, { type: "azure-native:web/v20231201:WebAppSlot" }, { type: "azure-native:web/v20240401:WebAppSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20160801:WebAppSlot" }, { type: "azure-native:web/v20181101:WebAppSlot" }, { type: "azure-native:web/v20201001:WebAppSlot" }, { type: "azure-native:web/v20220901:WebAppSlot" }, { type: "azure-native:web/v20230101:WebAppSlot" }, { type: "azure-native:web/v20231201:WebAppSlot" }, { type: "azure-native:web/v20240401:WebAppSlot" }, { type: "azure-native_web_v20150801:web:WebAppSlot" }, { type: "azure-native_web_v20160801:web:WebAppSlot" }, { type: "azure-native_web_v20180201:web:WebAppSlot" }, { type: "azure-native_web_v20181101:web:WebAppSlot" }, { type: "azure-native_web_v20190801:web:WebAppSlot" }, { type: "azure-native_web_v20200601:web:WebAppSlot" }, { type: "azure-native_web_v20200901:web:WebAppSlot" }, { type: "azure-native_web_v20201001:web:WebAppSlot" }, { type: "azure-native_web_v20201201:web:WebAppSlot" }, { type: "azure-native_web_v20210101:web:WebAppSlot" }, { type: "azure-native_web_v20210115:web:WebAppSlot" }, { type: "azure-native_web_v20210201:web:WebAppSlot" }, { type: "azure-native_web_v20210301:web:WebAppSlot" }, { type: "azure-native_web_v20220301:web:WebAppSlot" }, { type: "azure-native_web_v20220901:web:WebAppSlot" }, { type: "azure-native_web_v20230101:web:WebAppSlot" }, { type: "azure-native_web_v20231201:web:WebAppSlot" }, { type: "azure-native_web_v20240401:web:WebAppSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSlotConfigurationNames.ts b/sdk/nodejs/web/webAppSlotConfigurationNames.ts index 6ed264b4085f..ff507c62c665 100644 --- a/sdk/nodejs/web/webAppSlotConfigurationNames.ts +++ b/sdk/nodejs/web/webAppSlotConfigurationNames.ts @@ -102,7 +102,7 @@ export class WebAppSlotConfigurationNames extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20160801:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20180201:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20181101:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20190801:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20200601:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20200901:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20201001:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20201201:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20210101:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20210115:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20210201:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20210301:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20220301:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20220901:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20230101:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20231201:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20240401:WebAppSlotConfigurationNames" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20220901:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20230101:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20231201:WebAppSlotConfigurationNames" }, { type: "azure-native:web/v20240401:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20150801:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20160801:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20180201:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20181101:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20190801:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20200601:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20200901:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20201001:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20201201:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20210101:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20210115:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20210201:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20210301:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20220301:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20220901:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20230101:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20231201:web:WebAppSlotConfigurationNames" }, { type: "azure-native_web_v20240401:web:WebAppSlotConfigurationNames" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSlotConfigurationNames.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSourceControl.ts b/sdk/nodejs/web/webAppSourceControl.ts index aad49d358795..6c681395536c 100644 --- a/sdk/nodejs/web/webAppSourceControl.ts +++ b/sdk/nodejs/web/webAppSourceControl.ts @@ -129,7 +129,7 @@ export class WebAppSourceControl extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppSourceControl" }, { type: "azure-native:web/v20160801:WebAppSourceControl" }, { type: "azure-native:web/v20180201:WebAppSourceControl" }, { type: "azure-native:web/v20181101:WebAppSourceControl" }, { type: "azure-native:web/v20190801:WebAppSourceControl" }, { type: "azure-native:web/v20200601:WebAppSourceControl" }, { type: "azure-native:web/v20200901:WebAppSourceControl" }, { type: "azure-native:web/v20201001:WebAppSourceControl" }, { type: "azure-native:web/v20201201:WebAppSourceControl" }, { type: "azure-native:web/v20210101:WebAppSourceControl" }, { type: "azure-native:web/v20210115:WebAppSourceControl" }, { type: "azure-native:web/v20210201:WebAppSourceControl" }, { type: "azure-native:web/v20210301:WebAppSourceControl" }, { type: "azure-native:web/v20220301:WebAppSourceControl" }, { type: "azure-native:web/v20220901:WebAppSourceControl" }, { type: "azure-native:web/v20230101:WebAppSourceControl" }, { type: "azure-native:web/v20231201:WebAppSourceControl" }, { type: "azure-native:web/v20240401:WebAppSourceControl" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppSourceControl" }, { type: "azure-native:web/v20220901:WebAppSourceControl" }, { type: "azure-native:web/v20230101:WebAppSourceControl" }, { type: "azure-native:web/v20231201:WebAppSourceControl" }, { type: "azure-native:web/v20240401:WebAppSourceControl" }, { type: "azure-native_web_v20150801:web:WebAppSourceControl" }, { type: "azure-native_web_v20160801:web:WebAppSourceControl" }, { type: "azure-native_web_v20180201:web:WebAppSourceControl" }, { type: "azure-native_web_v20181101:web:WebAppSourceControl" }, { type: "azure-native_web_v20190801:web:WebAppSourceControl" }, { type: "azure-native_web_v20200601:web:WebAppSourceControl" }, { type: "azure-native_web_v20200901:web:WebAppSourceControl" }, { type: "azure-native_web_v20201001:web:WebAppSourceControl" }, { type: "azure-native_web_v20201201:web:WebAppSourceControl" }, { type: "azure-native_web_v20210101:web:WebAppSourceControl" }, { type: "azure-native_web_v20210115:web:WebAppSourceControl" }, { type: "azure-native_web_v20210201:web:WebAppSourceControl" }, { type: "azure-native_web_v20210301:web:WebAppSourceControl" }, { type: "azure-native_web_v20220301:web:WebAppSourceControl" }, { type: "azure-native_web_v20220901:web:WebAppSourceControl" }, { type: "azure-native_web_v20230101:web:WebAppSourceControl" }, { type: "azure-native_web_v20231201:web:WebAppSourceControl" }, { type: "azure-native_web_v20240401:web:WebAppSourceControl" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSourceControl.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSourceControlSlot.ts b/sdk/nodejs/web/webAppSourceControlSlot.ts index b8b76c79eed8..fa233d8e1287 100644 --- a/sdk/nodejs/web/webAppSourceControlSlot.ts +++ b/sdk/nodejs/web/webAppSourceControlSlot.ts @@ -133,7 +133,7 @@ export class WebAppSourceControlSlot extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppSourceControlSlot" }, { type: "azure-native:web/v20160801:WebAppSourceControlSlot" }, { type: "azure-native:web/v20180201:WebAppSourceControlSlot" }, { type: "azure-native:web/v20181101:WebAppSourceControlSlot" }, { type: "azure-native:web/v20190801:WebAppSourceControlSlot" }, { type: "azure-native:web/v20200601:WebAppSourceControlSlot" }, { type: "azure-native:web/v20200901:WebAppSourceControlSlot" }, { type: "azure-native:web/v20201001:WebAppSourceControlSlot" }, { type: "azure-native:web/v20201201:WebAppSourceControlSlot" }, { type: "azure-native:web/v20210101:WebAppSourceControlSlot" }, { type: "azure-native:web/v20210115:WebAppSourceControlSlot" }, { type: "azure-native:web/v20210201:WebAppSourceControlSlot" }, { type: "azure-native:web/v20210301:WebAppSourceControlSlot" }, { type: "azure-native:web/v20220301:WebAppSourceControlSlot" }, { type: "azure-native:web/v20220901:WebAppSourceControlSlot" }, { type: "azure-native:web/v20230101:WebAppSourceControlSlot" }, { type: "azure-native:web/v20231201:WebAppSourceControlSlot" }, { type: "azure-native:web/v20240401:WebAppSourceControlSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppSourceControlSlot" }, { type: "azure-native:web/v20220901:WebAppSourceControlSlot" }, { type: "azure-native:web/v20230101:WebAppSourceControlSlot" }, { type: "azure-native:web/v20231201:WebAppSourceControlSlot" }, { type: "azure-native:web/v20240401:WebAppSourceControlSlot" }, { type: "azure-native_web_v20150801:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20160801:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20180201:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20181101:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20190801:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20200601:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20200901:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20201001:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20201201:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20210101:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20210115:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20210201:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20210301:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20220301:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20220901:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20230101:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20231201:web:WebAppSourceControlSlot" }, { type: "azure-native_web_v20240401:web:WebAppSourceControlSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSourceControlSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSwiftVirtualNetworkConnection.ts b/sdk/nodejs/web/webAppSwiftVirtualNetworkConnection.ts index b544285a3437..f020dc73fbc2 100644 --- a/sdk/nodejs/web/webAppSwiftVirtualNetworkConnection.ts +++ b/sdk/nodejs/web/webAppSwiftVirtualNetworkConnection.ts @@ -96,7 +96,7 @@ export class WebAppSwiftVirtualNetworkConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20180201:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20181101:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20190801:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20200601:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20200901:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20201201:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20210101:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20210115:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20210201:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20210301:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20220301:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20180201:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20181101:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20190801:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20200601:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20200901:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20201001:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20201201:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20210101:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20210115:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20210201:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20210301:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20220301:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20220901:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20230101:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20231201:web:WebAppSwiftVirtualNetworkConnection" }, { type: "azure-native_web_v20240401:web:WebAppSwiftVirtualNetworkConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSwiftVirtualNetworkConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppSwiftVirtualNetworkConnectionSlot.ts b/sdk/nodejs/web/webAppSwiftVirtualNetworkConnectionSlot.ts index 5fa7e2dbabb3..97e87c32cda8 100644 --- a/sdk/nodejs/web/webAppSwiftVirtualNetworkConnectionSlot.ts +++ b/sdk/nodejs/web/webAppSwiftVirtualNetworkConnectionSlot.ts @@ -100,7 +100,7 @@ export class WebAppSwiftVirtualNetworkConnectionSlot extends pulumi.CustomResour resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20180201:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20181101:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20190801:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20200601:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20200901:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20210115:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20210201:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20210301:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20220301:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnectionSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20180201:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20181101:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20190801:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20200601:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20200901:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20201001:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20210115:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20210201:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20210301:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20220301:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20220901:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20230101:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20231201:web:WebAppSwiftVirtualNetworkConnectionSlot" }, { type: "azure-native_web_v20240401:web:WebAppSwiftVirtualNetworkConnectionSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppSwiftVirtualNetworkConnectionSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppVnetConnection.ts b/sdk/nodejs/web/webAppVnetConnection.ts index efafdf42f7de..a55ceb5aa509 100644 --- a/sdk/nodejs/web/webAppVnetConnection.ts +++ b/sdk/nodejs/web/webAppVnetConnection.ts @@ -131,7 +131,7 @@ export class WebAppVnetConnection extends pulumi.CustomResource { resourceInputs["vnetResourceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppVnetConnection" }, { type: "azure-native:web/v20160801:WebAppVnetConnection" }, { type: "azure-native:web/v20180201:WebAppVnetConnection" }, { type: "azure-native:web/v20181101:WebAppVnetConnection" }, { type: "azure-native:web/v20190801:WebAppVnetConnection" }, { type: "azure-native:web/v20200601:WebAppVnetConnection" }, { type: "azure-native:web/v20200901:WebAppVnetConnection" }, { type: "azure-native:web/v20201001:WebAppVnetConnection" }, { type: "azure-native:web/v20201201:WebAppVnetConnection" }, { type: "azure-native:web/v20210101:WebAppVnetConnection" }, { type: "azure-native:web/v20210115:WebAppVnetConnection" }, { type: "azure-native:web/v20210201:WebAppVnetConnection" }, { type: "azure-native:web/v20210301:WebAppVnetConnection" }, { type: "azure-native:web/v20220301:WebAppVnetConnection" }, { type: "azure-native:web/v20220901:WebAppVnetConnection" }, { type: "azure-native:web/v20230101:WebAppVnetConnection" }, { type: "azure-native:web/v20231201:WebAppVnetConnection" }, { type: "azure-native:web/v20240401:WebAppVnetConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppVnetConnection" }, { type: "azure-native:web/v20220901:WebAppVnetConnection" }, { type: "azure-native:web/v20230101:WebAppVnetConnection" }, { type: "azure-native:web/v20231201:WebAppVnetConnection" }, { type: "azure-native:web/v20240401:WebAppVnetConnection" }, { type: "azure-native_web_v20150801:web:WebAppVnetConnection" }, { type: "azure-native_web_v20160801:web:WebAppVnetConnection" }, { type: "azure-native_web_v20180201:web:WebAppVnetConnection" }, { type: "azure-native_web_v20181101:web:WebAppVnetConnection" }, { type: "azure-native_web_v20190801:web:WebAppVnetConnection" }, { type: "azure-native_web_v20200601:web:WebAppVnetConnection" }, { type: "azure-native_web_v20200901:web:WebAppVnetConnection" }, { type: "azure-native_web_v20201001:web:WebAppVnetConnection" }, { type: "azure-native_web_v20201201:web:WebAppVnetConnection" }, { type: "azure-native_web_v20210101:web:WebAppVnetConnection" }, { type: "azure-native_web_v20210115:web:WebAppVnetConnection" }, { type: "azure-native_web_v20210201:web:WebAppVnetConnection" }, { type: "azure-native_web_v20210301:web:WebAppVnetConnection" }, { type: "azure-native_web_v20220301:web:WebAppVnetConnection" }, { type: "azure-native_web_v20220901:web:WebAppVnetConnection" }, { type: "azure-native_web_v20230101:web:WebAppVnetConnection" }, { type: "azure-native_web_v20231201:web:WebAppVnetConnection" }, { type: "azure-native_web_v20240401:web:WebAppVnetConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppVnetConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/web/webAppVnetConnectionSlot.ts b/sdk/nodejs/web/webAppVnetConnectionSlot.ts index f421dde5991e..704af11860e5 100644 --- a/sdk/nodejs/web/webAppVnetConnectionSlot.ts +++ b/sdk/nodejs/web/webAppVnetConnectionSlot.ts @@ -135,7 +135,7 @@ export class WebAppVnetConnectionSlot extends pulumi.CustomResource { resourceInputs["vnetResourceId"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:web/v20150801:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20160801:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20180201:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20181101:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20190801:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20200601:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20200901:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20201001:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20201201:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20210101:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20210115:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20210201:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20210301:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20220301:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20220901:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20230101:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20231201:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20240401:WebAppVnetConnectionSlot" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:web/v20201001:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20220901:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20230101:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20231201:WebAppVnetConnectionSlot" }, { type: "azure-native:web/v20240401:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20150801:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20160801:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20180201:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20181101:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20190801:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20200601:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20200901:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20201001:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20201201:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20210101:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20210115:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20210201:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20210301:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20220301:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20220901:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20230101:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20231201:web:WebAppVnetConnectionSlot" }, { type: "azure-native_web_v20240401:web:WebAppVnetConnectionSlot" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebAppVnetConnectionSlot.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/webpubsub/webPubSub.ts b/sdk/nodejs/webpubsub/webPubSub.ts index 0dcdd052b32e..9507ce72f3f7 100644 --- a/sdk/nodejs/webpubsub/webPubSub.ts +++ b/sdk/nodejs/webpubsub/webPubSub.ts @@ -239,7 +239,7 @@ export class WebPubSub extends pulumi.CustomResource { resourceInputs["version"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20210401preview:WebPubSub" }, { type: "azure-native:webpubsub/v20210601preview:WebPubSub" }, { type: "azure-native:webpubsub/v20210901preview:WebPubSub" }, { type: "azure-native:webpubsub/v20211001:WebPubSub" }, { type: "azure-native:webpubsub/v20220801preview:WebPubSub" }, { type: "azure-native:webpubsub/v20230201:WebPubSub" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSub" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSub" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSub" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSub" }, { type: "azure-native:webpubsub/v20240301:WebPubSub" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSub" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSub" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSub" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20210401preview:WebPubSub" }, { type: "azure-native:webpubsub/v20210601preview:WebPubSub" }, { type: "azure-native:webpubsub/v20210901preview:WebPubSub" }, { type: "azure-native:webpubsub/v20230201:WebPubSub" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSub" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSub" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSub" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSub" }, { type: "azure-native:webpubsub/v20240301:WebPubSub" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSub" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSub" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSub" }, { type: "azure-native_webpubsub_v20210401preview:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20210601preview:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20210901preview:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20211001:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20230201:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20240301:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSub" }, { type: "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSub" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebPubSub.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/webpubsub/webPubSubCustomCertificate.ts b/sdk/nodejs/webpubsub/webPubSubCustomCertificate.ts index f386c573ebac..22ba99663d31 100644 --- a/sdk/nodejs/webpubsub/webPubSubCustomCertificate.ts +++ b/sdk/nodejs/webpubsub/webPubSubCustomCertificate.ts @@ -119,7 +119,7 @@ export class WebPubSubCustomCertificate extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20220801preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20230201:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20240301:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubCustomCertificate" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20230201:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20240301:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubCustomCertificate" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubCustomCertificate" }, { type: "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubCustomCertificate" }, { type: "azure-native_webpubsub_v20230201:webpubsub:WebPubSubCustomCertificate" }, { type: "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubCustomCertificate" }, { type: "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubCustomCertificate" }, { type: "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubCustomCertificate" }, { type: "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubCustomCertificate" }, { type: "azure-native_webpubsub_v20240301:webpubsub:WebPubSubCustomCertificate" }, { type: "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubCustomCertificate" }, { type: "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubCustomCertificate" }, { type: "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubCustomCertificate" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebPubSubCustomCertificate.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/webpubsub/webPubSubCustomDomain.ts b/sdk/nodejs/webpubsub/webPubSubCustomDomain.ts index 145941a9d8df..2edbf0b34653 100644 --- a/sdk/nodejs/webpubsub/webPubSubCustomDomain.ts +++ b/sdk/nodejs/webpubsub/webPubSubCustomDomain.ts @@ -112,7 +112,7 @@ export class WebPubSubCustomDomain extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20220801preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20230201:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20240301:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubCustomDomain" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20230201:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20240301:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubCustomDomain" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubCustomDomain" }, { type: "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubCustomDomain" }, { type: "azure-native_webpubsub_v20230201:webpubsub:WebPubSubCustomDomain" }, { type: "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubCustomDomain" }, { type: "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubCustomDomain" }, { type: "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubCustomDomain" }, { type: "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubCustomDomain" }, { type: "azure-native_webpubsub_v20240301:webpubsub:WebPubSubCustomDomain" }, { type: "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubCustomDomain" }, { type: "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubCustomDomain" }, { type: "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubCustomDomain" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebPubSubCustomDomain.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/webpubsub/webPubSubHub.ts b/sdk/nodejs/webpubsub/webPubSubHub.ts index bdc02086c49e..297be4ad8da3 100644 --- a/sdk/nodejs/webpubsub/webPubSubHub.ts +++ b/sdk/nodejs/webpubsub/webPubSubHub.ts @@ -98,7 +98,7 @@ export class WebPubSubHub extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20211001:WebPubSubHub" }, { type: "azure-native:webpubsub/v20220801preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20230201:WebPubSubHub" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20240301:WebPubSubHub" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubHub" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20230201:WebPubSubHub" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20240301:WebPubSubHub" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubHub" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubHub" }, { type: "azure-native_webpubsub_v20211001:webpubsub:WebPubSubHub" }, { type: "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubHub" }, { type: "azure-native_webpubsub_v20230201:webpubsub:WebPubSubHub" }, { type: "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubHub" }, { type: "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubHub" }, { type: "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubHub" }, { type: "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubHub" }, { type: "azure-native_webpubsub_v20240301:webpubsub:WebPubSubHub" }, { type: "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubHub" }, { type: "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubHub" }, { type: "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubHub" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebPubSubHub.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/webpubsub/webPubSubPrivateEndpointConnection.ts b/sdk/nodejs/webpubsub/webPubSubPrivateEndpointConnection.ts index 25f9e722649b..edca12492f94 100644 --- a/sdk/nodejs/webpubsub/webPubSubPrivateEndpointConnection.ts +++ b/sdk/nodejs/webpubsub/webPubSubPrivateEndpointConnection.ts @@ -113,7 +113,7 @@ export class WebPubSubPrivateEndpointConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20210401preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20210601preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20210901preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20211001:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20220801preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20230201:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20240301:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubPrivateEndpointConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20230201:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20240301:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20210401preview:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20210601preview:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20210901preview:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20211001:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20230201:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20240301:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubPrivateEndpointConnection" }, { type: "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubPrivateEndpointConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebPubSubPrivateEndpointConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/webpubsub/webPubSubReplica.ts b/sdk/nodejs/webpubsub/webPubSubReplica.ts index edc7395c2f94..fd6ad1c8140e 100644 --- a/sdk/nodejs/webpubsub/webPubSubReplica.ts +++ b/sdk/nodejs/webpubsub/webPubSubReplica.ts @@ -128,7 +128,7 @@ export class WebPubSubReplica extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20230301preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20240301:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubReplica" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20230301preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20240301:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubReplica" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubReplica" }, { type: "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubReplica" }, { type: "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubReplica" }, { type: "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubReplica" }, { type: "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubReplica" }, { type: "azure-native_webpubsub_v20240301:webpubsub:WebPubSubReplica" }, { type: "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubReplica" }, { type: "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubReplica" }, { type: "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubReplica" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebPubSubReplica.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/webpubsub/webPubSubSharedPrivateLinkResource.ts b/sdk/nodejs/webpubsub/webPubSubSharedPrivateLinkResource.ts index 0a0c36dc5b96..8cdcb2532936 100644 --- a/sdk/nodejs/webpubsub/webPubSubSharedPrivateLinkResource.ts +++ b/sdk/nodejs/webpubsub/webPubSubSharedPrivateLinkResource.ts @@ -125,7 +125,7 @@ export class WebPubSubSharedPrivateLinkResource extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20210401preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20210601preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20210901preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20211001:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20220801preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20230201:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20240301:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubSharedPrivateLinkResource" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:webpubsub/v20230201:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20230301preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20230601preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20230801preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20240101preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20240301:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20240401preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20240801preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native:webpubsub/v20241001preview:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20210401preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20210601preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20210901preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20211001:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20230201:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20240301:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubSharedPrivateLinkResource" }, { type: "azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubSharedPrivateLinkResource" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(WebPubSubSharedPrivateLinkResource.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/weightsandbiases/instance.ts b/sdk/nodejs/weightsandbiases/instance.ts index 7d579d51d302..bfad68bf6737 100644 --- a/sdk/nodejs/weightsandbiases/instance.ts +++ b/sdk/nodejs/weightsandbiases/instance.ts @@ -107,7 +107,7 @@ export class Instance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:weightsandbiases/v20240918preview:Instance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native_weightsandbiases_v20240918preview:weightsandbiases:Instance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Instance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/windowsesu/multipleActivationKey.ts b/sdk/nodejs/windowsesu/multipleActivationKey.ts index 8bc25f107b89..edef30794bf4 100644 --- a/sdk/nodejs/windowsesu/multipleActivationKey.ts +++ b/sdk/nodejs/windowsesu/multipleActivationKey.ts @@ -134,7 +134,7 @@ export class MultipleActivationKey extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:windowsesu/v20190916preview:MultipleActivationKey" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:windowsesu/v20190916preview:MultipleActivationKey" }, { type: "azure-native_windowsesu_v20190916preview:windowsesu:MultipleActivationKey" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(MultipleActivationKey.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/windowsiot/service.ts b/sdk/nodejs/windowsiot/service.ts index 094d98669e46..7efe4253c0b5 100644 --- a/sdk/nodejs/windowsiot/service.ts +++ b/sdk/nodejs/windowsiot/service.ts @@ -122,7 +122,7 @@ export class Service extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:windowsiot/v20180216preview:Service" }, { type: "azure-native:windowsiot/v20190601:Service" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:windowsiot/v20190601:Service" }, { type: "azure-native_windowsiot_v20180216preview:windowsiot:Service" }, { type: "azure-native_windowsiot_v20190601:windowsiot:Service" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Service.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/acssbackupConnection.ts b/sdk/nodejs/workloads/acssbackupConnection.ts index cd1a5a0b8f22..e16a547b751e 100644 --- a/sdk/nodejs/workloads/acssbackupConnection.ts +++ b/sdk/nodejs/workloads/acssbackupConnection.ts @@ -117,7 +117,7 @@ export class ACSSBackupConnection extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20231001preview:ACSSBackupConnection" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20231001preview:ACSSBackupConnection" }, { type: "azure-native_workloads_v20231001preview:workloads:ACSSBackupConnection" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ACSSBackupConnection.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/alert.ts b/sdk/nodejs/workloads/alert.ts index b935413a6eaf..b8adab39efeb 100644 --- a/sdk/nodejs/workloads/alert.ts +++ b/sdk/nodejs/workloads/alert.ts @@ -129,7 +129,7 @@ export class Alert extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20240201preview:Alert" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20240201preview:Alert" }, { type: "azure-native_workloads_v20240201preview:workloads:Alert" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Alert.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/connector.ts b/sdk/nodejs/workloads/connector.ts index 14310ce28eb8..75578c1d6222 100644 --- a/sdk/nodejs/workloads/connector.ts +++ b/sdk/nodejs/workloads/connector.ts @@ -128,7 +128,7 @@ export class Connector extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20231001preview:Connector" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20231001preview:Connector" }, { type: "azure-native_workloads_v20231001preview:workloads:Connector" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Connector.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/monitor.ts b/sdk/nodejs/workloads/monitor.ts index 71dc0ef0698d..ea7c2ea50bd2 100644 --- a/sdk/nodejs/workloads/monitor.ts +++ b/sdk/nodejs/workloads/monitor.ts @@ -169,7 +169,7 @@ export class Monitor extends pulumi.CustomResource { resourceInputs["zoneRedundancyPreference"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20211201preview:Monitor" }, { type: "azure-native:workloads/v20221101preview:Monitor" }, { type: "azure-native:workloads/v20230401:Monitor" }, { type: "azure-native:workloads/v20231001preview:Monitor" }, { type: "azure-native:workloads/v20231201preview:Monitor" }, { type: "azure-native:workloads/v20240201preview:Monitor" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20230401:Monitor" }, { type: "azure-native:workloads/v20231001preview:Monitor" }, { type: "azure-native:workloads/v20231201preview:Monitor" }, { type: "azure-native:workloads/v20240201preview:Monitor" }, { type: "azure-native_workloads_v20211201preview:workloads:Monitor" }, { type: "azure-native_workloads_v20221101preview:workloads:Monitor" }, { type: "azure-native_workloads_v20230401:workloads:Monitor" }, { type: "azure-native_workloads_v20231001preview:workloads:Monitor" }, { type: "azure-native_workloads_v20231201preview:workloads:Monitor" }, { type: "azure-native_workloads_v20240201preview:workloads:Monitor" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(Monitor.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/providerInstance.ts b/sdk/nodejs/workloads/providerInstance.ts index 719814ecd81b..9fd0148815d7 100644 --- a/sdk/nodejs/workloads/providerInstance.ts +++ b/sdk/nodejs/workloads/providerInstance.ts @@ -113,7 +113,7 @@ export class ProviderInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20211201preview:ProviderInstance" }, { type: "azure-native:workloads/v20221101preview:ProviderInstance" }, { type: "azure-native:workloads/v20230401:ProviderInstance" }, { type: "azure-native:workloads/v20231001preview:ProviderInstance" }, { type: "azure-native:workloads/v20231201preview:ProviderInstance" }, { type: "azure-native:workloads/v20240201preview:ProviderInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20230401:ProviderInstance" }, { type: "azure-native:workloads/v20231001preview:ProviderInstance" }, { type: "azure-native:workloads/v20231201preview:ProviderInstance" }, { type: "azure-native:workloads/v20240201preview:ProviderInstance" }, { type: "azure-native_workloads_v20211201preview:workloads:ProviderInstance" }, { type: "azure-native_workloads_v20221101preview:workloads:ProviderInstance" }, { type: "azure-native_workloads_v20230401:workloads:ProviderInstance" }, { type: "azure-native_workloads_v20231001preview:workloads:ProviderInstance" }, { type: "azure-native_workloads_v20231201preview:workloads:ProviderInstance" }, { type: "azure-native_workloads_v20240201preview:workloads:ProviderInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ProviderInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/sapApplicationServerInstance.ts b/sdk/nodejs/workloads/sapApplicationServerInstance.ts index 9d1b0a13270e..0581c7364f81 100644 --- a/sdk/nodejs/workloads/sapApplicationServerInstance.ts +++ b/sdk/nodejs/workloads/sapApplicationServerInstance.ts @@ -195,7 +195,7 @@ export class SapApplicationServerInstance extends pulumi.CustomResource { resourceInputs["vmDetails"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20211201preview:SAPApplicationServerInstance" }, { type: "azure-native:workloads/v20211201preview:SapApplicationServerInstance" }, { type: "azure-native:workloads/v20221101preview:SapApplicationServerInstance" }, { type: "azure-native:workloads/v20230401:SAPApplicationServerInstance" }, { type: "azure-native:workloads/v20230401:SapApplicationServerInstance" }, { type: "azure-native:workloads/v20231001preview:SAPApplicationServerInstance" }, { type: "azure-native:workloads/v20231001preview:SapApplicationServerInstance" }, { type: "azure-native:workloads/v20240901:SapApplicationServerInstance" }, { type: "azure-native:workloads:SAPApplicationServerInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20211201preview:SAPApplicationServerInstance" }, { type: "azure-native:workloads/v20230401:SAPApplicationServerInstance" }, { type: "azure-native:workloads/v20231001preview:SAPApplicationServerInstance" }, { type: "azure-native:workloads/v20240901:SapApplicationServerInstance" }, { type: "azure-native:workloads:SAPApplicationServerInstance" }, { type: "azure-native_workloads_v20211201preview:workloads:SapApplicationServerInstance" }, { type: "azure-native_workloads_v20221101preview:workloads:SapApplicationServerInstance" }, { type: "azure-native_workloads_v20230401:workloads:SapApplicationServerInstance" }, { type: "azure-native_workloads_v20231001preview:workloads:SapApplicationServerInstance" }, { type: "azure-native_workloads_v20240901:workloads:SapApplicationServerInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SapApplicationServerInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/sapCentralServerInstance.ts b/sdk/nodejs/workloads/sapCentralServerInstance.ts index fa7ffa0bc4c1..d65ca3201fbe 100644 --- a/sdk/nodejs/workloads/sapCentralServerInstance.ts +++ b/sdk/nodejs/workloads/sapCentralServerInstance.ts @@ -183,7 +183,7 @@ export class SapCentralServerInstance extends pulumi.CustomResource { resourceInputs["vmDetails"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20211201preview:SapCentralServerInstance" }, { type: "azure-native:workloads/v20221101preview:SapCentralServerInstance" }, { type: "azure-native:workloads/v20230401:SAPCentralInstance" }, { type: "azure-native:workloads/v20230401:SapCentralServerInstance" }, { type: "azure-native:workloads/v20231001preview:SAPCentralInstance" }, { type: "azure-native:workloads/v20231001preview:SapCentralServerInstance" }, { type: "azure-native:workloads/v20240901:SapCentralServerInstance" }, { type: "azure-native:workloads:SAPCentralInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20230401:SAPCentralInstance" }, { type: "azure-native:workloads/v20231001preview:SAPCentralInstance" }, { type: "azure-native:workloads/v20240901:SapCentralServerInstance" }, { type: "azure-native:workloads:SAPCentralInstance" }, { type: "azure-native_workloads_v20211201preview:workloads:SapCentralServerInstance" }, { type: "azure-native_workloads_v20221101preview:workloads:SapCentralServerInstance" }, { type: "azure-native_workloads_v20230401:workloads:SapCentralServerInstance" }, { type: "azure-native_workloads_v20231001preview:workloads:SapCentralServerInstance" }, { type: "azure-native_workloads_v20240901:workloads:SapCentralServerInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SapCentralServerInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/sapDatabaseInstance.ts b/sdk/nodejs/workloads/sapDatabaseInstance.ts index 0e996e577e1d..4ac2e72b3c1e 100644 --- a/sdk/nodejs/workloads/sapDatabaseInstance.ts +++ b/sdk/nodejs/workloads/sapDatabaseInstance.ts @@ -153,7 +153,7 @@ export class SapDatabaseInstance extends pulumi.CustomResource { resourceInputs["vmDetails"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20211201preview:SapDatabaseInstance" }, { type: "azure-native:workloads/v20221101preview:SapDatabaseInstance" }, { type: "azure-native:workloads/v20230401:SAPDatabaseInstance" }, { type: "azure-native:workloads/v20230401:SapDatabaseInstance" }, { type: "azure-native:workloads/v20231001preview:SAPDatabaseInstance" }, { type: "azure-native:workloads/v20231001preview:SapDatabaseInstance" }, { type: "azure-native:workloads/v20240901:SapDatabaseInstance" }, { type: "azure-native:workloads:SAPDatabaseInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20230401:SAPDatabaseInstance" }, { type: "azure-native:workloads/v20231001preview:SAPDatabaseInstance" }, { type: "azure-native:workloads/v20240901:SapDatabaseInstance" }, { type: "azure-native:workloads:SAPDatabaseInstance" }, { type: "azure-native_workloads_v20211201preview:workloads:SapDatabaseInstance" }, { type: "azure-native_workloads_v20221101preview:workloads:SapDatabaseInstance" }, { type: "azure-native_workloads_v20230401:workloads:SapDatabaseInstance" }, { type: "azure-native_workloads_v20231001preview:workloads:SapDatabaseInstance" }, { type: "azure-native_workloads_v20240901:workloads:SapDatabaseInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SapDatabaseInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/sapDiscoverySite.ts b/sdk/nodejs/workloads/sapDiscoverySite.ts index d33a0ad19e18..566aac725575 100644 --- a/sdk/nodejs/workloads/sapDiscoverySite.ts +++ b/sdk/nodejs/workloads/sapDiscoverySite.ts @@ -125,7 +125,7 @@ export class SapDiscoverySite extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20231001preview:SapDiscoverySite" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20231001preview:SapDiscoverySite" }, { type: "azure-native_workloads_v20231001preview:workloads:SapDiscoverySite" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SapDiscoverySite.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/sapInstance.ts b/sdk/nodejs/workloads/sapInstance.ts index 826ea77fb69e..71e70a709d3a 100644 --- a/sdk/nodejs/workloads/sapInstance.ts +++ b/sdk/nodejs/workloads/sapInstance.ts @@ -135,7 +135,7 @@ export class SapInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20231001preview:SapInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20231001preview:SapInstance" }, { type: "azure-native_workloads_v20231001preview:workloads:SapInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SapInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/sapLandscapeMonitor.ts b/sdk/nodejs/workloads/sapLandscapeMonitor.ts index 052e2c393690..40d2646dccfb 100644 --- a/sdk/nodejs/workloads/sapLandscapeMonitor.ts +++ b/sdk/nodejs/workloads/sapLandscapeMonitor.ts @@ -106,7 +106,7 @@ export class SapLandscapeMonitor extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20221101preview:SapLandscapeMonitor" }, { type: "azure-native:workloads/v20230401:SapLandscapeMonitor" }, { type: "azure-native:workloads/v20231001preview:SapLandscapeMonitor" }, { type: "azure-native:workloads/v20231201preview:SapLandscapeMonitor" }, { type: "azure-native:workloads/v20240201preview:SapLandscapeMonitor" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20230401:SapLandscapeMonitor" }, { type: "azure-native:workloads/v20231001preview:SapLandscapeMonitor" }, { type: "azure-native:workloads/v20231201preview:SapLandscapeMonitor" }, { type: "azure-native:workloads/v20240201preview:SapLandscapeMonitor" }, { type: "azure-native_workloads_v20221101preview:workloads:SapLandscapeMonitor" }, { type: "azure-native_workloads_v20230401:workloads:SapLandscapeMonitor" }, { type: "azure-native_workloads_v20231001preview:workloads:SapLandscapeMonitor" }, { type: "azure-native_workloads_v20231201preview:workloads:SapLandscapeMonitor" }, { type: "azure-native_workloads_v20240201preview:workloads:SapLandscapeMonitor" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SapLandscapeMonitor.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/sapVirtualInstance.ts b/sdk/nodejs/workloads/sapVirtualInstance.ts index 76d448902057..e3c8d2b27ce4 100644 --- a/sdk/nodejs/workloads/sapVirtualInstance.ts +++ b/sdk/nodejs/workloads/sapVirtualInstance.ts @@ -170,7 +170,7 @@ export class SapVirtualInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20211201preview:SapVirtualInstance" }, { type: "azure-native:workloads/v20221101preview:SapVirtualInstance" }, { type: "azure-native:workloads/v20230401:SAPVirtualInstance" }, { type: "azure-native:workloads/v20230401:SapVirtualInstance" }, { type: "azure-native:workloads/v20231001preview:SAPVirtualInstance" }, { type: "azure-native:workloads/v20231001preview:SapVirtualInstance" }, { type: "azure-native:workloads/v20240901:SapVirtualInstance" }, { type: "azure-native:workloads:SAPVirtualInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20230401:SAPVirtualInstance" }, { type: "azure-native:workloads/v20231001preview:SAPVirtualInstance" }, { type: "azure-native:workloads/v20240901:SapVirtualInstance" }, { type: "azure-native:workloads:SAPVirtualInstance" }, { type: "azure-native_workloads_v20211201preview:workloads:SapVirtualInstance" }, { type: "azure-native_workloads_v20221101preview:workloads:SapVirtualInstance" }, { type: "azure-native_workloads_v20230401:workloads:SapVirtualInstance" }, { type: "azure-native_workloads_v20231001preview:workloads:SapVirtualInstance" }, { type: "azure-native_workloads_v20240901:workloads:SapVirtualInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(SapVirtualInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/nodejs/workloads/serverInstance.ts b/sdk/nodejs/workloads/serverInstance.ts index 6858d743d494..d8a8d5ace207 100644 --- a/sdk/nodejs/workloads/serverInstance.ts +++ b/sdk/nodejs/workloads/serverInstance.ts @@ -151,7 +151,7 @@ export class ServerInstance extends pulumi.CustomResource { resourceInputs["type"] = undefined /*out*/; } opts = pulumi.mergeOptions(utilities.resourceOptsDefaults(), opts); - const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20231001preview:ServerInstance" }] }; + const aliasOpts = { aliases: [{ type: "azure-native:workloads/v20231001preview:ServerInstance" }, { type: "azure-native_workloads_v20231001preview:workloads:ServerInstance" }] }; opts = pulumi.mergeOptions(opts, aliasOpts); super(ServerInstance.__pulumiType, name, resourceInputs, opts); } diff --git a/sdk/python/pulumi_azure_native/aad/domain_service.py b/sdk/python/pulumi_azure_native/aad/domain_service.py index 3cb1e174ff82..a3d93dfea5fb 100644 --- a/sdk/python/pulumi_azure_native/aad/domain_service.py +++ b/sdk/python/pulumi_azure_native/aad/domain_service.py @@ -393,7 +393,7 @@ def _internal_init(__self__, __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:aad/v20170101:DomainService"), pulumi.Alias(type_="azure-native:aad/v20170601:DomainService"), pulumi.Alias(type_="azure-native:aad/v20200101:DomainService"), pulumi.Alias(type_="azure-native:aad/v20210301:DomainService"), pulumi.Alias(type_="azure-native:aad/v20210501:DomainService"), pulumi.Alias(type_="azure-native:aad/v20220901:DomainService"), pulumi.Alias(type_="azure-native:aad/v20221201:DomainService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:aad/v20221201:DomainService"), pulumi.Alias(type_="azure-native_aad_v20170101:aad:DomainService"), pulumi.Alias(type_="azure-native_aad_v20170601:aad:DomainService"), pulumi.Alias(type_="azure-native_aad_v20200101:aad:DomainService"), pulumi.Alias(type_="azure-native_aad_v20210301:aad:DomainService"), pulumi.Alias(type_="azure-native_aad_v20210501:aad:DomainService"), pulumi.Alias(type_="azure-native_aad_v20220901:aad:DomainService"), pulumi.Alias(type_="azure-native_aad_v20221201:aad:DomainService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DomainService, __self__).__init__( 'azure-native:aad:DomainService', diff --git a/sdk/python/pulumi_azure_native/aad/ou_container.py b/sdk/python/pulumi_azure_native/aad/ou_container.py index b63e8cde38a8..88b9e5b6350a 100644 --- a/sdk/python/pulumi_azure_native/aad/ou_container.py +++ b/sdk/python/pulumi_azure_native/aad/ou_container.py @@ -211,7 +211,7 @@ def _internal_init(__self__, __props__.__dict__["tags"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:aad/v20170601:OuContainer"), pulumi.Alias(type_="azure-native:aad/v20200101:OuContainer"), pulumi.Alias(type_="azure-native:aad/v20210301:OuContainer"), pulumi.Alias(type_="azure-native:aad/v20210501:OuContainer"), pulumi.Alias(type_="azure-native:aad/v20220901:OuContainer"), pulumi.Alias(type_="azure-native:aad/v20221201:OuContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:aad/v20221201:OuContainer"), pulumi.Alias(type_="azure-native_aad_v20170601:aad:OuContainer"), pulumi.Alias(type_="azure-native_aad_v20200101:aad:OuContainer"), pulumi.Alias(type_="azure-native_aad_v20210301:aad:OuContainer"), pulumi.Alias(type_="azure-native_aad_v20210501:aad:OuContainer"), pulumi.Alias(type_="azure-native_aad_v20220901:aad:OuContainer"), pulumi.Alias(type_="azure-native_aad_v20221201:aad:OuContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OuContainer, __self__).__init__( 'azure-native:aad:OuContainer', diff --git a/sdk/python/pulumi_azure_native/aadiam/diagnostic_setting.py b/sdk/python/pulumi_azure_native/aadiam/diagnostic_setting.py index 1e4f98e1009e..12fbc3d3a483 100644 --- a/sdk/python/pulumi_azure_native/aadiam/diagnostic_setting.py +++ b/sdk/python/pulumi_azure_native/aadiam/diagnostic_setting.py @@ -218,7 +218,7 @@ def _internal_init(__self__, __props__.__dict__["workspace_id"] = workspace_id __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:aadiam/v20170401:DiagnosticSetting"), pulumi.Alias(type_="azure-native:aadiam/v20170401preview:DiagnosticSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:aadiam/v20170401:DiagnosticSetting"), pulumi.Alias(type_="azure-native:aadiam/v20170401preview:DiagnosticSetting"), pulumi.Alias(type_="azure-native_aadiam_v20170401:aadiam:DiagnosticSetting"), pulumi.Alias(type_="azure-native_aadiam_v20170401preview:aadiam:DiagnosticSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DiagnosticSetting, __self__).__init__( 'azure-native:aadiam:DiagnosticSetting', diff --git a/sdk/python/pulumi_azure_native/addons/support_plan_type.py b/sdk/python/pulumi_azure_native/addons/support_plan_type.py index f61919de05ae..bff701ac3e2a 100644 --- a/sdk/python/pulumi_azure_native/addons/support_plan_type.py +++ b/sdk/python/pulumi_azure_native/addons/support_plan_type.py @@ -118,7 +118,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:addons/v20170515:SupportPlanType"), pulumi.Alias(type_="azure-native:addons/v20180301:SupportPlanType")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:addons/v20180301:SupportPlanType"), pulumi.Alias(type_="azure-native_addons_v20170515:addons:SupportPlanType"), pulumi.Alias(type_="azure-native_addons_v20180301:addons:SupportPlanType")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SupportPlanType, __self__).__init__( 'azure-native:addons:SupportPlanType', diff --git a/sdk/python/pulumi_azure_native/advisor/assessment.py b/sdk/python/pulumi_azure_native/advisor/assessment.py index ace681307306..48a48bb2a935 100644 --- a/sdk/python/pulumi_azure_native/advisor/assessment.py +++ b/sdk/python/pulumi_azure_native/advisor/assessment.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["type_version"] = None __props__.__dict__["workload_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:advisor/v20230901preview:Assessment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_advisor_v20230901preview:advisor:Assessment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Assessment, __self__).__init__( 'azure-native:advisor:Assessment', diff --git a/sdk/python/pulumi_azure_native/advisor/suppression.py b/sdk/python/pulumi_azure_native/advisor/suppression.py index 9021994eb705..9bacd516b80d 100644 --- a/sdk/python/pulumi_azure_native/advisor/suppression.py +++ b/sdk/python/pulumi_azure_native/advisor/suppression.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["expiration_time_stamp"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:advisor/v20160712preview:Suppression"), pulumi.Alias(type_="azure-native:advisor/v20170331:Suppression"), pulumi.Alias(type_="azure-native:advisor/v20170419:Suppression"), pulumi.Alias(type_="azure-native:advisor/v20200101:Suppression"), pulumi.Alias(type_="azure-native:advisor/v20220901:Suppression"), pulumi.Alias(type_="azure-native:advisor/v20221001:Suppression"), pulumi.Alias(type_="azure-native:advisor/v20230101:Suppression"), pulumi.Alias(type_="azure-native:advisor/v20230901preview:Suppression"), pulumi.Alias(type_="azure-native:advisor/v20250101:Suppression")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:advisor/v20230101:Suppression"), pulumi.Alias(type_="azure-native_advisor_v20160712preview:advisor:Suppression"), pulumi.Alias(type_="azure-native_advisor_v20170331:advisor:Suppression"), pulumi.Alias(type_="azure-native_advisor_v20170419:advisor:Suppression"), pulumi.Alias(type_="azure-native_advisor_v20200101:advisor:Suppression"), pulumi.Alias(type_="azure-native_advisor_v20220901:advisor:Suppression"), pulumi.Alias(type_="azure-native_advisor_v20221001:advisor:Suppression"), pulumi.Alias(type_="azure-native_advisor_v20230101:advisor:Suppression"), pulumi.Alias(type_="azure-native_advisor_v20230901preview:advisor:Suppression"), pulumi.Alias(type_="azure-native_advisor_v20250101:advisor:Suppression")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Suppression, __self__).__init__( 'azure-native:advisor:Suppression', diff --git a/sdk/python/pulumi_azure_native/agfoodplatform/data_connector.py b/sdk/python/pulumi_azure_native/agfoodplatform/data_connector.py index b8964dcccfba..d69f7023b7f6 100644 --- a/sdk/python/pulumi_azure_native/agfoodplatform/data_connector.py +++ b/sdk/python/pulumi_azure_native/agfoodplatform/data_connector.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:agfoodplatform/v20230601preview:DataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:agfoodplatform/v20230601preview:DataConnector"), pulumi.Alias(type_="azure-native_agfoodplatform_v20230601preview:agfoodplatform:DataConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataConnector, __self__).__init__( 'azure-native:agfoodplatform:DataConnector', diff --git a/sdk/python/pulumi_azure_native/agfoodplatform/data_manager_for_agriculture_resource.py b/sdk/python/pulumi_azure_native/agfoodplatform/data_manager_for_agriculture_resource.py index 9b553ad871e0..c09336b80460 100644 --- a/sdk/python/pulumi_azure_native/agfoodplatform/data_manager_for_agriculture_resource.py +++ b/sdk/python/pulumi_azure_native/agfoodplatform/data_manager_for_agriculture_resource.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:agfoodplatform/v20200512preview:DataManagerForAgricultureResource"), pulumi.Alias(type_="azure-native:agfoodplatform/v20200512preview:FarmBeatsModel"), pulumi.Alias(type_="azure-native:agfoodplatform/v20210901preview:DataManagerForAgricultureResource"), pulumi.Alias(type_="azure-native:agfoodplatform/v20210901preview:FarmBeatsModel"), pulumi.Alias(type_="azure-native:agfoodplatform/v20230601preview:DataManagerForAgricultureResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:agfoodplatform/v20200512preview:FarmBeatsModel"), pulumi.Alias(type_="azure-native:agfoodplatform/v20210901preview:FarmBeatsModel"), pulumi.Alias(type_="azure-native:agfoodplatform/v20230601preview:DataManagerForAgricultureResource"), pulumi.Alias(type_="azure-native_agfoodplatform_v20200512preview:agfoodplatform:DataManagerForAgricultureResource"), pulumi.Alias(type_="azure-native_agfoodplatform_v20210901preview:agfoodplatform:DataManagerForAgricultureResource"), pulumi.Alias(type_="azure-native_agfoodplatform_v20230601preview:agfoodplatform:DataManagerForAgricultureResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataManagerForAgricultureResource, __self__).__init__( 'azure-native:agfoodplatform:DataManagerForAgricultureResource', diff --git a/sdk/python/pulumi_azure_native/agfoodplatform/extension.py b/sdk/python/pulumi_azure_native/agfoodplatform/extension.py index 0419ed040364..e15ec7df91bb 100644 --- a/sdk/python/pulumi_azure_native/agfoodplatform/extension.py +++ b/sdk/python/pulumi_azure_native/agfoodplatform/extension.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:agfoodplatform/v20200512preview:Extension"), pulumi.Alias(type_="azure-native:agfoodplatform/v20210901preview:Extension"), pulumi.Alias(type_="azure-native:agfoodplatform/v20230601preview:Extension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:agfoodplatform/v20210901preview:Extension"), pulumi.Alias(type_="azure-native:agfoodplatform/v20230601preview:Extension"), pulumi.Alias(type_="azure-native_agfoodplatform_v20200512preview:agfoodplatform:Extension"), pulumi.Alias(type_="azure-native_agfoodplatform_v20210901preview:agfoodplatform:Extension"), pulumi.Alias(type_="azure-native_agfoodplatform_v20230601preview:agfoodplatform:Extension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Extension, __self__).__init__( 'azure-native:agfoodplatform:Extension', diff --git a/sdk/python/pulumi_azure_native/agfoodplatform/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/agfoodplatform/private_endpoint_connection.py index e897fb9c6b3f..8aba301e0128 100644 --- a/sdk/python/pulumi_azure_native/agfoodplatform/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/agfoodplatform/private_endpoint_connection.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:agfoodplatform/v20210901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:agfoodplatform/v20230601preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:agfoodplatform/v20210901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:agfoodplatform/v20230601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_agfoodplatform_v20210901preview:agfoodplatform:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_agfoodplatform_v20230601preview:agfoodplatform:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:agfoodplatform:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/agfoodplatform/solution.py b/sdk/python/pulumi_azure_native/agfoodplatform/solution.py index e233c77d4311..ccf368ad13b6 100644 --- a/sdk/python/pulumi_azure_native/agfoodplatform/solution.py +++ b/sdk/python/pulumi_azure_native/agfoodplatform/solution.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:agfoodplatform/v20210901preview:Solution"), pulumi.Alias(type_="azure-native:agfoodplatform/v20230601preview:Solution")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:agfoodplatform/v20210901preview:Solution"), pulumi.Alias(type_="azure-native:agfoodplatform/v20230601preview:Solution"), pulumi.Alias(type_="azure-native_agfoodplatform_v20210901preview:agfoodplatform:Solution"), pulumi.Alias(type_="azure-native_agfoodplatform_v20230601preview:agfoodplatform:Solution")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Solution, __self__).__init__( 'azure-native:agfoodplatform:Solution', diff --git a/sdk/python/pulumi_azure_native/agricultureplatform/agri_service.py b/sdk/python/pulumi_azure_native/agricultureplatform/agri_service.py index 9bf7a7b7b4a9..fd4a1028d464 100644 --- a/sdk/python/pulumi_azure_native/agricultureplatform/agri_service.py +++ b/sdk/python/pulumi_azure_native/agricultureplatform/agri_service.py @@ -221,7 +221,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:agricultureplatform/v20240601preview:AgriService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_agricultureplatform_v20240601preview:agricultureplatform:AgriService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AgriService, __self__).__init__( 'azure-native:agricultureplatform:AgriService', diff --git a/sdk/python/pulumi_azure_native/alertsmanagement/action_rule_by_name.py b/sdk/python/pulumi_azure_native/alertsmanagement/action_rule_by_name.py index f1bb03eba308..aef357e78269 100644 --- a/sdk/python/pulumi_azure_native/alertsmanagement/action_rule_by_name.py +++ b/sdk/python/pulumi_azure_native/alertsmanagement/action_rule_by_name.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:alertsmanagement/v20181102privatepreview:ActionRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement/v20190505preview:ActionRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement/v20210808:ActionRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement/v20210808:AlertProcessingRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement/v20210808preview:ActionRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement:AlertProcessingRuleByName")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:alertsmanagement/v20190505preview:ActionRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement/v20210808:AlertProcessingRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement:AlertProcessingRuleByName"), pulumi.Alias(type_="azure-native_alertsmanagement_v20181102privatepreview:alertsmanagement:ActionRuleByName"), pulumi.Alias(type_="azure-native_alertsmanagement_v20190505preview:alertsmanagement:ActionRuleByName"), pulumi.Alias(type_="azure-native_alertsmanagement_v20210808:alertsmanagement:ActionRuleByName"), pulumi.Alias(type_="azure-native_alertsmanagement_v20210808preview:alertsmanagement:ActionRuleByName")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ActionRuleByName, __self__).__init__( 'azure-native:alertsmanagement:ActionRuleByName', diff --git a/sdk/python/pulumi_azure_native/alertsmanagement/alert_processing_rule_by_name.py b/sdk/python/pulumi_azure_native/alertsmanagement/alert_processing_rule_by_name.py index 34745255a9b2..6ac152cbacec 100644 --- a/sdk/python/pulumi_azure_native/alertsmanagement/alert_processing_rule_by_name.py +++ b/sdk/python/pulumi_azure_native/alertsmanagement/alert_processing_rule_by_name.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:alertsmanagement/v20181102privatepreview:AlertProcessingRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement/v20190505preview:ActionRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement/v20190505preview:AlertProcessingRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement/v20210808:AlertProcessingRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement/v20210808preview:AlertProcessingRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement:ActionRuleByName")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:alertsmanagement/v20190505preview:ActionRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement/v20210808:AlertProcessingRuleByName"), pulumi.Alias(type_="azure-native:alertsmanagement:ActionRuleByName"), pulumi.Alias(type_="azure-native_alertsmanagement_v20181102privatepreview:alertsmanagement:AlertProcessingRuleByName"), pulumi.Alias(type_="azure-native_alertsmanagement_v20190505preview:alertsmanagement:AlertProcessingRuleByName"), pulumi.Alias(type_="azure-native_alertsmanagement_v20210808:alertsmanagement:AlertProcessingRuleByName"), pulumi.Alias(type_="azure-native_alertsmanagement_v20210808preview:alertsmanagement:AlertProcessingRuleByName")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AlertProcessingRuleByName, __self__).__init__( 'azure-native:alertsmanagement:AlertProcessingRuleByName', diff --git a/sdk/python/pulumi_azure_native/alertsmanagement/prometheus_rule_group.py b/sdk/python/pulumi_azure_native/alertsmanagement/prometheus_rule_group.py index ea9150f7116d..f89088beda3c 100644 --- a/sdk/python/pulumi_azure_native/alertsmanagement/prometheus_rule_group.py +++ b/sdk/python/pulumi_azure_native/alertsmanagement/prometheus_rule_group.py @@ -286,7 +286,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:alertsmanagement/v20210722preview:PrometheusRuleGroup"), pulumi.Alias(type_="azure-native:alertsmanagement/v20230301:PrometheusRuleGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:alertsmanagement/v20230301:PrometheusRuleGroup"), pulumi.Alias(type_="azure-native_alertsmanagement_v20210722preview:alertsmanagement:PrometheusRuleGroup"), pulumi.Alias(type_="azure-native_alertsmanagement_v20230301:alertsmanagement:PrometheusRuleGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrometheusRuleGroup, __self__).__init__( 'azure-native:alertsmanagement:PrometheusRuleGroup', diff --git a/sdk/python/pulumi_azure_native/alertsmanagement/smart_detector_alert_rule.py b/sdk/python/pulumi_azure_native/alertsmanagement/smart_detector_alert_rule.py index c3a2a622ec8e..7d85e115db5d 100644 --- a/sdk/python/pulumi_azure_native/alertsmanagement/smart_detector_alert_rule.py +++ b/sdk/python/pulumi_azure_native/alertsmanagement/smart_detector_alert_rule.py @@ -334,7 +334,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:alertsmanagement/v20190301:SmartDetectorAlertRule"), pulumi.Alias(type_="azure-native:alertsmanagement/v20190601:SmartDetectorAlertRule"), pulumi.Alias(type_="azure-native:alertsmanagement/v20210401:SmartDetectorAlertRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:alertsmanagement/v20210401:SmartDetectorAlertRule"), pulumi.Alias(type_="azure-native_alertsmanagement_v20190301:alertsmanagement:SmartDetectorAlertRule"), pulumi.Alias(type_="azure-native_alertsmanagement_v20190601:alertsmanagement:SmartDetectorAlertRule"), pulumi.Alias(type_="azure-native_alertsmanagement_v20210401:alertsmanagement:SmartDetectorAlertRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SmartDetectorAlertRule, __self__).__init__( 'azure-native:alertsmanagement:SmartDetectorAlertRule', diff --git a/sdk/python/pulumi_azure_native/analysisservices/server_details.py b/sdk/python/pulumi_azure_native/analysisservices/server_details.py index d580f8f5bf3b..0f250d4245e2 100644 --- a/sdk/python/pulumi_azure_native/analysisservices/server_details.py +++ b/sdk/python/pulumi_azure_native/analysisservices/server_details.py @@ -336,7 +336,7 @@ def _internal_init(__self__, __props__.__dict__["server_full_name"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:analysisservices/v20160516:ServerDetails"), pulumi.Alias(type_="azure-native:analysisservices/v20170714:ServerDetails"), pulumi.Alias(type_="azure-native:analysisservices/v20170801:ServerDetails"), pulumi.Alias(type_="azure-native:analysisservices/v20170801beta:ServerDetails")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:analysisservices/v20170801:ServerDetails"), pulumi.Alias(type_="azure-native:analysisservices/v20170801beta:ServerDetails"), pulumi.Alias(type_="azure-native_analysisservices_v20160516:analysisservices:ServerDetails"), pulumi.Alias(type_="azure-native_analysisservices_v20170714:analysisservices:ServerDetails"), pulumi.Alias(type_="azure-native_analysisservices_v20170801:analysisservices:ServerDetails"), pulumi.Alias(type_="azure-native_analysisservices_v20170801beta:analysisservices:ServerDetails")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerDetails, __self__).__init__( 'azure-native:analysisservices:ServerDetails', diff --git a/sdk/python/pulumi_azure_native/apicenter/api.py b/sdk/python/pulumi_azure_native/apicenter/api.py index 0bf0e13f0cf2..e9528d0dc3fa 100644 --- a/sdk/python/pulumi_azure_native/apicenter/api.py +++ b/sdk/python/pulumi_azure_native/apicenter/api.py @@ -350,7 +350,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:Api"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:Api"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:Api")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:Api"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:Api"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:Api"), pulumi.Alias(type_="azure-native_apicenter_v20240301:apicenter:Api"), pulumi.Alias(type_="azure-native_apicenter_v20240315preview:apicenter:Api"), pulumi.Alias(type_="azure-native_apicenter_v20240601preview:apicenter:Api")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Api, __self__).__init__( 'azure-native:apicenter:Api', diff --git a/sdk/python/pulumi_azure_native/apicenter/api_definition.py b/sdk/python/pulumi_azure_native/apicenter/api_definition.py index f6cfffac8fdd..c4bdf459ce6d 100644 --- a/sdk/python/pulumi_azure_native/apicenter/api_definition.py +++ b/sdk/python/pulumi_azure_native/apicenter/api_definition.py @@ -249,7 +249,7 @@ def _internal_init(__self__, __props__.__dict__["specification"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:ApiDefinition"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:ApiDefinition"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:ApiDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:ApiDefinition"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:ApiDefinition"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:ApiDefinition"), pulumi.Alias(type_="azure-native_apicenter_v20240301:apicenter:ApiDefinition"), pulumi.Alias(type_="azure-native_apicenter_v20240315preview:apicenter:ApiDefinition"), pulumi.Alias(type_="azure-native_apicenter_v20240601preview:apicenter:ApiDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiDefinition, __self__).__init__( 'azure-native:apicenter:ApiDefinition', diff --git a/sdk/python/pulumi_azure_native/apicenter/api_source.py b/sdk/python/pulumi_azure_native/apicenter/api_source.py index f38e7a43eb1e..2852cafe7f24 100644 --- a/sdk/python/pulumi_azure_native/apicenter/api_source.py +++ b/sdk/python/pulumi_azure_native/apicenter/api_source.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240601preview:ApiSource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240601preview:ApiSource"), pulumi.Alias(type_="azure-native_apicenter_v20240601preview:apicenter:ApiSource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiSource, __self__).__init__( 'azure-native:apicenter:ApiSource', diff --git a/sdk/python/pulumi_azure_native/apicenter/api_version.py b/sdk/python/pulumi_azure_native/apicenter/api_version.py index 8a535cf1cfb2..4088c3d68704 100644 --- a/sdk/python/pulumi_azure_native/apicenter/api_version.py +++ b/sdk/python/pulumi_azure_native/apicenter/api_version.py @@ -229,7 +229,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:ApiVersion"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:ApiVersion"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:ApiVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:ApiVersion"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:ApiVersion"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:ApiVersion"), pulumi.Alias(type_="azure-native_apicenter_v20240301:apicenter:ApiVersion"), pulumi.Alias(type_="azure-native_apicenter_v20240315preview:apicenter:ApiVersion"), pulumi.Alias(type_="azure-native_apicenter_v20240601preview:apicenter:ApiVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiVersion, __self__).__init__( 'azure-native:apicenter:ApiVersion', diff --git a/sdk/python/pulumi_azure_native/apicenter/deployment.py b/sdk/python/pulumi_azure_native/apicenter/deployment.py index 5354380d160d..4f4894b3dd5b 100644 --- a/sdk/python/pulumi_azure_native/apicenter/deployment.py +++ b/sdk/python/pulumi_azure_native/apicenter/deployment.py @@ -328,7 +328,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:Deployment"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:Deployment"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:Deployment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:Deployment"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:Deployment"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:Deployment"), pulumi.Alias(type_="azure-native_apicenter_v20240301:apicenter:Deployment"), pulumi.Alias(type_="azure-native_apicenter_v20240315preview:apicenter:Deployment"), pulumi.Alias(type_="azure-native_apicenter_v20240601preview:apicenter:Deployment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Deployment, __self__).__init__( 'azure-native:apicenter:Deployment', diff --git a/sdk/python/pulumi_azure_native/apicenter/environment.py b/sdk/python/pulumi_azure_native/apicenter/environment.py index 972488d9e110..57c05c9923b5 100644 --- a/sdk/python/pulumi_azure_native/apicenter/environment.py +++ b/sdk/python/pulumi_azure_native/apicenter/environment.py @@ -289,7 +289,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:Environment"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:Environment"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:Environment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:Environment"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:Environment"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:Environment"), pulumi.Alias(type_="azure-native_apicenter_v20240301:apicenter:Environment"), pulumi.Alias(type_="azure-native_apicenter_v20240315preview:apicenter:Environment"), pulumi.Alias(type_="azure-native_apicenter_v20240601preview:apicenter:Environment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Environment, __self__).__init__( 'azure-native:apicenter:Environment', diff --git a/sdk/python/pulumi_azure_native/apicenter/metadata_schema.py b/sdk/python/pulumi_azure_native/apicenter/metadata_schema.py index 90e16ffc1ea7..e9fa560f3857 100644 --- a/sdk/python/pulumi_azure_native/apicenter/metadata_schema.py +++ b/sdk/python/pulumi_azure_native/apicenter/metadata_schema.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:MetadataSchema"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:MetadataSchema"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:MetadataSchema")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:MetadataSchema"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:MetadataSchema"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:MetadataSchema"), pulumi.Alias(type_="azure-native_apicenter_v20240301:apicenter:MetadataSchema"), pulumi.Alias(type_="azure-native_apicenter_v20240315preview:apicenter:MetadataSchema"), pulumi.Alias(type_="azure-native_apicenter_v20240601preview:apicenter:MetadataSchema")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MetadataSchema, __self__).__init__( 'azure-native:apicenter:MetadataSchema', diff --git a/sdk/python/pulumi_azure_native/apicenter/service.py b/sdk/python/pulumi_azure_native/apicenter/service.py index ba648dbb8400..309fac3119ab 100644 --- a/sdk/python/pulumi_azure_native/apicenter/service.py +++ b/sdk/python/pulumi_azure_native/apicenter/service.py @@ -210,7 +210,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20230701preview:Service"), pulumi.Alias(type_="azure-native:apicenter/v20240301:Service"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:Service"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:Service")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20230701preview:Service"), pulumi.Alias(type_="azure-native:apicenter/v20240301:Service"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:Service"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:Service"), pulumi.Alias(type_="azure-native_apicenter_v20230701preview:apicenter:Service"), pulumi.Alias(type_="azure-native_apicenter_v20240301:apicenter:Service"), pulumi.Alias(type_="azure-native_apicenter_v20240315preview:apicenter:Service"), pulumi.Alias(type_="azure-native_apicenter_v20240601preview:apicenter:Service")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Service, __self__).__init__( 'azure-native:apicenter:Service', diff --git a/sdk/python/pulumi_azure_native/apicenter/workspace.py b/sdk/python/pulumi_azure_native/apicenter/workspace.py index 0061f9d6f688..9d01bd65abdf 100644 --- a/sdk/python/pulumi_azure_native/apicenter/workspace.py +++ b/sdk/python/pulumi_azure_native/apicenter/workspace.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:Workspace"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:Workspace"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apicenter/v20240301:Workspace"), pulumi.Alias(type_="azure-native:apicenter/v20240315preview:Workspace"), pulumi.Alias(type_="azure-native:apicenter/v20240601preview:Workspace"), pulumi.Alias(type_="azure-native_apicenter_v20240301:apicenter:Workspace"), pulumi.Alias(type_="azure-native_apicenter_v20240315preview:apicenter:Workspace"), pulumi.Alias(type_="azure-native_apicenter_v20240601preview:apicenter:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:apicenter:Workspace', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api.py b/sdk/python/pulumi_azure_native/apimanagement/api.py index d0badd70150f..9912b3d604fa 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api.py @@ -659,7 +659,7 @@ def _internal_init(__self__, __props__.__dict__["is_online"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Api")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Api"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Api"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Api")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Api, __self__).__init__( 'azure-native:apimanagement:Api', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_diagnostic.py b/sdk/python/pulumi_azure_native/apimanagement/api_diagnostic.py index 761bcd6a0701..0947489c55e4 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_diagnostic.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_diagnostic.py @@ -367,7 +367,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiDiagnostic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiDiagnostic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiDiagnostic, __self__).__init__( 'azure-native:apimanagement:ApiDiagnostic', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_gateway.py b/sdk/python/pulumi_azure_native/apimanagement/api_gateway.py index dd820c44afdc..7a761b55897a 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_gateway.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_gateway.py @@ -232,7 +232,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["target_provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiGateway"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiGateway"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiGateway"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiGateway"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiGateway"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiGateway"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiGateway"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiGateway, __self__).__init__( 'azure-native:apimanagement:ApiGateway', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_gateway_config_connection.py b/sdk/python/pulumi_azure_native/apimanagement/api_gateway_config_connection.py index 9addab2cd7eb..19ff61b95581 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_gateway_config_connection.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_gateway_config_connection.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiGatewayConfigConnection"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiGatewayConfigConnection"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiGatewayConfigConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiGatewayConfigConnection"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiGatewayConfigConnection"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiGatewayConfigConnection"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiGatewayConfigConnection"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiGatewayConfigConnection"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiGatewayConfigConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiGatewayConfigConnection, __self__).__init__( 'azure-native:apimanagement:ApiGatewayConfigConnection', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_issue.py b/sdk/python/pulumi_azure_native/apimanagement/api_issue.py index 515025b068f2..067988c9f45b 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_issue.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_issue.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiIssue")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiIssue"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiIssue"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiIssue")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiIssue, __self__).__init__( 'azure-native:apimanagement:ApiIssue', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_issue_attachment.py b/sdk/python/pulumi_azure_native/apimanagement/api_issue_attachment.py index ef371835effb..6c27209a88c5 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_issue_attachment.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_issue_attachment.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiIssueAttachment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiIssueAttachment"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiIssueAttachment"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiIssueAttachment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiIssueAttachment, __self__).__init__( 'azure-native:apimanagement:ApiIssueAttachment', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_issue_comment.py b/sdk/python/pulumi_azure_native/apimanagement/api_issue_comment.py index 2179ac0f8a24..0794bcb1dade 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_issue_comment.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_issue_comment.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiIssueComment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiIssueComment"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiIssueComment"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiIssueComment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiIssueComment, __self__).__init__( 'azure-native:apimanagement:ApiIssueComment', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_management_service.py b/sdk/python/pulumi_azure_native/apimanagement/api_management_service.py index 1bf3eac579d4..e756ae4194d1 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_management_service.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_management_service.py @@ -602,7 +602,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["target_provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiManagementService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20161010:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiManagementService"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiManagementService"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiManagementService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiManagementService, __self__).__init__( 'azure-native:apimanagement:ApiManagementService', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_operation.py b/sdk/python/pulumi_azure_native/apimanagement/api_operation.py index e42cf688d801..742abfc697ad 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_operation.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_operation.py @@ -328,7 +328,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiOperation, __self__).__init__( 'azure-native:apimanagement:ApiOperation', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_operation_policy.py b/sdk/python/pulumi_azure_native/apimanagement/api_operation_policy.py index b6bb924d641a..ef6997e1ec3b 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_operation_policy.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_operation_policy.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiOperationPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiOperationPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiOperationPolicy, __self__).__init__( 'azure-native:apimanagement:ApiOperationPolicy', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_policy.py b/sdk/python/pulumi_azure_native/apimanagement/api_policy.py index d88e99b39048..c3635e07a618 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_policy.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_policy.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiPolicy, __self__).__init__( 'azure-native:apimanagement:ApiPolicy', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_release.py b/sdk/python/pulumi_azure_native/apimanagement/api_release.py index 69db260c6ccb..f4023998dbc3 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_release.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_release.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_date_time"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiRelease")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiRelease")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiRelease, __self__).__init__( 'azure-native:apimanagement:ApiRelease', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_schema.py b/sdk/python/pulumi_azure_native/apimanagement/api_schema.py index 3c429383cfff..ef65045c89ff 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_schema.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_schema.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiSchema")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiSchema")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiSchema, __self__).__init__( 'azure-native:apimanagement:ApiSchema', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_tag_description.py b/sdk/python/pulumi_azure_native/apimanagement/api_tag_description.py index 2c983b3f1c30..42eeac986628 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_tag_description.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_tag_description.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["tag_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:TagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiTagDescription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:TagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiTagDescription"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiTagDescription"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiTagDescription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiTagDescription, __self__).__init__( 'azure-native:apimanagement:ApiTagDescription', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_version_set.py b/sdk/python/pulumi_azure_native/apimanagement/api_version_set.py index 44421b4fe698..b9b38039dc4f 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_version_set.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_version_set.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiVersionSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiVersionSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiVersionSet, __self__).__init__( 'azure-native:apimanagement:ApiVersionSet', diff --git a/sdk/python/pulumi_azure_native/apimanagement/api_wiki.py b/sdk/python/pulumi_azure_native/apimanagement/api_wiki.py index 9116b057bc19..b90cc5d8763d 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/api_wiki.py +++ b/sdk/python/pulumi_azure_native/apimanagement/api_wiki.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiWiki")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ApiWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ApiWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ApiWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ApiWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ApiWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ApiWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ApiWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ApiWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ApiWiki")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiWiki, __self__).__init__( 'azure-native:apimanagement:ApiWiki', diff --git a/sdk/python/pulumi_azure_native/apimanagement/authorization.py b/sdk/python/pulumi_azure_native/apimanagement/authorization.py index 89859b12a429..c0fb79049152 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/authorization.py +++ b/sdk/python/pulumi_azure_native/apimanagement/authorization.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Authorization")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Authorization"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Authorization"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Authorization"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Authorization"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Authorization"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Authorization"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Authorization"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Authorization"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Authorization"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Authorization")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Authorization, __self__).__init__( 'azure-native:apimanagement:Authorization', diff --git a/sdk/python/pulumi_azure_native/apimanagement/authorization_access_policy.py b/sdk/python/pulumi_azure_native/apimanagement/authorization_access_policy.py index 581abf47972a..50f5ae95f994 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/authorization_access_policy.py +++ b/sdk/python/pulumi_azure_native/apimanagement/authorization_access_policy.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:AuthorizationAccessPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:AuthorizationAccessPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationAccessPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AuthorizationAccessPolicy, __self__).__init__( 'azure-native:apimanagement:AuthorizationAccessPolicy', diff --git a/sdk/python/pulumi_azure_native/apimanagement/authorization_provider.py b/sdk/python/pulumi_azure_native/apimanagement/authorization_provider.py index 4473fa37427c..75757485dc77 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/authorization_provider.py +++ b/sdk/python/pulumi_azure_native/apimanagement/authorization_provider.py @@ -204,7 +204,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:AuthorizationProvider")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:AuthorizationProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:AuthorizationProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:AuthorizationProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:AuthorizationProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationProvider")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AuthorizationProvider, __self__).__init__( 'azure-native:apimanagement:AuthorizationProvider', diff --git a/sdk/python/pulumi_azure_native/apimanagement/authorization_server.py b/sdk/python/pulumi_azure_native/apimanagement/authorization_server.py index dd17e7cb780c..0b71e7a8a124 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/authorization_server.py +++ b/sdk/python/pulumi_azure_native/apimanagement/authorization_server.py @@ -510,7 +510,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:AuthorizationServer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:AuthorizationServer"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:AuthorizationServer"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:AuthorizationServer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AuthorizationServer, __self__).__init__( 'azure-native:apimanagement:AuthorizationServer', diff --git a/sdk/python/pulumi_azure_native/apimanagement/backend.py b/sdk/python/pulumi_azure_native/apimanagement/backend.py index 8b9888254fba..59db264fe4a6 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/backend.py +++ b/sdk/python/pulumi_azure_native/apimanagement/backend.py @@ -347,7 +347,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Backend")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20180101:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Backend"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Backend"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Backend")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Backend, __self__).__init__( 'azure-native:apimanagement:Backend', diff --git a/sdk/python/pulumi_azure_native/apimanagement/cache.py b/sdk/python/pulumi_azure_native/apimanagement/cache.py index b63eeba4140c..a0e62b6b8d07 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/cache.py +++ b/sdk/python/pulumi_azure_native/apimanagement/cache.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Cache")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Cache"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Cache"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Cache")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cache, __self__).__init__( 'azure-native:apimanagement:Cache', diff --git a/sdk/python/pulumi_azure_native/apimanagement/certificate.py b/sdk/python/pulumi_azure_native/apimanagement/certificate.py index 7a6268ad990d..e807a1706558 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/certificate.py +++ b/sdk/python/pulumi_azure_native/apimanagement/certificate.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["subject"] = None __props__.__dict__["thumbprint"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Certificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Certificate"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Certificate"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Certificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Certificate, __self__).__init__( 'azure-native:apimanagement:Certificate', diff --git a/sdk/python/pulumi_azure_native/apimanagement/content_item.py b/sdk/python/pulumi_azure_native/apimanagement/content_item.py index e07c2984aad3..317e4d9164b0 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/content_item.py +++ b/sdk/python/pulumi_azure_native/apimanagement/content_item.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20191201:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ContentItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ContentItem"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ContentItem"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ContentItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContentItem, __self__).__init__( 'azure-native:apimanagement:ContentItem', diff --git a/sdk/python/pulumi_azure_native/apimanagement/content_type.py b/sdk/python/pulumi_azure_native/apimanagement/content_type.py index 18ccacf817df..8aa786fdeb55 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/content_type.py +++ b/sdk/python/pulumi_azure_native/apimanagement/content_type.py @@ -241,7 +241,7 @@ def _internal_init(__self__, __props__.__dict__["version"] = version __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20191201:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ContentType")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ContentType"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ContentType"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ContentType")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContentType, __self__).__init__( 'azure-native:apimanagement:ContentType', diff --git a/sdk/python/pulumi_azure_native/apimanagement/diagnostic.py b/sdk/python/pulumi_azure_native/apimanagement/diagnostic.py index 77209c7bb60d..683a28219b46 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/diagnostic.py +++ b/sdk/python/pulumi_azure_native/apimanagement/diagnostic.py @@ -346,7 +346,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Diagnostic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20180101:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Diagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Diagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Diagnostic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Diagnostic, __self__).__init__( 'azure-native:apimanagement:Diagnostic', diff --git a/sdk/python/pulumi_azure_native/apimanagement/documentation.py b/sdk/python/pulumi_azure_native/apimanagement/documentation.py index 4a89ca7278d7..f6cbfbfc7562 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/documentation.py +++ b/sdk/python/pulumi_azure_native/apimanagement/documentation.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Documentation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Documentation"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Documentation"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Documentation"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Documentation"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Documentation"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Documentation"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Documentation"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Documentation"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Documentation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Documentation, __self__).__init__( 'azure-native:apimanagement:Documentation', diff --git a/sdk/python/pulumi_azure_native/apimanagement/email_template.py b/sdk/python/pulumi_azure_native/apimanagement/email_template.py index a1860cc064f0..575d2ba4b69e 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/email_template.py +++ b/sdk/python/pulumi_azure_native/apimanagement/email_template.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["is_default"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:EmailTemplate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:EmailTemplate"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:EmailTemplate"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:EmailTemplate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EmailTemplate, __self__).__init__( 'azure-native:apimanagement:EmailTemplate', diff --git a/sdk/python/pulumi_azure_native/apimanagement/gateway.py b/sdk/python/pulumi_azure_native/apimanagement/gateway.py index 1631bac6e31d..0957fcf35ff5 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/gateway.py +++ b/sdk/python/pulumi_azure_native/apimanagement/gateway.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20191201:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Gateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Gateway"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Gateway"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Gateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Gateway, __self__).__init__( 'azure-native:apimanagement:Gateway', diff --git a/sdk/python/pulumi_azure_native/apimanagement/gateway_api_entity_tag.py b/sdk/python/pulumi_azure_native/apimanagement/gateway_api_entity_tag.py index bfbe5078c2ac..dc4076490b46 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/gateway_api_entity_tag.py +++ b/sdk/python/pulumi_azure_native/apimanagement/gateway_api_entity_tag.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["subscription_required"] = None __props__.__dict__["terms_of_service_url"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20191201:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GatewayApiEntityTag")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:GatewayApiEntityTag"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:GatewayApiEntityTag")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GatewayApiEntityTag, __self__).__init__( 'azure-native:apimanagement:GatewayApiEntityTag', diff --git a/sdk/python/pulumi_azure_native/apimanagement/gateway_certificate_authority.py b/sdk/python/pulumi_azure_native/apimanagement/gateway_certificate_authority.py index 0c1b0909eff1..e702842174d1 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/gateway_certificate_authority.py +++ b/sdk/python/pulumi_azure_native/apimanagement/gateway_certificate_authority.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GatewayCertificateAuthority")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:GatewayCertificateAuthority"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:GatewayCertificateAuthority")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GatewayCertificateAuthority, __self__).__init__( 'azure-native:apimanagement:GatewayCertificateAuthority', diff --git a/sdk/python/pulumi_azure_native/apimanagement/gateway_hostname_configuration.py b/sdk/python/pulumi_azure_native/apimanagement/gateway_hostname_configuration.py index 327dcd0ca662..6cc5efc3ac94 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/gateway_hostname_configuration.py +++ b/sdk/python/pulumi_azure_native/apimanagement/gateway_hostname_configuration.py @@ -283,7 +283,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20191201:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GatewayHostnameConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:GatewayHostnameConfiguration"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:GatewayHostnameConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GatewayHostnameConfiguration, __self__).__init__( 'azure-native:apimanagement:GatewayHostnameConfiguration', diff --git a/sdk/python/pulumi_azure_native/apimanagement/global_schema.py b/sdk/python/pulumi_azure_native/apimanagement/global_schema.py index 971c2a4cb27d..e101f209eb1b 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/global_schema.py +++ b/sdk/python/pulumi_azure_native/apimanagement/global_schema.py @@ -204,7 +204,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement:Schema")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement:Schema"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:GlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:GlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:GlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:GlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:GlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:GlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:GlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:GlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:GlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:GlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:GlobalSchema")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GlobalSchema, __self__).__init__( 'azure-native:apimanagement:GlobalSchema', diff --git a/sdk/python/pulumi_azure_native/apimanagement/graph_ql_api_resolver.py b/sdk/python/pulumi_azure_native/apimanagement/graph_ql_api_resolver.py index 922531d8e229..8b8d320f9b46 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/graph_ql_api_resolver.py +++ b/sdk/python/pulumi_azure_native/apimanagement/graph_ql_api_resolver.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GraphQLApiResolver")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GraphQLApiResolver"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GraphQLApiResolver"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:GraphQLApiResolver"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:GraphQLApiResolver"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:GraphQLApiResolver"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:GraphQLApiResolver"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:GraphQLApiResolver"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:GraphQLApiResolver"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:GraphQLApiResolver")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GraphQLApiResolver, __self__).__init__( 'azure-native:apimanagement:GraphQLApiResolver', diff --git a/sdk/python/pulumi_azure_native/apimanagement/graph_ql_api_resolver_policy.py b/sdk/python/pulumi_azure_native/apimanagement/graph_ql_api_resolver_policy.py index 563e68ec3dfe..05fc2d18131c 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/graph_ql_api_resolver_policy.py +++ b/sdk/python/pulumi_azure_native/apimanagement/graph_ql_api_resolver_policy.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GraphQLApiResolverPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:GraphQLApiResolverPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:GraphQLApiResolverPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GraphQLApiResolverPolicy, __self__).__init__( 'azure-native:apimanagement:GraphQLApiResolverPolicy', diff --git a/sdk/python/pulumi_azure_native/apimanagement/group.py b/sdk/python/pulumi_azure_native/apimanagement/group.py index 413e584a411a..062c49c4bd8f 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/group.py +++ b/sdk/python/pulumi_azure_native/apimanagement/group.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["built_in"] = None __props__.__dict__["name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Group")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Group"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Group"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Group")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Group, __self__).__init__( 'azure-native:apimanagement:Group', diff --git a/sdk/python/pulumi_azure_native/apimanagement/group_user.py b/sdk/python/pulumi_azure_native/apimanagement/group_user.py index 01f617b6cba4..d3449dd76dad 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/group_user.py +++ b/sdk/python/pulumi_azure_native/apimanagement/group_user.py @@ -172,7 +172,7 @@ def _internal_init(__self__, __props__.__dict__["registration_date"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GroupUser")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:GroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:GroupUser")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GroupUser, __self__).__init__( 'azure-native:apimanagement:GroupUser', diff --git a/sdk/python/pulumi_azure_native/apimanagement/identity_provider.py b/sdk/python/pulumi_azure_native/apimanagement/identity_provider.py index 41358785165d..4b522ca4b6a7 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/identity_provider.py +++ b/sdk/python/pulumi_azure_native/apimanagement/identity_provider.py @@ -364,7 +364,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = type __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:IdentityProvider")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20190101:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:IdentityProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:IdentityProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:IdentityProvider")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IdentityProvider, __self__).__init__( 'azure-native:apimanagement:IdentityProvider', diff --git a/sdk/python/pulumi_azure_native/apimanagement/logger.py b/sdk/python/pulumi_azure_native/apimanagement/logger.py index 0419ea78e81b..7ecdecd1dd31 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/logger.py +++ b/sdk/python/pulumi_azure_native/apimanagement/logger.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Logger")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Logger"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Logger"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Logger")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Logger, __self__).__init__( 'azure-native:apimanagement:Logger', diff --git a/sdk/python/pulumi_azure_native/apimanagement/named_value.py b/sdk/python/pulumi_azure_native/apimanagement/named_value.py index cac6c94a62f9..2c9f1f9e6d5a 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/named_value.py +++ b/sdk/python/pulumi_azure_native/apimanagement/named_value.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20191201:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:NamedValue")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:NamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:NamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:NamedValue")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamedValue, __self__).__init__( 'azure-native:apimanagement:NamedValue', diff --git a/sdk/python/pulumi_azure_native/apimanagement/notification_recipient_email.py b/sdk/python/pulumi_azure_native/apimanagement/notification_recipient_email.py index 65d81acd80ba..162cc05db0b2 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/notification_recipient_email.py +++ b/sdk/python/pulumi_azure_native/apimanagement/notification_recipient_email.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:NotificationRecipientEmail")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:NotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:NotificationRecipientEmail")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NotificationRecipientEmail, __self__).__init__( 'azure-native:apimanagement:NotificationRecipientEmail', diff --git a/sdk/python/pulumi_azure_native/apimanagement/notification_recipient_user.py b/sdk/python/pulumi_azure_native/apimanagement/notification_recipient_user.py index 115ad280e162..3f00692eaa13 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/notification_recipient_user.py +++ b/sdk/python/pulumi_azure_native/apimanagement/notification_recipient_user.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:NotificationRecipientUser")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20180101:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:NotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:NotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:NotificationRecipientUser")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NotificationRecipientUser, __self__).__init__( 'azure-native:apimanagement:NotificationRecipientUser', diff --git a/sdk/python/pulumi_azure_native/apimanagement/open_id_connect_provider.py b/sdk/python/pulumi_azure_native/apimanagement/open_id_connect_provider.py index 7f1f2ce1ce07..37c0de2569cb 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/open_id_connect_provider.py +++ b/sdk/python/pulumi_azure_native/apimanagement/open_id_connect_provider.py @@ -285,7 +285,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:OpenIdConnectProvider")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:OpenIdConnectProvider"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:OpenIdConnectProvider")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OpenIdConnectProvider, __self__).__init__( 'azure-native:apimanagement:OpenIdConnectProvider', diff --git a/sdk/python/pulumi_azure_native/apimanagement/policy.py b/sdk/python/pulumi_azure_native/apimanagement/policy.py index 155d7ccb5909..9a70df9b1c99 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/policy.py +++ b/sdk/python/pulumi_azure_native/apimanagement/policy.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Policy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Policy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Policy"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Policy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Policy, __self__).__init__( 'azure-native:apimanagement:Policy', diff --git a/sdk/python/pulumi_azure_native/apimanagement/policy_fragment.py b/sdk/python/pulumi_azure_native/apimanagement/policy_fragment.py index 235e7af132dd..f932858bdc9e 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/policy_fragment.py +++ b/sdk/python/pulumi_azure_native/apimanagement/policy_fragment.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:PolicyFragment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:PolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:PolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:PolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:PolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:PolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:PolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:PolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:PolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:PolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:PolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:PolicyFragment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicyFragment, __self__).__init__( 'azure-native:apimanagement:PolicyFragment', diff --git a/sdk/python/pulumi_azure_native/apimanagement/policy_restriction.py b/sdk/python/pulumi_azure_native/apimanagement/policy_restriction.py index a3b5d85eaec6..8afb51cfe863 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/policy_restriction.py +++ b/sdk/python/pulumi_azure_native/apimanagement/policy_restriction.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:PolicyRestriction"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:PolicyRestriction"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:PolicyRestriction"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:PolicyRestriction")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:PolicyRestriction"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:PolicyRestriction"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:PolicyRestriction"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:PolicyRestriction"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:PolicyRestriction"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:PolicyRestriction"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:PolicyRestriction"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:PolicyRestriction")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicyRestriction, __self__).__init__( 'azure-native:apimanagement:PolicyRestriction', diff --git a/sdk/python/pulumi_azure_native/apimanagement/private_endpoint_connection_by_name.py b/sdk/python/pulumi_azure_native/apimanagement/private_endpoint_connection_by_name.py index 34f44b619e4a..488ad602c252 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/private_endpoint_connection_by_name.py +++ b/sdk/python/pulumi_azure_native/apimanagement/private_endpoint_connection_by_name.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["private_link_service_connection_state"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:PrivateEndpointConnectionByName")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:PrivateEndpointConnectionByName"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:PrivateEndpointConnectionByName")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionByName, __self__).__init__( 'azure-native:apimanagement:PrivateEndpointConnectionByName', diff --git a/sdk/python/pulumi_azure_native/apimanagement/product.py b/sdk/python/pulumi_azure_native/apimanagement/product.py index 0571aa5c5b42..cf714c4fce67 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/product.py +++ b/sdk/python/pulumi_azure_native/apimanagement/product.py @@ -284,7 +284,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Product")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Product"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Product"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Product")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Product, __self__).__init__( 'azure-native:apimanagement:Product', diff --git a/sdk/python/pulumi_azure_native/apimanagement/product_api.py b/sdk/python/pulumi_azure_native/apimanagement/product_api.py index 4675c77d2d8e..b454571ef1bc 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/product_api.py +++ b/sdk/python/pulumi_azure_native/apimanagement/product_api.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["subscription_required"] = None __props__.__dict__["terms_of_service_url"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductApi")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ProductApi"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ProductApi")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProductApi, __self__).__init__( 'azure-native:apimanagement:ProductApi', diff --git a/sdk/python/pulumi_azure_native/apimanagement/product_api_link.py b/sdk/python/pulumi_azure_native/apimanagement/product_api_link.py index e52e184dad48..f6764c910ee5 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/product_api_link.py +++ b/sdk/python/pulumi_azure_native/apimanagement/product_api_link.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductApiLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ProductApiLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProductApiLink, __self__).__init__( 'azure-native:apimanagement:ProductApiLink', diff --git a/sdk/python/pulumi_azure_native/apimanagement/product_group.py b/sdk/python/pulumi_azure_native/apimanagement/product_group.py index 5b94f236b59d..3c856f03749b 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/product_group.py +++ b/sdk/python/pulumi_azure_native/apimanagement/product_group.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["external_id"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ProductGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ProductGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProductGroup, __self__).__init__( 'azure-native:apimanagement:ProductGroup', diff --git a/sdk/python/pulumi_azure_native/apimanagement/product_group_link.py b/sdk/python/pulumi_azure_native/apimanagement/product_group_link.py index 99ea5c36cae0..381369dc5ffb 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/product_group_link.py +++ b/sdk/python/pulumi_azure_native/apimanagement/product_group_link.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductGroupLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ProductGroupLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProductGroupLink, __self__).__init__( 'azure-native:apimanagement:ProductGroupLink', diff --git a/sdk/python/pulumi_azure_native/apimanagement/product_policy.py b/sdk/python/pulumi_azure_native/apimanagement/product_policy.py index d7f603e465f4..1b91ceb55ef2 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/product_policy.py +++ b/sdk/python/pulumi_azure_native/apimanagement/product_policy.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ProductPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProductPolicy, __self__).__init__( 'azure-native:apimanagement:ProductPolicy', diff --git a/sdk/python/pulumi_azure_native/apimanagement/product_wiki.py b/sdk/python/pulumi_azure_native/apimanagement/product_wiki.py index 7153240e26a3..136bf11943ed 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/product_wiki.py +++ b/sdk/python/pulumi_azure_native/apimanagement/product_wiki.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductWiki")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:ProductWiki"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:ProductWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:ProductWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:ProductWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:ProductWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:ProductWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:ProductWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:ProductWiki"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:ProductWiki")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProductWiki, __self__).__init__( 'azure-native:apimanagement:ProductWiki', diff --git a/sdk/python/pulumi_azure_native/apimanagement/schema.py b/sdk/python/pulumi_azure_native/apimanagement/schema.py index 06c638356c83..77ae49c74f5f 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/schema.py +++ b/sdk/python/pulumi_azure_native/apimanagement/schema.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Schema"), pulumi.Alias(type_="azure-native:apimanagement:GlobalSchema")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Schema"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:GlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement:GlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Schema"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Schema"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Schema"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Schema"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Schema"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Schema"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Schema"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Schema"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Schema"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Schema"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Schema")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Schema, __self__).__init__( 'azure-native:apimanagement:Schema', diff --git a/sdk/python/pulumi_azure_native/apimanagement/subscription.py b/sdk/python/pulumi_azure_native/apimanagement/subscription.py index 09be19604959..b964a16a0f24 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/subscription.py +++ b/sdk/python/pulumi_azure_native/apimanagement/subscription.py @@ -337,7 +337,7 @@ def _internal_init(__self__, __props__.__dict__["start_date"] = None __props__.__dict__["state_comment"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Subscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20180101:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Subscription"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Subscription"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Subscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Subscription, __self__).__init__( 'azure-native:apimanagement:Subscription', diff --git a/sdk/python/pulumi_azure_native/apimanagement/tag.py b/sdk/python/pulumi_azure_native/apimanagement/tag.py index 4d49d5c120c1..d97f19a679a9 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/tag.py +++ b/sdk/python/pulumi_azure_native/apimanagement/tag.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Tag")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Tag"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Tag"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Tag")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Tag, __self__).__init__( 'azure-native:apimanagement:Tag', diff --git a/sdk/python/pulumi_azure_native/apimanagement/tag_api_link.py b/sdk/python/pulumi_azure_native/apimanagement/tag_api_link.py index dc3fdfdb68b2..42c91452bf80 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/tag_api_link.py +++ b/sdk/python/pulumi_azure_native/apimanagement/tag_api_link.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagApiLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:TagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:TagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:TagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:TagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:TagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:TagApiLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TagApiLink, __self__).__init__( 'azure-native:apimanagement:TagApiLink', diff --git a/sdk/python/pulumi_azure_native/apimanagement/tag_by_api.py b/sdk/python/pulumi_azure_native/apimanagement/tag_by_api.py index c4cf6b87ef00..b4e78fbf6406 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/tag_by_api.py +++ b/sdk/python/pulumi_azure_native/apimanagement/tag_by_api.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["display_name"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagByApi")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagByApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:TagByApi"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:TagByApi")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TagByApi, __self__).__init__( 'azure-native:apimanagement:TagByApi', diff --git a/sdk/python/pulumi_azure_native/apimanagement/tag_by_operation.py b/sdk/python/pulumi_azure_native/apimanagement/tag_by_operation.py index fb1aa6cfb275..669d749358e7 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/tag_by_operation.py +++ b/sdk/python/pulumi_azure_native/apimanagement/tag_by_operation.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["display_name"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagByOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagByOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:TagByOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:TagByOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TagByOperation, __self__).__init__( 'azure-native:apimanagement:TagByOperation', diff --git a/sdk/python/pulumi_azure_native/apimanagement/tag_by_product.py b/sdk/python/pulumi_azure_native/apimanagement/tag_by_product.py index 78ff468e74b3..524697d7d51f 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/tag_by_product.py +++ b/sdk/python/pulumi_azure_native/apimanagement/tag_by_product.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["display_name"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagByProduct")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220801:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagByProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:TagByProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:TagByProduct")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TagByProduct, __self__).__init__( 'azure-native:apimanagement:TagByProduct', diff --git a/sdk/python/pulumi_azure_native/apimanagement/tag_operation_link.py b/sdk/python/pulumi_azure_native/apimanagement/tag_operation_link.py index 8923ec0ec91a..b988907234ee 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/tag_operation_link.py +++ b/sdk/python/pulumi_azure_native/apimanagement/tag_operation_link.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagOperationLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:TagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:TagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:TagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:TagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:TagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:TagOperationLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TagOperationLink, __self__).__init__( 'azure-native:apimanagement:TagOperationLink', diff --git a/sdk/python/pulumi_azure_native/apimanagement/tag_product_link.py b/sdk/python/pulumi_azure_native/apimanagement/tag_product_link.py index 31bb35d4db6c..62d88737c1f1 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/tag_product_link.py +++ b/sdk/python/pulumi_azure_native/apimanagement/tag_product_link.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagProductLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:TagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:TagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:TagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:TagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:TagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:TagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:TagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:TagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:TagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:TagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:TagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:TagProductLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TagProductLink, __self__).__init__( 'azure-native:apimanagement:TagProductLink', diff --git a/sdk/python/pulumi_azure_native/apimanagement/user.py b/sdk/python/pulumi_azure_native/apimanagement/user.py index 9319ccab461e..66f350d380d8 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/user.py +++ b/sdk/python/pulumi_azure_native/apimanagement/user.py @@ -354,7 +354,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["registration_date"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20160707:User"), pulumi.Alias(type_="azure-native:apimanagement/v20161010:User"), pulumi.Alias(type_="azure-native:apimanagement/v20170301:User"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:User"), pulumi.Alias(type_="azure-native:apimanagement/v20180601preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20190101:User"), pulumi.Alias(type_="azure-native:apimanagement/v20191201:User"), pulumi.Alias(type_="azure-native:apimanagement/v20191201preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20200601preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20201201:User"), pulumi.Alias(type_="azure-native:apimanagement/v20210101preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20210401preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20210801:User"), pulumi.Alias(type_="azure-native:apimanagement/v20211201preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20220401preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:User"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:User"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:User")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20170301:User"), pulumi.Alias(type_="azure-native:apimanagement/v20180101:User"), pulumi.Alias(type_="azure-native:apimanagement/v20220801:User"), pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:User"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:User"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:User"), pulumi.Alias(type_="azure-native_apimanagement_v20160707:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20161010:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20170301:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20180101:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20180601preview:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20190101:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20191201:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20191201preview:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20200601preview:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20201201:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20210101preview:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20210401preview:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20210801:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20211201preview:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20220401preview:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20220801:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:User"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:User")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(User, __self__).__init__( 'azure-native:apimanagement:User', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace.py b/sdk/python/pulumi_azure_native/apimanagement/workspace.py index 0db44d7796e4..3957fbf969ec 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Workspace"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Workspace"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Workspace"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Workspace"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Workspace"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:Workspace"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:Workspace"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:Workspace"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:Workspace"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:Workspace"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:Workspace"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:Workspace"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:Workspace"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:Workspace"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:Workspace"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:Workspace"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:apimanagement:Workspace', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_api.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_api.py index 817666d763cf..568bee942b5a 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_api.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_api.py @@ -680,7 +680,7 @@ def _internal_init(__self__, __props__.__dict__["is_online"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApi")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApi"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApi"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApi"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApi"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApi"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApi"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApi"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceApi"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApi")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceApi, __self__).__init__( 'azure-native:apimanagement:WorkspaceApi', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_diagnostic.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_diagnostic.py index 69d2f649965c..6693be330769 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_diagnostic.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_diagnostic.py @@ -408,7 +408,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiDiagnostic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiDiagnostic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceApiDiagnostic, __self__).__init__( 'azure-native:apimanagement:WorkspaceApiDiagnostic', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_operation.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_operation.py index 5c5c60256ca9..e245d2fce904 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_operation.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_operation.py @@ -349,7 +349,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiOperation"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceApiOperation, __self__).__init__( 'azure-native:apimanagement:WorkspaceApiOperation', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_operation_policy.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_operation_policy.py index dc15f1302311..ea01748d5cfb 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_operation_policy.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_operation_policy.py @@ -251,7 +251,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiOperationPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiOperationPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiOperationPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceApiOperationPolicy, __self__).__init__( 'azure-native:apimanagement:WorkspaceApiOperationPolicy', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_policy.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_policy.py index b51a9da9618e..c6ead383db53 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_policy.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_policy.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceApiPolicy, __self__).__init__( 'azure-native:apimanagement:WorkspaceApiPolicy', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_release.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_release.py index 35f2d73cb884..66ddde4105d2 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_release.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_release.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_date_time"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiRelease")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiRelease"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiRelease")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceApiRelease, __self__).__init__( 'azure-native:apimanagement:WorkspaceApiRelease', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_schema.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_schema.py index 88f8cc77944f..99a079e9c56d 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_schema.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_schema.py @@ -265,7 +265,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiSchema")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiSchema")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceApiSchema, __self__).__init__( 'azure-native:apimanagement:WorkspaceApiSchema', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_version_set.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_version_set.py index d391101ca731..a711a666d54a 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_api_version_set.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_api_version_set.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiVersionSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceApiVersionSet"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceApiVersionSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceApiVersionSet, __self__).__init__( 'azure-native:apimanagement:WorkspaceApiVersionSet', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_backend.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_backend.py index bd1b27070112..ef38026b6db5 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_backend.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_backend.py @@ -402,7 +402,7 @@ def _internal_init(__self__, __props__.__dict__["workspace_id"] = workspace_id __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceBackend"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceBackend"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceBackend")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceBackend"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceBackend"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceBackend"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceBackend"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceBackend"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceBackend")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceBackend, __self__).__init__( 'azure-native:apimanagement:WorkspaceBackend', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_certificate.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_certificate.py index 14143eb19c5c..51dcacb48317 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_certificate.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_certificate.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["subject"] = None __props__.__dict__["thumbprint"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceCertificate"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceCertificate"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceCertificate"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceCertificate"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceCertificate"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceCertificate"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceCertificate"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceCertificate, __self__).__init__( 'azure-native:apimanagement:WorkspaceCertificate', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_diagnostic.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_diagnostic.py index 369d1a34ea6d..b4e99511a02b 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_diagnostic.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_diagnostic.py @@ -387,7 +387,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceDiagnostic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceDiagnostic"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceDiagnostic"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceDiagnostic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceDiagnostic, __self__).__init__( 'azure-native:apimanagement:WorkspaceDiagnostic', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_global_schema.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_global_schema.py index db37fab1623c..bedd620ac0cd 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_global_schema.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_global_schema.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceGlobalSchema")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceGlobalSchema"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGlobalSchema")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceGlobalSchema, __self__).__init__( 'azure-native:apimanagement:WorkspaceGlobalSchema', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_group.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_group.py index 5e1b70866abc..2df068f7e4e1 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_group.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_group.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["built_in"] = None __props__.__dict__["name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceGroup"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceGroup"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceGroup, __self__).__init__( 'azure-native:apimanagement:WorkspaceGroup', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_group_user.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_group_user.py index 5ae1cd9bd766..39e247cf3ae4 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_group_user.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_group_user.py @@ -193,7 +193,7 @@ def _internal_init(__self__, __props__.__dict__["registration_date"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceGroupUser")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceGroupUser"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceGroupUser")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceGroupUser, __self__).__init__( 'azure-native:apimanagement:WorkspaceGroupUser', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_logger.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_logger.py index 0beb753e2940..f6b05dcf8e7b 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_logger.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_logger.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceLogger"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceLogger"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceLogger")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceLogger"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceLogger"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceLogger"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceLogger"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceLogger"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceLogger")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceLogger, __self__).__init__( 'azure-native:apimanagement:WorkspaceLogger', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_named_value.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_named_value.py index 5685fc848aaf..febb16075508 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_named_value.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_named_value.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceNamedValue")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceNamedValue"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNamedValue")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceNamedValue, __self__).__init__( 'azure-native:apimanagement:WorkspaceNamedValue', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_notification_recipient_email.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_notification_recipient_email.py index eb7106b29f99..f5d1fc3d191d 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_notification_recipient_email.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_notification_recipient_email.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientEmail")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceNotificationRecipientEmail"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNotificationRecipientEmail")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceNotificationRecipientEmail, __self__).__init__( 'azure-native:apimanagement:WorkspaceNotificationRecipientEmail', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_notification_recipient_user.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_notification_recipient_user.py index 7eed75ae337c..b837770c53e8 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_notification_recipient_user.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_notification_recipient_user.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientUser")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceNotificationRecipientUser"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceNotificationRecipientUser")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceNotificationRecipientUser, __self__).__init__( 'azure-native:apimanagement:WorkspaceNotificationRecipientUser', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_policy.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_policy.py index 456e83db72cc..fb6ffdd80cf5 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_policy.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_policy.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspacePolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspacePolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspacePolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspacePolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspacePolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspacePolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspacePolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspacePolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspacePolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspacePolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspacePolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspacePolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspacePolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspacePolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspacePolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspacePolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspacePolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspacePolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspacePolicy, __self__).__init__( 'azure-native:apimanagement:WorkspacePolicy', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_policy_fragment.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_policy_fragment.py index 046749e1c8a2..ad9fbfd46f0b 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_policy_fragment.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_policy_fragment.py @@ -229,7 +229,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspacePolicyFragment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspacePolicyFragment"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspacePolicyFragment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspacePolicyFragment, __self__).__init__( 'azure-native:apimanagement:WorkspacePolicyFragment', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_product.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_product.py index 4cc175ee94af..2a5161a9fb75 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_product.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_product.py @@ -305,7 +305,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceProduct")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceProduct"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceProduct"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProduct")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceProduct, __self__).__init__( 'azure-native:apimanagement:WorkspaceProduct', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_product_api_link.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_product_api_link.py index eed4fd4c39ee..acd4be651684 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_product_api_link.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_product_api_link.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceProductApiLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductApiLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceProductApiLink, __self__).__init__( 'azure-native:apimanagement:WorkspaceProductApiLink', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_product_group_link.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_product_group_link.py index 6c41a4d00b4a..116a42e3fbe2 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_product_group_link.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_product_group_link.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceProductGroupLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductGroupLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductGroupLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceProductGroupLink, __self__).__init__( 'azure-native:apimanagement:WorkspaceProductGroupLink', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_product_policy.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_product_policy.py index a764406c10e0..abf5b9b97369 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_product_policy.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_product_policy.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceProductPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceProductPolicy"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceProductPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceProductPolicy, __self__).__init__( 'azure-native:apimanagement:WorkspaceProductPolicy', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_subscription.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_subscription.py index fea3c15e24f7..eb0ccaacd76a 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_subscription.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_subscription.py @@ -358,7 +358,7 @@ def _internal_init(__self__, __props__.__dict__["start_date"] = None __props__.__dict__["state_comment"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceSubscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceSubscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceSubscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceSubscription"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceSubscription"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceSubscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceSubscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceSubscription"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceSubscription"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceSubscription"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceSubscription"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceSubscription"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceSubscription"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceSubscription"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceSubscription"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceSubscription"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceSubscription, __self__).__init__( 'azure-native:apimanagement:WorkspaceSubscription', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_tag.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_tag.py index 4b8c838f02e6..7edb8eccd993 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_tag.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_tag.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceTag"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceTag"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceTag")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceTag"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceTag"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceTag"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceTag"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTag"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTag"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTag"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTag"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceTag"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTag")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceTag, __self__).__init__( 'azure-native:apimanagement:WorkspaceTag', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_api_link.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_api_link.py index 745e31a74bc3..afdb79103c36 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_api_link.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_api_link.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceTagApiLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagApiLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagApiLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceTagApiLink, __self__).__init__( 'azure-native:apimanagement:WorkspaceTagApiLink', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_operation_link.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_operation_link.py index 865c80fd32d0..5c7008560836 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_operation_link.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_operation_link.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceTagOperationLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagOperationLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagOperationLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceTagOperationLink, __self__).__init__( 'azure-native:apimanagement:WorkspaceTagOperationLink', diff --git a/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_product_link.py b/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_product_link.py index 73ddebbfb523..d6f5446455f8 100644 --- a/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_product_link.py +++ b/sdk/python/pulumi_azure_native/apimanagement/workspace_tag_product_link.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceTagProductLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:apimanagement/v20220901preview:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230301preview:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230501preview:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20230901preview:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240501:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native:apimanagement/v20240601preview:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20220901preview:apimanagement:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230301preview:apimanagement:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230501preview:apimanagement:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20230901preview:apimanagement:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240501:apimanagement:WorkspaceTagProductLink"), pulumi.Alias(type_="azure-native_apimanagement_v20240601preview:apimanagement:WorkspaceTagProductLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceTagProductLink, __self__).__init__( 'azure-native:apimanagement:WorkspaceTagProductLink', diff --git a/sdk/python/pulumi_azure_native/app/app_resiliency.py b/sdk/python/pulumi_azure_native/app/app_resiliency.py index 1770dbe52cb0..2bf2616cc904 100644 --- a/sdk/python/pulumi_azure_native/app/app_resiliency.py +++ b/sdk/python/pulumi_azure_native/app/app_resiliency.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230801preview:AppResiliency"), pulumi.Alias(type_="azure-native:app/v20231102preview:AppResiliency"), pulumi.Alias(type_="azure-native:app/v20240202preview:AppResiliency"), pulumi.Alias(type_="azure-native:app/v20240802preview:AppResiliency"), pulumi.Alias(type_="azure-native:app/v20241002preview:AppResiliency")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230801preview:AppResiliency"), pulumi.Alias(type_="azure-native:app/v20231102preview:AppResiliency"), pulumi.Alias(type_="azure-native:app/v20240202preview:AppResiliency"), pulumi.Alias(type_="azure-native:app/v20240802preview:AppResiliency"), pulumi.Alias(type_="azure-native:app/v20241002preview:AppResiliency"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:AppResiliency"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:AppResiliency"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:AppResiliency"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:AppResiliency"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:AppResiliency")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AppResiliency, __self__).__init__( 'azure-native:app:AppResiliency', diff --git a/sdk/python/pulumi_azure_native/app/build.py b/sdk/python/pulumi_azure_native/app/build.py index 04353bff88d1..8e4805005eb3 100644 --- a/sdk/python/pulumi_azure_native/app/build.py +++ b/sdk/python/pulumi_azure_native/app/build.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["token_endpoint"] = None __props__.__dict__["type"] = None __props__.__dict__["upload_endpoint"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230801preview:Build"), pulumi.Alias(type_="azure-native:app/v20231102preview:Build"), pulumi.Alias(type_="azure-native:app/v20240202preview:Build"), pulumi.Alias(type_="azure-native:app/v20240802preview:Build"), pulumi.Alias(type_="azure-native:app/v20241002preview:Build")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230801preview:Build"), pulumi.Alias(type_="azure-native:app/v20231102preview:Build"), pulumi.Alias(type_="azure-native:app/v20240202preview:Build"), pulumi.Alias(type_="azure-native:app/v20240802preview:Build"), pulumi.Alias(type_="azure-native:app/v20241002preview:Build"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:Build"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:Build"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:Build"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:Build"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:Build")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Build, __self__).__init__( 'azure-native:app:Build', diff --git a/sdk/python/pulumi_azure_native/app/builder.py b/sdk/python/pulumi_azure_native/app/builder.py index 460d8ee75f02..5c786e6a7360 100644 --- a/sdk/python/pulumi_azure_native/app/builder.py +++ b/sdk/python/pulumi_azure_native/app/builder.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230801preview:Builder"), pulumi.Alias(type_="azure-native:app/v20231102preview:Builder"), pulumi.Alias(type_="azure-native:app/v20240202preview:Builder"), pulumi.Alias(type_="azure-native:app/v20240802preview:Builder"), pulumi.Alias(type_="azure-native:app/v20241002preview:Builder")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230801preview:Builder"), pulumi.Alias(type_="azure-native:app/v20231102preview:Builder"), pulumi.Alias(type_="azure-native:app/v20240202preview:Builder"), pulumi.Alias(type_="azure-native:app/v20240802preview:Builder"), pulumi.Alias(type_="azure-native:app/v20241002preview:Builder"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:Builder"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:Builder"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:Builder"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:Builder"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:Builder")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Builder, __self__).__init__( 'azure-native:app:Builder', diff --git a/sdk/python/pulumi_azure_native/app/certificate.py b/sdk/python/pulumi_azure_native/app/certificate.py index 3e313e3527d2..33782bea4602 100644 --- a/sdk/python/pulumi_azure_native/app/certificate.py +++ b/sdk/python/pulumi_azure_native/app/certificate.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20220301:Certificate"), pulumi.Alias(type_="azure-native:app/v20220601preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20221001:Certificate"), pulumi.Alias(type_="azure-native:app/v20221101preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20230401preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20230501:Certificate"), pulumi.Alias(type_="azure-native:app/v20230502preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20230801preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20231102preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20240202preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20240301:Certificate"), pulumi.Alias(type_="azure-native:app/v20240802preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20241002preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20250101:Certificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20221001:Certificate"), pulumi.Alias(type_="azure-native:app/v20230401preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20230501:Certificate"), pulumi.Alias(type_="azure-native:app/v20230502preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20230801preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20231102preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20240202preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20240301:Certificate"), pulumi.Alias(type_="azure-native:app/v20240802preview:Certificate"), pulumi.Alias(type_="azure-native:app/v20241002preview:Certificate"), pulumi.Alias(type_="azure-native_app_v20220101preview:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20220301:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20220601preview:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20221001:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20230501:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20240301:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:Certificate"), pulumi.Alias(type_="azure-native_app_v20250101:app:Certificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Certificate, __self__).__init__( 'azure-native:app:Certificate', diff --git a/sdk/python/pulumi_azure_native/app/connected_environment.py b/sdk/python/pulumi_azure_native/app/connected_environment.py index cdede58327b4..44a51cded914 100644 --- a/sdk/python/pulumi_azure_native/app/connected_environment.py +++ b/sdk/python/pulumi_azure_native/app/connected_environment.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220601preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20221001:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20221101preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230401preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230501:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230502preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230801preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20231102preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240202preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240301:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240802preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20241002preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20250101:ConnectedEnvironment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20221001:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230401preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230501:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230502preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230801preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20231102preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240202preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240301:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240802preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native:app/v20241002preview:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20220601preview:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20221001:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20230501:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20240301:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ConnectedEnvironment"), pulumi.Alias(type_="azure-native_app_v20250101:app:ConnectedEnvironment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectedEnvironment, __self__).__init__( 'azure-native:app:ConnectedEnvironment', diff --git a/sdk/python/pulumi_azure_native/app/connected_environments_certificate.py b/sdk/python/pulumi_azure_native/app/connected_environments_certificate.py index 92194a30a509..f0a3abf08dbb 100644 --- a/sdk/python/pulumi_azure_native/app/connected_environments_certificate.py +++ b/sdk/python/pulumi_azure_native/app/connected_environments_certificate.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220601preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20221001:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20221101preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20230401preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20230501:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20230502preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20230801preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20231102preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20240202preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20240301:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20240802preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20241002preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20250101:ConnectedEnvironmentsCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20221001:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20230401preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20230501:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20230502preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20230801preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20231102preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20240202preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20240301:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20240802preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native:app/v20241002preview:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20220601preview:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20221001:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20230501:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20240301:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ConnectedEnvironmentsCertificate"), pulumi.Alias(type_="azure-native_app_v20250101:app:ConnectedEnvironmentsCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectedEnvironmentsCertificate, __self__).__init__( 'azure-native:app:ConnectedEnvironmentsCertificate', diff --git a/sdk/python/pulumi_azure_native/app/connected_environments_dapr_component.py b/sdk/python/pulumi_azure_native/app/connected_environments_dapr_component.py index f27eb07bb16b..a979a3b70f26 100644 --- a/sdk/python/pulumi_azure_native/app/connected_environments_dapr_component.py +++ b/sdk/python/pulumi_azure_native/app/connected_environments_dapr_component.py @@ -309,7 +309,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220601preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20221001:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20221101preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20230401preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20230501:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20230502preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20230801preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20231102preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20240202preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20240301:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20240802preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20241002preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20250101:ConnectedEnvironmentsDaprComponent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20221001:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20230401preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20230501:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20230502preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20230801preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20231102preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20240202preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20240301:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20240802preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native:app/v20241002preview:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20220601preview:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20221001:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20230501:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20240301:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ConnectedEnvironmentsDaprComponent"), pulumi.Alias(type_="azure-native_app_v20250101:app:ConnectedEnvironmentsDaprComponent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectedEnvironmentsDaprComponent, __self__).__init__( 'azure-native:app:ConnectedEnvironmentsDaprComponent', diff --git a/sdk/python/pulumi_azure_native/app/connected_environments_storage.py b/sdk/python/pulumi_azure_native/app/connected_environments_storage.py index 68608803d648..0a2e8b435dd3 100644 --- a/sdk/python/pulumi_azure_native/app/connected_environments_storage.py +++ b/sdk/python/pulumi_azure_native/app/connected_environments_storage.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220601preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20221001:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20221101preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230401preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230501:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230502preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230801preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20231102preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240202preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240301:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240802preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20241002preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20250101:ConnectedEnvironmentsStorage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20221001:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230401preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230501:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230502preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230801preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20231102preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240202preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240301:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240802preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20241002preview:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20220601preview:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20221001:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20230501:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20240301:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ConnectedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20250101:app:ConnectedEnvironmentsStorage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectedEnvironmentsStorage, __self__).__init__( 'azure-native:app:ConnectedEnvironmentsStorage', diff --git a/sdk/python/pulumi_azure_native/app/container_app.py b/sdk/python/pulumi_azure_native/app/container_app.py index 5d7e1a173d82..ab9efd6bd980 100644 --- a/sdk/python/pulumi_azure_native/app/container_app.py +++ b/sdk/python/pulumi_azure_native/app/container_app.py @@ -332,7 +332,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20220301:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20220601preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20221001:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20221101preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20230401preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20230501:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20230502preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20230801preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20231102preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20240202preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20240301:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20240802preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20241002preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20250101:ContainerApp")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20221001:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20230401preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20230501:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20230502preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20230801preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20231102preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20240202preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20240301:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20240802preview:ContainerApp"), pulumi.Alias(type_="azure-native:app/v20241002preview:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20220101preview:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20220301:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20220601preview:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20221001:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20230501:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20240301:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ContainerApp"), pulumi.Alias(type_="azure-native_app_v20250101:app:ContainerApp")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContainerApp, __self__).__init__( 'azure-native:app:ContainerApp', diff --git a/sdk/python/pulumi_azure_native/app/container_apps_auth_config.py b/sdk/python/pulumi_azure_native/app/container_apps_auth_config.py index dad9aa6cadb3..fb693b25c1b6 100644 --- a/sdk/python/pulumi_azure_native/app/container_apps_auth_config.py +++ b/sdk/python/pulumi_azure_native/app/container_apps_auth_config.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20220301:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20220601preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20221001:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20221101preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20230401preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20230501:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20230502preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20230801preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20231102preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20240202preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20240301:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20240802preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20241002preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20250101:ContainerAppsAuthConfig")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20221001:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20230401preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20230501:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20230502preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20230801preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20231102preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20240202preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20240301:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20240802preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native:app/v20241002preview:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20220101preview:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20220301:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20220601preview:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20221001:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20230501:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20240301:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ContainerAppsAuthConfig"), pulumi.Alias(type_="azure-native_app_v20250101:app:ContainerAppsAuthConfig")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContainerAppsAuthConfig, __self__).__init__( 'azure-native:app:ContainerAppsAuthConfig', diff --git a/sdk/python/pulumi_azure_native/app/container_apps_session_pool.py b/sdk/python/pulumi_azure_native/app/container_apps_session_pool.py index 20c6a009667f..9581acd234bd 100644 --- a/sdk/python/pulumi_azure_native/app/container_apps_session_pool.py +++ b/sdk/python/pulumi_azure_native/app/container_apps_session_pool.py @@ -368,7 +368,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20240202preview:ContainerAppsSessionPool"), pulumi.Alias(type_="azure-native:app/v20240802preview:ContainerAppsSessionPool"), pulumi.Alias(type_="azure-native:app/v20241002preview:ContainerAppsSessionPool"), pulumi.Alias(type_="azure-native:app/v20250101:ContainerAppsSessionPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20240202preview:ContainerAppsSessionPool"), pulumi.Alias(type_="azure-native:app/v20240802preview:ContainerAppsSessionPool"), pulumi.Alias(type_="azure-native:app/v20241002preview:ContainerAppsSessionPool"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ContainerAppsSessionPool"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ContainerAppsSessionPool"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ContainerAppsSessionPool"), pulumi.Alias(type_="azure-native_app_v20250101:app:ContainerAppsSessionPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContainerAppsSessionPool, __self__).__init__( 'azure-native:app:ContainerAppsSessionPool', diff --git a/sdk/python/pulumi_azure_native/app/container_apps_source_control.py b/sdk/python/pulumi_azure_native/app/container_apps_source_control.py index 6c051065481f..51e72f3d1c3f 100644 --- a/sdk/python/pulumi_azure_native/app/container_apps_source_control.py +++ b/sdk/python/pulumi_azure_native/app/container_apps_source_control.py @@ -212,7 +212,7 @@ def _internal_init(__self__, __props__.__dict__["operation_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20220301:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20220601preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20221001:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20221101preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20230401preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20230501:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20230502preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20230801preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20231102preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20240202preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20240301:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20240802preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20241002preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20250101:ContainerAppsSourceControl")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20221001:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20230401preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20230501:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20230502preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20230801preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20231102preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20240202preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20240301:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20240802preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native:app/v20241002preview:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20220101preview:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20220301:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20220601preview:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20221001:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20230501:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20240301:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ContainerAppsSourceControl"), pulumi.Alias(type_="azure-native_app_v20250101:app:ContainerAppsSourceControl")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContainerAppsSourceControl, __self__).__init__( 'azure-native:app:ContainerAppsSourceControl', diff --git a/sdk/python/pulumi_azure_native/app/dapr_component.py b/sdk/python/pulumi_azure_native/app/dapr_component.py index ae15b1089cc1..e3ffeed7cb1a 100644 --- a/sdk/python/pulumi_azure_native/app/dapr_component.py +++ b/sdk/python/pulumi_azure_native/app/dapr_component.py @@ -309,7 +309,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20220301:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20220601preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20221001:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20221101preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20230401preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20230501:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20230502preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20230801preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20231102preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20240202preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20240301:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20240802preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20241002preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20250101:DaprComponent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20221001:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20230401preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20230501:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20230502preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20230801preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20231102preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20240202preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20240301:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20240802preview:DaprComponent"), pulumi.Alias(type_="azure-native:app/v20241002preview:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20220101preview:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20220301:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20220601preview:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20221001:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20230501:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20240301:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:DaprComponent"), pulumi.Alias(type_="azure-native_app_v20250101:app:DaprComponent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DaprComponent, __self__).__init__( 'azure-native:app:DaprComponent', diff --git a/sdk/python/pulumi_azure_native/app/dapr_component_resiliency_policy.py b/sdk/python/pulumi_azure_native/app/dapr_component_resiliency_policy.py index c83e3c633fa0..973f25eef965 100644 --- a/sdk/python/pulumi_azure_native/app/dapr_component_resiliency_policy.py +++ b/sdk/python/pulumi_azure_native/app/dapr_component_resiliency_policy.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230801preview:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native:app/v20231102preview:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native:app/v20240202preview:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native:app/v20240802preview:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native:app/v20241002preview:DaprComponentResiliencyPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230801preview:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native:app/v20231102preview:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native:app/v20240202preview:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native:app/v20240802preview:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native:app/v20241002preview:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:DaprComponentResiliencyPolicy"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:DaprComponentResiliencyPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DaprComponentResiliencyPolicy, __self__).__init__( 'azure-native:app:DaprComponentResiliencyPolicy', diff --git a/sdk/python/pulumi_azure_native/app/dapr_subscription.py b/sdk/python/pulumi_azure_native/app/dapr_subscription.py index 1e7209750159..4390df21f161 100644 --- a/sdk/python/pulumi_azure_native/app/dapr_subscription.py +++ b/sdk/python/pulumi_azure_native/app/dapr_subscription.py @@ -284,7 +284,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230801preview:DaprSubscription"), pulumi.Alias(type_="azure-native:app/v20231102preview:DaprSubscription"), pulumi.Alias(type_="azure-native:app/v20240202preview:DaprSubscription"), pulumi.Alias(type_="azure-native:app/v20240802preview:DaprSubscription"), pulumi.Alias(type_="azure-native:app/v20241002preview:DaprSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230801preview:DaprSubscription"), pulumi.Alias(type_="azure-native:app/v20231102preview:DaprSubscription"), pulumi.Alias(type_="azure-native:app/v20240202preview:DaprSubscription"), pulumi.Alias(type_="azure-native:app/v20240802preview:DaprSubscription"), pulumi.Alias(type_="azure-native:app/v20241002preview:DaprSubscription"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:DaprSubscription"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:DaprSubscription"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:DaprSubscription"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:DaprSubscription"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:DaprSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DaprSubscription, __self__).__init__( 'azure-native:app:DaprSubscription', diff --git a/sdk/python/pulumi_azure_native/app/dot_net_component.py b/sdk/python/pulumi_azure_native/app/dot_net_component.py index 974d88010af8..f4ae14822370 100644 --- a/sdk/python/pulumi_azure_native/app/dot_net_component.py +++ b/sdk/python/pulumi_azure_native/app/dot_net_component.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20231102preview:DotNetComponent"), pulumi.Alias(type_="azure-native:app/v20240202preview:DotNetComponent"), pulumi.Alias(type_="azure-native:app/v20240802preview:DotNetComponent"), pulumi.Alias(type_="azure-native:app/v20241002preview:DotNetComponent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20231102preview:DotNetComponent"), pulumi.Alias(type_="azure-native:app/v20240202preview:DotNetComponent"), pulumi.Alias(type_="azure-native:app/v20240802preview:DotNetComponent"), pulumi.Alias(type_="azure-native:app/v20241002preview:DotNetComponent"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:DotNetComponent"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:DotNetComponent"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:DotNetComponent"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:DotNetComponent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DotNetComponent, __self__).__init__( 'azure-native:app:DotNetComponent', diff --git a/sdk/python/pulumi_azure_native/app/http_route_config.py b/sdk/python/pulumi_azure_native/app/http_route_config.py index bea72df9e99b..9177d4ad7972 100644 --- a/sdk/python/pulumi_azure_native/app/http_route_config.py +++ b/sdk/python/pulumi_azure_native/app/http_route_config.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20241002preview:HttpRouteConfig")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20241002preview:HttpRouteConfig"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:HttpRouteConfig")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HttpRouteConfig, __self__).__init__( 'azure-native:app:HttpRouteConfig', diff --git a/sdk/python/pulumi_azure_native/app/java_component.py b/sdk/python/pulumi_azure_native/app/java_component.py index 168736d8e2ba..51df9d29e390 100644 --- a/sdk/python/pulumi_azure_native/app/java_component.py +++ b/sdk/python/pulumi_azure_native/app/java_component.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20231102preview:JavaComponent"), pulumi.Alias(type_="azure-native:app/v20240202preview:JavaComponent"), pulumi.Alias(type_="azure-native:app/v20240802preview:JavaComponent"), pulumi.Alias(type_="azure-native:app/v20241002preview:JavaComponent"), pulumi.Alias(type_="azure-native:app/v20250101:JavaComponent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20231102preview:JavaComponent"), pulumi.Alias(type_="azure-native:app/v20240202preview:JavaComponent"), pulumi.Alias(type_="azure-native:app/v20240802preview:JavaComponent"), pulumi.Alias(type_="azure-native:app/v20241002preview:JavaComponent"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:JavaComponent"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:JavaComponent"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:JavaComponent"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:JavaComponent"), pulumi.Alias(type_="azure-native_app_v20250101:app:JavaComponent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JavaComponent, __self__).__init__( 'azure-native:app:JavaComponent', diff --git a/sdk/python/pulumi_azure_native/app/job.py b/sdk/python/pulumi_azure_native/app/job.py index b73a0fc66008..c82da6ac0b88 100644 --- a/sdk/python/pulumi_azure_native/app/job.py +++ b/sdk/python/pulumi_azure_native/app/job.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20221101preview:Job"), pulumi.Alias(type_="azure-native:app/v20230401preview:Job"), pulumi.Alias(type_="azure-native:app/v20230501:Job"), pulumi.Alias(type_="azure-native:app/v20230502preview:Job"), pulumi.Alias(type_="azure-native:app/v20230801preview:Job"), pulumi.Alias(type_="azure-native:app/v20231102preview:Job"), pulumi.Alias(type_="azure-native:app/v20240202preview:Job"), pulumi.Alias(type_="azure-native:app/v20240301:Job"), pulumi.Alias(type_="azure-native:app/v20240802preview:Job"), pulumi.Alias(type_="azure-native:app/v20241002preview:Job"), pulumi.Alias(type_="azure-native:app/v20250101:Job")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230401preview:Job"), pulumi.Alias(type_="azure-native:app/v20230501:Job"), pulumi.Alias(type_="azure-native:app/v20230502preview:Job"), pulumi.Alias(type_="azure-native:app/v20230801preview:Job"), pulumi.Alias(type_="azure-native:app/v20231102preview:Job"), pulumi.Alias(type_="azure-native:app/v20240202preview:Job"), pulumi.Alias(type_="azure-native:app/v20240301:Job"), pulumi.Alias(type_="azure-native:app/v20240802preview:Job"), pulumi.Alias(type_="azure-native:app/v20241002preview:Job"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:Job"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:Job"), pulumi.Alias(type_="azure-native_app_v20230501:app:Job"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:Job"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:Job"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:Job"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:Job"), pulumi.Alias(type_="azure-native_app_v20240301:app:Job"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:Job"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:Job"), pulumi.Alias(type_="azure-native_app_v20250101:app:Job")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Job, __self__).__init__( 'azure-native:app:Job', diff --git a/sdk/python/pulumi_azure_native/app/logic_app.py b/sdk/python/pulumi_azure_native/app/logic_app.py index fad1830844b2..6d3dd408ced8 100644 --- a/sdk/python/pulumi_azure_native/app/logic_app.py +++ b/sdk/python/pulumi_azure_native/app/logic_app.py @@ -144,7 +144,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20240202preview:LogicApp"), pulumi.Alias(type_="azure-native:app/v20240802preview:LogicApp"), pulumi.Alias(type_="azure-native:app/v20241002preview:LogicApp")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20240202preview:LogicApp"), pulumi.Alias(type_="azure-native:app/v20240802preview:LogicApp"), pulumi.Alias(type_="azure-native:app/v20241002preview:LogicApp"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:LogicApp"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:LogicApp"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:LogicApp")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LogicApp, __self__).__init__( 'azure-native:app:LogicApp', diff --git a/sdk/python/pulumi_azure_native/app/maintenance_configuration.py b/sdk/python/pulumi_azure_native/app/maintenance_configuration.py index 46f54ddb51b0..56602d91e0db 100644 --- a/sdk/python/pulumi_azure_native/app/maintenance_configuration.py +++ b/sdk/python/pulumi_azure_native/app/maintenance_configuration.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20241002preview:MaintenanceConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20241002preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:MaintenanceConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MaintenanceConfiguration, __self__).__init__( 'azure-native:app:MaintenanceConfiguration', diff --git a/sdk/python/pulumi_azure_native/app/managed_certificate.py b/sdk/python/pulumi_azure_native/app/managed_certificate.py index cbea4d76c576..4323788c6e54 100644 --- a/sdk/python/pulumi_azure_native/app/managed_certificate.py +++ b/sdk/python/pulumi_azure_native/app/managed_certificate.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20221101preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20230401preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20230501:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20230502preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20230801preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20231102preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20240202preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20240301:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20240802preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20241002preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20250101:ManagedCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20230401preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20230501:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20230502preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20230801preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20231102preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20240202preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20240301:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20240802preview:ManagedCertificate"), pulumi.Alias(type_="azure-native:app/v20241002preview:ManagedCertificate"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:ManagedCertificate"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:ManagedCertificate"), pulumi.Alias(type_="azure-native_app_v20230501:app:ManagedCertificate"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:ManagedCertificate"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:ManagedCertificate"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:ManagedCertificate"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ManagedCertificate"), pulumi.Alias(type_="azure-native_app_v20240301:app:ManagedCertificate"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ManagedCertificate"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ManagedCertificate"), pulumi.Alias(type_="azure-native_app_v20250101:app:ManagedCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedCertificate, __self__).__init__( 'azure-native:app:ManagedCertificate', diff --git a/sdk/python/pulumi_azure_native/app/managed_environment.py b/sdk/python/pulumi_azure_native/app/managed_environment.py index 1ce867dc60d5..0597b575ec09 100644 --- a/sdk/python/pulumi_azure_native/app/managed_environment.py +++ b/sdk/python/pulumi_azure_native/app/managed_environment.py @@ -391,7 +391,7 @@ def _internal_init(__self__, __props__.__dict__["static_ip"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20220301:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20220601preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20221001:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20221101preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230401preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230501:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230502preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230801preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20231102preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240202preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240301:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240802preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20241002preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20250101:ManagedEnvironment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20221001:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230401preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230501:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230502preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20230801preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20231102preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240202preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240301:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20240802preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native:app/v20241002preview:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20220101preview:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20220301:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20220601preview:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20221001:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20230501:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20240301:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ManagedEnvironment"), pulumi.Alias(type_="azure-native_app_v20250101:app:ManagedEnvironment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedEnvironment, __self__).__init__( 'azure-native:app:ManagedEnvironment', diff --git a/sdk/python/pulumi_azure_native/app/managed_environment_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/app/managed_environment_private_endpoint_connection.py index 4dbcc1af2def..d791bea67cca 100644 --- a/sdk/python/pulumi_azure_native/app/managed_environment_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/app/managed_environment_private_endpoint_connection.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20240202preview:ManagedEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:app/v20240802preview:ManagedEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:app/v20241002preview:ManagedEnvironmentPrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20240202preview:ManagedEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:app/v20240802preview:ManagedEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:app/v20241002preview:ManagedEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ManagedEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ManagedEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ManagedEnvironmentPrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedEnvironmentPrivateEndpointConnection, __self__).__init__( 'azure-native:app:ManagedEnvironmentPrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/app/managed_environments_storage.py b/sdk/python/pulumi_azure_native/app/managed_environments_storage.py index 3263f0d8f9bc..a0831b9a4362 100644 --- a/sdk/python/pulumi_azure_native/app/managed_environments_storage.py +++ b/sdk/python/pulumi_azure_native/app/managed_environments_storage.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20220301:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20220601preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20221001:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20221101preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230401preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230501:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230502preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230801preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20231102preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240202preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240301:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240802preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20241002preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20250101:ManagedEnvironmentsStorage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:app/v20220101preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20221001:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230401preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230501:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230502preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20230801preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20231102preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240202preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240301:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20240802preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native:app/v20241002preview:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20220101preview:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20220301:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20220601preview:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20221001:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20221101preview:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20230401preview:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20230501:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20230502preview:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20230801preview:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20231102preview:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20240202preview:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20240301:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20240802preview:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20241002preview:app:ManagedEnvironmentsStorage"), pulumi.Alias(type_="azure-native_app_v20250101:app:ManagedEnvironmentsStorage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedEnvironmentsStorage, __self__).__init__( 'azure-native:app:ManagedEnvironmentsStorage', diff --git a/sdk/python/pulumi_azure_native/appcomplianceautomation/evidence.py b/sdk/python/pulumi_azure_native/appcomplianceautomation/evidence.py index 8309e1864ea4..3979fef46a28 100644 --- a/sdk/python/pulumi_azure_native/appcomplianceautomation/evidence.py +++ b/sdk/python/pulumi_azure_native/appcomplianceautomation/evidence.py @@ -262,7 +262,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appcomplianceautomation/v20240627:Evidence")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appcomplianceautomation/v20240627:Evidence"), pulumi.Alias(type_="azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Evidence")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Evidence, __self__).__init__( 'azure-native:appcomplianceautomation:Evidence', diff --git a/sdk/python/pulumi_azure_native/appcomplianceautomation/report.py b/sdk/python/pulumi_azure_native/appcomplianceautomation/report.py index 821753243193..08574d539d35 100644 --- a/sdk/python/pulumi_azure_native/appcomplianceautomation/report.py +++ b/sdk/python/pulumi_azure_native/appcomplianceautomation/report.py @@ -219,7 +219,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appcomplianceautomation/v20221116preview:Report"), pulumi.Alias(type_="azure-native:appcomplianceautomation/v20240627:Report")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appcomplianceautomation/v20221116preview:Report"), pulumi.Alias(type_="azure-native:appcomplianceautomation/v20240627:Report"), pulumi.Alias(type_="azure-native_appcomplianceautomation_v20221116preview:appcomplianceautomation:Report"), pulumi.Alias(type_="azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Report")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Report, __self__).__init__( 'azure-native:appcomplianceautomation:Report', diff --git a/sdk/python/pulumi_azure_native/appcomplianceautomation/scoping_configuration.py b/sdk/python/pulumi_azure_native/appcomplianceautomation/scoping_configuration.py index 61ea36f59395..786c433829a5 100644 --- a/sdk/python/pulumi_azure_native/appcomplianceautomation/scoping_configuration.py +++ b/sdk/python/pulumi_azure_native/appcomplianceautomation/scoping_configuration.py @@ -141,7 +141,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appcomplianceautomation/v20240627:ScopingConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appcomplianceautomation/v20240627:ScopingConfiguration"), pulumi.Alias(type_="azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:ScopingConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScopingConfiguration, __self__).__init__( 'azure-native:appcomplianceautomation:ScopingConfiguration', diff --git a/sdk/python/pulumi_azure_native/appcomplianceautomation/webhook.py b/sdk/python/pulumi_azure_native/appcomplianceautomation/webhook.py index b7ec452ec879..ad1ca532631a 100644 --- a/sdk/python/pulumi_azure_native/appcomplianceautomation/webhook.py +++ b/sdk/python/pulumi_azure_native/appcomplianceautomation/webhook.py @@ -285,7 +285,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["webhook_id"] = None __props__.__dict__["webhook_key_enabled"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appcomplianceautomation/v20240627:Webhook")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appcomplianceautomation/v20240627:Webhook"), pulumi.Alias(type_="azure-native_appcomplianceautomation_v20240627:appcomplianceautomation:Webhook")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Webhook, __self__).__init__( 'azure-native:appcomplianceautomation:Webhook', diff --git a/sdk/python/pulumi_azure_native/appconfiguration/configuration_store.py b/sdk/python/pulumi_azure_native/appconfiguration/configuration_store.py index 070cb7f2d442..77e6326053a2 100644 --- a/sdk/python/pulumi_azure_native/appconfiguration/configuration_store.py +++ b/sdk/python/pulumi_azure_native/appconfiguration/configuration_store.py @@ -362,7 +362,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appconfiguration/v20190201preview:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20191001:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20191101preview:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20200601:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20200701preview:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20210301preview:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20211001preview:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20220301preview:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20220501:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20230301:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20230801preview:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20230901preview:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20240501:ConfigurationStore")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appconfiguration/v20230301:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20230801preview:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20230901preview:ConfigurationStore"), pulumi.Alias(type_="azure-native:appconfiguration/v20240501:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20190201preview:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20191001:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20191101preview:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20200601:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20200701preview:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20210301preview:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20211001preview:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20220301preview:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20220501:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20230301:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20230801preview:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20230901preview:appconfiguration:ConfigurationStore"), pulumi.Alias(type_="azure-native_appconfiguration_v20240501:appconfiguration:ConfigurationStore")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationStore, __self__).__init__( 'azure-native:appconfiguration:ConfigurationStore', diff --git a/sdk/python/pulumi_azure_native/appconfiguration/key_value.py b/sdk/python/pulumi_azure_native/appconfiguration/key_value.py index 2b59ff01af88..106589e3c1d4 100644 --- a/sdk/python/pulumi_azure_native/appconfiguration/key_value.py +++ b/sdk/python/pulumi_azure_native/appconfiguration/key_value.py @@ -210,7 +210,7 @@ def _internal_init(__self__, __props__.__dict__["locked"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appconfiguration/v20200701preview:KeyValue"), pulumi.Alias(type_="azure-native:appconfiguration/v20210301preview:KeyValue"), pulumi.Alias(type_="azure-native:appconfiguration/v20211001preview:KeyValue"), pulumi.Alias(type_="azure-native:appconfiguration/v20220301preview:KeyValue"), pulumi.Alias(type_="azure-native:appconfiguration/v20220501:KeyValue"), pulumi.Alias(type_="azure-native:appconfiguration/v20230301:KeyValue"), pulumi.Alias(type_="azure-native:appconfiguration/v20230801preview:KeyValue"), pulumi.Alias(type_="azure-native:appconfiguration/v20230901preview:KeyValue"), pulumi.Alias(type_="azure-native:appconfiguration/v20240501:KeyValue")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appconfiguration/v20230301:KeyValue"), pulumi.Alias(type_="azure-native:appconfiguration/v20230801preview:KeyValue"), pulumi.Alias(type_="azure-native:appconfiguration/v20230901preview:KeyValue"), pulumi.Alias(type_="azure-native:appconfiguration/v20240501:KeyValue"), pulumi.Alias(type_="azure-native_appconfiguration_v20200701preview:appconfiguration:KeyValue"), pulumi.Alias(type_="azure-native_appconfiguration_v20210301preview:appconfiguration:KeyValue"), pulumi.Alias(type_="azure-native_appconfiguration_v20211001preview:appconfiguration:KeyValue"), pulumi.Alias(type_="azure-native_appconfiguration_v20220301preview:appconfiguration:KeyValue"), pulumi.Alias(type_="azure-native_appconfiguration_v20220501:appconfiguration:KeyValue"), pulumi.Alias(type_="azure-native_appconfiguration_v20230301:appconfiguration:KeyValue"), pulumi.Alias(type_="azure-native_appconfiguration_v20230801preview:appconfiguration:KeyValue"), pulumi.Alias(type_="azure-native_appconfiguration_v20230901preview:appconfiguration:KeyValue"), pulumi.Alias(type_="azure-native_appconfiguration_v20240501:appconfiguration:KeyValue")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KeyValue, __self__).__init__( 'azure-native:appconfiguration:KeyValue', diff --git a/sdk/python/pulumi_azure_native/appconfiguration/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/appconfiguration/private_endpoint_connection.py index 84294a2cde06..9e0ea2f3a052 100644 --- a/sdk/python/pulumi_azure_native/appconfiguration/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/appconfiguration/private_endpoint_connection.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appconfiguration/v20191101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20200601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20200701preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20210301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20211001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20220301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20220501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20230301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20230801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20230901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20240501:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appconfiguration/v20230301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20230801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20230901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:appconfiguration/v20240501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_appconfiguration_v20191101preview:appconfiguration:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_appconfiguration_v20200601:appconfiguration:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_appconfiguration_v20200701preview:appconfiguration:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_appconfiguration_v20210301preview:appconfiguration:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_appconfiguration_v20211001preview:appconfiguration:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_appconfiguration_v20220301preview:appconfiguration:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_appconfiguration_v20220501:appconfiguration:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_appconfiguration_v20230301:appconfiguration:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_appconfiguration_v20230801preview:appconfiguration:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_appconfiguration_v20230901preview:appconfiguration:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_appconfiguration_v20240501:appconfiguration:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:appconfiguration:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/appconfiguration/replica.py b/sdk/python/pulumi_azure_native/appconfiguration/replica.py index 152d7daf4fdb..614168800df3 100644 --- a/sdk/python/pulumi_azure_native/appconfiguration/replica.py +++ b/sdk/python/pulumi_azure_native/appconfiguration/replica.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appconfiguration/v20220301preview:Replica"), pulumi.Alias(type_="azure-native:appconfiguration/v20230301:Replica"), pulumi.Alias(type_="azure-native:appconfiguration/v20230801preview:Replica"), pulumi.Alias(type_="azure-native:appconfiguration/v20230901preview:Replica"), pulumi.Alias(type_="azure-native:appconfiguration/v20240501:Replica")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appconfiguration/v20230301:Replica"), pulumi.Alias(type_="azure-native:appconfiguration/v20230801preview:Replica"), pulumi.Alias(type_="azure-native:appconfiguration/v20230901preview:Replica"), pulumi.Alias(type_="azure-native:appconfiguration/v20240501:Replica"), pulumi.Alias(type_="azure-native_appconfiguration_v20220301preview:appconfiguration:Replica"), pulumi.Alias(type_="azure-native_appconfiguration_v20230301:appconfiguration:Replica"), pulumi.Alias(type_="azure-native_appconfiguration_v20230801preview:appconfiguration:Replica"), pulumi.Alias(type_="azure-native_appconfiguration_v20230901preview:appconfiguration:Replica"), pulumi.Alias(type_="azure-native_appconfiguration_v20240501:appconfiguration:Replica")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Replica, __self__).__init__( 'azure-native:appconfiguration:Replica', diff --git a/sdk/python/pulumi_azure_native/applicationinsights/analytics_item.py b/sdk/python/pulumi_azure_native/applicationinsights/analytics_item.py index 83c5e22fabb1..33af06502c2c 100644 --- a/sdk/python/pulumi_azure_native/applicationinsights/analytics_item.py +++ b/sdk/python/pulumi_azure_native/applicationinsights/analytics_item.py @@ -283,7 +283,7 @@ def _internal_init(__self__, __props__.__dict__["time_created"] = None __props__.__dict__["time_modified"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:applicationinsights/v20150501:AnalyticsItem"), pulumi.Alias(type_="azure-native:insights/v20150501:AnalyticsItem"), pulumi.Alias(type_="azure-native:insights:AnalyticsItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20150501:AnalyticsItem"), pulumi.Alias(type_="azure-native:insights:AnalyticsItem"), pulumi.Alias(type_="azure-native_applicationinsights_v20150501:applicationinsights:AnalyticsItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AnalyticsItem, __self__).__init__( 'azure-native:applicationinsights:AnalyticsItem', diff --git a/sdk/python/pulumi_azure_native/applicationinsights/component.py b/sdk/python/pulumi_azure_native/applicationinsights/component.py index 4f3502d8726a..f2afec7a7025 100644 --- a/sdk/python/pulumi_azure_native/applicationinsights/component.py +++ b/sdk/python/pulumi_azure_native/applicationinsights/component.py @@ -492,7 +492,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:applicationinsights/v20150501:Component"), pulumi.Alias(type_="azure-native:applicationinsights/v20180501preview:Component"), pulumi.Alias(type_="azure-native:applicationinsights/v20200202:Component"), pulumi.Alias(type_="azure-native:applicationinsights/v20200202preview:Component"), pulumi.Alias(type_="azure-native:insights/v20200202:Component"), pulumi.Alias(type_="azure-native:insights/v20200202preview:Component"), pulumi.Alias(type_="azure-native:insights:Component")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20200202:Component"), pulumi.Alias(type_="azure-native:insights/v20200202preview:Component"), pulumi.Alias(type_="azure-native:insights:Component"), pulumi.Alias(type_="azure-native_applicationinsights_v20150501:applicationinsights:Component"), pulumi.Alias(type_="azure-native_applicationinsights_v20180501preview:applicationinsights:Component"), pulumi.Alias(type_="azure-native_applicationinsights_v20200202:applicationinsights:Component"), pulumi.Alias(type_="azure-native_applicationinsights_v20200202preview:applicationinsights:Component")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Component, __self__).__init__( 'azure-native:applicationinsights:Component', diff --git a/sdk/python/pulumi_azure_native/applicationinsights/component_current_billing_feature.py b/sdk/python/pulumi_azure_native/applicationinsights/component_current_billing_feature.py index 0b0afe81d852..f5dcf385c499 100644 --- a/sdk/python/pulumi_azure_native/applicationinsights/component_current_billing_feature.py +++ b/sdk/python/pulumi_azure_native/applicationinsights/component_current_billing_feature.py @@ -158,7 +158,7 @@ def _internal_init(__self__, raise TypeError("Missing required property 'resource_name_'") __props__.__dict__["resource_name"] = resource_name_ __props__.__dict__["azure_api_version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:applicationinsights/v20150501:ComponentCurrentBillingFeature"), pulumi.Alias(type_="azure-native:insights/v20150501:ComponentCurrentBillingFeature"), pulumi.Alias(type_="azure-native:insights:ComponentCurrentBillingFeature")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20150501:ComponentCurrentBillingFeature"), pulumi.Alias(type_="azure-native:insights:ComponentCurrentBillingFeature"), pulumi.Alias(type_="azure-native_applicationinsights_v20150501:applicationinsights:ComponentCurrentBillingFeature")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ComponentCurrentBillingFeature, __self__).__init__( 'azure-native:applicationinsights:ComponentCurrentBillingFeature', diff --git a/sdk/python/pulumi_azure_native/applicationinsights/component_linked_storage_account.py b/sdk/python/pulumi_azure_native/applicationinsights/component_linked_storage_account.py index 995cbb1b905e..1bc19372e495 100644 --- a/sdk/python/pulumi_azure_native/applicationinsights/component_linked_storage_account.py +++ b/sdk/python/pulumi_azure_native/applicationinsights/component_linked_storage_account.py @@ -158,7 +158,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:applicationinsights/v20200301preview:ComponentLinkedStorageAccount"), pulumi.Alias(type_="azure-native:insights/v20200301preview:ComponentLinkedStorageAccount"), pulumi.Alias(type_="azure-native:insights:ComponentLinkedStorageAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20200301preview:ComponentLinkedStorageAccount"), pulumi.Alias(type_="azure-native:insights:ComponentLinkedStorageAccount"), pulumi.Alias(type_="azure-native_applicationinsights_v20200301preview:applicationinsights:ComponentLinkedStorageAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ComponentLinkedStorageAccount, __self__).__init__( 'azure-native:applicationinsights:ComponentLinkedStorageAccount', diff --git a/sdk/python/pulumi_azure_native/applicationinsights/export_configuration.py b/sdk/python/pulumi_azure_native/applicationinsights/export_configuration.py index 312dfe959f8d..82a6a37e9ba6 100644 --- a/sdk/python/pulumi_azure_native/applicationinsights/export_configuration.py +++ b/sdk/python/pulumi_azure_native/applicationinsights/export_configuration.py @@ -328,7 +328,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group"] = None __props__.__dict__["storage_name"] = None __props__.__dict__["subscription_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:applicationinsights/v20150501:ExportConfiguration"), pulumi.Alias(type_="azure-native:insights/v20150501:ExportConfiguration"), pulumi.Alias(type_="azure-native:insights:ExportConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20150501:ExportConfiguration"), pulumi.Alias(type_="azure-native:insights:ExportConfiguration"), pulumi.Alias(type_="azure-native_applicationinsights_v20150501:applicationinsights:ExportConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExportConfiguration, __self__).__init__( 'azure-native:applicationinsights:ExportConfiguration', diff --git a/sdk/python/pulumi_azure_native/applicationinsights/favorite.py b/sdk/python/pulumi_azure_native/applicationinsights/favorite.py index 29c156675220..7762d1c0d888 100644 --- a/sdk/python/pulumi_azure_native/applicationinsights/favorite.py +++ b/sdk/python/pulumi_azure_native/applicationinsights/favorite.py @@ -299,7 +299,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["time_modified"] = None __props__.__dict__["user_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:applicationinsights/v20150501:Favorite"), pulumi.Alias(type_="azure-native:insights/v20150501:Favorite"), pulumi.Alias(type_="azure-native:insights:Favorite")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20150501:Favorite"), pulumi.Alias(type_="azure-native:insights:Favorite"), pulumi.Alias(type_="azure-native_applicationinsights_v20150501:applicationinsights:Favorite")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Favorite, __self__).__init__( 'azure-native:applicationinsights:Favorite', diff --git a/sdk/python/pulumi_azure_native/applicationinsights/my_workbook.py b/sdk/python/pulumi_azure_native/applicationinsights/my_workbook.py index 6d027202ea45..63152f7f63f6 100644 --- a/sdk/python/pulumi_azure_native/applicationinsights/my_workbook.py +++ b/sdk/python/pulumi_azure_native/applicationinsights/my_workbook.py @@ -389,7 +389,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["time_modified"] = None __props__.__dict__["user_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:applicationinsights/v20150501:MyWorkbook"), pulumi.Alias(type_="azure-native:applicationinsights/v20201020:MyWorkbook"), pulumi.Alias(type_="azure-native:applicationinsights/v20210308:MyWorkbook"), pulumi.Alias(type_="azure-native:insights/v20210308:MyWorkbook"), pulumi.Alias(type_="azure-native:insights:MyWorkbook")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20210308:MyWorkbook"), pulumi.Alias(type_="azure-native:insights:MyWorkbook"), pulumi.Alias(type_="azure-native_applicationinsights_v20150501:applicationinsights:MyWorkbook"), pulumi.Alias(type_="azure-native_applicationinsights_v20201020:applicationinsights:MyWorkbook"), pulumi.Alias(type_="azure-native_applicationinsights_v20210308:applicationinsights:MyWorkbook")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MyWorkbook, __self__).__init__( 'azure-native:applicationinsights:MyWorkbook', diff --git a/sdk/python/pulumi_azure_native/applicationinsights/proactive_detection_configuration.py b/sdk/python/pulumi_azure_native/applicationinsights/proactive_detection_configuration.py index 4aed859cd507..f711e70a8bc0 100644 --- a/sdk/python/pulumi_azure_native/applicationinsights/proactive_detection_configuration.py +++ b/sdk/python/pulumi_azure_native/applicationinsights/proactive_detection_configuration.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["properties"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:applicationinsights/v20150501:ProactiveDetectionConfiguration"), pulumi.Alias(type_="azure-native:applicationinsights/v20180501preview:ProactiveDetectionConfiguration"), pulumi.Alias(type_="azure-native:insights/v20150501:ProactiveDetectionConfiguration"), pulumi.Alias(type_="azure-native:insights/v20180501preview:ProactiveDetectionConfiguration"), pulumi.Alias(type_="azure-native:insights:ProactiveDetectionConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20150501:ProactiveDetectionConfiguration"), pulumi.Alias(type_="azure-native:insights/v20180501preview:ProactiveDetectionConfiguration"), pulumi.Alias(type_="azure-native:insights:ProactiveDetectionConfiguration"), pulumi.Alias(type_="azure-native_applicationinsights_v20150501:applicationinsights:ProactiveDetectionConfiguration"), pulumi.Alias(type_="azure-native_applicationinsights_v20180501preview:applicationinsights:ProactiveDetectionConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProactiveDetectionConfiguration, __self__).__init__( 'azure-native:applicationinsights:ProactiveDetectionConfiguration', diff --git a/sdk/python/pulumi_azure_native/applicationinsights/web_test.py b/sdk/python/pulumi_azure_native/applicationinsights/web_test.py index fd6a5d977ba6..7172d5f03d59 100644 --- a/sdk/python/pulumi_azure_native/applicationinsights/web_test.py +++ b/sdk/python/pulumi_azure_native/applicationinsights/web_test.py @@ -424,7 +424,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:applicationinsights/v20150501:WebTest"), pulumi.Alias(type_="azure-native:applicationinsights/v20180501preview:WebTest"), pulumi.Alias(type_="azure-native:applicationinsights/v20201005preview:WebTest"), pulumi.Alias(type_="azure-native:applicationinsights/v20220615:WebTest"), pulumi.Alias(type_="azure-native:insights/v20201005preview:WebTest"), pulumi.Alias(type_="azure-native:insights/v20220615:WebTest"), pulumi.Alias(type_="azure-native:insights:WebTest")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20201005preview:WebTest"), pulumi.Alias(type_="azure-native:insights/v20220615:WebTest"), pulumi.Alias(type_="azure-native:insights:WebTest"), pulumi.Alias(type_="azure-native_applicationinsights_v20150501:applicationinsights:WebTest"), pulumi.Alias(type_="azure-native_applicationinsights_v20180501preview:applicationinsights:WebTest"), pulumi.Alias(type_="azure-native_applicationinsights_v20201005preview:applicationinsights:WebTest"), pulumi.Alias(type_="azure-native_applicationinsights_v20220615:applicationinsights:WebTest")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebTest, __self__).__init__( 'azure-native:applicationinsights:WebTest', diff --git a/sdk/python/pulumi_azure_native/applicationinsights/workbook.py b/sdk/python/pulumi_azure_native/applicationinsights/workbook.py index 1b07d280cd71..af0f0e61b920 100644 --- a/sdk/python/pulumi_azure_native/applicationinsights/workbook.py +++ b/sdk/python/pulumi_azure_native/applicationinsights/workbook.py @@ -352,7 +352,7 @@ def _internal_init(__self__, __props__.__dict__["time_modified"] = None __props__.__dict__["type"] = None __props__.__dict__["user_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:applicationinsights/v20150501:Workbook"), pulumi.Alias(type_="azure-native:applicationinsights/v20180617preview:Workbook"), pulumi.Alias(type_="azure-native:applicationinsights/v20201020:Workbook"), pulumi.Alias(type_="azure-native:applicationinsights/v20210308:Workbook"), pulumi.Alias(type_="azure-native:applicationinsights/v20210801:Workbook"), pulumi.Alias(type_="azure-native:applicationinsights/v20220401:Workbook"), pulumi.Alias(type_="azure-native:applicationinsights/v20230601:Workbook"), pulumi.Alias(type_="azure-native:insights/v20150501:Workbook"), pulumi.Alias(type_="azure-native:insights/v20210308:Workbook"), pulumi.Alias(type_="azure-native:insights/v20210801:Workbook"), pulumi.Alias(type_="azure-native:insights/v20220401:Workbook"), pulumi.Alias(type_="azure-native:insights/v20230601:Workbook"), pulumi.Alias(type_="azure-native:insights:Workbook")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20150501:Workbook"), pulumi.Alias(type_="azure-native:insights/v20210308:Workbook"), pulumi.Alias(type_="azure-native:insights/v20210801:Workbook"), pulumi.Alias(type_="azure-native:insights/v20220401:Workbook"), pulumi.Alias(type_="azure-native:insights/v20230601:Workbook"), pulumi.Alias(type_="azure-native:insights:Workbook"), pulumi.Alias(type_="azure-native_applicationinsights_v20150501:applicationinsights:Workbook"), pulumi.Alias(type_="azure-native_applicationinsights_v20180617preview:applicationinsights:Workbook"), pulumi.Alias(type_="azure-native_applicationinsights_v20201020:applicationinsights:Workbook"), pulumi.Alias(type_="azure-native_applicationinsights_v20210308:applicationinsights:Workbook"), pulumi.Alias(type_="azure-native_applicationinsights_v20210801:applicationinsights:Workbook"), pulumi.Alias(type_="azure-native_applicationinsights_v20220401:applicationinsights:Workbook"), pulumi.Alias(type_="azure-native_applicationinsights_v20230601:applicationinsights:Workbook")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workbook, __self__).__init__( 'azure-native:applicationinsights:Workbook', diff --git a/sdk/python/pulumi_azure_native/applicationinsights/workbook_template.py b/sdk/python/pulumi_azure_native/applicationinsights/workbook_template.py index 99ff9217b075..72bc485927ab 100644 --- a/sdk/python/pulumi_azure_native/applicationinsights/workbook_template.py +++ b/sdk/python/pulumi_azure_native/applicationinsights/workbook_template.py @@ -265,7 +265,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:applicationinsights/v20191017preview:WorkbookTemplate"), pulumi.Alias(type_="azure-native:applicationinsights/v20201120:WorkbookTemplate"), pulumi.Alias(type_="azure-native:insights/v20201120:WorkbookTemplate"), pulumi.Alias(type_="azure-native:insights:WorkbookTemplate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20201120:WorkbookTemplate"), pulumi.Alias(type_="azure-native:insights:WorkbookTemplate"), pulumi.Alias(type_="azure-native_applicationinsights_v20191017preview:applicationinsights:WorkbookTemplate"), pulumi.Alias(type_="azure-native_applicationinsights_v20201120:applicationinsights:WorkbookTemplate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkbookTemplate, __self__).__init__( 'azure-native:applicationinsights:WorkbookTemplate', diff --git a/sdk/python/pulumi_azure_native/appplatform/api_portal.py b/sdk/python/pulumi_azure_native/appplatform/api_portal.py index 4c7472740f71..ab0ba0b8c5fa 100644 --- a/sdk/python/pulumi_azure_native/appplatform/api_portal.py +++ b/sdk/python/pulumi_azure_native/appplatform/api_portal.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20220101preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20221201:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ApiPortal")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ApiPortal"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:ApiPortal"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:ApiPortal")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiPortal, __self__).__init__( 'azure-native:appplatform:ApiPortal', diff --git a/sdk/python/pulumi_azure_native/appplatform/api_portal_custom_domain.py b/sdk/python/pulumi_azure_native/appplatform/api_portal_custom_domain.py index 54d57643d82a..682e21c75520 100644 --- a/sdk/python/pulumi_azure_native/appplatform/api_portal_custom_domain.py +++ b/sdk/python/pulumi_azure_native/appplatform/api_portal_custom_domain.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20220101preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20221201:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ApiPortalCustomDomain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:ApiPortalCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:ApiPortalCustomDomain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiPortalCustomDomain, __self__).__init__( 'azure-native:appplatform:ApiPortalCustomDomain', diff --git a/sdk/python/pulumi_azure_native/appplatform/apm.py b/sdk/python/pulumi_azure_native/appplatform/apm.py index 1bb6c9db7fcc..2dfab9a2a6eb 100644 --- a/sdk/python/pulumi_azure_native/appplatform/apm.py +++ b/sdk/python/pulumi_azure_native/appplatform/apm.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Apm")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Apm"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Apm"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:Apm"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:Apm"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:Apm"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:Apm"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:Apm"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:Apm"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:Apm")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Apm, __self__).__init__( 'azure-native:appplatform:Apm', diff --git a/sdk/python/pulumi_azure_native/appplatform/app.py b/sdk/python/pulumi_azure_native/appplatform/app.py index d129c4380bd6..87d0ec29762d 100644 --- a/sdk/python/pulumi_azure_native/appplatform/app.py +++ b/sdk/python/pulumi_azure_native/appplatform/app.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20200701:App"), pulumi.Alias(type_="azure-native:appplatform/v20201101preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20210601preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20210901preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20220101preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20220401:App"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20221201:App"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20231201:App"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:App")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20231201:App"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:App"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:App"), pulumi.Alias(type_="azure-native_appplatform_v20200701:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20201101preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20210601preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20210901preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:App"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:App")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(App, __self__).__init__( 'azure-native:appplatform:App', diff --git a/sdk/python/pulumi_azure_native/appplatform/application_accelerator.py b/sdk/python/pulumi_azure_native/appplatform/application_accelerator.py index 3da5e3094ee3..c21b491ebdb8 100644 --- a/sdk/python/pulumi_azure_native/appplatform/application_accelerator.py +++ b/sdk/python/pulumi_azure_native/appplatform/application_accelerator.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20221101preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ApplicationAccelerator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ApplicationAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:ApplicationAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:ApplicationAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:ApplicationAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:ApplicationAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:ApplicationAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:ApplicationAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:ApplicationAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:ApplicationAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:ApplicationAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:ApplicationAccelerator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationAccelerator, __self__).__init__( 'azure-native:appplatform:ApplicationAccelerator', diff --git a/sdk/python/pulumi_azure_native/appplatform/application_live_view.py b/sdk/python/pulumi_azure_native/appplatform/application_live_view.py index c1acba0e0002..5bd9e0103fa0 100644 --- a/sdk/python/pulumi_azure_native/appplatform/application_live_view.py +++ b/sdk/python/pulumi_azure_native/appplatform/application_live_view.py @@ -145,7 +145,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20221101preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ApplicationLiveView")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ApplicationLiveView"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:ApplicationLiveView"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:ApplicationLiveView"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:ApplicationLiveView"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:ApplicationLiveView"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:ApplicationLiveView"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:ApplicationLiveView"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:ApplicationLiveView"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:ApplicationLiveView"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:ApplicationLiveView"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:ApplicationLiveView")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationLiveView, __self__).__init__( 'azure-native:appplatform:ApplicationLiveView', diff --git a/sdk/python/pulumi_azure_native/appplatform/binding.py b/sdk/python/pulumi_azure_native/appplatform/binding.py index 83300a9c9464..d30e39c52ba5 100644 --- a/sdk/python/pulumi_azure_native/appplatform/binding.py +++ b/sdk/python/pulumi_azure_native/appplatform/binding.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20200701:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20201101preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20210601preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20210901preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20220101preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20220401:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20221201:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Binding")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Binding"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20200701:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20201101preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20210601preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20210901preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:Binding"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:Binding")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Binding, __self__).__init__( 'azure-native:appplatform:Binding', diff --git a/sdk/python/pulumi_azure_native/appplatform/build_service_agent_pool.py b/sdk/python/pulumi_azure_native/appplatform/build_service_agent_pool.py index 9f9df863298c..e9a013114cb1 100644 --- a/sdk/python/pulumi_azure_native/appplatform/build_service_agent_pool.py +++ b/sdk/python/pulumi_azure_native/appplatform/build_service_agent_pool.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20220101preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20220401:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20221201:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20231201:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:BuildServiceAgentPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20231201:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:BuildServiceAgentPool"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:BuildServiceAgentPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BuildServiceAgentPool, __self__).__init__( 'azure-native:appplatform:BuildServiceAgentPool', diff --git a/sdk/python/pulumi_azure_native/appplatform/build_service_build.py b/sdk/python/pulumi_azure_native/appplatform/build_service_build.py index 2208e23f4bfd..b0e97fc28389 100644 --- a/sdk/python/pulumi_azure_native/appplatform/build_service_build.py +++ b/sdk/python/pulumi_azure_native/appplatform/build_service_build.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230301preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20231201:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:BuildServiceBuild")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20231201:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:BuildServiceBuild"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:BuildServiceBuild"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:BuildServiceBuild"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:BuildServiceBuild"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:BuildServiceBuild"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:BuildServiceBuild"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:BuildServiceBuild"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:BuildServiceBuild"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:BuildServiceBuild")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BuildServiceBuild, __self__).__init__( 'azure-native:appplatform:BuildServiceBuild', diff --git a/sdk/python/pulumi_azure_native/appplatform/build_service_builder.py b/sdk/python/pulumi_azure_native/appplatform/build_service_builder.py index 602179b2cccb..83a8f144f6b5 100644 --- a/sdk/python/pulumi_azure_native/appplatform/build_service_builder.py +++ b/sdk/python/pulumi_azure_native/appplatform/build_service_builder.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20220101preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20220401:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20221201:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20231201:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:BuildServiceBuilder")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20231201:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:BuildServiceBuilder"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:BuildServiceBuilder")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BuildServiceBuilder, __self__).__init__( 'azure-native:appplatform:BuildServiceBuilder', diff --git a/sdk/python/pulumi_azure_native/appplatform/buildpack_binding.py b/sdk/python/pulumi_azure_native/appplatform/buildpack_binding.py index 2904ffa8d548..3b8fe3aa766e 100644 --- a/sdk/python/pulumi_azure_native/appplatform/buildpack_binding.py +++ b/sdk/python/pulumi_azure_native/appplatform/buildpack_binding.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20220101preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20220401:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20221201:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20231201:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:BuildpackBinding")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20231201:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:BuildpackBinding"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:BuildpackBinding"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:BuildpackBinding")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BuildpackBinding, __self__).__init__( 'azure-native:appplatform:BuildpackBinding', diff --git a/sdk/python/pulumi_azure_native/appplatform/certificate.py b/sdk/python/pulumi_azure_native/appplatform/certificate.py index f2ed88ad5963..24f20d034c79 100644 --- a/sdk/python/pulumi_azure_native/appplatform/certificate.py +++ b/sdk/python/pulumi_azure_native/appplatform/certificate.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20200701:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20201101preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20210601preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20210901preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20220101preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20220401:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20221201:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Certificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20210601preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Certificate"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20200701:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20201101preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20210601preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20210901preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:Certificate"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:Certificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Certificate, __self__).__init__( 'azure-native:appplatform:Certificate', diff --git a/sdk/python/pulumi_azure_native/appplatform/config_server.py b/sdk/python/pulumi_azure_native/appplatform/config_server.py index fd79a1776ef1..8bcf2f2fc170 100644 --- a/sdk/python/pulumi_azure_native/appplatform/config_server.py +++ b/sdk/python/pulumi_azure_native/appplatform/config_server.py @@ -146,7 +146,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20200701:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20201101preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20210601preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20210901preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20220101preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20220401:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20221201:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ConfigServer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ConfigServer"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20200701:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20201101preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20210601preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20210901preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:ConfigServer"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:ConfigServer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigServer, __self__).__init__( 'azure-native:appplatform:ConfigServer', diff --git a/sdk/python/pulumi_azure_native/appplatform/configuration_service.py b/sdk/python/pulumi_azure_native/appplatform/configuration_service.py index f44220a2b47b..a6b2f8452d4f 100644 --- a/sdk/python/pulumi_azure_native/appplatform/configuration_service.py +++ b/sdk/python/pulumi_azure_native/appplatform/configuration_service.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20220101preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20220401:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20221201:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ConfigurationService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ConfigurationService"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:ConfigurationService"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:ConfigurationService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationService, __self__).__init__( 'azure-native:appplatform:ConfigurationService', diff --git a/sdk/python/pulumi_azure_native/appplatform/container_registry.py b/sdk/python/pulumi_azure_native/appplatform/container_registry.py index 5c2f727559dd..0cd4c776f3ef 100644 --- a/sdk/python/pulumi_azure_native/appplatform/container_registry.py +++ b/sdk/python/pulumi_azure_native/appplatform/container_registry.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ContainerRegistry")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ContainerRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ContainerRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:ContainerRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:ContainerRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:ContainerRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:ContainerRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:ContainerRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:ContainerRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:ContainerRegistry")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContainerRegistry, __self__).__init__( 'azure-native:appplatform:ContainerRegistry', diff --git a/sdk/python/pulumi_azure_native/appplatform/custom_domain.py b/sdk/python/pulumi_azure_native/appplatform/custom_domain.py index a1888a4b8437..d609e692433b 100644 --- a/sdk/python/pulumi_azure_native/appplatform/custom_domain.py +++ b/sdk/python/pulumi_azure_native/appplatform/custom_domain.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20200701:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20201101preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20210601preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20210901preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20220101preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20220401:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20221201:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231201:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:CustomDomain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231201:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:CustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20200701:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20201101preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20210601preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20210901preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:CustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:CustomDomain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomDomain, __self__).__init__( 'azure-native:appplatform:CustomDomain', diff --git a/sdk/python/pulumi_azure_native/appplatform/customized_accelerator.py b/sdk/python/pulumi_azure_native/appplatform/customized_accelerator.py index 77ea1e1716bd..f3c7fcf4cd17 100644 --- a/sdk/python/pulumi_azure_native/appplatform/customized_accelerator.py +++ b/sdk/python/pulumi_azure_native/appplatform/customized_accelerator.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20221101preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20231201:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:CustomizedAccelerator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20231201:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:CustomizedAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:CustomizedAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:CustomizedAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:CustomizedAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:CustomizedAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:CustomizedAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:CustomizedAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:CustomizedAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:CustomizedAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:CustomizedAccelerator"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:CustomizedAccelerator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomizedAccelerator, __self__).__init__( 'azure-native:appplatform:CustomizedAccelerator', diff --git a/sdk/python/pulumi_azure_native/appplatform/deployment.py b/sdk/python/pulumi_azure_native/appplatform/deployment.py index fede39c42162..e89eb6cca1c2 100644 --- a/sdk/python/pulumi_azure_native/appplatform/deployment.py +++ b/sdk/python/pulumi_azure_native/appplatform/deployment.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20200701:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20201101preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20210601preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20210901preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20220101preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20220401:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20221201:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Deployment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Deployment"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20200701:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20201101preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20210601preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20210901preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:Deployment"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:Deployment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Deployment, __self__).__init__( 'azure-native:appplatform:Deployment', diff --git a/sdk/python/pulumi_azure_native/appplatform/dev_tool_portal.py b/sdk/python/pulumi_azure_native/appplatform/dev_tool_portal.py index 042c6c1c2aab..c413c6cf395f 100644 --- a/sdk/python/pulumi_azure_native/appplatform/dev_tool_portal.py +++ b/sdk/python/pulumi_azure_native/appplatform/dev_tool_portal.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20221101preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20231201:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:DevToolPortal")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20231201:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:DevToolPortal"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:DevToolPortal"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:DevToolPortal"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:DevToolPortal"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:DevToolPortal"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:DevToolPortal"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:DevToolPortal"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:DevToolPortal"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:DevToolPortal"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:DevToolPortal"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:DevToolPortal"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:DevToolPortal")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DevToolPortal, __self__).__init__( 'azure-native:appplatform:DevToolPortal', diff --git a/sdk/python/pulumi_azure_native/appplatform/gateway.py b/sdk/python/pulumi_azure_native/appplatform/gateway.py index d81b20fe7acb..4c8d22e6c06a 100644 --- a/sdk/python/pulumi_azure_native/appplatform/gateway.py +++ b/sdk/python/pulumi_azure_native/appplatform/gateway.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20220101preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20221201:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Gateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Gateway"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:Gateway"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:Gateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Gateway, __self__).__init__( 'azure-native:appplatform:Gateway', diff --git a/sdk/python/pulumi_azure_native/appplatform/gateway_custom_domain.py b/sdk/python/pulumi_azure_native/appplatform/gateway_custom_domain.py index d5b23f050065..c88897a1753f 100644 --- a/sdk/python/pulumi_azure_native/appplatform/gateway_custom_domain.py +++ b/sdk/python/pulumi_azure_native/appplatform/gateway_custom_domain.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20220101preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20221201:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231201:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:GatewayCustomDomain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20231201:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:GatewayCustomDomain"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:GatewayCustomDomain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GatewayCustomDomain, __self__).__init__( 'azure-native:appplatform:GatewayCustomDomain', diff --git a/sdk/python/pulumi_azure_native/appplatform/gateway_route_config.py b/sdk/python/pulumi_azure_native/appplatform/gateway_route_config.py index 64596035a6e0..788f94c865f1 100644 --- a/sdk/python/pulumi_azure_native/appplatform/gateway_route_config.py +++ b/sdk/python/pulumi_azure_native/appplatform/gateway_route_config.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20220101preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20221201:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20231201:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:GatewayRouteConfig")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20231201:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:GatewayRouteConfig"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:GatewayRouteConfig")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GatewayRouteConfig, __self__).__init__( 'azure-native:appplatform:GatewayRouteConfig', diff --git a/sdk/python/pulumi_azure_native/appplatform/job.py b/sdk/python/pulumi_azure_native/appplatform/job.py index e730bffd9526..76bcc618b968 100644 --- a/sdk/python/pulumi_azure_native/appplatform/job.py +++ b/sdk/python/pulumi_azure_native/appplatform/job.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Job")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Job"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:Job")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Job, __self__).__init__( 'azure-native:appplatform:Job', diff --git a/sdk/python/pulumi_azure_native/appplatform/monitoring_setting.py b/sdk/python/pulumi_azure_native/appplatform/monitoring_setting.py index 11c9c121a1f1..4750e30f97a4 100644 --- a/sdk/python/pulumi_azure_native/appplatform/monitoring_setting.py +++ b/sdk/python/pulumi_azure_native/appplatform/monitoring_setting.py @@ -145,7 +145,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20200701:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20201101preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20210601preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20210901preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20220101preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20220401:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20221201:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20231201:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:MonitoringSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20231201:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:MonitoringSetting"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20200701:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20201101preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20210601preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20210901preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:MonitoringSetting"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:MonitoringSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MonitoringSetting, __self__).__init__( 'azure-native:appplatform:MonitoringSetting', diff --git a/sdk/python/pulumi_azure_native/appplatform/service.py b/sdk/python/pulumi_azure_native/appplatform/service.py index fd0805d6508a..6dbd4c430fa0 100644 --- a/sdk/python/pulumi_azure_native/appplatform/service.py +++ b/sdk/python/pulumi_azure_native/appplatform/service.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20200701:Service"), pulumi.Alias(type_="azure-native:appplatform/v20201101preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20210601preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20210901preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20220101preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20220401:Service"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20221201:Service"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Service"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Service")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Service"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Service"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Service"), pulumi.Alias(type_="azure-native_appplatform_v20200701:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20201101preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20210601preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20210901preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:Service"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:Service")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Service, __self__).__init__( 'azure-native:appplatform:Service', diff --git a/sdk/python/pulumi_azure_native/appplatform/service_registry.py b/sdk/python/pulumi_azure_native/appplatform/service_registry.py index 1cc340282b81..a26f66b6209f 100644 --- a/sdk/python/pulumi_azure_native/appplatform/service_registry.py +++ b/sdk/python/pulumi_azure_native/appplatform/service_registry.py @@ -145,7 +145,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20220101preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20220401:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20221201:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ServiceRegistry")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20231201:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:ServiceRegistry"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20220401:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:ServiceRegistry"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:ServiceRegistry")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServiceRegistry, __self__).__init__( 'azure-native:appplatform:ServiceRegistry', diff --git a/sdk/python/pulumi_azure_native/appplatform/storage.py b/sdk/python/pulumi_azure_native/appplatform/storage.py index f1bfd505170c..f9a346c60cc0 100644 --- a/sdk/python/pulumi_azure_native/appplatform/storage.py +++ b/sdk/python/pulumi_azure_native/appplatform/storage.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20210901preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20220101preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20220301preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20220501preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20220901preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20221101preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20221201:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20230101preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20230301preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Storage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:appplatform/v20230501preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20230701preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20230901preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20231101preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20231201:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20240101preview:Storage"), pulumi.Alias(type_="azure-native:appplatform/v20240501preview:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20210901preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20220101preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20220301preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20220501preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20220901preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20221101preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20221201:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20230101preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20230301preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20230501preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20230701preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20230901preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20231101preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20231201:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20240101preview:appplatform:Storage"), pulumi.Alias(type_="azure-native_appplatform_v20240501preview:appplatform:Storage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Storage, __self__).__init__( 'azure-native:appplatform:Storage', diff --git a/sdk/python/pulumi_azure_native/attestation/attestation_provider.py b/sdk/python/pulumi_azure_native/attestation/attestation_provider.py index c681d07eeeff..f7634050ccb1 100644 --- a/sdk/python/pulumi_azure_native/attestation/attestation_provider.py +++ b/sdk/python/pulumi_azure_native/attestation/attestation_provider.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["tpm_attestation_authentication"] = None __props__.__dict__["trust_model"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:attestation/v20180901preview:AttestationProvider"), pulumi.Alias(type_="azure-native:attestation/v20201001:AttestationProvider"), pulumi.Alias(type_="azure-native:attestation/v20210601:AttestationProvider"), pulumi.Alias(type_="azure-native:attestation/v20210601preview:AttestationProvider")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:attestation/v20210601:AttestationProvider"), pulumi.Alias(type_="azure-native:attestation/v20210601preview:AttestationProvider"), pulumi.Alias(type_="azure-native_attestation_v20180901preview:attestation:AttestationProvider"), pulumi.Alias(type_="azure-native_attestation_v20201001:attestation:AttestationProvider"), pulumi.Alias(type_="azure-native_attestation_v20210601:attestation:AttestationProvider"), pulumi.Alias(type_="azure-native_attestation_v20210601preview:attestation:AttestationProvider")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AttestationProvider, __self__).__init__( 'azure-native:attestation:AttestationProvider', diff --git a/sdk/python/pulumi_azure_native/attestation/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/attestation/private_endpoint_connection.py index f0f03b5c3cae..23d9c58dbd4a 100644 --- a/sdk/python/pulumi_azure_native/attestation/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/attestation/private_endpoint_connection.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:attestation/v20201001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:attestation/v20210601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:attestation/v20210601preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:attestation/v20210601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:attestation/v20210601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_attestation_v20201001:attestation:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_attestation_v20210601:attestation:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_attestation_v20210601preview:attestation:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:attestation:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/authorization/access_review_history_definition_by_id.py b/sdk/python/pulumi_azure_native/authorization/access_review_history_definition_by_id.py index fc7bf099f313..b8912322d1b1 100644 --- a/sdk/python/pulumi_azure_native/authorization/access_review_history_definition_by_id.py +++ b/sdk/python/pulumi_azure_native/authorization/access_review_history_definition_by_id.py @@ -250,7 +250,7 @@ def _internal_init(__self__, __props__.__dict__["review_history_period_start_date_time"] = None __props__.__dict__["status"] = None __props__.__dict__["user_principal_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20211116preview:AccessReviewHistoryDefinitionById"), pulumi.Alias(type_="azure-native:authorization/v20211201preview:AccessReviewHistoryDefinitionById")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20211201preview:AccessReviewHistoryDefinitionById"), pulumi.Alias(type_="azure-native_authorization_v20211116preview:authorization:AccessReviewHistoryDefinitionById"), pulumi.Alias(type_="azure-native_authorization_v20211201preview:authorization:AccessReviewHistoryDefinitionById")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccessReviewHistoryDefinitionById, __self__).__init__( 'azure-native:authorization:AccessReviewHistoryDefinitionById', diff --git a/sdk/python/pulumi_azure_native/authorization/access_review_schedule_definition_by_id.py b/sdk/python/pulumi_azure_native/authorization/access_review_schedule_definition_by_id.py index a6eb301c1b86..d1f2f0c72046 100644 --- a/sdk/python/pulumi_azure_native/authorization/access_review_schedule_definition_by_id.py +++ b/sdk/python/pulumi_azure_native/authorization/access_review_schedule_definition_by_id.py @@ -589,7 +589,7 @@ def _internal_init(__self__, __props__.__dict__["scope"] = None __props__.__dict__["status"] = None __props__.__dict__["user_principal_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20180501preview:AccessReviewScheduleDefinitionById"), pulumi.Alias(type_="azure-native:authorization/v20210301preview:AccessReviewScheduleDefinitionById"), pulumi.Alias(type_="azure-native:authorization/v20210701preview:AccessReviewScheduleDefinitionById"), pulumi.Alias(type_="azure-native:authorization/v20211116preview:AccessReviewScheduleDefinitionById"), pulumi.Alias(type_="azure-native:authorization/v20211201preview:AccessReviewScheduleDefinitionById")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20211201preview:AccessReviewScheduleDefinitionById"), pulumi.Alias(type_="azure-native_authorization_v20180501preview:authorization:AccessReviewScheduleDefinitionById"), pulumi.Alias(type_="azure-native_authorization_v20210301preview:authorization:AccessReviewScheduleDefinitionById"), pulumi.Alias(type_="azure-native_authorization_v20210701preview:authorization:AccessReviewScheduleDefinitionById"), pulumi.Alias(type_="azure-native_authorization_v20211116preview:authorization:AccessReviewScheduleDefinitionById"), pulumi.Alias(type_="azure-native_authorization_v20211201preview:authorization:AccessReviewScheduleDefinitionById")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccessReviewScheduleDefinitionById, __self__).__init__( 'azure-native:authorization:AccessReviewScheduleDefinitionById', diff --git a/sdk/python/pulumi_azure_native/authorization/management_lock_at_resource_group_level.py b/sdk/python/pulumi_azure_native/authorization/management_lock_at_resource_group_level.py index 3f68f77874ab..21bcfd766448 100644 --- a/sdk/python/pulumi_azure_native/authorization/management_lock_at_resource_group_level.py +++ b/sdk/python/pulumi_azure_native/authorization/management_lock_at_resource_group_level.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20150101:ManagementLockAtResourceGroupLevel"), pulumi.Alias(type_="azure-native:authorization/v20160901:ManagementLockAtResourceGroupLevel"), pulumi.Alias(type_="azure-native:authorization/v20170401:ManagementLockAtResourceGroupLevel"), pulumi.Alias(type_="azure-native:authorization/v20200501:ManagementLockAtResourceGroupLevel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20200501:ManagementLockAtResourceGroupLevel"), pulumi.Alias(type_="azure-native_authorization_v20150101:authorization:ManagementLockAtResourceGroupLevel"), pulumi.Alias(type_="azure-native_authorization_v20160901:authorization:ManagementLockAtResourceGroupLevel"), pulumi.Alias(type_="azure-native_authorization_v20170401:authorization:ManagementLockAtResourceGroupLevel"), pulumi.Alias(type_="azure-native_authorization_v20200501:authorization:ManagementLockAtResourceGroupLevel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagementLockAtResourceGroupLevel, __self__).__init__( 'azure-native:authorization:ManagementLockAtResourceGroupLevel', diff --git a/sdk/python/pulumi_azure_native/authorization/management_lock_at_resource_level.py b/sdk/python/pulumi_azure_native/authorization/management_lock_at_resource_level.py index c11216caaa4b..fc040f55baed 100644 --- a/sdk/python/pulumi_azure_native/authorization/management_lock_at_resource_level.py +++ b/sdk/python/pulumi_azure_native/authorization/management_lock_at_resource_level.py @@ -287,7 +287,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20160901:ManagementLockAtResourceLevel"), pulumi.Alias(type_="azure-native:authorization/v20170401:ManagementLockAtResourceLevel"), pulumi.Alias(type_="azure-native:authorization/v20200501:ManagementLockAtResourceLevel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20200501:ManagementLockAtResourceLevel"), pulumi.Alias(type_="azure-native_authorization_v20160901:authorization:ManagementLockAtResourceLevel"), pulumi.Alias(type_="azure-native_authorization_v20170401:authorization:ManagementLockAtResourceLevel"), pulumi.Alias(type_="azure-native_authorization_v20200501:authorization:ManagementLockAtResourceLevel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagementLockAtResourceLevel, __self__).__init__( 'azure-native:authorization:ManagementLockAtResourceLevel', diff --git a/sdk/python/pulumi_azure_native/authorization/management_lock_at_subscription_level.py b/sdk/python/pulumi_azure_native/authorization/management_lock_at_subscription_level.py index 572e21f49dc9..7650f2345f08 100644 --- a/sdk/python/pulumi_azure_native/authorization/management_lock_at_subscription_level.py +++ b/sdk/python/pulumi_azure_native/authorization/management_lock_at_subscription_level.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20150101:ManagementLockAtSubscriptionLevel"), pulumi.Alias(type_="azure-native:authorization/v20160901:ManagementLockAtSubscriptionLevel"), pulumi.Alias(type_="azure-native:authorization/v20170401:ManagementLockAtSubscriptionLevel"), pulumi.Alias(type_="azure-native:authorization/v20200501:ManagementLockAtSubscriptionLevel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20200501:ManagementLockAtSubscriptionLevel"), pulumi.Alias(type_="azure-native_authorization_v20150101:authorization:ManagementLockAtSubscriptionLevel"), pulumi.Alias(type_="azure-native_authorization_v20160901:authorization:ManagementLockAtSubscriptionLevel"), pulumi.Alias(type_="azure-native_authorization_v20170401:authorization:ManagementLockAtSubscriptionLevel"), pulumi.Alias(type_="azure-native_authorization_v20200501:authorization:ManagementLockAtSubscriptionLevel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagementLockAtSubscriptionLevel, __self__).__init__( 'azure-native:authorization:ManagementLockAtSubscriptionLevel', diff --git a/sdk/python/pulumi_azure_native/authorization/management_lock_by_scope.py b/sdk/python/pulumi_azure_native/authorization/management_lock_by_scope.py index 06493f4b01ce..09b3060308e2 100644 --- a/sdk/python/pulumi_azure_native/authorization/management_lock_by_scope.py +++ b/sdk/python/pulumi_azure_native/authorization/management_lock_by_scope.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20160901:ManagementLockByScope"), pulumi.Alias(type_="azure-native:authorization/v20170401:ManagementLockByScope"), pulumi.Alias(type_="azure-native:authorization/v20200501:ManagementLockByScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20200501:ManagementLockByScope"), pulumi.Alias(type_="azure-native_authorization_v20160901:authorization:ManagementLockByScope"), pulumi.Alias(type_="azure-native_authorization_v20170401:authorization:ManagementLockByScope"), pulumi.Alias(type_="azure-native_authorization_v20200501:authorization:ManagementLockByScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagementLockByScope, __self__).__init__( 'azure-native:authorization:ManagementLockByScope', diff --git a/sdk/python/pulumi_azure_native/authorization/pim_role_eligibility_schedule.py b/sdk/python/pulumi_azure_native/authorization/pim_role_eligibility_schedule.py index d8a3388ffe91..46e2defb66af 100644 --- a/sdk/python/pulumi_azure_native/authorization/pim_role_eligibility_schedule.py +++ b/sdk/python/pulumi_azure_native/authorization/pim_role_eligibility_schedule.py @@ -309,7 +309,7 @@ def _internal_init(__self__, __props__.__dict__["requestor_id"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20201001:PimRoleEligibilitySchedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_authorization_v20201001:authorization:PimRoleEligibilitySchedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PimRoleEligibilitySchedule, __self__).__init__( 'azure-native:authorization:PimRoleEligibilitySchedule', diff --git a/sdk/python/pulumi_azure_native/authorization/policy_assignment.py b/sdk/python/pulumi_azure_native/authorization/policy_assignment.py index b82dc65a7374..1653dd4532b1 100644 --- a/sdk/python/pulumi_azure_native/authorization/policy_assignment.py +++ b/sdk/python/pulumi_azure_native/authorization/policy_assignment.py @@ -412,7 +412,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20151001preview:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20160401:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20161201:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20170601preview:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20180301:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20180501:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20190101:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20190601:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20190901:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20200301:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20200901:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20210601:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20220601:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20230401:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20240401:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20250301:PolicyAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20190601:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20200301:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20220601:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20230401:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20240401:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20151001preview:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20160401:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20161201:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20170601preview:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20180301:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20180501:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20190101:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20190601:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20190901:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20200301:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20200901:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20210601:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20220601:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20230401:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20240401:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20240501:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20250101:authorization:PolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20250301:authorization:PolicyAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicyAssignment, __self__).__init__( 'azure-native:authorization:PolicyAssignment', diff --git a/sdk/python/pulumi_azure_native/authorization/policy_definition.py b/sdk/python/pulumi_azure_native/authorization/policy_definition.py index 2649676314ab..9639e8a68d84 100644 --- a/sdk/python/pulumi_azure_native/authorization/policy_definition.py +++ b/sdk/python/pulumi_azure_native/authorization/policy_definition.py @@ -288,7 +288,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20151001preview:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20160401:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20161201:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20180301:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20180501:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20190101:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20190601:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20190901:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20200301:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20200901:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20210601:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20230401:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20250301:PolicyDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20180501:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20190601:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20210601:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20230401:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicyDefinition"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20151001preview:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20160401:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20161201:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20180301:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20180501:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20190101:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20190601:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20190901:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20200301:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20200901:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20210601:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20230401:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20240501:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20250101:authorization:PolicyDefinition"), pulumi.Alias(type_="azure-native_authorization_v20250301:authorization:PolicyDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicyDefinition, __self__).__init__( 'azure-native:authorization:PolicyDefinition', diff --git a/sdk/python/pulumi_azure_native/authorization/policy_definition_at_management_group.py b/sdk/python/pulumi_azure_native/authorization/policy_definition_at_management_group.py index 2961dcb552c5..665b892125a8 100644 --- a/sdk/python/pulumi_azure_native/authorization/policy_definition_at_management_group.py +++ b/sdk/python/pulumi_azure_native/authorization/policy_definition_at_management_group.py @@ -309,7 +309,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20161201:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20180301:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20180501:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20190101:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20190601:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20190901:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20200301:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20200901:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20210601:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20230401:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250301:PolicyDefinitionAtManagementGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20180501:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20190601:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20210601:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20230401:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20161201:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20180301:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20180501:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20190101:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20190601:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20190901:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20200301:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20200901:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20210601:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20230401:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20240501:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20250101:authorization:PolicyDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20250301:authorization:PolicyDefinitionAtManagementGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicyDefinitionAtManagementGroup, __self__).__init__( 'azure-native:authorization:PolicyDefinitionAtManagementGroup', diff --git a/sdk/python/pulumi_azure_native/authorization/policy_definition_version.py b/sdk/python/pulumi_azure_native/authorization/policy_definition_version.py index da5160dc7c29..1d83e420b19b 100644 --- a/sdk/python/pulumi_azure_native/authorization/policy_definition_version.py +++ b/sdk/python/pulumi_azure_native/authorization/policy_definition_version.py @@ -289,7 +289,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20230401:PolicyDefinitionVersion"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicyDefinitionVersion"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicyDefinitionVersion"), pulumi.Alias(type_="azure-native:authorization/v20250301:PolicyDefinitionVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20230401:PolicyDefinitionVersion"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicyDefinitionVersion"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicyDefinitionVersion"), pulumi.Alias(type_="azure-native_authorization_v20230401:authorization:PolicyDefinitionVersion"), pulumi.Alias(type_="azure-native_authorization_v20240501:authorization:PolicyDefinitionVersion"), pulumi.Alias(type_="azure-native_authorization_v20250101:authorization:PolicyDefinitionVersion"), pulumi.Alias(type_="azure-native_authorization_v20250301:authorization:PolicyDefinitionVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicyDefinitionVersion, __self__).__init__( 'azure-native:authorization:PolicyDefinitionVersion', diff --git a/sdk/python/pulumi_azure_native/authorization/policy_definition_version_at_management_group.py b/sdk/python/pulumi_azure_native/authorization/policy_definition_version_at_management_group.py index d32f7dcbf6bd..0853b00c7843 100644 --- a/sdk/python/pulumi_azure_native/authorization/policy_definition_version_at_management_group.py +++ b/sdk/python/pulumi_azure_native/authorization/policy_definition_version_at_management_group.py @@ -310,7 +310,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20230401:PolicyDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicyDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicyDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250301:PolicyDefinitionVersionAtManagementGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20230401:PolicyDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicyDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicyDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20230401:authorization:PolicyDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20240501:authorization:PolicyDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20250101:authorization:PolicyDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20250301:authorization:PolicyDefinitionVersionAtManagementGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicyDefinitionVersionAtManagementGroup, __self__).__init__( 'azure-native:authorization:PolicyDefinitionVersionAtManagementGroup', diff --git a/sdk/python/pulumi_azure_native/authorization/policy_exemption.py b/sdk/python/pulumi_azure_native/authorization/policy_exemption.py index 545bea807d89..0b15fa43ce23 100644 --- a/sdk/python/pulumi_azure_native/authorization/policy_exemption.py +++ b/sdk/python/pulumi_azure_native/authorization/policy_exemption.py @@ -311,7 +311,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20200701preview:PolicyExemption"), pulumi.Alias(type_="azure-native:authorization/v20220701preview:PolicyExemption"), pulumi.Alias(type_="azure-native:authorization/v20241201preview:PolicyExemption")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20220701preview:PolicyExemption"), pulumi.Alias(type_="azure-native_authorization_v20200701preview:authorization:PolicyExemption"), pulumi.Alias(type_="azure-native_authorization_v20220701preview:authorization:PolicyExemption"), pulumi.Alias(type_="azure-native_authorization_v20241201preview:authorization:PolicyExemption")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicyExemption, __self__).__init__( 'azure-native:authorization:PolicyExemption', diff --git a/sdk/python/pulumi_azure_native/authorization/policy_set_definition.py b/sdk/python/pulumi_azure_native/authorization/policy_set_definition.py index a92da10c9d43..2e0bc13fdf89 100644 --- a/sdk/python/pulumi_azure_native/authorization/policy_set_definition.py +++ b/sdk/python/pulumi_azure_native/authorization/policy_set_definition.py @@ -285,7 +285,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20170601preview:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20180301:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20180501:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20190101:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20190601:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20190901:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20200301:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20200901:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20210601:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20230401:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20250301:PolicySetDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20190601:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20210601:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20230401:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicySetDefinition"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20170601preview:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20180301:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20180501:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20190101:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20190601:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20190901:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20200301:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20200901:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20210601:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20230401:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20240501:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20250101:authorization:PolicySetDefinition"), pulumi.Alias(type_="azure-native_authorization_v20250301:authorization:PolicySetDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicySetDefinition, __self__).__init__( 'azure-native:authorization:PolicySetDefinition', diff --git a/sdk/python/pulumi_azure_native/authorization/policy_set_definition_at_management_group.py b/sdk/python/pulumi_azure_native/authorization/policy_set_definition_at_management_group.py index f7d8932653d2..1216fba1336b 100644 --- a/sdk/python/pulumi_azure_native/authorization/policy_set_definition_at_management_group.py +++ b/sdk/python/pulumi_azure_native/authorization/policy_set_definition_at_management_group.py @@ -306,7 +306,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20170601preview:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20180301:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20180501:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20190101:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20190601:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20190901:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20200301:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20200901:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20210601:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20230401:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250301:PolicySetDefinitionAtManagementGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20190601:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20210601:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20230401:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20170601preview:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20180301:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20180501:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20190101:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20190601:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20190901:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20200301:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20200901:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20210601:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20230401:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20240501:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20250101:authorization:PolicySetDefinitionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20250301:authorization:PolicySetDefinitionAtManagementGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicySetDefinitionAtManagementGroup, __self__).__init__( 'azure-native:authorization:PolicySetDefinitionAtManagementGroup', diff --git a/sdk/python/pulumi_azure_native/authorization/policy_set_definition_version.py b/sdk/python/pulumi_azure_native/authorization/policy_set_definition_version.py index 58389803826a..eeef59e98aba 100644 --- a/sdk/python/pulumi_azure_native/authorization/policy_set_definition_version.py +++ b/sdk/python/pulumi_azure_native/authorization/policy_set_definition_version.py @@ -286,7 +286,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20230401:PolicySetDefinitionVersion"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicySetDefinitionVersion"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicySetDefinitionVersion"), pulumi.Alias(type_="azure-native:authorization/v20250301:PolicySetDefinitionVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20230401:PolicySetDefinitionVersion"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicySetDefinitionVersion"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicySetDefinitionVersion"), pulumi.Alias(type_="azure-native_authorization_v20230401:authorization:PolicySetDefinitionVersion"), pulumi.Alias(type_="azure-native_authorization_v20240501:authorization:PolicySetDefinitionVersion"), pulumi.Alias(type_="azure-native_authorization_v20250101:authorization:PolicySetDefinitionVersion"), pulumi.Alias(type_="azure-native_authorization_v20250301:authorization:PolicySetDefinitionVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicySetDefinitionVersion, __self__).__init__( 'azure-native:authorization:PolicySetDefinitionVersion', diff --git a/sdk/python/pulumi_azure_native/authorization/policy_set_definition_version_at_management_group.py b/sdk/python/pulumi_azure_native/authorization/policy_set_definition_version_at_management_group.py index 97d56c371c88..e174db3f21f7 100644 --- a/sdk/python/pulumi_azure_native/authorization/policy_set_definition_version_at_management_group.py +++ b/sdk/python/pulumi_azure_native/authorization/policy_set_definition_version_at_management_group.py @@ -307,7 +307,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20230401:PolicySetDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicySetDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicySetDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250301:PolicySetDefinitionVersionAtManagementGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20230401:PolicySetDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20240501:PolicySetDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20250101:PolicySetDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20230401:authorization:PolicySetDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20240501:authorization:PolicySetDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20250101:authorization:PolicySetDefinitionVersionAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20250301:authorization:PolicySetDefinitionVersionAtManagementGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicySetDefinitionVersionAtManagementGroup, __self__).__init__( 'azure-native:authorization:PolicySetDefinitionVersionAtManagementGroup', diff --git a/sdk/python/pulumi_azure_native/authorization/private_link_association.py b/sdk/python/pulumi_azure_native/authorization/private_link_association.py index 84e273afc2c7..e383d1330048 100644 --- a/sdk/python/pulumi_azure_native/authorization/private_link_association.py +++ b/sdk/python/pulumi_azure_native/authorization/private_link_association.py @@ -136,7 +136,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20200501:PrivateLinkAssociation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20200501:PrivateLinkAssociation"), pulumi.Alias(type_="azure-native_authorization_v20200501:authorization:PrivateLinkAssociation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkAssociation, __self__).__init__( 'azure-native:authorization:PrivateLinkAssociation', diff --git a/sdk/python/pulumi_azure_native/authorization/resource_management_private_link.py b/sdk/python/pulumi_azure_native/authorization/resource_management_private_link.py index b1ae11f1474a..76fdb7a67a69 100644 --- a/sdk/python/pulumi_azure_native/authorization/resource_management_private_link.py +++ b/sdk/python/pulumi_azure_native/authorization/resource_management_private_link.py @@ -135,7 +135,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["properties"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20200501:ResourceManagementPrivateLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20200501:ResourceManagementPrivateLink"), pulumi.Alias(type_="azure-native_authorization_v20200501:authorization:ResourceManagementPrivateLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ResourceManagementPrivateLink, __self__).__init__( 'azure-native:authorization:ResourceManagementPrivateLink', diff --git a/sdk/python/pulumi_azure_native/authorization/role_assignment.py b/sdk/python/pulumi_azure_native/authorization/role_assignment.py index 3f5da9d5a896..6c51ffd47408 100644 --- a/sdk/python/pulumi_azure_native/authorization/role_assignment.py +++ b/sdk/python/pulumi_azure_native/authorization/role_assignment.py @@ -272,7 +272,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["updated_by"] = None __props__.__dict__["updated_on"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20150701:RoleAssignment"), pulumi.Alias(type_="azure-native:authorization/v20171001preview:RoleAssignment"), pulumi.Alias(type_="azure-native:authorization/v20180101preview:RoleAssignment"), pulumi.Alias(type_="azure-native:authorization/v20180901preview:RoleAssignment"), pulumi.Alias(type_="azure-native:authorization/v20200301preview:RoleAssignment"), pulumi.Alias(type_="azure-native:authorization/v20200401preview:RoleAssignment"), pulumi.Alias(type_="azure-native:authorization/v20200801preview:RoleAssignment"), pulumi.Alias(type_="azure-native:authorization/v20201001preview:RoleAssignment"), pulumi.Alias(type_="azure-native:authorization/v20220401:RoleAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20171001preview:RoleAssignment"), pulumi.Alias(type_="azure-native:authorization/v20200301preview:RoleAssignment"), pulumi.Alias(type_="azure-native:authorization/v20200401preview:RoleAssignment"), pulumi.Alias(type_="azure-native:authorization/v20220401:RoleAssignment"), pulumi.Alias(type_="azure-native_authorization_v20150701:authorization:RoleAssignment"), pulumi.Alias(type_="azure-native_authorization_v20171001preview:authorization:RoleAssignment"), pulumi.Alias(type_="azure-native_authorization_v20180101preview:authorization:RoleAssignment"), pulumi.Alias(type_="azure-native_authorization_v20180901preview:authorization:RoleAssignment"), pulumi.Alias(type_="azure-native_authorization_v20200301preview:authorization:RoleAssignment"), pulumi.Alias(type_="azure-native_authorization_v20200401preview:authorization:RoleAssignment"), pulumi.Alias(type_="azure-native_authorization_v20200801preview:authorization:RoleAssignment"), pulumi.Alias(type_="azure-native_authorization_v20201001preview:authorization:RoleAssignment"), pulumi.Alias(type_="azure-native_authorization_v20220401:authorization:RoleAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RoleAssignment, __self__).__init__( 'azure-native:authorization:RoleAssignment', diff --git a/sdk/python/pulumi_azure_native/authorization/role_definition.py b/sdk/python/pulumi_azure_native/authorization/role_definition.py index 86394b6f7996..1dc5f663a477 100644 --- a/sdk/python/pulumi_azure_native/authorization/role_definition.py +++ b/sdk/python/pulumi_azure_native/authorization/role_definition.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["updated_by"] = None __props__.__dict__["updated_on"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20150701:RoleDefinition"), pulumi.Alias(type_="azure-native:authorization/v20180101preview:RoleDefinition"), pulumi.Alias(type_="azure-native:authorization/v20220401:RoleDefinition"), pulumi.Alias(type_="azure-native:authorization/v20220501preview:RoleDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20220501preview:RoleDefinition"), pulumi.Alias(type_="azure-native_authorization_v20150701:authorization:RoleDefinition"), pulumi.Alias(type_="azure-native_authorization_v20180101preview:authorization:RoleDefinition"), pulumi.Alias(type_="azure-native_authorization_v20220401:authorization:RoleDefinition"), pulumi.Alias(type_="azure-native_authorization_v20220501preview:authorization:RoleDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RoleDefinition, __self__).__init__( 'azure-native:authorization:RoleDefinition', diff --git a/sdk/python/pulumi_azure_native/authorization/role_management_policy.py b/sdk/python/pulumi_azure_native/authorization/role_management_policy.py index caa14a844c36..b8117a37bd78 100644 --- a/sdk/python/pulumi_azure_native/authorization/role_management_policy.py +++ b/sdk/python/pulumi_azure_native/authorization/role_management_policy.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["policy_properties"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20201001:RoleManagementPolicy"), pulumi.Alias(type_="azure-native:authorization/v20201001preview:RoleManagementPolicy"), pulumi.Alias(type_="azure-native:authorization/v20240201preview:RoleManagementPolicy"), pulumi.Alias(type_="azure-native:authorization/v20240901preview:RoleManagementPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_authorization_v20201001:authorization:RoleManagementPolicy"), pulumi.Alias(type_="azure-native_authorization_v20201001preview:authorization:RoleManagementPolicy"), pulumi.Alias(type_="azure-native_authorization_v20240201preview:authorization:RoleManagementPolicy"), pulumi.Alias(type_="azure-native_authorization_v20240901preview:authorization:RoleManagementPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RoleManagementPolicy, __self__).__init__( 'azure-native:authorization:RoleManagementPolicy', diff --git a/sdk/python/pulumi_azure_native/authorization/role_management_policy_assignment.py b/sdk/python/pulumi_azure_native/authorization/role_management_policy_assignment.py index 50d93faa47b8..6795122d98c6 100644 --- a/sdk/python/pulumi_azure_native/authorization/role_management_policy_assignment.py +++ b/sdk/python/pulumi_azure_native/authorization/role_management_policy_assignment.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["policy_assignment_properties"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20201001:RoleManagementPolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20201001preview:RoleManagementPolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20240201preview:RoleManagementPolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20240901preview:RoleManagementPolicyAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20201001:RoleManagementPolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20201001preview:RoleManagementPolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20240201preview:RoleManagementPolicyAssignment"), pulumi.Alias(type_="azure-native:authorization/v20240901preview:RoleManagementPolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20201001:authorization:RoleManagementPolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20201001preview:authorization:RoleManagementPolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20240201preview:authorization:RoleManagementPolicyAssignment"), pulumi.Alias(type_="azure-native_authorization_v20240901preview:authorization:RoleManagementPolicyAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RoleManagementPolicyAssignment, __self__).__init__( 'azure-native:authorization:RoleManagementPolicyAssignment', diff --git a/sdk/python/pulumi_azure_native/authorization/scope_access_review_history_definition_by_id.py b/sdk/python/pulumi_azure_native/authorization/scope_access_review_history_definition_by_id.py index f16054f0741a..f830ab294435 100644 --- a/sdk/python/pulumi_azure_native/authorization/scope_access_review_history_definition_by_id.py +++ b/sdk/python/pulumi_azure_native/authorization/scope_access_review_history_definition_by_id.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["review_history_period_start_date_time"] = None __props__.__dict__["status"] = None __props__.__dict__["user_principal_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20211201preview:ScopeAccessReviewHistoryDefinitionById")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20211201preview:ScopeAccessReviewHistoryDefinitionById"), pulumi.Alias(type_="azure-native_authorization_v20211201preview:authorization:ScopeAccessReviewHistoryDefinitionById")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScopeAccessReviewHistoryDefinitionById, __self__).__init__( 'azure-native:authorization:ScopeAccessReviewHistoryDefinitionById', diff --git a/sdk/python/pulumi_azure_native/authorization/scope_access_review_schedule_definition_by_id.py b/sdk/python/pulumi_azure_native/authorization/scope_access_review_schedule_definition_by_id.py index e2696001ea19..e81666d313b1 100644 --- a/sdk/python/pulumi_azure_native/authorization/scope_access_review_schedule_definition_by_id.py +++ b/sdk/python/pulumi_azure_native/authorization/scope_access_review_schedule_definition_by_id.py @@ -605,7 +605,7 @@ def _internal_init(__self__, __props__.__dict__["reviewers_type"] = None __props__.__dict__["status"] = None __props__.__dict__["user_principal_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20211201preview:ScopeAccessReviewScheduleDefinitionById")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20211201preview:ScopeAccessReviewScheduleDefinitionById"), pulumi.Alias(type_="azure-native_authorization_v20211201preview:authorization:ScopeAccessReviewScheduleDefinitionById")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScopeAccessReviewScheduleDefinitionById, __self__).__init__( 'azure-native:authorization:ScopeAccessReviewScheduleDefinitionById', diff --git a/sdk/python/pulumi_azure_native/authorization/variable.py b/sdk/python/pulumi_azure_native/authorization/variable.py index 3ccf13b99dff..d89e563ed4cd 100644 --- a/sdk/python/pulumi_azure_native/authorization/variable.py +++ b/sdk/python/pulumi_azure_native/authorization/variable.py @@ -124,7 +124,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20220801preview:Variable"), pulumi.Alias(type_="azure-native:authorization/v20241201preview:Variable")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20220801preview:Variable"), pulumi.Alias(type_="azure-native_authorization_v20220801preview:authorization:Variable"), pulumi.Alias(type_="azure-native_authorization_v20241201preview:authorization:Variable")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Variable, __self__).__init__( 'azure-native:authorization:Variable', diff --git a/sdk/python/pulumi_azure_native/authorization/variable_at_management_group.py b/sdk/python/pulumi_azure_native/authorization/variable_at_management_group.py index d1b0c446866c..f93e20a7c11b 100644 --- a/sdk/python/pulumi_azure_native/authorization/variable_at_management_group.py +++ b/sdk/python/pulumi_azure_native/authorization/variable_at_management_group.py @@ -145,7 +145,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20220801preview:VariableAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20241201preview:VariableAtManagementGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20220801preview:VariableAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20220801preview:authorization:VariableAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20241201preview:authorization:VariableAtManagementGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VariableAtManagementGroup, __self__).__init__( 'azure-native:authorization:VariableAtManagementGroup', diff --git a/sdk/python/pulumi_azure_native/authorization/variable_value.py b/sdk/python/pulumi_azure_native/authorization/variable_value.py index 82f9100e556e..f71bfebae32a 100644 --- a/sdk/python/pulumi_azure_native/authorization/variable_value.py +++ b/sdk/python/pulumi_azure_native/authorization/variable_value.py @@ -145,7 +145,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20220801preview:VariableValue"), pulumi.Alias(type_="azure-native:authorization/v20241201preview:VariableValue")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20220801preview:VariableValue"), pulumi.Alias(type_="azure-native_authorization_v20220801preview:authorization:VariableValue"), pulumi.Alias(type_="azure-native_authorization_v20241201preview:authorization:VariableValue")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VariableValue, __self__).__init__( 'azure-native:authorization:VariableValue', diff --git a/sdk/python/pulumi_azure_native/authorization/variable_value_at_management_group.py b/sdk/python/pulumi_azure_native/authorization/variable_value_at_management_group.py index 295a523e63aa..a4fe5e2fdb1f 100644 --- a/sdk/python/pulumi_azure_native/authorization/variable_value_at_management_group.py +++ b/sdk/python/pulumi_azure_native/authorization/variable_value_at_management_group.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20220801preview:VariableValueAtManagementGroup"), pulumi.Alias(type_="azure-native:authorization/v20241201preview:VariableValueAtManagementGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:authorization/v20220801preview:VariableValueAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20220801preview:authorization:VariableValueAtManagementGroup"), pulumi.Alias(type_="azure-native_authorization_v20241201preview:authorization:VariableValueAtManagementGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VariableValueAtManagementGroup, __self__).__init__( 'azure-native:authorization:VariableValueAtManagementGroup', diff --git a/sdk/python/pulumi_azure_native/automanage/configuration_profile.py b/sdk/python/pulumi_azure_native/automanage/configuration_profile.py index 42108850b944..602919406d91 100644 --- a/sdk/python/pulumi_azure_native/automanage/configuration_profile.py +++ b/sdk/python/pulumi_azure_native/automanage/configuration_profile.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automanage/v20210430preview:ConfigurationProfile"), pulumi.Alias(type_="azure-native:automanage/v20220504:ConfigurationProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automanage/v20220504:ConfigurationProfile"), pulumi.Alias(type_="azure-native_automanage_v20210430preview:automanage:ConfigurationProfile"), pulumi.Alias(type_="azure-native_automanage_v20220504:automanage:ConfigurationProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationProfile, __self__).__init__( 'azure-native:automanage:ConfigurationProfile', diff --git a/sdk/python/pulumi_azure_native/automanage/configuration_profile_assignment.py b/sdk/python/pulumi_azure_native/automanage/configuration_profile_assignment.py index 52ecad7dd2a0..ac3eb5a6da89 100644 --- a/sdk/python/pulumi_azure_native/automanage/configuration_profile_assignment.py +++ b/sdk/python/pulumi_azure_native/automanage/configuration_profile_assignment.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automanage/v20200630preview:ConfigurationProfileAssignment"), pulumi.Alias(type_="azure-native:automanage/v20210430preview:ConfigurationProfileAssignment"), pulumi.Alias(type_="azure-native:automanage/v20220504:ConfigurationProfileAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automanage/v20220504:ConfigurationProfileAssignment"), pulumi.Alias(type_="azure-native_automanage_v20200630preview:automanage:ConfigurationProfileAssignment"), pulumi.Alias(type_="azure-native_automanage_v20210430preview:automanage:ConfigurationProfileAssignment"), pulumi.Alias(type_="azure-native_automanage_v20220504:automanage:ConfigurationProfileAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationProfileAssignment, __self__).__init__( 'azure-native:automanage:ConfigurationProfileAssignment', diff --git a/sdk/python/pulumi_azure_native/automanage/configuration_profile_hciassignment.py b/sdk/python/pulumi_azure_native/automanage/configuration_profile_hciassignment.py index 1dfe67982cd3..94aa1a312108 100644 --- a/sdk/python/pulumi_azure_native/automanage/configuration_profile_hciassignment.py +++ b/sdk/python/pulumi_azure_native/automanage/configuration_profile_hciassignment.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automanage/v20210430preview:ConfigurationProfileHCIAssignment"), pulumi.Alias(type_="azure-native:automanage/v20220504:ConfigurationProfileHCIAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automanage/v20220504:ConfigurationProfileHCIAssignment"), pulumi.Alias(type_="azure-native_automanage_v20210430preview:automanage:ConfigurationProfileHCIAssignment"), pulumi.Alias(type_="azure-native_automanage_v20220504:automanage:ConfigurationProfileHCIAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationProfileHCIAssignment, __self__).__init__( 'azure-native:automanage:ConfigurationProfileHCIAssignment', diff --git a/sdk/python/pulumi_azure_native/automanage/configuration_profile_hcrpassignment.py b/sdk/python/pulumi_azure_native/automanage/configuration_profile_hcrpassignment.py index b074ba3d659c..6376622f65cb 100644 --- a/sdk/python/pulumi_azure_native/automanage/configuration_profile_hcrpassignment.py +++ b/sdk/python/pulumi_azure_native/automanage/configuration_profile_hcrpassignment.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automanage/v20210430preview:ConfigurationProfileHCRPAssignment"), pulumi.Alias(type_="azure-native:automanage/v20220504:ConfigurationProfileHCRPAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automanage/v20220504:ConfigurationProfileHCRPAssignment"), pulumi.Alias(type_="azure-native_automanage_v20210430preview:automanage:ConfigurationProfileHCRPAssignment"), pulumi.Alias(type_="azure-native_automanage_v20220504:automanage:ConfigurationProfileHCRPAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationProfileHCRPAssignment, __self__).__init__( 'azure-native:automanage:ConfigurationProfileHCRPAssignment', diff --git a/sdk/python/pulumi_azure_native/automanage/configuration_profiles_version.py b/sdk/python/pulumi_azure_native/automanage/configuration_profiles_version.py index b30a9d9ae276..73a1e4c15347 100644 --- a/sdk/python/pulumi_azure_native/automanage/configuration_profiles_version.py +++ b/sdk/python/pulumi_azure_native/automanage/configuration_profiles_version.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automanage/v20210430preview:ConfigurationProfilesVersion"), pulumi.Alias(type_="azure-native:automanage/v20220504:ConfigurationProfilesVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automanage/v20220504:ConfigurationProfilesVersion"), pulumi.Alias(type_="azure-native_automanage_v20210430preview:automanage:ConfigurationProfilesVersion"), pulumi.Alias(type_="azure-native_automanage_v20220504:automanage:ConfigurationProfilesVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationProfilesVersion, __self__).__init__( 'azure-native:automanage:ConfigurationProfilesVersion', diff --git a/sdk/python/pulumi_azure_native/automation/automation_account.py b/sdk/python/pulumi_azure_native/automation/automation_account.py index 4f896af32216..7994d85d69de 100644 --- a/sdk/python/pulumi_azure_native/automation/automation_account.py +++ b/sdk/python/pulumi_azure_native/automation/automation_account.py @@ -292,7 +292,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:AutomationAccount"), pulumi.Alias(type_="azure-native:automation/v20190601:AutomationAccount"), pulumi.Alias(type_="azure-native:automation/v20200113preview:AutomationAccount"), pulumi.Alias(type_="azure-native:automation/v20210622:AutomationAccount"), pulumi.Alias(type_="azure-native:automation/v20220808:AutomationAccount"), pulumi.Alias(type_="azure-native:automation/v20230515preview:AutomationAccount"), pulumi.Alias(type_="azure-native:automation/v20231101:AutomationAccount"), pulumi.Alias(type_="azure-native:automation/v20241023:AutomationAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:AutomationAccount"), pulumi.Alias(type_="azure-native:automation/v20230515preview:AutomationAccount"), pulumi.Alias(type_="azure-native:automation/v20231101:AutomationAccount"), pulumi.Alias(type_="azure-native:automation/v20241023:AutomationAccount"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:AutomationAccount"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:AutomationAccount"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:AutomationAccount"), pulumi.Alias(type_="azure-native_automation_v20210622:automation:AutomationAccount"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:AutomationAccount"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:AutomationAccount"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:AutomationAccount"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:AutomationAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AutomationAccount, __self__).__init__( 'azure-native:automation:AutomationAccount', diff --git a/sdk/python/pulumi_azure_native/automation/certificate.py b/sdk/python/pulumi_azure_native/automation/certificate.py index 9482c5d00c88..7c866adc6791 100644 --- a/sdk/python/pulumi_azure_native/automation/certificate.py +++ b/sdk/python/pulumi_azure_native/automation/certificate.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["expiry_time"] = None __props__.__dict__["last_modified_time"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:Certificate"), pulumi.Alias(type_="azure-native:automation/v20190601:Certificate"), pulumi.Alias(type_="azure-native:automation/v20200113preview:Certificate"), pulumi.Alias(type_="azure-native:automation/v20220808:Certificate"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Certificate"), pulumi.Alias(type_="azure-native:automation/v20231101:Certificate"), pulumi.Alias(type_="azure-native:automation/v20241023:Certificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:Certificate"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Certificate"), pulumi.Alias(type_="azure-native:automation/v20231101:Certificate"), pulumi.Alias(type_="azure-native:automation/v20241023:Certificate"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:Certificate"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:Certificate"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:Certificate"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:Certificate"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Certificate"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:Certificate"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Certificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Certificate, __self__).__init__( 'azure-native:automation:Certificate', diff --git a/sdk/python/pulumi_azure_native/automation/connection.py b/sdk/python/pulumi_azure_native/automation/connection.py index 3c42c74cc589..5fcc2c746eb8 100644 --- a/sdk/python/pulumi_azure_native/automation/connection.py +++ b/sdk/python/pulumi_azure_native/automation/connection.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["creation_time"] = None __props__.__dict__["last_modified_time"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:Connection"), pulumi.Alias(type_="azure-native:automation/v20190601:Connection"), pulumi.Alias(type_="azure-native:automation/v20200113preview:Connection"), pulumi.Alias(type_="azure-native:automation/v20220808:Connection"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Connection"), pulumi.Alias(type_="azure-native:automation/v20231101:Connection"), pulumi.Alias(type_="azure-native:automation/v20241023:Connection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:Connection"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Connection"), pulumi.Alias(type_="azure-native:automation/v20231101:Connection"), pulumi.Alias(type_="azure-native:automation/v20241023:Connection"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:Connection"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:Connection"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:Connection"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:Connection"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Connection"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:Connection"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Connection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Connection, __self__).__init__( 'azure-native:automation:Connection', diff --git a/sdk/python/pulumi_azure_native/automation/connection_type.py b/sdk/python/pulumi_azure_native/automation/connection_type.py index da58ec8c61ff..a2ae65a27bc2 100644 --- a/sdk/python/pulumi_azure_native/automation/connection_type.py +++ b/sdk/python/pulumi_azure_native/automation/connection_type.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["description"] = None __props__.__dict__["last_modified_time"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:ConnectionType"), pulumi.Alias(type_="azure-native:automation/v20190601:ConnectionType"), pulumi.Alias(type_="azure-native:automation/v20200113preview:ConnectionType"), pulumi.Alias(type_="azure-native:automation/v20220808:ConnectionType"), pulumi.Alias(type_="azure-native:automation/v20230515preview:ConnectionType"), pulumi.Alias(type_="azure-native:automation/v20231101:ConnectionType"), pulumi.Alias(type_="azure-native:automation/v20241023:ConnectionType")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:ConnectionType"), pulumi.Alias(type_="azure-native:automation/v20230515preview:ConnectionType"), pulumi.Alias(type_="azure-native:automation/v20231101:ConnectionType"), pulumi.Alias(type_="azure-native:automation/v20241023:ConnectionType"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:ConnectionType"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:ConnectionType"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:ConnectionType"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:ConnectionType"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:ConnectionType"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:ConnectionType"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:ConnectionType")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectionType, __self__).__init__( 'azure-native:automation:ConnectionType', diff --git a/sdk/python/pulumi_azure_native/automation/credential.py b/sdk/python/pulumi_azure_native/automation/credential.py index 08aa83399537..42739d3dc3bf 100644 --- a/sdk/python/pulumi_azure_native/automation/credential.py +++ b/sdk/python/pulumi_azure_native/automation/credential.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["creation_time"] = None __props__.__dict__["last_modified_time"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:Credential"), pulumi.Alias(type_="azure-native:automation/v20190601:Credential"), pulumi.Alias(type_="azure-native:automation/v20200113preview:Credential"), pulumi.Alias(type_="azure-native:automation/v20220808:Credential"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Credential"), pulumi.Alias(type_="azure-native:automation/v20231101:Credential"), pulumi.Alias(type_="azure-native:automation/v20241023:Credential")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:Credential"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Credential"), pulumi.Alias(type_="azure-native:automation/v20231101:Credential"), pulumi.Alias(type_="azure-native:automation/v20241023:Credential"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:Credential"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:Credential"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:Credential"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:Credential"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Credential"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:Credential"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Credential")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Credential, __self__).__init__( 'azure-native:automation:Credential', diff --git a/sdk/python/pulumi_azure_native/automation/dsc_configuration.py b/sdk/python/pulumi_azure_native/automation/dsc_configuration.py index 8171c9d5d670..34b11b4b0f57 100644 --- a/sdk/python/pulumi_azure_native/automation/dsc_configuration.py +++ b/sdk/python/pulumi_azure_native/automation/dsc_configuration.py @@ -312,7 +312,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:DscConfiguration"), pulumi.Alias(type_="azure-native:automation/v20190601:DscConfiguration"), pulumi.Alias(type_="azure-native:automation/v20220808:DscConfiguration"), pulumi.Alias(type_="azure-native:automation/v20230515preview:DscConfiguration"), pulumi.Alias(type_="azure-native:automation/v20231101:DscConfiguration"), pulumi.Alias(type_="azure-native:automation/v20241023:DscConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:DscConfiguration"), pulumi.Alias(type_="azure-native:automation/v20230515preview:DscConfiguration"), pulumi.Alias(type_="azure-native:automation/v20231101:DscConfiguration"), pulumi.Alias(type_="azure-native:automation/v20241023:DscConfiguration"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:DscConfiguration"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:DscConfiguration"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:DscConfiguration"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:DscConfiguration"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:DscConfiguration"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:DscConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DscConfiguration, __self__).__init__( 'azure-native:automation:DscConfiguration', diff --git a/sdk/python/pulumi_azure_native/automation/dsc_node_configuration.py b/sdk/python/pulumi_azure_native/automation/dsc_node_configuration.py index b12e8b65a61d..75fe9714c93f 100644 --- a/sdk/python/pulumi_azure_native/automation/dsc_node_configuration.py +++ b/sdk/python/pulumi_azure_native/automation/dsc_node_configuration.py @@ -249,7 +249,7 @@ def _internal_init(__self__, __props__.__dict__["last_modified_time"] = None __props__.__dict__["node_count"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:DscNodeConfiguration"), pulumi.Alias(type_="azure-native:automation/v20180115:DscNodeConfiguration"), pulumi.Alias(type_="azure-native:automation/v20190601:DscNodeConfiguration"), pulumi.Alias(type_="azure-native:automation/v20200113preview:DscNodeConfiguration"), pulumi.Alias(type_="azure-native:automation/v20220808:DscNodeConfiguration"), pulumi.Alias(type_="azure-native:automation/v20230515preview:DscNodeConfiguration"), pulumi.Alias(type_="azure-native:automation/v20231101:DscNodeConfiguration"), pulumi.Alias(type_="azure-native:automation/v20241023:DscNodeConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:DscNodeConfiguration"), pulumi.Alias(type_="azure-native:automation/v20230515preview:DscNodeConfiguration"), pulumi.Alias(type_="azure-native:automation/v20231101:DscNodeConfiguration"), pulumi.Alias(type_="azure-native:automation/v20241023:DscNodeConfiguration"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:DscNodeConfiguration"), pulumi.Alias(type_="azure-native_automation_v20180115:automation:DscNodeConfiguration"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:DscNodeConfiguration"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:DscNodeConfiguration"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:DscNodeConfiguration"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:DscNodeConfiguration"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:DscNodeConfiguration"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:DscNodeConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DscNodeConfiguration, __self__).__init__( 'azure-native:automation:DscNodeConfiguration', diff --git a/sdk/python/pulumi_azure_native/automation/hybrid_runbook_worker.py b/sdk/python/pulumi_azure_native/automation/hybrid_runbook_worker.py index 45373ee69b0c..774cd3d89d93 100644 --- a/sdk/python/pulumi_azure_native/automation/hybrid_runbook_worker.py +++ b/sdk/python/pulumi_azure_native/automation/hybrid_runbook_worker.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["worker_name"] = None __props__.__dict__["worker_type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20210622:HybridRunbookWorker"), pulumi.Alias(type_="azure-native:automation/v20220808:HybridRunbookWorker"), pulumi.Alias(type_="azure-native:automation/v20230515preview:HybridRunbookWorker"), pulumi.Alias(type_="azure-native:automation/v20231101:HybridRunbookWorker"), pulumi.Alias(type_="azure-native:automation/v20241023:HybridRunbookWorker")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:HybridRunbookWorker"), pulumi.Alias(type_="azure-native:automation/v20230515preview:HybridRunbookWorker"), pulumi.Alias(type_="azure-native:automation/v20231101:HybridRunbookWorker"), pulumi.Alias(type_="azure-native:automation/v20241023:HybridRunbookWorker"), pulumi.Alias(type_="azure-native_automation_v20210622:automation:HybridRunbookWorker"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:HybridRunbookWorker"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:HybridRunbookWorker"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:HybridRunbookWorker"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:HybridRunbookWorker")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HybridRunbookWorker, __self__).__init__( 'azure-native:automation:HybridRunbookWorker', diff --git a/sdk/python/pulumi_azure_native/automation/hybrid_runbook_worker_group.py b/sdk/python/pulumi_azure_native/automation/hybrid_runbook_worker_group.py index 15796512f4c4..dc3f3e4cbdf6 100644 --- a/sdk/python/pulumi_azure_native/automation/hybrid_runbook_worker_group.py +++ b/sdk/python/pulumi_azure_native/automation/hybrid_runbook_worker_group.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["group_type"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20210622:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native:automation/v20220222:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native:automation/v20220808:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native:automation/v20230515preview:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native:automation/v20231101:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native:automation/v20241023:HybridRunbookWorkerGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20210622:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native:automation/v20220808:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native:automation/v20230515preview:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native:automation/v20231101:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native:automation/v20241023:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native_automation_v20210622:automation:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native_automation_v20220222:automation:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:HybridRunbookWorkerGroup"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:HybridRunbookWorkerGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HybridRunbookWorkerGroup, __self__).__init__( 'azure-native:automation:HybridRunbookWorkerGroup', diff --git a/sdk/python/pulumi_azure_native/automation/job_schedule.py b/sdk/python/pulumi_azure_native/automation/job_schedule.py index 4f39c4211860..d738fea200f3 100644 --- a/sdk/python/pulumi_azure_native/automation/job_schedule.py +++ b/sdk/python/pulumi_azure_native/automation/job_schedule.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:JobSchedule"), pulumi.Alias(type_="azure-native:automation/v20190601:JobSchedule"), pulumi.Alias(type_="azure-native:automation/v20200113preview:JobSchedule"), pulumi.Alias(type_="azure-native:automation/v20220808:JobSchedule"), pulumi.Alias(type_="azure-native:automation/v20230515preview:JobSchedule"), pulumi.Alias(type_="azure-native:automation/v20231101:JobSchedule"), pulumi.Alias(type_="azure-native:automation/v20241023:JobSchedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:JobSchedule"), pulumi.Alias(type_="azure-native:automation/v20230515preview:JobSchedule"), pulumi.Alias(type_="azure-native:automation/v20231101:JobSchedule"), pulumi.Alias(type_="azure-native:automation/v20241023:JobSchedule"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:JobSchedule"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:JobSchedule"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:JobSchedule"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:JobSchedule"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:JobSchedule"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:JobSchedule"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:JobSchedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JobSchedule, __self__).__init__( 'azure-native:automation:JobSchedule', diff --git a/sdk/python/pulumi_azure_native/automation/module.py b/sdk/python/pulumi_azure_native/automation/module.py index 909787958a03..da626dabec03 100644 --- a/sdk/python/pulumi_azure_native/automation/module.py +++ b/sdk/python/pulumi_azure_native/automation/module.py @@ -235,7 +235,7 @@ def _internal_init(__self__, __props__.__dict__["size_in_bytes"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:Module"), pulumi.Alias(type_="azure-native:automation/v20190601:Module"), pulumi.Alias(type_="azure-native:automation/v20200113preview:Module"), pulumi.Alias(type_="azure-native:automation/v20220808:Module"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Module"), pulumi.Alias(type_="azure-native:automation/v20231101:Module"), pulumi.Alias(type_="azure-native:automation/v20241023:Module")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:Module"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Module"), pulumi.Alias(type_="azure-native:automation/v20231101:Module"), pulumi.Alias(type_="azure-native:automation/v20241023:Module"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:Module"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:Module"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:Module"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:Module"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Module"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:Module"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Module")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Module, __self__).__init__( 'azure-native:automation:Module', diff --git a/sdk/python/pulumi_azure_native/automation/package.py b/sdk/python/pulumi_azure_native/automation/package.py index e4cae0523772..8aafca26bddd 100644 --- a/sdk/python/pulumi_azure_native/automation/package.py +++ b/sdk/python/pulumi_azure_native/automation/package.py @@ -214,7 +214,7 @@ def _internal_init(__self__, __props__.__dict__["tags"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20230515preview:Package"), pulumi.Alias(type_="azure-native:automation/v20241023:Package")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20230515preview:Package"), pulumi.Alias(type_="azure-native:automation/v20241023:Package"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Package"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Package")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Package, __self__).__init__( 'azure-native:automation:Package', diff --git a/sdk/python/pulumi_azure_native/automation/power_shell72_module.py b/sdk/python/pulumi_azure_native/automation/power_shell72_module.py index 53e3a9b0cd90..d6e4301efd2b 100644 --- a/sdk/python/pulumi_azure_native/automation/power_shell72_module.py +++ b/sdk/python/pulumi_azure_native/automation/power_shell72_module.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["size_in_bytes"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20231101:PowerShell72Module")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20231101:PowerShell72Module"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:PowerShell72Module")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PowerShell72Module, __self__).__init__( 'azure-native:automation:PowerShell72Module', diff --git a/sdk/python/pulumi_azure_native/automation/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/automation/private_endpoint_connection.py index 85fc18e4f931..1df00a56e394 100644 --- a/sdk/python/pulumi_azure_native/automation/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/automation/private_endpoint_connection.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20200113preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:automation/v20230515preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:automation/v20241023:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20200113preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:automation/v20230515preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:automation/v20241023:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:automation:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/automation/python2_package.py b/sdk/python/pulumi_azure_native/automation/python2_package.py index 450e02157adb..08dd415a3380 100644 --- a/sdk/python/pulumi_azure_native/automation/python2_package.py +++ b/sdk/python/pulumi_azure_native/automation/python2_package.py @@ -197,7 +197,7 @@ def _internal_init(__self__, __props__.__dict__["size_in_bytes"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20180630:Python2Package"), pulumi.Alias(type_="azure-native:automation/v20190601:Python2Package"), pulumi.Alias(type_="azure-native:automation/v20200113preview:Python2Package"), pulumi.Alias(type_="azure-native:automation/v20220808:Python2Package"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Python2Package"), pulumi.Alias(type_="azure-native:automation/v20231101:Python2Package"), pulumi.Alias(type_="azure-native:automation/v20241023:Python2Package")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:Python2Package"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Python2Package"), pulumi.Alias(type_="azure-native:automation/v20231101:Python2Package"), pulumi.Alias(type_="azure-native:automation/v20241023:Python2Package"), pulumi.Alias(type_="azure-native_automation_v20180630:automation:Python2Package"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:Python2Package"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:Python2Package"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:Python2Package"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Python2Package"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:Python2Package"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Python2Package")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Python2Package, __self__).__init__( 'azure-native:automation:Python2Package', diff --git a/sdk/python/pulumi_azure_native/automation/python3_package.py b/sdk/python/pulumi_azure_native/automation/python3_package.py index 751748c3bc7a..28076e607b2b 100644 --- a/sdk/python/pulumi_azure_native/automation/python3_package.py +++ b/sdk/python/pulumi_azure_native/automation/python3_package.py @@ -197,7 +197,7 @@ def _internal_init(__self__, __props__.__dict__["size_in_bytes"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:Python3Package"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Python3Package"), pulumi.Alias(type_="azure-native:automation/v20231101:Python3Package"), pulumi.Alias(type_="azure-native:automation/v20241023:Python3Package")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:Python3Package"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Python3Package"), pulumi.Alias(type_="azure-native:automation/v20231101:Python3Package"), pulumi.Alias(type_="azure-native:automation/v20241023:Python3Package"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:Python3Package"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Python3Package"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:Python3Package"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Python3Package")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Python3Package, __self__).__init__( 'azure-native:automation:Python3Package', diff --git a/sdk/python/pulumi_azure_native/automation/runbook.py b/sdk/python/pulumi_azure_native/automation/runbook.py index 05bcdba1fe34..229342ea22e9 100644 --- a/sdk/python/pulumi_azure_native/automation/runbook.py +++ b/sdk/python/pulumi_azure_native/automation/runbook.py @@ -354,7 +354,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:Runbook"), pulumi.Alias(type_="azure-native:automation/v20180630:Runbook"), pulumi.Alias(type_="azure-native:automation/v20190601:Runbook"), pulumi.Alias(type_="azure-native:automation/v20220808:Runbook"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Runbook"), pulumi.Alias(type_="azure-native:automation/v20231101:Runbook"), pulumi.Alias(type_="azure-native:automation/v20241023:Runbook")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:Runbook"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Runbook"), pulumi.Alias(type_="azure-native:automation/v20231101:Runbook"), pulumi.Alias(type_="azure-native:automation/v20241023:Runbook"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:Runbook"), pulumi.Alias(type_="azure-native_automation_v20180630:automation:Runbook"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:Runbook"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:Runbook"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Runbook"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:Runbook"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Runbook")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Runbook, __self__).__init__( 'azure-native:automation:Runbook', diff --git a/sdk/python/pulumi_azure_native/automation/runtime_environment.py b/sdk/python/pulumi_azure_native/automation/runtime_environment.py index 9fd9fb9d5e2f..4718a6b69988 100644 --- a/sdk/python/pulumi_azure_native/automation/runtime_environment.py +++ b/sdk/python/pulumi_azure_native/automation/runtime_environment.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20230515preview:RuntimeEnvironment"), pulumi.Alias(type_="azure-native:automation/v20241023:RuntimeEnvironment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20230515preview:RuntimeEnvironment"), pulumi.Alias(type_="azure-native:automation/v20241023:RuntimeEnvironment"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:RuntimeEnvironment"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:RuntimeEnvironment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RuntimeEnvironment, __self__).__init__( 'azure-native:automation:RuntimeEnvironment', diff --git a/sdk/python/pulumi_azure_native/automation/schedule.py b/sdk/python/pulumi_azure_native/automation/schedule.py index 9a5ce8a590d9..e47b3d751b9f 100644 --- a/sdk/python/pulumi_azure_native/automation/schedule.py +++ b/sdk/python/pulumi_azure_native/automation/schedule.py @@ -314,7 +314,7 @@ def _internal_init(__self__, __props__.__dict__["next_run_offset_minutes"] = None __props__.__dict__["start_time_offset_minutes"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:Schedule"), pulumi.Alias(type_="azure-native:automation/v20190601:Schedule"), pulumi.Alias(type_="azure-native:automation/v20200113preview:Schedule"), pulumi.Alias(type_="azure-native:automation/v20220808:Schedule"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Schedule"), pulumi.Alias(type_="azure-native:automation/v20231101:Schedule"), pulumi.Alias(type_="azure-native:automation/v20241023:Schedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:Schedule"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Schedule"), pulumi.Alias(type_="azure-native:automation/v20231101:Schedule"), pulumi.Alias(type_="azure-native:automation/v20241023:Schedule"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:Schedule"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:Schedule"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:Schedule"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:Schedule"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Schedule"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:Schedule"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Schedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Schedule, __self__).__init__( 'azure-native:automation:Schedule', diff --git a/sdk/python/pulumi_azure_native/automation/software_update_configuration_by_name.py b/sdk/python/pulumi_azure_native/automation/software_update_configuration_by_name.py index 54135c12d6f2..a333566b1f78 100644 --- a/sdk/python/pulumi_azure_native/automation/software_update_configuration_by_name.py +++ b/sdk/python/pulumi_azure_native/automation/software_update_configuration_by_name.py @@ -232,7 +232,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20170515preview:SoftwareUpdateConfigurationByName"), pulumi.Alias(type_="azure-native:automation/v20190601:SoftwareUpdateConfigurationByName"), pulumi.Alias(type_="azure-native:automation/v20230515preview:SoftwareUpdateConfigurationByName"), pulumi.Alias(type_="azure-native:automation/v20241023:SoftwareUpdateConfigurationByName")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20170515preview:SoftwareUpdateConfigurationByName"), pulumi.Alias(type_="azure-native:automation/v20190601:SoftwareUpdateConfigurationByName"), pulumi.Alias(type_="azure-native:automation/v20230515preview:SoftwareUpdateConfigurationByName"), pulumi.Alias(type_="azure-native:automation/v20241023:SoftwareUpdateConfigurationByName"), pulumi.Alias(type_="azure-native_automation_v20170515preview:automation:SoftwareUpdateConfigurationByName"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:SoftwareUpdateConfigurationByName"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:SoftwareUpdateConfigurationByName"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:SoftwareUpdateConfigurationByName")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SoftwareUpdateConfigurationByName, __self__).__init__( 'azure-native:automation:SoftwareUpdateConfigurationByName', diff --git a/sdk/python/pulumi_azure_native/automation/source_control.py b/sdk/python/pulumi_azure_native/automation/source_control.py index 9c4d86266c99..3c98eb0fa8db 100644 --- a/sdk/python/pulumi_azure_native/automation/source_control.py +++ b/sdk/python/pulumi_azure_native/automation/source_control.py @@ -306,7 +306,7 @@ def _internal_init(__self__, __props__.__dict__["last_modified_time"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20170515preview:SourceControl"), pulumi.Alias(type_="azure-native:automation/v20190601:SourceControl"), pulumi.Alias(type_="azure-native:automation/v20200113preview:SourceControl"), pulumi.Alias(type_="azure-native:automation/v20220808:SourceControl"), pulumi.Alias(type_="azure-native:automation/v20230515preview:SourceControl"), pulumi.Alias(type_="azure-native:automation/v20231101:SourceControl"), pulumi.Alias(type_="azure-native:automation/v20241023:SourceControl")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:SourceControl"), pulumi.Alias(type_="azure-native:automation/v20230515preview:SourceControl"), pulumi.Alias(type_="azure-native:automation/v20231101:SourceControl"), pulumi.Alias(type_="azure-native:automation/v20241023:SourceControl"), pulumi.Alias(type_="azure-native_automation_v20170515preview:automation:SourceControl"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:SourceControl"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:SourceControl"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:SourceControl"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:SourceControl"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:SourceControl"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:SourceControl")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SourceControl, __self__).__init__( 'azure-native:automation:SourceControl', diff --git a/sdk/python/pulumi_azure_native/automation/variable.py b/sdk/python/pulumi_azure_native/automation/variable.py index d2de87414555..14353ce14364 100644 --- a/sdk/python/pulumi_azure_native/automation/variable.py +++ b/sdk/python/pulumi_azure_native/automation/variable.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["creation_time"] = None __props__.__dict__["last_modified_time"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:Variable"), pulumi.Alias(type_="azure-native:automation/v20190601:Variable"), pulumi.Alias(type_="azure-native:automation/v20200113preview:Variable"), pulumi.Alias(type_="azure-native:automation/v20220808:Variable"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Variable"), pulumi.Alias(type_="azure-native:automation/v20231101:Variable"), pulumi.Alias(type_="azure-native:automation/v20241023:Variable")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20220808:Variable"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Variable"), pulumi.Alias(type_="azure-native:automation/v20231101:Variable"), pulumi.Alias(type_="azure-native:automation/v20241023:Variable"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:Variable"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:Variable"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:Variable"), pulumi.Alias(type_="azure-native_automation_v20220808:automation:Variable"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Variable"), pulumi.Alias(type_="azure-native_automation_v20231101:automation:Variable"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Variable")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Variable, __self__).__init__( 'azure-native:automation:Variable', diff --git a/sdk/python/pulumi_azure_native/automation/watcher.py b/sdk/python/pulumi_azure_native/automation/watcher.py index 8f35e43c39cb..03e0364de9db 100644 --- a/sdk/python/pulumi_azure_native/automation/watcher.py +++ b/sdk/python/pulumi_azure_native/automation/watcher.py @@ -289,7 +289,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:Watcher"), pulumi.Alias(type_="azure-native:automation/v20190601:Watcher"), pulumi.Alias(type_="azure-native:automation/v20200113preview:Watcher"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Watcher"), pulumi.Alias(type_="azure-native:automation/v20241023:Watcher")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20200113preview:Watcher"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Watcher"), pulumi.Alias(type_="azure-native:automation/v20241023:Watcher"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:Watcher"), pulumi.Alias(type_="azure-native_automation_v20190601:automation:Watcher"), pulumi.Alias(type_="azure-native_automation_v20200113preview:automation:Watcher"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Watcher"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Watcher")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Watcher, __self__).__init__( 'azure-native:automation:Watcher', diff --git a/sdk/python/pulumi_azure_native/automation/webhook.py b/sdk/python/pulumi_azure_native/automation/webhook.py index 27ea29e0880d..fe24ea7bdd01 100644 --- a/sdk/python/pulumi_azure_native/automation/webhook.py +++ b/sdk/python/pulumi_azure_native/automation/webhook.py @@ -290,7 +290,7 @@ def _internal_init(__self__, __props__.__dict__["last_modified_time"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:Webhook"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Webhook"), pulumi.Alias(type_="azure-native:automation/v20241023:Webhook")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:automation/v20151031:Webhook"), pulumi.Alias(type_="azure-native:automation/v20230515preview:Webhook"), pulumi.Alias(type_="azure-native:automation/v20241023:Webhook"), pulumi.Alias(type_="azure-native_automation_v20151031:automation:Webhook"), pulumi.Alias(type_="azure-native_automation_v20230515preview:automation:Webhook"), pulumi.Alias(type_="azure-native_automation_v20241023:automation:Webhook")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Webhook, __self__).__init__( 'azure-native:automation:Webhook', diff --git a/sdk/python/pulumi_azure_native/avs/addon.py b/sdk/python/pulumi_azure_native/avs/addon.py index c6ac479acedc..edb3fb8830c1 100644 --- a/sdk/python/pulumi_azure_native/avs/addon.py +++ b/sdk/python/pulumi_azure_native/avs/addon.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200717preview:Addon"), pulumi.Alias(type_="azure-native:avs/v20210101preview:Addon"), pulumi.Alias(type_="azure-native:avs/v20210601:Addon"), pulumi.Alias(type_="azure-native:avs/v20211201:Addon"), pulumi.Alias(type_="azure-native:avs/v20220501:Addon"), pulumi.Alias(type_="azure-native:avs/v20230301:Addon"), pulumi.Alias(type_="azure-native:avs/v20230901:Addon")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20210101preview:Addon"), pulumi.Alias(type_="azure-native:avs/v20220501:Addon"), pulumi.Alias(type_="azure-native:avs/v20230301:Addon"), pulumi.Alias(type_="azure-native:avs/v20230901:Addon"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:Addon"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:Addon"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:Addon"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:Addon"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:Addon"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:Addon"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:Addon")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Addon, __self__).__init__( 'azure-native:avs:Addon', diff --git a/sdk/python/pulumi_azure_native/avs/authorization.py b/sdk/python/pulumi_azure_native/avs/authorization.py index 738229a760ed..2b9d779d094a 100644 --- a/sdk/python/pulumi_azure_native/avs/authorization.py +++ b/sdk/python/pulumi_azure_native/avs/authorization.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200320:Authorization"), pulumi.Alias(type_="azure-native:avs/v20200717preview:Authorization"), pulumi.Alias(type_="azure-native:avs/v20210101preview:Authorization"), pulumi.Alias(type_="azure-native:avs/v20210601:Authorization"), pulumi.Alias(type_="azure-native:avs/v20211201:Authorization"), pulumi.Alias(type_="azure-native:avs/v20220501:Authorization"), pulumi.Alias(type_="azure-native:avs/v20230301:Authorization"), pulumi.Alias(type_="azure-native:avs/v20230901:Authorization")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:Authorization"), pulumi.Alias(type_="azure-native:avs/v20230301:Authorization"), pulumi.Alias(type_="azure-native:avs/v20230901:Authorization"), pulumi.Alias(type_="azure-native_avs_v20200320:avs:Authorization"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:Authorization"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:Authorization"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:Authorization"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:Authorization"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:Authorization"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:Authorization"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:Authorization")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Authorization, __self__).__init__( 'azure-native:avs:Authorization', diff --git a/sdk/python/pulumi_azure_native/avs/cloud_link.py b/sdk/python/pulumi_azure_native/avs/cloud_link.py index d1136ee03a83..916fd9750fb3 100644 --- a/sdk/python/pulumi_azure_native/avs/cloud_link.py +++ b/sdk/python/pulumi_azure_native/avs/cloud_link.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20210601:CloudLink"), pulumi.Alias(type_="azure-native:avs/v20211201:CloudLink"), pulumi.Alias(type_="azure-native:avs/v20220501:CloudLink"), pulumi.Alias(type_="azure-native:avs/v20230301:CloudLink"), pulumi.Alias(type_="azure-native:avs/v20230901:CloudLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:CloudLink"), pulumi.Alias(type_="azure-native:avs/v20230301:CloudLink"), pulumi.Alias(type_="azure-native:avs/v20230901:CloudLink"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:CloudLink"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:CloudLink"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:CloudLink"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:CloudLink"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:CloudLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudLink, __self__).__init__( 'azure-native:avs:CloudLink', diff --git a/sdk/python/pulumi_azure_native/avs/cluster.py b/sdk/python/pulumi_azure_native/avs/cluster.py index e486b6ce2830..877f677d1705 100644 --- a/sdk/python/pulumi_azure_native/avs/cluster.py +++ b/sdk/python/pulumi_azure_native/avs/cluster.py @@ -229,7 +229,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200320:Cluster"), pulumi.Alias(type_="azure-native:avs/v20200717preview:Cluster"), pulumi.Alias(type_="azure-native:avs/v20210101preview:Cluster"), pulumi.Alias(type_="azure-native:avs/v20210601:Cluster"), pulumi.Alias(type_="azure-native:avs/v20211201:Cluster"), pulumi.Alias(type_="azure-native:avs/v20220501:Cluster"), pulumi.Alias(type_="azure-native:avs/v20230301:Cluster"), pulumi.Alias(type_="azure-native:avs/v20230901:Cluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200320:Cluster"), pulumi.Alias(type_="azure-native:avs/v20210601:Cluster"), pulumi.Alias(type_="azure-native:avs/v20220501:Cluster"), pulumi.Alias(type_="azure-native:avs/v20230301:Cluster"), pulumi.Alias(type_="azure-native:avs/v20230901:Cluster"), pulumi.Alias(type_="azure-native_avs_v20200320:avs:Cluster"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:Cluster"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:Cluster"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:Cluster"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:Cluster"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:Cluster"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:Cluster"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:Cluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cluster, __self__).__init__( 'azure-native:avs:Cluster', diff --git a/sdk/python/pulumi_azure_native/avs/datastore.py b/sdk/python/pulumi_azure_native/avs/datastore.py index 66d86bd56ff3..2171fddeba6e 100644 --- a/sdk/python/pulumi_azure_native/avs/datastore.py +++ b/sdk/python/pulumi_azure_native/avs/datastore.py @@ -229,7 +229,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20210101preview:Datastore"), pulumi.Alias(type_="azure-native:avs/v20210601:Datastore"), pulumi.Alias(type_="azure-native:avs/v20211201:Datastore"), pulumi.Alias(type_="azure-native:avs/v20220501:Datastore"), pulumi.Alias(type_="azure-native:avs/v20230301:Datastore"), pulumi.Alias(type_="azure-native:avs/v20230901:Datastore")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:Datastore"), pulumi.Alias(type_="azure-native:avs/v20230301:Datastore"), pulumi.Alias(type_="azure-native:avs/v20230901:Datastore"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:Datastore"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:Datastore"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:Datastore"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:Datastore"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:Datastore"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:Datastore")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Datastore, __self__).__init__( 'azure-native:avs:Datastore', diff --git a/sdk/python/pulumi_azure_native/avs/global_reach_connection.py b/sdk/python/pulumi_azure_native/avs/global_reach_connection.py index 5d51e5be248a..c3ccdd8edcbe 100644 --- a/sdk/python/pulumi_azure_native/avs/global_reach_connection.py +++ b/sdk/python/pulumi_azure_native/avs/global_reach_connection.py @@ -216,7 +216,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200717preview:GlobalReachConnection"), pulumi.Alias(type_="azure-native:avs/v20210101preview:GlobalReachConnection"), pulumi.Alias(type_="azure-native:avs/v20210601:GlobalReachConnection"), pulumi.Alias(type_="azure-native:avs/v20211201:GlobalReachConnection"), pulumi.Alias(type_="azure-native:avs/v20220501:GlobalReachConnection"), pulumi.Alias(type_="azure-native:avs/v20230301:GlobalReachConnection"), pulumi.Alias(type_="azure-native:avs/v20230901:GlobalReachConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:GlobalReachConnection"), pulumi.Alias(type_="azure-native:avs/v20230301:GlobalReachConnection"), pulumi.Alias(type_="azure-native:avs/v20230901:GlobalReachConnection"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:GlobalReachConnection"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:GlobalReachConnection"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:GlobalReachConnection"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:GlobalReachConnection"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:GlobalReachConnection"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:GlobalReachConnection"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:GlobalReachConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GlobalReachConnection, __self__).__init__( 'azure-native:avs:GlobalReachConnection', diff --git a/sdk/python/pulumi_azure_native/avs/hcx_enterprise_site.py b/sdk/python/pulumi_azure_native/avs/hcx_enterprise_site.py index dd32c2b43e84..95fd8f4f99a5 100644 --- a/sdk/python/pulumi_azure_native/avs/hcx_enterprise_site.py +++ b/sdk/python/pulumi_azure_native/avs/hcx_enterprise_site.py @@ -147,7 +147,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200320:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native:avs/v20200717preview:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native:avs/v20210101preview:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native:avs/v20210601:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native:avs/v20211201:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native:avs/v20220501:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native:avs/v20230301:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native:avs/v20230901:HcxEnterpriseSite")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native:avs/v20230301:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native:avs/v20230901:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native_avs_v20200320:avs:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:HcxEnterpriseSite"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:HcxEnterpriseSite")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HcxEnterpriseSite, __self__).__init__( 'azure-native:avs:HcxEnterpriseSite', diff --git a/sdk/python/pulumi_azure_native/avs/iscsi_path.py b/sdk/python/pulumi_azure_native/avs/iscsi_path.py index d13168e7debd..f002300c2da4 100644 --- a/sdk/python/pulumi_azure_native/avs/iscsi_path.py +++ b/sdk/python/pulumi_azure_native/avs/iscsi_path.py @@ -142,7 +142,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20230901:IscsiPath")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20230901:IscsiPath"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:IscsiPath")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IscsiPath, __self__).__init__( 'azure-native:avs:IscsiPath', diff --git a/sdk/python/pulumi_azure_native/avs/placement_policy.py b/sdk/python/pulumi_azure_native/avs/placement_policy.py index bd2f989389c8..2de547d57ed3 100644 --- a/sdk/python/pulumi_azure_native/avs/placement_policy.py +++ b/sdk/python/pulumi_azure_native/avs/placement_policy.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20211201:PlacementPolicy"), pulumi.Alias(type_="azure-native:avs/v20220501:PlacementPolicy"), pulumi.Alias(type_="azure-native:avs/v20230301:PlacementPolicy"), pulumi.Alias(type_="azure-native:avs/v20230901:PlacementPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:PlacementPolicy"), pulumi.Alias(type_="azure-native:avs/v20230301:PlacementPolicy"), pulumi.Alias(type_="azure-native:avs/v20230901:PlacementPolicy"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:PlacementPolicy"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:PlacementPolicy"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:PlacementPolicy"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:PlacementPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PlacementPolicy, __self__).__init__( 'azure-native:avs:PlacementPolicy', diff --git a/sdk/python/pulumi_azure_native/avs/private_cloud.py b/sdk/python/pulumi_azure_native/avs/private_cloud.py index 4b257a6eef85..4942966d7421 100644 --- a/sdk/python/pulumi_azure_native/avs/private_cloud.py +++ b/sdk/python/pulumi_azure_native/avs/private_cloud.py @@ -458,7 +458,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["vcenter_certificate_thumbprint"] = None __props__.__dict__["vmotion_network"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200320:PrivateCloud"), pulumi.Alias(type_="azure-native:avs/v20200717preview:PrivateCloud"), pulumi.Alias(type_="azure-native:avs/v20210101preview:PrivateCloud"), pulumi.Alias(type_="azure-native:avs/v20210601:PrivateCloud"), pulumi.Alias(type_="azure-native:avs/v20211201:PrivateCloud"), pulumi.Alias(type_="azure-native:avs/v20220501:PrivateCloud"), pulumi.Alias(type_="azure-native:avs/v20230301:PrivateCloud"), pulumi.Alias(type_="azure-native:avs/v20230901:PrivateCloud")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:PrivateCloud"), pulumi.Alias(type_="azure-native:avs/v20230301:PrivateCloud"), pulumi.Alias(type_="azure-native:avs/v20230901:PrivateCloud"), pulumi.Alias(type_="azure-native_avs_v20200320:avs:PrivateCloud"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:PrivateCloud"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:PrivateCloud"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:PrivateCloud"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:PrivateCloud"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:PrivateCloud"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:PrivateCloud"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:PrivateCloud")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateCloud, __self__).__init__( 'azure-native:avs:PrivateCloud', diff --git a/sdk/python/pulumi_azure_native/avs/script_execution.py b/sdk/python/pulumi_azure_native/avs/script_execution.py index a141e37f1327..38f3a9c8b039 100644 --- a/sdk/python/pulumi_azure_native/avs/script_execution.py +++ b/sdk/python/pulumi_azure_native/avs/script_execution.py @@ -319,7 +319,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["warnings"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20210601:ScriptExecution"), pulumi.Alias(type_="azure-native:avs/v20211201:ScriptExecution"), pulumi.Alias(type_="azure-native:avs/v20220501:ScriptExecution"), pulumi.Alias(type_="azure-native:avs/v20230301:ScriptExecution"), pulumi.Alias(type_="azure-native:avs/v20230901:ScriptExecution")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:ScriptExecution"), pulumi.Alias(type_="azure-native:avs/v20230301:ScriptExecution"), pulumi.Alias(type_="azure-native:avs/v20230901:ScriptExecution"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:ScriptExecution"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:ScriptExecution"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:ScriptExecution"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:ScriptExecution"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:ScriptExecution")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScriptExecution, __self__).__init__( 'azure-native:avs:ScriptExecution', diff --git a/sdk/python/pulumi_azure_native/avs/workload_network_dhcp.py b/sdk/python/pulumi_azure_native/avs/workload_network_dhcp.py index 802956338bf4..41260890cc17 100644 --- a/sdk/python/pulumi_azure_native/avs/workload_network_dhcp.py +++ b/sdk/python/pulumi_azure_native/avs/workload_network_dhcp.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["segments"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200717preview:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native:avs/v20210101preview:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native:avs/v20210601:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native:avs/v20211201:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkDhcp")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20210101preview:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:WorkloadNetworkDhcp"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:WorkloadNetworkDhcp")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadNetworkDhcp, __self__).__init__( 'azure-native:avs:WorkloadNetworkDhcp', diff --git a/sdk/python/pulumi_azure_native/avs/workload_network_dns_service.py b/sdk/python/pulumi_azure_native/avs/workload_network_dns_service.py index 04983ea450d5..cd23cd342f59 100644 --- a/sdk/python/pulumi_azure_native/avs/workload_network_dns_service.py +++ b/sdk/python/pulumi_azure_native/avs/workload_network_dns_service.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200717preview:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native:avs/v20210101preview:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native:avs/v20210601:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native:avs/v20211201:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkDnsService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:WorkloadNetworkDnsService"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:WorkloadNetworkDnsService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadNetworkDnsService, __self__).__init__( 'azure-native:avs:WorkloadNetworkDnsService', diff --git a/sdk/python/pulumi_azure_native/avs/workload_network_dns_zone.py b/sdk/python/pulumi_azure_native/avs/workload_network_dns_zone.py index 937cee101513..3894252b4684 100644 --- a/sdk/python/pulumi_azure_native/avs/workload_network_dns_zone.py +++ b/sdk/python/pulumi_azure_native/avs/workload_network_dns_zone.py @@ -265,7 +265,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200717preview:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native:avs/v20210101preview:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native:avs/v20210601:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native:avs/v20211201:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkDnsZone")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:WorkloadNetworkDnsZone"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:WorkloadNetworkDnsZone")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadNetworkDnsZone, __self__).__init__( 'azure-native:avs:WorkloadNetworkDnsZone', diff --git a/sdk/python/pulumi_azure_native/avs/workload_network_port_mirroring.py b/sdk/python/pulumi_azure_native/avs/workload_network_port_mirroring.py index 23417f4e8a58..5b9a3f35b0ca 100644 --- a/sdk/python/pulumi_azure_native/avs/workload_network_port_mirroring.py +++ b/sdk/python/pulumi_azure_native/avs/workload_network_port_mirroring.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200717preview:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native:avs/v20210101preview:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native:avs/v20210601:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native:avs/v20211201:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkPortMirroring")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:WorkloadNetworkPortMirroring"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:WorkloadNetworkPortMirroring")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadNetworkPortMirroring, __self__).__init__( 'azure-native:avs:WorkloadNetworkPortMirroring', diff --git a/sdk/python/pulumi_azure_native/avs/workload_network_public_ip.py b/sdk/python/pulumi_azure_native/avs/workload_network_public_ip.py index 25c2744b1b3c..d8ad1e4f29b1 100644 --- a/sdk/python/pulumi_azure_native/avs/workload_network_public_ip.py +++ b/sdk/python/pulumi_azure_native/avs/workload_network_public_ip.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["public_ip_block"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20210601:WorkloadNetworkPublicIP"), pulumi.Alias(type_="azure-native:avs/v20211201:WorkloadNetworkPublicIP"), pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkPublicIP"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkPublicIP"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkPublicIP")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkPublicIP"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkPublicIP"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkPublicIP"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:WorkloadNetworkPublicIP"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:WorkloadNetworkPublicIP"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:WorkloadNetworkPublicIP"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:WorkloadNetworkPublicIP"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:WorkloadNetworkPublicIP")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadNetworkPublicIP, __self__).__init__( 'azure-native:avs:WorkloadNetworkPublicIP', diff --git a/sdk/python/pulumi_azure_native/avs/workload_network_segment.py b/sdk/python/pulumi_azure_native/avs/workload_network_segment.py index 1466f03445a2..e473ef171bfc 100644 --- a/sdk/python/pulumi_azure_native/avs/workload_network_segment.py +++ b/sdk/python/pulumi_azure_native/avs/workload_network_segment.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200717preview:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native:avs/v20210101preview:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native:avs/v20210601:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native:avs/v20211201:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkSegment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:WorkloadNetworkSegment"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:WorkloadNetworkSegment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadNetworkSegment, __self__).__init__( 'azure-native:avs:WorkloadNetworkSegment', diff --git a/sdk/python/pulumi_azure_native/avs/workload_network_vm_group.py b/sdk/python/pulumi_azure_native/avs/workload_network_vm_group.py index 4c1f36f4e787..6a3149ca1e0d 100644 --- a/sdk/python/pulumi_azure_native/avs/workload_network_vm_group.py +++ b/sdk/python/pulumi_azure_native/avs/workload_network_vm_group.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20200717preview:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native:avs/v20210101preview:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native:avs/v20210601:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native:avs/v20211201:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkVMGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:avs/v20220501:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native:avs/v20230301:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native:avs/v20230901:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native_avs_v20200717preview:avs:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native_avs_v20210101preview:avs:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native_avs_v20210601:avs:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native_avs_v20211201:avs:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native_avs_v20220501:avs:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native_avs_v20230301:avs:WorkloadNetworkVMGroup"), pulumi.Alias(type_="azure-native_avs_v20230901:avs:WorkloadNetworkVMGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadNetworkVMGroup, __self__).__init__( 'azure-native:avs:WorkloadNetworkVMGroup', diff --git a/sdk/python/pulumi_azure_native/awsconnector/access_analyzer_analyzer.py b/sdk/python/pulumi_azure_native/awsconnector/access_analyzer_analyzer.py index 92d615c90688..ea4474389e55 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/access_analyzer_analyzer.py +++ b/sdk/python/pulumi_azure_native/awsconnector/access_analyzer_analyzer.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:AccessAnalyzerAnalyzer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:AccessAnalyzerAnalyzer"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:AccessAnalyzerAnalyzer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccessAnalyzerAnalyzer, __self__).__init__( 'azure-native:awsconnector:AccessAnalyzerAnalyzer', diff --git a/sdk/python/pulumi_azure_native/awsconnector/acm_certificate_summary.py b/sdk/python/pulumi_azure_native/awsconnector/acm_certificate_summary.py index 28ce17af2769..53c8d5fca394 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/acm_certificate_summary.py +++ b/sdk/python/pulumi_azure_native/awsconnector/acm_certificate_summary.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:AcmCertificateSummary")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:AcmCertificateSummary"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:AcmCertificateSummary")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AcmCertificateSummary, __self__).__init__( 'azure-native:awsconnector:AcmCertificateSummary', diff --git a/sdk/python/pulumi_azure_native/awsconnector/api_gateway_rest_api.py b/sdk/python/pulumi_azure_native/awsconnector/api_gateway_rest_api.py index d5b3a4cf5011..c08c05415a3a 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/api_gateway_rest_api.py +++ b/sdk/python/pulumi_azure_native/awsconnector/api_gateway_rest_api.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ApiGatewayRestApi")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ApiGatewayRestApi"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ApiGatewayRestApi")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiGatewayRestApi, __self__).__init__( 'azure-native:awsconnector:ApiGatewayRestApi', diff --git a/sdk/python/pulumi_azure_native/awsconnector/api_gateway_stage.py b/sdk/python/pulumi_azure_native/awsconnector/api_gateway_stage.py index 45270bf2df04..a9e076d3adbc 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/api_gateway_stage.py +++ b/sdk/python/pulumi_azure_native/awsconnector/api_gateway_stage.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ApiGatewayStage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ApiGatewayStage"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ApiGatewayStage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApiGatewayStage, __self__).__init__( 'azure-native:awsconnector:ApiGatewayStage', diff --git a/sdk/python/pulumi_azure_native/awsconnector/app_sync_graphql_api.py b/sdk/python/pulumi_azure_native/awsconnector/app_sync_graphql_api.py index aa42a7780e3d..2ee448f345c4 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/app_sync_graphql_api.py +++ b/sdk/python/pulumi_azure_native/awsconnector/app_sync_graphql_api.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:AppSyncGraphqlApi")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:AppSyncGraphqlApi"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:AppSyncGraphqlApi")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AppSyncGraphqlApi, __self__).__init__( 'azure-native:awsconnector:AppSyncGraphqlApi', diff --git a/sdk/python/pulumi_azure_native/awsconnector/auto_scaling_auto_scaling_group.py b/sdk/python/pulumi_azure_native/awsconnector/auto_scaling_auto_scaling_group.py index 3d95d12de9a2..00cf7e8b5070 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/auto_scaling_auto_scaling_group.py +++ b/sdk/python/pulumi_azure_native/awsconnector/auto_scaling_auto_scaling_group.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:AutoScalingAutoScalingGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:AutoScalingAutoScalingGroup"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:AutoScalingAutoScalingGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AutoScalingAutoScalingGroup, __self__).__init__( 'azure-native:awsconnector:AutoScalingAutoScalingGroup', diff --git a/sdk/python/pulumi_azure_native/awsconnector/cloud_formation_stack.py b/sdk/python/pulumi_azure_native/awsconnector/cloud_formation_stack.py index 753dd7237118..ebdf9b3f4c30 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/cloud_formation_stack.py +++ b/sdk/python/pulumi_azure_native/awsconnector/cloud_formation_stack.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CloudFormationStack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CloudFormationStack"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:CloudFormationStack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudFormationStack, __self__).__init__( 'azure-native:awsconnector:CloudFormationStack', diff --git a/sdk/python/pulumi_azure_native/awsconnector/cloud_formation_stack_set.py b/sdk/python/pulumi_azure_native/awsconnector/cloud_formation_stack_set.py index 5503011a0184..45f2b0af68f5 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/cloud_formation_stack_set.py +++ b/sdk/python/pulumi_azure_native/awsconnector/cloud_formation_stack_set.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CloudFormationStackSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CloudFormationStackSet"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:CloudFormationStackSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudFormationStackSet, __self__).__init__( 'azure-native:awsconnector:CloudFormationStackSet', diff --git a/sdk/python/pulumi_azure_native/awsconnector/cloud_front_distribution.py b/sdk/python/pulumi_azure_native/awsconnector/cloud_front_distribution.py index 99a578fc0d2f..ba51cf72e3d1 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/cloud_front_distribution.py +++ b/sdk/python/pulumi_azure_native/awsconnector/cloud_front_distribution.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CloudFrontDistribution")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CloudFrontDistribution"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:CloudFrontDistribution")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudFrontDistribution, __self__).__init__( 'azure-native:awsconnector:CloudFrontDistribution', diff --git a/sdk/python/pulumi_azure_native/awsconnector/cloud_trail_trail.py b/sdk/python/pulumi_azure_native/awsconnector/cloud_trail_trail.py index 2106d75583c8..5453a8c4e4da 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/cloud_trail_trail.py +++ b/sdk/python/pulumi_azure_native/awsconnector/cloud_trail_trail.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CloudTrailTrail")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CloudTrailTrail"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:CloudTrailTrail")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudTrailTrail, __self__).__init__( 'azure-native:awsconnector:CloudTrailTrail', diff --git a/sdk/python/pulumi_azure_native/awsconnector/cloud_watch_alarm.py b/sdk/python/pulumi_azure_native/awsconnector/cloud_watch_alarm.py index 1bbdce7e29ee..8e3b490e42e6 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/cloud_watch_alarm.py +++ b/sdk/python/pulumi_azure_native/awsconnector/cloud_watch_alarm.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CloudWatchAlarm")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CloudWatchAlarm"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:CloudWatchAlarm")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudWatchAlarm, __self__).__init__( 'azure-native:awsconnector:CloudWatchAlarm', diff --git a/sdk/python/pulumi_azure_native/awsconnector/code_build_project.py b/sdk/python/pulumi_azure_native/awsconnector/code_build_project.py index 99e87510693d..f136f9d24e74 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/code_build_project.py +++ b/sdk/python/pulumi_azure_native/awsconnector/code_build_project.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CodeBuildProject")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CodeBuildProject"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:CodeBuildProject")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CodeBuildProject, __self__).__init__( 'azure-native:awsconnector:CodeBuildProject', diff --git a/sdk/python/pulumi_azure_native/awsconnector/code_build_source_credentials_info.py b/sdk/python/pulumi_azure_native/awsconnector/code_build_source_credentials_info.py index bcd97af9e09d..95abc8ba49be 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/code_build_source_credentials_info.py +++ b/sdk/python/pulumi_azure_native/awsconnector/code_build_source_credentials_info.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CodeBuildSourceCredentialsInfo")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:CodeBuildSourceCredentialsInfo"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:CodeBuildSourceCredentialsInfo")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CodeBuildSourceCredentialsInfo, __self__).__init__( 'azure-native:awsconnector:CodeBuildSourceCredentialsInfo', diff --git a/sdk/python/pulumi_azure_native/awsconnector/config_service_configuration_recorder.py b/sdk/python/pulumi_azure_native/awsconnector/config_service_configuration_recorder.py index a4d8e403723e..b747df26a083 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/config_service_configuration_recorder.py +++ b/sdk/python/pulumi_azure_native/awsconnector/config_service_configuration_recorder.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorder")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorder"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ConfigServiceConfigurationRecorder")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigServiceConfigurationRecorder, __self__).__init__( 'azure-native:awsconnector:ConfigServiceConfigurationRecorder', diff --git a/sdk/python/pulumi_azure_native/awsconnector/config_service_configuration_recorder_status.py b/sdk/python/pulumi_azure_native/awsconnector/config_service_configuration_recorder_status.py index 0c0094a18aeb..a5cce4072d5c 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/config_service_configuration_recorder_status.py +++ b/sdk/python/pulumi_azure_native/awsconnector/config_service_configuration_recorder_status.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorderStatus")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ConfigServiceConfigurationRecorderStatus"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ConfigServiceConfigurationRecorderStatus")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigServiceConfigurationRecorderStatus, __self__).__init__( 'azure-native:awsconnector:ConfigServiceConfigurationRecorderStatus', diff --git a/sdk/python/pulumi_azure_native/awsconnector/config_service_delivery_channel.py b/sdk/python/pulumi_azure_native/awsconnector/config_service_delivery_channel.py index fd9828342ecb..a5fe18daa72e 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/config_service_delivery_channel.py +++ b/sdk/python/pulumi_azure_native/awsconnector/config_service_delivery_channel.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ConfigServiceDeliveryChannel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ConfigServiceDeliveryChannel"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ConfigServiceDeliveryChannel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigServiceDeliveryChannel, __self__).__init__( 'azure-native:awsconnector:ConfigServiceDeliveryChannel', diff --git a/sdk/python/pulumi_azure_native/awsconnector/database_migration_service_replication_instance.py b/sdk/python/pulumi_azure_native/awsconnector/database_migration_service_replication_instance.py index f42cd4947b84..f31af5d2c3f2 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/database_migration_service_replication_instance.py +++ b/sdk/python/pulumi_azure_native/awsconnector/database_migration_service_replication_instance.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:DatabaseMigrationServiceReplicationInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:DatabaseMigrationServiceReplicationInstance"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:DatabaseMigrationServiceReplicationInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseMigrationServiceReplicationInstance, __self__).__init__( 'azure-native:awsconnector:DatabaseMigrationServiceReplicationInstance', diff --git a/sdk/python/pulumi_azure_native/awsconnector/dax_cluster.py b/sdk/python/pulumi_azure_native/awsconnector/dax_cluster.py index 1dfa2b8a2ae0..8963f78b0f6d 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/dax_cluster.py +++ b/sdk/python/pulumi_azure_native/awsconnector/dax_cluster.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:DaxCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:DaxCluster"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:DaxCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DaxCluster, __self__).__init__( 'azure-native:awsconnector:DaxCluster', diff --git a/sdk/python/pulumi_azure_native/awsconnector/dynamo_db_continuous_backups_description.py b/sdk/python/pulumi_azure_native/awsconnector/dynamo_db_continuous_backups_description.py index c8a51a42814d..092c029ab079 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/dynamo_db_continuous_backups_description.py +++ b/sdk/python/pulumi_azure_native/awsconnector/dynamo_db_continuous_backups_description.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:DynamoDbContinuousBackupsDescription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:DynamoDbContinuousBackupsDescription"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:DynamoDbContinuousBackupsDescription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DynamoDbContinuousBackupsDescription, __self__).__init__( 'azure-native:awsconnector:DynamoDbContinuousBackupsDescription', diff --git a/sdk/python/pulumi_azure_native/awsconnector/dynamo_db_table.py b/sdk/python/pulumi_azure_native/awsconnector/dynamo_db_table.py index b016fb32a8c2..34fcae0dc8e6 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/dynamo_db_table.py +++ b/sdk/python/pulumi_azure_native/awsconnector/dynamo_db_table.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:DynamoDbTable")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:DynamoDbTable"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:DynamoDbTable")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DynamoDbTable, __self__).__init__( 'azure-native:awsconnector:DynamoDbTable', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_account_attribute.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_account_attribute.py index 6bbd3984d4ea..aa3067bb8c4c 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_account_attribute.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_account_attribute.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2AccountAttribute")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2AccountAttribute"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2AccountAttribute")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2AccountAttribute, __self__).__init__( 'azure-native:awsconnector:Ec2AccountAttribute', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_address.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_address.py index 8a3d1fd654be..7f93bb9b03ca 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_address.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_address.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Address")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Address"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2Address")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2Address, __self__).__init__( 'azure-native:awsconnector:Ec2Address', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_flow_log.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_flow_log.py index 6549e9e0b335..d2495f6e15e9 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_flow_log.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_flow_log.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2FlowLog")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2FlowLog"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2FlowLog")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2FlowLog, __self__).__init__( 'azure-native:awsconnector:Ec2FlowLog', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_image.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_image.py index b10e3a930120..50acf5823cbc 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_image.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_image.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Image")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Image"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2Image")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2Image, __self__).__init__( 'azure-native:awsconnector:Ec2Image', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_instance.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_instance.py index 46a63998a357..c5b12e4151f1 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_instance.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_instance.py @@ -121,7 +121,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Instance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Instance"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2Instance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2Instance, __self__).__init__( 'azure-native:awsconnector:Ec2Instance', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_instance_status.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_instance_status.py index 445265486f13..b61d56c9d2e8 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_instance_status.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_instance_status.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2InstanceStatus")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2InstanceStatus"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2InstanceStatus")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2InstanceStatus, __self__).__init__( 'azure-native:awsconnector:Ec2InstanceStatus', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_ipam.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_ipam.py index 1e87cf79b626..ae6310ce1906 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_ipam.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_ipam.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Ipam")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Ipam"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2Ipam")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2Ipam, __self__).__init__( 'azure-native:awsconnector:Ec2Ipam', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_key_pair.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_key_pair.py index 84bc6f9894e8..1f62cd82bb3b 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_key_pair.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_key_pair.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2KeyPair")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2KeyPair"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2KeyPair")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2KeyPair, __self__).__init__( 'azure-native:awsconnector:Ec2KeyPair', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_network_acl.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_network_acl.py index 20911dae0510..f25f2d51acdb 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_network_acl.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_network_acl.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2NetworkAcl")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2NetworkAcl"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2NetworkAcl")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2NetworkAcl, __self__).__init__( 'azure-native:awsconnector:Ec2NetworkAcl', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_network_interface.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_network_interface.py index 908c3f9fd908..c1cb837f4d36 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_network_interface.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_network_interface.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2NetworkInterface")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2NetworkInterface"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2NetworkInterface")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2NetworkInterface, __self__).__init__( 'azure-native:awsconnector:Ec2NetworkInterface', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_route_table.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_route_table.py index a7a13f266e40..d4c9ac0b245e 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_route_table.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_route_table.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2RouteTable")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2RouteTable"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2RouteTable")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2RouteTable, __self__).__init__( 'azure-native:awsconnector:Ec2RouteTable', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_security_group.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_security_group.py index d48525e03ae2..b4c0f469d20e 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_security_group.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_security_group.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2SecurityGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2SecurityGroup"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2SecurityGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2SecurityGroup, __self__).__init__( 'azure-native:awsconnector:Ec2SecurityGroup', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_snapshot.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_snapshot.py index cdf2c72d0342..fc299806cfcf 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_snapshot.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_snapshot.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Snapshot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Snapshot"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2Snapshot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2Snapshot, __self__).__init__( 'azure-native:awsconnector:Ec2Snapshot', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_subnet.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_subnet.py index f4182fe81c16..6cf93740e6ba 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_subnet.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_subnet.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Subnet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Subnet"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2Subnet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2Subnet, __self__).__init__( 'azure-native:awsconnector:Ec2Subnet', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_volume.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_volume.py index e72b654e218d..e3f710efa9c5 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_volume.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_volume.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Volume")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Volume"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2Volume")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2Volume, __self__).__init__( 'azure-native:awsconnector:Ec2Volume', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc.py index 047f0060c21a..173874ea0d55 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Vpc")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2Vpc"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2Vpc")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2Vpc, __self__).__init__( 'azure-native:awsconnector:Ec2Vpc', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc_endpoint.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc_endpoint.py index 6e2e87910d73..2e6008ee2025 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc_endpoint.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc_endpoint.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2VpcEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2VpcEndpoint"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2VpcEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2VpcEndpoint, __self__).__init__( 'azure-native:awsconnector:Ec2VpcEndpoint', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc_peering_connection.py b/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc_peering_connection.py index 9ff54e238681..bfb7f67205f3 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc_peering_connection.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ec2_vpc_peering_connection.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2VpcPeeringConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Ec2VpcPeeringConnection"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Ec2VpcPeeringConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ec2VpcPeeringConnection, __self__).__init__( 'azure-native:awsconnector:Ec2VpcPeeringConnection', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ecr_image_detail.py b/sdk/python/pulumi_azure_native/awsconnector/ecr_image_detail.py index a84f72ac794f..a7560633514f 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ecr_image_detail.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ecr_image_detail.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EcrImageDetail")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EcrImageDetail"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:EcrImageDetail")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EcrImageDetail, __self__).__init__( 'azure-native:awsconnector:EcrImageDetail', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ecr_repository.py b/sdk/python/pulumi_azure_native/awsconnector/ecr_repository.py index 1ae61756d5d4..8b4cc203fa79 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ecr_repository.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ecr_repository.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EcrRepository")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EcrRepository"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:EcrRepository")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EcrRepository, __self__).__init__( 'azure-native:awsconnector:EcrRepository', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ecs_cluster.py b/sdk/python/pulumi_azure_native/awsconnector/ecs_cluster.py index c57bba21ce19..f332ce7594b1 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ecs_cluster.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ecs_cluster.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EcsCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EcsCluster"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:EcsCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EcsCluster, __self__).__init__( 'azure-native:awsconnector:EcsCluster', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ecs_service.py b/sdk/python/pulumi_azure_native/awsconnector/ecs_service.py index 12143177c314..3b6ab9804321 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ecs_service.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ecs_service.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EcsService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EcsService"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:EcsService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EcsService, __self__).__init__( 'azure-native:awsconnector:EcsService', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ecs_task_definition.py b/sdk/python/pulumi_azure_native/awsconnector/ecs_task_definition.py index d9f8ed3434d6..466ebfefe9b8 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ecs_task_definition.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ecs_task_definition.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EcsTaskDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EcsTaskDefinition"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:EcsTaskDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EcsTaskDefinition, __self__).__init__( 'azure-native:awsconnector:EcsTaskDefinition', diff --git a/sdk/python/pulumi_azure_native/awsconnector/efs_file_system.py b/sdk/python/pulumi_azure_native/awsconnector/efs_file_system.py index 580831f84d72..8e133e5f41f7 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/efs_file_system.py +++ b/sdk/python/pulumi_azure_native/awsconnector/efs_file_system.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EfsFileSystem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EfsFileSystem"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:EfsFileSystem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EfsFileSystem, __self__).__init__( 'azure-native:awsconnector:EfsFileSystem', diff --git a/sdk/python/pulumi_azure_native/awsconnector/efs_mount_target.py b/sdk/python/pulumi_azure_native/awsconnector/efs_mount_target.py index 0e632de0d5a2..5b85e987c547 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/efs_mount_target.py +++ b/sdk/python/pulumi_azure_native/awsconnector/efs_mount_target.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EfsMountTarget")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EfsMountTarget"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:EfsMountTarget")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EfsMountTarget, __self__).__init__( 'azure-native:awsconnector:EfsMountTarget', diff --git a/sdk/python/pulumi_azure_native/awsconnector/eks_cluster.py b/sdk/python/pulumi_azure_native/awsconnector/eks_cluster.py index f30ce857531a..b69f89aa14ea 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/eks_cluster.py +++ b/sdk/python/pulumi_azure_native/awsconnector/eks_cluster.py @@ -121,7 +121,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EksCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EksCluster"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:EksCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EksCluster, __self__).__init__( 'azure-native:awsconnector:EksCluster', diff --git a/sdk/python/pulumi_azure_native/awsconnector/eks_nodegroup.py b/sdk/python/pulumi_azure_native/awsconnector/eks_nodegroup.py index 2fcf892b1091..1d550781b4a6 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/eks_nodegroup.py +++ b/sdk/python/pulumi_azure_native/awsconnector/eks_nodegroup.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EksNodegroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EksNodegroup"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:EksNodegroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EksNodegroup, __self__).__init__( 'azure-native:awsconnector:EksNodegroup', diff --git a/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_application.py b/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_application.py index 0d3842348426..3e8902502132 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_application.py +++ b/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_application.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticBeanstalkApplication")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticBeanstalkApplication"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkApplication")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ElasticBeanstalkApplication, __self__).__init__( 'azure-native:awsconnector:ElasticBeanstalkApplication', diff --git a/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_configuration_template.py b/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_configuration_template.py index b6e2fe6744c5..99d6a90d3358 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_configuration_template.py +++ b/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_configuration_template.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticBeanstalkConfigurationTemplate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticBeanstalkConfigurationTemplate"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkConfigurationTemplate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ElasticBeanstalkConfigurationTemplate, __self__).__init__( 'azure-native:awsconnector:ElasticBeanstalkConfigurationTemplate', diff --git a/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_environment.py b/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_environment.py index fd90b1bd60bc..f21124ca2d74 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_environment.py +++ b/sdk/python/pulumi_azure_native/awsconnector/elastic_beanstalk_environment.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticBeanstalkEnvironment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticBeanstalkEnvironment"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ElasticBeanstalkEnvironment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ElasticBeanstalkEnvironment, __self__).__init__( 'azure-native:awsconnector:ElasticBeanstalkEnvironment', diff --git a/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_listener.py b/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_listener.py index f8f9e5f4fdba..b8dacd226753 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_listener.py +++ b/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_listener.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticLoadBalancingV2Listener")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticLoadBalancingV2Listener"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2Listener")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ElasticLoadBalancingV2Listener, __self__).__init__( 'azure-native:awsconnector:ElasticLoadBalancingV2Listener', diff --git a/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_load_balancer.py b/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_load_balancer.py index b28badf628b7..739d4e573d1f 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_load_balancer.py +++ b/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_load_balancer.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticLoadBalancingV2LoadBalancer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticLoadBalancingV2LoadBalancer"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2LoadBalancer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ElasticLoadBalancingV2LoadBalancer, __self__).__init__( 'azure-native:awsconnector:ElasticLoadBalancingV2LoadBalancer', diff --git a/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_target_group.py b/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_target_group.py index f7879b4c6b27..0d8aba6dc398 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_target_group.py +++ b/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancing_v2_target_group.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticLoadBalancingV2TargetGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticLoadBalancingV2TargetGroup"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingV2TargetGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ElasticLoadBalancingV2TargetGroup, __self__).__init__( 'azure-native:awsconnector:ElasticLoadBalancingV2TargetGroup', diff --git a/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancingv2_target_health_description.py b/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancingv2_target_health_description.py index 0c5e4c775f78..a079a7386966 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancingv2_target_health_description.py +++ b/sdk/python/pulumi_azure_native/awsconnector/elastic_load_balancingv2_target_health_description.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticLoadBalancingv2TargetHealthDescription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:ElasticLoadBalancingv2TargetHealthDescription"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:ElasticLoadBalancingv2TargetHealthDescription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ElasticLoadBalancingv2TargetHealthDescription, __self__).__init__( 'azure-native:awsconnector:ElasticLoadBalancingv2TargetHealthDescription', diff --git a/sdk/python/pulumi_azure_native/awsconnector/emr_cluster.py b/sdk/python/pulumi_azure_native/awsconnector/emr_cluster.py index efcd9ad85eb6..70aab50d10f1 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/emr_cluster.py +++ b/sdk/python/pulumi_azure_native/awsconnector/emr_cluster.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EmrCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:EmrCluster"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:EmrCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EmrCluster, __self__).__init__( 'azure-native:awsconnector:EmrCluster', diff --git a/sdk/python/pulumi_azure_native/awsconnector/guard_duty_detector.py b/sdk/python/pulumi_azure_native/awsconnector/guard_duty_detector.py index cd9a8db0a748..ad245b9ceb25 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/guard_duty_detector.py +++ b/sdk/python/pulumi_azure_native/awsconnector/guard_duty_detector.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:GuardDutyDetector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:GuardDutyDetector"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:GuardDutyDetector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GuardDutyDetector, __self__).__init__( 'azure-native:awsconnector:GuardDutyDetector', diff --git a/sdk/python/pulumi_azure_native/awsconnector/iam_access_key_last_used.py b/sdk/python/pulumi_azure_native/awsconnector/iam_access_key_last_used.py index 0471ab1df978..069561ee9bc2 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/iam_access_key_last_used.py +++ b/sdk/python/pulumi_azure_native/awsconnector/iam_access_key_last_used.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamAccessKeyLastUsed")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamAccessKeyLastUsed"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:IamAccessKeyLastUsed")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IamAccessKeyLastUsed, __self__).__init__( 'azure-native:awsconnector:IamAccessKeyLastUsed', diff --git a/sdk/python/pulumi_azure_native/awsconnector/iam_access_key_metadata_info.py b/sdk/python/pulumi_azure_native/awsconnector/iam_access_key_metadata_info.py index 2b7e9fb8195f..2b119f040fe6 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/iam_access_key_metadata_info.py +++ b/sdk/python/pulumi_azure_native/awsconnector/iam_access_key_metadata_info.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamAccessKeyMetadataInfo")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamAccessKeyMetadataInfo"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:IamAccessKeyMetadataInfo")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IamAccessKeyMetadataInfo, __self__).__init__( 'azure-native:awsconnector:IamAccessKeyMetadataInfo', diff --git a/sdk/python/pulumi_azure_native/awsconnector/iam_group.py b/sdk/python/pulumi_azure_native/awsconnector/iam_group.py index 6ca32a71a582..b5f3f59fdb3e 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/iam_group.py +++ b/sdk/python/pulumi_azure_native/awsconnector/iam_group.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamGroup"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:IamGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IamGroup, __self__).__init__( 'azure-native:awsconnector:IamGroup', diff --git a/sdk/python/pulumi_azure_native/awsconnector/iam_instance_profile.py b/sdk/python/pulumi_azure_native/awsconnector/iam_instance_profile.py index ee0c3ccadb4f..6176c86e2394 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/iam_instance_profile.py +++ b/sdk/python/pulumi_azure_native/awsconnector/iam_instance_profile.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamInstanceProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamInstanceProfile"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:IamInstanceProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IamInstanceProfile, __self__).__init__( 'azure-native:awsconnector:IamInstanceProfile', diff --git a/sdk/python/pulumi_azure_native/awsconnector/iam_mfa_device.py b/sdk/python/pulumi_azure_native/awsconnector/iam_mfa_device.py index bd2a804c4464..e96f085cea31 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/iam_mfa_device.py +++ b/sdk/python/pulumi_azure_native/awsconnector/iam_mfa_device.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamMfaDevice")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamMfaDevice"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:IamMfaDevice")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IamMfaDevice, __self__).__init__( 'azure-native:awsconnector:IamMfaDevice', diff --git a/sdk/python/pulumi_azure_native/awsconnector/iam_password_policy.py b/sdk/python/pulumi_azure_native/awsconnector/iam_password_policy.py index 7ebcdcdc33c7..3a6d74f6e062 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/iam_password_policy.py +++ b/sdk/python/pulumi_azure_native/awsconnector/iam_password_policy.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamPasswordPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamPasswordPolicy"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:IamPasswordPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IamPasswordPolicy, __self__).__init__( 'azure-native:awsconnector:IamPasswordPolicy', diff --git a/sdk/python/pulumi_azure_native/awsconnector/iam_policy_version.py b/sdk/python/pulumi_azure_native/awsconnector/iam_policy_version.py index 79eee556c807..9971a46f6990 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/iam_policy_version.py +++ b/sdk/python/pulumi_azure_native/awsconnector/iam_policy_version.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamPolicyVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamPolicyVersion"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:IamPolicyVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IamPolicyVersion, __self__).__init__( 'azure-native:awsconnector:IamPolicyVersion', diff --git a/sdk/python/pulumi_azure_native/awsconnector/iam_role.py b/sdk/python/pulumi_azure_native/awsconnector/iam_role.py index 79c1c55b1360..d0940e1632e2 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/iam_role.py +++ b/sdk/python/pulumi_azure_native/awsconnector/iam_role.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamRole")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamRole"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:IamRole")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IamRole, __self__).__init__( 'azure-native:awsconnector:IamRole', diff --git a/sdk/python/pulumi_azure_native/awsconnector/iam_server_certificate.py b/sdk/python/pulumi_azure_native/awsconnector/iam_server_certificate.py index 124854cd2cdd..d593e5ecdfd6 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/iam_server_certificate.py +++ b/sdk/python/pulumi_azure_native/awsconnector/iam_server_certificate.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamServerCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamServerCertificate"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:IamServerCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IamServerCertificate, __self__).__init__( 'azure-native:awsconnector:IamServerCertificate', diff --git a/sdk/python/pulumi_azure_native/awsconnector/iam_virtual_mfa_device.py b/sdk/python/pulumi_azure_native/awsconnector/iam_virtual_mfa_device.py index 9bc75e5e470f..5cf7b1264e53 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/iam_virtual_mfa_device.py +++ b/sdk/python/pulumi_azure_native/awsconnector/iam_virtual_mfa_device.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamVirtualMfaDevice")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:IamVirtualMfaDevice"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:IamVirtualMfaDevice")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IamVirtualMfaDevice, __self__).__init__( 'azure-native:awsconnector:IamVirtualMfaDevice', diff --git a/sdk/python/pulumi_azure_native/awsconnector/kms_alias.py b/sdk/python/pulumi_azure_native/awsconnector/kms_alias.py index 5a581ef6913c..19aaa162b1b2 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/kms_alias.py +++ b/sdk/python/pulumi_azure_native/awsconnector/kms_alias.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:KmsAlias")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:KmsAlias"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:KmsAlias")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KmsAlias, __self__).__init__( 'azure-native:awsconnector:KmsAlias', diff --git a/sdk/python/pulumi_azure_native/awsconnector/kms_key.py b/sdk/python/pulumi_azure_native/awsconnector/kms_key.py index 603de6fff47a..46b290a83137 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/kms_key.py +++ b/sdk/python/pulumi_azure_native/awsconnector/kms_key.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:KmsKey")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:KmsKey"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:KmsKey")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KmsKey, __self__).__init__( 'azure-native:awsconnector:KmsKey', diff --git a/sdk/python/pulumi_azure_native/awsconnector/lambda_function.py b/sdk/python/pulumi_azure_native/awsconnector/lambda_function.py index 97d9ecfa031b..c8616180f940 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/lambda_function.py +++ b/sdk/python/pulumi_azure_native/awsconnector/lambda_function.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LambdaFunction")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LambdaFunction"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:LambdaFunction")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LambdaFunction, __self__).__init__( 'azure-native:awsconnector:LambdaFunction', diff --git a/sdk/python/pulumi_azure_native/awsconnector/lambda_function_code_location.py b/sdk/python/pulumi_azure_native/awsconnector/lambda_function_code_location.py index a3867ac33ee8..171937fdd2a6 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/lambda_function_code_location.py +++ b/sdk/python/pulumi_azure_native/awsconnector/lambda_function_code_location.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LambdaFunctionCodeLocation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LambdaFunctionCodeLocation"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:LambdaFunctionCodeLocation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LambdaFunctionCodeLocation, __self__).__init__( 'azure-native:awsconnector:LambdaFunctionCodeLocation', diff --git a/sdk/python/pulumi_azure_native/awsconnector/lightsail_bucket.py b/sdk/python/pulumi_azure_native/awsconnector/lightsail_bucket.py index 5499d30228fc..baeb7b752cd8 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/lightsail_bucket.py +++ b/sdk/python/pulumi_azure_native/awsconnector/lightsail_bucket.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LightsailBucket")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LightsailBucket"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:LightsailBucket")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LightsailBucket, __self__).__init__( 'azure-native:awsconnector:LightsailBucket', diff --git a/sdk/python/pulumi_azure_native/awsconnector/lightsail_instance.py b/sdk/python/pulumi_azure_native/awsconnector/lightsail_instance.py index 14464128dcf8..26241f61228a 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/lightsail_instance.py +++ b/sdk/python/pulumi_azure_native/awsconnector/lightsail_instance.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LightsailInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LightsailInstance"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:LightsailInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LightsailInstance, __self__).__init__( 'azure-native:awsconnector:LightsailInstance', diff --git a/sdk/python/pulumi_azure_native/awsconnector/logs_log_group.py b/sdk/python/pulumi_azure_native/awsconnector/logs_log_group.py index 968393cc42d8..7f294db1dceb 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/logs_log_group.py +++ b/sdk/python/pulumi_azure_native/awsconnector/logs_log_group.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LogsLogGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LogsLogGroup"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:LogsLogGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LogsLogGroup, __self__).__init__( 'azure-native:awsconnector:LogsLogGroup', diff --git a/sdk/python/pulumi_azure_native/awsconnector/logs_log_stream.py b/sdk/python/pulumi_azure_native/awsconnector/logs_log_stream.py index 4f6b9e8ecfbd..8cc650f3df65 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/logs_log_stream.py +++ b/sdk/python/pulumi_azure_native/awsconnector/logs_log_stream.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LogsLogStream")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LogsLogStream"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:LogsLogStream")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LogsLogStream, __self__).__init__( 'azure-native:awsconnector:LogsLogStream', diff --git a/sdk/python/pulumi_azure_native/awsconnector/logs_metric_filter.py b/sdk/python/pulumi_azure_native/awsconnector/logs_metric_filter.py index e06dca7abc11..06bf8ae43d1e 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/logs_metric_filter.py +++ b/sdk/python/pulumi_azure_native/awsconnector/logs_metric_filter.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LogsMetricFilter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LogsMetricFilter"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:LogsMetricFilter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LogsMetricFilter, __self__).__init__( 'azure-native:awsconnector:LogsMetricFilter', diff --git a/sdk/python/pulumi_azure_native/awsconnector/logs_subscription_filter.py b/sdk/python/pulumi_azure_native/awsconnector/logs_subscription_filter.py index 38b4ae957463..9c20388479eb 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/logs_subscription_filter.py +++ b/sdk/python/pulumi_azure_native/awsconnector/logs_subscription_filter.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LogsSubscriptionFilter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:LogsSubscriptionFilter"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:LogsSubscriptionFilter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LogsSubscriptionFilter, __self__).__init__( 'azure-native:awsconnector:LogsSubscriptionFilter', diff --git a/sdk/python/pulumi_azure_native/awsconnector/macie2_job_summary.py b/sdk/python/pulumi_azure_native/awsconnector/macie2_job_summary.py index eb9e34eaf9db..403395391eb0 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/macie2_job_summary.py +++ b/sdk/python/pulumi_azure_native/awsconnector/macie2_job_summary.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Macie2JobSummary")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Macie2JobSummary"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Macie2JobSummary")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Macie2JobSummary, __self__).__init__( 'azure-native:awsconnector:Macie2JobSummary', diff --git a/sdk/python/pulumi_azure_native/awsconnector/macie_allow_list.py b/sdk/python/pulumi_azure_native/awsconnector/macie_allow_list.py index a5712698dabd..c82de6564e62 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/macie_allow_list.py +++ b/sdk/python/pulumi_azure_native/awsconnector/macie_allow_list.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:MacieAllowList")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:MacieAllowList"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:MacieAllowList")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MacieAllowList, __self__).__init__( 'azure-native:awsconnector:MacieAllowList', diff --git a/sdk/python/pulumi_azure_native/awsconnector/network_firewall_firewall.py b/sdk/python/pulumi_azure_native/awsconnector/network_firewall_firewall.py index e8a2ad3c3575..2d16de4cce0e 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/network_firewall_firewall.py +++ b/sdk/python/pulumi_azure_native/awsconnector/network_firewall_firewall.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:NetworkFirewallFirewall")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:NetworkFirewallFirewall"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallFirewall")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkFirewallFirewall, __self__).__init__( 'azure-native:awsconnector:NetworkFirewallFirewall', diff --git a/sdk/python/pulumi_azure_native/awsconnector/network_firewall_firewall_policy.py b/sdk/python/pulumi_azure_native/awsconnector/network_firewall_firewall_policy.py index d87cf0bbaf79..3cea6017f8b0 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/network_firewall_firewall_policy.py +++ b/sdk/python/pulumi_azure_native/awsconnector/network_firewall_firewall_policy.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:NetworkFirewallFirewallPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:NetworkFirewallFirewallPolicy"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallFirewallPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkFirewallFirewallPolicy, __self__).__init__( 'azure-native:awsconnector:NetworkFirewallFirewallPolicy', diff --git a/sdk/python/pulumi_azure_native/awsconnector/network_firewall_rule_group.py b/sdk/python/pulumi_azure_native/awsconnector/network_firewall_rule_group.py index 49f4107200b7..3aa7bb3f0bd2 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/network_firewall_rule_group.py +++ b/sdk/python/pulumi_azure_native/awsconnector/network_firewall_rule_group.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:NetworkFirewallRuleGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:NetworkFirewallRuleGroup"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:NetworkFirewallRuleGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkFirewallRuleGroup, __self__).__init__( 'azure-native:awsconnector:NetworkFirewallRuleGroup', diff --git a/sdk/python/pulumi_azure_native/awsconnector/open_search_domain_status.py b/sdk/python/pulumi_azure_native/awsconnector/open_search_domain_status.py index 6bf61658522a..92b21105f0b3 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/open_search_domain_status.py +++ b/sdk/python/pulumi_azure_native/awsconnector/open_search_domain_status.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:OpenSearchDomainStatus")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:OpenSearchDomainStatus"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:OpenSearchDomainStatus")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OpenSearchDomainStatus, __self__).__init__( 'azure-native:awsconnector:OpenSearchDomainStatus', diff --git a/sdk/python/pulumi_azure_native/awsconnector/organizations_account.py b/sdk/python/pulumi_azure_native/awsconnector/organizations_account.py index a860cf6ce9ac..b86d1b030192 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/organizations_account.py +++ b/sdk/python/pulumi_azure_native/awsconnector/organizations_account.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:OrganizationsAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:OrganizationsAccount"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:OrganizationsAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OrganizationsAccount, __self__).__init__( 'azure-native:awsconnector:OrganizationsAccount', diff --git a/sdk/python/pulumi_azure_native/awsconnector/organizations_organization.py b/sdk/python/pulumi_azure_native/awsconnector/organizations_organization.py index baa5f3c8504c..9c85c7cb7c0d 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/organizations_organization.py +++ b/sdk/python/pulumi_azure_native/awsconnector/organizations_organization.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:OrganizationsOrganization")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:OrganizationsOrganization"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:OrganizationsOrganization")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OrganizationsOrganization, __self__).__init__( 'azure-native:awsconnector:OrganizationsOrganization', diff --git a/sdk/python/pulumi_azure_native/awsconnector/rds_db_cluster.py b/sdk/python/pulumi_azure_native/awsconnector/rds_db_cluster.py index 5f05219ef77b..c04fd511f094 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/rds_db_cluster.py +++ b/sdk/python/pulumi_azure_native/awsconnector/rds_db_cluster.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsDbCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsDbCluster"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:RdsDbCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RdsDbCluster, __self__).__init__( 'azure-native:awsconnector:RdsDbCluster', diff --git a/sdk/python/pulumi_azure_native/awsconnector/rds_db_instance.py b/sdk/python/pulumi_azure_native/awsconnector/rds_db_instance.py index f1395f524da8..b44b32475651 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/rds_db_instance.py +++ b/sdk/python/pulumi_azure_native/awsconnector/rds_db_instance.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsDbInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsDbInstance"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:RdsDbInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RdsDbInstance, __self__).__init__( 'azure-native:awsconnector:RdsDbInstance', diff --git a/sdk/python/pulumi_azure_native/awsconnector/rds_db_snapshot.py b/sdk/python/pulumi_azure_native/awsconnector/rds_db_snapshot.py index c3f9ab3b12dd..45f883bf6594 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/rds_db_snapshot.py +++ b/sdk/python/pulumi_azure_native/awsconnector/rds_db_snapshot.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsDbSnapshot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsDbSnapshot"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:RdsDbSnapshot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RdsDbSnapshot, __self__).__init__( 'azure-native:awsconnector:RdsDbSnapshot', diff --git a/sdk/python/pulumi_azure_native/awsconnector/rds_db_snapshot_attributes_result.py b/sdk/python/pulumi_azure_native/awsconnector/rds_db_snapshot_attributes_result.py index d351f7412bf1..d558a6870739 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/rds_db_snapshot_attributes_result.py +++ b/sdk/python/pulumi_azure_native/awsconnector/rds_db_snapshot_attributes_result.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsDbSnapshotAttributesResult")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsDbSnapshotAttributesResult"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:RdsDbSnapshotAttributesResult")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RdsDbSnapshotAttributesResult, __self__).__init__( 'azure-native:awsconnector:RdsDbSnapshotAttributesResult', diff --git a/sdk/python/pulumi_azure_native/awsconnector/rds_event_subscription.py b/sdk/python/pulumi_azure_native/awsconnector/rds_event_subscription.py index 3398980e526f..4f8b0cc281b8 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/rds_event_subscription.py +++ b/sdk/python/pulumi_azure_native/awsconnector/rds_event_subscription.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsEventSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsEventSubscription"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:RdsEventSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RdsEventSubscription, __self__).__init__( 'azure-native:awsconnector:RdsEventSubscription', diff --git a/sdk/python/pulumi_azure_native/awsconnector/rds_export_task.py b/sdk/python/pulumi_azure_native/awsconnector/rds_export_task.py index 2c9c5e69ab0d..b551a82cf2be 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/rds_export_task.py +++ b/sdk/python/pulumi_azure_native/awsconnector/rds_export_task.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsExportTask")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RdsExportTask"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:RdsExportTask")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RdsExportTask, __self__).__init__( 'azure-native:awsconnector:RdsExportTask', diff --git a/sdk/python/pulumi_azure_native/awsconnector/redshift_cluster.py b/sdk/python/pulumi_azure_native/awsconnector/redshift_cluster.py index 640e93abd145..cf09f57e1d5a 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/redshift_cluster.py +++ b/sdk/python/pulumi_azure_native/awsconnector/redshift_cluster.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RedshiftCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RedshiftCluster"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:RedshiftCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RedshiftCluster, __self__).__init__( 'azure-native:awsconnector:RedshiftCluster', diff --git a/sdk/python/pulumi_azure_native/awsconnector/redshift_cluster_parameter_group.py b/sdk/python/pulumi_azure_native/awsconnector/redshift_cluster_parameter_group.py index d4dddf44715a..94a168798243 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/redshift_cluster_parameter_group.py +++ b/sdk/python/pulumi_azure_native/awsconnector/redshift_cluster_parameter_group.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RedshiftClusterParameterGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:RedshiftClusterParameterGroup"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:RedshiftClusterParameterGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RedshiftClusterParameterGroup, __self__).__init__( 'azure-native:awsconnector:RedshiftClusterParameterGroup', diff --git a/sdk/python/pulumi_azure_native/awsconnector/route53_domains_domain_summary.py b/sdk/python/pulumi_azure_native/awsconnector/route53_domains_domain_summary.py index 09f5930fee18..483c925c7a0b 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/route53_domains_domain_summary.py +++ b/sdk/python/pulumi_azure_native/awsconnector/route53_domains_domain_summary.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Route53DomainsDomainSummary")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Route53DomainsDomainSummary"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Route53DomainsDomainSummary")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Route53DomainsDomainSummary, __self__).__init__( 'azure-native:awsconnector:Route53DomainsDomainSummary', diff --git a/sdk/python/pulumi_azure_native/awsconnector/route53_hosted_zone.py b/sdk/python/pulumi_azure_native/awsconnector/route53_hosted_zone.py index 9d584e2ed888..19c32b0229eb 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/route53_hosted_zone.py +++ b/sdk/python/pulumi_azure_native/awsconnector/route53_hosted_zone.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Route53HostedZone")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Route53HostedZone"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Route53HostedZone")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Route53HostedZone, __self__).__init__( 'azure-native:awsconnector:Route53HostedZone', diff --git a/sdk/python/pulumi_azure_native/awsconnector/route53_resource_record_set.py b/sdk/python/pulumi_azure_native/awsconnector/route53_resource_record_set.py index 383811968f8d..b816dcb40c14 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/route53_resource_record_set.py +++ b/sdk/python/pulumi_azure_native/awsconnector/route53_resource_record_set.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Route53ResourceRecordSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Route53ResourceRecordSet"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Route53ResourceRecordSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Route53ResourceRecordSet, __self__).__init__( 'azure-native:awsconnector:Route53ResourceRecordSet', diff --git a/sdk/python/pulumi_azure_native/awsconnector/s3_access_control_policy.py b/sdk/python/pulumi_azure_native/awsconnector/s3_access_control_policy.py index f83c35cf0094..498258e76726 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/s3_access_control_policy.py +++ b/sdk/python/pulumi_azure_native/awsconnector/s3_access_control_policy.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:S3AccessControlPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:S3AccessControlPolicy"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:S3AccessControlPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(S3AccessControlPolicy, __self__).__init__( 'azure-native:awsconnector:S3AccessControlPolicy', diff --git a/sdk/python/pulumi_azure_native/awsconnector/s3_access_point.py b/sdk/python/pulumi_azure_native/awsconnector/s3_access_point.py index ceae599b53dd..44b71f26b2c5 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/s3_access_point.py +++ b/sdk/python/pulumi_azure_native/awsconnector/s3_access_point.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:S3AccessPoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:S3AccessPoint"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:S3AccessPoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(S3AccessPoint, __self__).__init__( 'azure-native:awsconnector:S3AccessPoint', diff --git a/sdk/python/pulumi_azure_native/awsconnector/s3_bucket.py b/sdk/python/pulumi_azure_native/awsconnector/s3_bucket.py index e92a3e9931c4..5c618ec130a6 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/s3_bucket.py +++ b/sdk/python/pulumi_azure_native/awsconnector/s3_bucket.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:S3Bucket")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:S3Bucket"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:S3Bucket")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(S3Bucket, __self__).__init__( 'azure-native:awsconnector:S3Bucket', diff --git a/sdk/python/pulumi_azure_native/awsconnector/s3_bucket_policy.py b/sdk/python/pulumi_azure_native/awsconnector/s3_bucket_policy.py index adf97a008a7a..dae54e8ea311 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/s3_bucket_policy.py +++ b/sdk/python/pulumi_azure_native/awsconnector/s3_bucket_policy.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:S3BucketPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:S3BucketPolicy"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:S3BucketPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(S3BucketPolicy, __self__).__init__( 'azure-native:awsconnector:S3BucketPolicy', diff --git a/sdk/python/pulumi_azure_native/awsconnector/s3_control_multi_region_access_point_policy_document.py b/sdk/python/pulumi_azure_native/awsconnector/s3_control_multi_region_access_point_policy_document.py index 69633edb2413..894fd6cb2a33 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/s3_control_multi_region_access_point_policy_document.py +++ b/sdk/python/pulumi_azure_native/awsconnector/s3_control_multi_region_access_point_policy_document.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:S3ControlMultiRegionAccessPointPolicyDocument")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:S3ControlMultiRegionAccessPointPolicyDocument"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:S3ControlMultiRegionAccessPointPolicyDocument")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(S3ControlMultiRegionAccessPointPolicyDocument, __self__).__init__( 'azure-native:awsconnector:S3ControlMultiRegionAccessPointPolicyDocument', diff --git a/sdk/python/pulumi_azure_native/awsconnector/sage_maker_app.py b/sdk/python/pulumi_azure_native/awsconnector/sage_maker_app.py index 5689f078fff2..f6a771ced466 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/sage_maker_app.py +++ b/sdk/python/pulumi_azure_native/awsconnector/sage_maker_app.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SageMakerApp")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SageMakerApp"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:SageMakerApp")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SageMakerApp, __self__).__init__( 'azure-native:awsconnector:SageMakerApp', diff --git a/sdk/python/pulumi_azure_native/awsconnector/sage_maker_notebook_instance_summary.py b/sdk/python/pulumi_azure_native/awsconnector/sage_maker_notebook_instance_summary.py index 1dea3f77ec31..1c5de53e732a 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/sage_maker_notebook_instance_summary.py +++ b/sdk/python/pulumi_azure_native/awsconnector/sage_maker_notebook_instance_summary.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SageMakerNotebookInstanceSummary")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SageMakerNotebookInstanceSummary"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:SageMakerNotebookInstanceSummary")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SageMakerNotebookInstanceSummary, __self__).__init__( 'azure-native:awsconnector:SageMakerNotebookInstanceSummary', diff --git a/sdk/python/pulumi_azure_native/awsconnector/secrets_manager_resource_policy.py b/sdk/python/pulumi_azure_native/awsconnector/secrets_manager_resource_policy.py index 8abab27c2844..756a98e5b643 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/secrets_manager_resource_policy.py +++ b/sdk/python/pulumi_azure_native/awsconnector/secrets_manager_resource_policy.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SecretsManagerResourcePolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SecretsManagerResourcePolicy"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:SecretsManagerResourcePolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecretsManagerResourcePolicy, __self__).__init__( 'azure-native:awsconnector:SecretsManagerResourcePolicy', diff --git a/sdk/python/pulumi_azure_native/awsconnector/secrets_manager_secret.py b/sdk/python/pulumi_azure_native/awsconnector/secrets_manager_secret.py index f87cbb681449..129630263dc6 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/secrets_manager_secret.py +++ b/sdk/python/pulumi_azure_native/awsconnector/secrets_manager_secret.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SecretsManagerSecret")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SecretsManagerSecret"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:SecretsManagerSecret")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecretsManagerSecret, __self__).__init__( 'azure-native:awsconnector:SecretsManagerSecret', diff --git a/sdk/python/pulumi_azure_native/awsconnector/sns_subscription.py b/sdk/python/pulumi_azure_native/awsconnector/sns_subscription.py index d130d7cd7bcd..069a57eded54 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/sns_subscription.py +++ b/sdk/python/pulumi_azure_native/awsconnector/sns_subscription.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SnsSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SnsSubscription"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:SnsSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SnsSubscription, __self__).__init__( 'azure-native:awsconnector:SnsSubscription', diff --git a/sdk/python/pulumi_azure_native/awsconnector/sns_topic.py b/sdk/python/pulumi_azure_native/awsconnector/sns_topic.py index 4e91776e6e2f..83f689b00e1a 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/sns_topic.py +++ b/sdk/python/pulumi_azure_native/awsconnector/sns_topic.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SnsTopic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SnsTopic"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:SnsTopic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SnsTopic, __self__).__init__( 'azure-native:awsconnector:SnsTopic', diff --git a/sdk/python/pulumi_azure_native/awsconnector/sqs_queue.py b/sdk/python/pulumi_azure_native/awsconnector/sqs_queue.py index 81b119d6f6bf..725b3ed45ab5 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/sqs_queue.py +++ b/sdk/python/pulumi_azure_native/awsconnector/sqs_queue.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SqsQueue")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SqsQueue"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:SqsQueue")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqsQueue, __self__).__init__( 'azure-native:awsconnector:SqsQueue', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ssm_instance_information.py b/sdk/python/pulumi_azure_native/awsconnector/ssm_instance_information.py index 940a6f5da2c0..b46310cd9a64 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ssm_instance_information.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ssm_instance_information.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SsmInstanceInformation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SsmInstanceInformation"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:SsmInstanceInformation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SsmInstanceInformation, __self__).__init__( 'azure-native:awsconnector:SsmInstanceInformation', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ssm_parameter.py b/sdk/python/pulumi_azure_native/awsconnector/ssm_parameter.py index a191d6d08858..bac8dec86380 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ssm_parameter.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ssm_parameter.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SsmParameter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SsmParameter"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:SsmParameter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SsmParameter, __self__).__init__( 'azure-native:awsconnector:SsmParameter', diff --git a/sdk/python/pulumi_azure_native/awsconnector/ssm_resource_compliance_summary_item.py b/sdk/python/pulumi_azure_native/awsconnector/ssm_resource_compliance_summary_item.py index d687017b1eb3..4589d3d7a5e2 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/ssm_resource_compliance_summary_item.py +++ b/sdk/python/pulumi_azure_native/awsconnector/ssm_resource_compliance_summary_item.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SsmResourceComplianceSummaryItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:SsmResourceComplianceSummaryItem"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:SsmResourceComplianceSummaryItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SsmResourceComplianceSummaryItem, __self__).__init__( 'azure-native:awsconnector:SsmResourceComplianceSummaryItem', diff --git a/sdk/python/pulumi_azure_native/awsconnector/waf_web_acl_summary.py b/sdk/python/pulumi_azure_native/awsconnector/waf_web_acl_summary.py index 6ff5cf20d094..ff6997640056 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/waf_web_acl_summary.py +++ b/sdk/python/pulumi_azure_native/awsconnector/waf_web_acl_summary.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:WafWebAclSummary")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:WafWebAclSummary"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:WafWebAclSummary")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WafWebAclSummary, __self__).__init__( 'azure-native:awsconnector:WafWebAclSummary', diff --git a/sdk/python/pulumi_azure_native/awsconnector/wafv2_logging_configuration.py b/sdk/python/pulumi_azure_native/awsconnector/wafv2_logging_configuration.py index dc332775bd3d..e71bb354c845 100644 --- a/sdk/python/pulumi_azure_native/awsconnector/wafv2_logging_configuration.py +++ b/sdk/python/pulumi_azure_native/awsconnector/wafv2_logging_configuration.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Wafv2LoggingConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:awsconnector/v20241201:Wafv2LoggingConfiguration"), pulumi.Alias(type_="azure-native_awsconnector_v20241201:awsconnector:Wafv2LoggingConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Wafv2LoggingConfiguration, __self__).__init__( 'azure-native:awsconnector:Wafv2LoggingConfiguration', diff --git a/sdk/python/pulumi_azure_native/azureactivedirectory/b2_c_tenant.py b/sdk/python/pulumi_azure_native/azureactivedirectory/b2_c_tenant.py index bf4700ad40e4..3f99413daf4c 100644 --- a/sdk/python/pulumi_azure_native/azureactivedirectory/b2_c_tenant.py +++ b/sdk/python/pulumi_azure_native/azureactivedirectory/b2_c_tenant.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azureactivedirectory/v20190101preview:B2CTenant"), pulumi.Alias(type_="azure-native:azureactivedirectory/v20210401:B2CTenant"), pulumi.Alias(type_="azure-native:azureactivedirectory/v20230118preview:B2CTenant"), pulumi.Alias(type_="azure-native:azureactivedirectory/v20230517preview:B2CTenant")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azureactivedirectory/v20190101preview:B2CTenant"), pulumi.Alias(type_="azure-native:azureactivedirectory/v20210401:B2CTenant"), pulumi.Alias(type_="azure-native:azureactivedirectory/v20230118preview:B2CTenant"), pulumi.Alias(type_="azure-native:azureactivedirectory/v20230517preview:B2CTenant"), pulumi.Alias(type_="azure-native_azureactivedirectory_v20190101preview:azureactivedirectory:B2CTenant"), pulumi.Alias(type_="azure-native_azureactivedirectory_v20210401:azureactivedirectory:B2CTenant"), pulumi.Alias(type_="azure-native_azureactivedirectory_v20230118preview:azureactivedirectory:B2CTenant"), pulumi.Alias(type_="azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:B2CTenant")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(B2CTenant, __self__).__init__( 'azure-native:azureactivedirectory:B2CTenant', diff --git a/sdk/python/pulumi_azure_native/azureactivedirectory/ciam_tenant.py b/sdk/python/pulumi_azure_native/azureactivedirectory/ciam_tenant.py index 90afcdf574df..d984b25328cc 100644 --- a/sdk/python/pulumi_azure_native/azureactivedirectory/ciam_tenant.py +++ b/sdk/python/pulumi_azure_native/azureactivedirectory/ciam_tenant.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azureactivedirectory/v20230517preview:CIAMTenant")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azureactivedirectory/v20230517preview:CIAMTenant"), pulumi.Alias(type_="azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:CIAMTenant")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CIAMTenant, __self__).__init__( 'azure-native:azureactivedirectory:CIAMTenant', diff --git a/sdk/python/pulumi_azure_native/azureactivedirectory/guest_usage.py b/sdk/python/pulumi_azure_native/azureactivedirectory/guest_usage.py index ca7b7eb6d70d..1a276fd03ed6 100644 --- a/sdk/python/pulumi_azure_native/azureactivedirectory/guest_usage.py +++ b/sdk/python/pulumi_azure_native/azureactivedirectory/guest_usage.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azureactivedirectory/v20200501preview:GuestUsage"), pulumi.Alias(type_="azure-native:azureactivedirectory/v20210401:GuestUsage"), pulumi.Alias(type_="azure-native:azureactivedirectory/v20230118preview:GuestUsage"), pulumi.Alias(type_="azure-native:azureactivedirectory/v20230517preview:GuestUsage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azureactivedirectory/v20210401:GuestUsage"), pulumi.Alias(type_="azure-native:azureactivedirectory/v20230118preview:GuestUsage"), pulumi.Alias(type_="azure-native:azureactivedirectory/v20230517preview:GuestUsage"), pulumi.Alias(type_="azure-native_azureactivedirectory_v20200501preview:azureactivedirectory:GuestUsage"), pulumi.Alias(type_="azure-native_azureactivedirectory_v20210401:azureactivedirectory:GuestUsage"), pulumi.Alias(type_="azure-native_azureactivedirectory_v20230118preview:azureactivedirectory:GuestUsage"), pulumi.Alias(type_="azure-native_azureactivedirectory_v20230517preview:azureactivedirectory:GuestUsage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GuestUsage, __self__).__init__( 'azure-native:azureactivedirectory:GuestUsage', diff --git a/sdk/python/pulumi_azure_native/azurearcdata/active_directory_connector.py b/sdk/python/pulumi_azure_native/azurearcdata/active_directory_connector.py index eaa00c4f5e57..1373ee657478 100644 --- a/sdk/python/pulumi_azure_native/azurearcdata/active_directory_connector.py +++ b/sdk/python/pulumi_azure_native/azurearcdata/active_directory_connector.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20220301preview:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native:azurearcdata/v20220615preview:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native:azurearcdata/v20250301preview:ActiveDirectoryConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native_azurearcdata_v20220301preview:azurearcdata:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native_azurearcdata_v20220615preview:azurearcdata:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native_azurearcdata_v20230115preview:azurearcdata:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native_azurearcdata_v20240101:azurearcdata:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native_azurearcdata_v20240501preview:azurearcdata:ActiveDirectoryConnector"), pulumi.Alias(type_="azure-native_azurearcdata_v20250301preview:azurearcdata:ActiveDirectoryConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ActiveDirectoryConnector, __self__).__init__( 'azure-native:azurearcdata:ActiveDirectoryConnector', diff --git a/sdk/python/pulumi_azure_native/azurearcdata/data_controller.py b/sdk/python/pulumi_azure_native/azurearcdata/data_controller.py index ae70222c0898..5654d67911be 100644 --- a/sdk/python/pulumi_azure_native/azurearcdata/data_controller.py +++ b/sdk/python/pulumi_azure_native/azurearcdata/data_controller.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20210601preview:DataController"), pulumi.Alias(type_="azure-native:azurearcdata/v20210701preview:DataController"), pulumi.Alias(type_="azure-native:azurearcdata/v20210801:DataController"), pulumi.Alias(type_="azure-native:azurearcdata/v20211101:DataController"), pulumi.Alias(type_="azure-native:azurearcdata/v20220301preview:DataController"), pulumi.Alias(type_="azure-native:azurearcdata/v20220615preview:DataController"), pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:DataController"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:DataController"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:DataController"), pulumi.Alias(type_="azure-native:azurearcdata/v20250301preview:DataController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:DataController"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:DataController"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:DataController"), pulumi.Alias(type_="azure-native_azurearcdata_v20210601preview:azurearcdata:DataController"), pulumi.Alias(type_="azure-native_azurearcdata_v20210701preview:azurearcdata:DataController"), pulumi.Alias(type_="azure-native_azurearcdata_v20210801:azurearcdata:DataController"), pulumi.Alias(type_="azure-native_azurearcdata_v20211101:azurearcdata:DataController"), pulumi.Alias(type_="azure-native_azurearcdata_v20220301preview:azurearcdata:DataController"), pulumi.Alias(type_="azure-native_azurearcdata_v20220615preview:azurearcdata:DataController"), pulumi.Alias(type_="azure-native_azurearcdata_v20230115preview:azurearcdata:DataController"), pulumi.Alias(type_="azure-native_azurearcdata_v20240101:azurearcdata:DataController"), pulumi.Alias(type_="azure-native_azurearcdata_v20240501preview:azurearcdata:DataController"), pulumi.Alias(type_="azure-native_azurearcdata_v20250301preview:azurearcdata:DataController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataController, __self__).__init__( 'azure-native:azurearcdata:DataController', diff --git a/sdk/python/pulumi_azure_native/azurearcdata/failover_group.py b/sdk/python/pulumi_azure_native/azurearcdata/failover_group.py index 9de63155a5cd..c3d4045c6af7 100644 --- a/sdk/python/pulumi_azure_native/azurearcdata/failover_group.py +++ b/sdk/python/pulumi_azure_native/azurearcdata/failover_group.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:FailoverGroup"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:FailoverGroup"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:FailoverGroup"), pulumi.Alias(type_="azure-native:azurearcdata/v20250301preview:FailoverGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:FailoverGroup"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:FailoverGroup"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:FailoverGroup"), pulumi.Alias(type_="azure-native_azurearcdata_v20230115preview:azurearcdata:FailoverGroup"), pulumi.Alias(type_="azure-native_azurearcdata_v20240101:azurearcdata:FailoverGroup"), pulumi.Alias(type_="azure-native_azurearcdata_v20240501preview:azurearcdata:FailoverGroup"), pulumi.Alias(type_="azure-native_azurearcdata_v20250301preview:azurearcdata:FailoverGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FailoverGroup, __self__).__init__( 'azure-native:azurearcdata:FailoverGroup', diff --git a/sdk/python/pulumi_azure_native/azurearcdata/postgres_instance.py b/sdk/python/pulumi_azure_native/azurearcdata/postgres_instance.py index eb96b05f5472..fda5c9d57e14 100644 --- a/sdk/python/pulumi_azure_native/azurearcdata/postgres_instance.py +++ b/sdk/python/pulumi_azure_native/azurearcdata/postgres_instance.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20210601preview:PostgresInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20210701preview:PostgresInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20220301preview:PostgresInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20220615preview:PostgresInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:PostgresInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:PostgresInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:PostgresInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20250301preview:PostgresInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:PostgresInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:PostgresInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:PostgresInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20210601preview:azurearcdata:PostgresInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20210701preview:azurearcdata:PostgresInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20220301preview:azurearcdata:PostgresInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20220615preview:azurearcdata:PostgresInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20230115preview:azurearcdata:PostgresInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20240101:azurearcdata:PostgresInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20240501preview:azurearcdata:PostgresInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20250301preview:azurearcdata:PostgresInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PostgresInstance, __self__).__init__( 'azure-native:azurearcdata:PostgresInstance', diff --git a/sdk/python/pulumi_azure_native/azurearcdata/sql_managed_instance.py b/sdk/python/pulumi_azure_native/azurearcdata/sql_managed_instance.py index b8ce6676cfea..5f7c7fe1fb95 100644 --- a/sdk/python/pulumi_azure_native/azurearcdata/sql_managed_instance.py +++ b/sdk/python/pulumi_azure_native/azurearcdata/sql_managed_instance.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20210601preview:SqlManagedInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20210701preview:SqlManagedInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20210801:SqlManagedInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20211101:SqlManagedInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20220301preview:SqlManagedInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20220615preview:SqlManagedInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:SqlManagedInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:SqlManagedInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlManagedInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20250301preview:SqlManagedInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:SqlManagedInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:SqlManagedInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlManagedInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20210601preview:azurearcdata:SqlManagedInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20210701preview:azurearcdata:SqlManagedInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20210801:azurearcdata:SqlManagedInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20211101:azurearcdata:SqlManagedInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20220301preview:azurearcdata:SqlManagedInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20220615preview:azurearcdata:SqlManagedInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20230115preview:azurearcdata:SqlManagedInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20240101:azurearcdata:SqlManagedInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20240501preview:azurearcdata:SqlManagedInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20250301preview:azurearcdata:SqlManagedInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlManagedInstance, __self__).__init__( 'azure-native:azurearcdata:SqlManagedInstance', diff --git a/sdk/python/pulumi_azure_native/azurearcdata/sql_server_availability_group.py b/sdk/python/pulumi_azure_native/azurearcdata/sql_server_availability_group.py index c761192b344e..d274d802f67d 100644 --- a/sdk/python/pulumi_azure_native/azurearcdata/sql_server_availability_group.py +++ b/sdk/python/pulumi_azure_native/azurearcdata/sql_server_availability_group.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20240101:SqlServerAvailabilityGroup"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlServerAvailabilityGroup"), pulumi.Alias(type_="azure-native:azurearcdata/v20250301preview:SqlServerAvailabilityGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20240101:SqlServerAvailabilityGroup"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlServerAvailabilityGroup"), pulumi.Alias(type_="azure-native_azurearcdata_v20240101:azurearcdata:SqlServerAvailabilityGroup"), pulumi.Alias(type_="azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerAvailabilityGroup"), pulumi.Alias(type_="azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerAvailabilityGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlServerAvailabilityGroup, __self__).__init__( 'azure-native:azurearcdata:SqlServerAvailabilityGroup', diff --git a/sdk/python/pulumi_azure_native/azurearcdata/sql_server_database.py b/sdk/python/pulumi_azure_native/azurearcdata/sql_server_database.py index b3e3aba45ebe..e8dca5b0ac7f 100644 --- a/sdk/python/pulumi_azure_native/azurearcdata/sql_server_database.py +++ b/sdk/python/pulumi_azure_native/azurearcdata/sql_server_database.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20220615preview:SqlServerDatabase"), pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:SqlServerDatabase"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:SqlServerDatabase"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlServerDatabase"), pulumi.Alias(type_="azure-native:azurearcdata/v20250301preview:SqlServerDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:SqlServerDatabase"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:SqlServerDatabase"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlServerDatabase"), pulumi.Alias(type_="azure-native_azurearcdata_v20220615preview:azurearcdata:SqlServerDatabase"), pulumi.Alias(type_="azure-native_azurearcdata_v20230115preview:azurearcdata:SqlServerDatabase"), pulumi.Alias(type_="azure-native_azurearcdata_v20240101:azurearcdata:SqlServerDatabase"), pulumi.Alias(type_="azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerDatabase"), pulumi.Alias(type_="azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlServerDatabase, __self__).__init__( 'azure-native:azurearcdata:SqlServerDatabase', diff --git a/sdk/python/pulumi_azure_native/azurearcdata/sql_server_esu_license.py b/sdk/python/pulumi_azure_native/azurearcdata/sql_server_esu_license.py index 167275190990..7c12a09d77c8 100644 --- a/sdk/python/pulumi_azure_native/azurearcdata/sql_server_esu_license.py +++ b/sdk/python/pulumi_azure_native/azurearcdata/sql_server_esu_license.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlServerEsuLicense"), pulumi.Alias(type_="azure-native:azurearcdata/v20250301preview:SqlServerEsuLicense")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlServerEsuLicense"), pulumi.Alias(type_="azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerEsuLicense"), pulumi.Alias(type_="azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerEsuLicense")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlServerEsuLicense, __self__).__init__( 'azure-native:azurearcdata:SqlServerEsuLicense', diff --git a/sdk/python/pulumi_azure_native/azurearcdata/sql_server_instance.py b/sdk/python/pulumi_azure_native/azurearcdata/sql_server_instance.py index 52d053ae849b..5b5453d32410 100644 --- a/sdk/python/pulumi_azure_native/azurearcdata/sql_server_instance.py +++ b/sdk/python/pulumi_azure_native/azurearcdata/sql_server_instance.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20210601preview:SqlServerInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20210701preview:SqlServerInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20210801:SqlServerInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20211101:SqlServerInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20220301preview:SqlServerInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20220615preview:SqlServerInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:SqlServerInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:SqlServerInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlServerInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20250301preview:SqlServerInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20230115preview:SqlServerInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240101:SqlServerInstance"), pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlServerInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20210601preview:azurearcdata:SqlServerInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20210701preview:azurearcdata:SqlServerInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20210801:azurearcdata:SqlServerInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20211101:azurearcdata:SqlServerInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20220301preview:azurearcdata:SqlServerInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20220615preview:azurearcdata:SqlServerInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20230115preview:azurearcdata:SqlServerInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20240101:azurearcdata:SqlServerInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerInstance"), pulumi.Alias(type_="azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlServerInstance, __self__).__init__( 'azure-native:azurearcdata:SqlServerInstance', diff --git a/sdk/python/pulumi_azure_native/azurearcdata/sql_server_license.py b/sdk/python/pulumi_azure_native/azurearcdata/sql_server_license.py index 759ff9338251..fce9e4953d52 100644 --- a/sdk/python/pulumi_azure_native/azurearcdata/sql_server_license.py +++ b/sdk/python/pulumi_azure_native/azurearcdata/sql_server_license.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlServerLicense"), pulumi.Alias(type_="azure-native:azurearcdata/v20250301preview:SqlServerLicense")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurearcdata/v20240501preview:SqlServerLicense"), pulumi.Alias(type_="azure-native_azurearcdata_v20240501preview:azurearcdata:SqlServerLicense"), pulumi.Alias(type_="azure-native_azurearcdata_v20250301preview:azurearcdata:SqlServerLicense")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlServerLicense, __self__).__init__( 'azure-native:azurearcdata:SqlServerLicense', diff --git a/sdk/python/pulumi_azure_native/azuredata/sql_server.py b/sdk/python/pulumi_azure_native/azuredata/sql_server.py index d61d47b07aac..0c68358dbaa7 100644 --- a/sdk/python/pulumi_azure_native/azuredata/sql_server.py +++ b/sdk/python/pulumi_azure_native/azuredata/sql_server.py @@ -238,7 +238,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuredata/v20170301preview:SqlServer"), pulumi.Alias(type_="azure-native:azuredata/v20190724preview:SqlServer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuredata/v20190724preview:SqlServer"), pulumi.Alias(type_="azure-native_azuredata_v20170301preview:azuredata:SqlServer"), pulumi.Alias(type_="azure-native_azuredata_v20190724preview:azuredata:SqlServer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlServer, __self__).__init__( 'azure-native:azuredata:SqlServer', diff --git a/sdk/python/pulumi_azure_native/azuredata/sql_server_registration.py b/sdk/python/pulumi_azure_native/azuredata/sql_server_registration.py index cf101eccd8f9..a23efd051d4c 100644 --- a/sdk/python/pulumi_azure_native/azuredata/sql_server_registration.py +++ b/sdk/python/pulumi_azure_native/azuredata/sql_server_registration.py @@ -219,7 +219,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuredata/v20170301preview:SqlServerRegistration"), pulumi.Alias(type_="azure-native:azuredata/v20190724preview:SqlServerRegistration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuredata/v20190724preview:SqlServerRegistration"), pulumi.Alias(type_="azure-native_azuredata_v20170301preview:azuredata:SqlServerRegistration"), pulumi.Alias(type_="azure-native_azuredata_v20190724preview:azuredata:SqlServerRegistration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlServerRegistration, __self__).__init__( 'azure-native:azuredata:SqlServerRegistration', diff --git a/sdk/python/pulumi_azure_native/azuredatatransfer/connection.py b/sdk/python/pulumi_azure_native/azuredatatransfer/connection.py index 903d363ad44e..1d524f2ffa11 100644 --- a/sdk/python/pulumi_azure_native/azuredatatransfer/connection.py +++ b/sdk/python/pulumi_azure_native/azuredatatransfer/connection.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuredatatransfer/v20231011preview:Connection"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240125:Connection"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240507:Connection"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240911:Connection"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240927:Connection"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20250301preview:Connection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuredatatransfer/v20231011preview:Connection"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240125:Connection"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240507:Connection"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240911:Connection"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240927:Connection"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Connection"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240125:azuredatatransfer:Connection"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240507:azuredatatransfer:Connection"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240911:azuredatatransfer:Connection"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240927:azuredatatransfer:Connection"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Connection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Connection, __self__).__init__( 'azure-native:azuredatatransfer:Connection', diff --git a/sdk/python/pulumi_azure_native/azuredatatransfer/flow.py b/sdk/python/pulumi_azure_native/azuredatatransfer/flow.py index 35f361f05ccc..e90d05dc5f91 100644 --- a/sdk/python/pulumi_azure_native/azuredatatransfer/flow.py +++ b/sdk/python/pulumi_azure_native/azuredatatransfer/flow.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuredatatransfer/v20231011preview:Flow"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240125:Flow"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240507:Flow"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240911:Flow"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240927:Flow"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20250301preview:Flow")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuredatatransfer/v20231011preview:Flow"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240125:Flow"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240507:Flow"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240911:Flow"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240927:Flow"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Flow"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240125:azuredatatransfer:Flow"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240507:azuredatatransfer:Flow"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240911:azuredatatransfer:Flow"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240927:azuredatatransfer:Flow"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Flow")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Flow, __self__).__init__( 'azure-native:azuredatatransfer:Flow', diff --git a/sdk/python/pulumi_azure_native/azuredatatransfer/pipeline.py b/sdk/python/pulumi_azure_native/azuredatatransfer/pipeline.py index f60e122d3670..499836710a61 100644 --- a/sdk/python/pulumi_azure_native/azuredatatransfer/pipeline.py +++ b/sdk/python/pulumi_azure_native/azuredatatransfer/pipeline.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuredatatransfer/v20231011preview:Pipeline"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240125:Pipeline"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240507:Pipeline"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240911:Pipeline"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240927:Pipeline"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20250301preview:Pipeline")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuredatatransfer/v20231011preview:Pipeline"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240125:Pipeline"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240507:Pipeline"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240911:Pipeline"), pulumi.Alias(type_="azure-native:azuredatatransfer/v20240927:Pipeline"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20231011preview:azuredatatransfer:Pipeline"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240125:azuredatatransfer:Pipeline"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240507:azuredatatransfer:Pipeline"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240911:azuredatatransfer:Pipeline"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20240927:azuredatatransfer:Pipeline"), pulumi.Alias(type_="azure-native_azuredatatransfer_v20250301preview:azuredatatransfer:Pipeline")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Pipeline, __self__).__init__( 'azure-native:azuredatatransfer:Pipeline', diff --git a/sdk/python/pulumi_azure_native/azurefleet/fleet.py b/sdk/python/pulumi_azure_native/azurefleet/fleet.py index 55e6931e583f..051430946e0f 100644 --- a/sdk/python/pulumi_azure_native/azurefleet/fleet.py +++ b/sdk/python/pulumi_azure_native/azurefleet/fleet.py @@ -350,7 +350,7 @@ def _internal_init(__self__, __props__.__dict__["time_created"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurefleet/v20231101preview:Fleet"), pulumi.Alias(type_="azure-native:azurefleet/v20240501preview:Fleet"), pulumi.Alias(type_="azure-native:azurefleet/v20241101:Fleet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurefleet/v20231101preview:Fleet"), pulumi.Alias(type_="azure-native:azurefleet/v20240501preview:Fleet"), pulumi.Alias(type_="azure-native:azurefleet/v20241101:Fleet"), pulumi.Alias(type_="azure-native_azurefleet_v20231101preview:azurefleet:Fleet"), pulumi.Alias(type_="azure-native_azurefleet_v20240501preview:azurefleet:Fleet"), pulumi.Alias(type_="azure-native_azurefleet_v20241101:azurefleet:Fleet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Fleet, __self__).__init__( 'azure-native:azurefleet:Fleet', diff --git a/sdk/python/pulumi_azure_native/azurelargeinstance/azure_large_instance.py b/sdk/python/pulumi_azure_native/azurelargeinstance/azure_large_instance.py index 5fbacfd86199..b1e16bfdcb91 100644 --- a/sdk/python/pulumi_azure_native/azurelargeinstance/azure_large_instance.py +++ b/sdk/python/pulumi_azure_native/azurelargeinstance/azure_large_instance.py @@ -324,7 +324,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurelargeinstance/v20240801preview:AzureLargeInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurelargeinstance/v20240801preview:AzureLargeInstance"), pulumi.Alias(type_="azure-native_azurelargeinstance_v20240801preview:azurelargeinstance:AzureLargeInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzureLargeInstance, __self__).__init__( 'azure-native:azurelargeinstance:AzureLargeInstance', diff --git a/sdk/python/pulumi_azure_native/azurelargeinstance/azure_large_storage_instance.py b/sdk/python/pulumi_azure_native/azurelargeinstance/azure_large_storage_instance.py index dc87d195fd05..c7f7d3b368e2 100644 --- a/sdk/python/pulumi_azure_native/azurelargeinstance/azure_large_storage_instance.py +++ b/sdk/python/pulumi_azure_native/azurelargeinstance/azure_large_storage_instance.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurelargeinstance/v20240801preview:AzureLargeStorageInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurelargeinstance/v20240801preview:AzureLargeStorageInstance"), pulumi.Alias(type_="azure-native_azurelargeinstance_v20240801preview:azurelargeinstance:AzureLargeStorageInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzureLargeStorageInstance, __self__).__init__( 'azure-native:azurelargeinstance:AzureLargeStorageInstance', diff --git a/sdk/python/pulumi_azure_native/azureplaywrightservice/account.py b/sdk/python/pulumi_azure_native/azureplaywrightservice/account.py index 7143891181af..4bdd94a1116a 100644 --- a/sdk/python/pulumi_azure_native/azureplaywrightservice/account.py +++ b/sdk/python/pulumi_azure_native/azureplaywrightservice/account.py @@ -262,7 +262,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azureplaywrightservice/v20231001preview:Account"), pulumi.Alias(type_="azure-native:azureplaywrightservice/v20240201preview:Account"), pulumi.Alias(type_="azure-native:azureplaywrightservice/v20240801preview:Account"), pulumi.Alias(type_="azure-native:azureplaywrightservice/v20241201:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azureplaywrightservice/v20231001preview:Account"), pulumi.Alias(type_="azure-native:azureplaywrightservice/v20240201preview:Account"), pulumi.Alias(type_="azure-native:azureplaywrightservice/v20240801preview:Account"), pulumi.Alias(type_="azure-native:azureplaywrightservice/v20241201:Account"), pulumi.Alias(type_="azure-native_azureplaywrightservice_v20231001preview:azureplaywrightservice:Account"), pulumi.Alias(type_="azure-native_azureplaywrightservice_v20240201preview:azureplaywrightservice:Account"), pulumi.Alias(type_="azure-native_azureplaywrightservice_v20240801preview:azureplaywrightservice:Account"), pulumi.Alias(type_="azure-native_azureplaywrightservice_v20241201:azureplaywrightservice:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:azureplaywrightservice:Account', diff --git a/sdk/python/pulumi_azure_native/azuresphere/catalog.py b/sdk/python/pulumi_azure_native/azuresphere/catalog.py index 7d3213557349..4721308904de 100644 --- a/sdk/python/pulumi_azure_native/azuresphere/catalog.py +++ b/sdk/python/pulumi_azure_native/azuresphere/catalog.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:Catalog"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:Catalog")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:Catalog"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:Catalog"), pulumi.Alias(type_="azure-native_azuresphere_v20220901preview:azuresphere:Catalog"), pulumi.Alias(type_="azure-native_azuresphere_v20240401:azuresphere:Catalog")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Catalog, __self__).__init__( 'azure-native:azuresphere:Catalog', diff --git a/sdk/python/pulumi_azure_native/azuresphere/deployment.py b/sdk/python/pulumi_azure_native/azuresphere/deployment.py index 10a5ada722a9..e791aab0385e 100644 --- a/sdk/python/pulumi_azure_native/azuresphere/deployment.py +++ b/sdk/python/pulumi_azure_native/azuresphere/deployment.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:Deployment"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:Deployment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:Deployment"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:Deployment"), pulumi.Alias(type_="azure-native_azuresphere_v20220901preview:azuresphere:Deployment"), pulumi.Alias(type_="azure-native_azuresphere_v20240401:azuresphere:Deployment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Deployment, __self__).__init__( 'azure-native:azuresphere:Deployment', diff --git a/sdk/python/pulumi_azure_native/azuresphere/device.py b/sdk/python/pulumi_azure_native/azuresphere/device.py index 796eec55eacd..03ea3f8dc1b9 100644 --- a/sdk/python/pulumi_azure_native/azuresphere/device.py +++ b/sdk/python/pulumi_azure_native/azuresphere/device.py @@ -212,7 +212,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:Device"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:Device")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:Device"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:Device"), pulumi.Alias(type_="azure-native_azuresphere_v20220901preview:azuresphere:Device"), pulumi.Alias(type_="azure-native_azuresphere_v20240401:azuresphere:Device")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Device, __self__).__init__( 'azure-native:azuresphere:Device', diff --git a/sdk/python/pulumi_azure_native/azuresphere/device_group.py b/sdk/python/pulumi_azure_native/azuresphere/device_group.py index 32330b4e6123..00e2c399b843 100644 --- a/sdk/python/pulumi_azure_native/azuresphere/device_group.py +++ b/sdk/python/pulumi_azure_native/azuresphere/device_group.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:DeviceGroup"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:DeviceGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:DeviceGroup"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:DeviceGroup"), pulumi.Alias(type_="azure-native_azuresphere_v20220901preview:azuresphere:DeviceGroup"), pulumi.Alias(type_="azure-native_azuresphere_v20240401:azuresphere:DeviceGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DeviceGroup, __self__).__init__( 'azure-native:azuresphere:DeviceGroup', diff --git a/sdk/python/pulumi_azure_native/azuresphere/image.py b/sdk/python/pulumi_azure_native/azuresphere/image.py index b1ad788ce668..24b41a726ee5 100644 --- a/sdk/python/pulumi_azure_native/azuresphere/image.py +++ b/sdk/python/pulumi_azure_native/azuresphere/image.py @@ -210,7 +210,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uri"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:Image"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:Image")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:Image"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:Image"), pulumi.Alias(type_="azure-native_azuresphere_v20220901preview:azuresphere:Image"), pulumi.Alias(type_="azure-native_azuresphere_v20240401:azuresphere:Image")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Image, __self__).__init__( 'azure-native:azuresphere:Image', diff --git a/sdk/python/pulumi_azure_native/azuresphere/product.py b/sdk/python/pulumi_azure_native/azuresphere/product.py index 68456b41195d..cd5820833655 100644 --- a/sdk/python/pulumi_azure_native/azuresphere/product.py +++ b/sdk/python/pulumi_azure_native/azuresphere/product.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:Product"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:Product")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azuresphere/v20220901preview:Product"), pulumi.Alias(type_="azure-native:azuresphere/v20240401:Product"), pulumi.Alias(type_="azure-native_azuresphere_v20220901preview:azuresphere:Product"), pulumi.Alias(type_="azure-native_azuresphere_v20240401:azuresphere:Product")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Product, __self__).__init__( 'azure-native:azuresphere:Product', diff --git a/sdk/python/pulumi_azure_native/azurestack/customer_subscription.py b/sdk/python/pulumi_azure_native/azurestack/customer_subscription.py index 6e4de179fda4..b8d77ee3cff8 100644 --- a/sdk/python/pulumi_azure_native/azurestack/customer_subscription.py +++ b/sdk/python/pulumi_azure_native/azurestack/customer_subscription.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestack/v20170601:CustomerSubscription"), pulumi.Alias(type_="azure-native:azurestack/v20200601preview:CustomerSubscription"), pulumi.Alias(type_="azure-native:azurestack/v20220601:CustomerSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestack/v20200601preview:CustomerSubscription"), pulumi.Alias(type_="azure-native:azurestack/v20220601:CustomerSubscription"), pulumi.Alias(type_="azure-native_azurestack_v20170601:azurestack:CustomerSubscription"), pulumi.Alias(type_="azure-native_azurestack_v20200601preview:azurestack:CustomerSubscription"), pulumi.Alias(type_="azure-native_azurestack_v20220601:azurestack:CustomerSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomerSubscription, __self__).__init__( 'azure-native:azurestack:CustomerSubscription', diff --git a/sdk/python/pulumi_azure_native/azurestack/linked_subscription.py b/sdk/python/pulumi_azure_native/azurestack/linked_subscription.py index 950b036407d0..5d3de29ef4ee 100644 --- a/sdk/python/pulumi_azure_native/azurestack/linked_subscription.py +++ b/sdk/python/pulumi_azure_native/azurestack/linked_subscription.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestack/v20200601preview:LinkedSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestack/v20200601preview:LinkedSubscription"), pulumi.Alias(type_="azure-native_azurestack_v20200601preview:azurestack:LinkedSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LinkedSubscription, __self__).__init__( 'azure-native:azurestack:LinkedSubscription', diff --git a/sdk/python/pulumi_azure_native/azurestack/registration.py b/sdk/python/pulumi_azure_native/azurestack/registration.py index 1f68efde3801..90a9beab0f55 100644 --- a/sdk/python/pulumi_azure_native/azurestack/registration.py +++ b/sdk/python/pulumi_azure_native/azurestack/registration.py @@ -168,7 +168,7 @@ def _internal_init(__self__, __props__.__dict__["object_id"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestack/v20160101:Registration"), pulumi.Alias(type_="azure-native:azurestack/v20170601:Registration"), pulumi.Alias(type_="azure-native:azurestack/v20200601preview:Registration"), pulumi.Alias(type_="azure-native:azurestack/v20220601:Registration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestack/v20200601preview:Registration"), pulumi.Alias(type_="azure-native:azurestack/v20220601:Registration"), pulumi.Alias(type_="azure-native_azurestack_v20160101:azurestack:Registration"), pulumi.Alias(type_="azure-native_azurestack_v20170601:azurestack:Registration"), pulumi.Alias(type_="azure-native_azurestack_v20200601preview:azurestack:Registration"), pulumi.Alias(type_="azure-native_azurestack_v20220601:azurestack:Registration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Registration, __self__).__init__( 'azure-native:azurestack:Registration', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/arc_setting.py b/sdk/python/pulumi_azure_native/azurestackhci/arc_setting.py index 245e1f58d456..856ae4939db0 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/arc_setting.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/arc_setting.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210101preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20220101:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20220301:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20220501:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20220901:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20221001:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20221201:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20230201:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:ArcSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:ArcSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20210101preview:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20220101:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20220301:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20220501:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20220901:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20221001:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20221201:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20230201:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20230301:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20230601:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801preview:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20231101preview:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240215preview:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240401:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240901preview:azurestackhci:ArcSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20241201preview:azurestackhci:ArcSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ArcSetting, __self__).__init__( 'azure-native:azurestackhci:ArcSetting', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/cluster.py b/sdk/python/pulumi_azure_native/azurestackhci/cluster.py index 08d04dc14200..5ad9d7611fcf 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/cluster.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/cluster.py @@ -362,7 +362,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["trial_days_remaining"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20200301preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20201001:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20210101preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20220101:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20220301:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20220501:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20220901:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20221001:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20221201:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20230201:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:Cluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20220101:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20220901:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:Cluster"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20200301preview:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20201001:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20210101preview:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20220101:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20220301:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20220501:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20220901:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20221001:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20221201:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20230201:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20230301:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20230601:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801preview:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20231101preview:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20240215preview:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20240401:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20240901preview:azurestackhci:Cluster"), pulumi.Alias(type_="azure-native_azurestackhci_v20241201preview:azurestackhci:Cluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cluster, __self__).__init__( 'azure-native:azurestackhci:Cluster', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/deployment_setting.py b/sdk/python/pulumi_azure_native/azurestackhci/deployment_setting.py index 4d3c37ab88ee..e43304e28620 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/deployment_setting.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/deployment_setting.py @@ -235,7 +235,7 @@ def _internal_init(__self__, __props__.__dict__["reported_properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:DeploymentSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:DeploymentSetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:DeploymentSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801preview:azurestackhci:DeploymentSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20231101preview:azurestackhci:DeploymentSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:DeploymentSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240215preview:azurestackhci:DeploymentSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240401:azurestackhci:DeploymentSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240901preview:azurestackhci:DeploymentSetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20241201preview:azurestackhci:DeploymentSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DeploymentSetting, __self__).__init__( 'azure-native:azurestackhci:DeploymentSetting', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/extension.py b/sdk/python/pulumi_azure_native/azurestackhci/extension.py index e265865e175a..672941daf440 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/extension.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/extension.py @@ -328,7 +328,7 @@ def _internal_init(__self__, __props__.__dict__["per_node_extension_details"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210101preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20220101:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20220301:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20220501:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20220901:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20221001:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20221201:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20230201:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:Extension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:Extension"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20210101preview:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20220101:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20220301:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20220501:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20220901:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20221001:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20221201:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20230201:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20230301:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20230601:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801preview:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20231101preview:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20240215preview:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20240401:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20240901preview:azurestackhci:Extension"), pulumi.Alias(type_="azure-native_azurestackhci_v20241201preview:azurestackhci:Extension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Extension, __self__).__init__( 'azure-native:azurestackhci:Extension', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/gallery_image.py b/sdk/python/pulumi_azure_native/azurestackhci/gallery_image.py index 700e9c795054..1eb37432ee9e 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/gallery_image.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/gallery_image.py @@ -368,7 +368,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210701preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:GalleryimageRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20250201preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20250401preview:GalleryImage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:GalleryimageRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:GalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20210701preview:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20230701preview:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20230901preview:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20240201preview:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20240501preview:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20240715preview:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20240801preview:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20241001preview:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20250201preview:azurestackhci:GalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20250401preview:azurestackhci:GalleryImage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GalleryImage, __self__).__init__( 'azure-native:azurestackhci:GalleryImage', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/guest_agent.py b/sdk/python/pulumi_azure_native/azurestackhci/guest_agent.py index 34980ce80116..53d610775931 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/guest_agent.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/guest_agent.py @@ -147,7 +147,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20250201preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20250401preview:GuestAgent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:GuestAgent"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:GuestAgent"), pulumi.Alias(type_="azure-native_azurestackhci_v20230701preview:azurestackhci:GuestAgent"), pulumi.Alias(type_="azure-native_azurestackhci_v20230901preview:azurestackhci:GuestAgent"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:GuestAgent"), pulumi.Alias(type_="azure-native_azurestackhci_v20240201preview:azurestackhci:GuestAgent"), pulumi.Alias(type_="azure-native_azurestackhci_v20240501preview:azurestackhci:GuestAgent"), pulumi.Alias(type_="azure-native_azurestackhci_v20240715preview:azurestackhci:GuestAgent"), pulumi.Alias(type_="azure-native_azurestackhci_v20240801preview:azurestackhci:GuestAgent"), pulumi.Alias(type_="azure-native_azurestackhci_v20241001preview:azurestackhci:GuestAgent"), pulumi.Alias(type_="azure-native_azurestackhci_v20250201preview:azurestackhci:GuestAgent"), pulumi.Alias(type_="azure-native_azurestackhci_v20250401preview:azurestackhci:GuestAgent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GuestAgent, __self__).__init__( 'azure-native:azurestackhci:GuestAgent', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/hci_edge_device.py b/sdk/python/pulumi_azure_native/azurestackhci/hci_edge_device.py index c5c6b7423d4d..5a38fe5c1fe9 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/hci_edge_device.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/hci_edge_device.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:EdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:HciEdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:EdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:HciEdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:EdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:HciEdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:HciEdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:HciEdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:HciEdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:HciEdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci:EdgeDevice")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:EdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:EdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:EdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:HciEdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:HciEdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:HciEdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:HciEdgeDevice"), pulumi.Alias(type_="azure-native:azurestackhci:EdgeDevice"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801preview:azurestackhci:HciEdgeDevice"), pulumi.Alias(type_="azure-native_azurestackhci_v20231101preview:azurestackhci:HciEdgeDevice"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:HciEdgeDevice"), pulumi.Alias(type_="azure-native_azurestackhci_v20240215preview:azurestackhci:HciEdgeDevice"), pulumi.Alias(type_="azure-native_azurestackhci_v20240401:azurestackhci:HciEdgeDevice"), pulumi.Alias(type_="azure-native_azurestackhci_v20240901preview:azurestackhci:HciEdgeDevice"), pulumi.Alias(type_="azure-native_azurestackhci_v20241201preview:azurestackhci:HciEdgeDevice")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HciEdgeDevice, __self__).__init__( 'azure-native:azurestackhci:HciEdgeDevice', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/hci_edge_device_job.py b/sdk/python/pulumi_azure_native/azurestackhci/hci_edge_device_job.py index c31dff9d7dd0..f1a0e63ee576 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/hci_edge_device_job.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/hci_edge_device_job.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:HciEdgeDeviceJob"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:HciEdgeDeviceJob")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:HciEdgeDeviceJob"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:HciEdgeDeviceJob"), pulumi.Alias(type_="azure-native_azurestackhci_v20240901preview:azurestackhci:HciEdgeDeviceJob"), pulumi.Alias(type_="azure-native_azurestackhci_v20241201preview:azurestackhci:HciEdgeDeviceJob")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HciEdgeDeviceJob, __self__).__init__( 'azure-native:azurestackhci:HciEdgeDeviceJob', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/hybrid_identity_metadatum.py b/sdk/python/pulumi_azure_native/azurestackhci/hybrid_identity_metadatum.py index ffc05619bae1..0848a0467a5d 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/hybrid_identity_metadatum.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/hybrid_identity_metadatum.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:HybridIdentityMetadatum")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:HybridIdentityMetadatum")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HybridIdentityMetadatum, __self__).__init__( 'azure-native:azurestackhci:HybridIdentityMetadatum', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/logical_network.py b/sdk/python/pulumi_azure_native/azurestackhci/logical_network.py index b207a9410037..2f4ffad46245 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/logical_network.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/logical_network.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20250201preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20250401preview:LogicalNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:LogicalNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:LogicalNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20230901preview:azurestackhci:LogicalNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:LogicalNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20240201preview:azurestackhci:LogicalNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20240501preview:azurestackhci:LogicalNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20240715preview:azurestackhci:LogicalNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20240801preview:azurestackhci:LogicalNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20241001preview:azurestackhci:LogicalNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20250201preview:azurestackhci:LogicalNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20250401preview:azurestackhci:LogicalNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LogicalNetwork, __self__).__init__( 'azure-native:azurestackhci:LogicalNetwork', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/machine_extension.py b/sdk/python/pulumi_azure_native/azurestackhci/machine_extension.py index 6494a712a8d4..ca9b9d4130cf 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/machine_extension.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/machine_extension.py @@ -320,7 +320,7 @@ def _internal_init(__self__, __props__.__dict__["instance_view"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:MachineExtension"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:MachineExtension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:MachineExtension"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:MachineExtension"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:MachineExtension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MachineExtension, __self__).__init__( 'azure-native:azurestackhci:MachineExtension', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/marketplace_gallery_image.py b/sdk/python/pulumi_azure_native/azurestackhci/marketplace_gallery_image.py index a74b3bf270b8..2e3c7b58c125 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/marketplace_gallery_image.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/marketplace_gallery_image.py @@ -308,7 +308,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:Marketplacegalleryimage"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20250201preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20250401preview:MarketplaceGalleryImage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:Marketplacegalleryimage"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20230701preview:azurestackhci:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20230901preview:azurestackhci:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20240201preview:azurestackhci:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20240501preview:azurestackhci:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20240715preview:azurestackhci:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20240801preview:azurestackhci:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20241001preview:azurestackhci:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20250201preview:azurestackhci:MarketplaceGalleryImage"), pulumi.Alias(type_="azure-native_azurestackhci_v20250401preview:azurestackhci:MarketplaceGalleryImage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MarketplaceGalleryImage, __self__).__init__( 'azure-native:azurestackhci:MarketplaceGalleryImage', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/network_interface.py b/sdk/python/pulumi_azure_native/azurestackhci/network_interface.py index c4cb6e2b620e..16f70d3a7bf1 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/network_interface.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/network_interface.py @@ -291,7 +291,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210701preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:NetworkinterfaceRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20250201preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20250401preview:NetworkInterface")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:NetworkinterfaceRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:NetworkInterface"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20210701preview:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20230701preview:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20230901preview:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20240201preview:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20240501preview:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20240715preview:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20240801preview:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20241001preview:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20250201preview:azurestackhci:NetworkInterface"), pulumi.Alias(type_="azure-native_azurestackhci_v20250401preview:azurestackhci:NetworkInterface")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkInterface, __self__).__init__( 'azure-native:azurestackhci:NetworkInterface', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/network_security_group.py b/sdk/python/pulumi_azure_native/azurestackhci/network_security_group.py index cd29c8b9cab0..20e3e3a0b15e 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/network_security_group.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/network_security_group.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["subnets"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:azurestackhci/v20250201preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:azurestackhci/v20250401preview:NetworkSecurityGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_azurestackhci_v20240201preview:azurestackhci:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_azurestackhci_v20240501preview:azurestackhci:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_azurestackhci_v20240715preview:azurestackhci:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_azurestackhci_v20240801preview:azurestackhci:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_azurestackhci_v20241001preview:azurestackhci:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_azurestackhci_v20250201preview:azurestackhci:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_azurestackhci_v20250401preview:azurestackhci:NetworkSecurityGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkSecurityGroup, __self__).__init__( 'azure-native:azurestackhci:NetworkSecurityGroup', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/security_rule.py b/sdk/python/pulumi_azure_native/azurestackhci/security_rule.py index 9e9aa9369c39..bea6c09b241e 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/security_rule.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/security_rule.py @@ -351,7 +351,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:SecurityRule"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:SecurityRule"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:SecurityRule"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:SecurityRule"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:SecurityRule"), pulumi.Alias(type_="azure-native:azurestackhci/v20250201preview:SecurityRule"), pulumi.Alias(type_="azure-native:azurestackhci/v20250401preview:SecurityRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:SecurityRule"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:SecurityRule"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:SecurityRule"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:SecurityRule"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:SecurityRule"), pulumi.Alias(type_="azure-native_azurestackhci_v20240201preview:azurestackhci:SecurityRule"), pulumi.Alias(type_="azure-native_azurestackhci_v20240501preview:azurestackhci:SecurityRule"), pulumi.Alias(type_="azure-native_azurestackhci_v20240715preview:azurestackhci:SecurityRule"), pulumi.Alias(type_="azure-native_azurestackhci_v20240801preview:azurestackhci:SecurityRule"), pulumi.Alias(type_="azure-native_azurestackhci_v20241001preview:azurestackhci:SecurityRule"), pulumi.Alias(type_="azure-native_azurestackhci_v20250201preview:azurestackhci:SecurityRule"), pulumi.Alias(type_="azure-native_azurestackhci_v20250401preview:azurestackhci:SecurityRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityRule, __self__).__init__( 'azure-native:azurestackhci:SecurityRule', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/security_setting.py b/sdk/python/pulumi_azure_native/azurestackhci/security_setting.py index b6eecab5a438..2b0313255385 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/security_setting.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/security_setting.py @@ -219,7 +219,7 @@ def _internal_init(__self__, __props__.__dict__["security_compliance_status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:SecuritySetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:SecuritySetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:SecuritySetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:SecuritySetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:SecuritySetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:SecuritySetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:SecuritySetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:SecuritySetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:SecuritySetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:SecuritySetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:SecuritySetting"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:SecuritySetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20231101preview:azurestackhci:SecuritySetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:SecuritySetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240215preview:azurestackhci:SecuritySetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240401:azurestackhci:SecuritySetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20240901preview:azurestackhci:SecuritySetting"), pulumi.Alias(type_="azure-native_azurestackhci_v20241201preview:azurestackhci:SecuritySetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecuritySetting, __self__).__init__( 'azure-native:azurestackhci:SecuritySetting', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/storage_container.py b/sdk/python/pulumi_azure_native/azurestackhci/storage_container.py index 8902afb84f55..ad5650a5126b 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/storage_container.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/storage_container.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:StoragecontainerRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20250201preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20250401preview:StorageContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:StoragecontainerRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:StorageContainer"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20230701preview:azurestackhci:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20230901preview:azurestackhci:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20240201preview:azurestackhci:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20240501preview:azurestackhci:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20240715preview:azurestackhci:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20240801preview:azurestackhci:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20241001preview:azurestackhci:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20250201preview:azurestackhci:StorageContainer"), pulumi.Alias(type_="azure-native_azurestackhci_v20250401preview:azurestackhci:StorageContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageContainer, __self__).__init__( 'azure-native:azurestackhci:StorageContainer', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/update.py b/sdk/python/pulumi_azure_native/azurestackhci/update.py index df09dd10530b..ef14f3bb2b1b 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/update.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/update.py @@ -507,7 +507,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20221201:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20230201:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:Update")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:Update"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20221201:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20230201:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20230301:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20230601:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801preview:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20231101preview:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20240215preview:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20240401:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20240901preview:azurestackhci:Update"), pulumi.Alias(type_="azure-native_azurestackhci_v20241201preview:azurestackhci:Update")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Update, __self__).__init__( 'azure-native:azurestackhci:Update', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/update_run.py b/sdk/python/pulumi_azure_native/azurestackhci/update_run.py index 9ffcb476e169..b72cdc279ccd 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/update_run.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/update_run.py @@ -447,7 +447,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20221201:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20230201:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:UpdateRun")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:UpdateRun"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20221201:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20230201:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20230301:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20230601:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801preview:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20231101preview:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20240215preview:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20240401:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20240901preview:azurestackhci:UpdateRun"), pulumi.Alias(type_="azure-native_azurestackhci_v20241201preview:azurestackhci:UpdateRun")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(UpdateRun, __self__).__init__( 'azure-native:azurestackhci:UpdateRun', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/update_summary.py b/sdk/python/pulumi_azure_native/azurestackhci/update_summary.py index e42d02288103..d37b2e71d74f 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/update_summary.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/update_summary.py @@ -326,7 +326,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20221201:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20230201:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:UpdateSummary")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20230301:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20230601:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20230801preview:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20231101preview:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20240215preview:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20240401:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20240901preview:UpdateSummary"), pulumi.Alias(type_="azure-native:azurestackhci/v20241201preview:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20221201:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20230201:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20230301:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20230601:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20230801preview:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20231101preview:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20240215preview:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20240401:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20240901preview:azurestackhci:UpdateSummary"), pulumi.Alias(type_="azure-native_azurestackhci_v20241201preview:azurestackhci:UpdateSummary")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(UpdateSummary, __self__).__init__( 'azure-native:azurestackhci:UpdateSummary', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/virtual_hard_disk.py b/sdk/python/pulumi_azure_native/azurestackhci/virtual_hard_disk.py index b4ec589fde47..74c8f4f90f77 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/virtual_hard_disk.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/virtual_hard_disk.py @@ -391,7 +391,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210701preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:VirtualharddiskRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20250201preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20250401preview:VirtualHardDisk")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:VirtualharddiskRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20210701preview:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20230901preview:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20240201preview:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20240501preview:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20240715preview:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20240801preview:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20241001preview:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20250201preview:azurestackhci:VirtualHardDisk"), pulumi.Alias(type_="azure-native_azurestackhci_v20250401preview:azurestackhci:VirtualHardDisk")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualHardDisk, __self__).__init__( 'azure-native:azurestackhci:VirtualHardDisk', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/virtual_machine.py b/sdk/python/pulumi_azure_native/azurestackhci/virtual_machine.py index c42fea2ead5d..387a6938a06a 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/virtual_machine.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/virtual_machine.py @@ -305,7 +305,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["vm_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210701preview:VirtualMachine"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:VirtualMachine"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:VirtualmachineRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:VirtualMachine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:VirtualmachineRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:VirtualMachine"), pulumi.Alias(type_="azure-native_azurestackhci_v20210701preview:azurestackhci:VirtualMachine"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:VirtualMachine"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualMachine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachine, __self__).__init__( 'azure-native:azurestackhci:VirtualMachine', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/virtual_machine_instance.py b/sdk/python/pulumi_azure_native/azurestackhci/virtual_machine_instance.py index 7d3d71597011..40a6ee8ecd74 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/virtual_machine_instance.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/virtual_machine_instance.py @@ -314,7 +314,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["vm_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20250201preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20250401preview:VirtualMachineInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20230901preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20240101:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20240201preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20240501preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20240715preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20240801preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:azurestackhci/v20241001preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_azurestackhci_v20230901preview:azurestackhci:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_azurestackhci_v20240101:azurestackhci:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_azurestackhci_v20240201preview:azurestackhci:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_azurestackhci_v20240501preview:azurestackhci:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_azurestackhci_v20240715preview:azurestackhci:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_azurestackhci_v20240801preview:azurestackhci:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_azurestackhci_v20241001preview:azurestackhci:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_azurestackhci_v20250201preview:azurestackhci:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_azurestackhci_v20250401preview:azurestackhci:VirtualMachineInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineInstance, __self__).__init__( 'azure-native:azurestackhci:VirtualMachineInstance', diff --git a/sdk/python/pulumi_azure_native/azurestackhci/virtual_network.py b/sdk/python/pulumi_azure_native/azurestackhci/virtual_network.py index 1ffc57d51f03..6f6fa251a48f 100644 --- a/sdk/python/pulumi_azure_native/azurestackhci/virtual_network.py +++ b/sdk/python/pulumi_azure_native/azurestackhci/virtual_network.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210701preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:VirtualnetworkRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:VirtualNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:azurestackhci/v20210901preview:VirtualnetworkRetrieve"), pulumi.Alias(type_="azure-native:azurestackhci/v20221215preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:azurestackhci/v20230701preview:VirtualNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20210701preview:azurestackhci:VirtualNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20210901preview:azurestackhci:VirtualNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20221215preview:azurestackhci:VirtualNetwork"), pulumi.Alias(type_="azure-native_azurestackhci_v20230701preview:azurestackhci:VirtualNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetwork, __self__).__init__( 'azure-native:azurestackhci:VirtualNetwork', diff --git a/sdk/python/pulumi_azure_native/baremetalinfrastructure/azure_bare_metal_instance.py b/sdk/python/pulumi_azure_native/baremetalinfrastructure/azure_bare_metal_instance.py index 26f52c7a22c1..4fa46af97b79 100644 --- a/sdk/python/pulumi_azure_native/baremetalinfrastructure/azure_bare_metal_instance.py +++ b/sdk/python/pulumi_azure_native/baremetalinfrastructure/azure_bare_metal_instance.py @@ -342,7 +342,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalInstance"), pulumi.Alias(type_="azure-native_baremetalinfrastructure_v20240801preview:baremetalinfrastructure:AzureBareMetalInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzureBareMetalInstance, __self__).__init__( 'azure-native:baremetalinfrastructure:AzureBareMetalInstance', diff --git a/sdk/python/pulumi_azure_native/baremetalinfrastructure/azure_bare_metal_storage_instance.py b/sdk/python/pulumi_azure_native/baremetalinfrastructure/azure_bare_metal_storage_instance.py index 43195536149e..7525ffa423ec 100644 --- a/sdk/python/pulumi_azure_native/baremetalinfrastructure/azure_bare_metal_storage_instance.py +++ b/sdk/python/pulumi_azure_native/baremetalinfrastructure/azure_bare_metal_storage_instance.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:baremetalinfrastructure/v20230406:AzureBareMetalStorageInstance"), pulumi.Alias(type_="azure-native:baremetalinfrastructure/v20230804preview:AzureBareMetalStorageInstance"), pulumi.Alias(type_="azure-native:baremetalinfrastructure/v20231101preview:AzureBareMetalStorageInstance"), pulumi.Alias(type_="azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalStorageInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:baremetalinfrastructure/v20230406:AzureBareMetalStorageInstance"), pulumi.Alias(type_="azure-native:baremetalinfrastructure/v20230804preview:AzureBareMetalStorageInstance"), pulumi.Alias(type_="azure-native:baremetalinfrastructure/v20231101preview:AzureBareMetalStorageInstance"), pulumi.Alias(type_="azure-native:baremetalinfrastructure/v20240801preview:AzureBareMetalStorageInstance"), pulumi.Alias(type_="azure-native_baremetalinfrastructure_v20230406:baremetalinfrastructure:AzureBareMetalStorageInstance"), pulumi.Alias(type_="azure-native_baremetalinfrastructure_v20230804preview:baremetalinfrastructure:AzureBareMetalStorageInstance"), pulumi.Alias(type_="azure-native_baremetalinfrastructure_v20231101preview:baremetalinfrastructure:AzureBareMetalStorageInstance"), pulumi.Alias(type_="azure-native_baremetalinfrastructure_v20240801preview:baremetalinfrastructure:AzureBareMetalStorageInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzureBareMetalStorageInstance, __self__).__init__( 'azure-native:baremetalinfrastructure:AzureBareMetalStorageInstance', diff --git a/sdk/python/pulumi_azure_native/batch/application.py b/sdk/python/pulumi_azure_native/batch/application.py index 7ecbeef8b2e0..2ab0004d521a 100644 --- a/sdk/python/pulumi_azure_native/batch/application.py +++ b/sdk/python/pulumi_azure_native/batch/application.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:batch/v20151201:Application"), pulumi.Alias(type_="azure-native:batch/v20170101:Application"), pulumi.Alias(type_="azure-native:batch/v20170501:Application"), pulumi.Alias(type_="azure-native:batch/v20170901:Application"), pulumi.Alias(type_="azure-native:batch/v20181201:Application"), pulumi.Alias(type_="azure-native:batch/v20190401:Application"), pulumi.Alias(type_="azure-native:batch/v20190801:Application"), pulumi.Alias(type_="azure-native:batch/v20200301:Application"), pulumi.Alias(type_="azure-native:batch/v20200501:Application"), pulumi.Alias(type_="azure-native:batch/v20200901:Application"), pulumi.Alias(type_="azure-native:batch/v20210101:Application"), pulumi.Alias(type_="azure-native:batch/v20210601:Application"), pulumi.Alias(type_="azure-native:batch/v20220101:Application"), pulumi.Alias(type_="azure-native:batch/v20220601:Application"), pulumi.Alias(type_="azure-native:batch/v20221001:Application"), pulumi.Alias(type_="azure-native:batch/v20230501:Application"), pulumi.Alias(type_="azure-native:batch/v20231101:Application"), pulumi.Alias(type_="azure-native:batch/v20240201:Application"), pulumi.Alias(type_="azure-native:batch/v20240701:Application")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:batch/v20230501:Application"), pulumi.Alias(type_="azure-native:batch/v20231101:Application"), pulumi.Alias(type_="azure-native:batch/v20240201:Application"), pulumi.Alias(type_="azure-native:batch/v20240701:Application"), pulumi.Alias(type_="azure-native_batch_v20151201:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20170101:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20170501:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20170901:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20181201:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20190401:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20190801:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20200301:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20200501:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20200901:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20210101:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20210601:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20220101:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20220601:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20221001:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20230501:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20231101:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20240201:batch:Application"), pulumi.Alias(type_="azure-native_batch_v20240701:batch:Application")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Application, __self__).__init__( 'azure-native:batch:Application', diff --git a/sdk/python/pulumi_azure_native/batch/application_package.py b/sdk/python/pulumi_azure_native/batch/application_package.py index 92b011b8e18f..b89d8d5e7681 100644 --- a/sdk/python/pulumi_azure_native/batch/application_package.py +++ b/sdk/python/pulumi_azure_native/batch/application_package.py @@ -189,7 +189,7 @@ def _internal_init(__self__, __props__.__dict__["storage_url"] = None __props__.__dict__["storage_url_expiry"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:batch/v20151201:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20170101:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20170501:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20170901:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20181201:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20190401:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20190801:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20200301:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20200501:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20200901:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20210101:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20210601:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20220101:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20220601:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20221001:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20230501:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20231101:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20240201:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20240701:ApplicationPackage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:batch/v20230501:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20231101:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20240201:ApplicationPackage"), pulumi.Alias(type_="azure-native:batch/v20240701:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20151201:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20170101:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20170501:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20170901:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20181201:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20190401:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20190801:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20200301:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20200501:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20200901:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20210101:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20210601:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20220101:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20220601:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20221001:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20230501:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20231101:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20240201:batch:ApplicationPackage"), pulumi.Alias(type_="azure-native_batch_v20240701:batch:ApplicationPackage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationPackage, __self__).__init__( 'azure-native:batch:ApplicationPackage', diff --git a/sdk/python/pulumi_azure_native/batch/batch_account.py b/sdk/python/pulumi_azure_native/batch/batch_account.py index a440104576b0..15a0f53f1185 100644 --- a/sdk/python/pulumi_azure_native/batch/batch_account.py +++ b/sdk/python/pulumi_azure_native/batch/batch_account.py @@ -334,7 +334,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint_connections"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:batch/v20151201:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20170101:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20170501:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20170901:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20181201:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20190401:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20190801:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20200301:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20200501:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20200901:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20210101:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20210601:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20220101:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20220601:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20221001:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20230501:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20231101:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20240201:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20240701:BatchAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:batch/v20220101:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20230501:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20231101:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20240201:BatchAccount"), pulumi.Alias(type_="azure-native:batch/v20240701:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20151201:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20170101:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20170501:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20170901:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20181201:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20190401:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20190801:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20200301:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20200501:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20200901:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20210101:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20210601:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20220101:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20220601:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20221001:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20230501:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20231101:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20240201:batch:BatchAccount"), pulumi.Alias(type_="azure-native_batch_v20240701:batch:BatchAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BatchAccount, __self__).__init__( 'azure-native:batch:BatchAccount', diff --git a/sdk/python/pulumi_azure_native/batch/pool.py b/sdk/python/pulumi_azure_native/batch/pool.py index 038fc8db5a43..c6e7116c940d 100644 --- a/sdk/python/pulumi_azure_native/batch/pool.py +++ b/sdk/python/pulumi_azure_native/batch/pool.py @@ -557,7 +557,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state_transition_time"] = None __props__.__dict__["resize_operation_status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:batch/v20170901:Pool"), pulumi.Alias(type_="azure-native:batch/v20181201:Pool"), pulumi.Alias(type_="azure-native:batch/v20190401:Pool"), pulumi.Alias(type_="azure-native:batch/v20190801:Pool"), pulumi.Alias(type_="azure-native:batch/v20200301:Pool"), pulumi.Alias(type_="azure-native:batch/v20200501:Pool"), pulumi.Alias(type_="azure-native:batch/v20200901:Pool"), pulumi.Alias(type_="azure-native:batch/v20210101:Pool"), pulumi.Alias(type_="azure-native:batch/v20210601:Pool"), pulumi.Alias(type_="azure-native:batch/v20220101:Pool"), pulumi.Alias(type_="azure-native:batch/v20220601:Pool"), pulumi.Alias(type_="azure-native:batch/v20221001:Pool"), pulumi.Alias(type_="azure-native:batch/v20230501:Pool"), pulumi.Alias(type_="azure-native:batch/v20231101:Pool"), pulumi.Alias(type_="azure-native:batch/v20240201:Pool"), pulumi.Alias(type_="azure-native:batch/v20240701:Pool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:batch/v20230501:Pool"), pulumi.Alias(type_="azure-native:batch/v20231101:Pool"), pulumi.Alias(type_="azure-native:batch/v20240201:Pool"), pulumi.Alias(type_="azure-native:batch/v20240701:Pool"), pulumi.Alias(type_="azure-native_batch_v20170901:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20181201:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20190401:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20190801:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20200301:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20200501:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20200901:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20210101:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20210601:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20220101:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20220601:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20221001:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20230501:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20231101:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20240201:batch:Pool"), pulumi.Alias(type_="azure-native_batch_v20240701:batch:Pool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Pool, __self__).__init__( 'azure-native:batch:Pool', diff --git a/sdk/python/pulumi_azure_native/billing/associated_tenant.py b/sdk/python/pulumi_azure_native/billing/associated_tenant.py index 41d4e3374f07..df5fc42e6ee5 100644 --- a/sdk/python/pulumi_azure_native/billing/associated_tenant.py +++ b/sdk/python/pulumi_azure_native/billing/associated_tenant.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20240401:AssociatedTenant")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20240401:AssociatedTenant"), pulumi.Alias(type_="azure-native_billing_v20240401:billing:AssociatedTenant")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AssociatedTenant, __self__).__init__( 'azure-native:billing:AssociatedTenant', diff --git a/sdk/python/pulumi_azure_native/billing/billing_profile.py b/sdk/python/pulumi_azure_native/billing/billing_profile.py index ae6b87999946..8e0fe22cbfe9 100644 --- a/sdk/python/pulumi_azure_native/billing/billing_profile.py +++ b/sdk/python/pulumi_azure_native/billing/billing_profile.py @@ -160,7 +160,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20240401:BillingProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20240401:BillingProfile"), pulumi.Alias(type_="azure-native_billing_v20240401:billing:BillingProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BillingProfile, __self__).__init__( 'azure-native:billing:BillingProfile', diff --git a/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_billing_account.py b/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_billing_account.py index f64a8a70d45d..3f4452b3425c 100644 --- a/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_billing_account.py +++ b/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_billing_account.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20191001preview:BillingRoleAssignmentByBillingAccount"), pulumi.Alias(type_="azure-native:billing/v20240401:BillingRoleAssignmentByBillingAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20191001preview:BillingRoleAssignmentByBillingAccount"), pulumi.Alias(type_="azure-native:billing/v20240401:BillingRoleAssignmentByBillingAccount"), pulumi.Alias(type_="azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByBillingAccount"), pulumi.Alias(type_="azure-native_billing_v20240401:billing:BillingRoleAssignmentByBillingAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BillingRoleAssignmentByBillingAccount, __self__).__init__( 'azure-native:billing:BillingRoleAssignmentByBillingAccount', diff --git a/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_department.py b/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_department.py index 6ccff6141ccb..fc843f618593 100644 --- a/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_department.py +++ b/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_department.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20191001preview:BillingRoleAssignmentByDepartment"), pulumi.Alias(type_="azure-native:billing/v20240401:BillingRoleAssignmentByDepartment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20191001preview:BillingRoleAssignmentByDepartment"), pulumi.Alias(type_="azure-native:billing/v20240401:BillingRoleAssignmentByDepartment"), pulumi.Alias(type_="azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByDepartment"), pulumi.Alias(type_="azure-native_billing_v20240401:billing:BillingRoleAssignmentByDepartment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BillingRoleAssignmentByDepartment, __self__).__init__( 'azure-native:billing:BillingRoleAssignmentByDepartment', diff --git a/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_enrollment_account.py b/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_enrollment_account.py index b673a0f80e66..08eae040dbe4 100644 --- a/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_enrollment_account.py +++ b/sdk/python/pulumi_azure_native/billing/billing_role_assignment_by_enrollment_account.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20191001preview:BillingRoleAssignmentByEnrollmentAccount"), pulumi.Alias(type_="azure-native:billing/v20240401:BillingRoleAssignmentByEnrollmentAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20191001preview:BillingRoleAssignmentByEnrollmentAccount"), pulumi.Alias(type_="azure-native:billing/v20240401:BillingRoleAssignmentByEnrollmentAccount"), pulumi.Alias(type_="azure-native_billing_v20191001preview:billing:BillingRoleAssignmentByEnrollmentAccount"), pulumi.Alias(type_="azure-native_billing_v20240401:billing:BillingRoleAssignmentByEnrollmentAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BillingRoleAssignmentByEnrollmentAccount, __self__).__init__( 'azure-native:billing:BillingRoleAssignmentByEnrollmentAccount', diff --git a/sdk/python/pulumi_azure_native/billing/invoice_section.py b/sdk/python/pulumi_azure_native/billing/invoice_section.py index 7e2f5bfba1bb..24b9bc0b7500 100644 --- a/sdk/python/pulumi_azure_native/billing/invoice_section.py +++ b/sdk/python/pulumi_azure_native/billing/invoice_section.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20240401:InvoiceSection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billing/v20240401:InvoiceSection"), pulumi.Alias(type_="azure-native_billing_v20240401:billing:InvoiceSection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InvoiceSection, __self__).__init__( 'azure-native:billing:InvoiceSection', diff --git a/sdk/python/pulumi_azure_native/billingbenefits/discount.py b/sdk/python/pulumi_azure_native/billingbenefits/discount.py index 3fc917b9e293..f951240bcd5b 100644 --- a/sdk/python/pulumi_azure_native/billingbenefits/discount.py +++ b/sdk/python/pulumi_azure_native/billingbenefits/discount.py @@ -391,7 +391,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:billingbenefits/v20241101preview:Discount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_billingbenefits_v20241101preview:billingbenefits:Discount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Discount, __self__).__init__( 'azure-native:billingbenefits:Discount', diff --git a/sdk/python/pulumi_azure_native/blueprint/assignment.py b/sdk/python/pulumi_azure_native/blueprint/assignment.py index 749e4faf3827..32bf45f11cc5 100644 --- a/sdk/python/pulumi_azure_native/blueprint/assignment.py +++ b/sdk/python/pulumi_azure_native/blueprint/assignment.py @@ -305,7 +305,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:Assignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:Assignment"), pulumi.Alias(type_="azure-native_blueprint_v20181101preview:blueprint:Assignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Assignment, __self__).__init__( 'azure-native:blueprint:Assignment', diff --git a/sdk/python/pulumi_azure_native/blueprint/blueprint.py b/sdk/python/pulumi_azure_native/blueprint/blueprint.py index e88689181247..4ae9e5b4f5bc 100644 --- a/sdk/python/pulumi_azure_native/blueprint/blueprint.py +++ b/sdk/python/pulumi_azure_native/blueprint/blueprint.py @@ -243,7 +243,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:Blueprint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:Blueprint"), pulumi.Alias(type_="azure-native_blueprint_v20181101preview:blueprint:Blueprint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Blueprint, __self__).__init__( 'azure-native:blueprint:Blueprint', diff --git a/sdk/python/pulumi_azure_native/blueprint/policy_assignment_artifact.py b/sdk/python/pulumi_azure_native/blueprint/policy_assignment_artifact.py index 38c3261cabba..064c7396529a 100644 --- a/sdk/python/pulumi_azure_native/blueprint/policy_assignment_artifact.py +++ b/sdk/python/pulumi_azure_native/blueprint/policy_assignment_artifact.py @@ -286,7 +286,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:RoleAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:TemplateArtifact"), pulumi.Alias(type_="azure-native:blueprint:RoleAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint:TemplateArtifact")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:RoleAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:TemplateArtifact"), pulumi.Alias(type_="azure-native:blueprint:RoleAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint:TemplateArtifact"), pulumi.Alias(type_="azure-native_blueprint_v20181101preview:blueprint:PolicyAssignmentArtifact")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PolicyAssignmentArtifact, __self__).__init__( 'azure-native:blueprint:PolicyAssignmentArtifact', diff --git a/sdk/python/pulumi_azure_native/blueprint/published_blueprint.py b/sdk/python/pulumi_azure_native/blueprint/published_blueprint.py index 5f1ffd4974f0..168fd7c667f8 100644 --- a/sdk/python/pulumi_azure_native/blueprint/published_blueprint.py +++ b/sdk/python/pulumi_azure_native/blueprint/published_blueprint.py @@ -262,7 +262,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:PublishedBlueprint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:PublishedBlueprint"), pulumi.Alias(type_="azure-native_blueprint_v20181101preview:blueprint:PublishedBlueprint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PublishedBlueprint, __self__).__init__( 'azure-native:blueprint:PublishedBlueprint', diff --git a/sdk/python/pulumi_azure_native/blueprint/role_assignment_artifact.py b/sdk/python/pulumi_azure_native/blueprint/role_assignment_artifact.py index e1b880e623a9..a095638efd58 100644 --- a/sdk/python/pulumi_azure_native/blueprint/role_assignment_artifact.py +++ b/sdk/python/pulumi_azure_native/blueprint/role_assignment_artifact.py @@ -284,7 +284,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:RoleAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:TemplateArtifact"), pulumi.Alias(type_="azure-native:blueprint:PolicyAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint:TemplateArtifact")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:RoleAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:TemplateArtifact"), pulumi.Alias(type_="azure-native:blueprint:PolicyAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint:TemplateArtifact"), pulumi.Alias(type_="azure-native_blueprint_v20181101preview:blueprint:RoleAssignmentArtifact")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RoleAssignmentArtifact, __self__).__init__( 'azure-native:blueprint:RoleAssignmentArtifact', diff --git a/sdk/python/pulumi_azure_native/blueprint/template_artifact.py b/sdk/python/pulumi_azure_native/blueprint/template_artifact.py index f20a52be2595..2cdd60569db6 100644 --- a/sdk/python/pulumi_azure_native/blueprint/template_artifact.py +++ b/sdk/python/pulumi_azure_native/blueprint/template_artifact.py @@ -286,7 +286,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:RoleAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:TemplateArtifact"), pulumi.Alias(type_="azure-native:blueprint:PolicyAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint:RoleAssignmentArtifact")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:blueprint/v20181101preview:PolicyAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:RoleAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint/v20181101preview:TemplateArtifact"), pulumi.Alias(type_="azure-native:blueprint:PolicyAssignmentArtifact"), pulumi.Alias(type_="azure-native:blueprint:RoleAssignmentArtifact"), pulumi.Alias(type_="azure-native_blueprint_v20181101preview:blueprint:TemplateArtifact")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TemplateArtifact, __self__).__init__( 'azure-native:blueprint:TemplateArtifact', diff --git a/sdk/python/pulumi_azure_native/botservice/bot.py b/sdk/python/pulumi_azure_native/botservice/bot.py index 2bbd14c7edb7..2de6b2dd51ed 100644 --- a/sdk/python/pulumi_azure_native/botservice/bot.py +++ b/sdk/python/pulumi_azure_native/botservice/bot.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["type"] = None __props__.__dict__["zones"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:botservice/v20171201:Bot"), pulumi.Alias(type_="azure-native:botservice/v20180712:Bot"), pulumi.Alias(type_="azure-native:botservice/v20200602:Bot"), pulumi.Alias(type_="azure-native:botservice/v20210301:Bot"), pulumi.Alias(type_="azure-native:botservice/v20210501preview:Bot"), pulumi.Alias(type_="azure-native:botservice/v20220615preview:Bot"), pulumi.Alias(type_="azure-native:botservice/v20220915:Bot"), pulumi.Alias(type_="azure-native:botservice/v20230915preview:Bot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:botservice/v20220915:Bot"), pulumi.Alias(type_="azure-native:botservice/v20230915preview:Bot"), pulumi.Alias(type_="azure-native_botservice_v20171201:botservice:Bot"), pulumi.Alias(type_="azure-native_botservice_v20180712:botservice:Bot"), pulumi.Alias(type_="azure-native_botservice_v20200602:botservice:Bot"), pulumi.Alias(type_="azure-native_botservice_v20210301:botservice:Bot"), pulumi.Alias(type_="azure-native_botservice_v20210501preview:botservice:Bot"), pulumi.Alias(type_="azure-native_botservice_v20220615preview:botservice:Bot"), pulumi.Alias(type_="azure-native_botservice_v20220915:botservice:Bot"), pulumi.Alias(type_="azure-native_botservice_v20230915preview:botservice:Bot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Bot, __self__).__init__( 'azure-native:botservice:Bot', diff --git a/sdk/python/pulumi_azure_native/botservice/bot_connection.py b/sdk/python/pulumi_azure_native/botservice/bot_connection.py index 2447c9a5b02d..ac1ef66d9ffd 100644 --- a/sdk/python/pulumi_azure_native/botservice/bot_connection.py +++ b/sdk/python/pulumi_azure_native/botservice/bot_connection.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["type"] = None __props__.__dict__["zones"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:botservice/v20171201:BotConnection"), pulumi.Alias(type_="azure-native:botservice/v20180712:BotConnection"), pulumi.Alias(type_="azure-native:botservice/v20200602:BotConnection"), pulumi.Alias(type_="azure-native:botservice/v20210301:BotConnection"), pulumi.Alias(type_="azure-native:botservice/v20210501preview:BotConnection"), pulumi.Alias(type_="azure-native:botservice/v20220615preview:BotConnection"), pulumi.Alias(type_="azure-native:botservice/v20220915:BotConnection"), pulumi.Alias(type_="azure-native:botservice/v20230915preview:BotConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:botservice/v20220915:BotConnection"), pulumi.Alias(type_="azure-native:botservice/v20230915preview:BotConnection"), pulumi.Alias(type_="azure-native_botservice_v20171201:botservice:BotConnection"), pulumi.Alias(type_="azure-native_botservice_v20180712:botservice:BotConnection"), pulumi.Alias(type_="azure-native_botservice_v20200602:botservice:BotConnection"), pulumi.Alias(type_="azure-native_botservice_v20210301:botservice:BotConnection"), pulumi.Alias(type_="azure-native_botservice_v20210501preview:botservice:BotConnection"), pulumi.Alias(type_="azure-native_botservice_v20220615preview:botservice:BotConnection"), pulumi.Alias(type_="azure-native_botservice_v20220915:botservice:BotConnection"), pulumi.Alias(type_="azure-native_botservice_v20230915preview:botservice:BotConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BotConnection, __self__).__init__( 'azure-native:botservice:BotConnection', diff --git a/sdk/python/pulumi_azure_native/botservice/channel.py b/sdk/python/pulumi_azure_native/botservice/channel.py index f465687af8f3..b06ead89213c 100644 --- a/sdk/python/pulumi_azure_native/botservice/channel.py +++ b/sdk/python/pulumi_azure_native/botservice/channel.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["type"] = None __props__.__dict__["zones"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:botservice/v20171201:Channel"), pulumi.Alias(type_="azure-native:botservice/v20180712:Channel"), pulumi.Alias(type_="azure-native:botservice/v20200602:Channel"), pulumi.Alias(type_="azure-native:botservice/v20210301:Channel"), pulumi.Alias(type_="azure-native:botservice/v20210501preview:Channel"), pulumi.Alias(type_="azure-native:botservice/v20220615preview:Channel"), pulumi.Alias(type_="azure-native:botservice/v20220915:Channel"), pulumi.Alias(type_="azure-native:botservice/v20230915preview:Channel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:botservice/v20220915:Channel"), pulumi.Alias(type_="azure-native:botservice/v20230915preview:Channel"), pulumi.Alias(type_="azure-native_botservice_v20171201:botservice:Channel"), pulumi.Alias(type_="azure-native_botservice_v20180712:botservice:Channel"), pulumi.Alias(type_="azure-native_botservice_v20200602:botservice:Channel"), pulumi.Alias(type_="azure-native_botservice_v20210301:botservice:Channel"), pulumi.Alias(type_="azure-native_botservice_v20210501preview:botservice:Channel"), pulumi.Alias(type_="azure-native_botservice_v20220615preview:botservice:Channel"), pulumi.Alias(type_="azure-native_botservice_v20220915:botservice:Channel"), pulumi.Alias(type_="azure-native_botservice_v20230915preview:botservice:Channel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Channel, __self__).__init__( 'azure-native:botservice:Channel', diff --git a/sdk/python/pulumi_azure_native/botservice/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/botservice/private_endpoint_connection.py index a2ed2db0a1f4..b0f16db80d89 100644 --- a/sdk/python/pulumi_azure_native/botservice/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/botservice/private_endpoint_connection.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:botservice/v20210501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:botservice/v20220615preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:botservice/v20220915:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:botservice/v20230915preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:botservice/v20220915:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:botservice/v20230915preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_botservice_v20210501preview:botservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_botservice_v20220615preview:botservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_botservice_v20220915:botservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_botservice_v20230915preview:botservice:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:botservice:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/cdn/afd_custom_domain.py b/sdk/python/pulumi_azure_native/cdn/afd_custom_domain.py index bc234e33eb39..501583c7c9e3 100644 --- a/sdk/python/pulumi_azure_native/cdn/afd_custom_domain.py +++ b/sdk/python/pulumi_azure_native/cdn/afd_custom_domain.py @@ -251,7 +251,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["validation_properties"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20210601:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20230501:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240201:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240901:AFDCustomDomain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230501:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240201:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:AFDCustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240901:AFDCustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:AFDCustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:AFDCustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:AFDCustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:AFDCustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:AFDCustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:AFDCustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:AFDCustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:AFDCustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:AFDCustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:AFDCustomDomain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AFDCustomDomain, __self__).__init__( 'azure-native:cdn:AFDCustomDomain', diff --git a/sdk/python/pulumi_azure_native/cdn/afd_endpoint.py b/sdk/python/pulumi_azure_native/cdn/afd_endpoint.py index 7f055cc45147..1e2837f7e198 100644 --- a/sdk/python/pulumi_azure_native/cdn/afd_endpoint.py +++ b/sdk/python/pulumi_azure_native/cdn/afd_endpoint.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20210601:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20230501:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20240201:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20240901:AFDEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20230501:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20240201:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:AFDEndpoint"), pulumi.Alias(type_="azure-native:cdn/v20240901:AFDEndpoint"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:AFDEndpoint"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:AFDEndpoint"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:AFDEndpoint"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:AFDEndpoint"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:AFDEndpoint"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:AFDEndpoint"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:AFDEndpoint"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:AFDEndpoint"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:AFDEndpoint"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:AFDEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AFDEndpoint, __self__).__init__( 'azure-native:cdn:AFDEndpoint', diff --git a/sdk/python/pulumi_azure_native/cdn/afd_origin.py b/sdk/python/pulumi_azure_native/cdn/afd_origin.py index 6a61c08078a3..cbb1198632fe 100644 --- a/sdk/python/pulumi_azure_native/cdn/afd_origin.py +++ b/sdk/python/pulumi_azure_native/cdn/afd_origin.py @@ -382,7 +382,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20210601:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20230501:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20240201:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20240901:AFDOrigin")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230501:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20240201:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:AFDOrigin"), pulumi.Alias(type_="azure-native:cdn/v20240901:AFDOrigin"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:AFDOrigin"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:AFDOrigin"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:AFDOrigin"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:AFDOrigin"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:AFDOrigin"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:AFDOrigin"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:AFDOrigin"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:AFDOrigin"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:AFDOrigin"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:AFDOrigin")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AFDOrigin, __self__).__init__( 'azure-native:cdn:AFDOrigin', diff --git a/sdk/python/pulumi_azure_native/cdn/afd_origin_group.py b/sdk/python/pulumi_azure_native/cdn/afd_origin_group.py index 5ea28721349b..7cb39acac12a 100644 --- a/sdk/python/pulumi_azure_native/cdn/afd_origin_group.py +++ b/sdk/python/pulumi_azure_native/cdn/afd_origin_group.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20210601:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20230501:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240201:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240901:AFDOriginGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20230501:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240201:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:AFDOriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240901:AFDOriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:AFDOriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:AFDOriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:AFDOriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:AFDOriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:AFDOriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:AFDOriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:AFDOriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:AFDOriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:AFDOriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:AFDOriginGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AFDOriginGroup, __self__).__init__( 'azure-native:cdn:AFDOriginGroup', diff --git a/sdk/python/pulumi_azure_native/cdn/afd_target_group.py b/sdk/python/pulumi_azure_native/cdn/afd_target_group.py index a99a18696ebc..9fd30daa87c3 100644 --- a/sdk/python/pulumi_azure_native/cdn/afd_target_group.py +++ b/sdk/python/pulumi_azure_native/cdn/afd_target_group.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20240601preview:AFDTargetGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20240601preview:AFDTargetGroup"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:AFDTargetGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AFDTargetGroup, __self__).__init__( 'azure-native:cdn:AFDTargetGroup', diff --git a/sdk/python/pulumi_azure_native/cdn/custom_domain.py b/sdk/python/pulumi_azure_native/cdn/custom_domain.py index 646b5a3833e3..d28873018732 100644 --- a/sdk/python/pulumi_azure_native/cdn/custom_domain.py +++ b/sdk/python/pulumi_azure_native/cdn/custom_domain.py @@ -192,7 +192,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["validation_data"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20150601:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20160402:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20161002:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20170402:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20171012:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20190415:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20190615:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20190615preview:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20191231:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20200331:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20200415:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20200901:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20210601:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20230501:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240201:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240901:CustomDomain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230501:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240201:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:CustomDomain"), pulumi.Alias(type_="azure-native:cdn/v20240901:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20150601:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20160402:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20161002:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20170402:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20171012:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20190415:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20190615:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20190615preview:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20191231:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20200331:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20200415:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:CustomDomain"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:CustomDomain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomDomain, __self__).__init__( 'azure-native:cdn:CustomDomain', diff --git a/sdk/python/pulumi_azure_native/cdn/endpoint.py b/sdk/python/pulumi_azure_native/cdn/endpoint.py index 9a9fdd61da38..d3f21fe9e8bb 100644 --- a/sdk/python/pulumi_azure_native/cdn/endpoint.py +++ b/sdk/python/pulumi_azure_native/cdn/endpoint.py @@ -523,7 +523,7 @@ def _internal_init(__self__, __props__.__dict__["resource_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20150601:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20160402:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20161002:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20170402:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20171012:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20190415:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20190615:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20190615preview:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20191231:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20200331:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20200415:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20200901:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20210601:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20230501:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20240201:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20240901:Endpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230501:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20240201:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Endpoint"), pulumi.Alias(type_="azure-native:cdn/v20240901:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20150601:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20160402:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20161002:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20170402:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20171012:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20190415:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20190615:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20190615preview:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20191231:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20200331:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20200415:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:Endpoint"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:Endpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Endpoint, __self__).__init__( 'azure-native:cdn:Endpoint', diff --git a/sdk/python/pulumi_azure_native/cdn/key_group.py b/sdk/python/pulumi_azure_native/cdn/key_group.py index 12db1ffef2ed..a7dbc0c623f3 100644 --- a/sdk/python/pulumi_azure_native/cdn/key_group.py +++ b/sdk/python/pulumi_azure_native/cdn/key_group.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230701preview:KeyGroup"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:KeyGroup"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:KeyGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230701preview:KeyGroup"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:KeyGroup"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:KeyGroup"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:KeyGroup"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:KeyGroup"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:KeyGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KeyGroup, __self__).__init__( 'azure-native:cdn:KeyGroup', diff --git a/sdk/python/pulumi_azure_native/cdn/origin.py b/sdk/python/pulumi_azure_native/cdn/origin.py index 562387747318..9f2c45806c95 100644 --- a/sdk/python/pulumi_azure_native/cdn/origin.py +++ b/sdk/python/pulumi_azure_native/cdn/origin.py @@ -389,7 +389,7 @@ def _internal_init(__self__, __props__.__dict__["resource_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20150601:Origin"), pulumi.Alias(type_="azure-native:cdn/v20160402:Origin"), pulumi.Alias(type_="azure-native:cdn/v20191231:Origin"), pulumi.Alias(type_="azure-native:cdn/v20200331:Origin"), pulumi.Alias(type_="azure-native:cdn/v20200415:Origin"), pulumi.Alias(type_="azure-native:cdn/v20200901:Origin"), pulumi.Alias(type_="azure-native:cdn/v20210601:Origin"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:Origin"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:Origin"), pulumi.Alias(type_="azure-native:cdn/v20230501:Origin"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Origin"), pulumi.Alias(type_="azure-native:cdn/v20240201:Origin"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Origin"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Origin"), pulumi.Alias(type_="azure-native:cdn/v20240901:Origin")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230501:Origin"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Origin"), pulumi.Alias(type_="azure-native:cdn/v20240201:Origin"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Origin"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Origin"), pulumi.Alias(type_="azure-native:cdn/v20240901:Origin"), pulumi.Alias(type_="azure-native_cdn_v20150601:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20160402:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20191231:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20200331:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20200415:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:Origin"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:Origin")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Origin, __self__).__init__( 'azure-native:cdn:Origin', diff --git a/sdk/python/pulumi_azure_native/cdn/origin_group.py b/sdk/python/pulumi_azure_native/cdn/origin_group.py index f018224516a2..c70b6b6c3d88 100644 --- a/sdk/python/pulumi_azure_native/cdn/origin_group.py +++ b/sdk/python/pulumi_azure_native/cdn/origin_group.py @@ -250,7 +250,7 @@ def _internal_init(__self__, __props__.__dict__["resource_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20191231:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20200331:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20200415:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20200901:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20210601:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20230501:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240201:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240901:OriginGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230501:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240201:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:OriginGroup"), pulumi.Alias(type_="azure-native:cdn/v20240901:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20191231:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20200331:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20200415:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:OriginGroup"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:OriginGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OriginGroup, __self__).__init__( 'azure-native:cdn:OriginGroup', diff --git a/sdk/python/pulumi_azure_native/cdn/policy.py b/sdk/python/pulumi_azure_native/cdn/policy.py index 07a88b9cbfef..9091c7880fc8 100644 --- a/sdk/python/pulumi_azure_native/cdn/policy.py +++ b/sdk/python/pulumi_azure_native/cdn/policy.py @@ -290,7 +290,7 @@ def _internal_init(__self__, __props__.__dict__["resource_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20190615:Policy"), pulumi.Alias(type_="azure-native:cdn/v20190615preview:Policy"), pulumi.Alias(type_="azure-native:cdn/v20200331:Policy"), pulumi.Alias(type_="azure-native:cdn/v20200415:Policy"), pulumi.Alias(type_="azure-native:cdn/v20200901:Policy"), pulumi.Alias(type_="azure-native:cdn/v20210601:Policy"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:Policy"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:Policy"), pulumi.Alias(type_="azure-native:cdn/v20230501:Policy"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Policy"), pulumi.Alias(type_="azure-native:cdn/v20240201:Policy"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Policy"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Policy"), pulumi.Alias(type_="azure-native:cdn/v20240901:Policy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230501:Policy"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Policy"), pulumi.Alias(type_="azure-native:cdn/v20240201:Policy"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Policy"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Policy"), pulumi.Alias(type_="azure-native:cdn/v20240901:Policy"), pulumi.Alias(type_="azure-native_cdn_v20190615:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20190615preview:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20200331:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20200415:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:Policy"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:Policy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Policy, __self__).__init__( 'azure-native:cdn:Policy', diff --git a/sdk/python/pulumi_azure_native/cdn/profile.py b/sdk/python/pulumi_azure_native/cdn/profile.py index 8cf2d9b3e07c..4b2728314665 100644 --- a/sdk/python/pulumi_azure_native/cdn/profile.py +++ b/sdk/python/pulumi_azure_native/cdn/profile.py @@ -251,7 +251,7 @@ def _internal_init(__self__, __props__.__dict__["resource_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20150601:Profile"), pulumi.Alias(type_="azure-native:cdn/v20160402:Profile"), pulumi.Alias(type_="azure-native:cdn/v20161002:Profile"), pulumi.Alias(type_="azure-native:cdn/v20170402:Profile"), pulumi.Alias(type_="azure-native:cdn/v20171012:Profile"), pulumi.Alias(type_="azure-native:cdn/v20190415:Profile"), pulumi.Alias(type_="azure-native:cdn/v20190615:Profile"), pulumi.Alias(type_="azure-native:cdn/v20190615preview:Profile"), pulumi.Alias(type_="azure-native:cdn/v20191231:Profile"), pulumi.Alias(type_="azure-native:cdn/v20200331:Profile"), pulumi.Alias(type_="azure-native:cdn/v20200415:Profile"), pulumi.Alias(type_="azure-native:cdn/v20200901:Profile"), pulumi.Alias(type_="azure-native:cdn/v20210601:Profile"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:Profile"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:Profile"), pulumi.Alias(type_="azure-native:cdn/v20230501:Profile"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Profile"), pulumi.Alias(type_="azure-native:cdn/v20240201:Profile"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Profile"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Profile"), pulumi.Alias(type_="azure-native:cdn/v20240901:Profile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:Profile"), pulumi.Alias(type_="azure-native:cdn/v20230501:Profile"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Profile"), pulumi.Alias(type_="azure-native:cdn/v20240201:Profile"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Profile"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Profile"), pulumi.Alias(type_="azure-native:cdn/v20240901:Profile"), pulumi.Alias(type_="azure-native_cdn_v20150601:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20160402:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20161002:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20170402:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20171012:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20190415:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20190615:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20190615preview:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20191231:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20200331:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20200415:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:Profile"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:Profile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Profile, __self__).__init__( 'azure-native:cdn:Profile', diff --git a/sdk/python/pulumi_azure_native/cdn/route.py b/sdk/python/pulumi_azure_native/cdn/route.py index 918d6fb9fcac..3244cd6fb3da 100644 --- a/sdk/python/pulumi_azure_native/cdn/route.py +++ b/sdk/python/pulumi_azure_native/cdn/route.py @@ -402,7 +402,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:Route"), pulumi.Alias(type_="azure-native:cdn/v20210601:Route"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:Route"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:Route"), pulumi.Alias(type_="azure-native:cdn/v20230501:Route"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Route"), pulumi.Alias(type_="azure-native:cdn/v20240201:Route"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Route"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Route"), pulumi.Alias(type_="azure-native:cdn/v20240901:Route")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:Route"), pulumi.Alias(type_="azure-native:cdn/v20230501:Route"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Route"), pulumi.Alias(type_="azure-native:cdn/v20240201:Route"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Route"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Route"), pulumi.Alias(type_="azure-native:cdn/v20240901:Route"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:Route"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:Route"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:Route"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:Route"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:Route"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:Route"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:Route"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:Route"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:Route"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:Route")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Route, __self__).__init__( 'azure-native:cdn:Route', diff --git a/sdk/python/pulumi_azure_native/cdn/rule.py b/sdk/python/pulumi_azure_native/cdn/rule.py index 3ec1973383b2..958929d5d426 100644 --- a/sdk/python/pulumi_azure_native/cdn/rule.py +++ b/sdk/python/pulumi_azure_native/cdn/rule.py @@ -255,7 +255,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:Rule"), pulumi.Alias(type_="azure-native:cdn/v20210601:Rule"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:Rule"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:Rule"), pulumi.Alias(type_="azure-native:cdn/v20230501:Rule"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Rule"), pulumi.Alias(type_="azure-native:cdn/v20240201:Rule"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Rule"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Rule"), pulumi.Alias(type_="azure-native:cdn/v20240901:Rule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230501:Rule"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Rule"), pulumi.Alias(type_="azure-native:cdn/v20240201:Rule"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Rule"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Rule"), pulumi.Alias(type_="azure-native:cdn/v20240901:Rule"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:Rule"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:Rule"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:Rule"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:Rule"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:Rule"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:Rule"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:Rule"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:Rule"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:Rule"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:Rule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Rule, __self__).__init__( 'azure-native:cdn:Rule', diff --git a/sdk/python/pulumi_azure_native/cdn/rule_set.py b/sdk/python/pulumi_azure_native/cdn/rule_set.py index 68cfc05199c2..086d15fd0f92 100644 --- a/sdk/python/pulumi_azure_native/cdn/rule_set.py +++ b/sdk/python/pulumi_azure_native/cdn/rule_set.py @@ -146,7 +146,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20210601:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20230501:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20240201:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20240901:RuleSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230501:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20240201:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:RuleSet"), pulumi.Alias(type_="azure-native:cdn/v20240901:RuleSet"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:RuleSet"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:RuleSet"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:RuleSet"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:RuleSet"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:RuleSet"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:RuleSet"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:RuleSet"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:RuleSet"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:RuleSet"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:RuleSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RuleSet, __self__).__init__( 'azure-native:cdn:RuleSet', diff --git a/sdk/python/pulumi_azure_native/cdn/secret.py b/sdk/python/pulumi_azure_native/cdn/secret.py index 88ca5eb0fdd6..a063052773e3 100644 --- a/sdk/python/pulumi_azure_native/cdn/secret.py +++ b/sdk/python/pulumi_azure_native/cdn/secret.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:Secret"), pulumi.Alias(type_="azure-native:cdn/v20210601:Secret"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:Secret"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:Secret"), pulumi.Alias(type_="azure-native:cdn/v20230501:Secret"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Secret"), pulumi.Alias(type_="azure-native:cdn/v20240201:Secret"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Secret"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Secret"), pulumi.Alias(type_="azure-native:cdn/v20240901:Secret")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230501:Secret"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:Secret"), pulumi.Alias(type_="azure-native:cdn/v20240201:Secret"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:Secret"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:Secret"), pulumi.Alias(type_="azure-native:cdn/v20240901:Secret"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:Secret"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:Secret"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:Secret"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:Secret"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:Secret"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:Secret"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:Secret"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:Secret"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:Secret"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:Secret")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Secret, __self__).__init__( 'azure-native:cdn:Secret', diff --git a/sdk/python/pulumi_azure_native/cdn/security_policy.py b/sdk/python/pulumi_azure_native/cdn/security_policy.py index bebd3a0096f7..cd0170ad1819 100644 --- a/sdk/python/pulumi_azure_native/cdn/security_policy.py +++ b/sdk/python/pulumi_azure_native/cdn/security_policy.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20200901:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20210601:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20220501preview:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20221101preview:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20230501:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20240201:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20240901:SecurityPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20230501:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20230701preview:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20240201:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20240501preview:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20240601preview:SecurityPolicy"), pulumi.Alias(type_="azure-native:cdn/v20240901:SecurityPolicy"), pulumi.Alias(type_="azure-native_cdn_v20200901:cdn:SecurityPolicy"), pulumi.Alias(type_="azure-native_cdn_v20210601:cdn:SecurityPolicy"), pulumi.Alias(type_="azure-native_cdn_v20220501preview:cdn:SecurityPolicy"), pulumi.Alias(type_="azure-native_cdn_v20221101preview:cdn:SecurityPolicy"), pulumi.Alias(type_="azure-native_cdn_v20230501:cdn:SecurityPolicy"), pulumi.Alias(type_="azure-native_cdn_v20230701preview:cdn:SecurityPolicy"), pulumi.Alias(type_="azure-native_cdn_v20240201:cdn:SecurityPolicy"), pulumi.Alias(type_="azure-native_cdn_v20240501preview:cdn:SecurityPolicy"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:SecurityPolicy"), pulumi.Alias(type_="azure-native_cdn_v20240901:cdn:SecurityPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityPolicy, __self__).__init__( 'azure-native:cdn:SecurityPolicy', diff --git a/sdk/python/pulumi_azure_native/cdn/tunnel_policy.py b/sdk/python/pulumi_azure_native/cdn/tunnel_policy.py index 0c60777f575f..de17bec39afe 100644 --- a/sdk/python/pulumi_azure_native/cdn/tunnel_policy.py +++ b/sdk/python/pulumi_azure_native/cdn/tunnel_policy.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20240601preview:TunnelPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cdn/v20240601preview:TunnelPolicy"), pulumi.Alias(type_="azure-native_cdn_v20240601preview:cdn:TunnelPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TunnelPolicy, __self__).__init__( 'azure-native:cdn:TunnelPolicy', diff --git a/sdk/python/pulumi_azure_native/certificateregistration/app_service_certificate_order.py b/sdk/python/pulumi_azure_native/certificateregistration/app_service_certificate_order.py index b23d769fa05f..edcbc81106e4 100644 --- a/sdk/python/pulumi_azure_native/certificateregistration/app_service_certificate_order.py +++ b/sdk/python/pulumi_azure_native/certificateregistration/app_service_certificate_order.py @@ -350,7 +350,7 @@ def _internal_init(__self__, __props__.__dict__["signed_certificate"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:certificateregistration/v20150801:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20180201:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20190801:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20200601:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20200901:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20201001:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20201201:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20210101:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20210115:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20210201:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20210301:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20220301:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20220901:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20230101:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20231201:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20240401:AppServiceCertificateOrder")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:certificateregistration/v20201001:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20220901:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20230101:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20231201:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native:certificateregistration/v20240401:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20150801:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20180201:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20190801:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20200601:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20200901:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20201001:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20201201:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20210101:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20210115:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20210201:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20210301:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20220301:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20220901:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20230101:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20231201:certificateregistration:AppServiceCertificateOrder"), pulumi.Alias(type_="azure-native_certificateregistration_v20240401:certificateregistration:AppServiceCertificateOrder")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AppServiceCertificateOrder, __self__).__init__( 'azure-native:certificateregistration:AppServiceCertificateOrder', diff --git a/sdk/python/pulumi_azure_native/certificateregistration/app_service_certificate_order_certificate.py b/sdk/python/pulumi_azure_native/certificateregistration/app_service_certificate_order_certificate.py index 2a7ba27007b8..c7a9f7a3f0c4 100644 --- a/sdk/python/pulumi_azure_native/certificateregistration/app_service_certificate_order_certificate.py +++ b/sdk/python/pulumi_azure_native/certificateregistration/app_service_certificate_order_certificate.py @@ -242,7 +242,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:certificateregistration/v20150801:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20180201:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20190801:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20200601:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20200901:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20201001:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20201201:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20210101:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20210115:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20210201:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20210301:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20220301:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20220901:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20230101:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20231201:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20240401:AppServiceCertificateOrderCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:certificateregistration/v20201001:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20220901:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20230101:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20231201:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native:certificateregistration/v20240401:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20150801:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20180201:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20190801:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20200601:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20200901:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20201001:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20201201:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20210101:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20210115:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20210201:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20210301:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20220301:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20220901:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20230101:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20231201:certificateregistration:AppServiceCertificateOrderCertificate"), pulumi.Alias(type_="azure-native_certificateregistration_v20240401:certificateregistration:AppServiceCertificateOrderCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AppServiceCertificateOrderCertificate, __self__).__init__( 'azure-native:certificateregistration:AppServiceCertificateOrderCertificate', diff --git a/sdk/python/pulumi_azure_native/changeanalysis/configuration_profile.py b/sdk/python/pulumi_azure_native/changeanalysis/configuration_profile.py index fad6cf76d028..b9a05449ba7f 100644 --- a/sdk/python/pulumi_azure_native/changeanalysis/configuration_profile.py +++ b/sdk/python/pulumi_azure_native/changeanalysis/configuration_profile.py @@ -160,7 +160,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:changeanalysis/v20200401preview:ConfigurationProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:changeanalysis/v20200401preview:ConfigurationProfile"), pulumi.Alias(type_="azure-native_changeanalysis_v20200401preview:changeanalysis:ConfigurationProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationProfile, __self__).__init__( 'azure-native:changeanalysis:ConfigurationProfile', diff --git a/sdk/python/pulumi_azure_native/chaos/capability.py b/sdk/python/pulumi_azure_native/chaos/capability.py index 8bdcfde6f335..3ea2a7f8b7d2 100644 --- a/sdk/python/pulumi_azure_native/chaos/capability.py +++ b/sdk/python/pulumi_azure_native/chaos/capability.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:chaos/v20210915preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20220701preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20221001preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20230401preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20230415preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20230901preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20231027preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20231101:Capability"), pulumi.Alias(type_="azure-native:chaos/v20240101:Capability"), pulumi.Alias(type_="azure-native:chaos/v20240322preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20241101preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20250101:Capability")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:chaos/v20230415preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20230901preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20231027preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20231101:Capability"), pulumi.Alias(type_="azure-native:chaos/v20240101:Capability"), pulumi.Alias(type_="azure-native:chaos/v20240322preview:Capability"), pulumi.Alias(type_="azure-native:chaos/v20241101preview:Capability"), pulumi.Alias(type_="azure-native_chaos_v20210915preview:chaos:Capability"), pulumi.Alias(type_="azure-native_chaos_v20220701preview:chaos:Capability"), pulumi.Alias(type_="azure-native_chaos_v20221001preview:chaos:Capability"), pulumi.Alias(type_="azure-native_chaos_v20230401preview:chaos:Capability"), pulumi.Alias(type_="azure-native_chaos_v20230415preview:chaos:Capability"), pulumi.Alias(type_="azure-native_chaos_v20230901preview:chaos:Capability"), pulumi.Alias(type_="azure-native_chaos_v20231027preview:chaos:Capability"), pulumi.Alias(type_="azure-native_chaos_v20231101:chaos:Capability"), pulumi.Alias(type_="azure-native_chaos_v20240101:chaos:Capability"), pulumi.Alias(type_="azure-native_chaos_v20240322preview:chaos:Capability"), pulumi.Alias(type_="azure-native_chaos_v20241101preview:chaos:Capability"), pulumi.Alias(type_="azure-native_chaos_v20250101:chaos:Capability")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Capability, __self__).__init__( 'azure-native:chaos:Capability', diff --git a/sdk/python/pulumi_azure_native/chaos/experiment.py b/sdk/python/pulumi_azure_native/chaos/experiment.py index 0918fb8b7aaf..6380a44ac4aa 100644 --- a/sdk/python/pulumi_azure_native/chaos/experiment.py +++ b/sdk/python/pulumi_azure_native/chaos/experiment.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:chaos/v20210915preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20220701preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20221001preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20230401preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20230415preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20230901preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20231027preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20231101:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20240101:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20240322preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20241101preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20250101:Experiment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:chaos/v20230415preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20230901preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20231027preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20231101:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20240101:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20240322preview:Experiment"), pulumi.Alias(type_="azure-native:chaos/v20241101preview:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20210915preview:chaos:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20220701preview:chaos:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20221001preview:chaos:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20230401preview:chaos:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20230415preview:chaos:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20230901preview:chaos:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20231027preview:chaos:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20231101:chaos:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20240101:chaos:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20240322preview:chaos:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20241101preview:chaos:Experiment"), pulumi.Alias(type_="azure-native_chaos_v20250101:chaos:Experiment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Experiment, __self__).__init__( 'azure-native:chaos:Experiment', diff --git a/sdk/python/pulumi_azure_native/chaos/private_access.py b/sdk/python/pulumi_azure_native/chaos/private_access.py index a83d570e7a65..b51d0b2d86ea 100644 --- a/sdk/python/pulumi_azure_native/chaos/private_access.py +++ b/sdk/python/pulumi_azure_native/chaos/private_access.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:chaos/v20231027preview:PrivateAccess"), pulumi.Alias(type_="azure-native:chaos/v20240322preview:PrivateAccess"), pulumi.Alias(type_="azure-native:chaos/v20241101preview:PrivateAccess")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:chaos/v20231027preview:PrivateAccess"), pulumi.Alias(type_="azure-native:chaos/v20240322preview:PrivateAccess"), pulumi.Alias(type_="azure-native:chaos/v20241101preview:PrivateAccess"), pulumi.Alias(type_="azure-native_chaos_v20231027preview:chaos:PrivateAccess"), pulumi.Alias(type_="azure-native_chaos_v20240322preview:chaos:PrivateAccess"), pulumi.Alias(type_="azure-native_chaos_v20241101preview:chaos:PrivateAccess")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateAccess, __self__).__init__( 'azure-native:chaos:PrivateAccess', diff --git a/sdk/python/pulumi_azure_native/chaos/target.py b/sdk/python/pulumi_azure_native/chaos/target.py index 15db4449a472..5c6059367ebf 100644 --- a/sdk/python/pulumi_azure_native/chaos/target.py +++ b/sdk/python/pulumi_azure_native/chaos/target.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:chaos/v20210915preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20220701preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20221001preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20230401preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20230415preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20230901preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20231027preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20231101:Target"), pulumi.Alias(type_="azure-native:chaos/v20240101:Target"), pulumi.Alias(type_="azure-native:chaos/v20240322preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20241101preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20250101:Target")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:chaos/v20230415preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20230901preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20231027preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20231101:Target"), pulumi.Alias(type_="azure-native:chaos/v20240101:Target"), pulumi.Alias(type_="azure-native:chaos/v20240322preview:Target"), pulumi.Alias(type_="azure-native:chaos/v20241101preview:Target"), pulumi.Alias(type_="azure-native_chaos_v20210915preview:chaos:Target"), pulumi.Alias(type_="azure-native_chaos_v20220701preview:chaos:Target"), pulumi.Alias(type_="azure-native_chaos_v20221001preview:chaos:Target"), pulumi.Alias(type_="azure-native_chaos_v20230401preview:chaos:Target"), pulumi.Alias(type_="azure-native_chaos_v20230415preview:chaos:Target"), pulumi.Alias(type_="azure-native_chaos_v20230901preview:chaos:Target"), pulumi.Alias(type_="azure-native_chaos_v20231027preview:chaos:Target"), pulumi.Alias(type_="azure-native_chaos_v20231101:chaos:Target"), pulumi.Alias(type_="azure-native_chaos_v20240101:chaos:Target"), pulumi.Alias(type_="azure-native_chaos_v20240322preview:chaos:Target"), pulumi.Alias(type_="azure-native_chaos_v20241101preview:chaos:Target"), pulumi.Alias(type_="azure-native_chaos_v20250101:chaos:Target")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Target, __self__).__init__( 'azure-native:chaos:Target', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/certificate_object_global_rulestack.py b/sdk/python/pulumi_azure_native/cloudngfw/certificate_object_global_rulestack.py index 4af474c81e2d..3fe9cb232201 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/certificate_object_global_rulestack.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/certificate_object_global_rulestack.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:CertificateObjectGlobalRulestack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:CertificateObjectGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:CertificateObjectGlobalRulestack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CertificateObjectGlobalRulestack, __self__).__init__( 'azure-native:cloudngfw:CertificateObjectGlobalRulestack', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/certificate_object_local_rulestack.py b/sdk/python/pulumi_azure_native/cloudngfw/certificate_object_local_rulestack.py index f98cb27db8a6..013f9ede56ca 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/certificate_object_local_rulestack.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/certificate_object_local_rulestack.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:CertificateObjectLocalRulestack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:CertificateObjectLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:CertificateObjectLocalRulestack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CertificateObjectLocalRulestack, __self__).__init__( 'azure-native:cloudngfw:CertificateObjectLocalRulestack', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/firewall.py b/sdk/python/pulumi_azure_native/cloudngfw/firewall.py index d50dec1a05b5..4727ceb07b6b 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/firewall.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/firewall.py @@ -410,7 +410,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:Firewall")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:Firewall"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:Firewall"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:Firewall"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:Firewall"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:Firewall"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:Firewall"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:Firewall"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:Firewall"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:Firewall"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:Firewall")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Firewall, __self__).__init__( 'azure-native:cloudngfw:Firewall', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/fqdn_list_global_rulestack.py b/sdk/python/pulumi_azure_native/cloudngfw/fqdn_list_global_rulestack.py index 8d532659f785..de075a148de1 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/fqdn_list_global_rulestack.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/fqdn_list_global_rulestack.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:FqdnListGlobalRulestack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:FqdnListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:FqdnListGlobalRulestack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FqdnListGlobalRulestack, __self__).__init__( 'azure-native:cloudngfw:FqdnListGlobalRulestack', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/fqdn_list_local_rulestack.py b/sdk/python/pulumi_azure_native/cloudngfw/fqdn_list_local_rulestack.py index 655e21077bf8..57ddab268276 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/fqdn_list_local_rulestack.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/fqdn_list_local_rulestack.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:FqdnListLocalRulestack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:FqdnListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:FqdnListLocalRulestack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FqdnListLocalRulestack, __self__).__init__( 'azure-native:cloudngfw:FqdnListLocalRulestack', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/global_rulestack.py b/sdk/python/pulumi_azure_native/cloudngfw/global_rulestack.py index 09559cb8d6b1..f5df8a215bf6 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/global_rulestack.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/global_rulestack.py @@ -305,7 +305,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:GlobalRulestack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:GlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:GlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:GlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:GlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:GlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:GlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:GlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:GlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:GlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:GlobalRulestack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GlobalRulestack, __self__).__init__( 'azure-native:cloudngfw:GlobalRulestack', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/local_rule.py b/sdk/python/pulumi_azure_native/cloudngfw/local_rule.py index 03cdaab1cd67..8d7139e845e0 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/local_rule.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/local_rule.py @@ -493,7 +493,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:LocalRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:LocalRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:LocalRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:LocalRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:LocalRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:LocalRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:LocalRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:LocalRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:LocalRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:LocalRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:LocalRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LocalRule, __self__).__init__( 'azure-native:cloudngfw:LocalRule', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/local_rulestack.py b/sdk/python/pulumi_azure_native/cloudngfw/local_rulestack.py index b0e84dae2493..8d14c8c9b2b7 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/local_rulestack.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/local_rulestack.py @@ -346,7 +346,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:LocalRulestack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:LocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:LocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:LocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:LocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:LocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:LocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:LocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:LocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:LocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:LocalRulestack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LocalRulestack, __self__).__init__( 'azure-native:cloudngfw:LocalRulestack', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/post_rule.py b/sdk/python/pulumi_azure_native/cloudngfw/post_rule.py index 4fac6e22d448..8110091686e5 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/post_rule.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/post_rule.py @@ -472,7 +472,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:PostRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:PostRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:PostRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:PostRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:PostRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:PostRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:PostRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:PostRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:PostRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:PostRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:PostRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PostRule, __self__).__init__( 'azure-native:cloudngfw:PostRule', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/pre_rule.py b/sdk/python/pulumi_azure_native/cloudngfw/pre_rule.py index 9e593ba184b8..1217de60d26f 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/pre_rule.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/pre_rule.py @@ -472,7 +472,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:PreRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:PreRule"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:PreRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:PreRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:PreRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:PreRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:PreRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:PreRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:PreRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:PreRule"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:PreRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PreRule, __self__).__init__( 'azure-native:cloudngfw:PreRule', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/prefix_list_global_rulestack.py b/sdk/python/pulumi_azure_native/cloudngfw/prefix_list_global_rulestack.py index c4e414314ded..6816c32ac6fd 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/prefix_list_global_rulestack.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/prefix_list_global_rulestack.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:PrefixListGlobalRulestack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:PrefixListGlobalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:PrefixListGlobalRulestack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrefixListGlobalRulestack, __self__).__init__( 'azure-native:cloudngfw:PrefixListGlobalRulestack', diff --git a/sdk/python/pulumi_azure_native/cloudngfw/prefix_list_local_rulestack.py b/sdk/python/pulumi_azure_native/cloudngfw/prefix_list_local_rulestack.py index b69383c407bb..d52ec9870ed5 100644 --- a/sdk/python/pulumi_azure_native/cloudngfw/prefix_list_local_rulestack.py +++ b/sdk/python/pulumi_azure_native/cloudngfw/prefix_list_local_rulestack.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20250206preview:PrefixListLocalRulestack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cloudngfw/v20220829:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20220829preview:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20230901preview:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20231010preview:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240119preview:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native:cloudngfw/v20240207preview:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829:cloudngfw:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20220829preview:cloudngfw:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901:cloudngfw:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20230901preview:cloudngfw:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20231010preview:cloudngfw:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240119preview:cloudngfw:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20240207preview:cloudngfw:PrefixListLocalRulestack"), pulumi.Alias(type_="azure-native_cloudngfw_v20250206preview:cloudngfw:PrefixListLocalRulestack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrefixListLocalRulestack, __self__).__init__( 'azure-native:cloudngfw:PrefixListLocalRulestack', diff --git a/sdk/python/pulumi_azure_native/codesigning/certificate_profile.py b/sdk/python/pulumi_azure_native/codesigning/certificate_profile.py index 8606ded70f75..c41fa5fa90a4 100644 --- a/sdk/python/pulumi_azure_native/codesigning/certificate_profile.py +++ b/sdk/python/pulumi_azure_native/codesigning/certificate_profile.py @@ -309,7 +309,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:codesigning/v20240205preview:CertificateProfile"), pulumi.Alias(type_="azure-native:codesigning/v20240930preview:CertificateProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:codesigning/v20240205preview:CertificateProfile"), pulumi.Alias(type_="azure-native:codesigning/v20240930preview:CertificateProfile"), pulumi.Alias(type_="azure-native_codesigning_v20240205preview:codesigning:CertificateProfile"), pulumi.Alias(type_="azure-native_codesigning_v20240930preview:codesigning:CertificateProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CertificateProfile, __self__).__init__( 'azure-native:codesigning:CertificateProfile', diff --git a/sdk/python/pulumi_azure_native/codesigning/code_signing_account.py b/sdk/python/pulumi_azure_native/codesigning/code_signing_account.py index ccce5a207d53..1f66a7f83ccd 100644 --- a/sdk/python/pulumi_azure_native/codesigning/code_signing_account.py +++ b/sdk/python/pulumi_azure_native/codesigning/code_signing_account.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:codesigning/v20240205preview:CodeSigningAccount"), pulumi.Alias(type_="azure-native:codesigning/v20240930preview:CodeSigningAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:codesigning/v20240205preview:CodeSigningAccount"), pulumi.Alias(type_="azure-native:codesigning/v20240930preview:CodeSigningAccount"), pulumi.Alias(type_="azure-native_codesigning_v20240205preview:codesigning:CodeSigningAccount"), pulumi.Alias(type_="azure-native_codesigning_v20240930preview:codesigning:CodeSigningAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CodeSigningAccount, __self__).__init__( 'azure-native:codesigning:CodeSigningAccount', diff --git a/sdk/python/pulumi_azure_native/cognitiveservices/account.py b/sdk/python/pulumi_azure_native/cognitiveservices/account.py index bd189a18805f..f1dfa92d9296 100644 --- a/sdk/python/pulumi_azure_native/cognitiveservices/account.py +++ b/sdk/python/pulumi_azure_native/cognitiveservices/account.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20160201preview:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20170418:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20210430:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20211001:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20220301:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20221001:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20221201:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20250401preview:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20170418:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:Account"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20160201preview:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20170418:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20210430:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20211001:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20220301:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20221001:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20221201:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20230501:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20231001preview:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240401preview:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240601preview:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20241001:cognitiveservices:Account"), pulumi.Alias(type_="azure-native_cognitiveservices_v20250401preview:cognitiveservices:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:cognitiveservices:Account', diff --git a/sdk/python/pulumi_azure_native/cognitiveservices/commitment_plan.py b/sdk/python/pulumi_azure_native/cognitiveservices/commitment_plan.py index 83f1d3e2074d..ef4ad4a78a8c 100644 --- a/sdk/python/pulumi_azure_native/cognitiveservices/commitment_plan.py +++ b/sdk/python/pulumi_azure_native/cognitiveservices/commitment_plan.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20211001:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20220301:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20221001:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20221201:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20250401preview:CommitmentPlan")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:CommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:CommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20211001:cognitiveservices:CommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20220301:cognitiveservices:CommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20221001:cognitiveservices:CommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20221201:cognitiveservices:CommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20230501:cognitiveservices:CommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20231001preview:cognitiveservices:CommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240401preview:cognitiveservices:CommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240601preview:cognitiveservices:CommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20241001:cognitiveservices:CommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20250401preview:cognitiveservices:CommitmentPlan")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CommitmentPlan, __self__).__init__( 'azure-native:cognitiveservices:CommitmentPlan', diff --git a/sdk/python/pulumi_azure_native/cognitiveservices/commitment_plan_association.py b/sdk/python/pulumi_azure_native/cognitiveservices/commitment_plan_association.py index 8edb8e726d64..e5c8ba40cb69 100644 --- a/sdk/python/pulumi_azure_native/cognitiveservices/commitment_plan_association.py +++ b/sdk/python/pulumi_azure_native/cognitiveservices/commitment_plan_association.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20221201:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native:cognitiveservices/v20250401preview:CommitmentPlanAssociation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native_cognitiveservices_v20221201:cognitiveservices:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native_cognitiveservices_v20230501:cognitiveservices:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native_cognitiveservices_v20231001preview:cognitiveservices:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240401preview:cognitiveservices:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240601preview:cognitiveservices:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native_cognitiveservices_v20241001:cognitiveservices:CommitmentPlanAssociation"), pulumi.Alias(type_="azure-native_cognitiveservices_v20250401preview:cognitiveservices:CommitmentPlanAssociation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CommitmentPlanAssociation, __self__).__init__( 'azure-native:cognitiveservices:CommitmentPlanAssociation', diff --git a/sdk/python/pulumi_azure_native/cognitiveservices/deployment.py b/sdk/python/pulumi_azure_native/cognitiveservices/deployment.py index e9660b4f512f..3d5a30a55e99 100644 --- a/sdk/python/pulumi_azure_native/cognitiveservices/deployment.py +++ b/sdk/python/pulumi_azure_native/cognitiveservices/deployment.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20211001:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20220301:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20221001:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20221201:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20250401preview:Deployment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:Deployment"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:Deployment"), pulumi.Alias(type_="azure-native_cognitiveservices_v20211001:cognitiveservices:Deployment"), pulumi.Alias(type_="azure-native_cognitiveservices_v20220301:cognitiveservices:Deployment"), pulumi.Alias(type_="azure-native_cognitiveservices_v20221001:cognitiveservices:Deployment"), pulumi.Alias(type_="azure-native_cognitiveservices_v20221201:cognitiveservices:Deployment"), pulumi.Alias(type_="azure-native_cognitiveservices_v20230501:cognitiveservices:Deployment"), pulumi.Alias(type_="azure-native_cognitiveservices_v20231001preview:cognitiveservices:Deployment"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240401preview:cognitiveservices:Deployment"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240601preview:cognitiveservices:Deployment"), pulumi.Alias(type_="azure-native_cognitiveservices_v20241001:cognitiveservices:Deployment"), pulumi.Alias(type_="azure-native_cognitiveservices_v20250401preview:cognitiveservices:Deployment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Deployment, __self__).__init__( 'azure-native:cognitiveservices:Deployment', diff --git a/sdk/python/pulumi_azure_native/cognitiveservices/encryption_scope.py b/sdk/python/pulumi_azure_native/cognitiveservices/encryption_scope.py index f193dfe8b5a4..6317b547b407 100644 --- a/sdk/python/pulumi_azure_native/cognitiveservices/encryption_scope.py +++ b/sdk/python/pulumi_azure_native/cognitiveservices/encryption_scope.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:EncryptionScope"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:EncryptionScope"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:EncryptionScope"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:EncryptionScope"), pulumi.Alias(type_="azure-native:cognitiveservices/v20250401preview:EncryptionScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:EncryptionScope"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:EncryptionScope"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:EncryptionScope"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:EncryptionScope"), pulumi.Alias(type_="azure-native_cognitiveservices_v20231001preview:cognitiveservices:EncryptionScope"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240401preview:cognitiveservices:EncryptionScope"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240601preview:cognitiveservices:EncryptionScope"), pulumi.Alias(type_="azure-native_cognitiveservices_v20241001:cognitiveservices:EncryptionScope"), pulumi.Alias(type_="azure-native_cognitiveservices_v20250401preview:cognitiveservices:EncryptionScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EncryptionScope, __self__).__init__( 'azure-native:cognitiveservices:EncryptionScope', diff --git a/sdk/python/pulumi_azure_native/cognitiveservices/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/cognitiveservices/private_endpoint_connection.py index 0ae8060995fe..4936bd96318b 100644 --- a/sdk/python/pulumi_azure_native/cognitiveservices/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/cognitiveservices/private_endpoint_connection.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20170418:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20210430:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20211001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20220301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20221001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20221201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20250401preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20170418:cognitiveservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20210430:cognitiveservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20211001:cognitiveservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20220301:cognitiveservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20221001:cognitiveservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20221201:cognitiveservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20230501:cognitiveservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20231001preview:cognitiveservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240401preview:cognitiveservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240601preview:cognitiveservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20241001:cognitiveservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cognitiveservices_v20250401preview:cognitiveservices:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:cognitiveservices:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/cognitiveservices/rai_blocklist.py b/sdk/python/pulumi_azure_native/cognitiveservices/rai_blocklist.py index ec1d2a5965e3..0d29754d7355 100644 --- a/sdk/python/pulumi_azure_native/cognitiveservices/rai_blocklist.py +++ b/sdk/python/pulumi_azure_native/cognitiveservices/rai_blocklist.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:RaiBlocklist"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:RaiBlocklist"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:RaiBlocklist"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:RaiBlocklist"), pulumi.Alias(type_="azure-native:cognitiveservices/v20250401preview:RaiBlocklist")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:RaiBlocklist"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:RaiBlocklist"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:RaiBlocklist"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:RaiBlocklist"), pulumi.Alias(type_="azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiBlocklist"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiBlocklist"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiBlocklist"), pulumi.Alias(type_="azure-native_cognitiveservices_v20241001:cognitiveservices:RaiBlocklist"), pulumi.Alias(type_="azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiBlocklist")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RaiBlocklist, __self__).__init__( 'azure-native:cognitiveservices:RaiBlocklist', diff --git a/sdk/python/pulumi_azure_native/cognitiveservices/rai_blocklist_item.py b/sdk/python/pulumi_azure_native/cognitiveservices/rai_blocklist_item.py index 911065332dc3..f3fabf9053c5 100644 --- a/sdk/python/pulumi_azure_native/cognitiveservices/rai_blocklist_item.py +++ b/sdk/python/pulumi_azure_native/cognitiveservices/rai_blocklist_item.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:RaiBlocklistItem"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:RaiBlocklistItem"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:RaiBlocklistItem"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:RaiBlocklistItem"), pulumi.Alias(type_="azure-native:cognitiveservices/v20250401preview:RaiBlocklistItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:RaiBlocklistItem"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:RaiBlocklistItem"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:RaiBlocklistItem"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:RaiBlocklistItem"), pulumi.Alias(type_="azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiBlocklistItem"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiBlocklistItem"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiBlocklistItem"), pulumi.Alias(type_="azure-native_cognitiveservices_v20241001:cognitiveservices:RaiBlocklistItem"), pulumi.Alias(type_="azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiBlocklistItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RaiBlocklistItem, __self__).__init__( 'azure-native:cognitiveservices:RaiBlocklistItem', diff --git a/sdk/python/pulumi_azure_native/cognitiveservices/rai_policy.py b/sdk/python/pulumi_azure_native/cognitiveservices/rai_policy.py index 058486589a77..966ee426bbbc 100644 --- a/sdk/python/pulumi_azure_native/cognitiveservices/rai_policy.py +++ b/sdk/python/pulumi_azure_native/cognitiveservices/rai_policy.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:RaiPolicy"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:RaiPolicy"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:RaiPolicy"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:RaiPolicy"), pulumi.Alias(type_="azure-native:cognitiveservices/v20250401preview:RaiPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:RaiPolicy"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:RaiPolicy"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:RaiPolicy"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:RaiPolicy"), pulumi.Alias(type_="azure-native_cognitiveservices_v20231001preview:cognitiveservices:RaiPolicy"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240401preview:cognitiveservices:RaiPolicy"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240601preview:cognitiveservices:RaiPolicy"), pulumi.Alias(type_="azure-native_cognitiveservices_v20241001:cognitiveservices:RaiPolicy"), pulumi.Alias(type_="azure-native_cognitiveservices_v20250401preview:cognitiveservices:RaiPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RaiPolicy, __self__).__init__( 'azure-native:cognitiveservices:RaiPolicy', diff --git a/sdk/python/pulumi_azure_native/cognitiveservices/shared_commitment_plan.py b/sdk/python/pulumi_azure_native/cognitiveservices/shared_commitment_plan.py index 543b88b89b21..2eb879d6ec90 100644 --- a/sdk/python/pulumi_azure_native/cognitiveservices/shared_commitment_plan.py +++ b/sdk/python/pulumi_azure_native/cognitiveservices/shared_commitment_plan.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20221201:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20250401preview:SharedCommitmentPlan")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cognitiveservices/v20230501:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20231001preview:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240401preview:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20240601preview:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native:cognitiveservices/v20241001:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20221201:cognitiveservices:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20230501:cognitiveservices:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20231001preview:cognitiveservices:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240401preview:cognitiveservices:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20240601preview:cognitiveservices:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20241001:cognitiveservices:SharedCommitmentPlan"), pulumi.Alias(type_="azure-native_cognitiveservices_v20250401preview:cognitiveservices:SharedCommitmentPlan")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SharedCommitmentPlan, __self__).__init__( 'azure-native:cognitiveservices:SharedCommitmentPlan', diff --git a/sdk/python/pulumi_azure_native/communication/communication_service.py b/sdk/python/pulumi_azure_native/communication/communication_service.py index 11d4f2063775..f9b0089905c3 100644 --- a/sdk/python/pulumi_azure_native/communication/communication_service.py +++ b/sdk/python/pulumi_azure_native/communication/communication_service.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20200820:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20200820preview:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20211001preview:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20220701preview:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20230301preview:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20230331:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20230401:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20230401preview:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20230601preview:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20240901preview:CommunicationService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20230331:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20230401:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20230401preview:CommunicationService"), pulumi.Alias(type_="azure-native:communication/v20230601preview:CommunicationService"), pulumi.Alias(type_="azure-native_communication_v20200820:communication:CommunicationService"), pulumi.Alias(type_="azure-native_communication_v20200820preview:communication:CommunicationService"), pulumi.Alias(type_="azure-native_communication_v20211001preview:communication:CommunicationService"), pulumi.Alias(type_="azure-native_communication_v20220701preview:communication:CommunicationService"), pulumi.Alias(type_="azure-native_communication_v20230301preview:communication:CommunicationService"), pulumi.Alias(type_="azure-native_communication_v20230331:communication:CommunicationService"), pulumi.Alias(type_="azure-native_communication_v20230401:communication:CommunicationService"), pulumi.Alias(type_="azure-native_communication_v20230401preview:communication:CommunicationService"), pulumi.Alias(type_="azure-native_communication_v20230601preview:communication:CommunicationService"), pulumi.Alias(type_="azure-native_communication_v20240901preview:communication:CommunicationService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CommunicationService, __self__).__init__( 'azure-native:communication:CommunicationService', diff --git a/sdk/python/pulumi_azure_native/communication/domain.py b/sdk/python/pulumi_azure_native/communication/domain.py index 663be0c130b2..1b881a279c1d 100644 --- a/sdk/python/pulumi_azure_native/communication/domain.py +++ b/sdk/python/pulumi_azure_native/communication/domain.py @@ -236,7 +236,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["verification_records"] = None __props__.__dict__["verification_states"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20211001preview:Domain"), pulumi.Alias(type_="azure-native:communication/v20220701preview:Domain"), pulumi.Alias(type_="azure-native:communication/v20230301preview:Domain"), pulumi.Alias(type_="azure-native:communication/v20230331:Domain"), pulumi.Alias(type_="azure-native:communication/v20230401:Domain"), pulumi.Alias(type_="azure-native:communication/v20230401preview:Domain"), pulumi.Alias(type_="azure-native:communication/v20230601preview:Domain"), pulumi.Alias(type_="azure-native:communication/v20240901preview:Domain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20220701preview:Domain"), pulumi.Alias(type_="azure-native:communication/v20230331:Domain"), pulumi.Alias(type_="azure-native:communication/v20230401:Domain"), pulumi.Alias(type_="azure-native:communication/v20230401preview:Domain"), pulumi.Alias(type_="azure-native:communication/v20230601preview:Domain"), pulumi.Alias(type_="azure-native_communication_v20211001preview:communication:Domain"), pulumi.Alias(type_="azure-native_communication_v20220701preview:communication:Domain"), pulumi.Alias(type_="azure-native_communication_v20230301preview:communication:Domain"), pulumi.Alias(type_="azure-native_communication_v20230331:communication:Domain"), pulumi.Alias(type_="azure-native_communication_v20230401:communication:Domain"), pulumi.Alias(type_="azure-native_communication_v20230401preview:communication:Domain"), pulumi.Alias(type_="azure-native_communication_v20230601preview:communication:Domain"), pulumi.Alias(type_="azure-native_communication_v20240901preview:communication:Domain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Domain, __self__).__init__( 'azure-native:communication:Domain', diff --git a/sdk/python/pulumi_azure_native/communication/email_service.py b/sdk/python/pulumi_azure_native/communication/email_service.py index 27489e1a57fb..261660bacccd 100644 --- a/sdk/python/pulumi_azure_native/communication/email_service.py +++ b/sdk/python/pulumi_azure_native/communication/email_service.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20211001preview:EmailService"), pulumi.Alias(type_="azure-native:communication/v20220701preview:EmailService"), pulumi.Alias(type_="azure-native:communication/v20230301preview:EmailService"), pulumi.Alias(type_="azure-native:communication/v20230331:EmailService"), pulumi.Alias(type_="azure-native:communication/v20230401:EmailService"), pulumi.Alias(type_="azure-native:communication/v20230401preview:EmailService"), pulumi.Alias(type_="azure-native:communication/v20230601preview:EmailService"), pulumi.Alias(type_="azure-native:communication/v20240901preview:EmailService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20230331:EmailService"), pulumi.Alias(type_="azure-native:communication/v20230401:EmailService"), pulumi.Alias(type_="azure-native:communication/v20230401preview:EmailService"), pulumi.Alias(type_="azure-native:communication/v20230601preview:EmailService"), pulumi.Alias(type_="azure-native_communication_v20211001preview:communication:EmailService"), pulumi.Alias(type_="azure-native_communication_v20220701preview:communication:EmailService"), pulumi.Alias(type_="azure-native_communication_v20230301preview:communication:EmailService"), pulumi.Alias(type_="azure-native_communication_v20230331:communication:EmailService"), pulumi.Alias(type_="azure-native_communication_v20230401:communication:EmailService"), pulumi.Alias(type_="azure-native_communication_v20230401preview:communication:EmailService"), pulumi.Alias(type_="azure-native_communication_v20230601preview:communication:EmailService"), pulumi.Alias(type_="azure-native_communication_v20240901preview:communication:EmailService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EmailService, __self__).__init__( 'azure-native:communication:EmailService', diff --git a/sdk/python/pulumi_azure_native/communication/sender_username.py b/sdk/python/pulumi_azure_native/communication/sender_username.py index 27c92c9b7af3..04124f43e093 100644 --- a/sdk/python/pulumi_azure_native/communication/sender_username.py +++ b/sdk/python/pulumi_azure_native/communication/sender_username.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20230301preview:SenderUsername"), pulumi.Alias(type_="azure-native:communication/v20230331:SenderUsername"), pulumi.Alias(type_="azure-native:communication/v20230401:SenderUsername"), pulumi.Alias(type_="azure-native:communication/v20230401preview:SenderUsername"), pulumi.Alias(type_="azure-native:communication/v20230601preview:SenderUsername"), pulumi.Alias(type_="azure-native:communication/v20240901preview:SenderUsername")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20230331:SenderUsername"), pulumi.Alias(type_="azure-native:communication/v20230401:SenderUsername"), pulumi.Alias(type_="azure-native:communication/v20230401preview:SenderUsername"), pulumi.Alias(type_="azure-native:communication/v20230601preview:SenderUsername"), pulumi.Alias(type_="azure-native_communication_v20230301preview:communication:SenderUsername"), pulumi.Alias(type_="azure-native_communication_v20230331:communication:SenderUsername"), pulumi.Alias(type_="azure-native_communication_v20230401:communication:SenderUsername"), pulumi.Alias(type_="azure-native_communication_v20230401preview:communication:SenderUsername"), pulumi.Alias(type_="azure-native_communication_v20230601preview:communication:SenderUsername"), pulumi.Alias(type_="azure-native_communication_v20240901preview:communication:SenderUsername")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SenderUsername, __self__).__init__( 'azure-native:communication:SenderUsername', diff --git a/sdk/python/pulumi_azure_native/communication/suppression_list.py b/sdk/python/pulumi_azure_native/communication/suppression_list.py index 3d3f2dc26d36..37cb1e1a7d5c 100644 --- a/sdk/python/pulumi_azure_native/communication/suppression_list.py +++ b/sdk/python/pulumi_azure_native/communication/suppression_list.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20230601preview:SuppressionList"), pulumi.Alias(type_="azure-native:communication/v20240901preview:SuppressionList")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20230601preview:SuppressionList"), pulumi.Alias(type_="azure-native_communication_v20230601preview:communication:SuppressionList"), pulumi.Alias(type_="azure-native_communication_v20240901preview:communication:SuppressionList")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SuppressionList, __self__).__init__( 'azure-native:communication:SuppressionList', diff --git a/sdk/python/pulumi_azure_native/communication/suppression_list_address.py b/sdk/python/pulumi_azure_native/communication/suppression_list_address.py index 37e067508149..be623d28d3ee 100644 --- a/sdk/python/pulumi_azure_native/communication/suppression_list_address.py +++ b/sdk/python/pulumi_azure_native/communication/suppression_list_address.py @@ -269,7 +269,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20230601preview:SuppressionListAddress"), pulumi.Alias(type_="azure-native:communication/v20240901preview:SuppressionListAddress")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:communication/v20230601preview:SuppressionListAddress"), pulumi.Alias(type_="azure-native_communication_v20230601preview:communication:SuppressionListAddress"), pulumi.Alias(type_="azure-native_communication_v20240901preview:communication:SuppressionListAddress")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SuppressionListAddress, __self__).__init__( 'azure-native:communication:SuppressionListAddress', diff --git a/sdk/python/pulumi_azure_native/community/community_training.py b/sdk/python/pulumi_azure_native/community/community_training.py index e669220ea90b..d93c50394ad3 100644 --- a/sdk/python/pulumi_azure_native/community/community_training.py +++ b/sdk/python/pulumi_azure_native/community/community_training.py @@ -329,7 +329,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:community/v20231101:CommunityTraining")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:community/v20231101:CommunityTraining"), pulumi.Alias(type_="azure-native_community_v20231101:community:CommunityTraining")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CommunityTraining, __self__).__init__( 'azure-native:community:CommunityTraining', diff --git a/sdk/python/pulumi_azure_native/compute/availability_set.py b/sdk/python/pulumi_azure_native/compute/availability_set.py index c05cbd6595c8..7f073048101b 100644 --- a/sdk/python/pulumi_azure_native/compute/availability_set.py +++ b/sdk/python/pulumi_azure_native/compute/availability_set.py @@ -285,7 +285,7 @@ def _internal_init(__self__, __props__.__dict__["statuses"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_machine_scale_set_migration_info"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20150615:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20160330:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20160430preview:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20170330:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20171201:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20180401:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20180601:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20181001:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20190301:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20190701:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20191201:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20200601:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20201201:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20210301:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20210401:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20210701:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20211101:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20220301:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20220801:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20221101:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20230301:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20230701:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20230901:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20240301:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20240701:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20241101:AvailabilitySet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20230701:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20230901:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20240301:AvailabilitySet"), pulumi.Alias(type_="azure-native:compute/v20240701:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20150615:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20160330:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20160430preview:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20170330:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20171201:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20180401:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20181001:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:AvailabilitySet"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:AvailabilitySet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AvailabilitySet, __self__).__init__( 'azure-native:compute:AvailabilitySet', diff --git a/sdk/python/pulumi_azure_native/compute/capacity_reservation.py b/sdk/python/pulumi_azure_native/compute/capacity_reservation.py index ad5dd1bee03c..f1eb090fa305 100644 --- a/sdk/python/pulumi_azure_native/compute/capacity_reservation.py +++ b/sdk/python/pulumi_azure_native/compute/capacity_reservation.py @@ -232,7 +232,7 @@ def _internal_init(__self__, __props__.__dict__["time_created"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_machines_associated"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20210401:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20210701:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20211101:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20220301:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20220801:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20221101:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20230301:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20230701:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20230901:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20240301:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20240701:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20241101:CapacityReservation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20230701:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20230901:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20240301:CapacityReservation"), pulumi.Alias(type_="azure-native:compute/v20240701:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:CapacityReservation"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:CapacityReservation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CapacityReservation, __self__).__init__( 'azure-native:compute:CapacityReservation', diff --git a/sdk/python/pulumi_azure_native/compute/capacity_reservation_group.py b/sdk/python/pulumi_azure_native/compute/capacity_reservation_group.py index f104bcb7e3fa..cd0bf987989d 100644 --- a/sdk/python/pulumi_azure_native/compute/capacity_reservation_group.py +++ b/sdk/python/pulumi_azure_native/compute/capacity_reservation_group.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_machines_associated"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20210401:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20210701:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20211101:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20220301:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20220801:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20221101:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20230301:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20230701:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20230901:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20240301:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20240701:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20241101:CapacityReservationGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20230701:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20230901:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20240301:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:compute/v20240701:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:CapacityReservationGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CapacityReservationGroup, __self__).__init__( 'azure-native:compute:CapacityReservationGroup', diff --git a/sdk/python/pulumi_azure_native/compute/cloud_service.py b/sdk/python/pulumi_azure_native/compute/cloud_service.py index 7c80ae1915a7..2ce08ddd1405 100644 --- a/sdk/python/pulumi_azure_native/compute/cloud_service.py +++ b/sdk/python/pulumi_azure_native/compute/cloud_service.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20201001preview:CloudService"), pulumi.Alias(type_="azure-native:compute/v20210301:CloudService"), pulumi.Alias(type_="azure-native:compute/v20220404:CloudService"), pulumi.Alias(type_="azure-native:compute/v20220904:CloudService"), pulumi.Alias(type_="azure-native:compute/v20241104:CloudService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20220904:CloudService"), pulumi.Alias(type_="azure-native:compute/v20241104:CloudService"), pulumi.Alias(type_="azure-native_compute_v20201001preview:compute:CloudService"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:CloudService"), pulumi.Alias(type_="azure-native_compute_v20220404:compute:CloudService"), pulumi.Alias(type_="azure-native_compute_v20220904:compute:CloudService"), pulumi.Alias(type_="azure-native_compute_v20241104:compute:CloudService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudService, __self__).__init__( 'azure-native:compute:CloudService', diff --git a/sdk/python/pulumi_azure_native/compute/dedicated_host.py b/sdk/python/pulumi_azure_native/compute/dedicated_host.py index bb2f00ebdf63..98c9737cdd2f 100644 --- a/sdk/python/pulumi_azure_native/compute/dedicated_host.py +++ b/sdk/python/pulumi_azure_native/compute/dedicated_host.py @@ -272,7 +272,7 @@ def _internal_init(__self__, __props__.__dict__["time_created"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_machines"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20190301:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20190701:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20191201:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20200601:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20201201:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20210301:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20210401:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20210701:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20211101:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20220301:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20220801:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20221101:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20230301:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20230701:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20230901:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20240301:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20240701:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20241101:DedicatedHost")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20230701:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20230901:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20240301:DedicatedHost"), pulumi.Alias(type_="azure-native:compute/v20240701:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:DedicatedHost"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:DedicatedHost")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DedicatedHost, __self__).__init__( 'azure-native:compute:DedicatedHost', diff --git a/sdk/python/pulumi_azure_native/compute/dedicated_host_group.py b/sdk/python/pulumi_azure_native/compute/dedicated_host_group.py index e46942220d93..75b2c14061ed 100644 --- a/sdk/python/pulumi_azure_native/compute/dedicated_host_group.py +++ b/sdk/python/pulumi_azure_native/compute/dedicated_host_group.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["instance_view"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20190301:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20190701:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20191201:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20200601:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20201201:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20210301:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20210401:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20210701:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20211101:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20220301:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20220801:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20221101:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20230301:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20230701:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20230901:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20240301:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20240701:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20241101:DedicatedHostGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20230701:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20230901:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20240301:DedicatedHostGroup"), pulumi.Alias(type_="azure-native:compute/v20240701:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:DedicatedHostGroup"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:DedicatedHostGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DedicatedHostGroup, __self__).__init__( 'azure-native:compute:DedicatedHostGroup', diff --git a/sdk/python/pulumi_azure_native/compute/disk.py b/sdk/python/pulumi_azure_native/compute/disk.py index 39ec9879427b..43063a89477a 100644 --- a/sdk/python/pulumi_azure_native/compute/disk.py +++ b/sdk/python/pulumi_azure_native/compute/disk.py @@ -696,7 +696,7 @@ def _internal_init(__self__, __props__.__dict__["time_created"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20160430preview:Disk"), pulumi.Alias(type_="azure-native:compute/v20170330:Disk"), pulumi.Alias(type_="azure-native:compute/v20180401:Disk"), pulumi.Alias(type_="azure-native:compute/v20180601:Disk"), pulumi.Alias(type_="azure-native:compute/v20180930:Disk"), pulumi.Alias(type_="azure-native:compute/v20190301:Disk"), pulumi.Alias(type_="azure-native:compute/v20190701:Disk"), pulumi.Alias(type_="azure-native:compute/v20191101:Disk"), pulumi.Alias(type_="azure-native:compute/v20200501:Disk"), pulumi.Alias(type_="azure-native:compute/v20200630:Disk"), pulumi.Alias(type_="azure-native:compute/v20200930:Disk"), pulumi.Alias(type_="azure-native:compute/v20201201:Disk"), pulumi.Alias(type_="azure-native:compute/v20210401:Disk"), pulumi.Alias(type_="azure-native:compute/v20210801:Disk"), pulumi.Alias(type_="azure-native:compute/v20211201:Disk"), pulumi.Alias(type_="azure-native:compute/v20220302:Disk"), pulumi.Alias(type_="azure-native:compute/v20220702:Disk"), pulumi.Alias(type_="azure-native:compute/v20230102:Disk"), pulumi.Alias(type_="azure-native:compute/v20230402:Disk"), pulumi.Alias(type_="azure-native:compute/v20231002:Disk"), pulumi.Alias(type_="azure-native:compute/v20240302:Disk")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20220702:Disk"), pulumi.Alias(type_="azure-native:compute/v20230102:Disk"), pulumi.Alias(type_="azure-native:compute/v20230402:Disk"), pulumi.Alias(type_="azure-native:compute/v20231002:Disk"), pulumi.Alias(type_="azure-native:compute/v20240302:Disk"), pulumi.Alias(type_="azure-native_compute_v20160430preview:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20170330:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20180401:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20180930:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20191101:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20200501:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20200630:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20200930:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20210801:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20211201:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20220302:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20220702:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20230102:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20230402:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20231002:compute:Disk"), pulumi.Alias(type_="azure-native_compute_v20240302:compute:Disk")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Disk, __self__).__init__( 'azure-native:compute:Disk', diff --git a/sdk/python/pulumi_azure_native/compute/disk_access.py b/sdk/python/pulumi_azure_native/compute/disk_access.py index 6f7a345e3162..d4e9535ca7b3 100644 --- a/sdk/python/pulumi_azure_native/compute/disk_access.py +++ b/sdk/python/pulumi_azure_native/compute/disk_access.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["time_created"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20200501:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20200630:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20200930:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20201201:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20210401:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20210801:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20211201:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20220302:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20220702:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20230102:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20230402:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20231002:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20240302:DiskAccess")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20220702:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20230102:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20230402:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20231002:DiskAccess"), pulumi.Alias(type_="azure-native:compute/v20240302:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20200501:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20200630:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20200930:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20210801:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20211201:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20220302:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20220702:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20230102:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20230402:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20231002:compute:DiskAccess"), pulumi.Alias(type_="azure-native_compute_v20240302:compute:DiskAccess")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DiskAccess, __self__).__init__( 'azure-native:compute:DiskAccess', diff --git a/sdk/python/pulumi_azure_native/compute/disk_access_a_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/compute/disk_access_a_private_endpoint_connection.py index 51bccc4f5426..abbd9a86a5a5 100644 --- a/sdk/python/pulumi_azure_native/compute/disk_access_a_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/compute/disk_access_a_private_endpoint_connection.py @@ -168,7 +168,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20200930:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20201201:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20210401:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20210801:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20211201:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20220302:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20220702:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20230102:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20230402:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20231002:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20240302:DiskAccessAPrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20220702:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20230102:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20230402:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20231002:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:compute/v20240302:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_compute_v20200930:compute:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_compute_v20210801:compute:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_compute_v20211201:compute:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_compute_v20220302:compute:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_compute_v20220702:compute:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_compute_v20230102:compute:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_compute_v20230402:compute:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_compute_v20231002:compute:DiskAccessAPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_compute_v20240302:compute:DiskAccessAPrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DiskAccessAPrivateEndpointConnection, __self__).__init__( 'azure-native:compute:DiskAccessAPrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/compute/disk_encryption_set.py b/sdk/python/pulumi_azure_native/compute/disk_encryption_set.py index cb7425e810cc..bbd8b2dfd11d 100644 --- a/sdk/python/pulumi_azure_native/compute/disk_encryption_set.py +++ b/sdk/python/pulumi_azure_native/compute/disk_encryption_set.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["previous_keys"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20190701:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20191101:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20200501:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20200630:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20200930:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20201201:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20210401:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20210801:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20211201:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20220302:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20220702:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20230102:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20230402:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20231002:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20240302:DiskEncryptionSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20220702:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20230102:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20230402:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20231002:DiskEncryptionSet"), pulumi.Alias(type_="azure-native:compute/v20240302:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20191101:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20200501:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20200630:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20200930:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20210801:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20211201:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20220302:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20220702:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20230102:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20230402:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20231002:compute:DiskEncryptionSet"), pulumi.Alias(type_="azure-native_compute_v20240302:compute:DiskEncryptionSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DiskEncryptionSet, __self__).__init__( 'azure-native:compute:DiskEncryptionSet', diff --git a/sdk/python/pulumi_azure_native/compute/gallery.py b/sdk/python/pulumi_azure_native/compute/gallery.py index 7d8eaf4f04a1..13d051bcf08b 100644 --- a/sdk/python/pulumi_azure_native/compute/gallery.py +++ b/sdk/python/pulumi_azure_native/compute/gallery.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["sharing_status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20180601:Gallery"), pulumi.Alias(type_="azure-native:compute/v20190301:Gallery"), pulumi.Alias(type_="azure-native:compute/v20190701:Gallery"), pulumi.Alias(type_="azure-native:compute/v20191201:Gallery"), pulumi.Alias(type_="azure-native:compute/v20200930:Gallery"), pulumi.Alias(type_="azure-native:compute/v20210701:Gallery"), pulumi.Alias(type_="azure-native:compute/v20211001:Gallery"), pulumi.Alias(type_="azure-native:compute/v20220103:Gallery"), pulumi.Alias(type_="azure-native:compute/v20220303:Gallery"), pulumi.Alias(type_="azure-native:compute/v20220803:Gallery"), pulumi.Alias(type_="azure-native:compute/v20230703:Gallery"), pulumi.Alias(type_="azure-native:compute/v20240303:Gallery")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20220303:Gallery"), pulumi.Alias(type_="azure-native:compute/v20220803:Gallery"), pulumi.Alias(type_="azure-native:compute/v20230703:Gallery"), pulumi.Alias(type_="azure-native:compute/v20240303:Gallery"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:Gallery"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:Gallery"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:Gallery"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:Gallery"), pulumi.Alias(type_="azure-native_compute_v20200930:compute:Gallery"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:Gallery"), pulumi.Alias(type_="azure-native_compute_v20211001:compute:Gallery"), pulumi.Alias(type_="azure-native_compute_v20220103:compute:Gallery"), pulumi.Alias(type_="azure-native_compute_v20220303:compute:Gallery"), pulumi.Alias(type_="azure-native_compute_v20220803:compute:Gallery"), pulumi.Alias(type_="azure-native_compute_v20230703:compute:Gallery"), pulumi.Alias(type_="azure-native_compute_v20240303:compute:Gallery")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Gallery, __self__).__init__( 'azure-native:compute:Gallery', diff --git a/sdk/python/pulumi_azure_native/compute/gallery_application.py b/sdk/python/pulumi_azure_native/compute/gallery_application.py index 835ae1bac1b5..1fa87bd9ecc8 100644 --- a/sdk/python/pulumi_azure_native/compute/gallery_application.py +++ b/sdk/python/pulumi_azure_native/compute/gallery_application.py @@ -326,7 +326,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20190301:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20190701:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20191201:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20200930:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20210701:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20211001:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20220103:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20220303:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20220803:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20230703:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20240303:GalleryApplication")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20220303:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20220803:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20230703:GalleryApplication"), pulumi.Alias(type_="azure-native:compute/v20240303:GalleryApplication"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:GalleryApplication"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:GalleryApplication"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:GalleryApplication"), pulumi.Alias(type_="azure-native_compute_v20200930:compute:GalleryApplication"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:GalleryApplication"), pulumi.Alias(type_="azure-native_compute_v20211001:compute:GalleryApplication"), pulumi.Alias(type_="azure-native_compute_v20220103:compute:GalleryApplication"), pulumi.Alias(type_="azure-native_compute_v20220303:compute:GalleryApplication"), pulumi.Alias(type_="azure-native_compute_v20220803:compute:GalleryApplication"), pulumi.Alias(type_="azure-native_compute_v20230703:compute:GalleryApplication"), pulumi.Alias(type_="azure-native_compute_v20240303:compute:GalleryApplication")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GalleryApplication, __self__).__init__( 'azure-native:compute:GalleryApplication', diff --git a/sdk/python/pulumi_azure_native/compute/gallery_application_version.py b/sdk/python/pulumi_azure_native/compute/gallery_application_version.py index bedfd72d7c99..5f7689184d9e 100644 --- a/sdk/python/pulumi_azure_native/compute/gallery_application_version.py +++ b/sdk/python/pulumi_azure_native/compute/gallery_application_version.py @@ -249,7 +249,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["replication_status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20190301:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20190701:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20191201:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20200930:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20210701:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20211001:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20220103:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20220303:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20220803:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20230703:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20240303:GalleryApplicationVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20220303:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20220803:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20230703:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native:compute/v20240303:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native_compute_v20200930:compute:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native_compute_v20211001:compute:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native_compute_v20220103:compute:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native_compute_v20220303:compute:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native_compute_v20220803:compute:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native_compute_v20230703:compute:GalleryApplicationVersion"), pulumi.Alias(type_="azure-native_compute_v20240303:compute:GalleryApplicationVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GalleryApplicationVersion, __self__).__init__( 'azure-native:compute:GalleryApplicationVersion', diff --git a/sdk/python/pulumi_azure_native/compute/gallery_image.py b/sdk/python/pulumi_azure_native/compute/gallery_image.py index 42542d078dd2..115cd01d92b7 100644 --- a/sdk/python/pulumi_azure_native/compute/gallery_image.py +++ b/sdk/python/pulumi_azure_native/compute/gallery_image.py @@ -489,7 +489,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20180601:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20190301:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20190701:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20191201:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20200930:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20210701:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20211001:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20220103:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20220303:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20220803:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20230703:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20240303:GalleryImage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20220303:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20220803:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20230703:GalleryImage"), pulumi.Alias(type_="azure-native:compute/v20240303:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20200930:compute:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20211001:compute:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20220103:compute:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20220303:compute:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20220803:compute:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20230703:compute:GalleryImage"), pulumi.Alias(type_="azure-native_compute_v20240303:compute:GalleryImage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GalleryImage, __self__).__init__( 'azure-native:compute:GalleryImage', diff --git a/sdk/python/pulumi_azure_native/compute/gallery_image_version.py b/sdk/python/pulumi_azure_native/compute/gallery_image_version.py index 9e22f6a3797c..dfb28ed5febd 100644 --- a/sdk/python/pulumi_azure_native/compute/gallery_image_version.py +++ b/sdk/python/pulumi_azure_native/compute/gallery_image_version.py @@ -310,7 +310,7 @@ def _internal_init(__self__, __props__.__dict__["replication_status"] = None __props__.__dict__["type"] = None __props__.__dict__["validations_profile"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20180601:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20190301:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20190701:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20191201:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20200930:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20210701:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20211001:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20220103:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20220303:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20220803:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20230703:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20240303:GalleryImageVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20220303:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20220803:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20230703:GalleryImageVersion"), pulumi.Alias(type_="azure-native:compute/v20240303:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20200930:compute:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20211001:compute:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20220103:compute:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20220303:compute:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20220803:compute:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20230703:compute:GalleryImageVersion"), pulumi.Alias(type_="azure-native_compute_v20240303:compute:GalleryImageVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GalleryImageVersion, __self__).__init__( 'azure-native:compute:GalleryImageVersion', diff --git a/sdk/python/pulumi_azure_native/compute/gallery_in_vm_access_control_profile.py b/sdk/python/pulumi_azure_native/compute/gallery_in_vm_access_control_profile.py index b097c762d36a..85e5ddfe85c0 100644 --- a/sdk/python/pulumi_azure_native/compute/gallery_in_vm_access_control_profile.py +++ b/sdk/python/pulumi_azure_native/compute/gallery_in_vm_access_control_profile.py @@ -201,7 +201,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20240303:GalleryInVMAccessControlProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20240303:GalleryInVMAccessControlProfile"), pulumi.Alias(type_="azure-native_compute_v20240303:compute:GalleryInVMAccessControlProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GalleryInVMAccessControlProfile, __self__).__init__( 'azure-native:compute:GalleryInVMAccessControlProfile', diff --git a/sdk/python/pulumi_azure_native/compute/gallery_in_vm_access_control_profile_version.py b/sdk/python/pulumi_azure_native/compute/gallery_in_vm_access_control_profile_version.py index 40f7a29bf5d6..c5df818bd96b 100644 --- a/sdk/python/pulumi_azure_native/compute/gallery_in_vm_access_control_profile_version.py +++ b/sdk/python/pulumi_azure_native/compute/gallery_in_vm_access_control_profile_version.py @@ -307,7 +307,7 @@ def _internal_init(__self__, __props__.__dict__["published_date"] = None __props__.__dict__["replication_status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20240303:GalleryInVMAccessControlProfileVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20240303:GalleryInVMAccessControlProfileVersion"), pulumi.Alias(type_="azure-native_compute_v20240303:compute:GalleryInVMAccessControlProfileVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GalleryInVMAccessControlProfileVersion, __self__).__init__( 'azure-native:compute:GalleryInVMAccessControlProfileVersion', diff --git a/sdk/python/pulumi_azure_native/compute/image.py b/sdk/python/pulumi_azure_native/compute/image.py index 670fab98a2d1..6d14ea32cfcc 100644 --- a/sdk/python/pulumi_azure_native/compute/image.py +++ b/sdk/python/pulumi_azure_native/compute/image.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20160430preview:Image"), pulumi.Alias(type_="azure-native:compute/v20170330:Image"), pulumi.Alias(type_="azure-native:compute/v20171201:Image"), pulumi.Alias(type_="azure-native:compute/v20180401:Image"), pulumi.Alias(type_="azure-native:compute/v20180601:Image"), pulumi.Alias(type_="azure-native:compute/v20181001:Image"), pulumi.Alias(type_="azure-native:compute/v20190301:Image"), pulumi.Alias(type_="azure-native:compute/v20190701:Image"), pulumi.Alias(type_="azure-native:compute/v20191201:Image"), pulumi.Alias(type_="azure-native:compute/v20200601:Image"), pulumi.Alias(type_="azure-native:compute/v20201201:Image"), pulumi.Alias(type_="azure-native:compute/v20210301:Image"), pulumi.Alias(type_="azure-native:compute/v20210401:Image"), pulumi.Alias(type_="azure-native:compute/v20210701:Image"), pulumi.Alias(type_="azure-native:compute/v20211101:Image"), pulumi.Alias(type_="azure-native:compute/v20220301:Image"), pulumi.Alias(type_="azure-native:compute/v20220801:Image"), pulumi.Alias(type_="azure-native:compute/v20221101:Image"), pulumi.Alias(type_="azure-native:compute/v20230301:Image"), pulumi.Alias(type_="azure-native:compute/v20230701:Image"), pulumi.Alias(type_="azure-native:compute/v20230901:Image"), pulumi.Alias(type_="azure-native:compute/v20240301:Image"), pulumi.Alias(type_="azure-native:compute/v20240701:Image"), pulumi.Alias(type_="azure-native:compute/v20241101:Image")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:Image"), pulumi.Alias(type_="azure-native:compute/v20230701:Image"), pulumi.Alias(type_="azure-native:compute/v20230901:Image"), pulumi.Alias(type_="azure-native:compute/v20240301:Image"), pulumi.Alias(type_="azure-native:compute/v20240701:Image"), pulumi.Alias(type_="azure-native_compute_v20160430preview:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20170330:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20171201:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20180401:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20181001:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:Image"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:Image")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Image, __self__).__init__( 'azure-native:compute:Image', diff --git a/sdk/python/pulumi_azure_native/compute/proximity_placement_group.py b/sdk/python/pulumi_azure_native/compute/proximity_placement_group.py index c5a13d141d2a..d034ccd87d26 100644 --- a/sdk/python/pulumi_azure_native/compute/proximity_placement_group.py +++ b/sdk/python/pulumi_azure_native/compute/proximity_placement_group.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["virtual_machine_scale_sets"] = None __props__.__dict__["virtual_machines"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20180401:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20180601:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20181001:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20190301:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20190701:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20191201:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20200601:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20201201:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20210301:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20210401:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20210701:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20211101:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20220301:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20220801:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20221101:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20230301:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20230701:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20230901:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20240301:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20240701:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20241101:ProximityPlacementGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20230701:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20230901:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20240301:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native:compute/v20240701:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20180401:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20181001:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:ProximityPlacementGroup"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:ProximityPlacementGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProximityPlacementGroup, __self__).__init__( 'azure-native:compute:ProximityPlacementGroup', diff --git a/sdk/python/pulumi_azure_native/compute/restore_point.py b/sdk/python/pulumi_azure_native/compute/restore_point.py index 68403a16955d..30014bd829ce 100644 --- a/sdk/python/pulumi_azure_native/compute/restore_point.py +++ b/sdk/python/pulumi_azure_native/compute/restore_point.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20210301:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20210401:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20210701:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20211101:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20220301:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20220801:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20221101:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20230301:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20230701:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20230901:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20240301:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20240701:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20241101:RestorePoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20211101:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20221101:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20230301:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20230701:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20230901:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20240301:RestorePoint"), pulumi.Alias(type_="azure-native:compute/v20240701:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:RestorePoint"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:RestorePoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RestorePoint, __self__).__init__( 'azure-native:compute:RestorePoint', diff --git a/sdk/python/pulumi_azure_native/compute/restore_point_collection.py b/sdk/python/pulumi_azure_native/compute/restore_point_collection.py index 47f46ba4f91e..9134a7b72655 100644 --- a/sdk/python/pulumi_azure_native/compute/restore_point_collection.py +++ b/sdk/python/pulumi_azure_native/compute/restore_point_collection.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["restore_point_collection_id"] = None __props__.__dict__["restore_points"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20210301:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20210401:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20210701:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20211101:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20220301:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20220801:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20221101:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20230301:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20230701:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20230901:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20240301:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20240701:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20241101:RestorePointCollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20230701:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20230901:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20240301:RestorePointCollection"), pulumi.Alias(type_="azure-native:compute/v20240701:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:RestorePointCollection"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:RestorePointCollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RestorePointCollection, __self__).__init__( 'azure-native:compute:RestorePointCollection', diff --git a/sdk/python/pulumi_azure_native/compute/snapshot.py b/sdk/python/pulumi_azure_native/compute/snapshot.py index 656764234ed3..2f8e1867b687 100644 --- a/sdk/python/pulumi_azure_native/compute/snapshot.py +++ b/sdk/python/pulumi_azure_native/compute/snapshot.py @@ -552,7 +552,7 @@ def _internal_init(__self__, __props__.__dict__["time_created"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20160430preview:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20170330:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20180401:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20180601:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20180930:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20190301:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20190701:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20191101:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20200501:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20200630:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20200930:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20201201:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20210401:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20210801:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20211201:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20220302:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20220702:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20230102:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20230402:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20231002:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20240302:Snapshot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20220702:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20230102:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20230402:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20231002:Snapshot"), pulumi.Alias(type_="azure-native:compute/v20240302:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20160430preview:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20170330:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20180401:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20180930:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20191101:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20200501:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20200630:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20200930:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20210801:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20211201:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20220302:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20220702:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20230102:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20230402:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20231002:compute:Snapshot"), pulumi.Alias(type_="azure-native_compute_v20240302:compute:Snapshot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Snapshot, __self__).__init__( 'azure-native:compute:Snapshot', diff --git a/sdk/python/pulumi_azure_native/compute/ssh_public_key.py b/sdk/python/pulumi_azure_native/compute/ssh_public_key.py index be0cb3f29740..1638e873515b 100644 --- a/sdk/python/pulumi_azure_native/compute/ssh_public_key.py +++ b/sdk/python/pulumi_azure_native/compute/ssh_public_key.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20191201:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20200601:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20201201:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20210301:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20210401:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20210701:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20211101:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20220301:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20220801:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20221101:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20230301:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20230701:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20230901:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20240301:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20240701:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20241101:SshPublicKey")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20230701:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20230901:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20240301:SshPublicKey"), pulumi.Alias(type_="azure-native:compute/v20240701:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:SshPublicKey"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:SshPublicKey")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SshPublicKey, __self__).__init__( 'azure-native:compute:SshPublicKey', diff --git a/sdk/python/pulumi_azure_native/compute/virtual_machine.py b/sdk/python/pulumi_azure_native/compute/virtual_machine.py index f98dbea2544b..1cb8d4cdbdc0 100644 --- a/sdk/python/pulumi_azure_native/compute/virtual_machine.py +++ b/sdk/python/pulumi_azure_native/compute/virtual_machine.py @@ -731,7 +731,7 @@ def _internal_init(__self__, __props__.__dict__["time_created"] = None __props__.__dict__["type"] = None __props__.__dict__["vm_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20150615:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20160330:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20160430preview:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20170330:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20171201:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20180401:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20180601:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20181001:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20190301:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20190701:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20191201:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20200601:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20201201:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20210301:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20210401:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20210701:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20211101:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20220301:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20220801:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20221101:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20241101:VirtualMachine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20150615:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20160330:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20160430preview:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20170330:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20171201:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20180401:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20181001:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:VirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:VirtualMachine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachine, __self__).__init__( 'azure-native:compute:VirtualMachine', diff --git a/sdk/python/pulumi_azure_native/compute/virtual_machine_extension.py b/sdk/python/pulumi_azure_native/compute/virtual_machine_extension.py index 843278340283..5d7e3260f46c 100644 --- a/sdk/python/pulumi_azure_native/compute/virtual_machine_extension.py +++ b/sdk/python/pulumi_azure_native/compute/virtual_machine_extension.py @@ -425,7 +425,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20150615:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20160330:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20160430preview:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20170330:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20171201:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20180401:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20180601:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20181001:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20190301:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20190701:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20191201:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20200601:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20201201:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20210301:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20210401:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20210701:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20211101:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20220301:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20220801:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20221101:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20241101:VirtualMachineExtension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20211101:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineExtension"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20150615:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20160330:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20160430preview:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20170330:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20171201:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20180401:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20181001:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:VirtualMachineExtension"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:VirtualMachineExtension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineExtension, __self__).__init__( 'azure-native:compute:VirtualMachineExtension', diff --git a/sdk/python/pulumi_azure_native/compute/virtual_machine_run_command_by_virtual_machine.py b/sdk/python/pulumi_azure_native/compute/virtual_machine_run_command_by_virtual_machine.py index 54c5eebf45cd..da0f363e4ce6 100644 --- a/sdk/python/pulumi_azure_native/compute/virtual_machine_run_command_by_virtual_machine.py +++ b/sdk/python/pulumi_azure_native/compute/virtual_machine_run_command_by_virtual_machine.py @@ -434,7 +434,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20200601:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20201201:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20210301:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20210401:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20210701:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20211101:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20220301:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20220801:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20221101:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20241101:VirtualMachineRunCommandByVirtualMachine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:VirtualMachineRunCommandByVirtualMachine"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:VirtualMachineRunCommandByVirtualMachine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineRunCommandByVirtualMachine, __self__).__init__( 'azure-native:compute:VirtualMachineRunCommandByVirtualMachine', diff --git a/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set.py b/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set.py index 5e224e5967d7..14b49c82643f 100644 --- a/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set.py +++ b/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set.py @@ -668,7 +668,7 @@ def _internal_init(__self__, __props__.__dict__["time_created"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20150615:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20160330:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20160430preview:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20170330:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20171201:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20180401:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20180601:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20181001:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20190301:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20190701:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20191201:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20200601:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20201201:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20210301:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20210401:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20210701:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20211101:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20220301:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20220801:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20221101:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20241101:VirtualMachineScaleSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20150615:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20160330:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20160430preview:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20170330:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20171201:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20180401:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20181001:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:VirtualMachineScaleSet"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:VirtualMachineScaleSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineScaleSet, __self__).__init__( 'azure-native:compute:VirtualMachineScaleSet', diff --git a/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_extension.py b/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_extension.py index 535c1bbfe303..02c5d4399725 100644 --- a/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_extension.py +++ b/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_extension.py @@ -383,7 +383,7 @@ def _internal_init(__self__, __props__.__dict__["vmss_extension_name"] = vmss_extension_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20170330:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20171201:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20180401:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20180601:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20181001:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20190301:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20190701:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20191201:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20200601:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20201201:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20210301:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20210401:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20210701:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20211101:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20220301:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20220801:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20221101:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20241101:VirtualMachineScaleSetExtension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20211101:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20170330:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20171201:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20180401:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20181001:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:VirtualMachineScaleSetExtension"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:VirtualMachineScaleSetExtension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineScaleSetExtension, __self__).__init__( 'azure-native:compute:VirtualMachineScaleSetExtension', diff --git a/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm.py b/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm.py index 6bd980e5a833..a543eda42195 100644 --- a/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm.py +++ b/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm.py @@ -495,7 +495,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["vm_id"] = None __props__.__dict__["zones"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20171201:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20180401:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20180601:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20181001:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20190301:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20190701:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20191201:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20200601:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20201201:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20210301:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20210401:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20210701:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20211101:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20220301:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20220801:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20221101:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20241101:VirtualMachineScaleSetVM")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20171201:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20180401:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20180601:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20181001:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20190301:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:VirtualMachineScaleSetVM"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:VirtualMachineScaleSetVM")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineScaleSetVM, __self__).__init__( 'azure-native:compute:VirtualMachineScaleSetVM', diff --git a/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm_extension.py b/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm_extension.py index bcb4c1f1ec19..bc101c6968fd 100644 --- a/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm_extension.py +++ b/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm_extension.py @@ -426,7 +426,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20190701:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20191201:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20200601:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20201201:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20210301:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20210401:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20210701:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20211101:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20220301:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20220801:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20221101:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20241101:VirtualMachineScaleSetVMExtension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20211101:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20190701:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20191201:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:VirtualMachineScaleSetVMExtension"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:VirtualMachineScaleSetVMExtension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineScaleSetVMExtension, __self__).__init__( 'azure-native:compute:VirtualMachineScaleSetVMExtension', diff --git a/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm_run_command.py b/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm_run_command.py index a8cdc517d0b7..1152bfd12fe3 100644 --- a/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm_run_command.py +++ b/sdk/python/pulumi_azure_native/compute/virtual_machine_scale_set_vm_run_command.py @@ -455,7 +455,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20200601:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20201201:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20210301:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20210401:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20210701:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20211101:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20220301:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20220801:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20221101:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20241101:VirtualMachineScaleSetVMRunCommand")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:compute/v20230301:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20230701:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20230901:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20240301:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native:compute/v20240701:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20200601:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20201201:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20210301:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20210401:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20210701:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20211101:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20220301:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20220801:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20221101:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20230301:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20230701:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20230901:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20240301:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20240701:compute:VirtualMachineScaleSetVMRunCommand"), pulumi.Alias(type_="azure-native_compute_v20241101:compute:VirtualMachineScaleSetVMRunCommand")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineScaleSetVMRunCommand, __self__).__init__( 'azure-native:compute:VirtualMachineScaleSetVMRunCommand', diff --git a/sdk/python/pulumi_azure_native/confidentialledger/ledger.py b/sdk/python/pulumi_azure_native/confidentialledger/ledger.py index 70ea64ceccb6..ebb786d12417 100644 --- a/sdk/python/pulumi_azure_native/confidentialledger/ledger.py +++ b/sdk/python/pulumi_azure_native/confidentialledger/ledger.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confidentialledger/v20201201preview:Ledger"), pulumi.Alias(type_="azure-native:confidentialledger/v20210513preview:Ledger"), pulumi.Alias(type_="azure-native:confidentialledger/v20220513:Ledger"), pulumi.Alias(type_="azure-native:confidentialledger/v20220908preview:Ledger"), pulumi.Alias(type_="azure-native:confidentialledger/v20230126preview:Ledger"), pulumi.Alias(type_="azure-native:confidentialledger/v20230628preview:Ledger"), pulumi.Alias(type_="azure-native:confidentialledger/v20240709preview:Ledger"), pulumi.Alias(type_="azure-native:confidentialledger/v20240919preview:Ledger")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confidentialledger/v20220513:Ledger"), pulumi.Alias(type_="azure-native:confidentialledger/v20230126preview:Ledger"), pulumi.Alias(type_="azure-native:confidentialledger/v20230628preview:Ledger"), pulumi.Alias(type_="azure-native:confidentialledger/v20240709preview:Ledger"), pulumi.Alias(type_="azure-native:confidentialledger/v20240919preview:Ledger"), pulumi.Alias(type_="azure-native_confidentialledger_v20201201preview:confidentialledger:Ledger"), pulumi.Alias(type_="azure-native_confidentialledger_v20210513preview:confidentialledger:Ledger"), pulumi.Alias(type_="azure-native_confidentialledger_v20220513:confidentialledger:Ledger"), pulumi.Alias(type_="azure-native_confidentialledger_v20220908preview:confidentialledger:Ledger"), pulumi.Alias(type_="azure-native_confidentialledger_v20230126preview:confidentialledger:Ledger"), pulumi.Alias(type_="azure-native_confidentialledger_v20230628preview:confidentialledger:Ledger"), pulumi.Alias(type_="azure-native_confidentialledger_v20240709preview:confidentialledger:Ledger"), pulumi.Alias(type_="azure-native_confidentialledger_v20240919preview:confidentialledger:Ledger")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ledger, __self__).__init__( 'azure-native:confidentialledger:Ledger', diff --git a/sdk/python/pulumi_azure_native/confidentialledger/managed_ccf.py b/sdk/python/pulumi_azure_native/confidentialledger/managed_ccf.py index be682bc8aecf..1dab79a1d418 100644 --- a/sdk/python/pulumi_azure_native/confidentialledger/managed_ccf.py +++ b/sdk/python/pulumi_azure_native/confidentialledger/managed_ccf.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confidentialledger/v20220908preview:ManagedCCF"), pulumi.Alias(type_="azure-native:confidentialledger/v20230126preview:ManagedCCF"), pulumi.Alias(type_="azure-native:confidentialledger/v20230628preview:ManagedCCF"), pulumi.Alias(type_="azure-native:confidentialledger/v20240709preview:ManagedCCF"), pulumi.Alias(type_="azure-native:confidentialledger/v20240919preview:ManagedCCF")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confidentialledger/v20230126preview:ManagedCCF"), pulumi.Alias(type_="azure-native:confidentialledger/v20230628preview:ManagedCCF"), pulumi.Alias(type_="azure-native:confidentialledger/v20240709preview:ManagedCCF"), pulumi.Alias(type_="azure-native:confidentialledger/v20240919preview:ManagedCCF"), pulumi.Alias(type_="azure-native_confidentialledger_v20220908preview:confidentialledger:ManagedCCF"), pulumi.Alias(type_="azure-native_confidentialledger_v20230126preview:confidentialledger:ManagedCCF"), pulumi.Alias(type_="azure-native_confidentialledger_v20230628preview:confidentialledger:ManagedCCF"), pulumi.Alias(type_="azure-native_confidentialledger_v20240709preview:confidentialledger:ManagedCCF"), pulumi.Alias(type_="azure-native_confidentialledger_v20240919preview:confidentialledger:ManagedCCF")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedCCF, __self__).__init__( 'azure-native:confidentialledger:ManagedCCF', diff --git a/sdk/python/pulumi_azure_native/confluent/connector.py b/sdk/python/pulumi_azure_native/confluent/connector.py index f41deadb0d59..9fb8ff19acff 100644 --- a/sdk/python/pulumi_azure_native/confluent/connector.py +++ b/sdk/python/pulumi_azure_native/confluent/connector.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confluent/v20240701:Connector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confluent/v20240701:Connector"), pulumi.Alias(type_="azure-native_confluent_v20240701:confluent:Connector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Connector, __self__).__init__( 'azure-native:confluent:Connector', diff --git a/sdk/python/pulumi_azure_native/confluent/organization.py b/sdk/python/pulumi_azure_native/confluent/organization.py index f0f5c55bd680..6b01f1e1d79d 100644 --- a/sdk/python/pulumi_azure_native/confluent/organization.py +++ b/sdk/python/pulumi_azure_native/confluent/organization.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["sso_url"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confluent/v20200301:Organization"), pulumi.Alias(type_="azure-native:confluent/v20200301preview:Organization"), pulumi.Alias(type_="azure-native:confluent/v20210301preview:Organization"), pulumi.Alias(type_="azure-native:confluent/v20210901preview:Organization"), pulumi.Alias(type_="azure-native:confluent/v20211201:Organization"), pulumi.Alias(type_="azure-native:confluent/v20230822:Organization"), pulumi.Alias(type_="azure-native:confluent/v20240213:Organization"), pulumi.Alias(type_="azure-native:confluent/v20240701:Organization")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confluent/v20200301preview:Organization"), pulumi.Alias(type_="azure-native:confluent/v20211201:Organization"), pulumi.Alias(type_="azure-native:confluent/v20230822:Organization"), pulumi.Alias(type_="azure-native:confluent/v20240213:Organization"), pulumi.Alias(type_="azure-native:confluent/v20240701:Organization"), pulumi.Alias(type_="azure-native_confluent_v20200301:confluent:Organization"), pulumi.Alias(type_="azure-native_confluent_v20200301preview:confluent:Organization"), pulumi.Alias(type_="azure-native_confluent_v20210301preview:confluent:Organization"), pulumi.Alias(type_="azure-native_confluent_v20210901preview:confluent:Organization"), pulumi.Alias(type_="azure-native_confluent_v20211201:confluent:Organization"), pulumi.Alias(type_="azure-native_confluent_v20230822:confluent:Organization"), pulumi.Alias(type_="azure-native_confluent_v20240213:confluent:Organization"), pulumi.Alias(type_="azure-native_confluent_v20240701:confluent:Organization")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Organization, __self__).__init__( 'azure-native:confluent:Organization', diff --git a/sdk/python/pulumi_azure_native/confluent/organization_cluster_by_id.py b/sdk/python/pulumi_azure_native/confluent/organization_cluster_by_id.py index 093b2f140040..730e5be76179 100644 --- a/sdk/python/pulumi_azure_native/confluent/organization_cluster_by_id.py +++ b/sdk/python/pulumi_azure_native/confluent/organization_cluster_by_id.py @@ -300,7 +300,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = status __props__.__dict__["type"] = type __props__.__dict__["azure_api_version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confluent/v20240701:OrganizationClusterById")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confluent/v20240701:OrganizationClusterById"), pulumi.Alias(type_="azure-native_confluent_v20240701:confluent:OrganizationClusterById")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OrganizationClusterById, __self__).__init__( 'azure-native:confluent:OrganizationClusterById', diff --git a/sdk/python/pulumi_azure_native/confluent/organization_environment_by_id.py b/sdk/python/pulumi_azure_native/confluent/organization_environment_by_id.py index 7bd32a0bfdbf..60cefa0a9d4d 100644 --- a/sdk/python/pulumi_azure_native/confluent/organization_environment_by_id.py +++ b/sdk/python/pulumi_azure_native/confluent/organization_environment_by_id.py @@ -259,7 +259,7 @@ def _internal_init(__self__, __props__.__dict__["stream_governance_config"] = stream_governance_config __props__.__dict__["type"] = type __props__.__dict__["azure_api_version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confluent/v20240701:OrganizationEnvironmentById")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confluent/v20240701:OrganizationEnvironmentById"), pulumi.Alias(type_="azure-native_confluent_v20240701:confluent:OrganizationEnvironmentById")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OrganizationEnvironmentById, __self__).__init__( 'azure-native:confluent:OrganizationEnvironmentById', diff --git a/sdk/python/pulumi_azure_native/confluent/topic.py b/sdk/python/pulumi_azure_native/confluent/topic.py index f031b5e4cfcc..b7ac250f192d 100644 --- a/sdk/python/pulumi_azure_native/confluent/topic.py +++ b/sdk/python/pulumi_azure_native/confluent/topic.py @@ -362,7 +362,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confluent/v20240701:Topic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:confluent/v20240701:Topic"), pulumi.Alias(type_="azure-native_confluent_v20240701:confluent:Topic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Topic, __self__).__init__( 'azure-native:confluent:Topic', diff --git a/sdk/python/pulumi_azure_native/connectedcache/cache_nodes_operation.py b/sdk/python/pulumi_azure_native/connectedcache/cache_nodes_operation.py index bad888c1257f..e2bea5c08fe6 100644 --- a/sdk/python/pulumi_azure_native/connectedcache/cache_nodes_operation.py +++ b/sdk/python/pulumi_azure_native/connectedcache/cache_nodes_operation.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:CacheNodesOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:CacheNodesOperation"), pulumi.Alias(type_="azure-native_connectedcache_v20230501preview:connectedcache:CacheNodesOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CacheNodesOperation, __self__).__init__( 'azure-native:connectedcache:CacheNodesOperation', diff --git a/sdk/python/pulumi_azure_native/connectedcache/enterprise_customer_operation.py b/sdk/python/pulumi_azure_native/connectedcache/enterprise_customer_operation.py index 86c7cadfd8ac..9e3c346bd838 100644 --- a/sdk/python/pulumi_azure_native/connectedcache/enterprise_customer_operation.py +++ b/sdk/python/pulumi_azure_native/connectedcache/enterprise_customer_operation.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:EnterpriseCustomerOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:EnterpriseCustomerOperation"), pulumi.Alias(type_="azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseCustomerOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EnterpriseCustomerOperation, __self__).__init__( 'azure-native:connectedcache:EnterpriseCustomerOperation', diff --git a/sdk/python/pulumi_azure_native/connectedcache/enterprise_mcc_cache_nodes_operation.py b/sdk/python/pulumi_azure_native/connectedcache/enterprise_mcc_cache_nodes_operation.py index d2cbda24ac23..70a9a0bc621e 100644 --- a/sdk/python/pulumi_azure_native/connectedcache/enterprise_mcc_cache_nodes_operation.py +++ b/sdk/python/pulumi_azure_native/connectedcache/enterprise_mcc_cache_nodes_operation.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:EnterpriseMccCacheNodesOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:EnterpriseMccCacheNodesOperation"), pulumi.Alias(type_="azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseMccCacheNodesOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EnterpriseMccCacheNodesOperation, __self__).__init__( 'azure-native:connectedcache:EnterpriseMccCacheNodesOperation', diff --git a/sdk/python/pulumi_azure_native/connectedcache/enterprise_mcc_customer.py b/sdk/python/pulumi_azure_native/connectedcache/enterprise_mcc_customer.py index 2ef6f59d8523..cb1710030864 100644 --- a/sdk/python/pulumi_azure_native/connectedcache/enterprise_mcc_customer.py +++ b/sdk/python/pulumi_azure_native/connectedcache/enterprise_mcc_customer.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:EnterpriseMccCustomer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:EnterpriseMccCustomer"), pulumi.Alias(type_="azure-native_connectedcache_v20230501preview:connectedcache:EnterpriseMccCustomer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EnterpriseMccCustomer, __self__).__init__( 'azure-native:connectedcache:EnterpriseMccCustomer', diff --git a/sdk/python/pulumi_azure_native/connectedcache/isp_cache_nodes_operation.py b/sdk/python/pulumi_azure_native/connectedcache/isp_cache_nodes_operation.py index 39bddff92d56..2a7bb155cef2 100644 --- a/sdk/python/pulumi_azure_native/connectedcache/isp_cache_nodes_operation.py +++ b/sdk/python/pulumi_azure_native/connectedcache/isp_cache_nodes_operation.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:IspCacheNodesOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:IspCacheNodesOperation"), pulumi.Alias(type_="azure-native_connectedcache_v20230501preview:connectedcache:IspCacheNodesOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IspCacheNodesOperation, __self__).__init__( 'azure-native:connectedcache:IspCacheNodesOperation', diff --git a/sdk/python/pulumi_azure_native/connectedcache/isp_customer.py b/sdk/python/pulumi_azure_native/connectedcache/isp_customer.py index 93912c3db1ca..f7bdeea5f4ef 100644 --- a/sdk/python/pulumi_azure_native/connectedcache/isp_customer.py +++ b/sdk/python/pulumi_azure_native/connectedcache/isp_customer.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:IspCustomer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedcache/v20230501preview:IspCustomer"), pulumi.Alias(type_="azure-native_connectedcache_v20230501preview:connectedcache:IspCustomer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IspCustomer, __self__).__init__( 'azure-native:connectedcache:IspCustomer', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/cluster.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/cluster.py index a2c35858febd..906ae77d3a2e 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/cluster.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/cluster.py @@ -275,7 +275,7 @@ def _internal_init(__self__, __props__.__dict__["used_cpu_m_hz"] = None __props__.__dict__["used_memory_gb"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:Cluster"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:Cluster"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:Cluster"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:Cluster"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:Cluster"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:Cluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:Cluster"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:Cluster"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:Cluster"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:Cluster"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:Cluster"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:Cluster"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Cluster"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Cluster"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Cluster"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Cluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cluster, __self__).__init__( 'azure-native:connectedvmwarevsphere:Cluster', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/datastore.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/datastore.py index a76d760992df..a30ae0860510 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/datastore.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/datastore.py @@ -271,7 +271,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:Datastore"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:Datastore"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:Datastore"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:Datastore"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:Datastore"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:Datastore")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:Datastore"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:Datastore"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:Datastore"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:Datastore"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:Datastore"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:Datastore"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Datastore"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Datastore"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Datastore"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Datastore")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Datastore, __self__).__init__( 'azure-native:connectedvmwarevsphere:Datastore', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/guest_agent.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/guest_agent.py index 4d26830cec48..513a4567d3a9 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/guest_agent.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/guest_agent.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:GuestAgent"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:GuestAgent"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:GuestAgent"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:GuestAgent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:GuestAgent"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:GuestAgent"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:GuestAgent"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:GuestAgent"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:GuestAgent"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:GuestAgent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GuestAgent, __self__).__init__( 'azure-native:connectedvmwarevsphere:GuestAgent', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/host.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/host.py index 80eeb1adfd8e..376fcaddfbf3 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/host.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/host.py @@ -275,7 +275,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:Host"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:Host"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:Host"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:Host"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:Host"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:Host")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:Host"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:Host"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:Host"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:Host"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:Host"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:Host"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:Host"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:Host"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:Host"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:Host")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Host, __self__).__init__( 'azure-native:connectedvmwarevsphere:Host', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/hybrid_identity_metadatum.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/hybrid_identity_metadatum.py index 6a9bea7f03a7..f57b9bdf72bd 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/hybrid_identity_metadatum.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/hybrid_identity_metadatum.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:HybridIdentityMetadatum")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:HybridIdentityMetadatum")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HybridIdentityMetadatum, __self__).__init__( 'azure-native:connectedvmwarevsphere:HybridIdentityMetadatum', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/inventory_item.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/inventory_item.py index 8cb52894abde..1e3c0795174c 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/inventory_item.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/inventory_item.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:InventoryItem"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:InventoryItem"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:InventoryItem"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:InventoryItem"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:InventoryItem"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:InventoryItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:InventoryItem"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:InventoryItem"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:InventoryItem"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:InventoryItem"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:InventoryItem"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:InventoryItem"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:InventoryItem"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:InventoryItem"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:InventoryItem"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:InventoryItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InventoryItem, __self__).__init__( 'azure-native:connectedvmwarevsphere:InventoryItem', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/machine_extension.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/machine_extension.py index 1ad37b2e1062..021202227892 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/machine_extension.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/machine_extension.py @@ -345,7 +345,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:MachineExtension"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:MachineExtension"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:MachineExtension"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:MachineExtension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:MachineExtension"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:MachineExtension"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:MachineExtension"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:MachineExtension"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:MachineExtension"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:MachineExtension"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:MachineExtension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MachineExtension, __self__).__init__( 'azure-native:connectedvmwarevsphere:MachineExtension', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/resource_pool.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/resource_pool.py index 8dccf9ee312e..c9964a697f79 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/resource_pool.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/resource_pool.py @@ -281,7 +281,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:ResourcePool"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:ResourcePool"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:ResourcePool"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:ResourcePool"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:ResourcePool"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:ResourcePool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:ResourcePool"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:ResourcePool"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:ResourcePool"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:ResourcePool"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:ResourcePool"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:ResourcePool"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:ResourcePool"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:ResourcePool"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:ResourcePool"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:ResourcePool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ResourcePool, __self__).__init__( 'azure-native:connectedvmwarevsphere:ResourcePool', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/v_center.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/v_center.py index 3ef728833dd1..5b921d7e7e02 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/v_center.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/v_center.py @@ -272,7 +272,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:VCenter"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:VCenter"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:VCenter"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VCenter"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:VCenter"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:VCenter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:VCenter"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VCenter"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:VCenter"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:VCenter"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VCenter"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VCenter"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VCenter"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VCenter"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VCenter"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VCenter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VCenter, __self__).__init__( 'azure-native:connectedvmwarevsphere:VCenter', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine.py index 8502cfdc2414..d6067902cf79 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine.py @@ -517,7 +517,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None __props__.__dict__["vm_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:VirtualMachine"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:VirtualMachine"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachine"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachine"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachine"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VirtualMachine"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VirtualMachine"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualMachine"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachine, __self__).__init__( 'azure-native:connectedvmwarevsphere:VirtualMachine', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine_instance.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine_instance.py index 45608b2c41c2..da3842e37c77 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine_instance.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine_instance.py @@ -269,7 +269,7 @@ def _internal_init(__self__, __props__.__dict__["statuses"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:VirtualMachineInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualMachineInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineInstance, __self__).__init__( 'azure-native:connectedvmwarevsphere:VirtualMachineInstance', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine_template.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine_template.py index 29d145df693d..d49d3c69c674 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine_template.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_machine_template.py @@ -283,7 +283,7 @@ def _internal_init(__self__, __props__.__dict__["tools_version_status"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:VirtualMachineTemplate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualMachineTemplate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineTemplate, __self__).__init__( 'azure-native:connectedvmwarevsphere:VirtualMachineTemplate', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_network.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_network.py index 1906b5a6c880..57a70e7ab06f 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_network.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/virtual_network.py @@ -269,7 +269,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20201001preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220110preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:VirtualNetwork"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:VirtualNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20220715preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:VirtualNetwork"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:VirtualNetwork"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20201001preview:connectedvmwarevsphere:VirtualNetwork"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220110preview:connectedvmwarevsphere:VirtualNetwork"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20220715preview:connectedvmwarevsphere:VirtualNetwork"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VirtualNetwork"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VirtualNetwork"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VirtualNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetwork, __self__).__init__( 'azure-native:connectedvmwarevsphere:VirtualNetwork', diff --git a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/vm_instance_guest_agent.py b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/vm_instance_guest_agent.py index 9106645a1b98..624463677f4e 100644 --- a/sdk/python/pulumi_azure_native/connectedvmwarevsphere/vm_instance_guest_agent.py +++ b/sdk/python/pulumi_azure_native/connectedvmwarevsphere/vm_instance_guest_agent.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:VMInstanceGuestAgent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20230301preview:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231001:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native:connectedvmwarevsphere/v20231201:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20230301preview:connectedvmwarevsphere:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231001:connectedvmwarevsphere:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native_connectedvmwarevsphere_v20231201:connectedvmwarevsphere:VMInstanceGuestAgent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VMInstanceGuestAgent, __self__).__init__( 'azure-native:connectedvmwarevsphere:VMInstanceGuestAgent', diff --git a/sdk/python/pulumi_azure_native/consumption/budget.py b/sdk/python/pulumi_azure_native/consumption/budget.py index 74c568472705..7f7dfda8f8b3 100644 --- a/sdk/python/pulumi_azure_native/consumption/budget.py +++ b/sdk/python/pulumi_azure_native/consumption/budget.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["forecast_spend"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:consumption/v20190101:Budget"), pulumi.Alias(type_="azure-native:consumption/v20190401preview:Budget"), pulumi.Alias(type_="azure-native:consumption/v20190501:Budget"), pulumi.Alias(type_="azure-native:consumption/v20190501preview:Budget"), pulumi.Alias(type_="azure-native:consumption/v20190601:Budget"), pulumi.Alias(type_="azure-native:consumption/v20191001:Budget"), pulumi.Alias(type_="azure-native:consumption/v20191101:Budget"), pulumi.Alias(type_="azure-native:consumption/v20210501:Budget"), pulumi.Alias(type_="azure-native:consumption/v20211001:Budget"), pulumi.Alias(type_="azure-native:consumption/v20220901:Budget"), pulumi.Alias(type_="azure-native:consumption/v20230301:Budget"), pulumi.Alias(type_="azure-native:consumption/v20230501:Budget"), pulumi.Alias(type_="azure-native:consumption/v20231101:Budget"), pulumi.Alias(type_="azure-native:consumption/v20240801:Budget")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:consumption/v20230501:Budget"), pulumi.Alias(type_="azure-native:consumption/v20231101:Budget"), pulumi.Alias(type_="azure-native:consumption/v20240801:Budget"), pulumi.Alias(type_="azure-native_consumption_v20190101:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20190401preview:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20190501:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20190501preview:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20190601:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20191001:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20191101:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20210501:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20211001:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20220901:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20230301:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20230501:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20231101:consumption:Budget"), pulumi.Alias(type_="azure-native_consumption_v20240801:consumption:Budget")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Budget, __self__).__init__( 'azure-native:consumption:Budget', diff --git a/sdk/python/pulumi_azure_native/containerinstance/container_group.py b/sdk/python/pulumi_azure_native/containerinstance/container_group.py index 8e9bf31f5df8..79377e756c2c 100644 --- a/sdk/python/pulumi_azure_native/containerinstance/container_group.py +++ b/sdk/python/pulumi_azure_native/containerinstance/container_group.py @@ -557,7 +557,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerinstance/v20170801preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20171001preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20171201preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20180201preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20180401:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20180601:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20180901:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20181001:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20191201:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20201101:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20210301:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20210701:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20210901:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20211001:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20220901:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20221001preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20230201preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20230501:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20240501preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20240901preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20241001preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20241101preview:ContainerGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerinstance/v20210301:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20210701:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20230201preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20230501:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20240501preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20240901preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20241001preview:ContainerGroup"), pulumi.Alias(type_="azure-native:containerinstance/v20241101preview:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20170801preview:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20171001preview:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20171201preview:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20180201preview:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20180401:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20180601:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20180901:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20181001:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20191201:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20201101:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20210301:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20210701:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20210901:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20211001:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20220901:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20221001preview:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20230201preview:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20230501:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20240501preview:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20240901preview:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20241001preview:containerinstance:ContainerGroup"), pulumi.Alias(type_="azure-native_containerinstance_v20241101preview:containerinstance:ContainerGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContainerGroup, __self__).__init__( 'azure-native:containerinstance:ContainerGroup', diff --git a/sdk/python/pulumi_azure_native/containerinstance/container_group_profile.py b/sdk/python/pulumi_azure_native/containerinstance/container_group_profile.py index 94310131ccb4..00fcca545505 100644 --- a/sdk/python/pulumi_azure_native/containerinstance/container_group_profile.py +++ b/sdk/python/pulumi_azure_native/containerinstance/container_group_profile.py @@ -452,7 +452,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["revision"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerinstance/v20240501preview:ContainerGroupProfile"), pulumi.Alias(type_="azure-native:containerinstance/v20241101preview:CGProfile"), pulumi.Alias(type_="azure-native:containerinstance/v20241101preview:ContainerGroupProfile"), pulumi.Alias(type_="azure-native:containerinstance:CGProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerinstance/v20240501preview:ContainerGroupProfile"), pulumi.Alias(type_="azure-native:containerinstance/v20241101preview:CGProfile"), pulumi.Alias(type_="azure-native:containerinstance:CGProfile"), pulumi.Alias(type_="azure-native_containerinstance_v20240501preview:containerinstance:ContainerGroupProfile"), pulumi.Alias(type_="azure-native_containerinstance_v20241101preview:containerinstance:ContainerGroupProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContainerGroupProfile, __self__).__init__( 'azure-native:containerinstance:ContainerGroupProfile', diff --git a/sdk/python/pulumi_azure_native/containerregistry/agent_pool.py b/sdk/python/pulumi_azure_native/containerregistry/agent_pool.py index 699c459a5b7d..0869e9766317 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/agent_pool.py +++ b/sdk/python/pulumi_azure_native/containerregistry/agent_pool.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20190601preview:AgentPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20190601preview:AgentPool"), pulumi.Alias(type_="azure-native_containerregistry_v20190601preview:containerregistry:AgentPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AgentPool, __self__).__init__( 'azure-native:containerregistry:AgentPool', diff --git a/sdk/python/pulumi_azure_native/containerregistry/archife.py b/sdk/python/pulumi_azure_native/containerregistry/archife.py index 60a915945c79..70cdf0d68505 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/archife.py +++ b/sdk/python/pulumi_azure_native/containerregistry/archife.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["repository_endpoint"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:Archife"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:Archife"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:Archife"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:Archife")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:Archife"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:Archife"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:Archife"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:Archife"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:Archife"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:Archife"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:Archife"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:Archife")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Archife, __self__).__init__( 'azure-native:containerregistry:Archife', diff --git a/sdk/python/pulumi_azure_native/containerregistry/archive_version.py b/sdk/python/pulumi_azure_native/containerregistry/archive_version.py index 9a6627785bb2..70fc3a5cfcad 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/archive_version.py +++ b/sdk/python/pulumi_azure_native/containerregistry/archive_version.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:ArchiveVersion"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:ArchiveVersion"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:ArchiveVersion"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:ArchiveVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:ArchiveVersion"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:ArchiveVersion"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:ArchiveVersion"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:ArchiveVersion"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:ArchiveVersion"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:ArchiveVersion"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:ArchiveVersion"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:ArchiveVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ArchiveVersion, __self__).__init__( 'azure-native:containerregistry:ArchiveVersion', diff --git a/sdk/python/pulumi_azure_native/containerregistry/cache_rule.py b/sdk/python/pulumi_azure_native/containerregistry/cache_rule.py index d6aa3e4987e5..44300dfa7b4b 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/cache_rule.py +++ b/sdk/python/pulumi_azure_native/containerregistry/cache_rule.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:CacheRule"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:CacheRule"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:CacheRule"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:CacheRule"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:CacheRule"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:CacheRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:CacheRule"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:CacheRule"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:CacheRule"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:CacheRule"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:CacheRule"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:CacheRule"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:CacheRule"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:CacheRule"), pulumi.Alias(type_="azure-native_containerregistry_v20230701:containerregistry:CacheRule"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:CacheRule"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:CacheRule"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:CacheRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CacheRule, __self__).__init__( 'azure-native:containerregistry:CacheRule', diff --git a/sdk/python/pulumi_azure_native/containerregistry/connected_registry.py b/sdk/python/pulumi_azure_native/containerregistry/connected_registry.py index bff29b9ab061..7d41565bb2ab 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/connected_registry.py +++ b/sdk/python/pulumi_azure_native/containerregistry/connected_registry.py @@ -275,7 +275,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20201101preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20210601preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20210801preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20211201preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20220201preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:ConnectedRegistry")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:ConnectedRegistry"), pulumi.Alias(type_="azure-native_containerregistry_v20201101preview:containerregistry:ConnectedRegistry"), pulumi.Alias(type_="azure-native_containerregistry_v20210601preview:containerregistry:ConnectedRegistry"), pulumi.Alias(type_="azure-native_containerregistry_v20210801preview:containerregistry:ConnectedRegistry"), pulumi.Alias(type_="azure-native_containerregistry_v20211201preview:containerregistry:ConnectedRegistry"), pulumi.Alias(type_="azure-native_containerregistry_v20220201preview:containerregistry:ConnectedRegistry"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:ConnectedRegistry"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:ConnectedRegistry"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:ConnectedRegistry"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:ConnectedRegistry"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:ConnectedRegistry")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectedRegistry, __self__).__init__( 'azure-native:containerregistry:ConnectedRegistry', diff --git a/sdk/python/pulumi_azure_native/containerregistry/credential_set.py b/sdk/python/pulumi_azure_native/containerregistry/credential_set.py index 9d402001bbc1..59a6d3476b56 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/credential_set.py +++ b/sdk/python/pulumi_azure_native/containerregistry/credential_set.py @@ -211,7 +211,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:CredentialSet"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:CredentialSet"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:CredentialSet"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:CredentialSet"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:CredentialSet"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:CredentialSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:CredentialSet"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:CredentialSet"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:CredentialSet"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:CredentialSet"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:CredentialSet"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:CredentialSet"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:CredentialSet"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:CredentialSet"), pulumi.Alias(type_="azure-native_containerregistry_v20230701:containerregistry:CredentialSet"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:CredentialSet"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:CredentialSet"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:CredentialSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CredentialSet, __self__).__init__( 'azure-native:containerregistry:CredentialSet', diff --git a/sdk/python/pulumi_azure_native/containerregistry/export_pipeline.py b/sdk/python/pulumi_azure_native/containerregistry/export_pipeline.py index 3d91602be52c..66cdf1223c05 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/export_pipeline.py +++ b/sdk/python/pulumi_azure_native/containerregistry/export_pipeline.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20191201preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20201101preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20210601preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20210801preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20211201preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20220201preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:ExportPipeline")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:ExportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:ExportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20191201preview:containerregistry:ExportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20201101preview:containerregistry:ExportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20210601preview:containerregistry:ExportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20210801preview:containerregistry:ExportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20211201preview:containerregistry:ExportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20220201preview:containerregistry:ExportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:ExportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:ExportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:ExportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:ExportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:ExportPipeline")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExportPipeline, __self__).__init__( 'azure-native:containerregistry:ExportPipeline', diff --git a/sdk/python/pulumi_azure_native/containerregistry/import_pipeline.py b/sdk/python/pulumi_azure_native/containerregistry/import_pipeline.py index 12317c4687d0..3f920d6011f8 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/import_pipeline.py +++ b/sdk/python/pulumi_azure_native/containerregistry/import_pipeline.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20191201preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20201101preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20210601preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20210801preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20211201preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20220201preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:ImportPipeline")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:ImportPipeline"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:ImportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20191201preview:containerregistry:ImportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20201101preview:containerregistry:ImportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20210601preview:containerregistry:ImportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20210801preview:containerregistry:ImportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20211201preview:containerregistry:ImportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20220201preview:containerregistry:ImportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:ImportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:ImportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:ImportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:ImportPipeline"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:ImportPipeline")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ImportPipeline, __self__).__init__( 'azure-native:containerregistry:ImportPipeline', diff --git a/sdk/python/pulumi_azure_native/containerregistry/pipeline_run.py b/sdk/python/pulumi_azure_native/containerregistry/pipeline_run.py index ebfce24bac04..df51d6c88d1b 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/pipeline_run.py +++ b/sdk/python/pulumi_azure_native/containerregistry/pipeline_run.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["response"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20191201preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20201101preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20210601preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20210801preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20211201preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20220201preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:PipelineRun")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:PipelineRun"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:PipelineRun"), pulumi.Alias(type_="azure-native_containerregistry_v20191201preview:containerregistry:PipelineRun"), pulumi.Alias(type_="azure-native_containerregistry_v20201101preview:containerregistry:PipelineRun"), pulumi.Alias(type_="azure-native_containerregistry_v20210601preview:containerregistry:PipelineRun"), pulumi.Alias(type_="azure-native_containerregistry_v20210801preview:containerregistry:PipelineRun"), pulumi.Alias(type_="azure-native_containerregistry_v20211201preview:containerregistry:PipelineRun"), pulumi.Alias(type_="azure-native_containerregistry_v20220201preview:containerregistry:PipelineRun"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:PipelineRun"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:PipelineRun"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:PipelineRun"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:PipelineRun"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:PipelineRun")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PipelineRun, __self__).__init__( 'azure-native:containerregistry:PipelineRun', diff --git a/sdk/python/pulumi_azure_native/containerregistry/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/containerregistry/private_endpoint_connection.py index 88f9b9fe7902..055ba4a4333a 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/containerregistry/private_endpoint_connection.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20191201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20201101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20210601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20210801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20210901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20211201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20220201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20221201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20221201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20191201preview:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20201101preview:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20210601preview:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20210801preview:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20210901:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20211201preview:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20220201preview:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20221201:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20230701:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:containerregistry:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/containerregistry/registry.py b/sdk/python/pulumi_azure_native/containerregistry/registry.py index 275a4d301ecf..0943faa2bd59 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/registry.py +++ b/sdk/python/pulumi_azure_native/containerregistry/registry.py @@ -412,7 +412,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20170301:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20171001:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20190501:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20191201preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20201101preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20210601preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20210801preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20210901:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20211201preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20220201preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20221201:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:Registry")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20170301:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20190501:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20221201:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:Registry"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20170301:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20171001:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20190501:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20191201preview:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20201101preview:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20210601preview:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20210801preview:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20210901:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20211201preview:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20220201preview:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20221201:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20230701:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:Registry"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:Registry")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Registry, __self__).__init__( 'azure-native:containerregistry:Registry', diff --git a/sdk/python/pulumi_azure_native/containerregistry/replication.py b/sdk/python/pulumi_azure_native/containerregistry/replication.py index 57eae02a20fb..8915e51cb3aa 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/replication.py +++ b/sdk/python/pulumi_azure_native/containerregistry/replication.py @@ -235,7 +235,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20171001:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20190501:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20191201preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20201101preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20210601preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20210801preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20210901:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20211201preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20220201preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20221201:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:Replication")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20221201:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:Replication"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20171001:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20190501:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20191201preview:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20201101preview:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20210601preview:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20210801preview:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20210901:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20211201preview:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20220201preview:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20221201:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20230701:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:Replication"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:Replication")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Replication, __self__).__init__( 'azure-native:containerregistry:Replication', diff --git a/sdk/python/pulumi_azure_native/containerregistry/scope_map.py b/sdk/python/pulumi_azure_native/containerregistry/scope_map.py index 51c8c7819edc..f0d57be4a07b 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/scope_map.py +++ b/sdk/python/pulumi_azure_native/containerregistry/scope_map.py @@ -193,7 +193,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20190501preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20201101preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20210601preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20210801preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20211201preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20220201preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20221201:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:ScopeMap")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20221201:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:ScopeMap"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20190501preview:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20201101preview:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20210601preview:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20210801preview:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20211201preview:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20220201preview:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20221201:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20230701:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:ScopeMap"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:ScopeMap")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScopeMap, __self__).__init__( 'azure-native:containerregistry:ScopeMap', diff --git a/sdk/python/pulumi_azure_native/containerregistry/task.py b/sdk/python/pulumi_azure_native/containerregistry/task.py index 64af41306394..55b1e4fc4f3a 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/task.py +++ b/sdk/python/pulumi_azure_native/containerregistry/task.py @@ -414,7 +414,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20180901:Task"), pulumi.Alias(type_="azure-native:containerregistry/v20190401:Task"), pulumi.Alias(type_="azure-native:containerregistry/v20190601preview:Task")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20180901:Task"), pulumi.Alias(type_="azure-native:containerregistry/v20190401:Task"), pulumi.Alias(type_="azure-native:containerregistry/v20190601preview:Task"), pulumi.Alias(type_="azure-native_containerregistry_v20180901:containerregistry:Task"), pulumi.Alias(type_="azure-native_containerregistry_v20190401:containerregistry:Task"), pulumi.Alias(type_="azure-native_containerregistry_v20190601preview:containerregistry:Task")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Task, __self__).__init__( 'azure-native:containerregistry:Task', diff --git a/sdk/python/pulumi_azure_native/containerregistry/task_run.py b/sdk/python/pulumi_azure_native/containerregistry/task_run.py index 182996e3b74f..8237fc765489 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/task_run.py +++ b/sdk/python/pulumi_azure_native/containerregistry/task_run.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["run_result"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20190601preview:TaskRun")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20190601preview:TaskRun"), pulumi.Alias(type_="azure-native_containerregistry_v20190601preview:containerregistry:TaskRun")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TaskRun, __self__).__init__( 'azure-native:containerregistry:TaskRun', diff --git a/sdk/python/pulumi_azure_native/containerregistry/token.py b/sdk/python/pulumi_azure_native/containerregistry/token.py index 2844322571b4..383ab80d4f39 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/token.py +++ b/sdk/python/pulumi_azure_native/containerregistry/token.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20190501preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20201101preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20210601preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20210801preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20211201preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20220201preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20221201:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:Token")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20221201:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:Token"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20190501preview:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20201101preview:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20210601preview:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20210801preview:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20211201preview:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20220201preview:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20221201:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20230701:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:Token"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:Token")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Token, __self__).__init__( 'azure-native:containerregistry:Token', diff --git a/sdk/python/pulumi_azure_native/containerregistry/webhook.py b/sdk/python/pulumi_azure_native/containerregistry/webhook.py index 3e26f54b918d..86675474b424 100644 --- a/sdk/python/pulumi_azure_native/containerregistry/webhook.py +++ b/sdk/python/pulumi_azure_native/containerregistry/webhook.py @@ -288,7 +288,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20171001:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20190501:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20191201preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20201101preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20210601preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20210801preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20210901:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20211201preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20220201preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20221201:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:Webhook")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerregistry/v20221201:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20230101preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20230601preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20230701:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20230801preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20231101preview:Webhook"), pulumi.Alias(type_="azure-native:containerregistry/v20241101preview:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20171001:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20190501:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20191201preview:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20201101preview:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20210601preview:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20210801preview:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20210901:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20211201preview:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20220201preview:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20221201:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20230101preview:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20230601preview:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20230701:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20230801preview:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20231101preview:containerregistry:Webhook"), pulumi.Alias(type_="azure-native_containerregistry_v20241101preview:containerregistry:Webhook")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Webhook, __self__).__init__( 'azure-native:containerregistry:Webhook', diff --git a/sdk/python/pulumi_azure_native/containerservice/agent_pool.py b/sdk/python/pulumi_azure_native/containerservice/agent_pool.py index 03186102b1ef..7fa663f9c2fa 100644 --- a/sdk/python/pulumi_azure_native/containerservice/agent_pool.py +++ b/sdk/python/pulumi_azure_native/containerservice/agent_pool.py @@ -1008,7 +1008,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["node_image_version"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20190201:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20190401:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20190601:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20190801:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20191001:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20191101:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20200101:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20200201:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20200301:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20200401:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20200601:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20200701:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20200901:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20201101:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20201201:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20210201:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20210301:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20210501:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20210701:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20210801:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20210901:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20211001:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20211101preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220101:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220102preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220201:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220202preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220301:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220302preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220401:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220402preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220502preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220601:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220602preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220701:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220702preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220802preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220803preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220901:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220902preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20221002preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20221101:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20221102preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230101:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230102preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230201:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230202preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230301:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230302preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230401:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230402preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230501:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230601:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230701:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230801:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230901:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20231001:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20231101:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240101:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240201:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240501:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240701:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240801:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240901:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20241001:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20241002preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20250101:AgentPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20200601:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20210201:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20210801:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20220402preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230401:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230601:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230701:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230801:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230901:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20231001:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20231101:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240101:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240201:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240501:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240701:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240801:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240901:AgentPool"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20190201:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20190401:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20190601:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20190801:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20191001:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20191101:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20200101:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20200201:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20200301:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20200401:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20200601:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20200701:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20200901:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20201101:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20201201:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20210201:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20210301:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20210501:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20210701:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20210801:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20210901:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20211001:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20211101preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220101:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220102preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220201:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220202preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220301:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220302preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220401:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220402preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220502preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220601:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220602preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220701:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220702preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220802preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220803preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220901:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20220902preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20221002preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20221101:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20221102preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230101:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230102preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230201:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230202preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230301:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230302preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230401:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230402preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230501:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230502preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230601:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230602preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230701:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230702preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230801:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230802preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230901:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20230902preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20231001:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20231002preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20231101:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20231102preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240101:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240102preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240201:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240202preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240302preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240402preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240501:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240602preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240701:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240702preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240801:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240901:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20240902preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20241001:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20241002preview:containerservice:AgentPool"), pulumi.Alias(type_="azure-native_containerservice_v20250101:containerservice:AgentPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AgentPool, __self__).__init__( 'azure-native:containerservice:AgentPool', diff --git a/sdk/python/pulumi_azure_native/containerservice/auto_upgrade_profile.py b/sdk/python/pulumi_azure_native/containerservice/auto_upgrade_profile.py index 92985a290ce1..d0892b09335c 100644 --- a/sdk/python/pulumi_azure_native/containerservice/auto_upgrade_profile.py +++ b/sdk/python/pulumi_azure_native/containerservice/auto_upgrade_profile.py @@ -234,7 +234,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20240502preview:AutoUpgradeProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20240502preview:AutoUpgradeProfile"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:AutoUpgradeProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AutoUpgradeProfile, __self__).__init__( 'azure-native:containerservice:AutoUpgradeProfile', diff --git a/sdk/python/pulumi_azure_native/containerservice/fleet.py b/sdk/python/pulumi_azure_native/containerservice/fleet.py index d6cccbea0830..c30961ad8d40 100644 --- a/sdk/python/pulumi_azure_native/containerservice/fleet.py +++ b/sdk/python/pulumi_azure_native/containerservice/fleet.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20220602preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20220702preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20220902preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20230315preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20230615preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20230815preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20231015:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20240401:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:Fleet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20220702preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20230315preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20230615preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20230815preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20231015:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20240401:Fleet"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:Fleet"), pulumi.Alias(type_="azure-native_containerservice_v20220602preview:containerservice:Fleet"), pulumi.Alias(type_="azure-native_containerservice_v20220702preview:containerservice:Fleet"), pulumi.Alias(type_="azure-native_containerservice_v20220902preview:containerservice:Fleet"), pulumi.Alias(type_="azure-native_containerservice_v20230315preview:containerservice:Fleet"), pulumi.Alias(type_="azure-native_containerservice_v20230615preview:containerservice:Fleet"), pulumi.Alias(type_="azure-native_containerservice_v20230815preview:containerservice:Fleet"), pulumi.Alias(type_="azure-native_containerservice_v20231015:containerservice:Fleet"), pulumi.Alias(type_="azure-native_containerservice_v20240202preview:containerservice:Fleet"), pulumi.Alias(type_="azure-native_containerservice_v20240401:containerservice:Fleet"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:Fleet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Fleet, __self__).__init__( 'azure-native:containerservice:Fleet', diff --git a/sdk/python/pulumi_azure_native/containerservice/fleet_member.py b/sdk/python/pulumi_azure_native/containerservice/fleet_member.py index 6c76f1b37a49..6c3e5b272270 100644 --- a/sdk/python/pulumi_azure_native/containerservice/fleet_member.py +++ b/sdk/python/pulumi_azure_native/containerservice/fleet_member.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20220602preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20220702preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20220902preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20230315preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20230615preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20230815preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20231015:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20240401:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:FleetMember")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20220702preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20230315preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20230615preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20230815preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20231015:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20240401:FleetMember"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:FleetMember"), pulumi.Alias(type_="azure-native_containerservice_v20220602preview:containerservice:FleetMember"), pulumi.Alias(type_="azure-native_containerservice_v20220702preview:containerservice:FleetMember"), pulumi.Alias(type_="azure-native_containerservice_v20220902preview:containerservice:FleetMember"), pulumi.Alias(type_="azure-native_containerservice_v20230315preview:containerservice:FleetMember"), pulumi.Alias(type_="azure-native_containerservice_v20230615preview:containerservice:FleetMember"), pulumi.Alias(type_="azure-native_containerservice_v20230815preview:containerservice:FleetMember"), pulumi.Alias(type_="azure-native_containerservice_v20231015:containerservice:FleetMember"), pulumi.Alias(type_="azure-native_containerservice_v20240202preview:containerservice:FleetMember"), pulumi.Alias(type_="azure-native_containerservice_v20240401:containerservice:FleetMember"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:FleetMember")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FleetMember, __self__).__init__( 'azure-native:containerservice:FleetMember', diff --git a/sdk/python/pulumi_azure_native/containerservice/fleet_update_strategy.py b/sdk/python/pulumi_azure_native/containerservice/fleet_update_strategy.py index 9619c59d9f5b..241f042c87e7 100644 --- a/sdk/python/pulumi_azure_native/containerservice/fleet_update_strategy.py +++ b/sdk/python/pulumi_azure_native/containerservice/fleet_update_strategy.py @@ -168,7 +168,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20230815preview:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native:containerservice/v20231015:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native:containerservice/v20240401:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:FleetUpdateStrategy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20230815preview:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native:containerservice/v20231015:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native:containerservice/v20240401:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native_containerservice_v20230815preview:containerservice:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native_containerservice_v20231015:containerservice:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native_containerservice_v20240202preview:containerservice:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native_containerservice_v20240401:containerservice:FleetUpdateStrategy"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:FleetUpdateStrategy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FleetUpdateStrategy, __self__).__init__( 'azure-native:containerservice:FleetUpdateStrategy', diff --git a/sdk/python/pulumi_azure_native/containerservice/load_balancer.py b/sdk/python/pulumi_azure_native/containerservice/load_balancer.py index 602fbd458abf..3866d403afe9 100644 --- a/sdk/python/pulumi_azure_native/containerservice/load_balancer.py +++ b/sdk/python/pulumi_azure_native/containerservice/load_balancer.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20240302preview:LoadBalancer"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:LoadBalancer"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:LoadBalancer"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:LoadBalancer"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:LoadBalancer"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:LoadBalancer"), pulumi.Alias(type_="azure-native:containerservice/v20241002preview:LoadBalancer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20240302preview:LoadBalancer"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:LoadBalancer"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:LoadBalancer"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:LoadBalancer"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:LoadBalancer"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:LoadBalancer"), pulumi.Alias(type_="azure-native_containerservice_v20240302preview:containerservice:LoadBalancer"), pulumi.Alias(type_="azure-native_containerservice_v20240402preview:containerservice:LoadBalancer"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:LoadBalancer"), pulumi.Alias(type_="azure-native_containerservice_v20240602preview:containerservice:LoadBalancer"), pulumi.Alias(type_="azure-native_containerservice_v20240702preview:containerservice:LoadBalancer"), pulumi.Alias(type_="azure-native_containerservice_v20240902preview:containerservice:LoadBalancer"), pulumi.Alias(type_="azure-native_containerservice_v20241002preview:containerservice:LoadBalancer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LoadBalancer, __self__).__init__( 'azure-native:containerservice:LoadBalancer', diff --git a/sdk/python/pulumi_azure_native/containerservice/maintenance_configuration.py b/sdk/python/pulumi_azure_native/containerservice/maintenance_configuration.py index dc5deae0e4a3..34524e2f3d10 100644 --- a/sdk/python/pulumi_azure_native/containerservice/maintenance_configuration.py +++ b/sdk/python/pulumi_azure_native/containerservice/maintenance_configuration.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20201201:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20210201:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20210301:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20210501:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20210701:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20210801:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20210901:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20211001:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20211101preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220101:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220102preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220201:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220202preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220301:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220302preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220401:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220402preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220502preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220601:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220602preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220701:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220702preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220802preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220803preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220901:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20220902preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20221002preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20221101:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20221102preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230101:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230102preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230201:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230202preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230301:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230302preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230401:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230402preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230501:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230601:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230701:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230801:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230901:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20231001:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20231101:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240101:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240201:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240501:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240701:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240801:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240901:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20241001:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20241002preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20250101:MaintenanceConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20230401:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230601:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230701:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230801:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230901:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20231001:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20231101:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240101:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240201:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240501:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240701:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240801:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240901:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20201201:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20210201:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20210301:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20210501:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20210701:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20210801:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20210901:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20211001:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20211101preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220101:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220102preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220201:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220202preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220301:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220302preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220401:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220402preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220502preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220601:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220602preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220701:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220702preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220802preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220803preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220901:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20220902preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20221002preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20221101:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20221102preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230101:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230102preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230201:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230202preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230301:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230302preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230401:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230402preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230501:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230502preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230601:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230602preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230701:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230702preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230801:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230802preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230901:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20230902preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20231001:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20231002preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20231101:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20231102preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240101:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240102preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240201:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240202preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240302preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240402preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240501:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240602preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240701:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240702preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240801:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240901:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20240902preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20241001:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20241002preview:containerservice:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_containerservice_v20250101:containerservice:MaintenanceConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MaintenanceConfiguration, __self__).__init__( 'azure-native:containerservice:MaintenanceConfiguration', diff --git a/sdk/python/pulumi_azure_native/containerservice/managed_cluster.py b/sdk/python/pulumi_azure_native/containerservice/managed_cluster.py index c6f17e0bfc44..4e6e939d411f 100644 --- a/sdk/python/pulumi_azure_native/containerservice/managed_cluster.py +++ b/sdk/python/pulumi_azure_native/containerservice/managed_cluster.py @@ -918,7 +918,7 @@ def _internal_init(__self__, __props__.__dict__["resource_uid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20170831:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20180331:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20180801preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20190201:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20190401:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20190601:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20190801:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20191001:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20191101:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20200101:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20200201:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20200301:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20200401:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20200601:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20200701:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20200901:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20201101:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20201201:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20210201:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20210301:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20210501:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20210701:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20210801:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20210901:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20211001:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20211101preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220101:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220102preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220201:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220202preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220301:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220302preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220401:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220402preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220502preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220601:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220602preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220701:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220702preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220802preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220803preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220901:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20220902preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20221002preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20221101:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20221102preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230101:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230102preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230201:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230202preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230301:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230302preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230401:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230402preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230501:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230601:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230701:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230801:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230901:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20231001:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20231101:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240101:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240201:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240501:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240701:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240801:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240901:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20241001:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20241002preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20250101:ManagedCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20190601:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20210501:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230401:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230601:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230701:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230801:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230901:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20231001:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20231101:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240101:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240201:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240501:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240701:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240801:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240901:ManagedCluster"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20170831:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20180331:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20180801preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20190201:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20190401:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20190601:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20190801:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20191001:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20191101:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20200101:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20200201:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20200301:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20200401:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20200601:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20200701:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20200901:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20201101:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20201201:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20210201:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20210301:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20210501:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20210701:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20210801:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20210901:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20211001:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20211101preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220101:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220102preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220201:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220202preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220301:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220302preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220401:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220402preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220502preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220601:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220602preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220701:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220702preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220802preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220803preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220901:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20220902preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20221002preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20221101:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20221102preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230101:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230102preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230201:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230202preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230301:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230302preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230401:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230402preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230501:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230502preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230601:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230602preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230701:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230702preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230801:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230802preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230901:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20230902preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20231001:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20231002preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20231101:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20231102preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240101:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240102preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240201:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240202preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240302preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240402preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240501:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240602preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240701:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240702preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240801:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240901:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20240902preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20241001:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20241002preview:containerservice:ManagedCluster"), pulumi.Alias(type_="azure-native_containerservice_v20250101:containerservice:ManagedCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedCluster, __self__).__init__( 'azure-native:containerservice:ManagedCluster', diff --git a/sdk/python/pulumi_azure_native/containerservice/managed_cluster_snapshot.py b/sdk/python/pulumi_azure_native/containerservice/managed_cluster_snapshot.py index 7dd6e475a895..a7217748c4b2 100644 --- a/sdk/python/pulumi_azure_native/containerservice/managed_cluster_snapshot.py +++ b/sdk/python/pulumi_azure_native/containerservice/managed_cluster_snapshot.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20220202preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220302preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220402preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220502preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220602preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220702preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220802preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220803preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220902preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20221002preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20221102preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230102preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230202preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230302preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230402preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20241002preview:ManagedClusterSnapshot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20230502preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220202preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220302preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220402preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220502preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220602preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220702preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220802preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220803preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220902preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20221002preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20221102preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230102preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230202preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230302preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230402preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230502preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230602preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230702preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230802preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230902preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20231002preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20231102preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240102preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240202preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240302preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240402preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240602preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240702preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240902preview:containerservice:ManagedClusterSnapshot"), pulumi.Alias(type_="azure-native_containerservice_v20241002preview:containerservice:ManagedClusterSnapshot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedClusterSnapshot, __self__).__init__( 'azure-native:containerservice:ManagedClusterSnapshot', diff --git a/sdk/python/pulumi_azure_native/containerservice/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/containerservice/private_endpoint_connection.py index 6999b46344f2..74c09cc7221f 100644 --- a/sdk/python/pulumi_azure_native/containerservice/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/containerservice/private_endpoint_connection.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20200601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20200701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20200901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20201101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20201201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20210201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20210301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20210501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20210701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20210801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20210901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20211001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20211101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220102preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220202preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220302preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220402preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220502preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220602preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220702preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220802preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220803preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20220902preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20221002preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20221101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20221102preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230102preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230202preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230302preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230402preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20231001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20231101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20241001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20241002preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20250101:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20230401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20231001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20231101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20200601:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20200701:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20200901:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20201101:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20201201:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20210201:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20210301:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20210501:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20210701:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20210801:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20210901:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20211001:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20211101preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220101:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220102preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220201:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220202preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220301:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220302preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220401:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220402preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220502preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220601:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220602preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220701:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220702preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220802preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220803preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220901:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20220902preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20221002preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20221101:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20221102preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230101:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230102preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230201:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230202preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230301:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230302preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230401:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230402preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230501:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230502preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230601:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230602preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230701:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230702preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230801:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230802preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230901:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20230902preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20231001:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20231002preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20231101:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20231102preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240101:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240102preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240201:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240202preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240302preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240402preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240501:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240602preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240701:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240702preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240801:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240901:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20240902preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20241001:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20241002preview:containerservice:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_containerservice_v20250101:containerservice:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:containerservice:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/containerservice/snapshot.py b/sdk/python/pulumi_azure_native/containerservice/snapshot.py index 5412c42969a2..44c9b50b9012 100644 --- a/sdk/python/pulumi_azure_native/containerservice/snapshot.py +++ b/sdk/python/pulumi_azure_native/containerservice/snapshot.py @@ -211,7 +211,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["vm_size"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20210801:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20210901:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20211001:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20211101preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220101:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220102preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220201:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220202preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220301:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220302preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220401:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220402preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220502preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220601:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220602preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220701:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220702preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220802preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220803preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220901:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20220902preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20221002preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20221101:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20221102preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230101:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230102preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230201:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230202preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230301:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230302preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230401:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230402preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230501:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230601:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230701:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230801:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230901:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231001:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231101:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240101:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240201:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240501:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240701:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240801:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240901:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20241001:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20241002preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20250101:Snapshot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20230401:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230601:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230701:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230801:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230901:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231001:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231101:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240101:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240201:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240501:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240701:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240801:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240901:Snapshot"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20210801:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20210901:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20211001:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20211101preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220101:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220102preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220201:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220202preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220301:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220302preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220401:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220402preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220502preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220601:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220602preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220701:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220702preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220802preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220803preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220901:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20220902preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20221002preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20221101:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20221102preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230101:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230102preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230201:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230202preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230301:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230302preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230401:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230402preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230501:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230502preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230601:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230602preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230701:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230702preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230801:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230802preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230901:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20230902preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20231001:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20231002preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20231101:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20231102preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240101:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240102preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240201:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240202preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240302preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240402preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240501:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240602preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240701:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240702preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240801:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240901:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20240902preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20241001:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20241002preview:containerservice:Snapshot"), pulumi.Alias(type_="azure-native_containerservice_v20250101:containerservice:Snapshot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Snapshot, __self__).__init__( 'azure-native:containerservice:Snapshot', diff --git a/sdk/python/pulumi_azure_native/containerservice/trusted_access_role_binding.py b/sdk/python/pulumi_azure_native/containerservice/trusted_access_role_binding.py index 4d3fed2628dc..991542d09b13 100644 --- a/sdk/python/pulumi_azure_native/containerservice/trusted_access_role_binding.py +++ b/sdk/python/pulumi_azure_native/containerservice/trusted_access_role_binding.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20220402preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20220502preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20220602preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20220702preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20220802preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20220803preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20220902preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20221002preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20221102preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230102preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230202preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230302preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230402preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230502preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230901:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20231001:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20231101:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240101:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240201:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240501:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240701:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240801:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240901:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20241001:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20241002preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20250101:TrustedAccessRoleBinding")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20230502preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230602preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230702preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230802preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230901:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20230902preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20231001:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20231002preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20231101:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20231102preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240101:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240102preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240201:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240302preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240402preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240501:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240602preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240701:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240702preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240801:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240901:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native:containerservice/v20240902preview:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20220402preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20220502preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20220602preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20220702preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20220802preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20220803preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20220902preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20221002preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20221102preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20230102preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20230202preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20230302preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20230402preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20230502preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20230602preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20230702preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20230802preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20230901:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20230902preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20231001:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20231002preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20231101:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20231102preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240101:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240102preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240201:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240202preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240302preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240402preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240501:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240602preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240701:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240702preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240801:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240901:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20240902preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20241001:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20241002preview:containerservice:TrustedAccessRoleBinding"), pulumi.Alias(type_="azure-native_containerservice_v20250101:containerservice:TrustedAccessRoleBinding")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TrustedAccessRoleBinding, __self__).__init__( 'azure-native:containerservice:TrustedAccessRoleBinding', diff --git a/sdk/python/pulumi_azure_native/containerservice/update_run.py b/sdk/python/pulumi_azure_native/containerservice/update_run.py index c337f2ccfa31..a0f3cb1175a3 100644 --- a/sdk/python/pulumi_azure_native/containerservice/update_run.py +++ b/sdk/python/pulumi_azure_native/containerservice/update_run.py @@ -249,7 +249,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20230315preview:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20230615preview:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20230815preview:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20231015:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20240401:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:UpdateRun")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerservice/v20230315preview:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20230615preview:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20230815preview:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20231015:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20240202preview:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20240401:UpdateRun"), pulumi.Alias(type_="azure-native:containerservice/v20240502preview:UpdateRun"), pulumi.Alias(type_="azure-native_containerservice_v20230315preview:containerservice:UpdateRun"), pulumi.Alias(type_="azure-native_containerservice_v20230615preview:containerservice:UpdateRun"), pulumi.Alias(type_="azure-native_containerservice_v20230815preview:containerservice:UpdateRun"), pulumi.Alias(type_="azure-native_containerservice_v20231015:containerservice:UpdateRun"), pulumi.Alias(type_="azure-native_containerservice_v20240202preview:containerservice:UpdateRun"), pulumi.Alias(type_="azure-native_containerservice_v20240401:containerservice:UpdateRun"), pulumi.Alias(type_="azure-native_containerservice_v20240502preview:containerservice:UpdateRun")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(UpdateRun, __self__).__init__( 'azure-native:containerservice:UpdateRun', diff --git a/sdk/python/pulumi_azure_native/containerstorage/pool.py b/sdk/python/pulumi_azure_native/containerstorage/pool.py index 4ded4092cdb6..f78498f880ed 100644 --- a/sdk/python/pulumi_azure_native/containerstorage/pool.py +++ b/sdk/python/pulumi_azure_native/containerstorage/pool.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerstorage/v20230701preview:Pool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerstorage/v20230701preview:Pool"), pulumi.Alias(type_="azure-native_containerstorage_v20230701preview:containerstorage:Pool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Pool, __self__).__init__( 'azure-native:containerstorage:Pool', diff --git a/sdk/python/pulumi_azure_native/containerstorage/snapshot.py b/sdk/python/pulumi_azure_native/containerstorage/snapshot.py index f853dafb3562..473f6755821d 100644 --- a/sdk/python/pulumi_azure_native/containerstorage/snapshot.py +++ b/sdk/python/pulumi_azure_native/containerstorage/snapshot.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerstorage/v20230701preview:Snapshot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerstorage/v20230701preview:Snapshot"), pulumi.Alias(type_="azure-native_containerstorage_v20230701preview:containerstorage:Snapshot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Snapshot, __self__).__init__( 'azure-native:containerstorage:Snapshot', diff --git a/sdk/python/pulumi_azure_native/containerstorage/volume.py b/sdk/python/pulumi_azure_native/containerstorage/volume.py index 7e5b07507fad..e3da5ef4709b 100644 --- a/sdk/python/pulumi_azure_native/containerstorage/volume.py +++ b/sdk/python/pulumi_azure_native/containerstorage/volume.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["volume_type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerstorage/v20230701preview:Volume")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:containerstorage/v20230701preview:Volume"), pulumi.Alias(type_="azure-native_containerstorage_v20230701preview:containerstorage:Volume")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Volume, __self__).__init__( 'azure-native:containerstorage:Volume', diff --git a/sdk/python/pulumi_azure_native/contoso/employee.py b/sdk/python/pulumi_azure_native/contoso/employee.py index 7522a2fad6b5..9f070bda4e14 100644 --- a/sdk/python/pulumi_azure_native/contoso/employee.py +++ b/sdk/python/pulumi_azure_native/contoso/employee.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:contoso/v20211001preview:Employee"), pulumi.Alias(type_="azure-native:contoso/v20211101:Employee")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:contoso/v20211001preview:Employee"), pulumi.Alias(type_="azure-native_contoso_v20211001preview:contoso:Employee"), pulumi.Alias(type_="azure-native_contoso_v20211101:contoso:Employee")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Employee, __self__).__init__( 'azure-native:contoso:Employee', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/cassandra_cluster.py b/sdk/python/pulumi_azure_native/cosmosdb/cassandra_cluster.py index f58594c1faea..5c8c525f50a8 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/cassandra_cluster.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/cassandra_cluster.py @@ -204,7 +204,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:CassandraCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20210701preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb:CassandraCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20210701preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraCluster"), pulumi.Alias(type_="azure-native:documentdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:CassandraCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CassandraCluster, __self__).__init__( 'azure-native:cosmosdb:CassandraCluster', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/cassandra_data_center.py b/sdk/python/pulumi_azure_native/cosmosdb/cassandra_data_center.py index 892c9e949b91..7cb8db8e8288 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/cassandra_data_center.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/cassandra_data_center.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:CassandraDataCenter"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb:CassandraDataCenter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraDataCenter"), pulumi.Alias(type_="azure-native:documentdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:CassandraDataCenter"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraDataCenter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CassandraDataCenter, __self__).__init__( 'azure-native:cosmosdb:CassandraDataCenter', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_keyspace.py b/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_keyspace.py index 16a7c4f0bbb9..dd3bb51c2773 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_keyspace.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_keyspace.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb:CassandraResourceCassandraKeyspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraKeyspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CassandraResourceCassandraKeyspace, __self__).__init__( 'azure-native:cosmosdb:CassandraResourceCassandraKeyspace', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_table.py b/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_table.py index a0a7fdbab052..6c827eb2a472 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_table.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_table.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb:CassandraResourceCassandraTable")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraTable")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CassandraResourceCassandraTable, __self__).__init__( 'azure-native:cosmosdb:CassandraResourceCassandraTable', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_view.py b/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_view.py index b024227d7149..3680379252ab 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_view.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/cassandra_resource_cassandra_view.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb:CassandraResourceCassandraView")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native:documentdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:CassandraResourceCassandraView"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:CassandraResourceCassandraView")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CassandraResourceCassandraView, __self__).__init__( 'azure-native:cosmosdb:CassandraResourceCassandraView', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/database_account.py b/sdk/python/pulumi_azure_native/cosmosdb/database_account.py index dce82250bd37..a9d00ea21cff 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/database_account.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/database_account.py @@ -863,7 +863,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["write_locations"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:DatabaseAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20210401preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20230415:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20230915:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20231115:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240515:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240815:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20241115:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb:DatabaseAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20210401preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20230415:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20230915:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20231115:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240515:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240815:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20241115:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:DatabaseAccount"), pulumi.Alias(type_="azure-native:documentdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseAccount, __self__).__init__( 'azure-native:cosmosdb:DatabaseAccount', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/database_account_cassandra_keyspace.py b/sdk/python/pulumi_azure_native/cosmosdb/database_account_cassandra_keyspace.py index 1b3c8b1cd2d5..02749d15d07f 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/database_account_cassandra_keyspace.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/database_account_cassandra_keyspace.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb:CassandraResourceCassandraKeyspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native:documentdb:CassandraResourceCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountCassandraKeyspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountCassandraKeyspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseAccountCassandraKeyspace, __self__).__init__( 'azure-native:cosmosdb:DatabaseAccountCassandraKeyspace', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/database_account_cassandra_table.py b/sdk/python/pulumi_azure_native/cosmosdb/database_account_cassandra_table.py index 7632631824d7..4a03ff951197 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/database_account_cassandra_table.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/database_account_cassandra_table.py @@ -211,7 +211,7 @@ def _internal_init(__self__, __props__.__dict__["schema"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb:CassandraResourceCassandraTable")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230415:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240815:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20241115:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native:documentdb:CassandraResourceCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountCassandraTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountCassandraTable")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseAccountCassandraTable, __self__).__init__( 'azure-native:cosmosdb:DatabaseAccountCassandraTable', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/database_account_gremlin_database.py b/sdk/python/pulumi_azure_native/cosmosdb/database_account_gremlin_database.py index 43f0eb7e5fa8..9d8cf406ad7b 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/database_account_gremlin_database.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/database_account_gremlin_database.py @@ -191,7 +191,7 @@ def _internal_init(__self__, __props__.__dict__["tags"] = None __props__.__dict__["ts"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb:GremlinResourceGremlinDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountGremlinDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseAccountGremlinDatabase, __self__).__init__( 'azure-native:cosmosdb:DatabaseAccountGremlinDatabase', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/database_account_gremlin_graph.py b/sdk/python/pulumi_azure_native/cosmosdb/database_account_gremlin_graph.py index 8951486c270d..267759dc5264 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/database_account_gremlin_graph.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/database_account_gremlin_graph.py @@ -218,7 +218,7 @@ def _internal_init(__self__, __props__.__dict__["ts"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_key_policy"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230415:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230915:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20231115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240515:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240815:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20241115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb:GremlinResourceGremlinGraph")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230415:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230915:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20231115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240515:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240815:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20241115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountGremlinGraph")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseAccountGremlinGraph, __self__).__init__( 'azure-native:cosmosdb:DatabaseAccountGremlinGraph', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/database_account_mongo_db_collection.py b/sdk/python/pulumi_azure_native/cosmosdb/database_account_mongo_db_collection.py index 82ae5de1f65e..d4baa3b901a1 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/database_account_mongo_db_collection.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/database_account_mongo_db_collection.py @@ -212,7 +212,7 @@ def _internal_init(__self__, __props__.__dict__["shard_key"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoDBCollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountMongoDBCollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseAccountMongoDBCollection, __self__).__init__( 'azure-native:cosmosdb:DatabaseAccountMongoDBCollection', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/database_account_mongo_db_database.py b/sdk/python/pulumi_azure_native/cosmosdb/database_account_mongo_db_database.py index 8d4397be08ac..2946bc2e1f14 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/database_account_mongo_db_database.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/database_account_mongo_db_database.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoDBDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountMongoDBDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseAccountMongoDBDatabase, __self__).__init__( 'azure-native:cosmosdb:DatabaseAccountMongoDBDatabase', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/database_account_sql_container.py b/sdk/python/pulumi_azure_native/cosmosdb/database_account_sql_container.py index 45a404a1954d..cbd5750c2888 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/database_account_sql_container.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/database_account_sql_container.py @@ -218,7 +218,7 @@ def _internal_init(__self__, __props__.__dict__["ts"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_key_policy"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountSqlContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseAccountSqlContainer, __self__).__init__( 'azure-native:cosmosdb:DatabaseAccountSqlContainer', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/database_account_sql_database.py b/sdk/python/pulumi_azure_native/cosmosdb/database_account_sql_database.py index d4c7a4c3f88c..cff1259e7a9b 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/database_account_sql_database.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/database_account_sql_database.py @@ -193,7 +193,7 @@ def _internal_init(__self__, __props__.__dict__["ts"] = None __props__.__dict__["type"] = None __props__.__dict__["users"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountSqlDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseAccountSqlDatabase, __self__).__init__( 'azure-native:cosmosdb:DatabaseAccountSqlDatabase', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/database_account_table.py b/sdk/python/pulumi_azure_native/cosmosdb/database_account_table.py index 6059c632eca5..c5e650470216 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/database_account_table.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/database_account_table.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:DatabaseAccountTable"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230415:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240815:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20241115:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb:TableResourceTable")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230415:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240815:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20241115:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:DatabaseAccountTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:DatabaseAccountTable")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseAccountTable, __self__).__init__( 'azure-native:cosmosdb:DatabaseAccountTable', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/graph_resource_graph.py b/sdk/python/pulumi_azure_native/cosmosdb/graph_resource_graph.py index 499c3adab294..3389f08dc361 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/graph_resource_graph.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/graph_resource_graph.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb:GraphResourceGraph")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:GraphResourceGraph"), pulumi.Alias(type_="azure-native:documentdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:GraphResourceGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:GraphResourceGraph")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GraphResourceGraph, __self__).__init__( 'azure-native:cosmosdb:GraphResourceGraph', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/gremlin_resource_gremlin_database.py b/sdk/python/pulumi_azure_native/cosmosdb/gremlin_resource_gremlin_database.py index 003155fe25d4..66b02829f094 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/gremlin_resource_gremlin_database.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/gremlin_resource_gremlin_database.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb:GremlinResourceGremlinDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native:documentdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:GremlinResourceGremlinDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:GremlinResourceGremlinDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GremlinResourceGremlinDatabase, __self__).__init__( 'azure-native:cosmosdb:GremlinResourceGremlinDatabase', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/gremlin_resource_gremlin_graph.py b/sdk/python/pulumi_azure_native/cosmosdb/gremlin_resource_gremlin_graph.py index 8355dbcb43d1..273ba3341b07 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/gremlin_resource_gremlin_graph.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/gremlin_resource_gremlin_graph.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230415:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230915:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20231115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240515:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240815:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20241115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb:GremlinResourceGremlinGraph")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230415:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230915:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20231115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240515:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240815:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20241115:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native:documentdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:GremlinResourceGremlinGraph"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:GremlinResourceGremlinGraph")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GremlinResourceGremlinGraph, __self__).__init__( 'azure-native:cosmosdb:GremlinResourceGremlinGraph', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/mongo_cluster.py b/sdk/python/pulumi_azure_native/cosmosdb/mongo_cluster.py index b809d51f2d1f..8d4deeecf671 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/mongo_cluster.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/mongo_cluster.py @@ -293,7 +293,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:MongoCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:MongoCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:MongoCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:MongoCluster"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240301preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240601preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240701:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20241001preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb:MongoCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240301preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240601preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240701:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20241001preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb:MongoCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:MongoCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:MongoCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:MongoCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:MongoCluster"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:MongoCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MongoCluster, __self__).__init__( 'azure-native:cosmosdb:MongoCluster', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/mongo_cluster_firewall_rule.py b/sdk/python/pulumi_azure_native/cosmosdb/mongo_cluster_firewall_rule.py index 88f016a9b223..32c32b0f2d82 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/mongo_cluster_firewall_rule.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/mongo_cluster_firewall_rule.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240301preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240601preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240701:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20241001preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb:MongoClusterFirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240301preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240601preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240701:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20241001preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:MongoClusterFirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MongoClusterFirewallRule, __self__).__init__( 'azure-native:cosmosdb:MongoClusterFirewallRule', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_db_collection.py b/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_db_collection.py index 36fcb040eebb..62b50d3cde05 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_db_collection.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_db_collection.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoDBCollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoDBCollection"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoDBCollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MongoDBResourceMongoDBCollection, __self__).__init__( 'azure-native:cosmosdb:MongoDBResourceMongoDBCollection', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_db_database.py b/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_db_database.py index a93766e36e35..d61a8a929c44 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_db_database.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_db_database.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoDBDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoDBDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoDBDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MongoDBResourceMongoDBDatabase, __self__).__init__( 'azure-native:cosmosdb:MongoDBResourceMongoDBDatabase', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_role_definition.py b/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_role_definition.py index 415101278dcd..2e073f774117 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_role_definition.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_role_definition.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = type __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230301preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoRoleDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230301preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoRoleDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MongoDBResourceMongoRoleDefinition, __self__).__init__( 'azure-native:cosmosdb:MongoDBResourceMongoRoleDefinition', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_user_definition.py b/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_user_definition.py index fee31468625f..73ad0c226174 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_user_definition.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/mongo_db_resource_mongo_user_definition.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoUserDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230415:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240815:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241115:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native:documentdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:MongoDBResourceMongoUserDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:MongoDBResourceMongoUserDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MongoDBResourceMongoUserDefinition, __self__).__init__( 'azure-native:cosmosdb:MongoDBResourceMongoUserDefinition', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/notebook_workspace.py b/sdk/python/pulumi_azure_native/cosmosdb/notebook_workspace.py index 419f5fbfc950..8752c0488b0c 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/notebook_workspace.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/notebook_workspace.py @@ -144,7 +144,7 @@ def _internal_init(__self__, __props__.__dict__["notebook_server_endpoint"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20190801:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:NotebookWorkspace"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20230415:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20240815:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20241115:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb:NotebookWorkspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230415:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20240815:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20241115:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:NotebookWorkspace"), pulumi.Alias(type_="azure-native:documentdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:NotebookWorkspace"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:NotebookWorkspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NotebookWorkspace, __self__).__init__( 'azure-native:cosmosdb:NotebookWorkspace', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/cosmosdb/private_endpoint_connection.py index 7cd694c681c6..af48a94fad61 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/private_endpoint_connection.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20190801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20230415:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20230915:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20231115:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240515:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240815:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20241115:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230415:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20230915:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20231115:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240515:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240815:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20241115:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:cosmosdb:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/service.py b/sdk/python/pulumi_azure_native/cosmosdb/service.py index 28c5e2fdda6b..8e5f906bd7e5 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/service.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/service.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:Service"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:Service"), pulumi.Alias(type_="azure-native:documentdb/v20230415:Service"), pulumi.Alias(type_="azure-native:documentdb/v20230915:Service"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:Service"), pulumi.Alias(type_="azure-native:documentdb/v20231115:Service"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:Service"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:Service"), pulumi.Alias(type_="azure-native:documentdb/v20240515:Service"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:Service"), pulumi.Alias(type_="azure-native:documentdb/v20240815:Service"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:Service"), pulumi.Alias(type_="azure-native:documentdb/v20241115:Service"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:Service"), pulumi.Alias(type_="azure-native:documentdb:Service")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230415:Service"), pulumi.Alias(type_="azure-native:documentdb/v20230915:Service"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:Service"), pulumi.Alias(type_="azure-native:documentdb/v20231115:Service"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:Service"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:Service"), pulumi.Alias(type_="azure-native:documentdb/v20240515:Service"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:Service"), pulumi.Alias(type_="azure-native:documentdb/v20240815:Service"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:Service"), pulumi.Alias(type_="azure-native:documentdb/v20241115:Service"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:Service"), pulumi.Alias(type_="azure-native:documentdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:Service"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:Service")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Service, __self__).__init__( 'azure-native:cosmosdb:Service', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_container.py b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_container.py index 8f66b9da9325..8f2d56c4c99d 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_container.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_container.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlContainer"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlResourceSqlContainer, __self__).__init__( 'azure-native:cosmosdb:SqlResourceSqlContainer', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_database.py b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_database.py index 5c364c9ab5f4..9149b9980720 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_database.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_database.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlDatabase"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlResourceSqlDatabase, __self__).__init__( 'azure-native:cosmosdb:SqlResourceSqlDatabase', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_role_assignment.py b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_role_assignment.py index ba76b218ee2f..13c17001e30c 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_role_assignment.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_role_assignment.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlRoleAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlRoleAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlResourceSqlRoleAssignment, __self__).__init__( 'azure-native:cosmosdb:SqlResourceSqlRoleAssignment', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_role_definition.py b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_role_definition.py index aed72783a178..c62f58e5c42b 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_role_definition.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_role_definition.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = type __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlRoleDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlRoleDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlResourceSqlRoleDefinition, __self__).__init__( 'azure-native:cosmosdb:SqlResourceSqlRoleDefinition', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_stored_procedure.py b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_stored_procedure.py index 95568bda1877..a3f603757457 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_stored_procedure.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_stored_procedure.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20190801:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlStoredProcedure")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlStoredProcedure"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlStoredProcedure")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlResourceSqlStoredProcedure, __self__).__init__( 'azure-native:cosmosdb:SqlResourceSqlStoredProcedure', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_trigger.py b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_trigger.py index 056af08ec240..53fd645b99d8 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_trigger.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_trigger.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20190801:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlTrigger")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlTrigger"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlTrigger")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlResourceSqlTrigger, __self__).__init__( 'azure-native:cosmosdb:SqlResourceSqlTrigger', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_user_defined_function.py b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_user_defined_function.py index ef86768349c7..579128fc0e52 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_user_defined_function.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/sql_resource_sql_user_defined_function.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20190801:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlUserDefinedFunction")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20230415:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20230915:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20231115:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20240515:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20240815:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20241115:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native:documentdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:SqlResourceSqlUserDefinedFunction"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:SqlResourceSqlUserDefinedFunction")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlResourceSqlUserDefinedFunction, __self__).__init__( 'azure-native:cosmosdb:SqlResourceSqlUserDefinedFunction', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table.py b/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table.py index 6d396bab4657..df36f39200e6 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20150401:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20150408:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20151106:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20160319:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20160331:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20190801:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20191212:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200301:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200401:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200601preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20200901:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210115:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210301preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210315:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210401preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210415:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210515:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210615:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20210701preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211015preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20211115preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220215preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220515preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20220815preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20221115preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230301preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230315preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230415:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20230915preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240815:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20241115:TableResourceTable"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230315preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230415:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240815:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20241115:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb:TableResourceTable")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230415:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240815:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20241115:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:TableResourceTable"), pulumi.Alias(type_="azure-native:documentdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20150401:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20150408:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20151106:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20160319:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20160331:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20190801:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20191212:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200301:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200401:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200601preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20200901:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210115:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210301preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210315:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210401preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210415:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210515:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210615:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20210701preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211015preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20211115preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220215preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220515preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20220815preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20221115preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230301preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230315preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230415:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20230915preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240815:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20241115:cosmosdb:TableResourceTable"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTable")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TableResourceTable, __self__).__init__( 'azure-native:cosmosdb:TableResourceTable', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table_role_assignment.py b/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table_role_assignment.py index daaeb1fb66b4..ab5a1c3d65a7 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table_role_assignment.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table_role_assignment.py @@ -201,7 +201,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:TableResourceTableRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:TableResourceTableRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb:TableResourceTableRoleAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20241201preview:TableResourceTableRoleAssignment"), pulumi.Alias(type_="azure-native:documentdb:TableResourceTableRoleAssignment"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTableRoleAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TableResourceTableRoleAssignment, __self__).__init__( 'azure-native:cosmosdb:TableResourceTableRoleAssignment', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table_role_definition.py b/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table_role_definition.py index be315a218c0d..24ffe05727c5 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table_role_definition.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/table_resource_table_role_definition.py @@ -241,7 +241,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:TableResourceTableRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:TableResourceTableRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb:TableResourceTableRoleDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20241201preview:TableResourceTableRoleDefinition"), pulumi.Alias(type_="azure-native:documentdb:TableResourceTableRoleDefinition"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:TableResourceTableRoleDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TableResourceTableRoleDefinition, __self__).__init__( 'azure-native:cosmosdb:TableResourceTableRoleDefinition', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/throughput_pool.py b/sdk/python/pulumi_azure_native/cosmosdb/throughput_pool.py index d62be451a2cd..cf086749f1a7 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/throughput_pool.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/throughput_pool.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:ThroughputPool"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:ThroughputPool"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:ThroughputPool"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:ThroughputPool"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:ThroughputPool"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:ThroughputPool"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:ThroughputPool"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:ThroughputPool"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:ThroughputPool"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:ThroughputPool"), pulumi.Alias(type_="azure-native:documentdb:ThroughputPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20231115preview:ThroughputPool"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:ThroughputPool"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:ThroughputPool"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:ThroughputPool"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:ThroughputPool"), pulumi.Alias(type_="azure-native:documentdb:ThroughputPool"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:ThroughputPool"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:ThroughputPool"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:ThroughputPool"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:ThroughputPool"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:ThroughputPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ThroughputPool, __self__).__init__( 'azure-native:cosmosdb:ThroughputPool', diff --git a/sdk/python/pulumi_azure_native/cosmosdb/throughput_pool_account.py b/sdk/python/pulumi_azure_native/cosmosdb/throughput_pool_account.py index 8cc2c95ae2ec..3a672956b6fe 100644 --- a/sdk/python/pulumi_azure_native/cosmosdb/throughput_pool_account.py +++ b/sdk/python/pulumi_azure_native/cosmosdb/throughput_pool_account.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cosmosdb/v20231115preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20240215preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20240515preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20240901preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:cosmosdb/v20241201preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:documentdb:ThroughputPoolAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20231115preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240515preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:documentdb/v20240901preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:documentdb/v20241201preview:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native:documentdb:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20231115preview:cosmosdb:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20240215preview:cosmosdb:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20240515preview:cosmosdb:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20240901preview:cosmosdb:ThroughputPoolAccount"), pulumi.Alias(type_="azure-native_cosmosdb_v20241201preview:cosmosdb:ThroughputPoolAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ThroughputPoolAccount, __self__).__init__( 'azure-native:cosmosdb:ThroughputPoolAccount', diff --git a/sdk/python/pulumi_azure_native/costmanagement/budget.py b/sdk/python/pulumi_azure_native/costmanagement/budget.py index c9b4c8e270c9..a7a145dacd24 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/budget.py +++ b/sdk/python/pulumi_azure_native/costmanagement/budget.py @@ -461,7 +461,7 @@ def _internal_init(__self__, __props__.__dict__["forecast_spend"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20190401preview:Budget"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:Budget"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:Budget"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:Budget"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:Budget"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:Budget"), pulumi.Alias(type_="azure-native:costmanagement/v20241001preview:Budget")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20190401preview:Budget"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:Budget"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:Budget"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:Budget"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:Budget"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:Budget"), pulumi.Alias(type_="azure-native_costmanagement_v20190401preview:costmanagement:Budget"), pulumi.Alias(type_="azure-native_costmanagement_v20230401preview:costmanagement:Budget"), pulumi.Alias(type_="azure-native_costmanagement_v20230801:costmanagement:Budget"), pulumi.Alias(type_="azure-native_costmanagement_v20230901:costmanagement:Budget"), pulumi.Alias(type_="azure-native_costmanagement_v20231101:costmanagement:Budget"), pulumi.Alias(type_="azure-native_costmanagement_v20240801:costmanagement:Budget"), pulumi.Alias(type_="azure-native_costmanagement_v20241001preview:costmanagement:Budget")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Budget, __self__).__init__( 'azure-native:costmanagement:Budget', diff --git a/sdk/python/pulumi_azure_native/costmanagement/cloud_connector.py b/sdk/python/pulumi_azure_native/costmanagement/cloud_connector.py index 2330a5187d96..fd4aaf92b7cb 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/cloud_connector.py +++ b/sdk/python/pulumi_azure_native/costmanagement/cloud_connector.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["provider_billing_account_id"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:CloudConnector"), pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:Connector"), pulumi.Alias(type_="azure-native:costmanagement/v20190301preview:CloudConnector"), pulumi.Alias(type_="azure-native:costmanagement:Connector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:Connector"), pulumi.Alias(type_="azure-native:costmanagement/v20190301preview:CloudConnector"), pulumi.Alias(type_="azure-native:costmanagement:Connector"), pulumi.Alias(type_="azure-native_costmanagement_v20180801preview:costmanagement:CloudConnector"), pulumi.Alias(type_="azure-native_costmanagement_v20190301preview:costmanagement:CloudConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudConnector, __self__).__init__( 'azure-native:costmanagement:CloudConnector', diff --git a/sdk/python/pulumi_azure_native/costmanagement/connector.py b/sdk/python/pulumi_azure_native/costmanagement/connector.py index eef8b85bc3de..5d06b7bc568f 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/connector.py +++ b/sdk/python/pulumi_azure_native/costmanagement/connector.py @@ -283,7 +283,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provider_account_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:Connector"), pulumi.Alias(type_="azure-native:costmanagement/v20190301preview:CloudConnector"), pulumi.Alias(type_="azure-native:costmanagement/v20190301preview:Connector"), pulumi.Alias(type_="azure-native:costmanagement:CloudConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:Connector"), pulumi.Alias(type_="azure-native:costmanagement/v20190301preview:CloudConnector"), pulumi.Alias(type_="azure-native:costmanagement:CloudConnector"), pulumi.Alias(type_="azure-native_costmanagement_v20180801preview:costmanagement:Connector"), pulumi.Alias(type_="azure-native_costmanagement_v20190301preview:costmanagement:Connector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Connector, __self__).__init__( 'azure-native:costmanagement:Connector', diff --git a/sdk/python/pulumi_azure_native/costmanagement/cost_allocation_rule.py b/sdk/python/pulumi_azure_native/costmanagement/cost_allocation_rule.py index 0327a3eb9cb4..79fef5a38c32 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/cost_allocation_rule.py +++ b/sdk/python/pulumi_azure_native/costmanagement/cost_allocation_rule.py @@ -144,7 +144,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20200301preview:CostAllocationRule"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:CostAllocationRule"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:CostAllocationRule"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:CostAllocationRule"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:CostAllocationRule"), pulumi.Alias(type_="azure-native:costmanagement/v20241001preview:CostAllocationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20200301preview:CostAllocationRule"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:CostAllocationRule"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:CostAllocationRule"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:CostAllocationRule"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:CostAllocationRule"), pulumi.Alias(type_="azure-native_costmanagement_v20200301preview:costmanagement:CostAllocationRule"), pulumi.Alias(type_="azure-native_costmanagement_v20230801:costmanagement:CostAllocationRule"), pulumi.Alias(type_="azure-native_costmanagement_v20230901:costmanagement:CostAllocationRule"), pulumi.Alias(type_="azure-native_costmanagement_v20231101:costmanagement:CostAllocationRule"), pulumi.Alias(type_="azure-native_costmanagement_v20240801:costmanagement:CostAllocationRule"), pulumi.Alias(type_="azure-native_costmanagement_v20241001preview:costmanagement:CostAllocationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CostAllocationRule, __self__).__init__( 'azure-native:costmanagement:CostAllocationRule', diff --git a/sdk/python/pulumi_azure_native/costmanagement/export.py b/sdk/python/pulumi_azure_native/costmanagement/export.py index a3d272c08b15..1ae8752297ea 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/export.py +++ b/sdk/python/pulumi_azure_native/costmanagement/export.py @@ -288,7 +288,7 @@ def _internal_init(__self__, __props__.__dict__["next_run_time_estimate"] = None __props__.__dict__["run_history"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20190101:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20190901:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20191001:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20191101:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20200601:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20201201preview:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20210101:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20211001:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20221001:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20230301:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20230701preview:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20241001preview:Export")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20191001:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20230301:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20230701preview:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:Export"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20190101:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20190901:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20191001:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20191101:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20200601:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20201201preview:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20210101:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20211001:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20221001:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20230301:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20230401preview:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20230701preview:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20230801:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20230901:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20231101:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20240801:costmanagement:Export"), pulumi.Alias(type_="azure-native_costmanagement_v20241001preview:costmanagement:Export")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Export, __self__).__init__( 'azure-native:costmanagement:Export', diff --git a/sdk/python/pulumi_azure_native/costmanagement/markup_rule.py b/sdk/python/pulumi_azure_native/costmanagement/markup_rule.py index d5ec9546ace8..5c8ced4c5127 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/markup_rule.py +++ b/sdk/python/pulumi_azure_native/costmanagement/markup_rule.py @@ -262,7 +262,7 @@ def _internal_init(__self__, __props__.__dict__["start_date"] = start_date __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20221005preview:MarkupRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20221005preview:MarkupRule"), pulumi.Alias(type_="azure-native_costmanagement_v20221005preview:costmanagement:MarkupRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MarkupRule, __self__).__init__( 'azure-native:costmanagement:MarkupRule', diff --git a/sdk/python/pulumi_azure_native/costmanagement/report.py b/sdk/python/pulumi_azure_native/costmanagement/report.py index 0a93f1cdd715..22175e37ef46 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/report.py +++ b/sdk/python/pulumi_azure_native/costmanagement/report.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:Report")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:Report"), pulumi.Alias(type_="azure-native_costmanagement_v20180801preview:costmanagement:Report")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Report, __self__).__init__( 'azure-native:costmanagement:Report', diff --git a/sdk/python/pulumi_azure_native/costmanagement/report_by_billing_account.py b/sdk/python/pulumi_azure_native/costmanagement/report_by_billing_account.py index ed99148951a8..93c6bac8eeaa 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/report_by_billing_account.py +++ b/sdk/python/pulumi_azure_native/costmanagement/report_by_billing_account.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:ReportByBillingAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:ReportByBillingAccount"), pulumi.Alias(type_="azure-native_costmanagement_v20180801preview:costmanagement:ReportByBillingAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReportByBillingAccount, __self__).__init__( 'azure-native:costmanagement:ReportByBillingAccount', diff --git a/sdk/python/pulumi_azure_native/costmanagement/report_by_department.py b/sdk/python/pulumi_azure_native/costmanagement/report_by_department.py index dda68c426feb..2c0001d039ea 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/report_by_department.py +++ b/sdk/python/pulumi_azure_native/costmanagement/report_by_department.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:ReportByDepartment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:ReportByDepartment"), pulumi.Alias(type_="azure-native_costmanagement_v20180801preview:costmanagement:ReportByDepartment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReportByDepartment, __self__).__init__( 'azure-native:costmanagement:ReportByDepartment', diff --git a/sdk/python/pulumi_azure_native/costmanagement/report_by_resource_group_name.py b/sdk/python/pulumi_azure_native/costmanagement/report_by_resource_group_name.py index 9e6e6cba8397..d01c7d7cfb4d 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/report_by_resource_group_name.py +++ b/sdk/python/pulumi_azure_native/costmanagement/report_by_resource_group_name.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:ReportByResourceGroupName")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20180801preview:ReportByResourceGroupName"), pulumi.Alias(type_="azure-native_costmanagement_v20180801preview:costmanagement:ReportByResourceGroupName")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReportByResourceGroupName, __self__).__init__( 'azure-native:costmanagement:ReportByResourceGroupName', diff --git a/sdk/python/pulumi_azure_native/costmanagement/scheduled_action.py b/sdk/python/pulumi_azure_native/costmanagement/scheduled_action.py index 566b9c9c149e..891ce64dae50 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/scheduled_action.py +++ b/sdk/python/pulumi_azure_native/costmanagement/scheduled_action.py @@ -289,7 +289,7 @@ def _internal_init(__self__, __props__.__dict__["e_tag"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20220401preview:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20220601preview:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20221001:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20230301:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20230701preview:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20241001preview:ScheduledAction")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20230301:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20230701preview:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:ScheduledAction"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:ScheduledAction"), pulumi.Alias(type_="azure-native_costmanagement_v20220401preview:costmanagement:ScheduledAction"), pulumi.Alias(type_="azure-native_costmanagement_v20220601preview:costmanagement:ScheduledAction"), pulumi.Alias(type_="azure-native_costmanagement_v20221001:costmanagement:ScheduledAction"), pulumi.Alias(type_="azure-native_costmanagement_v20230301:costmanagement:ScheduledAction"), pulumi.Alias(type_="azure-native_costmanagement_v20230401preview:costmanagement:ScheduledAction"), pulumi.Alias(type_="azure-native_costmanagement_v20230701preview:costmanagement:ScheduledAction"), pulumi.Alias(type_="azure-native_costmanagement_v20230801:costmanagement:ScheduledAction"), pulumi.Alias(type_="azure-native_costmanagement_v20230901:costmanagement:ScheduledAction"), pulumi.Alias(type_="azure-native_costmanagement_v20231101:costmanagement:ScheduledAction"), pulumi.Alias(type_="azure-native_costmanagement_v20240801:costmanagement:ScheduledAction"), pulumi.Alias(type_="azure-native_costmanagement_v20241001preview:costmanagement:ScheduledAction")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScheduledAction, __self__).__init__( 'azure-native:costmanagement:ScheduledAction', diff --git a/sdk/python/pulumi_azure_native/costmanagement/scheduled_action_by_scope.py b/sdk/python/pulumi_azure_native/costmanagement/scheduled_action_by_scope.py index f02fd5df94b7..553c4c49a91b 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/scheduled_action_by_scope.py +++ b/sdk/python/pulumi_azure_native/costmanagement/scheduled_action_by_scope.py @@ -290,7 +290,7 @@ def _internal_init(__self__, __props__.__dict__["e_tag"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20220401preview:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20220601preview:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20221001:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230301:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230701preview:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20241001preview:ScheduledActionByScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20230301:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230701preview:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:ScheduledActionByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:ScheduledActionByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20220401preview:costmanagement:ScheduledActionByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20220601preview:costmanagement:ScheduledActionByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20221001:costmanagement:ScheduledActionByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20230301:costmanagement:ScheduledActionByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20230401preview:costmanagement:ScheduledActionByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20230701preview:costmanagement:ScheduledActionByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20230801:costmanagement:ScheduledActionByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20230901:costmanagement:ScheduledActionByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20231101:costmanagement:ScheduledActionByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20240801:costmanagement:ScheduledActionByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20241001preview:costmanagement:ScheduledActionByScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScheduledActionByScope, __self__).__init__( 'azure-native:costmanagement:ScheduledActionByScope', diff --git a/sdk/python/pulumi_azure_native/costmanagement/setting.py b/sdk/python/pulumi_azure_native/costmanagement/setting.py index df775de78ae5..7c1227891f65 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/setting.py +++ b/sdk/python/pulumi_azure_native/costmanagement/setting.py @@ -160,7 +160,7 @@ def _internal_init(__self__, __props__.__dict__["kind"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20191101:Setting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20191101:Setting"), pulumi.Alias(type_="azure-native_costmanagement_v20191101:costmanagement:Setting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Setting, __self__).__init__( 'azure-native:costmanagement:Setting', diff --git a/sdk/python/pulumi_azure_native/costmanagement/tag_inheritance_setting.py b/sdk/python/pulumi_azure_native/costmanagement/tag_inheritance_setting.py index 044f9c672435..6bbe090aae4a 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/tag_inheritance_setting.py +++ b/sdk/python/pulumi_azure_native/costmanagement/tag_inheritance_setting.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = type __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20221001preview:TagInheritanceSetting"), pulumi.Alias(type_="azure-native:costmanagement/v20221005preview:TagInheritanceSetting"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:TagInheritanceSetting"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:TagInheritanceSetting"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:TagInheritanceSetting"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:TagInheritanceSetting"), pulumi.Alias(type_="azure-native:costmanagement/v20241001preview:TagInheritanceSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20221005preview:TagInheritanceSetting"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:TagInheritanceSetting"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:TagInheritanceSetting"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:TagInheritanceSetting"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:TagInheritanceSetting"), pulumi.Alias(type_="azure-native_costmanagement_v20221001preview:costmanagement:TagInheritanceSetting"), pulumi.Alias(type_="azure-native_costmanagement_v20221005preview:costmanagement:TagInheritanceSetting"), pulumi.Alias(type_="azure-native_costmanagement_v20230801:costmanagement:TagInheritanceSetting"), pulumi.Alias(type_="azure-native_costmanagement_v20230901:costmanagement:TagInheritanceSetting"), pulumi.Alias(type_="azure-native_costmanagement_v20231101:costmanagement:TagInheritanceSetting"), pulumi.Alias(type_="azure-native_costmanagement_v20240801:costmanagement:TagInheritanceSetting"), pulumi.Alias(type_="azure-native_costmanagement_v20241001preview:costmanagement:TagInheritanceSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TagInheritanceSetting, __self__).__init__( 'azure-native:costmanagement:TagInheritanceSetting', diff --git a/sdk/python/pulumi_azure_native/costmanagement/view.py b/sdk/python/pulumi_azure_native/costmanagement/view.py index 7e085e7fa103..c16985906e48 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/view.py +++ b/sdk/python/pulumi_azure_native/costmanagement/view.py @@ -406,7 +406,7 @@ def _internal_init(__self__, __props__.__dict__["created_on"] = None __props__.__dict__["currency"] = None __props__.__dict__["name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20190401preview:View"), pulumi.Alias(type_="azure-native:costmanagement/v20191101:View"), pulumi.Alias(type_="azure-native:costmanagement/v20200601:View"), pulumi.Alias(type_="azure-native:costmanagement/v20211001:View"), pulumi.Alias(type_="azure-native:costmanagement/v20220801preview:View"), pulumi.Alias(type_="azure-native:costmanagement/v20221001:View"), pulumi.Alias(type_="azure-native:costmanagement/v20221001preview:View"), pulumi.Alias(type_="azure-native:costmanagement/v20221005preview:View"), pulumi.Alias(type_="azure-native:costmanagement/v20230301:View"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:View"), pulumi.Alias(type_="azure-native:costmanagement/v20230701preview:View"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:View"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:View"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:View"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:View"), pulumi.Alias(type_="azure-native:costmanagement/v20241001preview:View")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20191101:View"), pulumi.Alias(type_="azure-native:costmanagement/v20200601:View"), pulumi.Alias(type_="azure-native:costmanagement/v20221001:View"), pulumi.Alias(type_="azure-native:costmanagement/v20221005preview:View"), pulumi.Alias(type_="azure-native:costmanagement/v20230301:View"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:View"), pulumi.Alias(type_="azure-native:costmanagement/v20230701preview:View"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:View"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:View"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:View"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:View"), pulumi.Alias(type_="azure-native_costmanagement_v20190401preview:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20191101:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20200601:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20211001:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20220801preview:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20221001:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20221001preview:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20221005preview:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20230301:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20230401preview:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20230701preview:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20230801:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20230901:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20231101:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20240801:costmanagement:View"), pulumi.Alias(type_="azure-native_costmanagement_v20241001preview:costmanagement:View")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(View, __self__).__init__( 'azure-native:costmanagement:View', diff --git a/sdk/python/pulumi_azure_native/costmanagement/view_by_scope.py b/sdk/python/pulumi_azure_native/costmanagement/view_by_scope.py index c3427670eb85..45aea848a118 100644 --- a/sdk/python/pulumi_azure_native/costmanagement/view_by_scope.py +++ b/sdk/python/pulumi_azure_native/costmanagement/view_by_scope.py @@ -407,7 +407,7 @@ def _internal_init(__self__, __props__.__dict__["created_on"] = None __props__.__dict__["currency"] = None __props__.__dict__["name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20190401preview:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20191101:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20200601:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20211001:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20220801preview:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20221001:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20221001preview:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20221005preview:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230301:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230701preview:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20241001preview:ViewByScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:costmanagement/v20191101:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20200601:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20221001:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20221005preview:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230301:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230401preview:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230701preview:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230801:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20230901:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20231101:ViewByScope"), pulumi.Alias(type_="azure-native:costmanagement/v20240801:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20190401preview:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20191101:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20200601:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20211001:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20220801preview:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20221001:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20221001preview:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20221005preview:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20230301:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20230401preview:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20230701preview:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20230801:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20230901:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20231101:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20240801:costmanagement:ViewByScope"), pulumi.Alias(type_="azure-native_costmanagement_v20241001preview:costmanagement:ViewByScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ViewByScope, __self__).__init__( 'azure-native:costmanagement:ViewByScope', diff --git a/sdk/python/pulumi_azure_native/customerinsights/connector.py b/sdk/python/pulumi_azure_native/customerinsights/connector.py index 567f4bc9f175..d5e182974552 100644 --- a/sdk/python/pulumi_azure_native/customerinsights/connector.py +++ b/sdk/python/pulumi_azure_native/customerinsights/connector.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170101:Connector"), pulumi.Alias(type_="azure-native:customerinsights/v20170426:Connector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:Connector"), pulumi.Alias(type_="azure-native_customerinsights_v20170101:customerinsights:Connector"), pulumi.Alias(type_="azure-native_customerinsights_v20170426:customerinsights:Connector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Connector, __self__).__init__( 'azure-native:customerinsights:Connector', diff --git a/sdk/python/pulumi_azure_native/customerinsights/connector_mapping.py b/sdk/python/pulumi_azure_native/customerinsights/connector_mapping.py index 73a1b1169b68..7a79c263d171 100644 --- a/sdk/python/pulumi_azure_native/customerinsights/connector_mapping.py +++ b/sdk/python/pulumi_azure_native/customerinsights/connector_mapping.py @@ -293,7 +293,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170101:ConnectorMapping"), pulumi.Alias(type_="azure-native:customerinsights/v20170426:ConnectorMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:ConnectorMapping"), pulumi.Alias(type_="azure-native_customerinsights_v20170101:customerinsights:ConnectorMapping"), pulumi.Alias(type_="azure-native_customerinsights_v20170426:customerinsights:ConnectorMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectorMapping, __self__).__init__( 'azure-native:customerinsights:ConnectorMapping', diff --git a/sdk/python/pulumi_azure_native/customerinsights/hub.py b/sdk/python/pulumi_azure_native/customerinsights/hub.py index 67384273464e..e1dad108a2e7 100644 --- a/sdk/python/pulumi_azure_native/customerinsights/hub.py +++ b/sdk/python/pulumi_azure_native/customerinsights/hub.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["web_endpoint"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170101:Hub"), pulumi.Alias(type_="azure-native:customerinsights/v20170426:Hub")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:Hub"), pulumi.Alias(type_="azure-native_customerinsights_v20170101:customerinsights:Hub"), pulumi.Alias(type_="azure-native_customerinsights_v20170426:customerinsights:Hub")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Hub, __self__).__init__( 'azure-native:customerinsights:Hub', diff --git a/sdk/python/pulumi_azure_native/customerinsights/kpi.py b/sdk/python/pulumi_azure_native/customerinsights/kpi.py index b2f886f601a3..21684b013fae 100644 --- a/sdk/python/pulumi_azure_native/customerinsights/kpi.py +++ b/sdk/python/pulumi_azure_native/customerinsights/kpi.py @@ -430,7 +430,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170101:Kpi"), pulumi.Alias(type_="azure-native:customerinsights/v20170426:Kpi")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:Kpi"), pulumi.Alias(type_="azure-native_customerinsights_v20170101:customerinsights:Kpi"), pulumi.Alias(type_="azure-native_customerinsights_v20170426:customerinsights:Kpi")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Kpi, __self__).__init__( 'azure-native:customerinsights:Kpi', diff --git a/sdk/python/pulumi_azure_native/customerinsights/link.py b/sdk/python/pulumi_azure_native/customerinsights/link.py index 85ed291bf26a..049df7565224 100644 --- a/sdk/python/pulumi_azure_native/customerinsights/link.py +++ b/sdk/python/pulumi_azure_native/customerinsights/link.py @@ -348,7 +348,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170101:Link"), pulumi.Alias(type_="azure-native:customerinsights/v20170426:Link")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:Link"), pulumi.Alias(type_="azure-native_customerinsights_v20170101:customerinsights:Link"), pulumi.Alias(type_="azure-native_customerinsights_v20170426:customerinsights:Link")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Link, __self__).__init__( 'azure-native:customerinsights:Link', diff --git a/sdk/python/pulumi_azure_native/customerinsights/prediction.py b/sdk/python/pulumi_azure_native/customerinsights/prediction.py index bf52a3095322..76ef7cb7ace3 100644 --- a/sdk/python/pulumi_azure_native/customerinsights/prediction.py +++ b/sdk/python/pulumi_azure_native/customerinsights/prediction.py @@ -410,7 +410,7 @@ def _internal_init(__self__, __props__.__dict__["system_generated_entities"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:Prediction")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:Prediction"), pulumi.Alias(type_="azure-native_customerinsights_v20170426:customerinsights:Prediction")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Prediction, __self__).__init__( 'azure-native:customerinsights:Prediction', diff --git a/sdk/python/pulumi_azure_native/customerinsights/profile.py b/sdk/python/pulumi_azure_native/customerinsights/profile.py index 7434b4f59f65..6b93768a8298 100644 --- a/sdk/python/pulumi_azure_native/customerinsights/profile.py +++ b/sdk/python/pulumi_azure_native/customerinsights/profile.py @@ -444,7 +444,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170101:Profile"), pulumi.Alias(type_="azure-native:customerinsights/v20170426:Profile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:Profile"), pulumi.Alias(type_="azure-native_customerinsights_v20170101:customerinsights:Profile"), pulumi.Alias(type_="azure-native_customerinsights_v20170426:customerinsights:Profile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Profile, __self__).__init__( 'azure-native:customerinsights:Profile', diff --git a/sdk/python/pulumi_azure_native/customerinsights/relationship.py b/sdk/python/pulumi_azure_native/customerinsights/relationship.py index cd46bb657c34..dc7158bb0d85 100644 --- a/sdk/python/pulumi_azure_native/customerinsights/relationship.py +++ b/sdk/python/pulumi_azure_native/customerinsights/relationship.py @@ -306,7 +306,7 @@ def _internal_init(__self__, __props__.__dict__["relationship_guid_id"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170101:Relationship"), pulumi.Alias(type_="azure-native:customerinsights/v20170426:Relationship")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:Relationship"), pulumi.Alias(type_="azure-native_customerinsights_v20170101:customerinsights:Relationship"), pulumi.Alias(type_="azure-native_customerinsights_v20170426:customerinsights:Relationship")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Relationship, __self__).__init__( 'azure-native:customerinsights:Relationship', diff --git a/sdk/python/pulumi_azure_native/customerinsights/relationship_link.py b/sdk/python/pulumi_azure_native/customerinsights/relationship_link.py index eec5846414e3..737ea980ee31 100644 --- a/sdk/python/pulumi_azure_native/customerinsights/relationship_link.py +++ b/sdk/python/pulumi_azure_native/customerinsights/relationship_link.py @@ -289,7 +289,7 @@ def _internal_init(__self__, __props__.__dict__["relationship_guid_id"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170101:RelationshipLink"), pulumi.Alias(type_="azure-native:customerinsights/v20170426:RelationshipLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:RelationshipLink"), pulumi.Alias(type_="azure-native_customerinsights_v20170101:customerinsights:RelationshipLink"), pulumi.Alias(type_="azure-native_customerinsights_v20170426:customerinsights:RelationshipLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RelationshipLink, __self__).__init__( 'azure-native:customerinsights:RelationshipLink', diff --git a/sdk/python/pulumi_azure_native/customerinsights/role_assignment.py b/sdk/python/pulumi_azure_native/customerinsights/role_assignment.py index 916017d78c64..f692e0449b93 100644 --- a/sdk/python/pulumi_azure_native/customerinsights/role_assignment.py +++ b/sdk/python/pulumi_azure_native/customerinsights/role_assignment.py @@ -485,7 +485,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170101:RoleAssignment"), pulumi.Alias(type_="azure-native:customerinsights/v20170426:RoleAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:RoleAssignment"), pulumi.Alias(type_="azure-native_customerinsights_v20170101:customerinsights:RoleAssignment"), pulumi.Alias(type_="azure-native_customerinsights_v20170426:customerinsights:RoleAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RoleAssignment, __self__).__init__( 'azure-native:customerinsights:RoleAssignment', diff --git a/sdk/python/pulumi_azure_native/customerinsights/view.py b/sdk/python/pulumi_azure_native/customerinsights/view.py index 2e413d9a1576..37ad5078bbfd 100644 --- a/sdk/python/pulumi_azure_native/customerinsights/view.py +++ b/sdk/python/pulumi_azure_native/customerinsights/view.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170101:View"), pulumi.Alias(type_="azure-native:customerinsights/v20170426:View")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customerinsights/v20170426:View"), pulumi.Alias(type_="azure-native_customerinsights_v20170101:customerinsights:View"), pulumi.Alias(type_="azure-native_customerinsights_v20170426:customerinsights:View")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(View, __self__).__init__( 'azure-native:customerinsights:View', diff --git a/sdk/python/pulumi_azure_native/customproviders/association.py b/sdk/python/pulumi_azure_native/customproviders/association.py index 5535c66a299d..035b579f3186 100644 --- a/sdk/python/pulumi_azure_native/customproviders/association.py +++ b/sdk/python/pulumi_azure_native/customproviders/association.py @@ -138,7 +138,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customproviders/v20180901preview:Association")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customproviders/v20180901preview:Association"), pulumi.Alias(type_="azure-native_customproviders_v20180901preview:customproviders:Association")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Association, __self__).__init__( 'azure-native:customproviders:Association', diff --git a/sdk/python/pulumi_azure_native/customproviders/custom_resource_provider.py b/sdk/python/pulumi_azure_native/customproviders/custom_resource_provider.py index d0ee51a13323..84e313a319de 100644 --- a/sdk/python/pulumi_azure_native/customproviders/custom_resource_provider.py +++ b/sdk/python/pulumi_azure_native/customproviders/custom_resource_provider.py @@ -221,7 +221,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customproviders/v20180901preview:CustomResourceProvider")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:customproviders/v20180901preview:CustomResourceProvider"), pulumi.Alias(type_="azure-native_customproviders_v20180901preview:customproviders:CustomResourceProvider")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomResourceProvider, __self__).__init__( 'azure-native:customproviders:CustomResourceProvider', diff --git a/sdk/python/pulumi_azure_native/dashboard/grafana.py b/sdk/python/pulumi_azure_native/dashboard/grafana.py index 9cb4e117485a..25c7327cdfc5 100644 --- a/sdk/python/pulumi_azure_native/dashboard/grafana.py +++ b/sdk/python/pulumi_azure_native/dashboard/grafana.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dashboard/v20210901preview:Grafana"), pulumi.Alias(type_="azure-native:dashboard/v20220501preview:Grafana"), pulumi.Alias(type_="azure-native:dashboard/v20220801:Grafana"), pulumi.Alias(type_="azure-native:dashboard/v20221001preview:Grafana"), pulumi.Alias(type_="azure-native:dashboard/v20230901:Grafana"), pulumi.Alias(type_="azure-native:dashboard/v20231001preview:Grafana"), pulumi.Alias(type_="azure-native:dashboard/v20241001:Grafana")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dashboard/v20210901preview:Grafana"), pulumi.Alias(type_="azure-native:dashboard/v20220801:Grafana"), pulumi.Alias(type_="azure-native:dashboard/v20221001preview:Grafana"), pulumi.Alias(type_="azure-native:dashboard/v20230901:Grafana"), pulumi.Alias(type_="azure-native:dashboard/v20231001preview:Grafana"), pulumi.Alias(type_="azure-native:dashboard/v20241001:Grafana"), pulumi.Alias(type_="azure-native_dashboard_v20210901preview:dashboard:Grafana"), pulumi.Alias(type_="azure-native_dashboard_v20220501preview:dashboard:Grafana"), pulumi.Alias(type_="azure-native_dashboard_v20220801:dashboard:Grafana"), pulumi.Alias(type_="azure-native_dashboard_v20221001preview:dashboard:Grafana"), pulumi.Alias(type_="azure-native_dashboard_v20230901:dashboard:Grafana"), pulumi.Alias(type_="azure-native_dashboard_v20231001preview:dashboard:Grafana"), pulumi.Alias(type_="azure-native_dashboard_v20241001:dashboard:Grafana")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Grafana, __self__).__init__( 'azure-native:dashboard:Grafana', diff --git a/sdk/python/pulumi_azure_native/dashboard/integration_fabric.py b/sdk/python/pulumi_azure_native/dashboard/integration_fabric.py index b92465c0ecb3..98e3fd8c5d9e 100644 --- a/sdk/python/pulumi_azure_native/dashboard/integration_fabric.py +++ b/sdk/python/pulumi_azure_native/dashboard/integration_fabric.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dashboard/v20231001preview:IntegrationFabric"), pulumi.Alias(type_="azure-native:dashboard/v20241001:IntegrationFabric")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dashboard/v20231001preview:IntegrationFabric"), pulumi.Alias(type_="azure-native:dashboard/v20241001:IntegrationFabric"), pulumi.Alias(type_="azure-native_dashboard_v20231001preview:dashboard:IntegrationFabric"), pulumi.Alias(type_="azure-native_dashboard_v20241001:dashboard:IntegrationFabric")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationFabric, __self__).__init__( 'azure-native:dashboard:IntegrationFabric', diff --git a/sdk/python/pulumi_azure_native/dashboard/managed_private_endpoint.py b/sdk/python/pulumi_azure_native/dashboard/managed_private_endpoint.py index 901819c4dd4c..51684b0c4e33 100644 --- a/sdk/python/pulumi_azure_native/dashboard/managed_private_endpoint.py +++ b/sdk/python/pulumi_azure_native/dashboard/managed_private_endpoint.py @@ -287,7 +287,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dashboard/v20221001preview:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:dashboard/v20230901:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:dashboard/v20231001preview:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:dashboard/v20241001:ManagedPrivateEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dashboard/v20221001preview:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:dashboard/v20230901:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:dashboard/v20231001preview:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:dashboard/v20241001:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_dashboard_v20221001preview:dashboard:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_dashboard_v20230901:dashboard:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_dashboard_v20231001preview:dashboard:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_dashboard_v20241001:dashboard:ManagedPrivateEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedPrivateEndpoint, __self__).__init__( 'azure-native:dashboard:ManagedPrivateEndpoint', diff --git a/sdk/python/pulumi_azure_native/dashboard/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/dashboard/private_endpoint_connection.py index 51c99bbc29d3..cc7d1ba3967e 100644 --- a/sdk/python/pulumi_azure_native/dashboard/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/dashboard/private_endpoint_connection.py @@ -189,7 +189,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dashboard/v20220501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dashboard/v20220801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dashboard/v20221001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dashboard/v20230901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dashboard/v20231001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dashboard/v20241001:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dashboard/v20220801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dashboard/v20221001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dashboard/v20230901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dashboard/v20231001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dashboard/v20241001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dashboard_v20220501preview:dashboard:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dashboard_v20220801:dashboard:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dashboard_v20221001preview:dashboard:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dashboard_v20230901:dashboard:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dashboard_v20231001preview:dashboard:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dashboard_v20241001:dashboard:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:dashboard:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/databasefleetmanager/firewall_rule.py b/sdk/python/pulumi_azure_native/databasefleetmanager/firewall_rule.py index 33485bf45cb5..7c0d9aea2eb6 100644 --- a/sdk/python/pulumi_azure_native/databasefleetmanager/firewall_rule.py +++ b/sdk/python/pulumi_azure_native/databasefleetmanager/firewall_rule.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasefleetmanager/v20250201preview:FirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallRule, __self__).__init__( 'azure-native:databasefleetmanager:FirewallRule', diff --git a/sdk/python/pulumi_azure_native/databasefleetmanager/fleet.py b/sdk/python/pulumi_azure_native/databasefleetmanager/fleet.py index d27f9cd4a663..4da5c6ea2f2d 100644 --- a/sdk/python/pulumi_azure_native/databasefleetmanager/fleet.py +++ b/sdk/python/pulumi_azure_native/databasefleetmanager/fleet.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasefleetmanager/v20250201preview:Fleet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:Fleet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Fleet, __self__).__init__( 'azure-native:databasefleetmanager:Fleet', diff --git a/sdk/python/pulumi_azure_native/databasefleetmanager/fleet_database.py b/sdk/python/pulumi_azure_native/databasefleetmanager/fleet_database.py index e1b0a236b72c..3c57c6dd2115 100644 --- a/sdk/python/pulumi_azure_native/databasefleetmanager/fleet_database.py +++ b/sdk/python/pulumi_azure_native/databasefleetmanager/fleet_database.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasefleetmanager/v20250201preview:FleetDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FleetDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FleetDatabase, __self__).__init__( 'azure-native:databasefleetmanager:FleetDatabase', diff --git a/sdk/python/pulumi_azure_native/databasefleetmanager/fleet_tier.py b/sdk/python/pulumi_azure_native/databasefleetmanager/fleet_tier.py index b6ddba600f90..9ef1428608c3 100644 --- a/sdk/python/pulumi_azure_native/databasefleetmanager/fleet_tier.py +++ b/sdk/python/pulumi_azure_native/databasefleetmanager/fleet_tier.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasefleetmanager/v20250201preview:FleetTier")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:FleetTier")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FleetTier, __self__).__init__( 'azure-native:databasefleetmanager:FleetTier', diff --git a/sdk/python/pulumi_azure_native/databasefleetmanager/fleetspace.py b/sdk/python/pulumi_azure_native/databasefleetmanager/fleetspace.py index 9b0402637063..29c558814455 100644 --- a/sdk/python/pulumi_azure_native/databasefleetmanager/fleetspace.py +++ b/sdk/python/pulumi_azure_native/databasefleetmanager/fleetspace.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasefleetmanager/v20250201preview:Fleetspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_databasefleetmanager_v20250201preview:databasefleetmanager:Fleetspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Fleetspace, __self__).__init__( 'azure-native:databasefleetmanager:Fleetspace', diff --git a/sdk/python/pulumi_azure_native/databasewatcher/alert_rule_resource.py b/sdk/python/pulumi_azure_native/databasewatcher/alert_rule_resource.py index 0a8c7f6bf07b..67eb965a9f35 100644 --- a/sdk/python/pulumi_azure_native/databasewatcher/alert_rule_resource.py +++ b/sdk/python/pulumi_azure_native/databasewatcher/alert_rule_resource.py @@ -251,7 +251,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasewatcher/v20240719preview:AlertRuleResource"), pulumi.Alias(type_="azure-native:databasewatcher/v20241001preview:AlertRuleResource"), pulumi.Alias(type_="azure-native:databasewatcher/v20250102:AlertRuleResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasewatcher/v20240719preview:AlertRuleResource"), pulumi.Alias(type_="azure-native:databasewatcher/v20241001preview:AlertRuleResource"), pulumi.Alias(type_="azure-native:databasewatcher/v20250102:AlertRuleResource"), pulumi.Alias(type_="azure-native_databasewatcher_v20240719preview:databasewatcher:AlertRuleResource"), pulumi.Alias(type_="azure-native_databasewatcher_v20241001preview:databasewatcher:AlertRuleResource"), pulumi.Alias(type_="azure-native_databasewatcher_v20250102:databasewatcher:AlertRuleResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AlertRuleResource, __self__).__init__( 'azure-native:databasewatcher:AlertRuleResource', diff --git a/sdk/python/pulumi_azure_native/databasewatcher/shared_private_link_resource.py b/sdk/python/pulumi_azure_native/databasewatcher/shared_private_link_resource.py index f35d995c5c7d..ca6eccc4a3ba 100644 --- a/sdk/python/pulumi_azure_native/databasewatcher/shared_private_link_resource.py +++ b/sdk/python/pulumi_azure_native/databasewatcher/shared_private_link_resource.py @@ -229,7 +229,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasewatcher/v20230901preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:databasewatcher/v20240719preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:databasewatcher/v20241001preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:databasewatcher/v20250102:SharedPrivateLinkResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasewatcher/v20230901preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:databasewatcher/v20240719preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:databasewatcher/v20241001preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:databasewatcher/v20250102:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_databasewatcher_v20230901preview:databasewatcher:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_databasewatcher_v20240719preview:databasewatcher:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_databasewatcher_v20241001preview:databasewatcher:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_databasewatcher_v20250102:databasewatcher:SharedPrivateLinkResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SharedPrivateLinkResource, __self__).__init__( 'azure-native:databasewatcher:SharedPrivateLinkResource', diff --git a/sdk/python/pulumi_azure_native/databasewatcher/target.py b/sdk/python/pulumi_azure_native/databasewatcher/target.py index ec28f98474b5..e043fbd84117 100644 --- a/sdk/python/pulumi_azure_native/databasewatcher/target.py +++ b/sdk/python/pulumi_azure_native/databasewatcher/target.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasewatcher/v20230901preview:Target"), pulumi.Alias(type_="azure-native:databasewatcher/v20240719preview:Target"), pulumi.Alias(type_="azure-native:databasewatcher/v20241001preview:Target"), pulumi.Alias(type_="azure-native:databasewatcher/v20250102:Target")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasewatcher/v20230901preview:Target"), pulumi.Alias(type_="azure-native:databasewatcher/v20240719preview:Target"), pulumi.Alias(type_="azure-native:databasewatcher/v20241001preview:Target"), pulumi.Alias(type_="azure-native:databasewatcher/v20250102:Target"), pulumi.Alias(type_="azure-native_databasewatcher_v20230901preview:databasewatcher:Target"), pulumi.Alias(type_="azure-native_databasewatcher_v20240719preview:databasewatcher:Target"), pulumi.Alias(type_="azure-native_databasewatcher_v20241001preview:databasewatcher:Target"), pulumi.Alias(type_="azure-native_databasewatcher_v20250102:databasewatcher:Target")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Target, __self__).__init__( 'azure-native:databasewatcher:Target', diff --git a/sdk/python/pulumi_azure_native/databasewatcher/watcher.py b/sdk/python/pulumi_azure_native/databasewatcher/watcher.py index 120f591403ac..b4e883485dbc 100644 --- a/sdk/python/pulumi_azure_native/databasewatcher/watcher.py +++ b/sdk/python/pulumi_azure_native/databasewatcher/watcher.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasewatcher/v20230901preview:Watcher"), pulumi.Alias(type_="azure-native:databasewatcher/v20240719preview:Watcher"), pulumi.Alias(type_="azure-native:databasewatcher/v20241001preview:Watcher"), pulumi.Alias(type_="azure-native:databasewatcher/v20250102:Watcher")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databasewatcher/v20230901preview:Watcher"), pulumi.Alias(type_="azure-native:databasewatcher/v20240719preview:Watcher"), pulumi.Alias(type_="azure-native:databasewatcher/v20241001preview:Watcher"), pulumi.Alias(type_="azure-native:databasewatcher/v20250102:Watcher"), pulumi.Alias(type_="azure-native_databasewatcher_v20230901preview:databasewatcher:Watcher"), pulumi.Alias(type_="azure-native_databasewatcher_v20240719preview:databasewatcher:Watcher"), pulumi.Alias(type_="azure-native_databasewatcher_v20241001preview:databasewatcher:Watcher"), pulumi.Alias(type_="azure-native_databasewatcher_v20250102:databasewatcher:Watcher")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Watcher, __self__).__init__( 'azure-native:databasewatcher:Watcher', diff --git a/sdk/python/pulumi_azure_native/databox/job.py b/sdk/python/pulumi_azure_native/databox/job.py index 0132fe5bc399..fa0d336778c0 100644 --- a/sdk/python/pulumi_azure_native/databox/job.py +++ b/sdk/python/pulumi_azure_native/databox/job.py @@ -304,7 +304,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databox/v20180101:Job"), pulumi.Alias(type_="azure-native:databox/v20190901:Job"), pulumi.Alias(type_="azure-native:databox/v20200401:Job"), pulumi.Alias(type_="azure-native:databox/v20201101:Job"), pulumi.Alias(type_="azure-native:databox/v20210301:Job"), pulumi.Alias(type_="azure-native:databox/v20210501:Job"), pulumi.Alias(type_="azure-native:databox/v20210801preview:Job"), pulumi.Alias(type_="azure-native:databox/v20211201:Job"), pulumi.Alias(type_="azure-native:databox/v20220201:Job"), pulumi.Alias(type_="azure-native:databox/v20220901:Job"), pulumi.Alias(type_="azure-native:databox/v20221001:Job"), pulumi.Alias(type_="azure-native:databox/v20221201:Job"), pulumi.Alias(type_="azure-native:databox/v20230301:Job"), pulumi.Alias(type_="azure-native:databox/v20231201:Job"), pulumi.Alias(type_="azure-native:databox/v20240201preview:Job"), pulumi.Alias(type_="azure-native:databox/v20240301preview:Job"), pulumi.Alias(type_="azure-native:databox/v20250201:Job")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databox/v20221201:Job"), pulumi.Alias(type_="azure-native:databox/v20230301:Job"), pulumi.Alias(type_="azure-native:databox/v20231201:Job"), pulumi.Alias(type_="azure-native:databox/v20240201preview:Job"), pulumi.Alias(type_="azure-native:databox/v20240301preview:Job"), pulumi.Alias(type_="azure-native_databox_v20180101:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20190901:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20200401:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20201101:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20210301:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20210501:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20210801preview:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20211201:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20220201:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20220901:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20221001:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20221201:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20230301:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20231201:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20240201preview:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20240301preview:databox:Job"), pulumi.Alias(type_="azure-native_databox_v20250201:databox:Job")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Job, __self__).__init__( 'azure-native:databox:Job', diff --git a/sdk/python/pulumi_azure_native/databoxedge/arc_addon.py b/sdk/python/pulumi_azure_native/databoxedge/arc_addon.py index 78497bbb33bf..e259d02c16c1 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/arc_addon.py +++ b/sdk/python/pulumi_azure_native/databoxedge/arc_addon.py @@ -252,7 +252,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20200901:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge:IoTAddon")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20220301:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:ArcAddon")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ArcAddon, __self__).__init__( 'azure-native:databoxedge:ArcAddon', diff --git a/sdk/python/pulumi_azure_native/databoxedge/bandwidth_schedule.py b/sdk/python/pulumi_azure_native/databoxedge/bandwidth_schedule.py index 233917feee4d..cd8ae4d162d3 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/bandwidth_schedule.py +++ b/sdk/python/pulumi_azure_native/databoxedge/bandwidth_schedule.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:BandwidthSchedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20220301:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:BandwidthSchedule"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:BandwidthSchedule"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:BandwidthSchedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BandwidthSchedule, __self__).__init__( 'azure-native:databoxedge:BandwidthSchedule', diff --git a/sdk/python/pulumi_azure_native/databoxedge/cloud_edge_management_role.py b/sdk/python/pulumi_azure_native/databoxedge/cloud_edge_management_role.py index 31afc78359b2..b63698e570fa 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/cloud_edge_management_role.py +++ b/sdk/python/pulumi_azure_native/databoxedge/cloud_edge_management_role.py @@ -191,7 +191,7 @@ def _internal_init(__self__, __props__.__dict__["local_management_status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:MECRole"), pulumi.Alias(type_="azure-native:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge:MECRole")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:MECRole"), pulumi.Alias(type_="azure-native:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:CloudEdgeManagementRole")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudEdgeManagementRole, __self__).__init__( 'azure-native:databoxedge:CloudEdgeManagementRole', diff --git a/sdk/python/pulumi_azure_native/databoxedge/container.py b/sdk/python/pulumi_azure_native/databoxedge/container.py index 4abde36018a7..6d436498e0db 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/container.py +++ b/sdk/python/pulumi_azure_native/databoxedge/container.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["refresh_details"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190801:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:Container")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20220301:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:Container"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:Container"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:Container")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Container, __self__).__init__( 'azure-native:databoxedge:Container', diff --git a/sdk/python/pulumi_azure_native/databoxedge/device.py b/sdk/python/pulumi_azure_native/databoxedge/device.py index 67836f454540..d1584528ce99 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/device.py +++ b/sdk/python/pulumi_azure_native/databoxedge/device.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["time_zone"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:Device")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20210201:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:Device"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:Device"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:Device")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Device, __self__).__init__( 'azure-native:databoxedge:Device', diff --git a/sdk/python/pulumi_azure_native/databoxedge/file_event_trigger.py b/sdk/python/pulumi_azure_native/databoxedge/file_event_trigger.py index 43a8a9ef0f72..bbafc6d5dabe 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/file_event_trigger.py +++ b/sdk/python/pulumi_azure_native/databoxedge/file_event_trigger.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge:PeriodicTimerEventTrigger")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:FileEventTrigger")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FileEventTrigger, __self__).__init__( 'azure-native:databoxedge:FileEventTrigger', diff --git a/sdk/python/pulumi_azure_native/databoxedge/io_t_addon.py b/sdk/python/pulumi_azure_native/databoxedge/io_t_addon.py index f2904f260211..45aa5ddec227 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/io_t_addon.py +++ b/sdk/python/pulumi_azure_native/databoxedge/io_t_addon.py @@ -233,7 +233,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20200901:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge:ArcAddon")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20220301:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:ArcAddon"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTAddon"), pulumi.Alias(type_="azure-native:databoxedge:ArcAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:IoTAddon"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:IoTAddon")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IoTAddon, __self__).__init__( 'azure-native:databoxedge:IoTAddon', diff --git a/sdk/python/pulumi_azure_native/databoxedge/io_t_role.py b/sdk/python/pulumi_azure_native/databoxedge/io_t_role.py index 11a77ae556b9..e8eb8abc23a5 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/io_t_role.py +++ b/sdk/python/pulumi_azure_native/databoxedge/io_t_role.py @@ -310,7 +310,7 @@ def _internal_init(__self__, __props__.__dict__["host_platform_type"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:MECRole"), pulumi.Alias(type_="azure-native:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge:MECRole")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:MECRole"), pulumi.Alias(type_="azure-native:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:IoTRole")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IoTRole, __self__).__init__( 'azure-native:databoxedge:IoTRole', diff --git a/sdk/python/pulumi_azure_native/databoxedge/kubernetes_role.py b/sdk/python/pulumi_azure_native/databoxedge/kubernetes_role.py index fc779e86463c..883bfb93f593 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/kubernetes_role.py +++ b/sdk/python/pulumi_azure_native/databoxedge/kubernetes_role.py @@ -265,7 +265,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:MECRole"), pulumi.Alias(type_="azure-native:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge:MECRole")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:MECRole"), pulumi.Alias(type_="azure-native:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:KubernetesRole")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KubernetesRole, __self__).__init__( 'azure-native:databoxedge:KubernetesRole', diff --git a/sdk/python/pulumi_azure_native/databoxedge/mec_role.py b/sdk/python/pulumi_azure_native/databoxedge/mec_role.py index 4d2ef59b97bf..773cd573f43d 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/mec_role.py +++ b/sdk/python/pulumi_azure_native/databoxedge/mec_role.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:MECRole"), pulumi.Alias(type_="azure-native:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge:KubernetesRole")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:MECRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:KubernetesRole"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:MECRole"), pulumi.Alias(type_="azure-native:databoxedge:CloudEdgeManagementRole"), pulumi.Alias(type_="azure-native:databoxedge:IoTRole"), pulumi.Alias(type_="azure-native:databoxedge:KubernetesRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:MECRole"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:MECRole")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MECRole, __self__).__init__( 'azure-native:databoxedge:MECRole', diff --git a/sdk/python/pulumi_azure_native/databoxedge/monitoring_config.py b/sdk/python/pulumi_azure_native/databoxedge/monitoring_config.py index 549ac997d9d4..02fc34142982 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/monitoring_config.py +++ b/sdk/python/pulumi_azure_native/databoxedge/monitoring_config.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20200901:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:MonitoringConfig")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20220301:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:MonitoringConfig"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:MonitoringConfig"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:MonitoringConfig")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MonitoringConfig, __self__).__init__( 'azure-native:databoxedge:MonitoringConfig', diff --git a/sdk/python/pulumi_azure_native/databoxedge/order.py b/sdk/python/pulumi_azure_native/databoxedge/order.py index 6bb50935fc49..767c9aa8acbf 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/order.py +++ b/sdk/python/pulumi_azure_native/databoxedge/order.py @@ -194,7 +194,7 @@ def _internal_init(__self__, __props__.__dict__["serial_number"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:Order")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20220301:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:Order"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:Order"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:Order")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Order, __self__).__init__( 'azure-native:databoxedge:Order', diff --git a/sdk/python/pulumi_azure_native/databoxedge/periodic_timer_event_trigger.py b/sdk/python/pulumi_azure_native/databoxedge/periodic_timer_event_trigger.py index 3d7ffa666ac7..8c27766b97c3 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/periodic_timer_event_trigger.py +++ b/sdk/python/pulumi_azure_native/databoxedge/periodic_timer_event_trigger.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge:FileEventTrigger")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:FileEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native:databoxedge:FileEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:PeriodicTimerEventTrigger"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:PeriodicTimerEventTrigger")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PeriodicTimerEventTrigger, __self__).__init__( 'azure-native:databoxedge:PeriodicTimerEventTrigger', diff --git a/sdk/python/pulumi_azure_native/databoxedge/share.py b/sdk/python/pulumi_azure_native/databoxedge/share.py index 346a41762ba4..8ed0d89110f9 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/share.py +++ b/sdk/python/pulumi_azure_native/databoxedge/share.py @@ -329,7 +329,7 @@ def _internal_init(__self__, __props__.__dict__["share_mappings"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:Share")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20220301:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:Share"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:Share"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:Share")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Share, __self__).__init__( 'azure-native:databoxedge:Share', diff --git a/sdk/python/pulumi_azure_native/databoxedge/storage_account.py b/sdk/python/pulumi_azure_native/databoxedge/storage_account.py index ff00b29076af..dc70f4c57298 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/storage_account.py +++ b/sdk/python/pulumi_azure_native/databoxedge/storage_account.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190801:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:StorageAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20220301:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:StorageAccount"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:StorageAccount"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:StorageAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageAccount, __self__).__init__( 'azure-native:databoxedge:StorageAccount', diff --git a/sdk/python/pulumi_azure_native/databoxedge/storage_account_credential.py b/sdk/python/pulumi_azure_native/databoxedge/storage_account_credential.py index 4fa985247c1e..372f797c1756 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/storage_account_credential.py +++ b/sdk/python/pulumi_azure_native/databoxedge/storage_account_credential.py @@ -308,7 +308,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:StorageAccountCredential")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20220301:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:StorageAccountCredential"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:StorageAccountCredential"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:StorageAccountCredential")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageAccountCredential, __self__).__init__( 'azure-native:databoxedge:StorageAccountCredential', diff --git a/sdk/python/pulumi_azure_native/databoxedge/user.py b/sdk/python/pulumi_azure_native/databoxedge/user.py index 46c4393d258d..66a34dfdf9bb 100644 --- a/sdk/python/pulumi_azure_native/databoxedge/user.py +++ b/sdk/python/pulumi_azure_native/databoxedge/user.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["share_access_rights"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20190301:User"), pulumi.Alias(type_="azure-native:databoxedge/v20190701:User"), pulumi.Alias(type_="azure-native:databoxedge/v20190801:User"), pulumi.Alias(type_="azure-native:databoxedge/v20200501preview:User"), pulumi.Alias(type_="azure-native:databoxedge/v20200901:User"), pulumi.Alias(type_="azure-native:databoxedge/v20200901preview:User"), pulumi.Alias(type_="azure-native:databoxedge/v20201201:User"), pulumi.Alias(type_="azure-native:databoxedge/v20210201:User"), pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:User"), pulumi.Alias(type_="azure-native:databoxedge/v20210601:User"), pulumi.Alias(type_="azure-native:databoxedge/v20210601preview:User"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:User"), pulumi.Alias(type_="azure-native:databoxedge/v20220401preview:User"), pulumi.Alias(type_="azure-native:databoxedge/v20221201preview:User"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:User"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:User"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:User")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databoxedge/v20210201preview:User"), pulumi.Alias(type_="azure-native:databoxedge/v20220301:User"), pulumi.Alias(type_="azure-native:databoxedge/v20230101preview:User"), pulumi.Alias(type_="azure-native:databoxedge/v20230701:User"), pulumi.Alias(type_="azure-native:databoxedge/v20231201:User"), pulumi.Alias(type_="azure-native_databoxedge_v20190301:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20190701:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20190801:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20200501preview:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20200901:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20200901preview:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20201201:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20210201:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20210201preview:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20210601:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20210601preview:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20220301:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20220401preview:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20221201preview:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20230101preview:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20230701:databoxedge:User"), pulumi.Alias(type_="azure-native_databoxedge_v20231201:databoxedge:User")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(User, __self__).__init__( 'azure-native:databoxedge:User', diff --git a/sdk/python/pulumi_azure_native/databricks/access_connector.py b/sdk/python/pulumi_azure_native/databricks/access_connector.py index 252487faaf37..c019970405ee 100644 --- a/sdk/python/pulumi_azure_native/databricks/access_connector.py +++ b/sdk/python/pulumi_azure_native/databricks/access_connector.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databricks/v20220401preview:AccessConnector"), pulumi.Alias(type_="azure-native:databricks/v20221001preview:AccessConnector"), pulumi.Alias(type_="azure-native:databricks/v20230501:AccessConnector"), pulumi.Alias(type_="azure-native:databricks/v20240501:AccessConnector"), pulumi.Alias(type_="azure-native:databricks/v20240901preview:AccessConnector"), pulumi.Alias(type_="azure-native:databricks/v20250301preview:AccessConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databricks/v20220401preview:AccessConnector"), pulumi.Alias(type_="azure-native:databricks/v20230501:AccessConnector"), pulumi.Alias(type_="azure-native:databricks/v20240501:AccessConnector"), pulumi.Alias(type_="azure-native:databricks/v20240901preview:AccessConnector"), pulumi.Alias(type_="azure-native_databricks_v20220401preview:databricks:AccessConnector"), pulumi.Alias(type_="azure-native_databricks_v20221001preview:databricks:AccessConnector"), pulumi.Alias(type_="azure-native_databricks_v20230501:databricks:AccessConnector"), pulumi.Alias(type_="azure-native_databricks_v20240501:databricks:AccessConnector"), pulumi.Alias(type_="azure-native_databricks_v20240901preview:databricks:AccessConnector"), pulumi.Alias(type_="azure-native_databricks_v20250301preview:databricks:AccessConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccessConnector, __self__).__init__( 'azure-native:databricks:AccessConnector', diff --git a/sdk/python/pulumi_azure_native/databricks/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/databricks/private_endpoint_connection.py index 2c4d4b7a57e4..45d34b41f211 100644 --- a/sdk/python/pulumi_azure_native/databricks/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/databricks/private_endpoint_connection.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databricks/v20210401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:databricks/v20220401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:databricks/v20230201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:databricks/v20230915preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:databricks/v20240501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:databricks/v20240901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:databricks/v20250301preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databricks/v20230201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:databricks/v20230915preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:databricks/v20240501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:databricks/v20240901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_databricks_v20210401preview:databricks:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_databricks_v20220401preview:databricks:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_databricks_v20230201:databricks:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_databricks_v20230915preview:databricks:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_databricks_v20240501:databricks:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_databricks_v20240901preview:databricks:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_databricks_v20250301preview:databricks:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:databricks:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/databricks/v_net_peering.py b/sdk/python/pulumi_azure_native/databricks/v_net_peering.py index ba4da203749c..08a77dc5ec6a 100644 --- a/sdk/python/pulumi_azure_native/databricks/v_net_peering.py +++ b/sdk/python/pulumi_azure_native/databricks/v_net_peering.py @@ -307,7 +307,7 @@ def _internal_init(__self__, __props__.__dict__["peering_state"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databricks/v20180401:VNetPeering"), pulumi.Alias(type_="azure-native:databricks/v20210401preview:VNetPeering"), pulumi.Alias(type_="azure-native:databricks/v20220401preview:VNetPeering"), pulumi.Alias(type_="azure-native:databricks/v20230201:VNetPeering"), pulumi.Alias(type_="azure-native:databricks/v20230915preview:VNetPeering"), pulumi.Alias(type_="azure-native:databricks/v20240501:VNetPeering"), pulumi.Alias(type_="azure-native:databricks/v20240901preview:VNetPeering"), pulumi.Alias(type_="azure-native:databricks/v20250301preview:VNetPeering")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databricks/v20230201:VNetPeering"), pulumi.Alias(type_="azure-native:databricks/v20230915preview:VNetPeering"), pulumi.Alias(type_="azure-native:databricks/v20240501:VNetPeering"), pulumi.Alias(type_="azure-native:databricks/v20240901preview:VNetPeering"), pulumi.Alias(type_="azure-native_databricks_v20180401:databricks:VNetPeering"), pulumi.Alias(type_="azure-native_databricks_v20210401preview:databricks:VNetPeering"), pulumi.Alias(type_="azure-native_databricks_v20220401preview:databricks:VNetPeering"), pulumi.Alias(type_="azure-native_databricks_v20230201:databricks:VNetPeering"), pulumi.Alias(type_="azure-native_databricks_v20230915preview:databricks:VNetPeering"), pulumi.Alias(type_="azure-native_databricks_v20240501:databricks:VNetPeering"), pulumi.Alias(type_="azure-native_databricks_v20240901preview:databricks:VNetPeering"), pulumi.Alias(type_="azure-native_databricks_v20250301preview:databricks:VNetPeering")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VNetPeering, __self__).__init__( 'azure-native:databricks:VNetPeering', diff --git a/sdk/python/pulumi_azure_native/databricks/workspace.py b/sdk/python/pulumi_azure_native/databricks/workspace.py index 7022901033f2..b9ea9d4bafab 100644 --- a/sdk/python/pulumi_azure_native/databricks/workspace.py +++ b/sdk/python/pulumi_azure_native/databricks/workspace.py @@ -417,7 +417,7 @@ def _internal_init(__self__, __props__.__dict__["updated_by"] = None __props__.__dict__["workspace_id"] = None __props__.__dict__["workspace_url"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databricks/v20180401:Workspace"), pulumi.Alias(type_="azure-native:databricks/v20210401preview:Workspace"), pulumi.Alias(type_="azure-native:databricks/v20220401preview:Workspace"), pulumi.Alias(type_="azure-native:databricks/v20230201:Workspace"), pulumi.Alias(type_="azure-native:databricks/v20230915preview:Workspace"), pulumi.Alias(type_="azure-native:databricks/v20240501:Workspace"), pulumi.Alias(type_="azure-native:databricks/v20240901preview:Workspace"), pulumi.Alias(type_="azure-native:databricks/v20250301preview:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:databricks/v20230201:Workspace"), pulumi.Alias(type_="azure-native:databricks/v20230915preview:Workspace"), pulumi.Alias(type_="azure-native:databricks/v20240501:Workspace"), pulumi.Alias(type_="azure-native:databricks/v20240901preview:Workspace"), pulumi.Alias(type_="azure-native_databricks_v20180401:databricks:Workspace"), pulumi.Alias(type_="azure-native_databricks_v20210401preview:databricks:Workspace"), pulumi.Alias(type_="azure-native_databricks_v20220401preview:databricks:Workspace"), pulumi.Alias(type_="azure-native_databricks_v20230201:databricks:Workspace"), pulumi.Alias(type_="azure-native_databricks_v20230915preview:databricks:Workspace"), pulumi.Alias(type_="azure-native_databricks_v20240501:databricks:Workspace"), pulumi.Alias(type_="azure-native_databricks_v20240901preview:databricks:Workspace"), pulumi.Alias(type_="azure-native_databricks_v20250301preview:databricks:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:databricks:Workspace', diff --git a/sdk/python/pulumi_azure_native/datacatalog/adc_catalog.py b/sdk/python/pulumi_azure_native/datacatalog/adc_catalog.py index 152f71bdcb6d..deae8a843393 100644 --- a/sdk/python/pulumi_azure_native/datacatalog/adc_catalog.py +++ b/sdk/python/pulumi_azure_native/datacatalog/adc_catalog.py @@ -281,7 +281,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datacatalog/v20160330:ADCCatalog")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datacatalog/v20160330:ADCCatalog"), pulumi.Alias(type_="azure-native_datacatalog_v20160330:datacatalog:ADCCatalog")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ADCCatalog, __self__).__init__( 'azure-native:datacatalog:ADCCatalog', diff --git a/sdk/python/pulumi_azure_native/datadog/monitor.py b/sdk/python/pulumi_azure_native/datadog/monitor.py index f3407164fe9e..0c22038e2a50 100644 --- a/sdk/python/pulumi_azure_native/datadog/monitor.py +++ b/sdk/python/pulumi_azure_native/datadog/monitor.py @@ -201,7 +201,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datadog/v20200201preview:Monitor"), pulumi.Alias(type_="azure-native:datadog/v20210301:Monitor"), pulumi.Alias(type_="azure-native:datadog/v20220601:Monitor"), pulumi.Alias(type_="azure-native:datadog/v20220801:Monitor"), pulumi.Alias(type_="azure-native:datadog/v20230101:Monitor"), pulumi.Alias(type_="azure-native:datadog/v20230707:Monitor"), pulumi.Alias(type_="azure-native:datadog/v20231020:Monitor")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datadog/v20220601:Monitor"), pulumi.Alias(type_="azure-native:datadog/v20220801:Monitor"), pulumi.Alias(type_="azure-native:datadog/v20230101:Monitor"), pulumi.Alias(type_="azure-native:datadog/v20230707:Monitor"), pulumi.Alias(type_="azure-native:datadog/v20231020:Monitor"), pulumi.Alias(type_="azure-native_datadog_v20200201preview:datadog:Monitor"), pulumi.Alias(type_="azure-native_datadog_v20210301:datadog:Monitor"), pulumi.Alias(type_="azure-native_datadog_v20220601:datadog:Monitor"), pulumi.Alias(type_="azure-native_datadog_v20220801:datadog:Monitor"), pulumi.Alias(type_="azure-native_datadog_v20230101:datadog:Monitor"), pulumi.Alias(type_="azure-native_datadog_v20230707:datadog:Monitor"), pulumi.Alias(type_="azure-native_datadog_v20231020:datadog:Monitor")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Monitor, __self__).__init__( 'azure-native:datadog:Monitor', diff --git a/sdk/python/pulumi_azure_native/datadog/monitored_subscription.py b/sdk/python/pulumi_azure_native/datadog/monitored_subscription.py index 6fdf0a836552..7e853a0bc974 100644 --- a/sdk/python/pulumi_azure_native/datadog/monitored_subscription.py +++ b/sdk/python/pulumi_azure_native/datadog/monitored_subscription.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datadog/v20230101:MonitoredSubscription"), pulumi.Alias(type_="azure-native:datadog/v20230707:MonitoredSubscription"), pulumi.Alias(type_="azure-native:datadog/v20231020:MonitoredSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datadog/v20230101:MonitoredSubscription"), pulumi.Alias(type_="azure-native:datadog/v20230707:MonitoredSubscription"), pulumi.Alias(type_="azure-native:datadog/v20231020:MonitoredSubscription"), pulumi.Alias(type_="azure-native_datadog_v20230101:datadog:MonitoredSubscription"), pulumi.Alias(type_="azure-native_datadog_v20230707:datadog:MonitoredSubscription"), pulumi.Alias(type_="azure-native_datadog_v20231020:datadog:MonitoredSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MonitoredSubscription, __self__).__init__( 'azure-native:datadog:MonitoredSubscription', diff --git a/sdk/python/pulumi_azure_native/datafactory/change_data_capture.py b/sdk/python/pulumi_azure_native/datafactory/change_data_capture.py index 908e5a948aa9..101d74f30bbc 100644 --- a/sdk/python/pulumi_azure_native/datafactory/change_data_capture.py +++ b/sdk/python/pulumi_azure_native/datafactory/change_data_capture.py @@ -285,7 +285,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:ChangeDataCapture")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:ChangeDataCapture"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:ChangeDataCapture")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ChangeDataCapture, __self__).__init__( 'azure-native:datafactory:ChangeDataCapture', diff --git a/sdk/python/pulumi_azure_native/datafactory/credential_operation.py b/sdk/python/pulumi_azure_native/datafactory/credential_operation.py index f487b925052b..755cbc2484a2 100644 --- a/sdk/python/pulumi_azure_native/datafactory/credential_operation.py +++ b/sdk/python/pulumi_azure_native/datafactory/credential_operation.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:CredentialOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:CredentialOperation"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:CredentialOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CredentialOperation, __self__).__init__( 'azure-native:datafactory:CredentialOperation', diff --git a/sdk/python/pulumi_azure_native/datafactory/data_flow.py b/sdk/python/pulumi_azure_native/datafactory/data_flow.py index 804e5ef422b3..a8fa2311d9d3 100644 --- a/sdk/python/pulumi_azure_native/datafactory/data_flow.py +++ b/sdk/python/pulumi_azure_native/datafactory/data_flow.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:DataFlow")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:DataFlow"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:DataFlow")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataFlow, __self__).__init__( 'azure-native:datafactory:DataFlow', diff --git a/sdk/python/pulumi_azure_native/datafactory/dataset.py b/sdk/python/pulumi_azure_native/datafactory/dataset.py index 8a380eef12c6..2d18818a494d 100644 --- a/sdk/python/pulumi_azure_native/datafactory/dataset.py +++ b/sdk/python/pulumi_azure_native/datafactory/dataset.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20170901preview:Dataset"), pulumi.Alias(type_="azure-native:datafactory/v20180601:Dataset")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:Dataset"), pulumi.Alias(type_="azure-native_datafactory_v20170901preview:datafactory:Dataset"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:Dataset")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Dataset, __self__).__init__( 'azure-native:datafactory:Dataset', diff --git a/sdk/python/pulumi_azure_native/datafactory/factory.py b/sdk/python/pulumi_azure_native/datafactory/factory.py index a8256cf3ed04..cc6e05a42b1b 100644 --- a/sdk/python/pulumi_azure_native/datafactory/factory.py +++ b/sdk/python/pulumi_azure_native/datafactory/factory.py @@ -284,7 +284,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20170901preview:Factory"), pulumi.Alias(type_="azure-native:datafactory/v20180601:Factory")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:Factory"), pulumi.Alias(type_="azure-native_datafactory_v20170901preview:datafactory:Factory"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:Factory")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Factory, __self__).__init__( 'azure-native:datafactory:Factory', diff --git a/sdk/python/pulumi_azure_native/datafactory/global_parameter.py b/sdk/python/pulumi_azure_native/datafactory/global_parameter.py index 083d03edcfb1..0a78e550c8fa 100644 --- a/sdk/python/pulumi_azure_native/datafactory/global_parameter.py +++ b/sdk/python/pulumi_azure_native/datafactory/global_parameter.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:GlobalParameter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:GlobalParameter"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:GlobalParameter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GlobalParameter, __self__).__init__( 'azure-native:datafactory:GlobalParameter', diff --git a/sdk/python/pulumi_azure_native/datafactory/integration_runtime.py b/sdk/python/pulumi_azure_native/datafactory/integration_runtime.py index c52558e2cd3c..8782fff2503e 100644 --- a/sdk/python/pulumi_azure_native/datafactory/integration_runtime.py +++ b/sdk/python/pulumi_azure_native/datafactory/integration_runtime.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20170901preview:IntegrationRuntime"), pulumi.Alias(type_="azure-native:datafactory/v20180601:IntegrationRuntime")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:IntegrationRuntime"), pulumi.Alias(type_="azure-native_datafactory_v20170901preview:datafactory:IntegrationRuntime"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:IntegrationRuntime")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationRuntime, __self__).__init__( 'azure-native:datafactory:IntegrationRuntime', diff --git a/sdk/python/pulumi_azure_native/datafactory/linked_service.py b/sdk/python/pulumi_azure_native/datafactory/linked_service.py index aff17e3ebfe8..48a3845fcd8e 100644 --- a/sdk/python/pulumi_azure_native/datafactory/linked_service.py +++ b/sdk/python/pulumi_azure_native/datafactory/linked_service.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20170901preview:LinkedService"), pulumi.Alias(type_="azure-native:datafactory/v20180601:LinkedService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:LinkedService"), pulumi.Alias(type_="azure-native_datafactory_v20170901preview:datafactory:LinkedService"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:LinkedService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LinkedService, __self__).__init__( 'azure-native:datafactory:LinkedService', diff --git a/sdk/python/pulumi_azure_native/datafactory/managed_private_endpoint.py b/sdk/python/pulumi_azure_native/datafactory/managed_private_endpoint.py index f67242bd6c94..261eabd6eb23 100644 --- a/sdk/python/pulumi_azure_native/datafactory/managed_private_endpoint.py +++ b/sdk/python/pulumi_azure_native/datafactory/managed_private_endpoint.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:ManagedPrivateEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:ManagedPrivateEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedPrivateEndpoint, __self__).__init__( 'azure-native:datafactory:ManagedPrivateEndpoint', diff --git a/sdk/python/pulumi_azure_native/datafactory/pipeline.py b/sdk/python/pulumi_azure_native/datafactory/pipeline.py index e22625d9f6b7..a9a8be7324c0 100644 --- a/sdk/python/pulumi_azure_native/datafactory/pipeline.py +++ b/sdk/python/pulumi_azure_native/datafactory/pipeline.py @@ -322,7 +322,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20170901preview:Pipeline"), pulumi.Alias(type_="azure-native:datafactory/v20180601:Pipeline")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:Pipeline"), pulumi.Alias(type_="azure-native_datafactory_v20170901preview:datafactory:Pipeline"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:Pipeline")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Pipeline, __self__).__init__( 'azure-native:datafactory:Pipeline', diff --git a/sdk/python/pulumi_azure_native/datafactory/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/datafactory/private_endpoint_connection.py index 211ecfbf1a5e..5772ac5a5308 100644 --- a/sdk/python/pulumi_azure_native/datafactory/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/datafactory/private_endpoint_connection.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:datafactory:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/datafactory/trigger.py b/sdk/python/pulumi_azure_native/datafactory/trigger.py index e536140ac292..b7c9b6bc8e16 100644 --- a/sdk/python/pulumi_azure_native/datafactory/trigger.py +++ b/sdk/python/pulumi_azure_native/datafactory/trigger.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20170901preview:Trigger"), pulumi.Alias(type_="azure-native:datafactory/v20180601:Trigger")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datafactory/v20180601:Trigger"), pulumi.Alias(type_="azure-native_datafactory_v20170901preview:datafactory:Trigger"), pulumi.Alias(type_="azure-native_datafactory_v20180601:datafactory:Trigger")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Trigger, __self__).__init__( 'azure-native:datafactory:Trigger', diff --git a/sdk/python/pulumi_azure_native/datalakeanalytics/account.py b/sdk/python/pulumi_azure_native/datalakeanalytics/account.py index 3e7345e8cd46..d3dab9a27182 100644 --- a/sdk/python/pulumi_azure_native/datalakeanalytics/account.py +++ b/sdk/python/pulumi_azure_native/datalakeanalytics/account.py @@ -467,7 +467,7 @@ def _internal_init(__self__, __props__.__dict__["system_max_job_count"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_network_rules"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakeanalytics/v20151001preview:Account"), pulumi.Alias(type_="azure-native:datalakeanalytics/v20161101:Account"), pulumi.Alias(type_="azure-native:datalakeanalytics/v20191101preview:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakeanalytics/v20191101preview:Account"), pulumi.Alias(type_="azure-native_datalakeanalytics_v20151001preview:datalakeanalytics:Account"), pulumi.Alias(type_="azure-native_datalakeanalytics_v20161101:datalakeanalytics:Account"), pulumi.Alias(type_="azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:datalakeanalytics:Account', diff --git a/sdk/python/pulumi_azure_native/datalakeanalytics/compute_policy.py b/sdk/python/pulumi_azure_native/datalakeanalytics/compute_policy.py index 93e44fa3b7a7..6134d5be272e 100644 --- a/sdk/python/pulumi_azure_native/datalakeanalytics/compute_policy.py +++ b/sdk/python/pulumi_azure_native/datalakeanalytics/compute_policy.py @@ -221,7 +221,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakeanalytics/v20151001preview:ComputePolicy"), pulumi.Alias(type_="azure-native:datalakeanalytics/v20161101:ComputePolicy"), pulumi.Alias(type_="azure-native:datalakeanalytics/v20191101preview:ComputePolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakeanalytics/v20191101preview:ComputePolicy"), pulumi.Alias(type_="azure-native_datalakeanalytics_v20151001preview:datalakeanalytics:ComputePolicy"), pulumi.Alias(type_="azure-native_datalakeanalytics_v20161101:datalakeanalytics:ComputePolicy"), pulumi.Alias(type_="azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:ComputePolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ComputePolicy, __self__).__init__( 'azure-native:datalakeanalytics:ComputePolicy', diff --git a/sdk/python/pulumi_azure_native/datalakeanalytics/firewall_rule.py b/sdk/python/pulumi_azure_native/datalakeanalytics/firewall_rule.py index c0c6630167f3..0698d8638d30 100644 --- a/sdk/python/pulumi_azure_native/datalakeanalytics/firewall_rule.py +++ b/sdk/python/pulumi_azure_native/datalakeanalytics/firewall_rule.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakeanalytics/v20151001preview:FirewallRule"), pulumi.Alias(type_="azure-native:datalakeanalytics/v20161101:FirewallRule"), pulumi.Alias(type_="azure-native:datalakeanalytics/v20191101preview:FirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakeanalytics/v20191101preview:FirewallRule"), pulumi.Alias(type_="azure-native_datalakeanalytics_v20151001preview:datalakeanalytics:FirewallRule"), pulumi.Alias(type_="azure-native_datalakeanalytics_v20161101:datalakeanalytics:FirewallRule"), pulumi.Alias(type_="azure-native_datalakeanalytics_v20191101preview:datalakeanalytics:FirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallRule, __self__).__init__( 'azure-native:datalakeanalytics:FirewallRule', diff --git a/sdk/python/pulumi_azure_native/datalakestore/account.py b/sdk/python/pulumi_azure_native/datalakestore/account.py index 42b5263bfe27..2e41ba59fec2 100644 --- a/sdk/python/pulumi_azure_native/datalakestore/account.py +++ b/sdk/python/pulumi_azure_native/datalakestore/account.py @@ -388,7 +388,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakestore/v20161101:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakestore/v20161101:Account"), pulumi.Alias(type_="azure-native_datalakestore_v20161101:datalakestore:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:datalakestore:Account', diff --git a/sdk/python/pulumi_azure_native/datalakestore/firewall_rule.py b/sdk/python/pulumi_azure_native/datalakestore/firewall_rule.py index 2b0f62921067..fa07155ac3b6 100644 --- a/sdk/python/pulumi_azure_native/datalakestore/firewall_rule.py +++ b/sdk/python/pulumi_azure_native/datalakestore/firewall_rule.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakestore/v20161101:FirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakestore/v20161101:FirewallRule"), pulumi.Alias(type_="azure-native_datalakestore_v20161101:datalakestore:FirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallRule, __self__).__init__( 'azure-native:datalakestore:FirewallRule', diff --git a/sdk/python/pulumi_azure_native/datalakestore/trusted_id_provider.py b/sdk/python/pulumi_azure_native/datalakestore/trusted_id_provider.py index 164d794cb20b..0b7b0ad5abf2 100644 --- a/sdk/python/pulumi_azure_native/datalakestore/trusted_id_provider.py +++ b/sdk/python/pulumi_azure_native/datalakestore/trusted_id_provider.py @@ -159,7 +159,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakestore/v20161101:TrustedIdProvider")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakestore/v20161101:TrustedIdProvider"), pulumi.Alias(type_="azure-native_datalakestore_v20161101:datalakestore:TrustedIdProvider")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TrustedIdProvider, __self__).__init__( 'azure-native:datalakestore:TrustedIdProvider', diff --git a/sdk/python/pulumi_azure_native/datalakestore/virtual_network_rule.py b/sdk/python/pulumi_azure_native/datalakestore/virtual_network_rule.py index 1fc8659ce6af..754fcbc9123b 100644 --- a/sdk/python/pulumi_azure_native/datalakestore/virtual_network_rule.py +++ b/sdk/python/pulumi_azure_native/datalakestore/virtual_network_rule.py @@ -159,7 +159,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakestore/v20161101:VirtualNetworkRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datalakestore/v20161101:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_datalakestore_v20161101:datalakestore:VirtualNetworkRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetworkRule, __self__).__init__( 'azure-native:datalakestore:VirtualNetworkRule', diff --git a/sdk/python/pulumi_azure_native/datamigration/database_migrations_mongo_to_cosmos_db_ru_mongo.py b/sdk/python/pulumi_azure_native/datamigration/database_migrations_mongo_to_cosmos_db_ru_mongo.py index 73096fcb5254..cee321ac7404 100644 --- a/sdk/python/pulumi_azure_native/datamigration/database_migrations_mongo_to_cosmos_db_ru_mongo.py +++ b/sdk/python/pulumi_azure_native/datamigration/database_migrations_mongo_to_cosmos_db_ru_mongo.py @@ -310,7 +310,7 @@ def _internal_init(__self__, __props__.__dict__["started_on"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbRUMongo")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbRUMongo"), pulumi.Alias(type_="azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsMongoToCosmosDbRUMongo")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseMigrationsMongoToCosmosDbRUMongo, __self__).__init__( 'azure-native:datamigration:DatabaseMigrationsMongoToCosmosDbRUMongo', diff --git a/sdk/python/pulumi_azure_native/datamigration/database_migrations_mongo_to_cosmos_dbv_core_mongo.py b/sdk/python/pulumi_azure_native/datamigration/database_migrations_mongo_to_cosmos_dbv_core_mongo.py index 9f276944d148..19e2dec26901 100644 --- a/sdk/python/pulumi_azure_native/datamigration/database_migrations_mongo_to_cosmos_dbv_core_mongo.py +++ b/sdk/python/pulumi_azure_native/datamigration/database_migrations_mongo_to_cosmos_dbv_core_mongo.py @@ -310,7 +310,7 @@ def _internal_init(__self__, __props__.__dict__["started_on"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbvCoreMongo")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20230715preview:DatabaseMigrationsMongoToCosmosDbvCoreMongo"), pulumi.Alias(type_="azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsMongoToCosmosDbvCoreMongo")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseMigrationsMongoToCosmosDbvCoreMongo, __self__).__init__( 'azure-native:datamigration:DatabaseMigrationsMongoToCosmosDbvCoreMongo', diff --git a/sdk/python/pulumi_azure_native/datamigration/database_migrations_sql_db.py b/sdk/python/pulumi_azure_native/datamigration/database_migrations_sql_db.py index 675ae104c8c9..9556bf100101 100644 --- a/sdk/python/pulumi_azure_native/datamigration/database_migrations_sql_db.py +++ b/sdk/python/pulumi_azure_native/datamigration/database_migrations_sql_db.py @@ -160,7 +160,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20220330preview:DatabaseMigrationsSqlDb"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:DatabaseMigrationsSqlDb")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20220330preview:DatabaseMigrationsSqlDb"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:DatabaseMigrationsSqlDb"), pulumi.Alias(type_="azure-native_datamigration_v20220330preview:datamigration:DatabaseMigrationsSqlDb"), pulumi.Alias(type_="azure-native_datamigration_v20230715preview:datamigration:DatabaseMigrationsSqlDb")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseMigrationsSqlDb, __self__).__init__( 'azure-native:datamigration:DatabaseMigrationsSqlDb', diff --git a/sdk/python/pulumi_azure_native/datamigration/file.py b/sdk/python/pulumi_azure_native/datamigration/file.py index aee034dfb587..b491fa79dabd 100644 --- a/sdk/python/pulumi_azure_native/datamigration/file.py +++ b/sdk/python/pulumi_azure_native/datamigration/file.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20180715preview:File"), pulumi.Alias(type_="azure-native:datamigration/v20210630:File"), pulumi.Alias(type_="azure-native:datamigration/v20211030preview:File"), pulumi.Alias(type_="azure-native:datamigration/v20220130preview:File"), pulumi.Alias(type_="azure-native:datamigration/v20220330preview:File"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:File")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20210630:File"), pulumi.Alias(type_="azure-native:datamigration/v20220330preview:File"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:File"), pulumi.Alias(type_="azure-native_datamigration_v20180715preview:datamigration:File"), pulumi.Alias(type_="azure-native_datamigration_v20210630:datamigration:File"), pulumi.Alias(type_="azure-native_datamigration_v20211030preview:datamigration:File"), pulumi.Alias(type_="azure-native_datamigration_v20220130preview:datamigration:File"), pulumi.Alias(type_="azure-native_datamigration_v20220330preview:datamigration:File"), pulumi.Alias(type_="azure-native_datamigration_v20230715preview:datamigration:File")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(File, __self__).__init__( 'azure-native:datamigration:File', diff --git a/sdk/python/pulumi_azure_native/datamigration/migration_service.py b/sdk/python/pulumi_azure_native/datamigration/migration_service.py index ec453c6b965c..760a12191a5e 100644 --- a/sdk/python/pulumi_azure_native/datamigration/migration_service.py +++ b/sdk/python/pulumi_azure_native/datamigration/migration_service.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20230715preview:MigrationService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20230715preview:MigrationService"), pulumi.Alias(type_="azure-native_datamigration_v20230715preview:datamigration:MigrationService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MigrationService, __self__).__init__( 'azure-native:datamigration:MigrationService', diff --git a/sdk/python/pulumi_azure_native/datamigration/project.py b/sdk/python/pulumi_azure_native/datamigration/project.py index 6908bfde51d2..c52ce769016a 100644 --- a/sdk/python/pulumi_azure_native/datamigration/project.py +++ b/sdk/python/pulumi_azure_native/datamigration/project.py @@ -301,7 +301,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20171115preview:Project"), pulumi.Alias(type_="azure-native:datamigration/v20180315preview:Project"), pulumi.Alias(type_="azure-native:datamigration/v20180331preview:Project"), pulumi.Alias(type_="azure-native:datamigration/v20180419:Project"), pulumi.Alias(type_="azure-native:datamigration/v20180715preview:Project"), pulumi.Alias(type_="azure-native:datamigration/v20210630:Project"), pulumi.Alias(type_="azure-native:datamigration/v20211030preview:Project"), pulumi.Alias(type_="azure-native:datamigration/v20220130preview:Project"), pulumi.Alias(type_="azure-native:datamigration/v20220330preview:Project"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:Project")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20210630:Project"), pulumi.Alias(type_="azure-native:datamigration/v20211030preview:Project"), pulumi.Alias(type_="azure-native:datamigration/v20220330preview:Project"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:Project"), pulumi.Alias(type_="azure-native_datamigration_v20171115preview:datamigration:Project"), pulumi.Alias(type_="azure-native_datamigration_v20180315preview:datamigration:Project"), pulumi.Alias(type_="azure-native_datamigration_v20180331preview:datamigration:Project"), pulumi.Alias(type_="azure-native_datamigration_v20180419:datamigration:Project"), pulumi.Alias(type_="azure-native_datamigration_v20180715preview:datamigration:Project"), pulumi.Alias(type_="azure-native_datamigration_v20210630:datamigration:Project"), pulumi.Alias(type_="azure-native_datamigration_v20211030preview:datamigration:Project"), pulumi.Alias(type_="azure-native_datamigration_v20220130preview:datamigration:Project"), pulumi.Alias(type_="azure-native_datamigration_v20220330preview:datamigration:Project"), pulumi.Alias(type_="azure-native_datamigration_v20230715preview:datamigration:Project")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Project, __self__).__init__( 'azure-native:datamigration:Project', diff --git a/sdk/python/pulumi_azure_native/datamigration/service.py b/sdk/python/pulumi_azure_native/datamigration/service.py index 3fb4ba767c7a..054870ed43f2 100644 --- a/sdk/python/pulumi_azure_native/datamigration/service.py +++ b/sdk/python/pulumi_azure_native/datamigration/service.py @@ -296,7 +296,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20171115preview:Service"), pulumi.Alias(type_="azure-native:datamigration/v20180315preview:Service"), pulumi.Alias(type_="azure-native:datamigration/v20180331preview:Service"), pulumi.Alias(type_="azure-native:datamigration/v20180419:Service"), pulumi.Alias(type_="azure-native:datamigration/v20180715preview:Service"), pulumi.Alias(type_="azure-native:datamigration/v20210630:Service"), pulumi.Alias(type_="azure-native:datamigration/v20211030preview:Service"), pulumi.Alias(type_="azure-native:datamigration/v20220130preview:Service"), pulumi.Alias(type_="azure-native:datamigration/v20220330preview:Service"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:Service")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20210630:Service"), pulumi.Alias(type_="azure-native:datamigration/v20220330preview:Service"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:Service"), pulumi.Alias(type_="azure-native_datamigration_v20171115preview:datamigration:Service"), pulumi.Alias(type_="azure-native_datamigration_v20180315preview:datamigration:Service"), pulumi.Alias(type_="azure-native_datamigration_v20180331preview:datamigration:Service"), pulumi.Alias(type_="azure-native_datamigration_v20180419:datamigration:Service"), pulumi.Alias(type_="azure-native_datamigration_v20180715preview:datamigration:Service"), pulumi.Alias(type_="azure-native_datamigration_v20210630:datamigration:Service"), pulumi.Alias(type_="azure-native_datamigration_v20211030preview:datamigration:Service"), pulumi.Alias(type_="azure-native_datamigration_v20220130preview:datamigration:Service"), pulumi.Alias(type_="azure-native_datamigration_v20220330preview:datamigration:Service"), pulumi.Alias(type_="azure-native_datamigration_v20230715preview:datamigration:Service")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Service, __self__).__init__( 'azure-native:datamigration:Service', diff --git a/sdk/python/pulumi_azure_native/datamigration/service_task.py b/sdk/python/pulumi_azure_native/datamigration/service_task.py index 560084e4c000..910db35e434b 100644 --- a/sdk/python/pulumi_azure_native/datamigration/service_task.py +++ b/sdk/python/pulumi_azure_native/datamigration/service_task.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20180715preview:ServiceTask"), pulumi.Alias(type_="azure-native:datamigration/v20210630:ServiceTask"), pulumi.Alias(type_="azure-native:datamigration/v20211030preview:ServiceTask"), pulumi.Alias(type_="azure-native:datamigration/v20220130preview:ServiceTask"), pulumi.Alias(type_="azure-native:datamigration/v20220330preview:ServiceTask"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:ServiceTask")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20210630:ServiceTask"), pulumi.Alias(type_="azure-native:datamigration/v20220330preview:ServiceTask"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:ServiceTask"), pulumi.Alias(type_="azure-native_datamigration_v20180715preview:datamigration:ServiceTask"), pulumi.Alias(type_="azure-native_datamigration_v20210630:datamigration:ServiceTask"), pulumi.Alias(type_="azure-native_datamigration_v20211030preview:datamigration:ServiceTask"), pulumi.Alias(type_="azure-native_datamigration_v20220130preview:datamigration:ServiceTask"), pulumi.Alias(type_="azure-native_datamigration_v20220330preview:datamigration:ServiceTask"), pulumi.Alias(type_="azure-native_datamigration_v20230715preview:datamigration:ServiceTask")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServiceTask, __self__).__init__( 'azure-native:datamigration:ServiceTask', diff --git a/sdk/python/pulumi_azure_native/datamigration/sql_migration_service.py b/sdk/python/pulumi_azure_native/datamigration/sql_migration_service.py index 31af0b4fdc44..caf311be1df1 100644 --- a/sdk/python/pulumi_azure_native/datamigration/sql_migration_service.py +++ b/sdk/python/pulumi_azure_native/datamigration/sql_migration_service.py @@ -155,7 +155,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20211030preview:SqlMigrationService"), pulumi.Alias(type_="azure-native:datamigration/v20220130preview:SqlMigrationService"), pulumi.Alias(type_="azure-native:datamigration/v20220330preview:SqlMigrationService"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:SqlMigrationService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20220330preview:SqlMigrationService"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:SqlMigrationService"), pulumi.Alias(type_="azure-native_datamigration_v20211030preview:datamigration:SqlMigrationService"), pulumi.Alias(type_="azure-native_datamigration_v20220130preview:datamigration:SqlMigrationService"), pulumi.Alias(type_="azure-native_datamigration_v20220330preview:datamigration:SqlMigrationService"), pulumi.Alias(type_="azure-native_datamigration_v20230715preview:datamigration:SqlMigrationService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlMigrationService, __self__).__init__( 'azure-native:datamigration:SqlMigrationService', diff --git a/sdk/python/pulumi_azure_native/datamigration/task.py b/sdk/python/pulumi_azure_native/datamigration/task.py index aee55c7a0297..658f36bbe888 100644 --- a/sdk/python/pulumi_azure_native/datamigration/task.py +++ b/sdk/python/pulumi_azure_native/datamigration/task.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20171115preview:Task"), pulumi.Alias(type_="azure-native:datamigration/v20180315preview:Task"), pulumi.Alias(type_="azure-native:datamigration/v20180331preview:Task"), pulumi.Alias(type_="azure-native:datamigration/v20180419:Task"), pulumi.Alias(type_="azure-native:datamigration/v20180715preview:Task"), pulumi.Alias(type_="azure-native:datamigration/v20210630:Task"), pulumi.Alias(type_="azure-native:datamigration/v20211030preview:Task"), pulumi.Alias(type_="azure-native:datamigration/v20220130preview:Task"), pulumi.Alias(type_="azure-native:datamigration/v20220330preview:Task"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:Task")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datamigration/v20210630:Task"), pulumi.Alias(type_="azure-native:datamigration/v20220330preview:Task"), pulumi.Alias(type_="azure-native:datamigration/v20230715preview:Task"), pulumi.Alias(type_="azure-native_datamigration_v20171115preview:datamigration:Task"), pulumi.Alias(type_="azure-native_datamigration_v20180315preview:datamigration:Task"), pulumi.Alias(type_="azure-native_datamigration_v20180331preview:datamigration:Task"), pulumi.Alias(type_="azure-native_datamigration_v20180419:datamigration:Task"), pulumi.Alias(type_="azure-native_datamigration_v20180715preview:datamigration:Task"), pulumi.Alias(type_="azure-native_datamigration_v20210630:datamigration:Task"), pulumi.Alias(type_="azure-native_datamigration_v20211030preview:datamigration:Task"), pulumi.Alias(type_="azure-native_datamigration_v20220130preview:datamigration:Task"), pulumi.Alias(type_="azure-native_datamigration_v20220330preview:datamigration:Task"), pulumi.Alias(type_="azure-native_datamigration_v20230715preview:datamigration:Task")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Task, __self__).__init__( 'azure-native:datamigration:Task', diff --git a/sdk/python/pulumi_azure_native/dataprotection/backup_instance.py b/sdk/python/pulumi_azure_native/dataprotection/backup_instance.py index e9e795bc29ad..bce12f4c5805 100644 --- a/sdk/python/pulumi_azure_native/dataprotection/backup_instance.py +++ b/sdk/python/pulumi_azure_native/dataprotection/backup_instance.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dataprotection/v20210101:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20210201preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20210601preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20210701:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20211001preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20211201preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20220101:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20220201preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20220301:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20220331preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20220401:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20220501:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20220901preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20221001preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20221101preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20221201:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20230101:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20230401preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20230501:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20230601preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20230801preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20231101:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20231201:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20240201preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20240301:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20240401:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20250101:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20250201:BackupInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dataprotection/v20230101:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20230401preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20230501:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20230601preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20230801preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20231101:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20231201:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20240201preview:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20240301:BackupInstance"), pulumi.Alias(type_="azure-native:dataprotection/v20240401:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20210101:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20210201preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20210601preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20210701:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20211001preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20211201preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20220101:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20220201preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20220301:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20220331preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20220401:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20220501:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20220901preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20221001preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20221101preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20221201:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20230101:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20230401preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20230501:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20230601preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20230801preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20231101:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20231201:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20240201preview:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20240301:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20240401:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20250101:dataprotection:BackupInstance"), pulumi.Alias(type_="azure-native_dataprotection_v20250201:dataprotection:BackupInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BackupInstance, __self__).__init__( 'azure-native:dataprotection:BackupInstance', diff --git a/sdk/python/pulumi_azure_native/dataprotection/backup_policy.py b/sdk/python/pulumi_azure_native/dataprotection/backup_policy.py index ff7368467744..0d7519eabb38 100644 --- a/sdk/python/pulumi_azure_native/dataprotection/backup_policy.py +++ b/sdk/python/pulumi_azure_native/dataprotection/backup_policy.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dataprotection/v20210101:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20210201preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20210601preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20210701:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20211001preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20211201preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20220101:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20220201preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20220301:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20220331preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20220401:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20220501:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20220901preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20221001preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20221101preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20221201:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20230101:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20230401preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20230501:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20230601preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20230801preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20231101:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20231201:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20240201preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20240301:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20240401:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20250101:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20250201:BackupPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dataprotection/v20230101:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20230401preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20230501:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20230601preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20230801preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20231101:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20231201:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20240201preview:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20240301:BackupPolicy"), pulumi.Alias(type_="azure-native:dataprotection/v20240401:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20210101:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20210201preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20210601preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20210701:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20211001preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20211201preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20220101:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20220201preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20220301:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20220331preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20220401:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20220501:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20220901preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20221001preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20221101preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20221201:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20230101:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20230401preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20230501:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20230601preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20230801preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20231101:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20231201:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20240201preview:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20240301:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20240401:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20250101:dataprotection:BackupPolicy"), pulumi.Alias(type_="azure-native_dataprotection_v20250201:dataprotection:BackupPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BackupPolicy, __self__).__init__( 'azure-native:dataprotection:BackupPolicy', diff --git a/sdk/python/pulumi_azure_native/dataprotection/backup_vault.py b/sdk/python/pulumi_azure_native/dataprotection/backup_vault.py index 92120c4d3841..c237c3bc02e3 100644 --- a/sdk/python/pulumi_azure_native/dataprotection/backup_vault.py +++ b/sdk/python/pulumi_azure_native/dataprotection/backup_vault.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dataprotection/v20210101:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20210201preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20210601preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20210701:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20211001preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20211201preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20220101:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20220201preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20220301:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20220331preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20220401:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20220501:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20220901preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20221001preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20221101preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20221201:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20230101:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20230401preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20230501:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20230601preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20230801preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20231101:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20231201:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20240201preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20240301:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20240401:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20250101:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20250201:BackupVault")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dataprotection/v20230101:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20230401preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20230501:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20230601preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20230801preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20231101:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20231201:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20240201preview:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20240301:BackupVault"), pulumi.Alias(type_="azure-native:dataprotection/v20240401:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20210101:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20210201preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20210601preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20210701:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20211001preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20211201preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20220101:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20220201preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20220301:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20220331preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20220401:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20220501:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20220901preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20221001preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20221101preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20221201:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20230101:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20230401preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20230501:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20230601preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20230801preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20231101:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20231201:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20240201preview:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20240301:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20240401:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20250101:dataprotection:BackupVault"), pulumi.Alias(type_="azure-native_dataprotection_v20250201:dataprotection:BackupVault")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BackupVault, __self__).__init__( 'azure-native:dataprotection:BackupVault', diff --git a/sdk/python/pulumi_azure_native/dataprotection/dpp_resource_guard_proxy.py b/sdk/python/pulumi_azure_native/dataprotection/dpp_resource_guard_proxy.py index 02810552b87e..d27a66468c5d 100644 --- a/sdk/python/pulumi_azure_native/dataprotection/dpp_resource_guard_proxy.py +++ b/sdk/python/pulumi_azure_native/dataprotection/dpp_resource_guard_proxy.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dataprotection/v20220901preview:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20221001preview:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20221101preview:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20230101:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20230401preview:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20230501:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20230601preview:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20230801preview:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20231101:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20231201:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20240201preview:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20240301:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20240401:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20250101:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20250201:DppResourceGuardProxy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dataprotection/v20230101:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20230401preview:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20230501:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20230601preview:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20230801preview:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20231101:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20231201:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20240201preview:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20240301:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native:dataprotection/v20240401:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20220901preview:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20221001preview:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20221101preview:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20230101:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20230401preview:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20230501:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20230601preview:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20230801preview:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20231101:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20231201:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20240201preview:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20240301:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20240401:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20250101:dataprotection:DppResourceGuardProxy"), pulumi.Alias(type_="azure-native_dataprotection_v20250201:dataprotection:DppResourceGuardProxy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DppResourceGuardProxy, __self__).__init__( 'azure-native:dataprotection:DppResourceGuardProxy', diff --git a/sdk/python/pulumi_azure_native/dataprotection/resource_guard.py b/sdk/python/pulumi_azure_native/dataprotection/resource_guard.py index 30344f386209..3b6fc3650d3f 100644 --- a/sdk/python/pulumi_azure_native/dataprotection/resource_guard.py +++ b/sdk/python/pulumi_azure_native/dataprotection/resource_guard.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dataprotection/v20210701:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20211001preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20211201preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20220101:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20220201preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20220301:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20220331preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20220401:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20220501:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20220901preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20221001preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20221101preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20221201:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20230101:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20230401preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20230501:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20230601preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20230801preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20231101:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20231201:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20240201preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20240301:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20240401:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20250101:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20250201:ResourceGuard")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dataprotection/v20221101preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20230101:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20230401preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20230501:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20230601preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20230801preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20231101:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20231201:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20240201preview:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20240301:ResourceGuard"), pulumi.Alias(type_="azure-native:dataprotection/v20240401:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20210701:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20211001preview:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20211201preview:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20220101:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20220201preview:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20220301:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20220331preview:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20220401:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20220501:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20220901preview:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20221001preview:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20221101preview:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20221201:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20230101:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20230401preview:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20230501:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20230601preview:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20230801preview:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20231101:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20231201:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20240201preview:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20240301:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20240401:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20250101:dataprotection:ResourceGuard"), pulumi.Alias(type_="azure-native_dataprotection_v20250201:dataprotection:ResourceGuard")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ResourceGuard, __self__).__init__( 'azure-native:dataprotection:ResourceGuard', diff --git a/sdk/python/pulumi_azure_native/datareplication/dra.py b/sdk/python/pulumi_azure_native/datareplication/dra.py index 873675851355..8781658418be 100644 --- a/sdk/python/pulumi_azure_native/datareplication/dra.py +++ b/sdk/python/pulumi_azure_native/datareplication/dra.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:Dra"), pulumi.Alias(type_="azure-native:datareplication/v20240901:Dra")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:Dra"), pulumi.Alias(type_="azure-native_datareplication_v20210216preview:datareplication:Dra"), pulumi.Alias(type_="azure-native_datareplication_v20240901:datareplication:Dra")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Dra, __self__).__init__( 'azure-native:datareplication:Dra', diff --git a/sdk/python/pulumi_azure_native/datareplication/fabric.py b/sdk/python/pulumi_azure_native/datareplication/fabric.py index 9c930e6d6661..7d39a5ebaccc 100644 --- a/sdk/python/pulumi_azure_native/datareplication/fabric.py +++ b/sdk/python/pulumi_azure_native/datareplication/fabric.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:Fabric"), pulumi.Alias(type_="azure-native:datareplication/v20240901:Fabric")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:Fabric"), pulumi.Alias(type_="azure-native_datareplication_v20210216preview:datareplication:Fabric"), pulumi.Alias(type_="azure-native_datareplication_v20240901:datareplication:Fabric")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Fabric, __self__).__init__( 'azure-native:datareplication:Fabric', diff --git a/sdk/python/pulumi_azure_native/datareplication/policy.py b/sdk/python/pulumi_azure_native/datareplication/policy.py index 673c54787487..6ed12b50d4f4 100644 --- a/sdk/python/pulumi_azure_native/datareplication/policy.py +++ b/sdk/python/pulumi_azure_native/datareplication/policy.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:Policy"), pulumi.Alias(type_="azure-native:datareplication/v20240901:Policy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:Policy"), pulumi.Alias(type_="azure-native_datareplication_v20210216preview:datareplication:Policy"), pulumi.Alias(type_="azure-native_datareplication_v20240901:datareplication:Policy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Policy, __self__).__init__( 'azure-native:datareplication:Policy', diff --git a/sdk/python/pulumi_azure_native/datareplication/protected_item.py b/sdk/python/pulumi_azure_native/datareplication/protected_item.py index 21010a32cb29..54b6320629c8 100644 --- a/sdk/python/pulumi_azure_native/datareplication/protected_item.py +++ b/sdk/python/pulumi_azure_native/datareplication/protected_item.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:ProtectedItem"), pulumi.Alias(type_="azure-native:datareplication/v20240901:ProtectedItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:ProtectedItem"), pulumi.Alias(type_="azure-native_datareplication_v20210216preview:datareplication:ProtectedItem"), pulumi.Alias(type_="azure-native_datareplication_v20240901:datareplication:ProtectedItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProtectedItem, __self__).__init__( 'azure-native:datareplication:ProtectedItem', diff --git a/sdk/python/pulumi_azure_native/datareplication/replication_extension.py b/sdk/python/pulumi_azure_native/datareplication/replication_extension.py index c9402688d24c..8b6017f40d3c 100644 --- a/sdk/python/pulumi_azure_native/datareplication/replication_extension.py +++ b/sdk/python/pulumi_azure_native/datareplication/replication_extension.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:ReplicationExtension"), pulumi.Alias(type_="azure-native:datareplication/v20240901:ReplicationExtension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:ReplicationExtension"), pulumi.Alias(type_="azure-native_datareplication_v20210216preview:datareplication:ReplicationExtension"), pulumi.Alias(type_="azure-native_datareplication_v20240901:datareplication:ReplicationExtension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationExtension, __self__).__init__( 'azure-native:datareplication:ReplicationExtension', diff --git a/sdk/python/pulumi_azure_native/datareplication/vault.py b/sdk/python/pulumi_azure_native/datareplication/vault.py index fe3b2c678572..c5671ef4acdc 100644 --- a/sdk/python/pulumi_azure_native/datareplication/vault.py +++ b/sdk/python/pulumi_azure_native/datareplication/vault.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:Vault"), pulumi.Alias(type_="azure-native:datareplication/v20240901:Vault")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datareplication/v20210216preview:Vault"), pulumi.Alias(type_="azure-native_datareplication_v20210216preview:datareplication:Vault"), pulumi.Alias(type_="azure-native_datareplication_v20240901:datareplication:Vault")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Vault, __self__).__init__( 'azure-native:datareplication:Vault', diff --git a/sdk/python/pulumi_azure_native/datashare/account.py b/sdk/python/pulumi_azure_native/datashare/account.py index 2d7e2acab220..0bda17f44f87 100644 --- a/sdk/python/pulumi_azure_native/datashare/account.py +++ b/sdk/python/pulumi_azure_native/datashare/account.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["user_email"] = None __props__.__dict__["user_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:Account"), pulumi.Alias(type_="azure-native:datashare/v20191101:Account"), pulumi.Alias(type_="azure-native:datashare/v20200901:Account"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:Account"), pulumi.Alias(type_="azure-native:datashare/v20210801:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20210801:Account"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:Account"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:Account"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:Account"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:Account"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:datashare:Account', diff --git a/sdk/python/pulumi_azure_native/datashare/adls_gen1_file_data_set.py b/sdk/python/pulumi_azure_native/datashare/adls_gen1_file_data_set.py index 467edf6f5d50..d0beb3711057 100644 --- a/sdk/python/pulumi_azure_native/datashare/adls_gen1_file_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/adls_gen1_file_data_set.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:ADLSGen1FileDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ADLSGen1FileDataSet, __self__).__init__( 'azure-native:datashare:ADLSGen1FileDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/adls_gen1_folder_data_set.py b/sdk/python/pulumi_azure_native/datashare/adls_gen1_folder_data_set.py index 73f76eba9a4e..b10b391040ba 100644 --- a/sdk/python/pulumi_azure_native/datashare/adls_gen1_folder_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/adls_gen1_folder_data_set.py @@ -249,7 +249,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:ADLSGen1FolderDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ADLSGen1FolderDataSet, __self__).__init__( 'azure-native:datashare:ADLSGen1FolderDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_data_set.py b/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_data_set.py index 4e8d7a1ebffe..85a6c82e1c8c 100644 --- a/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_data_set.py @@ -291,7 +291,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:ADLSGen2FileDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ADLSGen2FileDataSet, __self__).__init__( 'azure-native:datashare:ADLSGen2FileDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_data_set_mapping.py index d4b7de598745..5ae5d4b583ca 100644 --- a/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_data_set_mapping.py @@ -334,7 +334,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:ADLSGen2FileDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ADLSGen2FileDataSetMapping, __self__).__init__( 'azure-native:datashare:ADLSGen2FileDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_system_data_set.py b/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_system_data_set.py index 8f77a0cebfa7..08dd95a4a45e 100644 --- a/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_system_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_system_data_set.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:ADLSGen2FileSystemDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ADLSGen2FileSystemDataSet, __self__).__init__( 'azure-native:datashare:ADLSGen2FileSystemDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_system_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_system_data_set_mapping.py index b195cbb7c00a..1646766a1c81 100644 --- a/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_system_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/adls_gen2_file_system_data_set_mapping.py @@ -292,7 +292,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:ADLSGen2FileSystemDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ADLSGen2FileSystemDataSetMapping, __self__).__init__( 'azure-native:datashare:ADLSGen2FileSystemDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/datashare/adls_gen2_folder_data_set.py b/sdk/python/pulumi_azure_native/datashare/adls_gen2_folder_data_set.py index e62ae68b614d..f7f567795a64 100644 --- a/sdk/python/pulumi_azure_native/datashare/adls_gen2_folder_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/adls_gen2_folder_data_set.py @@ -291,7 +291,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:ADLSGen2FolderDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ADLSGen2FolderDataSet, __self__).__init__( 'azure-native:datashare:ADLSGen2FolderDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/adls_gen2_folder_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/adls_gen2_folder_data_set_mapping.py index 0a62bf279fb8..812fef75921e 100644 --- a/sdk/python/pulumi_azure_native/datashare/adls_gen2_folder_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/adls_gen2_folder_data_set_mapping.py @@ -313,7 +313,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:ADLSGen2FolderDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ADLSGen2FolderDataSetMapping, __self__).__init__( 'azure-native:datashare:ADLSGen2FolderDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/datashare/blob_container_data_set.py b/sdk/python/pulumi_azure_native/datashare/blob_container_data_set.py index 2af838b3814b..1d5e6f734682 100644 --- a/sdk/python/pulumi_azure_native/datashare/blob_container_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/blob_container_data_set.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:BlobContainerDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BlobContainerDataSet, __self__).__init__( 'azure-native:datashare:BlobContainerDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/blob_container_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/blob_container_data_set_mapping.py index 203ae91837a0..e0fd8f003cad 100644 --- a/sdk/python/pulumi_azure_native/datashare/blob_container_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/blob_container_data_set_mapping.py @@ -292,7 +292,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:BlobContainerDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BlobContainerDataSetMapping, __self__).__init__( 'azure-native:datashare:BlobContainerDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/datashare/blob_data_set.py b/sdk/python/pulumi_azure_native/datashare/blob_data_set.py index 3e568eb6769c..05c1b7af431b 100644 --- a/sdk/python/pulumi_azure_native/datashare/blob_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/blob_data_set.py @@ -291,7 +291,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:BlobDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BlobDataSet, __self__).__init__( 'azure-native:datashare:BlobDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/blob_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/blob_data_set_mapping.py index 05931026d04e..e5557949945f 100644 --- a/sdk/python/pulumi_azure_native/datashare/blob_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/blob_data_set_mapping.py @@ -334,7 +334,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:BlobDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BlobDataSetMapping, __self__).__init__( 'azure-native:datashare:BlobDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/datashare/blob_folder_data_set.py b/sdk/python/pulumi_azure_native/datashare/blob_folder_data_set.py index 75e19bac6f55..f3b1e1f863ad 100644 --- a/sdk/python/pulumi_azure_native/datashare/blob_folder_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/blob_folder_data_set.py @@ -291,7 +291,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:BlobFolderDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BlobFolderDataSet, __self__).__init__( 'azure-native:datashare:BlobFolderDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/blob_folder_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/blob_folder_data_set_mapping.py index a5e2d59e74b6..85f2d0400d9d 100644 --- a/sdk/python/pulumi_azure_native/datashare/blob_folder_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/blob_folder_data_set_mapping.py @@ -313,7 +313,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:BlobFolderDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BlobFolderDataSetMapping, __self__).__init__( 'azure-native:datashare:BlobFolderDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/datashare/invitation.py b/sdk/python/pulumi_azure_native/datashare/invitation.py index 9546fbdc5caa..c3b2bfa15541 100644 --- a/sdk/python/pulumi_azure_native/datashare/invitation.py +++ b/sdk/python/pulumi_azure_native/datashare/invitation.py @@ -253,7 +253,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["user_email"] = None __props__.__dict__["user_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:Invitation"), pulumi.Alias(type_="azure-native:datashare/v20191101:Invitation"), pulumi.Alias(type_="azure-native:datashare/v20200901:Invitation"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:Invitation"), pulumi.Alias(type_="azure-native:datashare/v20210801:Invitation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20210801:Invitation"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:Invitation"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:Invitation"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:Invitation"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:Invitation"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:Invitation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Invitation, __self__).__init__( 'azure-native:datashare:Invitation', diff --git a/sdk/python/pulumi_azure_native/datashare/kusto_cluster_data_set.py b/sdk/python/pulumi_azure_native/datashare/kusto_cluster_data_set.py index cfb39c352252..2b55a048efae 100644 --- a/sdk/python/pulumi_azure_native/datashare/kusto_cluster_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/kusto_cluster_data_set.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:KustoClusterDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KustoClusterDataSet, __self__).__init__( 'azure-native:datashare:KustoClusterDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/kusto_cluster_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/kusto_cluster_data_set_mapping.py index c211eef494e8..52dde7bf9e28 100644 --- a/sdk/python/pulumi_azure_native/datashare/kusto_cluster_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/kusto_cluster_data_set_mapping.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:KustoClusterDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KustoClusterDataSetMapping, __self__).__init__( 'azure-native:datashare:KustoClusterDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/datashare/kusto_database_data_set.py b/sdk/python/pulumi_azure_native/datashare/kusto_database_data_set.py index 7a20d34c7f81..c587f28de45e 100644 --- a/sdk/python/pulumi_azure_native/datashare/kusto_database_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/kusto_database_data_set.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:KustoDatabaseDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KustoDatabaseDataSet, __self__).__init__( 'azure-native:datashare:KustoDatabaseDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/kusto_database_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/kusto_database_data_set_mapping.py index ced7cb0b4e03..54603437cd06 100644 --- a/sdk/python/pulumi_azure_native/datashare/kusto_database_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/kusto_database_data_set_mapping.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:KustoDatabaseDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KustoDatabaseDataSetMapping, __self__).__init__( 'azure-native:datashare:KustoDatabaseDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/datashare/kusto_table_data_set.py b/sdk/python/pulumi_azure_native/datashare/kusto_table_data_set.py index 51898495934a..35693540c8a7 100644 --- a/sdk/python/pulumi_azure_native/datashare/kusto_table_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/kusto_table_data_set.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:KustoTableDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KustoTableDataSet, __self__).__init__( 'azure-native:datashare:KustoTableDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/kusto_table_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/kusto_table_data_set_mapping.py index 261adbeb1182..4c0636086ee0 100644 --- a/sdk/python/pulumi_azure_native/datashare/kusto_table_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/kusto_table_data_set_mapping.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:KustoTableDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KustoTableDataSetMapping, __self__).__init__( 'azure-native:datashare:KustoTableDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/datashare/scheduled_synchronization_setting.py b/sdk/python/pulumi_azure_native/datashare/scheduled_synchronization_setting.py index e94186fb8ca9..3ac07139470e 100644 --- a/sdk/python/pulumi_azure_native/datashare/scheduled_synchronization_setting.py +++ b/sdk/python/pulumi_azure_native/datashare/scheduled_synchronization_setting.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["user_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:ScheduledSynchronizationSetting"), pulumi.Alias(type_="azure-native:datashare/v20191101:ScheduledSynchronizationSetting"), pulumi.Alias(type_="azure-native:datashare/v20200901:ScheduledSynchronizationSetting"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ScheduledSynchronizationSetting"), pulumi.Alias(type_="azure-native:datashare/v20210801:ScheduledSynchronizationSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20210801:ScheduledSynchronizationSetting"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:ScheduledSynchronizationSetting"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:ScheduledSynchronizationSetting"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:ScheduledSynchronizationSetting"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:ScheduledSynchronizationSetting"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:ScheduledSynchronizationSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScheduledSynchronizationSetting, __self__).__init__( 'azure-native:datashare:ScheduledSynchronizationSetting', diff --git a/sdk/python/pulumi_azure_native/datashare/scheduled_trigger.py b/sdk/python/pulumi_azure_native/datashare/scheduled_trigger.py index 821cd1ddd631..d0852d9e94c2 100644 --- a/sdk/python/pulumi_azure_native/datashare/scheduled_trigger.py +++ b/sdk/python/pulumi_azure_native/datashare/scheduled_trigger.py @@ -252,7 +252,7 @@ def _internal_init(__self__, __props__.__dict__["trigger_status"] = None __props__.__dict__["type"] = None __props__.__dict__["user_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:ScheduledTrigger"), pulumi.Alias(type_="azure-native:datashare/v20191101:ScheduledTrigger"), pulumi.Alias(type_="azure-native:datashare/v20200901:ScheduledTrigger"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ScheduledTrigger"), pulumi.Alias(type_="azure-native:datashare/v20210801:ScheduledTrigger")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20210801:ScheduledTrigger"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:ScheduledTrigger"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:ScheduledTrigger"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:ScheduledTrigger"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:ScheduledTrigger"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:ScheduledTrigger")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScheduledTrigger, __self__).__init__( 'azure-native:datashare:ScheduledTrigger', diff --git a/sdk/python/pulumi_azure_native/datashare/share.py b/sdk/python/pulumi_azure_native/datashare/share.py index d511c224c161..466862f2aa4a 100644 --- a/sdk/python/pulumi_azure_native/datashare/share.py +++ b/sdk/python/pulumi_azure_native/datashare/share.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["user_email"] = None __props__.__dict__["user_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:Share"), pulumi.Alias(type_="azure-native:datashare/v20191101:Share"), pulumi.Alias(type_="azure-native:datashare/v20200901:Share"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:Share"), pulumi.Alias(type_="azure-native:datashare/v20210801:Share")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20210801:Share"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:Share"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:Share"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:Share"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:Share"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:Share")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Share, __self__).__init__( 'azure-native:datashare:Share', diff --git a/sdk/python/pulumi_azure_native/datashare/share_subscription.py b/sdk/python/pulumi_azure_native/datashare/share_subscription.py index 1dd0b0b02405..01fc4fc89e5b 100644 --- a/sdk/python/pulumi_azure_native/datashare/share_subscription.py +++ b/sdk/python/pulumi_azure_native/datashare/share_subscription.py @@ -214,7 +214,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["user_email"] = None __props__.__dict__["user_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:ShareSubscription"), pulumi.Alias(type_="azure-native:datashare/v20191101:ShareSubscription"), pulumi.Alias(type_="azure-native:datashare/v20200901:ShareSubscription"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ShareSubscription"), pulumi.Alias(type_="azure-native:datashare/v20210801:ShareSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20210801:ShareSubscription"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:ShareSubscription"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:ShareSubscription"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:ShareSubscription"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:ShareSubscription"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:ShareSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ShareSubscription, __self__).__init__( 'azure-native:datashare:ShareSubscription', diff --git a/sdk/python/pulumi_azure_native/datashare/sql_db_table_data_set.py b/sdk/python/pulumi_azure_native/datashare/sql_db_table_data_set.py index 59f30b1df6f1..abdc853625e9 100644 --- a/sdk/python/pulumi_azure_native/datashare/sql_db_table_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/sql_db_table_data_set.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:SqlDBTableDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlDBTableDataSet, __self__).__init__( 'azure-native:datashare:SqlDBTableDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/sql_db_table_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/sql_db_table_data_set_mapping.py index abdf0bb31ceb..6116918278e6 100644 --- a/sdk/python/pulumi_azure_native/datashare/sql_db_table_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/sql_db_table_data_set_mapping.py @@ -292,7 +292,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:SqlDBTableDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlDBTableDataSetMapping, __self__).__init__( 'azure-native:datashare:SqlDBTableDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/datashare/sql_dw_table_data_set.py b/sdk/python/pulumi_azure_native/datashare/sql_dw_table_data_set.py index 96a28855e6d6..e10d5c830e31 100644 --- a/sdk/python/pulumi_azure_native/datashare/sql_dw_table_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/sql_dw_table_data_set.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:SqlDWTableDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlDWTableDataSet, __self__).__init__( 'azure-native:datashare:SqlDWTableDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/sql_dw_table_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/sql_dw_table_data_set_mapping.py index 632b74cf95d8..59aad538f903 100644 --- a/sdk/python/pulumi_azure_native/datashare/sql_dw_table_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/sql_dw_table_data_set_mapping.py @@ -292,7 +292,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:SqlDWTableDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlDWTableDataSetMapping, __self__).__init__( 'azure-native:datashare:SqlDWTableDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/datashare/synapse_workspace_sql_pool_table_data_set.py b/sdk/python/pulumi_azure_native/datashare/synapse_workspace_sql_pool_table_data_set.py index 923805b53cd2..ff79103b915b 100644 --- a/sdk/python/pulumi_azure_native/datashare/synapse_workspace_sql_pool_table_data_set.py +++ b/sdk/python/pulumi_azure_native/datashare/synapse_workspace_sql_pool_table_data_set.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20191101:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20200901:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen1FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSet"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobDataSet"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSet"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSet"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:SynapseWorkspaceSqlPoolTableDataSet"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:SynapseWorkspaceSqlPoolTableDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SynapseWorkspaceSqlPoolTableDataSet, __self__).__init__( 'azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSet', diff --git a/sdk/python/pulumi_azure_native/datashare/synapse_workspace_sql_pool_table_data_set_mapping.py b/sdk/python/pulumi_azure_native/datashare/synapse_workspace_sql_pool_table_data_set_mapping.py index 578826805689..df17d4cbb36a 100644 --- a/sdk/python/pulumi_azure_native/datashare/synapse_workspace_sql_pool_table_data_set_mapping.py +++ b/sdk/python/pulumi_azure_native/datashare/synapse_workspace_sql_pool_table_data_set_mapping.py @@ -229,7 +229,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20181101preview:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20191101:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20200901:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:datashare/v20201001preview:ADLSGen2StorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20201001preview:BlobStorageAccountDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare/v20210801:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FileSystemDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:ADLSGen2FolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobContainerDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:BlobFolderDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoClusterDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoDatabaseDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:KustoTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDBTableDataSetMapping"), pulumi.Alias(type_="azure-native:datashare:SqlDWTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20181101preview:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20191101:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20200901:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20201001preview:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping"), pulumi.Alias(type_="azure-native_datashare_v20210801:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SynapseWorkspaceSqlPoolTableDataSetMapping, __self__).__init__( 'azure-native:datashare:SynapseWorkspaceSqlPoolTableDataSetMapping', diff --git a/sdk/python/pulumi_azure_native/dbformariadb/configuration.py b/sdk/python/pulumi_azure_native/dbformariadb/configuration.py index 2fd140a57214..3b3f115b4836 100644 --- a/sdk/python/pulumi_azure_native/dbformariadb/configuration.py +++ b/sdk/python/pulumi_azure_native/dbformariadb/configuration.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["description"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:Configuration"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601preview:Configuration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:Configuration"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601preview:Configuration"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601:dbformariadb:Configuration"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601preview:dbformariadb:Configuration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Configuration, __self__).__init__( 'azure-native:dbformariadb:Configuration', diff --git a/sdk/python/pulumi_azure_native/dbformariadb/database.py b/sdk/python/pulumi_azure_native/dbformariadb/database.py index 67514553f2de..357cf5d39588 100644 --- a/sdk/python/pulumi_azure_native/dbformariadb/database.py +++ b/sdk/python/pulumi_azure_native/dbformariadb/database.py @@ -178,7 +178,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:Database"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601preview:Database")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:Database"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601preview:Database"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601:dbformariadb:Database"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601preview:dbformariadb:Database")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Database, __self__).__init__( 'azure-native:dbformariadb:Database', diff --git a/sdk/python/pulumi_azure_native/dbformariadb/firewall_rule.py b/sdk/python/pulumi_azure_native/dbformariadb/firewall_rule.py index 7b8cb6d7ba94..98a4e6e5743c 100644 --- a/sdk/python/pulumi_azure_native/dbformariadb/firewall_rule.py +++ b/sdk/python/pulumi_azure_native/dbformariadb/firewall_rule.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:FirewallRule"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601preview:FirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:FirewallRule"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601preview:FirewallRule"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601:dbformariadb:FirewallRule"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601preview:dbformariadb:FirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallRule, __self__).__init__( 'azure-native:dbformariadb:FirewallRule', diff --git a/sdk/python/pulumi_azure_native/dbformariadb/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/dbformariadb/private_endpoint_connection.py index b048dd75afe3..85d5556de3d4 100644 --- a/sdk/python/pulumi_azure_native/dbformariadb/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/dbformariadb/private_endpoint_connection.py @@ -176,7 +176,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601privatepreview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601privatepreview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601:dbformariadb:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601privatepreview:dbformariadb:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:dbformariadb:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/dbformariadb/server.py b/sdk/python/pulumi_azure_native/dbformariadb/server.py index 27067a68ee9b..f31ad420eb99 100644 --- a/sdk/python/pulumi_azure_native/dbformariadb/server.py +++ b/sdk/python/pulumi_azure_native/dbformariadb/server.py @@ -214,7 +214,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["user_visible_state"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:Server"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601preview:Server")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:Server"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601preview:Server"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601:dbformariadb:Server"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601preview:dbformariadb:Server")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Server, __self__).__init__( 'azure-native:dbformariadb:Server', diff --git a/sdk/python/pulumi_azure_native/dbformariadb/virtual_network_rule.py b/sdk/python/pulumi_azure_native/dbformariadb/virtual_network_rule.py index 1dc618494569..36f3b4dcba37 100644 --- a/sdk/python/pulumi_azure_native/dbformariadb/virtual_network_rule.py +++ b/sdk/python/pulumi_azure_native/dbformariadb/virtual_network_rule.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601preview:VirtualNetworkRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformariadb/v20180601:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:dbformariadb/v20180601preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601:dbformariadb:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_dbformariadb_v20180601preview:dbformariadb:VirtualNetworkRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetworkRule, __self__).__init__( 'azure-native:dbformariadb:VirtualNetworkRule', diff --git a/sdk/python/pulumi_azure_native/dbformysql/azure_ad_administrator.py b/sdk/python/pulumi_azure_native/dbformysql/azure_ad_administrator.py index a774ce71d5bf..e9567a5eef71 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/azure_ad_administrator.py +++ b/sdk/python/pulumi_azure_native/dbformysql/azure_ad_administrator.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20211201preview:AzureADAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20220101:AzureADAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20230601preview:AzureADAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:AzureADAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20231230:AzureADAdministrator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20220101:AzureADAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20230601preview:AzureADAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:AzureADAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20231230:AzureADAdministrator"), pulumi.Alias(type_="azure-native_dbformysql_v20211201preview:dbformysql:AzureADAdministrator"), pulumi.Alias(type_="azure-native_dbformysql_v20220101:dbformysql:AzureADAdministrator"), pulumi.Alias(type_="azure-native_dbformysql_v20230601preview:dbformysql:AzureADAdministrator"), pulumi.Alias(type_="azure-native_dbformysql_v20230630:dbformysql:AzureADAdministrator"), pulumi.Alias(type_="azure-native_dbformysql_v20231230:dbformysql:AzureADAdministrator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzureADAdministrator, __self__).__init__( 'azure-native:dbformysql:AzureADAdministrator', diff --git a/sdk/python/pulumi_azure_native/dbformysql/configuration.py b/sdk/python/pulumi_azure_native/dbformysql/configuration.py index c26c80ec0ad3..6835249519b2 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/configuration.py +++ b/sdk/python/pulumi_azure_native/dbformysql/configuration.py @@ -213,7 +213,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20200701preview:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20200701privatepreview:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20210501:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20210501preview:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20211201preview:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20220101:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20230601preview:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20231230:Configuration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20200701privatepreview:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20220101:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20230601preview:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20231230:Configuration"), pulumi.Alias(type_="azure-native_dbformysql_v20200701preview:dbformysql:Configuration"), pulumi.Alias(type_="azure-native_dbformysql_v20200701privatepreview:dbformysql:Configuration"), pulumi.Alias(type_="azure-native_dbformysql_v20210501:dbformysql:Configuration"), pulumi.Alias(type_="azure-native_dbformysql_v20210501preview:dbformysql:Configuration"), pulumi.Alias(type_="azure-native_dbformysql_v20211201preview:dbformysql:Configuration"), pulumi.Alias(type_="azure-native_dbformysql_v20220101:dbformysql:Configuration"), pulumi.Alias(type_="azure-native_dbformysql_v20230601preview:dbformysql:Configuration"), pulumi.Alias(type_="azure-native_dbformysql_v20230630:dbformysql:Configuration"), pulumi.Alias(type_="azure-native_dbformysql_v20231230:dbformysql:Configuration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Configuration, __self__).__init__( 'azure-native:dbformysql:Configuration', diff --git a/sdk/python/pulumi_azure_native/dbformysql/database.py b/sdk/python/pulumi_azure_native/dbformysql/database.py index 660ffeadcffc..407f499148a9 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/database.py +++ b/sdk/python/pulumi_azure_native/dbformysql/database.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20200701preview:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20200701privatepreview:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20210501:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20210501preview:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20211201preview:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20220101:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20230601preview:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20231230:Database")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20220101:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20230601preview:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20231230:Database"), pulumi.Alias(type_="azure-native_dbformysql_v20200701preview:dbformysql:Database"), pulumi.Alias(type_="azure-native_dbformysql_v20200701privatepreview:dbformysql:Database"), pulumi.Alias(type_="azure-native_dbformysql_v20210501:dbformysql:Database"), pulumi.Alias(type_="azure-native_dbformysql_v20210501preview:dbformysql:Database"), pulumi.Alias(type_="azure-native_dbformysql_v20211201preview:dbformysql:Database"), pulumi.Alias(type_="azure-native_dbformysql_v20220101:dbformysql:Database"), pulumi.Alias(type_="azure-native_dbformysql_v20230601preview:dbformysql:Database"), pulumi.Alias(type_="azure-native_dbformysql_v20230630:dbformysql:Database"), pulumi.Alias(type_="azure-native_dbformysql_v20231230:dbformysql:Database")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Database, __self__).__init__( 'azure-native:dbformysql:Database', diff --git a/sdk/python/pulumi_azure_native/dbformysql/firewall_rule.py b/sdk/python/pulumi_azure_native/dbformysql/firewall_rule.py index 822c5e3d6226..52b4a0a6a819 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/firewall_rule.py +++ b/sdk/python/pulumi_azure_native/dbformysql/firewall_rule.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20200701preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20200701privatepreview:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20210501:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20210501preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20211201preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20220101:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20230601preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20231230:FirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20220101:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20230601preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20231230:FirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20200701preview:dbformysql:FirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20200701privatepreview:dbformysql:FirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20210501:dbformysql:FirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20210501preview:dbformysql:FirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20211201preview:dbformysql:FirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20220101:dbformysql:FirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20230601preview:dbformysql:FirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20230630:dbformysql:FirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20231230:dbformysql:FirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallRule, __self__).__init__( 'azure-native:dbformysql:FirewallRule', diff --git a/sdk/python/pulumi_azure_native/dbformysql/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/dbformysql/private_endpoint_connection.py index 874ac5aa34b1..a6f985accf42 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/dbformysql/private_endpoint_connection.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbformysql/v20220930preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20220930preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dbformysql_v20220930preview:dbformysql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dbformysql_v20230630:dbformysql:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:dbformysql:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/dbformysql/server.py b/sdk/python/pulumi_azure_native/dbformysql/server.py index eee968a5f11e..761eb00e8471 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/server.py +++ b/sdk/python/pulumi_azure_native/dbformysql/server.py @@ -509,7 +509,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20200701preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20200701privatepreview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20210501:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20210501preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20211201preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20220101:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20220930preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20230601preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20231001preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20231201preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20231230:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20240201preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20240601preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20241001preview:Server")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20200701preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20200701privatepreview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20220101:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20220930preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20230601preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20230630:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20231001preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20231201preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20231230:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20240201preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20240601preview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20241001preview:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20200701preview:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20200701privatepreview:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20210501:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20210501preview:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20211201preview:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20220101:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20220930preview:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20230601preview:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20230630:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20231001preview:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20231201preview:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20231230:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20240201preview:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20240601preview:dbformysql:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20241001preview:dbformysql:Server")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Server, __self__).__init__( 'azure-native:dbformysql:Server', diff --git a/sdk/python/pulumi_azure_native/dbformysql/single_server.py b/sdk/python/pulumi_azure_native/dbformysql/single_server.py index 086d518aaeab..e173050a0fae 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/single_server.py +++ b/sdk/python/pulumi_azure_native/dbformysql/single_server.py @@ -236,7 +236,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["user_visible_state"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20171201:SingleServer"), pulumi.Alias(type_="azure-native:dbformysql/v20171201preview:SingleServer"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:SingleServer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:Server"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:Server"), pulumi.Alias(type_="azure-native_dbformysql_v20171201:dbformysql:SingleServer"), pulumi.Alias(type_="azure-native_dbformysql_v20171201preview:dbformysql:SingleServer"), pulumi.Alias(type_="azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServer, __self__).__init__( 'azure-native:dbformysql:SingleServer', diff --git a/sdk/python/pulumi_azure_native/dbformysql/single_server_configuration.py b/sdk/python/pulumi_azure_native/dbformysql/single_server_configuration.py index 18db8533bf5c..08f2e155acba 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/single_server_configuration.py +++ b/sdk/python/pulumi_azure_native/dbformysql/single_server_configuration.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["description"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:Configuration"), pulumi.Alias(type_="azure-native:dbformysql/v20171201:SingleServerConfiguration"), pulumi.Alias(type_="azure-native:dbformysql/v20171201preview:SingleServerConfiguration"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:SingleServerConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:Configuration"), pulumi.Alias(type_="azure-native_dbformysql_v20171201:dbformysql:SingleServerConfiguration"), pulumi.Alias(type_="azure-native_dbformysql_v20171201preview:dbformysql:SingleServerConfiguration"), pulumi.Alias(type_="azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServerConfiguration, __self__).__init__( 'azure-native:dbformysql:SingleServerConfiguration', diff --git a/sdk/python/pulumi_azure_native/dbformysql/single_server_database.py b/sdk/python/pulumi_azure_native/dbformysql/single_server_database.py index e7a4aa7d38da..762357d6fe35 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/single_server_database.py +++ b/sdk/python/pulumi_azure_native/dbformysql/single_server_database.py @@ -178,7 +178,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:Database"), pulumi.Alias(type_="azure-native:dbformysql/v20171201:SingleServerDatabase"), pulumi.Alias(type_="azure-native:dbformysql/v20171201preview:SingleServerDatabase"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:SingleServerDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:Database"), pulumi.Alias(type_="azure-native_dbformysql_v20171201:dbformysql:SingleServerDatabase"), pulumi.Alias(type_="azure-native_dbformysql_v20171201preview:dbformysql:SingleServerDatabase"), pulumi.Alias(type_="azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServerDatabase, __self__).__init__( 'azure-native:dbformysql:SingleServerDatabase', diff --git a/sdk/python/pulumi_azure_native/dbformysql/single_server_firewall_rule.py b/sdk/python/pulumi_azure_native/dbformysql/single_server_firewall_rule.py index 9df66d2e058a..d3d6dac31b66 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/single_server_firewall_rule.py +++ b/sdk/python/pulumi_azure_native/dbformysql/single_server_firewall_rule.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:FirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20171201:SingleServerFirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20171201preview:SingleServerFirewallRule"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:SingleServerFirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:FirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20171201:dbformysql:SingleServerFirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20171201preview:dbformysql:SingleServerFirewallRule"), pulumi.Alias(type_="azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerFirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServerFirewallRule, __self__).__init__( 'azure-native:dbformysql:SingleServerFirewallRule', diff --git a/sdk/python/pulumi_azure_native/dbformysql/single_server_server_administrator.py b/sdk/python/pulumi_azure_native/dbformysql/single_server_server_administrator.py index 83f6b0ba26d3..f8bfa14bae2c 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/single_server_server_administrator.py +++ b/sdk/python/pulumi_azure_native/dbformysql/single_server_server_administrator.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:ServerAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20171201:SingleServerServerAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20171201preview:SingleServerServerAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:ServerAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:SingleServerServerAdministrator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:ServerAdministrator"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:ServerAdministrator"), pulumi.Alias(type_="azure-native_dbformysql_v20171201:dbformysql:SingleServerServerAdministrator"), pulumi.Alias(type_="azure-native_dbformysql_v20171201preview:dbformysql:SingleServerServerAdministrator"), pulumi.Alias(type_="azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerServerAdministrator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServerServerAdministrator, __self__).__init__( 'azure-native:dbformysql:SingleServerServerAdministrator', diff --git a/sdk/python/pulumi_azure_native/dbformysql/single_server_virtual_network_rule.py b/sdk/python/pulumi_azure_native/dbformysql/single_server_virtual_network_rule.py index 6f9a6c605008..db210bbec5e4 100644 --- a/sdk/python/pulumi_azure_native/dbformysql/single_server_virtual_network_rule.py +++ b/sdk/python/pulumi_azure_native/dbformysql/single_server_virtual_network_rule.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:SingleServerVirtualNetworkRule"), pulumi.Alias(type_="azure-native:dbformysql/v20171201:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:dbformysql/v20171201preview:SingleServerVirtualNetworkRule"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:SingleServerVirtualNetworkRule"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:VirtualNetworkRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbformysql/v20171201:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:dbformysql/v20180601privatepreview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_dbformysql_v20171201:dbformysql:SingleServerVirtualNetworkRule"), pulumi.Alias(type_="azure-native_dbformysql_v20171201preview:dbformysql:SingleServerVirtualNetworkRule"), pulumi.Alias(type_="azure-native_dbformysql_v20180601privatepreview:dbformysql:SingleServerVirtualNetworkRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServerVirtualNetworkRule, __self__).__init__( 'azure-native:dbformysql:SingleServerVirtualNetworkRule', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/administrator.py b/sdk/python/pulumi_azure_native/dbforpostgresql/administrator.py index be419968cb29..2b8bce428c06 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/administrator.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/administrator.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20220308preview:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221201:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Administrator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20221201:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Administrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Administrator"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Administrator"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20221201:dbforpostgresql:Administrator"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Administrator"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Administrator"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Administrator"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Administrator"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240801:dbforpostgresql:Administrator"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Administrator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Administrator, __self__).__init__( 'azure-native:dbforpostgresql:Administrator', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/backup.py b/sdk/python/pulumi_azure_native/dbforpostgresql/backup.py index f0caa6149590..bc14434725b6 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/backup.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/backup.py @@ -147,7 +147,7 @@ def _internal_init(__self__, __props__.__dict__["source"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Backup"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Backup"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Backup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Backup"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Backup"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Backup"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Backup"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240801:dbforpostgresql:Backup"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Backup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Backup, __self__).__init__( 'azure-native:dbforpostgresql:Backup', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/configuration.py b/sdk/python/pulumi_azure_native/dbforpostgresql/configuration.py index e88890d16b61..527143e4735c 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/configuration.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/configuration.py @@ -193,7 +193,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["unit"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210601:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210601preview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210615privatepreview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20220120preview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20220308preview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221201:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Configuration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20221201:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210601:dbforpostgresql:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20221201:dbforpostgresql:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240801:dbforpostgresql:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Configuration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Configuration, __self__).__init__( 'azure-native:dbforpostgresql:Configuration', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/database.py b/sdk/python/pulumi_azure_native/dbforpostgresql/database.py index af8e359b33fa..5993ba2dab49 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/database.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/database.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20201105preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210601:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210601preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20220120preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20220308preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221201:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Database")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20221201:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20201105preview:dbforpostgresql:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210601:dbforpostgresql:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20221201:dbforpostgresql:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240801:dbforpostgresql:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Database")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Database, __self__).__init__( 'azure-native:dbforpostgresql:Database', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/firewall_rule.py b/sdk/python/pulumi_azure_native/dbforpostgresql/firewall_rule.py index 1677e90e7e89..98cb929c1b74 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/firewall_rule.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/firewall_rule.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20200214preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20200214privatepreview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20201005privatepreview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210410privatepreview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210601:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210601preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210615privatepreview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20220120preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20220308preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221201:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:FirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20221201:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20200214preview:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20200214privatepreview:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210410privatepreview:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210601:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20221201:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240801:dbforpostgresql:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:FirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallRule, __self__).__init__( 'azure-native:dbforpostgresql:FirewallRule', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/migration.py b/sdk/python/pulumi_azure_native/dbforpostgresql/migration.py index 3c5722add232..cb2f86d9b820 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/migration.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/migration.py @@ -611,7 +611,7 @@ def _internal_init(__self__, __props__.__dict__["target_db_server_metadata"] = None __props__.__dict__["target_db_server_resource_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20210615privatepreview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20220501preview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Migration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20210615privatepreview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20220501preview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Migration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Migration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:Migration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20220501preview:dbforpostgresql:Migration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Migration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Migration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Migration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Migration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240801:dbforpostgresql:Migration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Migration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Migration, __self__).__init__( 'azure-native:dbforpostgresql:Migration', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/dbforpostgresql/private_endpoint_connection.py index 63424443b2de..053a56827b98 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/private_endpoint_connection.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20180601privatepreview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240801:dbforpostgresql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:dbforpostgresql:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/server.py b/sdk/python/pulumi_azure_native/dbforpostgresql/server.py index d46d3544524b..34db0f6527b7 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/server.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/server.py @@ -534,7 +534,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20200214preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20200214privatepreview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210410privatepreview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210601:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210601preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210615privatepreview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20220120preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20220308preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221201:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Server")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20200214preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210410privatepreview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20210615privatepreview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20220308preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221201:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230301preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20200214preview:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20200214privatepreview:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210410privatepreview:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210601:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210601preview:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20210615privatepreview:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20220120preview:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20220308preview:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20221201:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230301preview:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240801:dbforpostgresql:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:Server")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Server, __self__).__init__( 'azure-native:dbforpostgresql:Server', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_cluster.py b/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_cluster.py index c432826501d1..30ea4b76fdc1 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_cluster.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_cluster.py @@ -654,7 +654,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20201005privatepreview:ServerGroup"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20201005privatepreview:ServerGroupCluster"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:Cluster"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:ServerGroupCluster"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:Cluster"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:ServerGroupCluster"), pulumi.Alias(type_="azure-native:dbforpostgresql:Cluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20201005privatepreview:ServerGroup"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:Cluster"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:Cluster"), pulumi.Alias(type_="azure-native:dbforpostgresql:Cluster"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20201005privatepreview:dbforpostgresql:ServerGroupCluster"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupCluster"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerGroupCluster, __self__).__init__( 'azure-native:dbforpostgresql:ServerGroupCluster', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_firewall_rule.py b/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_firewall_rule.py index dffd5d59e9d4..45400d966084 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_firewall_rule.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_firewall_rule.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20201005privatepreview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20201005privatepreview:ServerGroupFirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:ServerGroupFirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:ServerGroupFirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20201005privatepreview:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20201005privatepreview:dbforpostgresql:ServerGroupFirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupFirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupFirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerGroupFirewallRule, __self__).__init__( 'azure-native:dbforpostgresql:ServerGroupFirewallRule', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_private_endpoint_connection.py index 9da9217e5b5a..0dd936958025 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_private_endpoint_connection.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:ServerGroupPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:ServerGroupPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:dbforpostgresql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupPrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerGroupPrivateEndpointConnection, __self__).__init__( 'azure-native:dbforpostgresql:ServerGroupPrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_role.py b/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_role.py index fff9ad0ed063..d7e855705a3c 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_role.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/server_group_role.py @@ -232,7 +232,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:Role"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:ServerGroupRole"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:Role"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:ServerGroupRole"), pulumi.Alias(type_="azure-native:dbforpostgresql:Role")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20221108:Role"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20230302preview:Role"), pulumi.Alias(type_="azure-native:dbforpostgresql:Role"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20221108:dbforpostgresql:ServerGroupRole"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230302preview:dbforpostgresql:ServerGroupRole")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerGroupRole, __self__).__init__( 'azure-native:dbforpostgresql:ServerGroupRole', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server.py b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server.py index de6988b4553d..8f1cb4e4b6da 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server.py @@ -236,7 +236,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["user_visible_state"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:SingleServer"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:SingleServer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:Server"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:Server"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServer"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServer, __self__).__init__( 'azure-native:dbforpostgresql:SingleServer', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_configuration.py b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_configuration.py index 5690438799fa..ce86ae2c1df8 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_configuration.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_configuration.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["description"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:Configuration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:SingleServerConfiguration"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:SingleServerConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:Configuration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerConfiguration"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServerConfiguration, __self__).__init__( 'azure-native:dbforpostgresql:SingleServerConfiguration', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_database.py b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_database.py index 384cc620c603..aa374180816a 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_database.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_database.py @@ -178,7 +178,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:Database"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:SingleServerDatabase"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:SingleServerDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:Database"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerDatabase"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServerDatabase, __self__).__init__( 'azure-native:dbforpostgresql:SingleServerDatabase', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_firewall_rule.py b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_firewall_rule.py index 8e2e16c494d1..fe5c47d414d1 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_firewall_rule.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_firewall_rule.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:FirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:SingleServerFirewallRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:SingleServerFirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:FirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerFirewallRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerFirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServerFirewallRule, __self__).__init__( 'azure-native:dbforpostgresql:SingleServerFirewallRule', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_server_administrator.py b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_server_administrator.py index 03a2d18bbee0..10cb0035ff20 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_server_administrator.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_server_administrator.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:ServerAdministrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:SingleServerServerAdministrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:ServerAdministrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:SingleServerServerAdministrator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:ServerAdministrator"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:ServerAdministrator"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerServerAdministrator"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerServerAdministrator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServerServerAdministrator, __self__).__init__( 'azure-native:dbforpostgresql:SingleServerServerAdministrator', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_server_security_alert_policy.py b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_server_security_alert_policy.py index 6ddb9f4fd77e..915c970c7ed6 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_server_security_alert_policy.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_server_security_alert_policy.py @@ -280,7 +280,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:SingleServerServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:SingleServerServerSecurityAlertPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerServerSecurityAlertPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServerServerSecurityAlertPolicy, __self__).__init__( 'azure-native:dbforpostgresql:SingleServerServerSecurityAlertPolicy', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_virtual_network_rule.py b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_virtual_network_rule.py index 403f90e00cce..03d58ea952ba 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_virtual_network_rule.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/single_server_virtual_network_rule.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:SingleServerVirtualNetworkRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:SingleServerVirtualNetworkRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:VirtualNetworkRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20171201preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201:dbforpostgresql:SingleServerVirtualNetworkRule"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20171201preview:dbforpostgresql:SingleServerVirtualNetworkRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SingleServerVirtualNetworkRule, __self__).__init__( 'azure-native:dbforpostgresql:SingleServerVirtualNetworkRule', diff --git a/sdk/python/pulumi_azure_native/dbforpostgresql/virtual_endpoint.py b/sdk/python/pulumi_azure_native/dbforpostgresql/virtual_endpoint.py index 6317e8cea168..e136478f281f 100644 --- a/sdk/python/pulumi_azure_native/dbforpostgresql/virtual_endpoint.py +++ b/sdk/python/pulumi_azure_native/dbforpostgresql/virtual_endpoint.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_endpoints"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:VirtualEndpoint"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:VirtualEndpoint"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:VirtualEndpoint"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:VirtualEndpoint"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:VirtualEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dbforpostgresql/v20230601preview:VirtualEndpoint"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20231201preview:VirtualEndpoint"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240301preview:VirtualEndpoint"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20240801:VirtualEndpoint"), pulumi.Alias(type_="azure-native:dbforpostgresql/v20241101preview:VirtualEndpoint"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20230601preview:dbforpostgresql:VirtualEndpoint"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20231201preview:dbforpostgresql:VirtualEndpoint"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240301preview:dbforpostgresql:VirtualEndpoint"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20240801:dbforpostgresql:VirtualEndpoint"), pulumi.Alias(type_="azure-native_dbforpostgresql_v20241101preview:dbforpostgresql:VirtualEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualEndpoint, __self__).__init__( 'azure-native:dbforpostgresql:VirtualEndpoint', diff --git a/sdk/python/pulumi_azure_native/delegatednetwork/controller_details.py b/sdk/python/pulumi_azure_native/delegatednetwork/controller_details.py index ad3ff0d3f06b..08b0b4ff546d 100644 --- a/sdk/python/pulumi_azure_native/delegatednetwork/controller_details.py +++ b/sdk/python/pulumi_azure_native/delegatednetwork/controller_details.py @@ -191,7 +191,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:delegatednetwork/v20200808preview:ControllerDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20210315:ControllerDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230518preview:ControllerDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230627preview:ControllerDetails")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:delegatednetwork/v20210315:ControllerDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230518preview:ControllerDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230627preview:ControllerDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20200808preview:delegatednetwork:ControllerDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20210315:delegatednetwork:ControllerDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20230518preview:delegatednetwork:ControllerDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20230627preview:delegatednetwork:ControllerDetails")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ControllerDetails, __self__).__init__( 'azure-native:delegatednetwork:ControllerDetails', diff --git a/sdk/python/pulumi_azure_native/delegatednetwork/delegated_subnet_service_details.py b/sdk/python/pulumi_azure_native/delegatednetwork/delegated_subnet_service_details.py index d23fc0476e5b..e7260562ed18 100644 --- a/sdk/python/pulumi_azure_native/delegatednetwork/delegated_subnet_service_details.py +++ b/sdk/python/pulumi_azure_native/delegatednetwork/delegated_subnet_service_details.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:delegatednetwork/v20200808preview:DelegatedSubnetServiceDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20210315:DelegatedSubnetServiceDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230518preview:DelegatedSubnetServiceDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230627preview:DelegatedSubnetServiceDetails")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:delegatednetwork/v20210315:DelegatedSubnetServiceDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230518preview:DelegatedSubnetServiceDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230627preview:DelegatedSubnetServiceDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20200808preview:delegatednetwork:DelegatedSubnetServiceDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20210315:delegatednetwork:DelegatedSubnetServiceDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20230518preview:delegatednetwork:DelegatedSubnetServiceDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20230627preview:delegatednetwork:DelegatedSubnetServiceDetails")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DelegatedSubnetServiceDetails, __self__).__init__( 'azure-native:delegatednetwork:DelegatedSubnetServiceDetails', diff --git a/sdk/python/pulumi_azure_native/delegatednetwork/orchestrator_instance_service_details.py b/sdk/python/pulumi_azure_native/delegatednetwork/orchestrator_instance_service_details.py index a3c8b4ac3d68..b045c34bb4b7 100644 --- a/sdk/python/pulumi_azure_native/delegatednetwork/orchestrator_instance_service_details.py +++ b/sdk/python/pulumi_azure_native/delegatednetwork/orchestrator_instance_service_details.py @@ -328,7 +328,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:delegatednetwork/v20200808preview:OrchestratorInstanceServiceDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20210315:OrchestratorInstanceServiceDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230518preview:OrchestratorInstanceServiceDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230627preview:OrchestratorInstanceServiceDetails")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:delegatednetwork/v20210315:OrchestratorInstanceServiceDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230518preview:OrchestratorInstanceServiceDetails"), pulumi.Alias(type_="azure-native:delegatednetwork/v20230627preview:OrchestratorInstanceServiceDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20200808preview:delegatednetwork:OrchestratorInstanceServiceDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20210315:delegatednetwork:OrchestratorInstanceServiceDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20230518preview:delegatednetwork:OrchestratorInstanceServiceDetails"), pulumi.Alias(type_="azure-native_delegatednetwork_v20230627preview:delegatednetwork:OrchestratorInstanceServiceDetails")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OrchestratorInstanceServiceDetails, __self__).__init__( 'azure-native:delegatednetwork:OrchestratorInstanceServiceDetails', diff --git a/sdk/python/pulumi_azure_native/dependencymap/discovery_source.py b/sdk/python/pulumi_azure_native/dependencymap/discovery_source.py index ef88ab611fff..fdc589770d3b 100644 --- a/sdk/python/pulumi_azure_native/dependencymap/discovery_source.py +++ b/sdk/python/pulumi_azure_native/dependencymap/discovery_source.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dependencymap/v20250131preview:DiscoverySource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_dependencymap_v20250131preview:dependencymap:DiscoverySource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DiscoverySource, __self__).__init__( 'azure-native:dependencymap:DiscoverySource', diff --git a/sdk/python/pulumi_azure_native/dependencymap/map.py b/sdk/python/pulumi_azure_native/dependencymap/map.py index 3fedac64490f..54ae67082130 100644 --- a/sdk/python/pulumi_azure_native/dependencymap/map.py +++ b/sdk/python/pulumi_azure_native/dependencymap/map.py @@ -160,7 +160,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dependencymap/v20250131preview:Map")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_dependencymap_v20250131preview:dependencymap:Map")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Map, __self__).__init__( 'azure-native:dependencymap:Map', diff --git a/sdk/python/pulumi_azure_native/desktopvirtualization/app_attach_package.py b/sdk/python/pulumi_azure_native/desktopvirtualization/app_attach_package.py index 843aea148632..8d10ea815cf7 100644 --- a/sdk/python/pulumi_azure_native/desktopvirtualization/app_attach_package.py +++ b/sdk/python/pulumi_azure_native/desktopvirtualization/app_attach_package.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20241101preview:AppAttachPackage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:AppAttachPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:AppAttachPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:AppAttachPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:AppAttachPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:AppAttachPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:AppAttachPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240403:desktopvirtualization:AppAttachPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:AppAttachPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:AppAttachPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:AppAttachPackage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AppAttachPackage, __self__).__init__( 'azure-native:desktopvirtualization:AppAttachPackage', diff --git a/sdk/python/pulumi_azure_native/desktopvirtualization/application.py b/sdk/python/pulumi_azure_native/desktopvirtualization/application.py index dee8193c42c5..1335c05c1cda 100644 --- a/sdk/python/pulumi_azure_native/desktopvirtualization/application.py +++ b/sdk/python/pulumi_azure_native/desktopvirtualization/application.py @@ -369,7 +369,7 @@ def _internal_init(__self__, __props__.__dict__["object_id"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20190123preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20190924preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20191210preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20200921preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201019preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201102preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201110preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210114preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210201preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210309preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210401preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210712:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210903preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220210preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220401preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20241101preview:Application")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:Application"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210712:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220909:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20230905:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240403:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:Application"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:Application")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Application, __self__).__init__( 'azure-native:desktopvirtualization:Application', diff --git a/sdk/python/pulumi_azure_native/desktopvirtualization/application_group.py b/sdk/python/pulumi_azure_native/desktopvirtualization/application_group.py index f75824291159..a8aa7841dda8 100644 --- a/sdk/python/pulumi_azure_native/desktopvirtualization/application_group.py +++ b/sdk/python/pulumi_azure_native/desktopvirtualization/application_group.py @@ -356,7 +356,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["workspace_arm_path"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20190123preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20190924preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20191210preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20200921preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201019preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201102preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201110preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210114preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210201preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210309preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210401preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210712:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210903preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220210preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220401preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20241101preview:ApplicationGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20220401preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210712:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220909:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20230905:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240403:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ApplicationGroup"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ApplicationGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationGroup, __self__).__init__( 'azure-native:desktopvirtualization:ApplicationGroup', diff --git a/sdk/python/pulumi_azure_native/desktopvirtualization/host_pool.py b/sdk/python/pulumi_azure_native/desktopvirtualization/host_pool.py index e50a4aee5ce2..b9f9b9688b81 100644 --- a/sdk/python/pulumi_azure_native/desktopvirtualization/host_pool.py +++ b/sdk/python/pulumi_azure_native/desktopvirtualization/host_pool.py @@ -639,7 +639,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint_connections"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20190123preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20190924preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20191210preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20200921preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201019preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201102preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201110preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210114preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210201preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210309preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210401preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210712:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210903preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220210preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220401preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20241101preview:HostPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20220401preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:HostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210712:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220909:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20230905:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240403:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:HostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:HostPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HostPool, __self__).__init__( 'azure-native:desktopvirtualization:HostPool', diff --git a/sdk/python/pulumi_azure_native/desktopvirtualization/msix_package.py b/sdk/python/pulumi_azure_native/desktopvirtualization/msix_package.py index 71690f16bdc0..62fb2d994e68 100644 --- a/sdk/python/pulumi_azure_native/desktopvirtualization/msix_package.py +++ b/sdk/python/pulumi_azure_native/desktopvirtualization/msix_package.py @@ -365,7 +365,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20200921preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201019preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201102preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201110preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210114preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210201preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210309preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210401preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210712:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210903preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220210preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220401preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20241101preview:MSIXPackage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:MSIXPackage"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210712:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220909:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20230905:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240403:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:MSIXPackage"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:MSIXPackage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MSIXPackage, __self__).__init__( 'azure-native:desktopvirtualization:MSIXPackage', diff --git a/sdk/python/pulumi_azure_native/desktopvirtualization/private_endpoint_connection_by_host_pool.py b/sdk/python/pulumi_azure_native/desktopvirtualization/private_endpoint_connection_by_host_pool.py index 9f20ebdfd821..963a46e1a72d 100644 --- a/sdk/python/pulumi_azure_native/desktopvirtualization/private_endpoint_connection_by_host_pool.py +++ b/sdk/python/pulumi_azure_native/desktopvirtualization/private_endpoint_connection_by_host_pool.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20210401preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210903preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220210preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220401preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20241101preview:PrivateEndpointConnectionByHostPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20230905:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240403:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:PrivateEndpointConnectionByHostPool"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:PrivateEndpointConnectionByHostPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionByHostPool, __self__).__init__( 'azure-native:desktopvirtualization:PrivateEndpointConnectionByHostPool', diff --git a/sdk/python/pulumi_azure_native/desktopvirtualization/private_endpoint_connection_by_workspace.py b/sdk/python/pulumi_azure_native/desktopvirtualization/private_endpoint_connection_by_workspace.py index d6fb541b4103..2cb84c232968 100644 --- a/sdk/python/pulumi_azure_native/desktopvirtualization/private_endpoint_connection_by_workspace.py +++ b/sdk/python/pulumi_azure_native/desktopvirtualization/private_endpoint_connection_by_workspace.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20210401preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210903preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220210preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220401preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20241101preview:PrivateEndpointConnectionByWorkspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20230905:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240403:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:PrivateEndpointConnectionByWorkspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionByWorkspace, __self__).__init__( 'azure-native:desktopvirtualization:PrivateEndpointConnectionByWorkspace', diff --git a/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan.py b/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan.py index 23451a5830cb..af1192a6e279 100644 --- a/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan.py +++ b/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan.py @@ -397,7 +397,7 @@ def _internal_init(__self__, __props__.__dict__["object_id"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20201110preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210114preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210201preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210309preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210401preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210712:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210903preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220210preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220401preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20241101preview:ScalingPlan")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20210201preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220210preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:ScalingPlan"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210712:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220909:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlan"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlan")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScalingPlan, __self__).__init__( 'azure-native:desktopvirtualization:ScalingPlan', diff --git a/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan_personal_schedule.py b/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan_personal_schedule.py index a54f1de6231e..af20619386e4 100644 --- a/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan_personal_schedule.py +++ b/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan_personal_schedule.py @@ -682,7 +682,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20241101preview:ScalingPlanPersonalSchedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlanPersonalSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlanPersonalSchedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScalingPlanPersonalSchedule, __self__).__init__( 'azure-native:desktopvirtualization:ScalingPlanPersonalSchedule', diff --git a/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan_pooled_schedule.py b/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan_pooled_schedule.py index c8187161b17e..4b3dba815752 100644 --- a/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan_pooled_schedule.py +++ b/sdk/python/pulumi_azure_native/desktopvirtualization/scaling_plan_pooled_schedule.py @@ -486,7 +486,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20220401preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20241101preview:ScalingPlanPooledSchedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220909:desktopvirtualization:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20230905:desktopvirtualization:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240403:desktopvirtualization:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:ScalingPlanPooledSchedule"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:ScalingPlanPooledSchedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScalingPlanPooledSchedule, __self__).__init__( 'azure-native:desktopvirtualization:ScalingPlanPooledSchedule', diff --git a/sdk/python/pulumi_azure_native/desktopvirtualization/workspace.py b/sdk/python/pulumi_azure_native/desktopvirtualization/workspace.py index eeb95b55af48..082e260c8a21 100644 --- a/sdk/python/pulumi_azure_native/desktopvirtualization/workspace.py +++ b/sdk/python/pulumi_azure_native/desktopvirtualization/workspace.py @@ -334,7 +334,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint_connections"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20190123preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20190924preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20191210preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20200921preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201019preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201102preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20201110preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210114preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210201preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210309preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210401preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210712:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20210903preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220210preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220401preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20241101preview:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:desktopvirtualization/v20220909:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20221014preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230707preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20230905:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231004preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20231101preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240116preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240306preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240403:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240408preview:Workspace"), pulumi.Alias(type_="azure-native:desktopvirtualization/v20240808preview:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20190123preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20190924preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20191210preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20200921preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201019preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201102preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20201110preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210114preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210201preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210309preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210401preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210712:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20210903preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220210preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220401preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20220909:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20221014preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20230905:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231004preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20231101preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240116preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240306preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240403:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240408preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20240808preview:desktopvirtualization:Workspace"), pulumi.Alias(type_="azure-native_desktopvirtualization_v20241101preview:desktopvirtualization:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:desktopvirtualization:Workspace', diff --git a/sdk/python/pulumi_azure_native/devcenter/attached_network_by_dev_center.py b/sdk/python/pulumi_azure_native/devcenter/attached_network_by_dev_center.py index c56ab25c53de..dba02be835e7 100644 --- a/sdk/python/pulumi_azure_native/devcenter/attached_network_by_dev_center.py +++ b/sdk/python/pulumi_azure_native/devcenter/attached_network_by_dev_center.py @@ -169,7 +169,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20220801preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20220901preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20221012preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20221111preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20230101preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20230401:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240201:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20250201:AttachedNetworkByDevCenter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20230401:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240201:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20220801preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20220901preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20221012preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20221111preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20230101preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20230401:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20230801preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20231001preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:AttachedNetworkByDevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:AttachedNetworkByDevCenter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AttachedNetworkByDevCenter, __self__).__init__( 'azure-native:devcenter:AttachedNetworkByDevCenter', diff --git a/sdk/python/pulumi_azure_native/devcenter/catalog.py b/sdk/python/pulumi_azure_native/devcenter/catalog.py index 02cebf01589b..2dba53caf018 100644 --- a/sdk/python/pulumi_azure_native/devcenter/catalog.py +++ b/sdk/python/pulumi_azure_native/devcenter/catalog.py @@ -232,7 +232,7 @@ def _internal_init(__self__, __props__.__dict__["sync_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20220801preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20220901preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20221012preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20221111preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20230101preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20230401:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20240201:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20250201:Catalog")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20230401:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20240201:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Catalog"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20220801preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20220901preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20221012preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20221111preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20230101preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20230401:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20230801preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20231001preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:Catalog"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:Catalog")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Catalog, __self__).__init__( 'azure-native:devcenter:Catalog', diff --git a/sdk/python/pulumi_azure_native/devcenter/curation_profile.py b/sdk/python/pulumi_azure_native/devcenter/curation_profile.py index e5ab0addc04f..24371aea0d1d 100644 --- a/sdk/python/pulumi_azure_native/devcenter/curation_profile.py +++ b/sdk/python/pulumi_azure_native/devcenter/curation_profile.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20240801preview:CurationProfile"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:CurationProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20240801preview:CurationProfile"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:CurationProfile"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:CurationProfile"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:CurationProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CurationProfile, __self__).__init__( 'azure-native:devcenter:CurationProfile', diff --git a/sdk/python/pulumi_azure_native/devcenter/dev_box_definition.py b/sdk/python/pulumi_azure_native/devcenter/dev_box_definition.py index 8c5ba6acb856..f9d1da244167 100644 --- a/sdk/python/pulumi_azure_native/devcenter/dev_box_definition.py +++ b/sdk/python/pulumi_azure_native/devcenter/dev_box_definition.py @@ -273,7 +273,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["validation_status"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20220801preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20220901preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20221012preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20221111preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20230101preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20230401:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20240201:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20250201:DevBoxDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20221111preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20230401:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20240201:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20220801preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20220901preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20221012preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20221111preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20230101preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20230401:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20230801preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20231001preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:DevBoxDefinition"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:DevBoxDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DevBoxDefinition, __self__).__init__( 'azure-native:devcenter:DevBoxDefinition', diff --git a/sdk/python/pulumi_azure_native/devcenter/dev_center.py b/sdk/python/pulumi_azure_native/devcenter/dev_center.py index f2bc72135d7c..6a137e249103 100644 --- a/sdk/python/pulumi_azure_native/devcenter/dev_center.py +++ b/sdk/python/pulumi_azure_native/devcenter/dev_center.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20220801preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20220901preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20221012preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20221111preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20230101preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20230401:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240201:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20250201:DevCenter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20230401:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240201:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:DevCenter"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20220801preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20220901preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20221012preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20221111preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20230101preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20230401:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20230801preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20231001preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:DevCenter"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:DevCenter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DevCenter, __self__).__init__( 'azure-native:devcenter:DevCenter', diff --git a/sdk/python/pulumi_azure_native/devcenter/encryption_set.py b/sdk/python/pulumi_azure_native/devcenter/encryption_set.py index 78cc2e16622e..46153e429351 100644 --- a/sdk/python/pulumi_azure_native/devcenter/encryption_set.py +++ b/sdk/python/pulumi_azure_native/devcenter/encryption_set.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20240501preview:EncryptionSet"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:EncryptionSet"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:EncryptionSet"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:EncryptionSet"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:EncryptionSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20240501preview:EncryptionSet"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:EncryptionSet"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:EncryptionSet"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:EncryptionSet"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:EncryptionSet"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:EncryptionSet"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:EncryptionSet"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:EncryptionSet"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:EncryptionSet"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:EncryptionSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EncryptionSet, __self__).__init__( 'azure-native:devcenter:EncryptionSet', diff --git a/sdk/python/pulumi_azure_native/devcenter/environment_type.py b/sdk/python/pulumi_azure_native/devcenter/environment_type.py index 5742ab4be6ce..cf16b35b504e 100644 --- a/sdk/python/pulumi_azure_native/devcenter/environment_type.py +++ b/sdk/python/pulumi_azure_native/devcenter/environment_type.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20220801preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20220901preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20221012preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20221111preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20230101preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20230401:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240201:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20250201:EnvironmentType")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20230401:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240201:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:EnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20220801preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20220901preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20221012preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20221111preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20230101preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20230401:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20230801preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20231001preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:EnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:EnvironmentType")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EnvironmentType, __self__).__init__( 'azure-native:devcenter:EnvironmentType', diff --git a/sdk/python/pulumi_azure_native/devcenter/gallery.py b/sdk/python/pulumi_azure_native/devcenter/gallery.py index 1df89c861ce1..997b71b34a0e 100644 --- a/sdk/python/pulumi_azure_native/devcenter/gallery.py +++ b/sdk/python/pulumi_azure_native/devcenter/gallery.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20220801preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20220901preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20221012preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20221111preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20230101preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20230401:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20240201:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20250201:Gallery")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20230401:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20240201:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Gallery"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20220801preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20220901preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20221012preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20221111preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20230101preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20230401:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20230801preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20231001preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:Gallery"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:Gallery")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Gallery, __self__).__init__( 'azure-native:devcenter:Gallery', diff --git a/sdk/python/pulumi_azure_native/devcenter/network_connection.py b/sdk/python/pulumi_azure_native/devcenter/network_connection.py index 4c4cb3813f4a..ffb57a4fc991 100644 --- a/sdk/python/pulumi_azure_native/devcenter/network_connection.py +++ b/sdk/python/pulumi_azure_native/devcenter/network_connection.py @@ -308,7 +308,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20220801preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20220901preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20221012preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20221111preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20230101preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20230401:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20240201:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20250201:NetworkConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20230401:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20240201:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:NetworkConnection"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20220801preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20220901preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20221012preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20221111preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20230101preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20230401:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20230801preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20231001preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:NetworkConnection"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:NetworkConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkConnection, __self__).__init__( 'azure-native:devcenter:NetworkConnection', diff --git a/sdk/python/pulumi_azure_native/devcenter/plan.py b/sdk/python/pulumi_azure_native/devcenter/plan.py index 8448b68c0d39..5ba708cfb3a2 100644 --- a/sdk/python/pulumi_azure_native/devcenter/plan.py +++ b/sdk/python/pulumi_azure_native/devcenter/plan.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Plan"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Plan"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Plan"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Plan"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Plan")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Plan"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Plan"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Plan"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Plan"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Plan"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:Plan"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:Plan"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:Plan"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:Plan"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:Plan")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Plan, __self__).__init__( 'azure-native:devcenter:Plan', diff --git a/sdk/python/pulumi_azure_native/devcenter/plan_member.py b/sdk/python/pulumi_azure_native/devcenter/plan_member.py index 95fe49eb4789..23475ddd2cbe 100644 --- a/sdk/python/pulumi_azure_native/devcenter/plan_member.py +++ b/sdk/python/pulumi_azure_native/devcenter/plan_member.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["sync_status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20240501preview:PlanMember"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:PlanMember"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:PlanMember"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:PlanMember"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:PlanMember")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20240501preview:PlanMember"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:PlanMember"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:PlanMember"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:PlanMember"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:PlanMember"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:PlanMember"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:PlanMember"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:PlanMember"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:PlanMember"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:PlanMember")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PlanMember, __self__).__init__( 'azure-native:devcenter:PlanMember', diff --git a/sdk/python/pulumi_azure_native/devcenter/pool.py b/sdk/python/pulumi_azure_native/devcenter/pool.py index 5c8f2f196844..fc9d66616ada 100644 --- a/sdk/python/pulumi_azure_native/devcenter/pool.py +++ b/sdk/python/pulumi_azure_native/devcenter/pool.py @@ -374,7 +374,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20220801preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20220901preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20221012preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20221111preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20230101preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20230401:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20240201:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20250201:Pool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20230401:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20240201:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Pool"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20220801preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20220901preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20221012preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20221111preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20230101preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20230401:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20230801preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20231001preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:Pool"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:Pool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Pool, __self__).__init__( 'azure-native:devcenter:Pool', diff --git a/sdk/python/pulumi_azure_native/devcenter/project.py b/sdk/python/pulumi_azure_native/devcenter/project.py index 61358df1e4ce..48742626b732 100644 --- a/sdk/python/pulumi_azure_native/devcenter/project.py +++ b/sdk/python/pulumi_azure_native/devcenter/project.py @@ -287,7 +287,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20220801preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20220901preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20221012preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20221111preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20230101preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20230401:Project"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20240201:Project"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20250201:Project")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20230401:Project"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20240201:Project"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Project"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Project"), pulumi.Alias(type_="azure-native_devcenter_v20220801preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20220901preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20221012preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20221111preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20230101preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20230401:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20230801preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20231001preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:Project"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:Project")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Project, __self__).__init__( 'azure-native:devcenter:Project', diff --git a/sdk/python/pulumi_azure_native/devcenter/project_catalog.py b/sdk/python/pulumi_azure_native/devcenter/project_catalog.py index 105bc46187d9..b8b98aeeb2d4 100644 --- a/sdk/python/pulumi_azure_native/devcenter/project_catalog.py +++ b/sdk/python/pulumi_azure_native/devcenter/project_catalog.py @@ -232,7 +232,7 @@ def _internal_init(__self__, __props__.__dict__["sync_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20240201:ProjectCatalog"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:ProjectCatalog"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:ProjectCatalog"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:ProjectCatalog"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:ProjectCatalog"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:ProjectCatalog"), pulumi.Alias(type_="azure-native:devcenter/v20250201:ProjectCatalog")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20240201:ProjectCatalog"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:ProjectCatalog"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:ProjectCatalog"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:ProjectCatalog"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:ProjectCatalog"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:ProjectCatalog"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:ProjectCatalog"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:ProjectCatalog"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:ProjectCatalog"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:ProjectCatalog"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:ProjectCatalog"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:ProjectCatalog"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:ProjectCatalog")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProjectCatalog, __self__).__init__( 'azure-native:devcenter:ProjectCatalog', diff --git a/sdk/python/pulumi_azure_native/devcenter/project_environment_type.py b/sdk/python/pulumi_azure_native/devcenter/project_environment_type.py index 80eb76f44cda..0cc261090a9b 100644 --- a/sdk/python/pulumi_azure_native/devcenter/project_environment_type.py +++ b/sdk/python/pulumi_azure_native/devcenter/project_environment_type.py @@ -308,7 +308,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20220801preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20220901preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20221012preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20221111preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20230101preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20230401:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240201:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20250201:ProjectEnvironmentType")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20230401:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240201:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20220801preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20220901preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20221012preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20221111preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20230101preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20230401:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20230801preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20231001preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:ProjectEnvironmentType"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:ProjectEnvironmentType")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProjectEnvironmentType, __self__).__init__( 'azure-native:devcenter:ProjectEnvironmentType', diff --git a/sdk/python/pulumi_azure_native/devcenter/project_policy.py b/sdk/python/pulumi_azure_native/devcenter/project_policy.py index 4f305cdbe953..d7ac7e7669c7 100644 --- a/sdk/python/pulumi_azure_native/devcenter/project_policy.py +++ b/sdk/python/pulumi_azure_native/devcenter/project_policy.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20241001preview:ProjectPolicy"), pulumi.Alias(type_="azure-native:devcenter/v20250201:ProjectPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20241001preview:ProjectPolicy"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:ProjectPolicy"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:ProjectPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProjectPolicy, __self__).__init__( 'azure-native:devcenter:ProjectPolicy', diff --git a/sdk/python/pulumi_azure_native/devcenter/schedule.py b/sdk/python/pulumi_azure_native/devcenter/schedule.py index 4452ee877091..6336ec2a2962 100644 --- a/sdk/python/pulumi_azure_native/devcenter/schedule.py +++ b/sdk/python/pulumi_azure_native/devcenter/schedule.py @@ -330,7 +330,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20220801preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20220901preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20221012preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20221111preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20230101preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20230401:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20240201:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20250201:Schedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devcenter/v20230401:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20230801preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20231001preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20240201:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20240501preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20240601preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20240701preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20240801preview:Schedule"), pulumi.Alias(type_="azure-native:devcenter/v20241001preview:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20220801preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20220901preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20221012preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20221111preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20230101preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20230401:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20230801preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20231001preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20240201:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20240501preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20240601preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20240701preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20240801preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20241001preview:devcenter:Schedule"), pulumi.Alias(type_="azure-native_devcenter_v20250201:devcenter:Schedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Schedule, __self__).__init__( 'azure-native:devcenter:Schedule', diff --git a/sdk/python/pulumi_azure_native/devhub/iac_profile.py b/sdk/python/pulumi_azure_native/devhub/iac_profile.py index 37e7298463c8..cf460d8ef5e3 100644 --- a/sdk/python/pulumi_azure_native/devhub/iac_profile.py +++ b/sdk/python/pulumi_azure_native/devhub/iac_profile.py @@ -359,7 +359,7 @@ def _internal_init(__self__, __props__.__dict__["pull_number"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devhub/v20240501preview:IacProfile"), pulumi.Alias(type_="azure-native:devhub/v20240801preview:IacProfile"), pulumi.Alias(type_="azure-native:devhub/v20250301preview:IacProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devhub/v20240501preview:IacProfile"), pulumi.Alias(type_="azure-native:devhub/v20240801preview:IacProfile"), pulumi.Alias(type_="azure-native_devhub_v20240501preview:devhub:IacProfile"), pulumi.Alias(type_="azure-native_devhub_v20240801preview:devhub:IacProfile"), pulumi.Alias(type_="azure-native_devhub_v20250301preview:devhub:IacProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IacProfile, __self__).__init__( 'azure-native:devhub:IacProfile', diff --git a/sdk/python/pulumi_azure_native/devhub/workflow.py b/sdk/python/pulumi_azure_native/devhub/workflow.py index c211510cb6b4..548a65ce4fd3 100644 --- a/sdk/python/pulumi_azure_native/devhub/workflow.py +++ b/sdk/python/pulumi_azure_native/devhub/workflow.py @@ -445,7 +445,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devhub/v20220401preview:Workflow"), pulumi.Alias(type_="azure-native:devhub/v20221011preview:Workflow"), pulumi.Alias(type_="azure-native:devhub/v20230801:Workflow"), pulumi.Alias(type_="azure-native:devhub/v20240501preview:Workflow"), pulumi.Alias(type_="azure-native:devhub/v20240801preview:Workflow"), pulumi.Alias(type_="azure-native:devhub/v20250301preview:Workflow")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devhub/v20221011preview:Workflow"), pulumi.Alias(type_="azure-native:devhub/v20230801:Workflow"), pulumi.Alias(type_="azure-native:devhub/v20240501preview:Workflow"), pulumi.Alias(type_="azure-native:devhub/v20240801preview:Workflow"), pulumi.Alias(type_="azure-native_devhub_v20220401preview:devhub:Workflow"), pulumi.Alias(type_="azure-native_devhub_v20221011preview:devhub:Workflow"), pulumi.Alias(type_="azure-native_devhub_v20230801:devhub:Workflow"), pulumi.Alias(type_="azure-native_devhub_v20240501preview:devhub:Workflow"), pulumi.Alias(type_="azure-native_devhub_v20240801preview:devhub:Workflow"), pulumi.Alias(type_="azure-native_devhub_v20250301preview:devhub:Workflow")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workflow, __self__).__init__( 'azure-native:devhub:Workflow', diff --git a/sdk/python/pulumi_azure_native/deviceprovisioningservices/dps_certificate.py b/sdk/python/pulumi_azure_native/deviceprovisioningservices/dps_certificate.py index cdb893268f2d..93e8ce586b87 100644 --- a/sdk/python/pulumi_azure_native/deviceprovisioningservices/dps_certificate.py +++ b/sdk/python/pulumi_azure_native/deviceprovisioningservices/dps_certificate.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20170821preview:DpsCertificate"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20171115:DpsCertificate"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20180122:DpsCertificate"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20200101:DpsCertificate"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20200301:DpsCertificate"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20200901preview:DpsCertificate"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20211015:DpsCertificate"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20220205:DpsCertificate"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20221212:DpsCertificate"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20230301preview:DpsCertificate"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20250201preview:DpsCertificate"), pulumi.Alias(type_="azure-native:devices/v20211015:DpsCertificate"), pulumi.Alias(type_="azure-native:devices/v20221212:DpsCertificate"), pulumi.Alias(type_="azure-native:devices/v20230301preview:DpsCertificate"), pulumi.Alias(type_="azure-native:devices/v20250201preview:DpsCertificate"), pulumi.Alias(type_="azure-native:devices:DpsCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devices/v20211015:DpsCertificate"), pulumi.Alias(type_="azure-native:devices/v20221212:DpsCertificate"), pulumi.Alias(type_="azure-native:devices/v20230301preview:DpsCertificate"), pulumi.Alias(type_="azure-native:devices/v20250201preview:DpsCertificate"), pulumi.Alias(type_="azure-native:devices:DpsCertificate"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20170821preview:deviceprovisioningservices:DpsCertificate"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20171115:deviceprovisioningservices:DpsCertificate"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20180122:deviceprovisioningservices:DpsCertificate"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20200101:deviceprovisioningservices:DpsCertificate"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:DpsCertificate"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:DpsCertificate"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:DpsCertificate"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:DpsCertificate"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:DpsCertificate"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:DpsCertificate"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:DpsCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DpsCertificate, __self__).__init__( 'azure-native:deviceprovisioningservices:DpsCertificate', diff --git a/sdk/python/pulumi_azure_native/deviceprovisioningservices/iot_dps_resource.py b/sdk/python/pulumi_azure_native/deviceprovisioningservices/iot_dps_resource.py index d2e525552313..8cfaf501bfb5 100644 --- a/sdk/python/pulumi_azure_native/deviceprovisioningservices/iot_dps_resource.py +++ b/sdk/python/pulumi_azure_native/deviceprovisioningservices/iot_dps_resource.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20170821preview:IotDpsResource"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20171115:IotDpsResource"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20180122:IotDpsResource"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20200101:IotDpsResource"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20200301:IotDpsResource"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20200901preview:IotDpsResource"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20211015:IotDpsResource"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20220205:IotDpsResource"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20221212:IotDpsResource"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20230301preview:IotDpsResource"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20250201preview:IotDpsResource"), pulumi.Alias(type_="azure-native:devices/v20200901preview:IotDpsResource"), pulumi.Alias(type_="azure-native:devices/v20221212:IotDpsResource"), pulumi.Alias(type_="azure-native:devices/v20230301preview:IotDpsResource"), pulumi.Alias(type_="azure-native:devices/v20250201preview:IotDpsResource"), pulumi.Alias(type_="azure-native:devices:IotDpsResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devices/v20200901preview:IotDpsResource"), pulumi.Alias(type_="azure-native:devices/v20221212:IotDpsResource"), pulumi.Alias(type_="azure-native:devices/v20230301preview:IotDpsResource"), pulumi.Alias(type_="azure-native:devices/v20250201preview:IotDpsResource"), pulumi.Alias(type_="azure-native:devices:IotDpsResource"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20170821preview:deviceprovisioningservices:IotDpsResource"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20171115:deviceprovisioningservices:IotDpsResource"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20180122:deviceprovisioningservices:IotDpsResource"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20200101:deviceprovisioningservices:IotDpsResource"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:IotDpsResource"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:IotDpsResource"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:IotDpsResource"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:IotDpsResource"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:IotDpsResource"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:IotDpsResource"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:IotDpsResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IotDpsResource, __self__).__init__( 'azure-native:deviceprovisioningservices:IotDpsResource', diff --git a/sdk/python/pulumi_azure_native/deviceprovisioningservices/iot_dps_resource_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/deviceprovisioningservices/iot_dps_resource_private_endpoint_connection.py index 3b27f8411e73..39af7f714a86 100644 --- a/sdk/python/pulumi_azure_native/deviceprovisioningservices/iot_dps_resource_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/deviceprovisioningservices/iot_dps_resource_private_endpoint_connection.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20200301:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20200901preview:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20211015:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20220205:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20221212:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20230301preview:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:deviceprovisioningservices/v20250201preview:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices/v20221212:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices/v20230301preview:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices/v20250201preview:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices:IotDpsResourcePrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devices/v20221212:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices/v20230301preview:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices/v20250201preview:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20200301:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20200901preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20211015:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20220205:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20221212:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20230301preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceprovisioningservices_v20250201preview:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IotDpsResourcePrivateEndpointConnection, __self__).__init__( 'azure-native:deviceprovisioningservices:IotDpsResourcePrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/deviceregistry/asset.py b/sdk/python/pulumi_azure_native/deviceregistry/asset.py index 3e50245854b3..b7a47f58dc28 100644 --- a/sdk/python/pulumi_azure_native/deviceregistry/asset.py +++ b/sdk/python/pulumi_azure_native/deviceregistry/asset.py @@ -591,7 +591,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20231101preview:Asset"), pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:Asset"), pulumi.Alias(type_="azure-native:deviceregistry/v20241101:Asset")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20231101preview:Asset"), pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:Asset"), pulumi.Alias(type_="azure-native:deviceregistry/v20241101:Asset"), pulumi.Alias(type_="azure-native_deviceregistry_v20231101preview:deviceregistry:Asset"), pulumi.Alias(type_="azure-native_deviceregistry_v20240901preview:deviceregistry:Asset"), pulumi.Alias(type_="azure-native_deviceregistry_v20241101:deviceregistry:Asset")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Asset, __self__).__init__( 'azure-native:deviceregistry:Asset', diff --git a/sdk/python/pulumi_azure_native/deviceregistry/asset_endpoint_profile.py b/sdk/python/pulumi_azure_native/deviceregistry/asset_endpoint_profile.py index e915170c54ce..fe04aaa502d8 100644 --- a/sdk/python/pulumi_azure_native/deviceregistry/asset_endpoint_profile.py +++ b/sdk/python/pulumi_azure_native/deviceregistry/asset_endpoint_profile.py @@ -291,7 +291,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20231101preview:AssetEndpointProfile"), pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:AssetEndpointProfile"), pulumi.Alias(type_="azure-native:deviceregistry/v20241101:AssetEndpointProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20231101preview:AssetEndpointProfile"), pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:AssetEndpointProfile"), pulumi.Alias(type_="azure-native:deviceregistry/v20241101:AssetEndpointProfile"), pulumi.Alias(type_="azure-native_deviceregistry_v20231101preview:deviceregistry:AssetEndpointProfile"), pulumi.Alias(type_="azure-native_deviceregistry_v20240901preview:deviceregistry:AssetEndpointProfile"), pulumi.Alias(type_="azure-native_deviceregistry_v20241101:deviceregistry:AssetEndpointProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AssetEndpointProfile, __self__).__init__( 'azure-native:deviceregistry:AssetEndpointProfile', diff --git a/sdk/python/pulumi_azure_native/deviceregistry/discovered_asset.py b/sdk/python/pulumi_azure_native/deviceregistry/discovered_asset.py index d9741232ce1e..635f4eb3c6fc 100644 --- a/sdk/python/pulumi_azure_native/deviceregistry/discovered_asset.py +++ b/sdk/python/pulumi_azure_native/deviceregistry/discovered_asset.py @@ -506,7 +506,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:DiscoveredAsset")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:DiscoveredAsset"), pulumi.Alias(type_="azure-native_deviceregistry_v20240901preview:deviceregistry:DiscoveredAsset")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DiscoveredAsset, __self__).__init__( 'azure-native:deviceregistry:DiscoveredAsset', diff --git a/sdk/python/pulumi_azure_native/deviceregistry/discovered_asset_endpoint_profile.py b/sdk/python/pulumi_azure_native/deviceregistry/discovered_asset_endpoint_profile.py index fcfc7ae92c19..31b59c9fd9a2 100644 --- a/sdk/python/pulumi_azure_native/deviceregistry/discovered_asset_endpoint_profile.py +++ b/sdk/python/pulumi_azure_native/deviceregistry/discovered_asset_endpoint_profile.py @@ -307,7 +307,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:DiscoveredAssetEndpointProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:DiscoveredAssetEndpointProfile"), pulumi.Alias(type_="azure-native_deviceregistry_v20240901preview:deviceregistry:DiscoveredAssetEndpointProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DiscoveredAssetEndpointProfile, __self__).__init__( 'azure-native:deviceregistry:DiscoveredAssetEndpointProfile', diff --git a/sdk/python/pulumi_azure_native/deviceregistry/schema.py b/sdk/python/pulumi_azure_native/deviceregistry/schema.py index 4b7b34dbc320..86aa879e6b73 100644 --- a/sdk/python/pulumi_azure_native/deviceregistry/schema.py +++ b/sdk/python/pulumi_azure_native/deviceregistry/schema.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:Schema")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:Schema"), pulumi.Alias(type_="azure-native_deviceregistry_v20240901preview:deviceregistry:Schema")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Schema, __self__).__init__( 'azure-native:deviceregistry:Schema', diff --git a/sdk/python/pulumi_azure_native/deviceregistry/schema_registry.py b/sdk/python/pulumi_azure_native/deviceregistry/schema_registry.py index 4add9efcfca3..46f4e55a9f94 100644 --- a/sdk/python/pulumi_azure_native/deviceregistry/schema_registry.py +++ b/sdk/python/pulumi_azure_native/deviceregistry/schema_registry.py @@ -265,7 +265,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:SchemaRegistry")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:SchemaRegistry"), pulumi.Alias(type_="azure-native_deviceregistry_v20240901preview:deviceregistry:SchemaRegistry")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SchemaRegistry, __self__).__init__( 'azure-native:deviceregistry:SchemaRegistry', diff --git a/sdk/python/pulumi_azure_native/deviceregistry/schema_version.py b/sdk/python/pulumi_azure_native/deviceregistry/schema_version.py index 3dda974a3e77..52a23797e2b5 100644 --- a/sdk/python/pulumi_azure_native/deviceregistry/schema_version.py +++ b/sdk/python/pulumi_azure_native/deviceregistry/schema_version.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:SchemaVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceregistry/v20240901preview:SchemaVersion"), pulumi.Alias(type_="azure-native_deviceregistry_v20240901preview:deviceregistry:SchemaVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SchemaVersion, __self__).__init__( 'azure-native:deviceregistry:SchemaVersion', diff --git a/sdk/python/pulumi_azure_native/deviceupdate/account.py b/sdk/python/pulumi_azure_native/deviceupdate/account.py index 91e632adc616..7cc98bfa8018 100644 --- a/sdk/python/pulumi_azure_native/deviceupdate/account.py +++ b/sdk/python/pulumi_azure_native/deviceupdate/account.py @@ -275,7 +275,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceupdate/v20200301preview:Account"), pulumi.Alias(type_="azure-native:deviceupdate/v20220401preview:Account"), pulumi.Alias(type_="azure-native:deviceupdate/v20221001:Account"), pulumi.Alias(type_="azure-native:deviceupdate/v20221201preview:Account"), pulumi.Alias(type_="azure-native:deviceupdate/v20230701:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceupdate/v20230701:Account"), pulumi.Alias(type_="azure-native_deviceupdate_v20200301preview:deviceupdate:Account"), pulumi.Alias(type_="azure-native_deviceupdate_v20220401preview:deviceupdate:Account"), pulumi.Alias(type_="azure-native_deviceupdate_v20221001:deviceupdate:Account"), pulumi.Alias(type_="azure-native_deviceupdate_v20221201preview:deviceupdate:Account"), pulumi.Alias(type_="azure-native_deviceupdate_v20230701:deviceupdate:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:deviceupdate:Account', diff --git a/sdk/python/pulumi_azure_native/deviceupdate/instance.py b/sdk/python/pulumi_azure_native/deviceupdate/instance.py index 4b8f788cabf6..c7ceee498c9c 100644 --- a/sdk/python/pulumi_azure_native/deviceupdate/instance.py +++ b/sdk/python/pulumi_azure_native/deviceupdate/instance.py @@ -243,7 +243,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceupdate/v20200301preview:Instance"), pulumi.Alias(type_="azure-native:deviceupdate/v20220401preview:Instance"), pulumi.Alias(type_="azure-native:deviceupdate/v20221001:Instance"), pulumi.Alias(type_="azure-native:deviceupdate/v20221201preview:Instance"), pulumi.Alias(type_="azure-native:deviceupdate/v20230701:Instance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceupdate/v20230701:Instance"), pulumi.Alias(type_="azure-native_deviceupdate_v20200301preview:deviceupdate:Instance"), pulumi.Alias(type_="azure-native_deviceupdate_v20220401preview:deviceupdate:Instance"), pulumi.Alias(type_="azure-native_deviceupdate_v20221001:deviceupdate:Instance"), pulumi.Alias(type_="azure-native_deviceupdate_v20221201preview:deviceupdate:Instance"), pulumi.Alias(type_="azure-native_deviceupdate_v20230701:deviceupdate:Instance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Instance, __self__).__init__( 'azure-native:deviceupdate:Instance', diff --git a/sdk/python/pulumi_azure_native/deviceupdate/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/deviceupdate/private_endpoint_connection.py index 16dbba02fdb7..6e23efb8a510 100644 --- a/sdk/python/pulumi_azure_native/deviceupdate/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/deviceupdate/private_endpoint_connection.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceupdate/v20200301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:deviceupdate/v20220401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:deviceupdate/v20221001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:deviceupdate/v20221201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:deviceupdate/v20230701:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceupdate/v20230701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceupdate_v20200301preview:deviceupdate:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceupdate_v20220401preview:deviceupdate:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceupdate_v20221001:deviceupdate:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceupdate_v20221201preview:deviceupdate:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_deviceupdate_v20230701:deviceupdate:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:deviceupdate:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/deviceupdate/private_endpoint_connection_proxy.py b/sdk/python/pulumi_azure_native/deviceupdate/private_endpoint_connection_proxy.py index 18bd0ae535e4..4cf4cad7e569 100644 --- a/sdk/python/pulumi_azure_native/deviceupdate/private_endpoint_connection_proxy.py +++ b/sdk/python/pulumi_azure_native/deviceupdate/private_endpoint_connection_proxy.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceupdate/v20200301preview:PrivateEndpointConnectionProxy"), pulumi.Alias(type_="azure-native:deviceupdate/v20220401preview:PrivateEndpointConnectionProxy"), pulumi.Alias(type_="azure-native:deviceupdate/v20221001:PrivateEndpointConnectionProxy"), pulumi.Alias(type_="azure-native:deviceupdate/v20221201preview:PrivateEndpointConnectionProxy"), pulumi.Alias(type_="azure-native:deviceupdate/v20230701:PrivateEndpointConnectionProxy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:deviceupdate/v20230701:PrivateEndpointConnectionProxy"), pulumi.Alias(type_="azure-native_deviceupdate_v20200301preview:deviceupdate:PrivateEndpointConnectionProxy"), pulumi.Alias(type_="azure-native_deviceupdate_v20220401preview:deviceupdate:PrivateEndpointConnectionProxy"), pulumi.Alias(type_="azure-native_deviceupdate_v20221001:deviceupdate:PrivateEndpointConnectionProxy"), pulumi.Alias(type_="azure-native_deviceupdate_v20221201preview:deviceupdate:PrivateEndpointConnectionProxy"), pulumi.Alias(type_="azure-native_deviceupdate_v20230701:deviceupdate:PrivateEndpointConnectionProxy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionProxy, __self__).__init__( 'azure-native:deviceupdate:PrivateEndpointConnectionProxy', diff --git a/sdk/python/pulumi_azure_native/devopsinfrastructure/pool.py b/sdk/python/pulumi_azure_native/devopsinfrastructure/pool.py index 64a0e9249612..080dcf3531e6 100644 --- a/sdk/python/pulumi_azure_native/devopsinfrastructure/pool.py +++ b/sdk/python/pulumi_azure_native/devopsinfrastructure/pool.py @@ -310,7 +310,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devopsinfrastructure/v20231030preview:Pool"), pulumi.Alias(type_="azure-native:devopsinfrastructure/v20231213preview:Pool"), pulumi.Alias(type_="azure-native:devopsinfrastructure/v20240326preview:Pool"), pulumi.Alias(type_="azure-native:devopsinfrastructure/v20240404preview:Pool"), pulumi.Alias(type_="azure-native:devopsinfrastructure/v20241019:Pool"), pulumi.Alias(type_="azure-native:devopsinfrastructure/v20250121:Pool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devopsinfrastructure/v20231030preview:Pool"), pulumi.Alias(type_="azure-native:devopsinfrastructure/v20231213preview:Pool"), pulumi.Alias(type_="azure-native:devopsinfrastructure/v20240326preview:Pool"), pulumi.Alias(type_="azure-native:devopsinfrastructure/v20240404preview:Pool"), pulumi.Alias(type_="azure-native:devopsinfrastructure/v20241019:Pool"), pulumi.Alias(type_="azure-native:devopsinfrastructure/v20250121:Pool"), pulumi.Alias(type_="azure-native_devopsinfrastructure_v20231030preview:devopsinfrastructure:Pool"), pulumi.Alias(type_="azure-native_devopsinfrastructure_v20231213preview:devopsinfrastructure:Pool"), pulumi.Alias(type_="azure-native_devopsinfrastructure_v20240326preview:devopsinfrastructure:Pool"), pulumi.Alias(type_="azure-native_devopsinfrastructure_v20240404preview:devopsinfrastructure:Pool"), pulumi.Alias(type_="azure-native_devopsinfrastructure_v20241019:devopsinfrastructure:Pool"), pulumi.Alias(type_="azure-native_devopsinfrastructure_v20250121:devopsinfrastructure:Pool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Pool, __self__).__init__( 'azure-native:devopsinfrastructure:Pool', diff --git a/sdk/python/pulumi_azure_native/devspaces/controller.py b/sdk/python/pulumi_azure_native/devspaces/controller.py index e505ea776fab..d8fd60cbc075 100644 --- a/sdk/python/pulumi_azure_native/devspaces/controller.py +++ b/sdk/python/pulumi_azure_native/devspaces/controller.py @@ -222,7 +222,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["target_container_host_api_server_fqdn"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devspaces/v20190401:Controller")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devspaces/v20190401:Controller"), pulumi.Alias(type_="azure-native_devspaces_v20190401:devspaces:Controller")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Controller, __self__).__init__( 'azure-native:devspaces:Controller', diff --git a/sdk/python/pulumi_azure_native/devtestlab/artifact_source.py b/sdk/python/pulumi_azure_native/devtestlab/artifact_source.py index 26c5aa2ca847..99ae8c9cfd32 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/artifact_source.py +++ b/sdk/python/pulumi_azure_native/devtestlab/artifact_source.py @@ -341,7 +341,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20150521preview:ArtifactSource"), pulumi.Alias(type_="azure-native:devtestlab/v20160515:ArtifactSource"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:ArtifactSource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:ArtifactSource"), pulumi.Alias(type_="azure-native_devtestlab_v20150521preview:devtestlab:ArtifactSource"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:ArtifactSource"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:ArtifactSource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ArtifactSource, __self__).__init__( 'azure-native:devtestlab:ArtifactSource', diff --git a/sdk/python/pulumi_azure_native/devtestlab/custom_image.py b/sdk/python/pulumi_azure_native/devtestlab/custom_image.py index e477623ab022..41c8b3633a9b 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/custom_image.py +++ b/sdk/python/pulumi_azure_native/devtestlab/custom_image.py @@ -363,7 +363,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20150521preview:CustomImage"), pulumi.Alias(type_="azure-native:devtestlab/v20160515:CustomImage"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:CustomImage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:CustomImage"), pulumi.Alias(type_="azure-native_devtestlab_v20150521preview:devtestlab:CustomImage"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:CustomImage"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:CustomImage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomImage, __self__).__init__( 'azure-native:devtestlab:CustomImage', diff --git a/sdk/python/pulumi_azure_native/devtestlab/disk.py b/sdk/python/pulumi_azure_native/devtestlab/disk.py index 684c586079f9..692fa06bb812 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/disk.py +++ b/sdk/python/pulumi_azure_native/devtestlab/disk.py @@ -362,7 +362,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20160515:Disk"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:Disk")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:Disk"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:Disk"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:Disk")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Disk, __self__).__init__( 'azure-native:devtestlab:Disk', diff --git a/sdk/python/pulumi_azure_native/devtestlab/environment.py b/sdk/python/pulumi_azure_native/devtestlab/environment.py index 5f3dd7f2a852..b6df120062f9 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/environment.py +++ b/sdk/python/pulumi_azure_native/devtestlab/environment.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_id"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20160515:Environment"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:Environment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:Environment"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:Environment"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:Environment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Environment, __self__).__init__( 'azure-native:devtestlab:Environment', diff --git a/sdk/python/pulumi_azure_native/devtestlab/formula.py b/sdk/python/pulumi_azure_native/devtestlab/formula.py index 72b4d5d53fb3..21d87bb611fc 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/formula.py +++ b/sdk/python/pulumi_azure_native/devtestlab/formula.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20150521preview:Formula"), pulumi.Alias(type_="azure-native:devtestlab/v20160515:Formula"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:Formula")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:Formula"), pulumi.Alias(type_="azure-native_devtestlab_v20150521preview:devtestlab:Formula"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:Formula"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:Formula")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Formula, __self__).__init__( 'azure-native:devtestlab:Formula', diff --git a/sdk/python/pulumi_azure_native/devtestlab/global_schedule.py b/sdk/python/pulumi_azure_native/devtestlab/global_schedule.py index 32b97ed8fb24..6823de46718e 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/global_schedule.py +++ b/sdk/python/pulumi_azure_native/devtestlab/global_schedule.py @@ -326,7 +326,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20160515:GlobalSchedule"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:GlobalSchedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:GlobalSchedule"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:GlobalSchedule"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:GlobalSchedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GlobalSchedule, __self__).__init__( 'azure-native:devtestlab:GlobalSchedule', diff --git a/sdk/python/pulumi_azure_native/devtestlab/lab.py b/sdk/python/pulumi_azure_native/devtestlab/lab.py index 0b7de5822c77..eeb2d3f8509a 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/lab.py +++ b/sdk/python/pulumi_azure_native/devtestlab/lab.py @@ -341,7 +341,7 @@ def _internal_init(__self__, __props__.__dict__["unique_identifier"] = None __props__.__dict__["vault_name"] = None __props__.__dict__["vm_creation_resource_group"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20150521preview:Lab"), pulumi.Alias(type_="azure-native:devtestlab/v20160515:Lab"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:Lab")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:Lab"), pulumi.Alias(type_="azure-native_devtestlab_v20150521preview:devtestlab:Lab"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:Lab"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:Lab")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Lab, __self__).__init__( 'azure-native:devtestlab:Lab', diff --git a/sdk/python/pulumi_azure_native/devtestlab/notification_channel.py b/sdk/python/pulumi_azure_native/devtestlab/notification_channel.py index 48456382ba8b..449dd8aa0809 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/notification_channel.py +++ b/sdk/python/pulumi_azure_native/devtestlab/notification_channel.py @@ -283,7 +283,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20160515:NotificationChannel"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:NotificationChannel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:NotificationChannel"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:NotificationChannel"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:NotificationChannel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NotificationChannel, __self__).__init__( 'azure-native:devtestlab:NotificationChannel', diff --git a/sdk/python/pulumi_azure_native/devtestlab/policy.py b/sdk/python/pulumi_azure_native/devtestlab/policy.py index 3f76f4cec14f..2961918efa60 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/policy.py +++ b/sdk/python/pulumi_azure_native/devtestlab/policy.py @@ -322,7 +322,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20150521preview:Policy"), pulumi.Alias(type_="azure-native:devtestlab/v20160515:Policy"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:Policy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:Policy"), pulumi.Alias(type_="azure-native_devtestlab_v20150521preview:devtestlab:Policy"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:Policy"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:Policy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Policy, __self__).__init__( 'azure-native:devtestlab:Policy', diff --git a/sdk/python/pulumi_azure_native/devtestlab/schedule.py b/sdk/python/pulumi_azure_native/devtestlab/schedule.py index c29f586bb94b..3dc57e50c55c 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/schedule.py +++ b/sdk/python/pulumi_azure_native/devtestlab/schedule.py @@ -347,7 +347,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20150521preview:Schedule"), pulumi.Alias(type_="azure-native:devtestlab/v20160515:Schedule"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:Schedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:Schedule"), pulumi.Alias(type_="azure-native_devtestlab_v20150521preview:devtestlab:Schedule"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:Schedule"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:Schedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Schedule, __self__).__init__( 'azure-native:devtestlab:Schedule', diff --git a/sdk/python/pulumi_azure_native/devtestlab/secret.py b/sdk/python/pulumi_azure_native/devtestlab/secret.py index 3418dda6931c..8d18e0bab659 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/secret.py +++ b/sdk/python/pulumi_azure_native/devtestlab/secret.py @@ -220,7 +220,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20160515:Secret"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:Secret")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:Secret"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:Secret"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:Secret")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Secret, __self__).__init__( 'azure-native:devtestlab:Secret', diff --git a/sdk/python/pulumi_azure_native/devtestlab/service_fabric.py b/sdk/python/pulumi_azure_native/devtestlab/service_fabric.py index af44f71e27ea..79c1515ff523 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/service_fabric.py +++ b/sdk/python/pulumi_azure_native/devtestlab/service_fabric.py @@ -242,7 +242,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:ServiceFabric")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:ServiceFabric"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:ServiceFabric")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServiceFabric, __self__).__init__( 'azure-native:devtestlab:ServiceFabric', diff --git a/sdk/python/pulumi_azure_native/devtestlab/service_fabric_schedule.py b/sdk/python/pulumi_azure_native/devtestlab/service_fabric_schedule.py index d963d22a8482..090759684780 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/service_fabric_schedule.py +++ b/sdk/python/pulumi_azure_native/devtestlab/service_fabric_schedule.py @@ -389,7 +389,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:ServiceFabricSchedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:ServiceFabricSchedule"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:ServiceFabricSchedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServiceFabricSchedule, __self__).__init__( 'azure-native:devtestlab:ServiceFabricSchedule', diff --git a/sdk/python/pulumi_azure_native/devtestlab/service_runner.py b/sdk/python/pulumi_azure_native/devtestlab/service_runner.py index f7b5c6de8246..08b2d3064573 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/service_runner.py +++ b/sdk/python/pulumi_azure_native/devtestlab/service_runner.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["tags"] = tags __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20160515:ServiceRunner"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:ServiceRunner")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:ServiceRunner"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:ServiceRunner"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:ServiceRunner")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServiceRunner, __self__).__init__( 'azure-native:devtestlab:ServiceRunner', diff --git a/sdk/python/pulumi_azure_native/devtestlab/user.py b/sdk/python/pulumi_azure_native/devtestlab/user.py index 10915770384b..bc117a8d5ea4 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/user.py +++ b/sdk/python/pulumi_azure_native/devtestlab/user.py @@ -222,7 +222,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20160515:User"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:User")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:User"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:User"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:User")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(User, __self__).__init__( 'azure-native:devtestlab:User', diff --git a/sdk/python/pulumi_azure_native/devtestlab/virtual_machine.py b/sdk/python/pulumi_azure_native/devtestlab/virtual_machine.py index c4073a49e974..1570eb00f7c3 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/virtual_machine.py +++ b/sdk/python/pulumi_azure_native/devtestlab/virtual_machine.py @@ -668,7 +668,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None __props__.__dict__["virtual_machine_creation_source"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20150521preview:VirtualMachine"), pulumi.Alias(type_="azure-native:devtestlab/v20160515:VirtualMachine"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:VirtualMachine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:VirtualMachine"), pulumi.Alias(type_="azure-native_devtestlab_v20150521preview:devtestlab:VirtualMachine"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:VirtualMachine"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:VirtualMachine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachine, __self__).__init__( 'azure-native:devtestlab:VirtualMachine', diff --git a/sdk/python/pulumi_azure_native/devtestlab/virtual_machine_schedule.py b/sdk/python/pulumi_azure_native/devtestlab/virtual_machine_schedule.py index d27870ef2e33..a4618dee2eef 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/virtual_machine_schedule.py +++ b/sdk/python/pulumi_azure_native/devtestlab/virtual_machine_schedule.py @@ -368,7 +368,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20160515:VirtualMachineSchedule"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:VirtualMachineSchedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:VirtualMachineSchedule"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:VirtualMachineSchedule"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:VirtualMachineSchedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineSchedule, __self__).__init__( 'azure-native:devtestlab:VirtualMachineSchedule', diff --git a/sdk/python/pulumi_azure_native/devtestlab/virtual_network.py b/sdk/python/pulumi_azure_native/devtestlab/virtual_network.py index d2116378a625..fd4edeecac3a 100644 --- a/sdk/python/pulumi_azure_native/devtestlab/virtual_network.py +++ b/sdk/python/pulumi_azure_native/devtestlab/virtual_network.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_identifier"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20150521preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:devtestlab/v20160515:VirtualNetwork"), pulumi.Alias(type_="azure-native:devtestlab/v20180915:VirtualNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devtestlab/v20180915:VirtualNetwork"), pulumi.Alias(type_="azure-native_devtestlab_v20150521preview:devtestlab:VirtualNetwork"), pulumi.Alias(type_="azure-native_devtestlab_v20160515:devtestlab:VirtualNetwork"), pulumi.Alias(type_="azure-native_devtestlab_v20180915:devtestlab:VirtualNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetwork, __self__).__init__( 'azure-native:devtestlab:VirtualNetwork', diff --git a/sdk/python/pulumi_azure_native/digitaltwins/digital_twin.py b/sdk/python/pulumi_azure_native/digitaltwins/digital_twin.py index b8dde1fb1f51..fadc1de853c5 100644 --- a/sdk/python/pulumi_azure_native/digitaltwins/digital_twin.py +++ b/sdk/python/pulumi_azure_native/digitaltwins/digital_twin.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:digitaltwins/v20200301preview:DigitalTwin"), pulumi.Alias(type_="azure-native:digitaltwins/v20201031:DigitalTwin"), pulumi.Alias(type_="azure-native:digitaltwins/v20201201:DigitalTwin"), pulumi.Alias(type_="azure-native:digitaltwins/v20210630preview:DigitalTwin"), pulumi.Alias(type_="azure-native:digitaltwins/v20220531:DigitalTwin"), pulumi.Alias(type_="azure-native:digitaltwins/v20221031:DigitalTwin"), pulumi.Alias(type_="azure-native:digitaltwins/v20230131:DigitalTwin")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:digitaltwins/v20230131:DigitalTwin"), pulumi.Alias(type_="azure-native_digitaltwins_v20200301preview:digitaltwins:DigitalTwin"), pulumi.Alias(type_="azure-native_digitaltwins_v20201031:digitaltwins:DigitalTwin"), pulumi.Alias(type_="azure-native_digitaltwins_v20201201:digitaltwins:DigitalTwin"), pulumi.Alias(type_="azure-native_digitaltwins_v20210630preview:digitaltwins:DigitalTwin"), pulumi.Alias(type_="azure-native_digitaltwins_v20220531:digitaltwins:DigitalTwin"), pulumi.Alias(type_="azure-native_digitaltwins_v20221031:digitaltwins:DigitalTwin"), pulumi.Alias(type_="azure-native_digitaltwins_v20230131:digitaltwins:DigitalTwin")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DigitalTwin, __self__).__init__( 'azure-native:digitaltwins:DigitalTwin', diff --git a/sdk/python/pulumi_azure_native/digitaltwins/digital_twins_endpoint.py b/sdk/python/pulumi_azure_native/digitaltwins/digital_twins_endpoint.py index dac48db29549..70c53e967214 100644 --- a/sdk/python/pulumi_azure_native/digitaltwins/digital_twins_endpoint.py +++ b/sdk/python/pulumi_azure_native/digitaltwins/digital_twins_endpoint.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:digitaltwins/v20200301preview:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native:digitaltwins/v20201031:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native:digitaltwins/v20201201:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native:digitaltwins/v20210630preview:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native:digitaltwins/v20220531:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native:digitaltwins/v20221031:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native:digitaltwins/v20230131:DigitalTwinsEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:digitaltwins/v20230131:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native_digitaltwins_v20200301preview:digitaltwins:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native_digitaltwins_v20201031:digitaltwins:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native_digitaltwins_v20201201:digitaltwins:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native_digitaltwins_v20210630preview:digitaltwins:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native_digitaltwins_v20220531:digitaltwins:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native_digitaltwins_v20221031:digitaltwins:DigitalTwinsEndpoint"), pulumi.Alias(type_="azure-native_digitaltwins_v20230131:digitaltwins:DigitalTwinsEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DigitalTwinsEndpoint, __self__).__init__( 'azure-native:digitaltwins:DigitalTwinsEndpoint', diff --git a/sdk/python/pulumi_azure_native/digitaltwins/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/digitaltwins/private_endpoint_connection.py index c02f9ab734ad..8541b439256e 100644 --- a/sdk/python/pulumi_azure_native/digitaltwins/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/digitaltwins/private_endpoint_connection.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:digitaltwins/v20201201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:digitaltwins/v20210630preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:digitaltwins/v20220531:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:digitaltwins/v20221031:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:digitaltwins/v20230131:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:digitaltwins/v20201201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:digitaltwins/v20230131:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_digitaltwins_v20201201:digitaltwins:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_digitaltwins_v20210630preview:digitaltwins:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_digitaltwins_v20220531:digitaltwins:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_digitaltwins_v20221031:digitaltwins:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_digitaltwins_v20230131:digitaltwins:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:digitaltwins:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/digitaltwins/time_series_database_connection.py b/sdk/python/pulumi_azure_native/digitaltwins/time_series_database_connection.py index d372d8c76eb6..12be12a1ba6c 100644 --- a/sdk/python/pulumi_azure_native/digitaltwins/time_series_database_connection.py +++ b/sdk/python/pulumi_azure_native/digitaltwins/time_series_database_connection.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:digitaltwins/v20210630preview:TimeSeriesDatabaseConnection"), pulumi.Alias(type_="azure-native:digitaltwins/v20220531:TimeSeriesDatabaseConnection"), pulumi.Alias(type_="azure-native:digitaltwins/v20221031:TimeSeriesDatabaseConnection"), pulumi.Alias(type_="azure-native:digitaltwins/v20230131:TimeSeriesDatabaseConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:digitaltwins/v20230131:TimeSeriesDatabaseConnection"), pulumi.Alias(type_="azure-native_digitaltwins_v20210630preview:digitaltwins:TimeSeriesDatabaseConnection"), pulumi.Alias(type_="azure-native_digitaltwins_v20220531:digitaltwins:TimeSeriesDatabaseConnection"), pulumi.Alias(type_="azure-native_digitaltwins_v20221031:digitaltwins:TimeSeriesDatabaseConnection"), pulumi.Alias(type_="azure-native_digitaltwins_v20230131:digitaltwins:TimeSeriesDatabaseConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TimeSeriesDatabaseConnection, __self__).__init__( 'azure-native:digitaltwins:TimeSeriesDatabaseConnection', diff --git a/sdk/python/pulumi_azure_native/dns/dnssec_config.py b/sdk/python/pulumi_azure_native/dns/dnssec_config.py index ba68247fdec1..69e3f762d53f 100644 --- a/sdk/python/pulumi_azure_native/dns/dnssec_config.py +++ b/sdk/python/pulumi_azure_native/dns/dnssec_config.py @@ -123,7 +123,7 @@ def _internal_init(__self__, __props__.__dict__["signing_keys"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dns/v20230701preview:DnssecConfig"), pulumi.Alias(type_="azure-native:network/v20230701preview:DnssecConfig"), pulumi.Alias(type_="azure-native:network:DnssecConfig")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230701preview:DnssecConfig"), pulumi.Alias(type_="azure-native:network:DnssecConfig"), pulumi.Alias(type_="azure-native_dns_v20230701preview:dns:DnssecConfig")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DnssecConfig, __self__).__init__( 'azure-native:dns:DnssecConfig', diff --git a/sdk/python/pulumi_azure_native/dns/record_set.py b/sdk/python/pulumi_azure_native/dns/record_set.py index 5bd9c8075232..d442c1e33078 100644 --- a/sdk/python/pulumi_azure_native/dns/record_set.py +++ b/sdk/python/pulumi_azure_native/dns/record_set.py @@ -508,7 +508,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dns/v20150504preview:RecordSet"), pulumi.Alias(type_="azure-native:dns/v20160401:RecordSet"), pulumi.Alias(type_="azure-native:dns/v20170901:RecordSet"), pulumi.Alias(type_="azure-native:dns/v20171001:RecordSet"), pulumi.Alias(type_="azure-native:dns/v20180301preview:RecordSet"), pulumi.Alias(type_="azure-native:dns/v20180501:RecordSet"), pulumi.Alias(type_="azure-native:dns/v20230701preview:RecordSet"), pulumi.Alias(type_="azure-native:network/v20180501:RecordSet"), pulumi.Alias(type_="azure-native:network/v20230701preview:RecordSet"), pulumi.Alias(type_="azure-native:network:RecordSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180501:RecordSet"), pulumi.Alias(type_="azure-native:network/v20230701preview:RecordSet"), pulumi.Alias(type_="azure-native:network:RecordSet"), pulumi.Alias(type_="azure-native_dns_v20150504preview:dns:RecordSet"), pulumi.Alias(type_="azure-native_dns_v20160401:dns:RecordSet"), pulumi.Alias(type_="azure-native_dns_v20170901:dns:RecordSet"), pulumi.Alias(type_="azure-native_dns_v20171001:dns:RecordSet"), pulumi.Alias(type_="azure-native_dns_v20180301preview:dns:RecordSet"), pulumi.Alias(type_="azure-native_dns_v20180501:dns:RecordSet"), pulumi.Alias(type_="azure-native_dns_v20230701preview:dns:RecordSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RecordSet, __self__).__init__( 'azure-native:dns:RecordSet', diff --git a/sdk/python/pulumi_azure_native/dns/zone.py b/sdk/python/pulumi_azure_native/dns/zone.py index f8ea8814594b..5192671f7722 100644 --- a/sdk/python/pulumi_azure_native/dns/zone.py +++ b/sdk/python/pulumi_azure_native/dns/zone.py @@ -235,7 +235,7 @@ def _internal_init(__self__, __props__.__dict__["signing_keys"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dns/v20150504preview:Zone"), pulumi.Alias(type_="azure-native:dns/v20160401:Zone"), pulumi.Alias(type_="azure-native:dns/v20170901:Zone"), pulumi.Alias(type_="azure-native:dns/v20171001:Zone"), pulumi.Alias(type_="azure-native:dns/v20180301preview:Zone"), pulumi.Alias(type_="azure-native:dns/v20180501:Zone"), pulumi.Alias(type_="azure-native:dns/v20230701preview:Zone"), pulumi.Alias(type_="azure-native:network/v20180501:Zone"), pulumi.Alias(type_="azure-native:network/v20230701preview:Zone"), pulumi.Alias(type_="azure-native:network:Zone")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180501:Zone"), pulumi.Alias(type_="azure-native:network/v20230701preview:Zone"), pulumi.Alias(type_="azure-native:network:Zone"), pulumi.Alias(type_="azure-native_dns_v20150504preview:dns:Zone"), pulumi.Alias(type_="azure-native_dns_v20160401:dns:Zone"), pulumi.Alias(type_="azure-native_dns_v20170901:dns:Zone"), pulumi.Alias(type_="azure-native_dns_v20171001:dns:Zone"), pulumi.Alias(type_="azure-native_dns_v20180301preview:dns:Zone"), pulumi.Alias(type_="azure-native_dns_v20180501:dns:Zone"), pulumi.Alias(type_="azure-native_dns_v20230701preview:dns:Zone")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Zone, __self__).__init__( 'azure-native:dns:Zone', diff --git a/sdk/python/pulumi_azure_native/dnsresolver/dns_forwarding_ruleset.py b/sdk/python/pulumi_azure_native/dnsresolver/dns_forwarding_ruleset.py index c13d5283fe04..fbee50bdf014 100644 --- a/sdk/python/pulumi_azure_native/dnsresolver/dns_forwarding_ruleset.py +++ b/sdk/python/pulumi_azure_native/dnsresolver/dns_forwarding_ruleset.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dnsresolver/v20200401preview:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native:dnsresolver/v20220701:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native:dnsresolver/v20230701preview:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native:network/v20200401preview:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native:network/v20220701:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native:network/v20230701preview:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native:network:DnsForwardingRuleset")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200401preview:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native:network/v20220701:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native:network/v20230701preview:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native:network:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native_dnsresolver_v20200401preview:dnsresolver:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native_dnsresolver_v20220701:dnsresolver:DnsForwardingRuleset"), pulumi.Alias(type_="azure-native_dnsresolver_v20230701preview:dnsresolver:DnsForwardingRuleset")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DnsForwardingRuleset, __self__).__init__( 'azure-native:dnsresolver:DnsForwardingRuleset', diff --git a/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver.py b/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver.py index 47c5c074aac9..9a07118da9ff 100644 --- a/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver.py +++ b/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver.py @@ -189,7 +189,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dnsresolver/v20200401preview:DnsResolver"), pulumi.Alias(type_="azure-native:dnsresolver/v20220701:DnsResolver"), pulumi.Alias(type_="azure-native:dnsresolver/v20230701preview:DnsResolver"), pulumi.Alias(type_="azure-native:network/v20220701:DnsResolver"), pulumi.Alias(type_="azure-native:network/v20230701preview:DnsResolver"), pulumi.Alias(type_="azure-native:network:DnsResolver")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220701:DnsResolver"), pulumi.Alias(type_="azure-native:network/v20230701preview:DnsResolver"), pulumi.Alias(type_="azure-native:network:DnsResolver"), pulumi.Alias(type_="azure-native_dnsresolver_v20200401preview:dnsresolver:DnsResolver"), pulumi.Alias(type_="azure-native_dnsresolver_v20220701:dnsresolver:DnsResolver"), pulumi.Alias(type_="azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolver")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DnsResolver, __self__).__init__( 'azure-native:dnsresolver:DnsResolver', diff --git a/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_domain_list.py b/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_domain_list.py index 3c9589341313..ce6f7daa2dd4 100644 --- a/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_domain_list.py +++ b/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_domain_list.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dnsresolver/v20230701preview:DnsResolverDomainList"), pulumi.Alias(type_="azure-native:network/v20230701preview:DnsResolverDomainList"), pulumi.Alias(type_="azure-native:network:DnsResolverDomainList")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230701preview:DnsResolverDomainList"), pulumi.Alias(type_="azure-native:network:DnsResolverDomainList"), pulumi.Alias(type_="azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverDomainList")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DnsResolverDomainList, __self__).__init__( 'azure-native:dnsresolver:DnsResolverDomainList', diff --git a/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_policy.py b/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_policy.py index c417b7272b06..19b834adc6d8 100644 --- a/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_policy.py +++ b/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_policy.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dnsresolver/v20230701preview:DnsResolverPolicy"), pulumi.Alias(type_="azure-native:network/v20230701preview:DnsResolverPolicy"), pulumi.Alias(type_="azure-native:network:DnsResolverPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230701preview:DnsResolverPolicy"), pulumi.Alias(type_="azure-native:network:DnsResolverPolicy"), pulumi.Alias(type_="azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DnsResolverPolicy, __self__).__init__( 'azure-native:dnsresolver:DnsResolverPolicy', diff --git a/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_policy_virtual_network_link.py b/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_policy_virtual_network_link.py index 2bdb6b5af806..9577f3a4e302 100644 --- a/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_policy_virtual_network_link.py +++ b/sdk/python/pulumi_azure_native/dnsresolver/dns_resolver_policy_virtual_network_link.py @@ -204,7 +204,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dnsresolver/v20230701preview:DnsResolverPolicyVirtualNetworkLink"), pulumi.Alias(type_="azure-native:network/v20230701preview:DnsResolverPolicyVirtualNetworkLink"), pulumi.Alias(type_="azure-native:network:DnsResolverPolicyVirtualNetworkLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230701preview:DnsResolverPolicyVirtualNetworkLink"), pulumi.Alias(type_="azure-native:network:DnsResolverPolicyVirtualNetworkLink"), pulumi.Alias(type_="azure-native_dnsresolver_v20230701preview:dnsresolver:DnsResolverPolicyVirtualNetworkLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DnsResolverPolicyVirtualNetworkLink, __self__).__init__( 'azure-native:dnsresolver:DnsResolverPolicyVirtualNetworkLink', diff --git a/sdk/python/pulumi_azure_native/dnsresolver/dns_security_rule.py b/sdk/python/pulumi_azure_native/dnsresolver/dns_security_rule.py index 848b36da32fb..45ed6b826e0e 100644 --- a/sdk/python/pulumi_azure_native/dnsresolver/dns_security_rule.py +++ b/sdk/python/pulumi_azure_native/dnsresolver/dns_security_rule.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dnsresolver/v20230701preview:DnsSecurityRule"), pulumi.Alias(type_="azure-native:network/v20230701preview:DnsSecurityRule"), pulumi.Alias(type_="azure-native:network:DnsSecurityRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230701preview:DnsSecurityRule"), pulumi.Alias(type_="azure-native:network:DnsSecurityRule"), pulumi.Alias(type_="azure-native_dnsresolver_v20230701preview:dnsresolver:DnsSecurityRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DnsSecurityRule, __self__).__init__( 'azure-native:dnsresolver:DnsSecurityRule', diff --git a/sdk/python/pulumi_azure_native/dnsresolver/forwarding_rule.py b/sdk/python/pulumi_azure_native/dnsresolver/forwarding_rule.py index 2c826241d3d5..d6732352f54e 100644 --- a/sdk/python/pulumi_azure_native/dnsresolver/forwarding_rule.py +++ b/sdk/python/pulumi_azure_native/dnsresolver/forwarding_rule.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dnsresolver/v20200401preview:ForwardingRule"), pulumi.Alias(type_="azure-native:dnsresolver/v20220701:ForwardingRule"), pulumi.Alias(type_="azure-native:dnsresolver/v20230701preview:ForwardingRule"), pulumi.Alias(type_="azure-native:network/v20220701:ForwardingRule"), pulumi.Alias(type_="azure-native:network/v20230701preview:ForwardingRule"), pulumi.Alias(type_="azure-native:network:ForwardingRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220701:ForwardingRule"), pulumi.Alias(type_="azure-native:network/v20230701preview:ForwardingRule"), pulumi.Alias(type_="azure-native:network:ForwardingRule"), pulumi.Alias(type_="azure-native_dnsresolver_v20200401preview:dnsresolver:ForwardingRule"), pulumi.Alias(type_="azure-native_dnsresolver_v20220701:dnsresolver:ForwardingRule"), pulumi.Alias(type_="azure-native_dnsresolver_v20230701preview:dnsresolver:ForwardingRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ForwardingRule, __self__).__init__( 'azure-native:dnsresolver:ForwardingRule', diff --git a/sdk/python/pulumi_azure_native/dnsresolver/inbound_endpoint.py b/sdk/python/pulumi_azure_native/dnsresolver/inbound_endpoint.py index c4fc36878693..274956117f7f 100644 --- a/sdk/python/pulumi_azure_native/dnsresolver/inbound_endpoint.py +++ b/sdk/python/pulumi_azure_native/dnsresolver/inbound_endpoint.py @@ -210,7 +210,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dnsresolver/v20200401preview:InboundEndpoint"), pulumi.Alias(type_="azure-native:dnsresolver/v20220701:InboundEndpoint"), pulumi.Alias(type_="azure-native:dnsresolver/v20230701preview:InboundEndpoint"), pulumi.Alias(type_="azure-native:network/v20200401preview:InboundEndpoint"), pulumi.Alias(type_="azure-native:network/v20220701:InboundEndpoint"), pulumi.Alias(type_="azure-native:network/v20230701preview:InboundEndpoint"), pulumi.Alias(type_="azure-native:network:InboundEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200401preview:InboundEndpoint"), pulumi.Alias(type_="azure-native:network/v20220701:InboundEndpoint"), pulumi.Alias(type_="azure-native:network/v20230701preview:InboundEndpoint"), pulumi.Alias(type_="azure-native:network:InboundEndpoint"), pulumi.Alias(type_="azure-native_dnsresolver_v20200401preview:dnsresolver:InboundEndpoint"), pulumi.Alias(type_="azure-native_dnsresolver_v20220701:dnsresolver:InboundEndpoint"), pulumi.Alias(type_="azure-native_dnsresolver_v20230701preview:dnsresolver:InboundEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InboundEndpoint, __self__).__init__( 'azure-native:dnsresolver:InboundEndpoint', diff --git a/sdk/python/pulumi_azure_native/dnsresolver/outbound_endpoint.py b/sdk/python/pulumi_azure_native/dnsresolver/outbound_endpoint.py index b05b9731b050..4e1c7d1a9d14 100644 --- a/sdk/python/pulumi_azure_native/dnsresolver/outbound_endpoint.py +++ b/sdk/python/pulumi_azure_native/dnsresolver/outbound_endpoint.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dnsresolver/v20200401preview:OutboundEndpoint"), pulumi.Alias(type_="azure-native:dnsresolver/v20220701:OutboundEndpoint"), pulumi.Alias(type_="azure-native:dnsresolver/v20230701preview:OutboundEndpoint"), pulumi.Alias(type_="azure-native:network/v20200401preview:OutboundEndpoint"), pulumi.Alias(type_="azure-native:network/v20220701:OutboundEndpoint"), pulumi.Alias(type_="azure-native:network/v20230701preview:OutboundEndpoint"), pulumi.Alias(type_="azure-native:network:OutboundEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200401preview:OutboundEndpoint"), pulumi.Alias(type_="azure-native:network/v20220701:OutboundEndpoint"), pulumi.Alias(type_="azure-native:network/v20230701preview:OutboundEndpoint"), pulumi.Alias(type_="azure-native:network:OutboundEndpoint"), pulumi.Alias(type_="azure-native_dnsresolver_v20200401preview:dnsresolver:OutboundEndpoint"), pulumi.Alias(type_="azure-native_dnsresolver_v20220701:dnsresolver:OutboundEndpoint"), pulumi.Alias(type_="azure-native_dnsresolver_v20230701preview:dnsresolver:OutboundEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OutboundEndpoint, __self__).__init__( 'azure-native:dnsresolver:OutboundEndpoint', diff --git a/sdk/python/pulumi_azure_native/dnsresolver/private_resolver_virtual_network_link.py b/sdk/python/pulumi_azure_native/dnsresolver/private_resolver_virtual_network_link.py index 64d1704ea152..53313a508cee 100644 --- a/sdk/python/pulumi_azure_native/dnsresolver/private_resolver_virtual_network_link.py +++ b/sdk/python/pulumi_azure_native/dnsresolver/private_resolver_virtual_network_link.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dnsresolver/v20200401preview:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native:dnsresolver/v20220701:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native:dnsresolver/v20230701preview:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native:network/v20200401preview:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native:network/v20220701:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native:network/v20230701preview:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native:network:PrivateResolverVirtualNetworkLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200401preview:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native:network/v20220701:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native:network/v20230701preview:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native:network:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native_dnsresolver_v20200401preview:dnsresolver:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native_dnsresolver_v20220701:dnsresolver:PrivateResolverVirtualNetworkLink"), pulumi.Alias(type_="azure-native_dnsresolver_v20230701preview:dnsresolver:PrivateResolverVirtualNetworkLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateResolverVirtualNetworkLink, __self__).__init__( 'azure-native:dnsresolver:PrivateResolverVirtualNetworkLink', diff --git a/sdk/python/pulumi_azure_native/domainregistration/domain.py b/sdk/python/pulumi_azure_native/domainregistration/domain.py index 62242db040f5..3fbb4566747b 100644 --- a/sdk/python/pulumi_azure_native/domainregistration/domain.py +++ b/sdk/python/pulumi_azure_native/domainregistration/domain.py @@ -417,7 +417,7 @@ def _internal_init(__self__, __props__.__dict__["ready_for_dns_record_management"] = None __props__.__dict__["registration_status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:domainregistration/v20150401:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20180201:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20190801:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20200601:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20200901:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20201001:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20201201:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20210101:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20210115:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20210201:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20210301:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20220301:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20220901:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20230101:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20231201:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20240401:Domain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:domainregistration/v20201001:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20220901:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20230101:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20231201:Domain"), pulumi.Alias(type_="azure-native:domainregistration/v20240401:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20150401:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20180201:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20190801:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20200601:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20200901:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20201001:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20201201:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20210101:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20210115:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20210201:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20210301:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20220301:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20220901:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20230101:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20231201:domainregistration:Domain"), pulumi.Alias(type_="azure-native_domainregistration_v20240401:domainregistration:Domain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Domain, __self__).__init__( 'azure-native:domainregistration:Domain', diff --git a/sdk/python/pulumi_azure_native/domainregistration/domain_ownership_identifier.py b/sdk/python/pulumi_azure_native/domainregistration/domain_ownership_identifier.py index 2edd481dbf35..6ceeb6880bbb 100644 --- a/sdk/python/pulumi_azure_native/domainregistration/domain_ownership_identifier.py +++ b/sdk/python/pulumi_azure_native/domainregistration/domain_ownership_identifier.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:domainregistration/v20150401:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20180201:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20190801:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20200601:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20200901:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20201001:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20201201:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20210101:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20210115:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20210201:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20210301:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20220301:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20220901:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20230101:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20231201:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20240401:DomainOwnershipIdentifier")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:domainregistration/v20201001:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20220901:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20230101:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20231201:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:domainregistration/v20240401:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20150401:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20180201:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20190801:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20200601:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20200901:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20201001:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20201201:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20210101:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20210115:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20210201:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20210301:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20220301:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20220901:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20230101:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20231201:domainregistration:DomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_domainregistration_v20240401:domainregistration:DomainOwnershipIdentifier")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DomainOwnershipIdentifier, __self__).__init__( 'azure-native:domainregistration:DomainOwnershipIdentifier', diff --git a/sdk/python/pulumi_azure_native/durabletask/scheduler.py b/sdk/python/pulumi_azure_native/durabletask/scheduler.py index da80801f3a26..ae1cff2b300e 100644 --- a/sdk/python/pulumi_azure_native/durabletask/scheduler.py +++ b/sdk/python/pulumi_azure_native/durabletask/scheduler.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:durabletask/v20241001preview:Scheduler")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:durabletask/v20241001preview:Scheduler"), pulumi.Alias(type_="azure-native_durabletask_v20241001preview:durabletask:Scheduler")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Scheduler, __self__).__init__( 'azure-native:durabletask:Scheduler', diff --git a/sdk/python/pulumi_azure_native/durabletask/task_hub.py b/sdk/python/pulumi_azure_native/durabletask/task_hub.py index bb6246b1b078..cfbb53f133d5 100644 --- a/sdk/python/pulumi_azure_native/durabletask/task_hub.py +++ b/sdk/python/pulumi_azure_native/durabletask/task_hub.py @@ -141,7 +141,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:durabletask/v20241001preview:TaskHub")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:durabletask/v20241001preview:TaskHub"), pulumi.Alias(type_="azure-native_durabletask_v20241001preview:durabletask:TaskHub")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TaskHub, __self__).__init__( 'azure-native:durabletask:TaskHub', diff --git a/sdk/python/pulumi_azure_native/dynamics365fraudprotection/instance_details.py b/sdk/python/pulumi_azure_native/dynamics365fraudprotection/instance_details.py index 141ed8a14ffb..8f512341ae3d 100644 --- a/sdk/python/pulumi_azure_native/dynamics365fraudprotection/instance_details.py +++ b/sdk/python/pulumi_azure_native/dynamics365fraudprotection/instance_details.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dynamics365fraudprotection/v20210201preview:InstanceDetails")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:dynamics365fraudprotection/v20210201preview:InstanceDetails"), pulumi.Alias(type_="azure-native_dynamics365fraudprotection_v20210201preview:dynamics365fraudprotection:InstanceDetails")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InstanceDetails, __self__).__init__( 'azure-native:dynamics365fraudprotection:InstanceDetails', diff --git a/sdk/python/pulumi_azure_native/easm/label_by_workspace.py b/sdk/python/pulumi_azure_native/easm/label_by_workspace.py index ffbd6bbe41ab..88bbba86e2f8 100644 --- a/sdk/python/pulumi_azure_native/easm/label_by_workspace.py +++ b/sdk/python/pulumi_azure_native/easm/label_by_workspace.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:easm/v20220401preview:LabelByWorkspace"), pulumi.Alias(type_="azure-native:easm/v20230401preview:LabelByWorkspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:easm/v20230401preview:LabelByWorkspace"), pulumi.Alias(type_="azure-native_easm_v20220401preview:easm:LabelByWorkspace"), pulumi.Alias(type_="azure-native_easm_v20230401preview:easm:LabelByWorkspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LabelByWorkspace, __self__).__init__( 'azure-native:easm:LabelByWorkspace', diff --git a/sdk/python/pulumi_azure_native/easm/workspace.py b/sdk/python/pulumi_azure_native/easm/workspace.py index 3c3d392e5f12..4f7f480f09aa 100644 --- a/sdk/python/pulumi_azure_native/easm/workspace.py +++ b/sdk/python/pulumi_azure_native/easm/workspace.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:easm/v20220401preview:Workspace"), pulumi.Alias(type_="azure-native:easm/v20230401preview:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:easm/v20230401preview:Workspace"), pulumi.Alias(type_="azure-native_easm_v20220401preview:easm:Workspace"), pulumi.Alias(type_="azure-native_easm_v20230401preview:easm:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:easm:Workspace', diff --git a/sdk/python/pulumi_azure_native/edge/site.py b/sdk/python/pulumi_azure_native/edge/site.py index e5c5b623faea..f00fe2152e80 100644 --- a/sdk/python/pulumi_azure_native/edge/site.py +++ b/sdk/python/pulumi_azure_native/edge/site.py @@ -140,7 +140,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:edge/v20240201preview:Site")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:edge/v20240201preview:Site"), pulumi.Alias(type_="azure-native_edge_v20240201preview:edge:Site")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Site, __self__).__init__( 'azure-native:edge:Site', diff --git a/sdk/python/pulumi_azure_native/edge/sites_by_subscription.py b/sdk/python/pulumi_azure_native/edge/sites_by_subscription.py index dfcdb5d5b2ee..18b058658777 100644 --- a/sdk/python/pulumi_azure_native/edge/sites_by_subscription.py +++ b/sdk/python/pulumi_azure_native/edge/sites_by_subscription.py @@ -119,7 +119,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:edge/v20240201preview:SitesBySubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:edge/v20240201preview:SitesBySubscription"), pulumi.Alias(type_="azure-native_edge_v20240201preview:edge:SitesBySubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SitesBySubscription, __self__).__init__( 'azure-native:edge:SitesBySubscription', diff --git a/sdk/python/pulumi_azure_native/edgeorder/address.py b/sdk/python/pulumi_azure_native/edgeorder/address.py index c2064948ec83..54f9ec1cb1cc 100644 --- a/sdk/python/pulumi_azure_native/edgeorder/address.py +++ b/sdk/python/pulumi_azure_native/edgeorder/address.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:edgeorder/v20201201preview:Address"), pulumi.Alias(type_="azure-native:edgeorder/v20211201:Address"), pulumi.Alias(type_="azure-native:edgeorder/v20211201:AddressByName"), pulumi.Alias(type_="azure-native:edgeorder/v20220501preview:Address"), pulumi.Alias(type_="azure-native:edgeorder/v20240201:Address"), pulumi.Alias(type_="azure-native:edgeorder:AddressByName")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:edgeorder/v20211201:AddressByName"), pulumi.Alias(type_="azure-native:edgeorder/v20220501preview:Address"), pulumi.Alias(type_="azure-native:edgeorder/v20240201:Address"), pulumi.Alias(type_="azure-native:edgeorder:AddressByName"), pulumi.Alias(type_="azure-native_edgeorder_v20201201preview:edgeorder:Address"), pulumi.Alias(type_="azure-native_edgeorder_v20211201:edgeorder:Address"), pulumi.Alias(type_="azure-native_edgeorder_v20220501preview:edgeorder:Address"), pulumi.Alias(type_="azure-native_edgeorder_v20240201:edgeorder:Address")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Address, __self__).__init__( 'azure-native:edgeorder:Address', diff --git a/sdk/python/pulumi_azure_native/edgeorder/order_item.py b/sdk/python/pulumi_azure_native/edgeorder/order_item.py index b51ef47789a5..41f6497eb76e 100644 --- a/sdk/python/pulumi_azure_native/edgeorder/order_item.py +++ b/sdk/python/pulumi_azure_native/edgeorder/order_item.py @@ -249,7 +249,7 @@ def _internal_init(__self__, __props__.__dict__["start_time"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:edgeorder/v20201201preview:OrderItem"), pulumi.Alias(type_="azure-native:edgeorder/v20211201:OrderItem"), pulumi.Alias(type_="azure-native:edgeorder/v20211201:OrderItemByName"), pulumi.Alias(type_="azure-native:edgeorder/v20220501preview:OrderItem"), pulumi.Alias(type_="azure-native:edgeorder/v20240201:OrderItem"), pulumi.Alias(type_="azure-native:edgeorder:OrderItemByName")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:edgeorder/v20211201:OrderItemByName"), pulumi.Alias(type_="azure-native:edgeorder/v20220501preview:OrderItem"), pulumi.Alias(type_="azure-native:edgeorder/v20240201:OrderItem"), pulumi.Alias(type_="azure-native:edgeorder:OrderItemByName"), pulumi.Alias(type_="azure-native_edgeorder_v20201201preview:edgeorder:OrderItem"), pulumi.Alias(type_="azure-native_edgeorder_v20211201:edgeorder:OrderItem"), pulumi.Alias(type_="azure-native_edgeorder_v20220501preview:edgeorder:OrderItem"), pulumi.Alias(type_="azure-native_edgeorder_v20240201:edgeorder:OrderItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OrderItem, __self__).__init__( 'azure-native:edgeorder:OrderItem', diff --git a/sdk/python/pulumi_azure_native/education/lab.py b/sdk/python/pulumi_azure_native/education/lab.py index ea998c8df3f5..9d21285d4e04 100644 --- a/sdk/python/pulumi_azure_native/education/lab.py +++ b/sdk/python/pulumi_azure_native/education/lab.py @@ -271,7 +271,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["total_budget"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:education/v20211201preview:Lab")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:education/v20211201preview:Lab"), pulumi.Alias(type_="azure-native_education_v20211201preview:education:Lab")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Lab, __self__).__init__( 'azure-native:education:Lab', diff --git a/sdk/python/pulumi_azure_native/education/student.py b/sdk/python/pulumi_azure_native/education/student.py index 256dcbac86a8..a1fb386949be 100644 --- a/sdk/python/pulumi_azure_native/education/student.py +++ b/sdk/python/pulumi_azure_native/education/student.py @@ -332,7 +332,7 @@ def _internal_init(__self__, __props__.__dict__["subscription_id"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:education/v20211201preview:Student")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:education/v20211201preview:Student"), pulumi.Alias(type_="azure-native_education_v20211201preview:education:Student")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Student, __self__).__init__( 'azure-native:education:Student', diff --git a/sdk/python/pulumi_azure_native/elastic/monitor.py b/sdk/python/pulumi_azure_native/elastic/monitor.py index 2cf28979b4a7..dd1c9a0226a5 100644 --- a/sdk/python/pulumi_azure_native/elastic/monitor.py +++ b/sdk/python/pulumi_azure_native/elastic/monitor.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elastic/v20200701:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20200701preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20210901preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20211001preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20220505preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20220701preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20220901preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20230201preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20230501preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20230601:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20230615preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20230701preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20231001preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20231101preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20240101preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20240301:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20240501preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20240615preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20241001preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20250115preview:Monitor")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elastic/v20230601:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20230615preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20230701preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20231001preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20231101preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20240101preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20240301:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20240501preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20240615preview:Monitor"), pulumi.Alias(type_="azure-native:elastic/v20241001preview:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20200701:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20200701preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20210901preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20211001preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20220505preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20220701preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20220901preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20230201preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20230501preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20230601:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20230615preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20230701preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20231001preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20231101preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20240101preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20240301:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20240501preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20240615preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20241001preview:elastic:Monitor"), pulumi.Alias(type_="azure-native_elastic_v20250115preview:elastic:Monitor")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Monitor, __self__).__init__( 'azure-native:elastic:Monitor', diff --git a/sdk/python/pulumi_azure_native/elastic/monitored_subscription.py b/sdk/python/pulumi_azure_native/elastic/monitored_subscription.py index 1c12e92998a6..cd6870b9ff6c 100644 --- a/sdk/python/pulumi_azure_native/elastic/monitored_subscription.py +++ b/sdk/python/pulumi_azure_native/elastic/monitored_subscription.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elastic/v20240501preview:MonitoredSubscription"), pulumi.Alias(type_="azure-native:elastic/v20240615preview:MonitoredSubscription"), pulumi.Alias(type_="azure-native:elastic/v20241001preview:MonitoredSubscription"), pulumi.Alias(type_="azure-native:elastic/v20250115preview:MonitoredSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elastic/v20240501preview:MonitoredSubscription"), pulumi.Alias(type_="azure-native:elastic/v20240615preview:MonitoredSubscription"), pulumi.Alias(type_="azure-native:elastic/v20241001preview:MonitoredSubscription"), pulumi.Alias(type_="azure-native_elastic_v20240501preview:elastic:MonitoredSubscription"), pulumi.Alias(type_="azure-native_elastic_v20240615preview:elastic:MonitoredSubscription"), pulumi.Alias(type_="azure-native_elastic_v20241001preview:elastic:MonitoredSubscription"), pulumi.Alias(type_="azure-native_elastic_v20250115preview:elastic:MonitoredSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MonitoredSubscription, __self__).__init__( 'azure-native:elastic:MonitoredSubscription', diff --git a/sdk/python/pulumi_azure_native/elastic/open_ai.py b/sdk/python/pulumi_azure_native/elastic/open_ai.py index 118cd327d5d6..400fdb0ac24b 100644 --- a/sdk/python/pulumi_azure_native/elastic/open_ai.py +++ b/sdk/python/pulumi_azure_native/elastic/open_ai.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elastic/v20240101preview:OpenAI"), pulumi.Alias(type_="azure-native:elastic/v20240301:OpenAI"), pulumi.Alias(type_="azure-native:elastic/v20240501preview:OpenAI"), pulumi.Alias(type_="azure-native:elastic/v20240615preview:OpenAI"), pulumi.Alias(type_="azure-native:elastic/v20241001preview:OpenAI"), pulumi.Alias(type_="azure-native:elastic/v20250115preview:OpenAI")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elastic/v20240101preview:OpenAI"), pulumi.Alias(type_="azure-native:elastic/v20240301:OpenAI"), pulumi.Alias(type_="azure-native:elastic/v20240501preview:OpenAI"), pulumi.Alias(type_="azure-native:elastic/v20240615preview:OpenAI"), pulumi.Alias(type_="azure-native:elastic/v20241001preview:OpenAI"), pulumi.Alias(type_="azure-native_elastic_v20240101preview:elastic:OpenAI"), pulumi.Alias(type_="azure-native_elastic_v20240301:elastic:OpenAI"), pulumi.Alias(type_="azure-native_elastic_v20240501preview:elastic:OpenAI"), pulumi.Alias(type_="azure-native_elastic_v20240615preview:elastic:OpenAI"), pulumi.Alias(type_="azure-native_elastic_v20241001preview:elastic:OpenAI"), pulumi.Alias(type_="azure-native_elastic_v20250115preview:elastic:OpenAI")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OpenAI, __self__).__init__( 'azure-native:elastic:OpenAI', diff --git a/sdk/python/pulumi_azure_native/elastic/tag_rule.py b/sdk/python/pulumi_azure_native/elastic/tag_rule.py index 83d39c678abd..44a973436af5 100644 --- a/sdk/python/pulumi_azure_native/elastic/tag_rule.py +++ b/sdk/python/pulumi_azure_native/elastic/tag_rule.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elastic/v20200701:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20200701preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20210901preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20211001preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20220505preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20220701preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20220901preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20230201preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20230501preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20230601:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20230615preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20230701preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20231001preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20231101preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20240101preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20240301:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20240501preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20240615preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20241001preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20250115preview:TagRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elastic/v20230601:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20230615preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20230701preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20231001preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20231101preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20240101preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20240301:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20240501preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20240615preview:TagRule"), pulumi.Alias(type_="azure-native:elastic/v20241001preview:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20200701:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20200701preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20210901preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20211001preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20220505preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20220701preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20220901preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20230201preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20230501preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20230601:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20230615preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20230701preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20231001preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20231101preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20240101preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20240301:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20240501preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20240615preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20241001preview:elastic:TagRule"), pulumi.Alias(type_="azure-native_elastic_v20250115preview:elastic:TagRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TagRule, __self__).__init__( 'azure-native:elastic:TagRule', diff --git a/sdk/python/pulumi_azure_native/elasticsan/elastic_san.py b/sdk/python/pulumi_azure_native/elasticsan/elastic_san.py index 4ef58b286a21..66be6c2be5bf 100644 --- a/sdk/python/pulumi_azure_native/elasticsan/elastic_san.py +++ b/sdk/python/pulumi_azure_native/elasticsan/elastic_san.py @@ -275,7 +275,7 @@ def _internal_init(__self__, __props__.__dict__["total_volume_size_gi_b"] = None __props__.__dict__["type"] = None __props__.__dict__["volume_group_count"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elasticsan/v20211120preview:ElasticSan"), pulumi.Alias(type_="azure-native:elasticsan/v20221201preview:ElasticSan"), pulumi.Alias(type_="azure-native:elasticsan/v20230101:ElasticSan"), pulumi.Alias(type_="azure-native:elasticsan/v20240501:ElasticSan"), pulumi.Alias(type_="azure-native:elasticsan/v20240601preview:ElasticSan")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elasticsan/v20211120preview:ElasticSan"), pulumi.Alias(type_="azure-native:elasticsan/v20221201preview:ElasticSan"), pulumi.Alias(type_="azure-native:elasticsan/v20230101:ElasticSan"), pulumi.Alias(type_="azure-native:elasticsan/v20240501:ElasticSan"), pulumi.Alias(type_="azure-native:elasticsan/v20240601preview:ElasticSan"), pulumi.Alias(type_="azure-native_elasticsan_v20211120preview:elasticsan:ElasticSan"), pulumi.Alias(type_="azure-native_elasticsan_v20221201preview:elasticsan:ElasticSan"), pulumi.Alias(type_="azure-native_elasticsan_v20230101:elasticsan:ElasticSan"), pulumi.Alias(type_="azure-native_elasticsan_v20240501:elasticsan:ElasticSan"), pulumi.Alias(type_="azure-native_elasticsan_v20240601preview:elasticsan:ElasticSan")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ElasticSan, __self__).__init__( 'azure-native:elasticsan:ElasticSan', diff --git a/sdk/python/pulumi_azure_native/elasticsan/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/elasticsan/private_endpoint_connection.py index c299f336c821..7d9d2d0923e7 100644 --- a/sdk/python/pulumi_azure_native/elasticsan/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/elasticsan/private_endpoint_connection.py @@ -189,7 +189,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elasticsan/v20221201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:elasticsan/v20230101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:elasticsan/v20240501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:elasticsan/v20240601preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elasticsan/v20221201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:elasticsan/v20230101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:elasticsan/v20240501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:elasticsan/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_elasticsan_v20221201preview:elasticsan:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_elasticsan_v20230101:elasticsan:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_elasticsan_v20240501:elasticsan:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_elasticsan_v20240601preview:elasticsan:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:elasticsan:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/elasticsan/volume.py b/sdk/python/pulumi_azure_native/elasticsan/volume.py index 96becd3f0363..6c2a86dcb33e 100644 --- a/sdk/python/pulumi_azure_native/elasticsan/volume.py +++ b/sdk/python/pulumi_azure_native/elasticsan/volume.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["volume_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elasticsan/v20211120preview:Volume"), pulumi.Alias(type_="azure-native:elasticsan/v20221201preview:Volume"), pulumi.Alias(type_="azure-native:elasticsan/v20230101:Volume"), pulumi.Alias(type_="azure-native:elasticsan/v20240501:Volume"), pulumi.Alias(type_="azure-native:elasticsan/v20240601preview:Volume")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elasticsan/v20211120preview:Volume"), pulumi.Alias(type_="azure-native:elasticsan/v20221201preview:Volume"), pulumi.Alias(type_="azure-native:elasticsan/v20230101:Volume"), pulumi.Alias(type_="azure-native:elasticsan/v20240501:Volume"), pulumi.Alias(type_="azure-native:elasticsan/v20240601preview:Volume"), pulumi.Alias(type_="azure-native_elasticsan_v20211120preview:elasticsan:Volume"), pulumi.Alias(type_="azure-native_elasticsan_v20221201preview:elasticsan:Volume"), pulumi.Alias(type_="azure-native_elasticsan_v20230101:elasticsan:Volume"), pulumi.Alias(type_="azure-native_elasticsan_v20240501:elasticsan:Volume"), pulumi.Alias(type_="azure-native_elasticsan_v20240601preview:elasticsan:Volume")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Volume, __self__).__init__( 'azure-native:elasticsan:Volume', diff --git a/sdk/python/pulumi_azure_native/elasticsan/volume_group.py b/sdk/python/pulumi_azure_native/elasticsan/volume_group.py index 50dcecb14fc9..acc2edaaf552 100644 --- a/sdk/python/pulumi_azure_native/elasticsan/volume_group.py +++ b/sdk/python/pulumi_azure_native/elasticsan/volume_group.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elasticsan/v20211120preview:VolumeGroup"), pulumi.Alias(type_="azure-native:elasticsan/v20221201preview:VolumeGroup"), pulumi.Alias(type_="azure-native:elasticsan/v20230101:VolumeGroup"), pulumi.Alias(type_="azure-native:elasticsan/v20240501:VolumeGroup"), pulumi.Alias(type_="azure-native:elasticsan/v20240601preview:VolumeGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elasticsan/v20211120preview:VolumeGroup"), pulumi.Alias(type_="azure-native:elasticsan/v20221201preview:VolumeGroup"), pulumi.Alias(type_="azure-native:elasticsan/v20230101:VolumeGroup"), pulumi.Alias(type_="azure-native:elasticsan/v20240501:VolumeGroup"), pulumi.Alias(type_="azure-native:elasticsan/v20240601preview:VolumeGroup"), pulumi.Alias(type_="azure-native_elasticsan_v20211120preview:elasticsan:VolumeGroup"), pulumi.Alias(type_="azure-native_elasticsan_v20221201preview:elasticsan:VolumeGroup"), pulumi.Alias(type_="azure-native_elasticsan_v20230101:elasticsan:VolumeGroup"), pulumi.Alias(type_="azure-native_elasticsan_v20240501:elasticsan:VolumeGroup"), pulumi.Alias(type_="azure-native_elasticsan_v20240601preview:elasticsan:VolumeGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VolumeGroup, __self__).__init__( 'azure-native:elasticsan:VolumeGroup', diff --git a/sdk/python/pulumi_azure_native/elasticsan/volume_snapshot.py b/sdk/python/pulumi_azure_native/elasticsan/volume_snapshot.py index e703328c41d3..ed29afd9ef4f 100644 --- a/sdk/python/pulumi_azure_native/elasticsan/volume_snapshot.py +++ b/sdk/python/pulumi_azure_native/elasticsan/volume_snapshot.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["volume_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elasticsan/v20230101:VolumeSnapshot"), pulumi.Alias(type_="azure-native:elasticsan/v20240501:VolumeSnapshot"), pulumi.Alias(type_="azure-native:elasticsan/v20240601preview:VolumeSnapshot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:elasticsan/v20230101:VolumeSnapshot"), pulumi.Alias(type_="azure-native:elasticsan/v20240501:VolumeSnapshot"), pulumi.Alias(type_="azure-native:elasticsan/v20240601preview:VolumeSnapshot"), pulumi.Alias(type_="azure-native_elasticsan_v20230101:elasticsan:VolumeSnapshot"), pulumi.Alias(type_="azure-native_elasticsan_v20240501:elasticsan:VolumeSnapshot"), pulumi.Alias(type_="azure-native_elasticsan_v20240601preview:elasticsan:VolumeSnapshot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VolumeSnapshot, __self__).__init__( 'azure-native:elasticsan:VolumeSnapshot', diff --git a/sdk/python/pulumi_azure_native/engagementfabric/account.py b/sdk/python/pulumi_azure_native/engagementfabric/account.py index 2398491155e3..564a36564606 100644 --- a/sdk/python/pulumi_azure_native/engagementfabric/account.py +++ b/sdk/python/pulumi_azure_native/engagementfabric/account.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:engagementfabric/v20180901preview:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:engagementfabric/v20180901preview:Account"), pulumi.Alias(type_="azure-native_engagementfabric_v20180901preview:engagementfabric:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:engagementfabric:Account', diff --git a/sdk/python/pulumi_azure_native/engagementfabric/channel.py b/sdk/python/pulumi_azure_native/engagementfabric/channel.py index 6bfb876d9839..01fd87aed69f 100644 --- a/sdk/python/pulumi_azure_native/engagementfabric/channel.py +++ b/sdk/python/pulumi_azure_native/engagementfabric/channel.py @@ -199,7 +199,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:engagementfabric/v20180901preview:Channel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:engagementfabric/v20180901preview:Channel"), pulumi.Alias(type_="azure-native_engagementfabric_v20180901preview:engagementfabric:Channel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Channel, __self__).__init__( 'azure-native:engagementfabric:Channel', diff --git a/sdk/python/pulumi_azure_native/enterpriseknowledgegraph/enterprise_knowledge_graph.py b/sdk/python/pulumi_azure_native/enterpriseknowledgegraph/enterprise_knowledge_graph.py index 6027b9a01fab..a3622b9b0eae 100644 --- a/sdk/python/pulumi_azure_native/enterpriseknowledgegraph/enterprise_knowledge_graph.py +++ b/sdk/python/pulumi_azure_native/enterpriseknowledgegraph/enterprise_knowledge_graph.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:enterpriseknowledgegraph/v20181203:EnterpriseKnowledgeGraph")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:enterpriseknowledgegraph/v20181203:EnterpriseKnowledgeGraph"), pulumi.Alias(type_="azure-native_enterpriseknowledgegraph_v20181203:enterpriseknowledgegraph:EnterpriseKnowledgeGraph")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EnterpriseKnowledgeGraph, __self__).__init__( 'azure-native:enterpriseknowledgegraph:EnterpriseKnowledgeGraph', diff --git a/sdk/python/pulumi_azure_native/eventgrid/ca_certificate.py b/sdk/python/pulumi_azure_native/eventgrid/ca_certificate.py index 2ce78e89e9c0..dec840a62682 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/ca_certificate.py +++ b/sdk/python/pulumi_azure_native/eventgrid/ca_certificate.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:CaCertificate"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:CaCertificate"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:CaCertificate"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:CaCertificate"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:CaCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:CaCertificate"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:CaCertificate"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:CaCertificate"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:CaCertificate"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:CaCertificate"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:CaCertificate"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:CaCertificate"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:CaCertificate"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:CaCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CaCertificate, __self__).__init__( 'azure-native:eventgrid:CaCertificate', diff --git a/sdk/python/pulumi_azure_native/eventgrid/channel.py b/sdk/python/pulumi_azure_native/eventgrid/channel.py index 94138cf863b8..4311a4b7e5b6 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/channel.py +++ b/sdk/python/pulumi_azure_native/eventgrid/channel.py @@ -269,7 +269,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:Channel"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:Channel"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:Channel"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:Channel"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:Channel"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:Channel"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:Channel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:Channel"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:Channel"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:Channel"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:Channel"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:Channel"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:Channel"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:Channel"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:Channel"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:Channel"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:Channel"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:Channel"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:Channel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Channel, __self__).__init__( 'azure-native:eventgrid:Channel', diff --git a/sdk/python/pulumi_azure_native/eventgrid/client.py b/sdk/python/pulumi_azure_native/eventgrid/client.py index 95b521948d4b..af26b2abbe1b 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/client.py +++ b/sdk/python/pulumi_azure_native/eventgrid/client.py @@ -257,7 +257,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:Client"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:Client"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:Client"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:Client"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:Client")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:Client"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:Client"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:Client"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:Client"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:Client"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:Client"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:Client"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:Client"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:Client")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Client, __self__).__init__( 'azure-native:eventgrid:Client', diff --git a/sdk/python/pulumi_azure_native/eventgrid/client_group.py b/sdk/python/pulumi_azure_native/eventgrid/client_group.py index 56ff84bf98cd..f149b8235b19 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/client_group.py +++ b/sdk/python/pulumi_azure_native/eventgrid/client_group.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:ClientGroup"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:ClientGroup"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:ClientGroup"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:ClientGroup"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:ClientGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:ClientGroup"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:ClientGroup"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:ClientGroup"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:ClientGroup"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:ClientGroup"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:ClientGroup"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:ClientGroup"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:ClientGroup"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:ClientGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ClientGroup, __self__).__init__( 'azure-native:eventgrid:ClientGroup', diff --git a/sdk/python/pulumi_azure_native/eventgrid/domain.py b/sdk/python/pulumi_azure_native/eventgrid/domain.py index bb819b77bf95..9666c81dce35 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/domain.py +++ b/sdk/python/pulumi_azure_native/eventgrid/domain.py @@ -451,7 +451,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20180915preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20190201preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20190601:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20200101preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20200601:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20201015preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20210601preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20211201:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:Domain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:Domain"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20180915preview:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20190201preview:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20190601:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20200101preview:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20200401preview:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20200601:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20201015preview:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20210601preview:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20211201:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:Domain"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:Domain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Domain, __self__).__init__( 'azure-native:eventgrid:Domain', diff --git a/sdk/python/pulumi_azure_native/eventgrid/domain_event_subscription.py b/sdk/python/pulumi_azure_native/eventgrid/domain_event_subscription.py index 5814df686613..1dd1eb8246c3 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/domain_event_subscription.py +++ b/sdk/python/pulumi_azure_native/eventgrid/domain_event_subscription.py @@ -344,7 +344,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["topic"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:DomainEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:DomainEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:DomainEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:DomainEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:DomainEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:DomainEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:DomainEventSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:DomainEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:DomainEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:DomainEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:DomainEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:DomainEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:DomainEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:DomainEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:DomainEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:DomainEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:DomainEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:DomainEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:DomainEventSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DomainEventSubscription, __self__).__init__( 'azure-native:eventgrid:DomainEventSubscription', diff --git a/sdk/python/pulumi_azure_native/eventgrid/domain_topic.py b/sdk/python/pulumi_azure_native/eventgrid/domain_topic.py index 487791bf089f..40a90ae7722b 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/domain_topic.py +++ b/sdk/python/pulumi_azure_native/eventgrid/domain_topic.py @@ -145,7 +145,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20190201preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20190601:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20200101preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20200601:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20201015preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20210601preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20211201:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:DomainTopic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:DomainTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20190201preview:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20190601:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20200101preview:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20200401preview:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20200601:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20201015preview:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20210601preview:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20211201:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:DomainTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:DomainTopic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DomainTopic, __self__).__init__( 'azure-native:eventgrid:DomainTopic', diff --git a/sdk/python/pulumi_azure_native/eventgrid/domain_topic_event_subscription.py b/sdk/python/pulumi_azure_native/eventgrid/domain_topic_event_subscription.py index 90add42ee281..611ec48c7039 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/domain_topic_event_subscription.py +++ b/sdk/python/pulumi_azure_native/eventgrid/domain_topic_event_subscription.py @@ -365,7 +365,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["topic"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:DomainTopicEventSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:DomainTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:DomainTopicEventSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DomainTopicEventSubscription, __self__).__init__( 'azure-native:eventgrid:DomainTopicEventSubscription', diff --git a/sdk/python/pulumi_azure_native/eventgrid/event_subscription.py b/sdk/python/pulumi_azure_native/eventgrid/event_subscription.py index 5af6b3743ab2..53a502528181 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/event_subscription.py +++ b/sdk/python/pulumi_azure_native/eventgrid/event_subscription.py @@ -323,7 +323,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["topic"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20170615preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20170915preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20180101:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20180501preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20180915preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20190101:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20190201preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20190601:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20200101preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20200601:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20201015preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20210601preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20211201:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:EventSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:EventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20170615preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20170915preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20180101:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20180501preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20180915preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20190101:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20190201preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20190601:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20200101preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20200401preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20200601:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20201015preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20210601preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20211201:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:EventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:EventSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EventSubscription, __self__).__init__( 'azure-native:eventgrid:EventSubscription', diff --git a/sdk/python/pulumi_azure_native/eventgrid/namespace.py b/sdk/python/pulumi_azure_native/eventgrid/namespace.py index 4f46863cc46f..ef5c51378808 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/namespace.py +++ b/sdk/python/pulumi_azure_native/eventgrid/namespace.py @@ -361,7 +361,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:Namespace"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:Namespace"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:Namespace"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:Namespace"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:Namespace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:Namespace"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:Namespace"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:Namespace"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:Namespace"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:Namespace"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:Namespace"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:Namespace"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:Namespace"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:Namespace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Namespace, __self__).__init__( 'azure-native:eventgrid:Namespace', diff --git a/sdk/python/pulumi_azure_native/eventgrid/namespace_topic.py b/sdk/python/pulumi_azure_native/eventgrid/namespace_topic.py index 131dca42fbdb..cfaee7555567 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/namespace_topic.py +++ b/sdk/python/pulumi_azure_native/eventgrid/namespace_topic.py @@ -213,7 +213,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:NamespaceTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:NamespaceTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:NamespaceTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:NamespaceTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:NamespaceTopic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:NamespaceTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:NamespaceTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:NamespaceTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:NamespaceTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:NamespaceTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:NamespaceTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:NamespaceTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:NamespaceTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:NamespaceTopic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceTopic, __self__).__init__( 'azure-native:eventgrid:NamespaceTopic', diff --git a/sdk/python/pulumi_azure_native/eventgrid/namespace_topic_event_subscription.py b/sdk/python/pulumi_azure_native/eventgrid/namespace_topic_event_subscription.py index d778d29a6ce3..608a37ee50b8 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/namespace_topic_event_subscription.py +++ b/sdk/python/pulumi_azure_native/eventgrid/namespace_topic_event_subscription.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:NamespaceTopicEventSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:NamespaceTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:NamespaceTopicEventSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceTopicEventSubscription, __self__).__init__( 'azure-native:eventgrid:NamespaceTopicEventSubscription', diff --git a/sdk/python/pulumi_azure_native/eventgrid/partner_configuration.py b/sdk/python/pulumi_azure_native/eventgrid/partner_configuration.py index 0eac8afa9293..a9fe8797c757 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/partner_configuration.py +++ b/sdk/python/pulumi_azure_native/eventgrid/partner_configuration.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:PartnerConfiguration"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:PartnerConfiguration"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerConfiguration"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerConfiguration"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerConfiguration"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerConfiguration"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:PartnerConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:PartnerConfiguration"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerConfiguration"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerConfiguration"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerConfiguration"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerConfiguration"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:PartnerConfiguration"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:PartnerConfiguration"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:PartnerConfiguration"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:PartnerConfiguration"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:PartnerConfiguration"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:PartnerConfiguration"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:PartnerConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PartnerConfiguration, __self__).__init__( 'azure-native:eventgrid:PartnerConfiguration', diff --git a/sdk/python/pulumi_azure_native/eventgrid/partner_destination.py b/sdk/python/pulumi_azure_native/eventgrid/partner_destination.py index ed2b3485c41e..dc42630e09f4 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/partner_destination.py +++ b/sdk/python/pulumi_azure_native/eventgrid/partner_destination.py @@ -288,7 +288,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:PartnerDestination"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerDestination"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerDestination"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerDestination"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerDestination")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:PartnerDestination"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerDestination"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerDestination"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerDestination"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerDestination"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:PartnerDestination"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:PartnerDestination"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:PartnerDestination"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:PartnerDestination"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:PartnerDestination")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PartnerDestination, __self__).__init__( 'azure-native:eventgrid:PartnerDestination', diff --git a/sdk/python/pulumi_azure_native/eventgrid/partner_namespace.py b/sdk/python/pulumi_azure_native/eventgrid/partner_namespace.py index 8b4194373ef5..81d0d0869b5d 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/partner_namespace.py +++ b/sdk/python/pulumi_azure_native/eventgrid/partner_namespace.py @@ -309,7 +309,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20201015preview:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20210601preview:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:PartnerNamespace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerNamespace"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerNamespace"), pulumi.Alias(type_="azure-native_eventgrid_v20200401preview:eventgrid:PartnerNamespace"), pulumi.Alias(type_="azure-native_eventgrid_v20201015preview:eventgrid:PartnerNamespace"), pulumi.Alias(type_="azure-native_eventgrid_v20210601preview:eventgrid:PartnerNamespace"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:PartnerNamespace"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:PartnerNamespace"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:PartnerNamespace"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:PartnerNamespace"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:PartnerNamespace"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:PartnerNamespace"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:PartnerNamespace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PartnerNamespace, __self__).__init__( 'azure-native:eventgrid:PartnerNamespace', diff --git a/sdk/python/pulumi_azure_native/eventgrid/partner_registration.py b/sdk/python/pulumi_azure_native/eventgrid/partner_registration.py index 26259ca89184..9e0329d16b86 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/partner_registration.py +++ b/sdk/python/pulumi_azure_native/eventgrid/partner_registration.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20201015preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20210601preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:PartnerRegistration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerRegistration"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerRegistration"), pulumi.Alias(type_="azure-native_eventgrid_v20200401preview:eventgrid:PartnerRegistration"), pulumi.Alias(type_="azure-native_eventgrid_v20201015preview:eventgrid:PartnerRegistration"), pulumi.Alias(type_="azure-native_eventgrid_v20210601preview:eventgrid:PartnerRegistration"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:PartnerRegistration"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:PartnerRegistration"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:PartnerRegistration"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:PartnerRegistration"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:PartnerRegistration"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:PartnerRegistration"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:PartnerRegistration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PartnerRegistration, __self__).__init__( 'azure-native:eventgrid:PartnerRegistration', diff --git a/sdk/python/pulumi_azure_native/eventgrid/partner_topic.py b/sdk/python/pulumi_azure_native/eventgrid/partner_topic.py index d8af877ae0b5..71766500a16d 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/partner_topic.py +++ b/sdk/python/pulumi_azure_native/eventgrid/partner_topic.py @@ -332,7 +332,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:PartnerTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:PartnerTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:PartnerTopic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:PartnerTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:PartnerTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:PartnerTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:PartnerTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:PartnerTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:PartnerTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:PartnerTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:PartnerTopic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PartnerTopic, __self__).__init__( 'azure-native:eventgrid:PartnerTopic', diff --git a/sdk/python/pulumi_azure_native/eventgrid/partner_topic_event_subscription.py b/sdk/python/pulumi_azure_native/eventgrid/partner_topic_event_subscription.py index c20ee3e25313..97118d694781 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/partner_topic_event_subscription.py +++ b/sdk/python/pulumi_azure_native/eventgrid/partner_topic_event_subscription.py @@ -344,7 +344,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["topic"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20201015preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20210601preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:PartnerTopicEventSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20200401preview:eventgrid:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20201015preview:eventgrid:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20210601preview:eventgrid:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:PartnerTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:PartnerTopicEventSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PartnerTopicEventSubscription, __self__).__init__( 'azure-native:eventgrid:PartnerTopicEventSubscription', diff --git a/sdk/python/pulumi_azure_native/eventgrid/permission_binding.py b/sdk/python/pulumi_azure_native/eventgrid/permission_binding.py index b956c8e3406e..8eff3b85439e 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/permission_binding.py +++ b/sdk/python/pulumi_azure_native/eventgrid/permission_binding.py @@ -232,7 +232,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PermissionBinding"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PermissionBinding"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PermissionBinding"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PermissionBinding"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:PermissionBinding")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PermissionBinding"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PermissionBinding"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PermissionBinding"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PermissionBinding"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:PermissionBinding"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:PermissionBinding"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:PermissionBinding"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:PermissionBinding"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:PermissionBinding")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PermissionBinding, __self__).__init__( 'azure-native:eventgrid:PermissionBinding', diff --git a/sdk/python/pulumi_azure_native/eventgrid/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/eventgrid/private_endpoint_connection.py index c916aa6a811b..1d89caddcd04 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/eventgrid/private_endpoint_connection.py @@ -242,7 +242,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20200601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20201015preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20210601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20211201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20200401preview:eventgrid:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20200601:eventgrid:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20201015preview:eventgrid:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20210601preview:eventgrid:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20211201:eventgrid:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:eventgrid:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/eventgrid/system_topic.py b/sdk/python/pulumi_azure_native/eventgrid/system_topic.py index 0debaa961dc2..49cd0dce0460 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/system_topic.py +++ b/sdk/python/pulumi_azure_native/eventgrid/system_topic.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20201015preview:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20210601preview:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20211201:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:SystemTopic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:SystemTopic"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:SystemTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20200401preview:eventgrid:SystemTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20201015preview:eventgrid:SystemTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20210601preview:eventgrid:SystemTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:SystemTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20211201:eventgrid:SystemTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:SystemTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:SystemTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:SystemTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:SystemTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:SystemTopic"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:SystemTopic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SystemTopic, __self__).__init__( 'azure-native:eventgrid:SystemTopic', diff --git a/sdk/python/pulumi_azure_native/eventgrid/system_topic_event_subscription.py b/sdk/python/pulumi_azure_native/eventgrid/system_topic_event_subscription.py index 069cb02e383c..72cd037f5c03 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/system_topic_event_subscription.py +++ b/sdk/python/pulumi_azure_native/eventgrid/system_topic_event_subscription.py @@ -344,7 +344,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["topic"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20201015preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20210601preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20211201:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:SystemTopicEventSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20200401preview:eventgrid:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20201015preview:eventgrid:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20210601preview:eventgrid:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20211201:eventgrid:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:SystemTopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:SystemTopicEventSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SystemTopicEventSubscription, __self__).__init__( 'azure-native:eventgrid:SystemTopicEventSubscription', diff --git a/sdk/python/pulumi_azure_native/eventgrid/topic.py b/sdk/python/pulumi_azure_native/eventgrid/topic.py index 35367039ea1e..18ec601aec6f 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/topic.py +++ b/sdk/python/pulumi_azure_native/eventgrid/topic.py @@ -367,7 +367,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20170615preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20170915preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20180101:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20180501preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20180915preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20190101:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20190201preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20190601:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20200101preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20200601:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20201015preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20210601preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20211201:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:Topic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20200401preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:Topic"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20170615preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20170915preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20180101:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20180501preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20180915preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20190101:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20190201preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20190601:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20200101preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20200401preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20200601:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20201015preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20210601preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20211201:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:Topic"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:Topic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Topic, __self__).__init__( 'azure-native:eventgrid:Topic', diff --git a/sdk/python/pulumi_azure_native/eventgrid/topic_event_subscription.py b/sdk/python/pulumi_azure_native/eventgrid/topic_event_subscription.py index 9545b55b5ca6..1a659db6d888 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/topic_event_subscription.py +++ b/sdk/python/pulumi_azure_native/eventgrid/topic_event_subscription.py @@ -344,7 +344,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["topic"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20211015preview:TopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20220615:TopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:TopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:TopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:TopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:TopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:TopicEventSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20220615:TopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:TopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:TopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:TopicEventSubscription"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:TopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20211015preview:eventgrid:TopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20220615:eventgrid:TopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:TopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:TopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:TopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:TopicEventSubscription"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:TopicEventSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TopicEventSubscription, __self__).__init__( 'azure-native:eventgrid:TopicEventSubscription', diff --git a/sdk/python/pulumi_azure_native/eventgrid/topic_space.py b/sdk/python/pulumi_azure_native/eventgrid/topic_space.py index 107adfe5948b..3fe2e543eb77 100644 --- a/sdk/python/pulumi_azure_native/eventgrid/topic_space.py +++ b/sdk/python/pulumi_azure_native/eventgrid/topic_space.py @@ -197,7 +197,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:TopicSpace"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:TopicSpace"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:TopicSpace"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:TopicSpace"), pulumi.Alias(type_="azure-native:eventgrid/v20250215:TopicSpace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventgrid/v20230601preview:TopicSpace"), pulumi.Alias(type_="azure-native:eventgrid/v20231215preview:TopicSpace"), pulumi.Alias(type_="azure-native:eventgrid/v20240601preview:TopicSpace"), pulumi.Alias(type_="azure-native:eventgrid/v20241215preview:TopicSpace"), pulumi.Alias(type_="azure-native_eventgrid_v20230601preview:eventgrid:TopicSpace"), pulumi.Alias(type_="azure-native_eventgrid_v20231215preview:eventgrid:TopicSpace"), pulumi.Alias(type_="azure-native_eventgrid_v20240601preview:eventgrid:TopicSpace"), pulumi.Alias(type_="azure-native_eventgrid_v20241215preview:eventgrid:TopicSpace"), pulumi.Alias(type_="azure-native_eventgrid_v20250215:eventgrid:TopicSpace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TopicSpace, __self__).__init__( 'azure-native:eventgrid:TopicSpace', diff --git a/sdk/python/pulumi_azure_native/eventhub/application_group.py b/sdk/python/pulumi_azure_native/eventhub/application_group.py index 6a8f58bf88bd..ad001d890b6c 100644 --- a/sdk/python/pulumi_azure_native/eventhub/application_group.py +++ b/sdk/python/pulumi_azure_native/eventhub/application_group.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20220101preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:eventhub/v20221001preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:eventhub/v20240101:ApplicationGroup"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:ApplicationGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20221001preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:ApplicationGroup"), pulumi.Alias(type_="azure-native:eventhub/v20240101:ApplicationGroup"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:ApplicationGroup"), pulumi.Alias(type_="azure-native_eventhub_v20220101preview:eventhub:ApplicationGroup"), pulumi.Alias(type_="azure-native_eventhub_v20221001preview:eventhub:ApplicationGroup"), pulumi.Alias(type_="azure-native_eventhub_v20230101preview:eventhub:ApplicationGroup"), pulumi.Alias(type_="azure-native_eventhub_v20240101:eventhub:ApplicationGroup"), pulumi.Alias(type_="azure-native_eventhub_v20240501preview:eventhub:ApplicationGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationGroup, __self__).__init__( 'azure-native:eventhub:ApplicationGroup', diff --git a/sdk/python/pulumi_azure_native/eventhub/cluster.py b/sdk/python/pulumi_azure_native/eventhub/cluster.py index 95aa860f37ac..89c0f4ba63dd 100644 --- a/sdk/python/pulumi_azure_native/eventhub/cluster.py +++ b/sdk/python/pulumi_azure_native/eventhub/cluster.py @@ -210,7 +210,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20180101preview:Cluster"), pulumi.Alias(type_="azure-native:eventhub/v20210601preview:Cluster"), pulumi.Alias(type_="azure-native:eventhub/v20211101:Cluster"), pulumi.Alias(type_="azure-native:eventhub/v20220101preview:Cluster"), pulumi.Alias(type_="azure-native:eventhub/v20221001preview:Cluster"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:Cluster"), pulumi.Alias(type_="azure-native:eventhub/v20240101:Cluster"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:Cluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20221001preview:Cluster"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:Cluster"), pulumi.Alias(type_="azure-native:eventhub/v20240101:Cluster"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:Cluster"), pulumi.Alias(type_="azure-native_eventhub_v20180101preview:eventhub:Cluster"), pulumi.Alias(type_="azure-native_eventhub_v20210601preview:eventhub:Cluster"), pulumi.Alias(type_="azure-native_eventhub_v20211101:eventhub:Cluster"), pulumi.Alias(type_="azure-native_eventhub_v20220101preview:eventhub:Cluster"), pulumi.Alias(type_="azure-native_eventhub_v20221001preview:eventhub:Cluster"), pulumi.Alias(type_="azure-native_eventhub_v20230101preview:eventhub:Cluster"), pulumi.Alias(type_="azure-native_eventhub_v20240101:eventhub:Cluster"), pulumi.Alias(type_="azure-native_eventhub_v20240501preview:eventhub:Cluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cluster, __self__).__init__( 'azure-native:eventhub:Cluster', diff --git a/sdk/python/pulumi_azure_native/eventhub/consumer_group.py b/sdk/python/pulumi_azure_native/eventhub/consumer_group.py index 3f3986808242..ceac63c77f3f 100644 --- a/sdk/python/pulumi_azure_native/eventhub/consumer_group.py +++ b/sdk/python/pulumi_azure_native/eventhub/consumer_group.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20140901:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20150801:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20170401:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20180101preview:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20210101preview:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20210601preview:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20211101:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20220101preview:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20221001preview:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20240101:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:ConsumerGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20221001preview:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20240101:ConsumerGroup"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20140901:eventhub:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20150801:eventhub:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20170401:eventhub:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20180101preview:eventhub:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20210101preview:eventhub:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20210601preview:eventhub:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20211101:eventhub:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20220101preview:eventhub:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20221001preview:eventhub:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20230101preview:eventhub:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20240101:eventhub:ConsumerGroup"), pulumi.Alias(type_="azure-native_eventhub_v20240501preview:eventhub:ConsumerGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConsumerGroup, __self__).__init__( 'azure-native:eventhub:ConsumerGroup', diff --git a/sdk/python/pulumi_azure_native/eventhub/disaster_recovery_config.py b/sdk/python/pulumi_azure_native/eventhub/disaster_recovery_config.py index 4344d45bbcf6..2ceec6bd853f 100644 --- a/sdk/python/pulumi_azure_native/eventhub/disaster_recovery_config.py +++ b/sdk/python/pulumi_azure_native/eventhub/disaster_recovery_config.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["role"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20170401:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20180101preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20210101preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20210601preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20211101:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20220101preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20221001preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20240101:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:DisasterRecoveryConfig")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20221001preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20240101:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_eventhub_v20170401:eventhub:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_eventhub_v20180101preview:eventhub:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_eventhub_v20210101preview:eventhub:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_eventhub_v20210601preview:eventhub:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_eventhub_v20211101:eventhub:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_eventhub_v20220101preview:eventhub:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_eventhub_v20221001preview:eventhub:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_eventhub_v20230101preview:eventhub:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_eventhub_v20240101:eventhub:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_eventhub_v20240501preview:eventhub:DisasterRecoveryConfig")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DisasterRecoveryConfig, __self__).__init__( 'azure-native:eventhub:DisasterRecoveryConfig', diff --git a/sdk/python/pulumi_azure_native/eventhub/event_hub.py b/sdk/python/pulumi_azure_native/eventhub/event_hub.py index 44c29db1ec62..100a70084611 100644 --- a/sdk/python/pulumi_azure_native/eventhub/event_hub.py +++ b/sdk/python/pulumi_azure_native/eventhub/event_hub.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20140901:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20150801:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20170401:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20180101preview:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20210101preview:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20210601preview:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20211101:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20220101preview:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20221001preview:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20240101:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:EventHub")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20221001preview:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20240101:EventHub"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20140901:eventhub:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20150801:eventhub:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20170401:eventhub:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20180101preview:eventhub:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20210101preview:eventhub:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20210601preview:eventhub:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20211101:eventhub:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20220101preview:eventhub:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20221001preview:eventhub:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20230101preview:eventhub:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20240101:eventhub:EventHub"), pulumi.Alias(type_="azure-native_eventhub_v20240501preview:eventhub:EventHub")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EventHub, __self__).__init__( 'azure-native:eventhub:EventHub', diff --git a/sdk/python/pulumi_azure_native/eventhub/event_hub_authorization_rule.py b/sdk/python/pulumi_azure_native/eventhub/event_hub_authorization_rule.py index 819991b3c430..7d5b37c22e01 100644 --- a/sdk/python/pulumi_azure_native/eventhub/event_hub_authorization_rule.py +++ b/sdk/python/pulumi_azure_native/eventhub/event_hub_authorization_rule.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20140901:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20150801:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20170401:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20180101preview:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20210101preview:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20210601preview:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20211101:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20220101preview:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20221001preview:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20240101:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:EventHubAuthorizationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20221001preview:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20240101:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20140901:eventhub:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20150801:eventhub:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20170401:eventhub:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20180101preview:eventhub:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20210101preview:eventhub:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20210601preview:eventhub:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20211101:eventhub:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20220101preview:eventhub:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20221001preview:eventhub:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20230101preview:eventhub:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20240101:eventhub:EventHubAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20240501preview:eventhub:EventHubAuthorizationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EventHubAuthorizationRule, __self__).__init__( 'azure-native:eventhub:EventHubAuthorizationRule', diff --git a/sdk/python/pulumi_azure_native/eventhub/namespace.py b/sdk/python/pulumi_azure_native/eventhub/namespace.py index 7c8b34c6f039..6884a7cb9d61 100644 --- a/sdk/python/pulumi_azure_native/eventhub/namespace.py +++ b/sdk/python/pulumi_azure_native/eventhub/namespace.py @@ -438,7 +438,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20140901:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20150801:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20170401:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20180101preview:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20210101preview:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20210601preview:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20211101:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20220101preview:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20221001preview:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20240101:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:Namespace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20221001preview:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20240101:Namespace"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20140901:eventhub:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20150801:eventhub:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20170401:eventhub:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20180101preview:eventhub:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20210101preview:eventhub:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20210601preview:eventhub:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20211101:eventhub:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20220101preview:eventhub:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20221001preview:eventhub:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20230101preview:eventhub:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20240101:eventhub:Namespace"), pulumi.Alias(type_="azure-native_eventhub_v20240501preview:eventhub:Namespace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Namespace, __self__).__init__( 'azure-native:eventhub:Namespace', diff --git a/sdk/python/pulumi_azure_native/eventhub/namespace_authorization_rule.py b/sdk/python/pulumi_azure_native/eventhub/namespace_authorization_rule.py index 824ce356efaa..3f35e69bd83a 100644 --- a/sdk/python/pulumi_azure_native/eventhub/namespace_authorization_rule.py +++ b/sdk/python/pulumi_azure_native/eventhub/namespace_authorization_rule.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20140901:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20150801:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20170401:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20180101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20210101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20210601preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20211101:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20220101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20221001preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20240101:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:NamespaceAuthorizationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20221001preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20240101:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20140901:eventhub:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20150801:eventhub:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20170401:eventhub:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20180101preview:eventhub:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20210101preview:eventhub:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20210601preview:eventhub:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20211101:eventhub:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20220101preview:eventhub:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20221001preview:eventhub:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20230101preview:eventhub:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20240101:eventhub:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_eventhub_v20240501preview:eventhub:NamespaceAuthorizationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceAuthorizationRule, __self__).__init__( 'azure-native:eventhub:NamespaceAuthorizationRule', diff --git a/sdk/python/pulumi_azure_native/eventhub/namespace_ip_filter_rule.py b/sdk/python/pulumi_azure_native/eventhub/namespace_ip_filter_rule.py index b51d5a5e5205..8c82ece396c5 100644 --- a/sdk/python/pulumi_azure_native/eventhub/namespace_ip_filter_rule.py +++ b/sdk/python/pulumi_azure_native/eventhub/namespace_ip_filter_rule.py @@ -199,7 +199,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20180101preview:NamespaceIpFilterRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20180101preview:NamespaceIpFilterRule"), pulumi.Alias(type_="azure-native_eventhub_v20180101preview:eventhub:NamespaceIpFilterRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceIpFilterRule, __self__).__init__( 'azure-native:eventhub:NamespaceIpFilterRule', diff --git a/sdk/python/pulumi_azure_native/eventhub/namespace_network_rule_set.py b/sdk/python/pulumi_azure_native/eventhub/namespace_network_rule_set.py index 6bb7a2ac3a49..f1edad83aecf 100644 --- a/sdk/python/pulumi_azure_native/eventhub/namespace_network_rule_set.py +++ b/sdk/python/pulumi_azure_native/eventhub/namespace_network_rule_set.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20170401:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20180101preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20210101preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20210601preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20211101:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20220101preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20221001preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20240101:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:NamespaceNetworkRuleSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20221001preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20240101:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_eventhub_v20170401:eventhub:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_eventhub_v20180101preview:eventhub:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_eventhub_v20210101preview:eventhub:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_eventhub_v20210601preview:eventhub:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_eventhub_v20211101:eventhub:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_eventhub_v20220101preview:eventhub:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_eventhub_v20221001preview:eventhub:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_eventhub_v20230101preview:eventhub:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_eventhub_v20240101:eventhub:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_eventhub_v20240501preview:eventhub:NamespaceNetworkRuleSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceNetworkRuleSet, __self__).__init__( 'azure-native:eventhub:NamespaceNetworkRuleSet', diff --git a/sdk/python/pulumi_azure_native/eventhub/namespace_virtual_network_rule.py b/sdk/python/pulumi_azure_native/eventhub/namespace_virtual_network_rule.py index 703445598199..779e6b189f73 100644 --- a/sdk/python/pulumi_azure_native/eventhub/namespace_virtual_network_rule.py +++ b/sdk/python/pulumi_azure_native/eventhub/namespace_virtual_network_rule.py @@ -158,7 +158,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20180101preview:NamespaceVirtualNetworkRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20180101preview:NamespaceVirtualNetworkRule"), pulumi.Alias(type_="azure-native_eventhub_v20180101preview:eventhub:NamespaceVirtualNetworkRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceVirtualNetworkRule, __self__).__init__( 'azure-native:eventhub:NamespaceVirtualNetworkRule', diff --git a/sdk/python/pulumi_azure_native/eventhub/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/eventhub/private_endpoint_connection.py index 55fbc39c8a2e..b0a3f1c2be0e 100644 --- a/sdk/python/pulumi_azure_native/eventhub/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/eventhub/private_endpoint_connection.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20180101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventhub/v20210101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventhub/v20210601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventhub/v20211101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventhub/v20220101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventhub/v20221001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventhub/v20240101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20221001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventhub/v20240101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventhub_v20180101preview:eventhub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventhub_v20210101preview:eventhub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventhub_v20210601preview:eventhub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventhub_v20211101:eventhub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventhub_v20220101preview:eventhub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventhub_v20221001preview:eventhub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventhub_v20230101preview:eventhub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventhub_v20240101:eventhub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_eventhub_v20240501preview:eventhub:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:eventhub:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/eventhub/schema_registry.py b/sdk/python/pulumi_azure_native/eventhub/schema_registry.py index 7f251e5e9d03..750181556117 100644 --- a/sdk/python/pulumi_azure_native/eventhub/schema_registry.py +++ b/sdk/python/pulumi_azure_native/eventhub/schema_registry.py @@ -199,7 +199,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at_utc"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20211101:SchemaRegistry"), pulumi.Alias(type_="azure-native:eventhub/v20220101preview:SchemaRegistry"), pulumi.Alias(type_="azure-native:eventhub/v20221001preview:SchemaRegistry"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:SchemaRegistry"), pulumi.Alias(type_="azure-native:eventhub/v20240101:SchemaRegistry"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:SchemaRegistry")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:eventhub/v20221001preview:SchemaRegistry"), pulumi.Alias(type_="azure-native:eventhub/v20230101preview:SchemaRegistry"), pulumi.Alias(type_="azure-native:eventhub/v20240101:SchemaRegistry"), pulumi.Alias(type_="azure-native:eventhub/v20240501preview:SchemaRegistry"), pulumi.Alias(type_="azure-native_eventhub_v20211101:eventhub:SchemaRegistry"), pulumi.Alias(type_="azure-native_eventhub_v20220101preview:eventhub:SchemaRegistry"), pulumi.Alias(type_="azure-native_eventhub_v20221001preview:eventhub:SchemaRegistry"), pulumi.Alias(type_="azure-native_eventhub_v20230101preview:eventhub:SchemaRegistry"), pulumi.Alias(type_="azure-native_eventhub_v20240101:eventhub:SchemaRegistry"), pulumi.Alias(type_="azure-native_eventhub_v20240501preview:eventhub:SchemaRegistry")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SchemaRegistry, __self__).__init__( 'azure-native:eventhub:SchemaRegistry', diff --git a/sdk/python/pulumi_azure_native/extendedlocation/custom_location.py b/sdk/python/pulumi_azure_native/extendedlocation/custom_location.py index 7b471f4dba78..2410c457423f 100644 --- a/sdk/python/pulumi_azure_native/extendedlocation/custom_location.py +++ b/sdk/python/pulumi_azure_native/extendedlocation/custom_location.py @@ -325,7 +325,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:extendedlocation/v20210315preview:CustomLocation"), pulumi.Alias(type_="azure-native:extendedlocation/v20210815:CustomLocation"), pulumi.Alias(type_="azure-native:extendedlocation/v20210831preview:CustomLocation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:extendedlocation/v20210815:CustomLocation"), pulumi.Alias(type_="azure-native:extendedlocation/v20210831preview:CustomLocation"), pulumi.Alias(type_="azure-native_extendedlocation_v20210315preview:extendedlocation:CustomLocation"), pulumi.Alias(type_="azure-native_extendedlocation_v20210815:extendedlocation:CustomLocation"), pulumi.Alias(type_="azure-native_extendedlocation_v20210831preview:extendedlocation:CustomLocation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomLocation, __self__).__init__( 'azure-native:extendedlocation:CustomLocation', diff --git a/sdk/python/pulumi_azure_native/extendedlocation/resource_sync_rule.py b/sdk/python/pulumi_azure_native/extendedlocation/resource_sync_rule.py index 796893641c8b..14b5c53f3a12 100644 --- a/sdk/python/pulumi_azure_native/extendedlocation/resource_sync_rule.py +++ b/sdk/python/pulumi_azure_native/extendedlocation/resource_sync_rule.py @@ -242,7 +242,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:extendedlocation/v20210831preview:ResourceSyncRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:extendedlocation/v20210831preview:ResourceSyncRule"), pulumi.Alias(type_="azure-native_extendedlocation_v20210831preview:extendedlocation:ResourceSyncRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ResourceSyncRule, __self__).__init__( 'azure-native:extendedlocation:ResourceSyncRule', diff --git a/sdk/python/pulumi_azure_native/fabric/fabric_capacity.py b/sdk/python/pulumi_azure_native/fabric/fabric_capacity.py index 1089685b0ecd..937337bf05bf 100644 --- a/sdk/python/pulumi_azure_native/fabric/fabric_capacity.py +++ b/sdk/python/pulumi_azure_native/fabric/fabric_capacity.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:fabric/v20231101:FabricCapacity"), pulumi.Alias(type_="azure-native:fabric/v20250115preview:FabricCapacity")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:fabric/v20231101:FabricCapacity"), pulumi.Alias(type_="azure-native:fabric/v20250115preview:FabricCapacity"), pulumi.Alias(type_="azure-native_fabric_v20231101:fabric:FabricCapacity"), pulumi.Alias(type_="azure-native_fabric_v20250115preview:fabric:FabricCapacity")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FabricCapacity, __self__).__init__( 'azure-native:fabric:FabricCapacity', diff --git a/sdk/python/pulumi_azure_native/features/subscription_feature_registration.py b/sdk/python/pulumi_azure_native/features/subscription_feature_registration.py index 729da1a74633..d2dd7b3114ab 100644 --- a/sdk/python/pulumi_azure_native/features/subscription_feature_registration.py +++ b/sdk/python/pulumi_azure_native/features/subscription_feature_registration.py @@ -135,7 +135,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:features/v20210701:SubscriptionFeatureRegistration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:features/v20210701:SubscriptionFeatureRegistration"), pulumi.Alias(type_="azure-native_features_v20210701:features:SubscriptionFeatureRegistration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SubscriptionFeatureRegistration, __self__).__init__( 'azure-native:features:SubscriptionFeatureRegistration', diff --git a/sdk/python/pulumi_azure_native/fluidrelay/fluid_relay_server.py b/sdk/python/pulumi_azure_native/fluidrelay/fluid_relay_server.py index e07f16bf4da8..5b84479d1836 100644 --- a/sdk/python/pulumi_azure_native/fluidrelay/fluid_relay_server.py +++ b/sdk/python/pulumi_azure_native/fluidrelay/fluid_relay_server.py @@ -243,7 +243,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:fluidrelay/v20210312preview:FluidRelayServer"), pulumi.Alias(type_="azure-native:fluidrelay/v20210615preview:FluidRelayServer"), pulumi.Alias(type_="azure-native:fluidrelay/v20210830preview:FluidRelayServer"), pulumi.Alias(type_="azure-native:fluidrelay/v20210910preview:FluidRelayServer"), pulumi.Alias(type_="azure-native:fluidrelay/v20220215:FluidRelayServer"), pulumi.Alias(type_="azure-native:fluidrelay/v20220421:FluidRelayServer"), pulumi.Alias(type_="azure-native:fluidrelay/v20220511:FluidRelayServer"), pulumi.Alias(type_="azure-native:fluidrelay/v20220526:FluidRelayServer"), pulumi.Alias(type_="azure-native:fluidrelay/v20220601:FluidRelayServer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:fluidrelay/v20210615preview:FluidRelayServer"), pulumi.Alias(type_="azure-native:fluidrelay/v20220601:FluidRelayServer"), pulumi.Alias(type_="azure-native_fluidrelay_v20210312preview:fluidrelay:FluidRelayServer"), pulumi.Alias(type_="azure-native_fluidrelay_v20210615preview:fluidrelay:FluidRelayServer"), pulumi.Alias(type_="azure-native_fluidrelay_v20210830preview:fluidrelay:FluidRelayServer"), pulumi.Alias(type_="azure-native_fluidrelay_v20210910preview:fluidrelay:FluidRelayServer"), pulumi.Alias(type_="azure-native_fluidrelay_v20220215:fluidrelay:FluidRelayServer"), pulumi.Alias(type_="azure-native_fluidrelay_v20220421:fluidrelay:FluidRelayServer"), pulumi.Alias(type_="azure-native_fluidrelay_v20220511:fluidrelay:FluidRelayServer"), pulumi.Alias(type_="azure-native_fluidrelay_v20220526:fluidrelay:FluidRelayServer"), pulumi.Alias(type_="azure-native_fluidrelay_v20220601:fluidrelay:FluidRelayServer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FluidRelayServer, __self__).__init__( 'azure-native:fluidrelay:FluidRelayServer', diff --git a/sdk/python/pulumi_azure_native/frontdoor/experiment.py b/sdk/python/pulumi_azure_native/frontdoor/experiment.py index 591bd3089986..1ba86d5327b3 100644 --- a/sdk/python/pulumi_azure_native/frontdoor/experiment.py +++ b/sdk/python/pulumi_azure_native/frontdoor/experiment.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["script_file_uri"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:frontdoor/v20191101:Experiment"), pulumi.Alias(type_="azure-native:network/v20191101:Experiment"), pulumi.Alias(type_="azure-native:network:Experiment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20191101:Experiment"), pulumi.Alias(type_="azure-native:network:Experiment"), pulumi.Alias(type_="azure-native_frontdoor_v20191101:frontdoor:Experiment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Experiment, __self__).__init__( 'azure-native:frontdoor:Experiment', diff --git a/sdk/python/pulumi_azure_native/frontdoor/front_door.py b/sdk/python/pulumi_azure_native/frontdoor/front_door.py index 7de8c8c2766f..b8d56cc6ee09 100644 --- a/sdk/python/pulumi_azure_native/frontdoor/front_door.py +++ b/sdk/python/pulumi_azure_native/frontdoor/front_door.py @@ -330,7 +330,7 @@ def _internal_init(__self__, __props__.__dict__["resource_state"] = None __props__.__dict__["rules_engines"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:frontdoor/v20190401:FrontDoor"), pulumi.Alias(type_="azure-native:frontdoor/v20190501:FrontDoor"), pulumi.Alias(type_="azure-native:frontdoor/v20200101:FrontDoor"), pulumi.Alias(type_="azure-native:frontdoor/v20200401:FrontDoor"), pulumi.Alias(type_="azure-native:frontdoor/v20200501:FrontDoor"), pulumi.Alias(type_="azure-native:frontdoor/v20210601:FrontDoor"), pulumi.Alias(type_="azure-native:network/v20210601:FrontDoor"), pulumi.Alias(type_="azure-native:network:FrontDoor")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210601:FrontDoor"), pulumi.Alias(type_="azure-native:network:FrontDoor"), pulumi.Alias(type_="azure-native_frontdoor_v20190401:frontdoor:FrontDoor"), pulumi.Alias(type_="azure-native_frontdoor_v20190501:frontdoor:FrontDoor"), pulumi.Alias(type_="azure-native_frontdoor_v20200101:frontdoor:FrontDoor"), pulumi.Alias(type_="azure-native_frontdoor_v20200401:frontdoor:FrontDoor"), pulumi.Alias(type_="azure-native_frontdoor_v20200501:frontdoor:FrontDoor"), pulumi.Alias(type_="azure-native_frontdoor_v20210601:frontdoor:FrontDoor")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FrontDoor, __self__).__init__( 'azure-native:frontdoor:FrontDoor', diff --git a/sdk/python/pulumi_azure_native/frontdoor/network_experiment_profile.py b/sdk/python/pulumi_azure_native/frontdoor/network_experiment_profile.py index 7c587c167e99..26affec33123 100644 --- a/sdk/python/pulumi_azure_native/frontdoor/network_experiment_profile.py +++ b/sdk/python/pulumi_azure_native/frontdoor/network_experiment_profile.py @@ -199,7 +199,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["resource_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:frontdoor/v20191101:NetworkExperimentProfile"), pulumi.Alias(type_="azure-native:network/v20191101:NetworkExperimentProfile"), pulumi.Alias(type_="azure-native:network:NetworkExperimentProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20191101:NetworkExperimentProfile"), pulumi.Alias(type_="azure-native:network:NetworkExperimentProfile"), pulumi.Alias(type_="azure-native_frontdoor_v20191101:frontdoor:NetworkExperimentProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkExperimentProfile, __self__).__init__( 'azure-native:frontdoor:NetworkExperimentProfile', diff --git a/sdk/python/pulumi_azure_native/frontdoor/policy.py b/sdk/python/pulumi_azure_native/frontdoor/policy.py index 410d36e91335..0f84feb21efd 100644 --- a/sdk/python/pulumi_azure_native/frontdoor/policy.py +++ b/sdk/python/pulumi_azure_native/frontdoor/policy.py @@ -250,7 +250,7 @@ def _internal_init(__self__, __props__.__dict__["routing_rule_links"] = None __props__.__dict__["security_policy_links"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:frontdoor/v20190301:Policy"), pulumi.Alias(type_="azure-native:frontdoor/v20191001:Policy"), pulumi.Alias(type_="azure-native:frontdoor/v20200401:Policy"), pulumi.Alias(type_="azure-native:frontdoor/v20201101:Policy"), pulumi.Alias(type_="azure-native:frontdoor/v20210601:Policy"), pulumi.Alias(type_="azure-native:frontdoor/v20220501:Policy"), pulumi.Alias(type_="azure-native:frontdoor/v20240201:Policy"), pulumi.Alias(type_="azure-native:network/v20210601:Policy"), pulumi.Alias(type_="azure-native:network/v20220501:Policy"), pulumi.Alias(type_="azure-native:network/v20240201:Policy"), pulumi.Alias(type_="azure-native:network:Policy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210601:Policy"), pulumi.Alias(type_="azure-native:network/v20220501:Policy"), pulumi.Alias(type_="azure-native:network/v20240201:Policy"), pulumi.Alias(type_="azure-native:network:Policy"), pulumi.Alias(type_="azure-native_frontdoor_v20190301:frontdoor:Policy"), pulumi.Alias(type_="azure-native_frontdoor_v20191001:frontdoor:Policy"), pulumi.Alias(type_="azure-native_frontdoor_v20200401:frontdoor:Policy"), pulumi.Alias(type_="azure-native_frontdoor_v20201101:frontdoor:Policy"), pulumi.Alias(type_="azure-native_frontdoor_v20210601:frontdoor:Policy"), pulumi.Alias(type_="azure-native_frontdoor_v20220501:frontdoor:Policy"), pulumi.Alias(type_="azure-native_frontdoor_v20240201:frontdoor:Policy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Policy, __self__).__init__( 'azure-native:frontdoor:Policy', diff --git a/sdk/python/pulumi_azure_native/frontdoor/rules_engine.py b/sdk/python/pulumi_azure_native/frontdoor/rules_engine.py index 88568eac2d9c..b2def05ea939 100644 --- a/sdk/python/pulumi_azure_native/frontdoor/rules_engine.py +++ b/sdk/python/pulumi_azure_native/frontdoor/rules_engine.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["resource_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:frontdoor/v20200101:RulesEngine"), pulumi.Alias(type_="azure-native:frontdoor/v20200401:RulesEngine"), pulumi.Alias(type_="azure-native:frontdoor/v20200501:RulesEngine"), pulumi.Alias(type_="azure-native:frontdoor/v20210601:RulesEngine"), pulumi.Alias(type_="azure-native:network/v20210601:RulesEngine"), pulumi.Alias(type_="azure-native:network:RulesEngine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210601:RulesEngine"), pulumi.Alias(type_="azure-native:network:RulesEngine"), pulumi.Alias(type_="azure-native_frontdoor_v20200101:frontdoor:RulesEngine"), pulumi.Alias(type_="azure-native_frontdoor_v20200401:frontdoor:RulesEngine"), pulumi.Alias(type_="azure-native_frontdoor_v20200501:frontdoor:RulesEngine"), pulumi.Alias(type_="azure-native_frontdoor_v20210601:frontdoor:RulesEngine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RulesEngine, __self__).__init__( 'azure-native:frontdoor:RulesEngine', diff --git a/sdk/python/pulumi_azure_native/graphservices/account.py b/sdk/python/pulumi_azure_native/graphservices/account.py index 732c9891ab53..8fc5d68a7093 100644 --- a/sdk/python/pulumi_azure_native/graphservices/account.py +++ b/sdk/python/pulumi_azure_native/graphservices/account.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:graphservices/v20220922preview:Account"), pulumi.Alias(type_="azure-native:graphservices/v20230413:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:graphservices/v20230413:Account"), pulumi.Alias(type_="azure-native_graphservices_v20220922preview:graphservices:Account"), pulumi.Alias(type_="azure-native_graphservices_v20230413:graphservices:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:graphservices:Account', diff --git a/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_assignment.py b/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_assignment.py index fd284f87d262..693ace463427 100644 --- a/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_assignment.py +++ b/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_assignment.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:guestconfiguration/v20180630preview:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20181120:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20200625:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20210125:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20220125:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20240405:GuestConfigurationAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:guestconfiguration/v20220125:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20240405:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20180630preview:guestconfiguration:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20181120:guestconfiguration:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20200625:guestconfiguration:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20210125:guestconfiguration:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GuestConfigurationAssignment, __self__).__init__( 'azure-native:guestconfiguration:GuestConfigurationAssignment', diff --git a/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_assignments_vmss.py b/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_assignments_vmss.py index 485646a5b4e6..91cde40f90ce 100644 --- a/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_assignments_vmss.py +++ b/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_assignments_vmss.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:guestconfiguration/v20220125:GuestConfigurationAssignmentsVMSS"), pulumi.Alias(type_="azure-native:guestconfiguration/v20240405:GuestConfigurationAssignmentsVMSS")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:guestconfiguration/v20220125:GuestConfigurationAssignmentsVMSS"), pulumi.Alias(type_="azure-native:guestconfiguration/v20240405:GuestConfigurationAssignmentsVMSS"), pulumi.Alias(type_="azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationAssignmentsVMSS"), pulumi.Alias(type_="azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationAssignmentsVMSS")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GuestConfigurationAssignmentsVMSS, __self__).__init__( 'azure-native:guestconfiguration:GuestConfigurationAssignmentsVMSS', diff --git a/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_connected_v_mwarev_sphere_assignment.py b/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_connected_v_mwarev_sphere_assignment.py index d4b865e7f946..fc5d7b9b8622 100644 --- a/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_connected_v_mwarev_sphere_assignment.py +++ b/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_connected_v_mwarev_sphere_assignment.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:guestconfiguration/v20200625:GuestConfigurationConnectedVMwarevSphereAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20220125:GuestConfigurationConnectedVMwarevSphereAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20240405:GuestConfigurationConnectedVMwarevSphereAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:guestconfiguration/v20220125:GuestConfigurationConnectedVMwarevSphereAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20240405:GuestConfigurationConnectedVMwarevSphereAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20200625:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GuestConfigurationConnectedVMwarevSphereAssignment, __self__).__init__( 'azure-native:guestconfiguration:GuestConfigurationConnectedVMwarevSphereAssignment', diff --git a/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_hcrpassignment.py b/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_hcrpassignment.py index 32cdc54d7c80..46095266439c 100644 --- a/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_hcrpassignment.py +++ b/sdk/python/pulumi_azure_native/guestconfiguration/guest_configuration_hcrpassignment.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:guestconfiguration/v20181120:GuestConfigurationHCRPAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20200625:GuestConfigurationHCRPAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20210125:GuestConfigurationHCRPAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20220125:GuestConfigurationHCRPAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20240405:GuestConfigurationHCRPAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:guestconfiguration/v20220125:GuestConfigurationHCRPAssignment"), pulumi.Alias(type_="azure-native:guestconfiguration/v20240405:GuestConfigurationHCRPAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20181120:guestconfiguration:GuestConfigurationHCRPAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20200625:guestconfiguration:GuestConfigurationHCRPAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20210125:guestconfiguration:GuestConfigurationHCRPAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20220125:guestconfiguration:GuestConfigurationHCRPAssignment"), pulumi.Alias(type_="azure-native_guestconfiguration_v20240405:guestconfiguration:GuestConfigurationHCRPAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GuestConfigurationHCRPAssignment, __self__).__init__( 'azure-native:guestconfiguration:GuestConfigurationHCRPAssignment', diff --git a/sdk/python/pulumi_azure_native/hardwaresecuritymodules/cloud_hsm_cluster.py b/sdk/python/pulumi_azure_native/hardwaresecuritymodules/cloud_hsm_cluster.py index 4332a8ac2a72..4e749b319f5f 100644 --- a/sdk/python/pulumi_azure_native/hardwaresecuritymodules/cloud_hsm_cluster.py +++ b/sdk/python/pulumi_azure_native/hardwaresecuritymodules/cloud_hsm_cluster.py @@ -250,7 +250,7 @@ def _internal_init(__self__, __props__.__dict__["status_message"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmCluster"), pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmCluster"), pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmCluster"), pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmCluster"), pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmCluster"), pulumi.Alias(type_="azure-native_hardwaresecuritymodules_v20220831preview:hardwaresecuritymodules:CloudHsmCluster"), pulumi.Alias(type_="azure-native_hardwaresecuritymodules_v20231210preview:hardwaresecuritymodules:CloudHsmCluster"), pulumi.Alias(type_="azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:CloudHsmCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudHsmCluster, __self__).__init__( 'azure-native:hardwaresecuritymodules:CloudHsmCluster', diff --git a/sdk/python/pulumi_azure_native/hardwaresecuritymodules/cloud_hsm_cluster_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/hardwaresecuritymodules/cloud_hsm_cluster_private_endpoint_connection.py index 1ce54933e9e3..d16b52f12631 100644 --- a/sdk/python/pulumi_azure_native/hardwaresecuritymodules/cloud_hsm_cluster_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/hardwaresecuritymodules/cloud_hsm_cluster_private_endpoint_connection.py @@ -171,7 +171,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmClusterPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmClusterPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmClusterPrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20220831preview:CloudHsmClusterPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20231210preview:CloudHsmClusterPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20240630preview:CloudHsmClusterPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hardwaresecuritymodules_v20220831preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hardwaresecuritymodules_v20231210preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudHsmClusterPrivateEndpointConnection, __self__).__init__( 'azure-native:hardwaresecuritymodules:CloudHsmClusterPrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/hardwaresecuritymodules/dedicated_hsm.py b/sdk/python/pulumi_azure_native/hardwaresecuritymodules/dedicated_hsm.py index cce81425dceb..e8e7cc869570 100644 --- a/sdk/python/pulumi_azure_native/hardwaresecuritymodules/dedicated_hsm.py +++ b/sdk/python/pulumi_azure_native/hardwaresecuritymodules/dedicated_hsm.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["status_message"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20181031preview:DedicatedHsm"), pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20211130:DedicatedHsm"), pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20240630preview:DedicatedHsm")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20211130:DedicatedHsm"), pulumi.Alias(type_="azure-native:hardwaresecuritymodules/v20240630preview:DedicatedHsm"), pulumi.Alias(type_="azure-native_hardwaresecuritymodules_v20181031preview:hardwaresecuritymodules:DedicatedHsm"), pulumi.Alias(type_="azure-native_hardwaresecuritymodules_v20211130:hardwaresecuritymodules:DedicatedHsm"), pulumi.Alias(type_="azure-native_hardwaresecuritymodules_v20240630preview:hardwaresecuritymodules:DedicatedHsm")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DedicatedHsm, __self__).__init__( 'azure-native:hardwaresecuritymodules:DedicatedHsm', diff --git a/sdk/python/pulumi_azure_native/hdinsight/application.py b/sdk/python/pulumi_azure_native/hdinsight/application.py index fdb113100619..a462140164e2 100644 --- a/sdk/python/pulumi_azure_native/hdinsight/application.py +++ b/sdk/python/pulumi_azure_native/hdinsight/application.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hdinsight/v20150301preview:Application"), pulumi.Alias(type_="azure-native:hdinsight/v20180601preview:Application"), pulumi.Alias(type_="azure-native:hdinsight/v20210601:Application"), pulumi.Alias(type_="azure-native:hdinsight/v20230415preview:Application"), pulumi.Alias(type_="azure-native:hdinsight/v20230815preview:Application"), pulumi.Alias(type_="azure-native:hdinsight/v20240801preview:Application"), pulumi.Alias(type_="azure-native:hdinsight/v20250115preview:Application")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hdinsight/v20210601:Application"), pulumi.Alias(type_="azure-native:hdinsight/v20230415preview:Application"), pulumi.Alias(type_="azure-native:hdinsight/v20230815preview:Application"), pulumi.Alias(type_="azure-native:hdinsight/v20240801preview:Application"), pulumi.Alias(type_="azure-native_hdinsight_v20150301preview:hdinsight:Application"), pulumi.Alias(type_="azure-native_hdinsight_v20180601preview:hdinsight:Application"), pulumi.Alias(type_="azure-native_hdinsight_v20210601:hdinsight:Application"), pulumi.Alias(type_="azure-native_hdinsight_v20230415preview:hdinsight:Application"), pulumi.Alias(type_="azure-native_hdinsight_v20230815preview:hdinsight:Application"), pulumi.Alias(type_="azure-native_hdinsight_v20240801preview:hdinsight:Application"), pulumi.Alias(type_="azure-native_hdinsight_v20250115preview:hdinsight:Application")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Application, __self__).__init__( 'azure-native:hdinsight:Application', diff --git a/sdk/python/pulumi_azure_native/hdinsight/cluster.py b/sdk/python/pulumi_azure_native/hdinsight/cluster.py index 8113cef99f0e..a1461ed6462b 100644 --- a/sdk/python/pulumi_azure_native/hdinsight/cluster.py +++ b/sdk/python/pulumi_azure_native/hdinsight/cluster.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hdinsight/v20150301preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20180601preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20210601:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20230415preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20230601preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20230815preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20231101preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20240501preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20240801preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20250115preview:Cluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hdinsight/v20210601:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20230415preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20230815preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20240801preview:Cluster"), pulumi.Alias(type_="azure-native_hdinsight_v20150301preview:hdinsight:Cluster"), pulumi.Alias(type_="azure-native_hdinsight_v20180601preview:hdinsight:Cluster"), pulumi.Alias(type_="azure-native_hdinsight_v20210601:hdinsight:Cluster"), pulumi.Alias(type_="azure-native_hdinsight_v20230415preview:hdinsight:Cluster"), pulumi.Alias(type_="azure-native_hdinsight_v20230815preview:hdinsight:Cluster"), pulumi.Alias(type_="azure-native_hdinsight_v20240801preview:hdinsight:Cluster"), pulumi.Alias(type_="azure-native_hdinsight_v20250115preview:hdinsight:Cluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cluster, __self__).__init__( 'azure-native:hdinsight:Cluster', diff --git a/sdk/python/pulumi_azure_native/hdinsight/cluster_pool.py b/sdk/python/pulumi_azure_native/hdinsight/cluster_pool.py index 8808ae61e767..fda512e556d3 100644 --- a/sdk/python/pulumi_azure_native/hdinsight/cluster_pool.py +++ b/sdk/python/pulumi_azure_native/hdinsight/cluster_pool.py @@ -271,7 +271,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hdinsight/v20230601preview:ClusterPool"), pulumi.Alias(type_="azure-native:hdinsight/v20231101preview:ClusterPool"), pulumi.Alias(type_="azure-native:hdinsight/v20240501preview:ClusterPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hdinsight/v20230601preview:ClusterPool"), pulumi.Alias(type_="azure-native:hdinsight/v20231101preview:ClusterPool"), pulumi.Alias(type_="azure-native:hdinsight/v20240501preview:ClusterPool"), pulumi.Alias(type_="azure-native_hdinsight_v20230601preview:hdinsight:ClusterPool"), pulumi.Alias(type_="azure-native_hdinsight_v20231101preview:hdinsight:ClusterPool"), pulumi.Alias(type_="azure-native_hdinsight_v20240501preview:hdinsight:ClusterPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ClusterPool, __self__).__init__( 'azure-native:hdinsight:ClusterPool', diff --git a/sdk/python/pulumi_azure_native/hdinsight/cluster_pool_cluster.py b/sdk/python/pulumi_azure_native/hdinsight/cluster_pool_cluster.py index 40097881fbe7..851e2ab5b867 100644 --- a/sdk/python/pulumi_azure_native/hdinsight/cluster_pool_cluster.py +++ b/sdk/python/pulumi_azure_native/hdinsight/cluster_pool_cluster.py @@ -252,7 +252,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hdinsight/v20230601preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20230601preview:ClusterPoolCluster"), pulumi.Alias(type_="azure-native:hdinsight/v20231101preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20231101preview:ClusterPoolCluster"), pulumi.Alias(type_="azure-native:hdinsight/v20240501preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20240501preview:ClusterPoolCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hdinsight/v20230601preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20231101preview:Cluster"), pulumi.Alias(type_="azure-native:hdinsight/v20240501preview:Cluster"), pulumi.Alias(type_="azure-native_hdinsight_v20230601preview:hdinsight:ClusterPoolCluster"), pulumi.Alias(type_="azure-native_hdinsight_v20231101preview:hdinsight:ClusterPoolCluster"), pulumi.Alias(type_="azure-native_hdinsight_v20240501preview:hdinsight:ClusterPoolCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ClusterPoolCluster, __self__).__init__( 'azure-native:hdinsight:ClusterPoolCluster', diff --git a/sdk/python/pulumi_azure_native/hdinsight/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/hdinsight/private_endpoint_connection.py index bda2697a9299..dd8c45319f6c 100644 --- a/sdk/python/pulumi_azure_native/hdinsight/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/hdinsight/private_endpoint_connection.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hdinsight/v20210601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hdinsight/v20230415preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hdinsight/v20230815preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hdinsight/v20240801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hdinsight/v20250115preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hdinsight/v20210601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hdinsight/v20230415preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hdinsight/v20230815preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hdinsight/v20240801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hdinsight_v20210601:hdinsight:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hdinsight_v20230415preview:hdinsight:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hdinsight_v20230815preview:hdinsight:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hdinsight_v20240801preview:hdinsight:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hdinsight_v20250115preview:hdinsight:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:hdinsight:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/healthbot/bot.py b/sdk/python/pulumi_azure_native/healthbot/bot.py index 2ad11c239f01..2437c176a2ae 100644 --- a/sdk/python/pulumi_azure_native/healthbot/bot.py +++ b/sdk/python/pulumi_azure_native/healthbot/bot.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthbot/v20201020:Bot"), pulumi.Alias(type_="azure-native:healthbot/v20201020preview:Bot"), pulumi.Alias(type_="azure-native:healthbot/v20201208:Bot"), pulumi.Alias(type_="azure-native:healthbot/v20201208preview:Bot"), pulumi.Alias(type_="azure-native:healthbot/v20210610:Bot"), pulumi.Alias(type_="azure-native:healthbot/v20210824:Bot"), pulumi.Alias(type_="azure-native:healthbot/v20220808:Bot"), pulumi.Alias(type_="azure-native:healthbot/v20230501:Bot"), pulumi.Alias(type_="azure-native:healthbot/v20240201:Bot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthbot/v20201208preview:Bot"), pulumi.Alias(type_="azure-native:healthbot/v20230501:Bot"), pulumi.Alias(type_="azure-native:healthbot/v20240201:Bot"), pulumi.Alias(type_="azure-native_healthbot_v20201020:healthbot:Bot"), pulumi.Alias(type_="azure-native_healthbot_v20201020preview:healthbot:Bot"), pulumi.Alias(type_="azure-native_healthbot_v20201208:healthbot:Bot"), pulumi.Alias(type_="azure-native_healthbot_v20201208preview:healthbot:Bot"), pulumi.Alias(type_="azure-native_healthbot_v20210610:healthbot:Bot"), pulumi.Alias(type_="azure-native_healthbot_v20210824:healthbot:Bot"), pulumi.Alias(type_="azure-native_healthbot_v20220808:healthbot:Bot"), pulumi.Alias(type_="azure-native_healthbot_v20230501:healthbot:Bot"), pulumi.Alias(type_="azure-native_healthbot_v20240201:healthbot:Bot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Bot, __self__).__init__( 'azure-native:healthbot:Bot', diff --git a/sdk/python/pulumi_azure_native/healthcareapis/analytics_connector.py b/sdk/python/pulumi_azure_native/healthcareapis/analytics_connector.py index 5d4492ede73e..66ed96d3626e 100644 --- a/sdk/python/pulumi_azure_native/healthcareapis/analytics_connector.py +++ b/sdk/python/pulumi_azure_native/healthcareapis/analytics_connector.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20221001preview:AnalyticsConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20221001preview:AnalyticsConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20221001preview:healthcareapis:AnalyticsConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AnalyticsConnector, __self__).__init__( 'azure-native:healthcareapis:AnalyticsConnector', diff --git a/sdk/python/pulumi_azure_native/healthcareapis/dicom_service.py b/sdk/python/pulumi_azure_native/healthcareapis/dicom_service.py index 024d35b18fce..88173b210329 100644 --- a/sdk/python/pulumi_azure_native/healthcareapis/dicom_service.py +++ b/sdk/python/pulumi_azure_native/healthcareapis/dicom_service.py @@ -293,7 +293,7 @@ def _internal_init(__self__, __props__.__dict__["service_url"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20210601preview:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20211101:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20220131preview:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20220515:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20220601:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20221001preview:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20221201:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20230228:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20250301preview:DicomService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20230228:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:DicomService"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20210601preview:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20211101:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20220131preview:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20220515:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20220601:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20221001preview:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20221201:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20230228:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20230906:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20231101:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20231201:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20240301:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20240331:healthcareapis:DicomService"), pulumi.Alias(type_="azure-native_healthcareapis_v20250301preview:healthcareapis:DicomService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DicomService, __self__).__init__( 'azure-native:healthcareapis:DicomService', diff --git a/sdk/python/pulumi_azure_native/healthcareapis/fhir_service.py b/sdk/python/pulumi_azure_native/healthcareapis/fhir_service.py index 8b1e1d19fd9d..fcae3dde5bfa 100644 --- a/sdk/python/pulumi_azure_native/healthcareapis/fhir_service.py +++ b/sdk/python/pulumi_azure_native/healthcareapis/fhir_service.py @@ -391,7 +391,7 @@ def _internal_init(__self__, __props__.__dict__["public_network_access"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20210601preview:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20211101:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20220131preview:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20220515:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20220601:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20221001preview:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20221201:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20230228:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20250301preview:FhirService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20230228:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:FhirService"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20210601preview:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20211101:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20220131preview:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20220515:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20220601:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20221001preview:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20221201:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20230228:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20230906:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20231101:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20231201:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20240301:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20240331:healthcareapis:FhirService"), pulumi.Alias(type_="azure-native_healthcareapis_v20250301preview:healthcareapis:FhirService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FhirService, __self__).__init__( 'azure-native:healthcareapis:FhirService', diff --git a/sdk/python/pulumi_azure_native/healthcareapis/iot_connector.py b/sdk/python/pulumi_azure_native/healthcareapis/iot_connector.py index 0dcf6aaad60f..9ff5af57cf66 100644 --- a/sdk/python/pulumi_azure_native/healthcareapis/iot_connector.py +++ b/sdk/python/pulumi_azure_native/healthcareapis/iot_connector.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20210601preview:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20211101:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20220131preview:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20220515:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20220601:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20221001preview:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20221201:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20230228:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20250301preview:IotConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20230228:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:IotConnector"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20210601preview:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20211101:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20220131preview:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20220515:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20220601:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20221001preview:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20221201:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20230228:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20230906:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20231101:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20231201:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20240301:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20240331:healthcareapis:IotConnector"), pulumi.Alias(type_="azure-native_healthcareapis_v20250301preview:healthcareapis:IotConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IotConnector, __self__).__init__( 'azure-native:healthcareapis:IotConnector', diff --git a/sdk/python/pulumi_azure_native/healthcareapis/iot_connector_fhir_destination.py b/sdk/python/pulumi_azure_native/healthcareapis/iot_connector_fhir_destination.py index 67e75580d235..463a1d33e617 100644 --- a/sdk/python/pulumi_azure_native/healthcareapis/iot_connector_fhir_destination.py +++ b/sdk/python/pulumi_azure_native/healthcareapis/iot_connector_fhir_destination.py @@ -251,7 +251,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20210601preview:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20211101:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20220131preview:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20220515:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20220601:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20221001preview:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20221201:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20230228:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20250301preview:IotConnectorFhirDestination")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20230228:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20210601preview:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20211101:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20220131preview:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20220515:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20220601:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20221001preview:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20221201:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20230228:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20230906:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20231101:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20231201:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20240301:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20240331:healthcareapis:IotConnectorFhirDestination"), pulumi.Alias(type_="azure-native_healthcareapis_v20250301preview:healthcareapis:IotConnectorFhirDestination")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IotConnectorFhirDestination, __self__).__init__( 'azure-native:healthcareapis:IotConnectorFhirDestination', diff --git a/sdk/python/pulumi_azure_native/healthcareapis/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/healthcareapis/private_endpoint_connection.py index 6cd91c8f8521..23c2609fc8b5 100644 --- a/sdk/python/pulumi_azure_native/healthcareapis/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/healthcareapis/private_endpoint_connection.py @@ -169,7 +169,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20200330:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20210111:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20210601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20211101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20220131preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20220515:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20220601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20221001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20221201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20230228:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20250301preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20230228:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20200330:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20210111:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20210601preview:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20211101:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20220131preview:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20220515:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20220601:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20221001preview:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20221201:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20230228:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20230906:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20231101:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20231201:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20240301:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20240331:healthcareapis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20250301preview:healthcareapis:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:healthcareapis:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/healthcareapis/service.py b/sdk/python/pulumi_azure_native/healthcareapis/service.py index ce82d70520cb..0a7e6ee2801e 100644 --- a/sdk/python/pulumi_azure_native/healthcareapis/service.py +++ b/sdk/python/pulumi_azure_native/healthcareapis/service.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20180820preview:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20190916:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20200315:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20200330:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20210111:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20210601preview:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20211101:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20220131preview:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20220515:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20220601:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20221001preview:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20221201:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20230228:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20250301preview:Service")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20230228:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:Service"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20180820preview:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20190916:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20200315:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20200330:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20210111:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20210601preview:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20211101:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20220131preview:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20220515:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20220601:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20221001preview:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20221201:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20230228:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20230906:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20231101:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20231201:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20240301:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20240331:healthcareapis:Service"), pulumi.Alias(type_="azure-native_healthcareapis_v20250301preview:healthcareapis:Service")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Service, __self__).__init__( 'azure-native:healthcareapis:Service', diff --git a/sdk/python/pulumi_azure_native/healthcareapis/workspace.py b/sdk/python/pulumi_azure_native/healthcareapis/workspace.py index 22551768b2e7..3be39cc285ed 100644 --- a/sdk/python/pulumi_azure_native/healthcareapis/workspace.py +++ b/sdk/python/pulumi_azure_native/healthcareapis/workspace.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20210601preview:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20211101:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20220131preview:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20220515:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20220601:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20221001preview:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20221201:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20230228:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20250301preview:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20230228:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:Workspace"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20210601preview:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20211101:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20220131preview:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20220515:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20220601:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20221001preview:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20221201:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20230228:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20230906:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20231101:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20231201:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20240301:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20240331:healthcareapis:Workspace"), pulumi.Alias(type_="azure-native_healthcareapis_v20250301preview:healthcareapis:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:healthcareapis:Workspace', diff --git a/sdk/python/pulumi_azure_native/healthcareapis/workspace_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/healthcareapis/workspace_private_endpoint_connection.py index f8ac09b39d1f..65465bd326e9 100644 --- a/sdk/python/pulumi_azure_native/healthcareapis/workspace_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/healthcareapis/workspace_private_endpoint_connection.py @@ -169,7 +169,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20211101:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20220131preview:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20220515:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20220601:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20221001preview:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20221201:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20230228:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20250301preview:WorkspacePrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthcareapis/v20230228:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20230906:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20231101:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20231201:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20240301:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthcareapis/v20240331:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20211101:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20220131preview:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20220515:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20220601:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20221001preview:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20221201:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20230228:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20230906:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20231101:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20231201:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20240301:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20240331:healthcareapis:WorkspacePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthcareapis_v20250301preview:healthcareapis:WorkspacePrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspacePrivateEndpointConnection, __self__).__init__( 'azure-native:healthcareapis:WorkspacePrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/healthdataaiservices/deid_service.py b/sdk/python/pulumi_azure_native/healthdataaiservices/deid_service.py index d9a5d07ef876..c02df1d9a370 100644 --- a/sdk/python/pulumi_azure_native/healthdataaiservices/deid_service.py +++ b/sdk/python/pulumi_azure_native/healthdataaiservices/deid_service.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthdataaiservices/v20240228preview:DeidService"), pulumi.Alias(type_="azure-native:healthdataaiservices/v20240920:DeidService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthdataaiservices/v20240228preview:DeidService"), pulumi.Alias(type_="azure-native:healthdataaiservices/v20240920:DeidService"), pulumi.Alias(type_="azure-native_healthdataaiservices_v20240228preview:healthdataaiservices:DeidService"), pulumi.Alias(type_="azure-native_healthdataaiservices_v20240920:healthdataaiservices:DeidService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DeidService, __self__).__init__( 'azure-native:healthdataaiservices:DeidService', diff --git a/sdk/python/pulumi_azure_native/healthdataaiservices/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/healthdataaiservices/private_endpoint_connection.py index 52cf442f4646..31e0605c0c15 100644 --- a/sdk/python/pulumi_azure_native/healthdataaiservices/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/healthdataaiservices/private_endpoint_connection.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthdataaiservices/v20240228preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthdataaiservices/v20240920:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:healthdataaiservices/v20240228preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:healthdataaiservices/v20240920:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthdataaiservices_v20240228preview:healthdataaiservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_healthdataaiservices_v20240920:healthdataaiservices:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:healthdataaiservices:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/hybridcloud/cloud_connection.py b/sdk/python/pulumi_azure_native/hybridcloud/cloud_connection.py index d3145165c6eb..6ea31d8e43dc 100644 --- a/sdk/python/pulumi_azure_native/hybridcloud/cloud_connection.py +++ b/sdk/python/pulumi_azure_native/hybridcloud/cloud_connection.py @@ -242,7 +242,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcloud/v20230101preview:CloudConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcloud/v20230101preview:CloudConnection"), pulumi.Alias(type_="azure-native_hybridcloud_v20230101preview:hybridcloud:CloudConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudConnection, __self__).__init__( 'azure-native:hybridcloud:CloudConnection', diff --git a/sdk/python/pulumi_azure_native/hybridcloud/cloud_connector.py b/sdk/python/pulumi_azure_native/hybridcloud/cloud_connector.py index 5899fd1bba31..adf4972b83e5 100644 --- a/sdk/python/pulumi_azure_native/hybridcloud/cloud_connector.py +++ b/sdk/python/pulumi_azure_native/hybridcloud/cloud_connector.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcloud/v20230101preview:CloudConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcloud/v20230101preview:CloudConnector"), pulumi.Alias(type_="azure-native_hybridcloud_v20230101preview:hybridcloud:CloudConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudConnector, __self__).__init__( 'azure-native:hybridcloud:CloudConnector', diff --git a/sdk/python/pulumi_azure_native/hybridcompute/gateway.py b/sdk/python/pulumi_azure_native/hybridcompute/gateway.py index 7b72f9ac21f9..95487d07456b 100644 --- a/sdk/python/pulumi_azure_native/hybridcompute/gateway.py +++ b/sdk/python/pulumi_azure_native/hybridcompute/gateway.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:Gateway"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:Gateway"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:Gateway"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:Gateway"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:Gateway"), pulumi.Alias(type_="azure-native:hybridcompute/v20250113:Gateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:Gateway"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:Gateway"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:Gateway"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:Gateway"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:Gateway"), pulumi.Alias(type_="azure-native_hybridcompute_v20240331preview:hybridcompute:Gateway"), pulumi.Alias(type_="azure-native_hybridcompute_v20240520preview:hybridcompute:Gateway"), pulumi.Alias(type_="azure-native_hybridcompute_v20240731preview:hybridcompute:Gateway"), pulumi.Alias(type_="azure-native_hybridcompute_v20240910preview:hybridcompute:Gateway"), pulumi.Alias(type_="azure-native_hybridcompute_v20241110preview:hybridcompute:Gateway"), pulumi.Alias(type_="azure-native_hybridcompute_v20250113:hybridcompute:Gateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Gateway, __self__).__init__( 'azure-native:hybridcompute:Gateway', diff --git a/sdk/python/pulumi_azure_native/hybridcompute/license.py b/sdk/python/pulumi_azure_native/hybridcompute/license.py index bedef83ddeba..3875ac351d56 100644 --- a/sdk/python/pulumi_azure_native/hybridcompute/license.py +++ b/sdk/python/pulumi_azure_native/hybridcompute/license.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20250113:License")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:License"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:License"), pulumi.Alias(type_="azure-native_hybridcompute_v20230620preview:hybridcompute:License"), pulumi.Alias(type_="azure-native_hybridcompute_v20231003preview:hybridcompute:License"), pulumi.Alias(type_="azure-native_hybridcompute_v20240331preview:hybridcompute:License"), pulumi.Alias(type_="azure-native_hybridcompute_v20240520preview:hybridcompute:License"), pulumi.Alias(type_="azure-native_hybridcompute_v20240710:hybridcompute:License"), pulumi.Alias(type_="azure-native_hybridcompute_v20240731preview:hybridcompute:License"), pulumi.Alias(type_="azure-native_hybridcompute_v20240910preview:hybridcompute:License"), pulumi.Alias(type_="azure-native_hybridcompute_v20241110preview:hybridcompute:License"), pulumi.Alias(type_="azure-native_hybridcompute_v20250113:hybridcompute:License")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(License, __self__).__init__( 'azure-native:hybridcompute:License', diff --git a/sdk/python/pulumi_azure_native/hybridcompute/license_profile.py b/sdk/python/pulumi_azure_native/hybridcompute/license_profile.py index 40053fb150ec..bf9a79359af0 100644 --- a/sdk/python/pulumi_azure_native/hybridcompute/license_profile.py +++ b/sdk/python/pulumi_azure_native/hybridcompute/license_profile.py @@ -297,7 +297,7 @@ def _internal_init(__self__, __props__.__dict__["server_type"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20250113:LicenseProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:LicenseProfile"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:LicenseProfile"), pulumi.Alias(type_="azure-native_hybridcompute_v20230620preview:hybridcompute:LicenseProfile"), pulumi.Alias(type_="azure-native_hybridcompute_v20231003preview:hybridcompute:LicenseProfile"), pulumi.Alias(type_="azure-native_hybridcompute_v20240331preview:hybridcompute:LicenseProfile"), pulumi.Alias(type_="azure-native_hybridcompute_v20240520preview:hybridcompute:LicenseProfile"), pulumi.Alias(type_="azure-native_hybridcompute_v20240710:hybridcompute:LicenseProfile"), pulumi.Alias(type_="azure-native_hybridcompute_v20240731preview:hybridcompute:LicenseProfile"), pulumi.Alias(type_="azure-native_hybridcompute_v20240910preview:hybridcompute:LicenseProfile"), pulumi.Alias(type_="azure-native_hybridcompute_v20241110preview:hybridcompute:LicenseProfile"), pulumi.Alias(type_="azure-native_hybridcompute_v20250113:hybridcompute:LicenseProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LicenseProfile, __self__).__init__( 'azure-native:hybridcompute:LicenseProfile', diff --git a/sdk/python/pulumi_azure_native/hybridcompute/machine.py b/sdk/python/pulumi_azure_native/hybridcompute/machine.py index 234d43b9ea1d..1f485c2dbe4c 100644 --- a/sdk/python/pulumi_azure_native/hybridcompute/machine.py +++ b/sdk/python/pulumi_azure_native/hybridcompute/machine.py @@ -485,7 +485,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["vm_uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20190318preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20190802preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20191212:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20200730preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20200802:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20200815preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20210128preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20210325preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20210422preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20210517preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20210520:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20210610preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20211210preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20220310:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20220510preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20220811preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20221110:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20230315preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20250113:Machine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20200802:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20200815preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20220510preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:Machine"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20190318preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20190802preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20191212:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20200730preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20200802:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20200815preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20210128preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20210325preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20210422preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20210517preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20210520:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20210610preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20211210preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20220310:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20220510preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20220811preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20221110:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20221227:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20221227preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20230315preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20230620preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20231003preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20240331preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20240520preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20240710:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20240731preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20240910preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20241110preview:hybridcompute:Machine"), pulumi.Alias(type_="azure-native_hybridcompute_v20250113:hybridcompute:Machine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Machine, __self__).__init__( 'azure-native:hybridcompute:Machine', diff --git a/sdk/python/pulumi_azure_native/hybridcompute/machine_extension.py b/sdk/python/pulumi_azure_native/hybridcompute/machine_extension.py index 1d08fdb5b312..39d9060c5b87 100644 --- a/sdk/python/pulumi_azure_native/hybridcompute/machine_extension.py +++ b/sdk/python/pulumi_azure_native/hybridcompute/machine_extension.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20190802preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20191212:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20200730preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20200802:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20200815preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20210128preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20210325preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20210422preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20210517preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20210520:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20210610preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20211210preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20220310:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20220510preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20220811preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20221110:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20230315preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20250113:MachineExtension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20200815preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20220510preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:MachineExtension"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20190802preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20191212:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20200730preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20200802:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20200815preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20210128preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20210325preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20210422preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20210517preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20210520:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20210610preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20211210preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20220310:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20220510preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20220811preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20221110:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20221227:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20221227preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20230315preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20230620preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20231003preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20240331preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20240520preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20240710:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20240731preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20240910preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20241110preview:hybridcompute:MachineExtension"), pulumi.Alias(type_="azure-native_hybridcompute_v20250113:hybridcompute:MachineExtension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MachineExtension, __self__).__init__( 'azure-native:hybridcompute:MachineExtension', diff --git a/sdk/python/pulumi_azure_native/hybridcompute/machine_run_command.py b/sdk/python/pulumi_azure_native/hybridcompute/machine_run_command.py index f6cd391bb708..388b04297a2d 100644 --- a/sdk/python/pulumi_azure_native/hybridcompute/machine_run_command.py +++ b/sdk/python/pulumi_azure_native/hybridcompute/machine_run_command.py @@ -411,7 +411,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:MachineRunCommand"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:MachineRunCommand"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:MachineRunCommand"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:MachineRunCommand"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:MachineRunCommand"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:MachineRunCommand"), pulumi.Alias(type_="azure-native:hybridcompute/v20250113:MachineRunCommand")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:MachineRunCommand"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:MachineRunCommand"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:MachineRunCommand"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:MachineRunCommand"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:MachineRunCommand"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:MachineRunCommand"), pulumi.Alias(type_="azure-native_hybridcompute_v20231003preview:hybridcompute:MachineRunCommand"), pulumi.Alias(type_="azure-native_hybridcompute_v20240331preview:hybridcompute:MachineRunCommand"), pulumi.Alias(type_="azure-native_hybridcompute_v20240520preview:hybridcompute:MachineRunCommand"), pulumi.Alias(type_="azure-native_hybridcompute_v20240731preview:hybridcompute:MachineRunCommand"), pulumi.Alias(type_="azure-native_hybridcompute_v20240910preview:hybridcompute:MachineRunCommand"), pulumi.Alias(type_="azure-native_hybridcompute_v20241110preview:hybridcompute:MachineRunCommand"), pulumi.Alias(type_="azure-native_hybridcompute_v20250113:hybridcompute:MachineRunCommand")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MachineRunCommand, __self__).__init__( 'azure-native:hybridcompute:MachineRunCommand', diff --git a/sdk/python/pulumi_azure_native/hybridcompute/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/hybridcompute/private_endpoint_connection.py index 7683185ba517..1d23d76eab9c 100644 --- a/sdk/python/pulumi_azure_native/hybridcompute/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/hybridcompute/private_endpoint_connection.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20200815preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20210128preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20210325preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20210422preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20210517preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20210520:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20210610preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20211210preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20220310:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20220510preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20220811preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20221110:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20230315preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20250113:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20200815preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20210128preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20210325preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20210422preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20210517preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20210520:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20210610preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20211210preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20220310:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20220510preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20220811preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20221110:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20221227:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20221227preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20230315preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20230620preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20231003preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20240331preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20240520preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20240710:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20240731preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20240910preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20241110preview:hybridcompute:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_hybridcompute_v20250113:hybridcompute:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:hybridcompute:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/hybridcompute/private_link_scope.py b/sdk/python/pulumi_azure_native/hybridcompute/private_link_scope.py index dcd4a5a7e8d4..eb17f742de94 100644 --- a/sdk/python/pulumi_azure_native/hybridcompute/private_link_scope.py +++ b/sdk/python/pulumi_azure_native/hybridcompute/private_link_scope.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20200815preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20210128preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20210325preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20210422preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20210517preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20210520:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20210610preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20211210preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20220310:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20220510preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20220811preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20221110:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20230315preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20250113:PrivateLinkScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20200815preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20221227:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20230620preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20231003preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20240331preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20240520preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20240710:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20240731preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20240910preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:hybridcompute/v20241110preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20210128preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20210325preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20210422preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20210517preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20210520:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20210610preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20211210preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20220310:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20220510preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20220811preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20221110:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20221227:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20221227preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20230315preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20230620preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20231003preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20240331preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20240520preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20240710:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20240731preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20240910preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20241110preview:hybridcompute:PrivateLinkScope"), pulumi.Alias(type_="azure-native_hybridcompute_v20250113:hybridcompute:PrivateLinkScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkScope, __self__).__init__( 'azure-native:hybridcompute:PrivateLinkScope', diff --git a/sdk/python/pulumi_azure_native/hybridcompute/private_link_scoped_resource.py b/sdk/python/pulumi_azure_native/hybridcompute/private_link_scoped_resource.py index 3c8e33bf0d37..42a59495d251 100644 --- a/sdk/python/pulumi_azure_native/hybridcompute/private_link_scoped_resource.py +++ b/sdk/python/pulumi_azure_native/hybridcompute/private_link_scoped_resource.py @@ -158,7 +158,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20200815preview:PrivateLinkScopedResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcompute/v20200815preview:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native_hybridcompute_v20200815preview:hybridcompute:PrivateLinkScopedResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkScopedResource, __self__).__init__( 'azure-native:hybridcompute:PrivateLinkScopedResource', diff --git a/sdk/python/pulumi_azure_native/hybridconnectivity/endpoint.py b/sdk/python/pulumi_azure_native/hybridconnectivity/endpoint.py index f421a0623ec9..1f9d503f5106 100644 --- a/sdk/python/pulumi_azure_native/hybridconnectivity/endpoint.py +++ b/sdk/python/pulumi_azure_native/hybridconnectivity/endpoint.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridconnectivity/v20211006preview:Endpoint"), pulumi.Alias(type_="azure-native:hybridconnectivity/v20220501preview:Endpoint"), pulumi.Alias(type_="azure-native:hybridconnectivity/v20230315:Endpoint"), pulumi.Alias(type_="azure-native:hybridconnectivity/v20241201:Endpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridconnectivity/v20220501preview:Endpoint"), pulumi.Alias(type_="azure-native:hybridconnectivity/v20230315:Endpoint"), pulumi.Alias(type_="azure-native:hybridconnectivity/v20241201:Endpoint"), pulumi.Alias(type_="azure-native_hybridconnectivity_v20211006preview:hybridconnectivity:Endpoint"), pulumi.Alias(type_="azure-native_hybridconnectivity_v20220501preview:hybridconnectivity:Endpoint"), pulumi.Alias(type_="azure-native_hybridconnectivity_v20230315:hybridconnectivity:Endpoint"), pulumi.Alias(type_="azure-native_hybridconnectivity_v20241201:hybridconnectivity:Endpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Endpoint, __self__).__init__( 'azure-native:hybridconnectivity:Endpoint', diff --git a/sdk/python/pulumi_azure_native/hybridconnectivity/public_cloud_connector.py b/sdk/python/pulumi_azure_native/hybridconnectivity/public_cloud_connector.py index 7725c8c7a36e..69880246d58d 100644 --- a/sdk/python/pulumi_azure_native/hybridconnectivity/public_cloud_connector.py +++ b/sdk/python/pulumi_azure_native/hybridconnectivity/public_cloud_connector.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridconnectivity/v20241201:PublicCloudConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridconnectivity/v20241201:PublicCloudConnector"), pulumi.Alias(type_="azure-native_hybridconnectivity_v20241201:hybridconnectivity:PublicCloudConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PublicCloudConnector, __self__).__init__( 'azure-native:hybridconnectivity:PublicCloudConnector', diff --git a/sdk/python/pulumi_azure_native/hybridconnectivity/service_configuration.py b/sdk/python/pulumi_azure_native/hybridconnectivity/service_configuration.py index 656ca6b9e63a..5a34213d8670 100644 --- a/sdk/python/pulumi_azure_native/hybridconnectivity/service_configuration.py +++ b/sdk/python/pulumi_azure_native/hybridconnectivity/service_configuration.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridconnectivity/v20230315:ServiceConfiguration"), pulumi.Alias(type_="azure-native:hybridconnectivity/v20241201:ServiceConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridconnectivity/v20230315:ServiceConfiguration"), pulumi.Alias(type_="azure-native:hybridconnectivity/v20241201:ServiceConfiguration"), pulumi.Alias(type_="azure-native_hybridconnectivity_v20230315:hybridconnectivity:ServiceConfiguration"), pulumi.Alias(type_="azure-native_hybridconnectivity_v20241201:hybridconnectivity:ServiceConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServiceConfiguration, __self__).__init__( 'azure-native:hybridconnectivity:ServiceConfiguration', diff --git a/sdk/python/pulumi_azure_native/hybridconnectivity/solution_configuration.py b/sdk/python/pulumi_azure_native/hybridconnectivity/solution_configuration.py index c97872085f72..4f3ddb96616b 100644 --- a/sdk/python/pulumi_azure_native/hybridconnectivity/solution_configuration.py +++ b/sdk/python/pulumi_azure_native/hybridconnectivity/solution_configuration.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["status_details"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridconnectivity/v20241201:SolutionConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridconnectivity/v20241201:SolutionConfiguration"), pulumi.Alias(type_="azure-native_hybridconnectivity_v20241201:hybridconnectivity:SolutionConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SolutionConfiguration, __self__).__init__( 'azure-native:hybridconnectivity:SolutionConfiguration', diff --git a/sdk/python/pulumi_azure_native/hybridcontainerservice/agent_pool.py b/sdk/python/pulumi_azure_native/hybridcontainerservice/agent_pool.py index 98a829b06b44..a97704abe2fd 100644 --- a/sdk/python/pulumi_azure_native/hybridcontainerservice/agent_pool.py +++ b/sdk/python/pulumi_azure_native/hybridcontainerservice/agent_pool.py @@ -466,7 +466,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220501preview:AgentPool"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220901preview:AgentPool"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20231115preview:AgentPool"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20240101:AgentPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220501preview:AgentPool"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220901preview:AgentPool"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:AgentPool"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:AgentPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AgentPool, __self__).__init__( 'azure-native:hybridcontainerservice:AgentPool', diff --git a/sdk/python/pulumi_azure_native/hybridcontainerservice/cluster_instance_hybrid_identity_metadatum.py b/sdk/python/pulumi_azure_native/hybridcontainerservice/cluster_instance_hybrid_identity_metadatum.py index 9d48ae127117..84ad66202733 100644 --- a/sdk/python/pulumi_azure_native/hybridcontainerservice/cluster_instance_hybrid_identity_metadatum.py +++ b/sdk/python/pulumi_azure_native/hybridcontainerservice/cluster_instance_hybrid_identity_metadatum.py @@ -144,7 +144,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20231115preview:ClusterInstanceHybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20231115preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20240101:ClusterInstanceHybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20240101:HybridIdentityMetadatum")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20231115preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20240101:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:ClusterInstanceHybridIdentityMetadatum"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:ClusterInstanceHybridIdentityMetadatum")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ClusterInstanceHybridIdentityMetadatum, __self__).__init__( 'azure-native:hybridcontainerservice:ClusterInstanceHybridIdentityMetadatum', diff --git a/sdk/python/pulumi_azure_native/hybridcontainerservice/hybrid_identity_metadatum.py b/sdk/python/pulumi_azure_native/hybridcontainerservice/hybrid_identity_metadatum.py index ada954445c8c..19306d54ad61 100644 --- a/sdk/python/pulumi_azure_native/hybridcontainerservice/hybrid_identity_metadatum.py +++ b/sdk/python/pulumi_azure_native/hybridcontainerservice/hybrid_identity_metadatum.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220501preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220901preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20231115preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20240101:HybridIdentityMetadatum")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220501preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220901preview:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:HybridIdentityMetadatum"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:HybridIdentityMetadatum")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HybridIdentityMetadatum, __self__).__init__( 'azure-native:hybridcontainerservice:HybridIdentityMetadatum', diff --git a/sdk/python/pulumi_azure_native/hybridcontainerservice/provisioned_cluster.py b/sdk/python/pulumi_azure_native/hybridcontainerservice/provisioned_cluster.py index 56f37d3abee6..459557a2d7ea 100644 --- a/sdk/python/pulumi_azure_native/hybridcontainerservice/provisioned_cluster.py +++ b/sdk/python/pulumi_azure_native/hybridcontainerservice/provisioned_cluster.py @@ -216,7 +216,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220501preview:ProvisionedCluster"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220901preview:ProvisionedCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220501preview:ProvisionedCluster"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220901preview:ProvisionedCluster"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:ProvisionedCluster"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:ProvisionedCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProvisionedCluster, __self__).__init__( 'azure-native:hybridcontainerservice:ProvisionedCluster', diff --git a/sdk/python/pulumi_azure_native/hybridcontainerservice/storage_space_retrieve.py b/sdk/python/pulumi_azure_native/hybridcontainerservice/storage_space_retrieve.py index 39b546256b0a..04281a617752 100644 --- a/sdk/python/pulumi_azure_native/hybridcontainerservice/storage_space_retrieve.py +++ b/sdk/python/pulumi_azure_native/hybridcontainerservice/storage_space_retrieve.py @@ -195,7 +195,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220501preview:StorageSpaceRetrieve"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220901preview:StorageSpaceRetrieve")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220901preview:StorageSpaceRetrieve"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:StorageSpaceRetrieve"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:StorageSpaceRetrieve")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageSpaceRetrieve, __self__).__init__( 'azure-native:hybridcontainerservice:StorageSpaceRetrieve', diff --git a/sdk/python/pulumi_azure_native/hybridcontainerservice/virtual_network_retrieve.py b/sdk/python/pulumi_azure_native/hybridcontainerservice/virtual_network_retrieve.py index aeb657836ce7..886f22bb29dd 100644 --- a/sdk/python/pulumi_azure_native/hybridcontainerservice/virtual_network_retrieve.py +++ b/sdk/python/pulumi_azure_native/hybridcontainerservice/virtual_network_retrieve.py @@ -199,7 +199,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220501preview:VirtualNetworkRetrieve"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220901preview:VirtualNetworkRetrieve"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20231115preview:VirtualNetworkRetrieve"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20240101:VirtualNetworkRetrieve")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridcontainerservice/v20220901preview:VirtualNetworkRetrieve"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20231115preview:VirtualNetworkRetrieve"), pulumi.Alias(type_="azure-native:hybridcontainerservice/v20240101:VirtualNetworkRetrieve"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20220501preview:hybridcontainerservice:VirtualNetworkRetrieve"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20220901preview:hybridcontainerservice:VirtualNetworkRetrieve"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20231115preview:hybridcontainerservice:VirtualNetworkRetrieve"), pulumi.Alias(type_="azure-native_hybridcontainerservice_v20240101:hybridcontainerservice:VirtualNetworkRetrieve")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetworkRetrieve, __self__).__init__( 'azure-native:hybridcontainerservice:VirtualNetworkRetrieve', diff --git a/sdk/python/pulumi_azure_native/hybriddata/data_manager.py b/sdk/python/pulumi_azure_native/hybriddata/data_manager.py index c17ce5570ce5..cb720c307d26 100644 --- a/sdk/python/pulumi_azure_native/hybriddata/data_manager.py +++ b/sdk/python/pulumi_azure_native/hybriddata/data_manager.py @@ -189,7 +189,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybriddata/v20160601:DataManager"), pulumi.Alias(type_="azure-native:hybriddata/v20190601:DataManager")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybriddata/v20190601:DataManager"), pulumi.Alias(type_="azure-native_hybriddata_v20160601:hybriddata:DataManager"), pulumi.Alias(type_="azure-native_hybriddata_v20190601:hybriddata:DataManager")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataManager, __self__).__init__( 'azure-native:hybriddata:DataManager', diff --git a/sdk/python/pulumi_azure_native/hybriddata/data_store.py b/sdk/python/pulumi_azure_native/hybriddata/data_store.py index 47960c058838..8e27fcabce47 100644 --- a/sdk/python/pulumi_azure_native/hybriddata/data_store.py +++ b/sdk/python/pulumi_azure_native/hybriddata/data_store.py @@ -243,7 +243,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybriddata/v20160601:DataStore"), pulumi.Alias(type_="azure-native:hybriddata/v20190601:DataStore")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybriddata/v20190601:DataStore"), pulumi.Alias(type_="azure-native_hybriddata_v20160601:hybriddata:DataStore"), pulumi.Alias(type_="azure-native_hybriddata_v20190601:hybriddata:DataStore")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataStore, __self__).__init__( 'azure-native:hybriddata:DataStore', diff --git a/sdk/python/pulumi_azure_native/hybriddata/job_definition.py b/sdk/python/pulumi_azure_native/hybriddata/job_definition.py index a5510d5b0aea..1ac9ef67f8be 100644 --- a/sdk/python/pulumi_azure_native/hybriddata/job_definition.py +++ b/sdk/python/pulumi_azure_native/hybriddata/job_definition.py @@ -349,7 +349,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybriddata/v20160601:JobDefinition"), pulumi.Alias(type_="azure-native:hybriddata/v20190601:JobDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybriddata/v20190601:JobDefinition"), pulumi.Alias(type_="azure-native_hybriddata_v20160601:hybriddata:JobDefinition"), pulumi.Alias(type_="azure-native_hybriddata_v20190601:hybriddata:JobDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JobDefinition, __self__).__init__( 'azure-native:hybriddata:JobDefinition', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/artifact_manifest.py b/sdk/python/pulumi_azure_native/hybridnetwork/artifact_manifest.py index 90aa5d5b962e..3c1d53e63cd5 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/artifact_manifest.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/artifact_manifest.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:ArtifactManifest"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:ArtifactManifest")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:ArtifactManifest"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:ArtifactManifest"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:ArtifactManifest"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:ArtifactManifest")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ArtifactManifest, __self__).__init__( 'azure-native:hybridnetwork:ArtifactManifest', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/artifact_store.py b/sdk/python/pulumi_azure_native/hybridnetwork/artifact_store.py index bee8f9f252f8..4c27ed3e23a4 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/artifact_store.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/artifact_store.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:ArtifactStore"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:ArtifactStore")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:ArtifactStore"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:ArtifactStore"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:ArtifactStore"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:ArtifactStore")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ArtifactStore, __self__).__init__( 'azure-native:hybridnetwork:ArtifactStore', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/configuration_group_schema.py b/sdk/python/pulumi_azure_native/hybridnetwork/configuration_group_schema.py index 9348b4709af2..96836c0e6e7b 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/configuration_group_schema.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/configuration_group_schema.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:ConfigurationGroupSchema"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:ConfigurationGroupSchema")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:ConfigurationGroupSchema"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:ConfigurationGroupSchema"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:ConfigurationGroupSchema"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:ConfigurationGroupSchema")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationGroupSchema, __self__).__init__( 'azure-native:hybridnetwork:ConfigurationGroupSchema', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/configuration_group_value.py b/sdk/python/pulumi_azure_native/hybridnetwork/configuration_group_value.py index ef2c692fc85b..e876912e311b 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/configuration_group_value.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/configuration_group_value.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:ConfigurationGroupValue"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:ConfigurationGroupValue")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:ConfigurationGroupValue"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:ConfigurationGroupValue"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:ConfigurationGroupValue"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:ConfigurationGroupValue")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationGroupValue, __self__).__init__( 'azure-native:hybridnetwork:ConfigurationGroupValue', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/device.py b/sdk/python/pulumi_azure_native/hybridnetwork/device.py index ce9f99c8f3ce..5ef02ecd00b4 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/device.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/device.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20200101preview:Device"), pulumi.Alias(type_="azure-native:hybridnetwork/v20210501:Device"), pulumi.Alias(type_="azure-native:hybridnetwork/v20220101preview:Device")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20220101preview:Device"), pulumi.Alias(type_="azure-native_hybridnetwork_v20200101preview:hybridnetwork:Device"), pulumi.Alias(type_="azure-native_hybridnetwork_v20210501:hybridnetwork:Device"), pulumi.Alias(type_="azure-native_hybridnetwork_v20220101preview:hybridnetwork:Device")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Device, __self__).__init__( 'azure-native:hybridnetwork:Device', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/network_function.py b/sdk/python/pulumi_azure_native/hybridnetwork/network_function.py index a4fb232b4ba7..ee45cd872789 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/network_function.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/network_function.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20200101preview:NetworkFunction"), pulumi.Alias(type_="azure-native:hybridnetwork/v20210501:NetworkFunction"), pulumi.Alias(type_="azure-native:hybridnetwork/v20220101preview:NetworkFunction"), pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:NetworkFunction"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:NetworkFunction")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20220101preview:NetworkFunction"), pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:NetworkFunction"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:NetworkFunction"), pulumi.Alias(type_="azure-native_hybridnetwork_v20200101preview:hybridnetwork:NetworkFunction"), pulumi.Alias(type_="azure-native_hybridnetwork_v20210501:hybridnetwork:NetworkFunction"), pulumi.Alias(type_="azure-native_hybridnetwork_v20220101preview:hybridnetwork:NetworkFunction"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunction"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunction")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkFunction, __self__).__init__( 'azure-native:hybridnetwork:NetworkFunction', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/network_function_definition_group.py b/sdk/python/pulumi_azure_native/hybridnetwork/network_function_definition_group.py index 62e1e33f0e4b..a89c3caafd68 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/network_function_definition_group.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/network_function_definition_group.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionGroup"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionGroup"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionGroup"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunctionDefinitionGroup"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunctionDefinitionGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkFunctionDefinitionGroup, __self__).__init__( 'azure-native:hybridnetwork:NetworkFunctionDefinitionGroup', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/network_function_definition_version.py b/sdk/python/pulumi_azure_native/hybridnetwork/network_function_definition_version.py index 382a6de09506..8018f9170ef0 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/network_function_definition_version.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/network_function_definition_version.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionVersion"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:NetworkFunctionDefinitionVersion"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:NetworkFunctionDefinitionVersion"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkFunctionDefinitionVersion"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkFunctionDefinitionVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkFunctionDefinitionVersion, __self__).__init__( 'azure-native:hybridnetwork:NetworkFunctionDefinitionVersion', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/network_service_design_group.py b/sdk/python/pulumi_azure_native/hybridnetwork/network_service_design_group.py index 69539f34d695..eb276734ce35 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/network_service_design_group.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/network_service_design_group.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:NetworkServiceDesignGroup"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:NetworkServiceDesignGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:NetworkServiceDesignGroup"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:NetworkServiceDesignGroup"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkServiceDesignGroup"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkServiceDesignGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkServiceDesignGroup, __self__).__init__( 'azure-native:hybridnetwork:NetworkServiceDesignGroup', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/network_service_design_version.py b/sdk/python/pulumi_azure_native/hybridnetwork/network_service_design_version.py index ed269e7f6c2f..8d46fa426105 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/network_service_design_version.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/network_service_design_version.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:NetworkServiceDesignVersion"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:NetworkServiceDesignVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:NetworkServiceDesignVersion"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:NetworkServiceDesignVersion"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:NetworkServiceDesignVersion"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:NetworkServiceDesignVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkServiceDesignVersion, __self__).__init__( 'azure-native:hybridnetwork:NetworkServiceDesignVersion', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/publisher.py b/sdk/python/pulumi_azure_native/hybridnetwork/publisher.py index 797b42bf950d..7d6809ab20a3 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/publisher.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/publisher.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:Publisher"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:Publisher")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:Publisher"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:Publisher"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:Publisher"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:Publisher")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Publisher, __self__).__init__( 'azure-native:hybridnetwork:Publisher', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/site.py b/sdk/python/pulumi_azure_native/hybridnetwork/site.py index d8f11b2b120d..57a2fd66398c 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/site.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/site.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:Site"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:Site")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:Site"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:Site"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:Site"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:Site")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Site, __self__).__init__( 'azure-native:hybridnetwork:Site', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/site_network_service.py b/sdk/python/pulumi_azure_native/hybridnetwork/site_network_service.py index b6aaf62f80f9..e27f87821c7e 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/site_network_service.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/site_network_service.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:SiteNetworkService"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:SiteNetworkService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20230901:SiteNetworkService"), pulumi.Alias(type_="azure-native:hybridnetwork/v20240415:SiteNetworkService"), pulumi.Alias(type_="azure-native_hybridnetwork_v20230901:hybridnetwork:SiteNetworkService"), pulumi.Alias(type_="azure-native_hybridnetwork_v20240415:hybridnetwork:SiteNetworkService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SiteNetworkService, __self__).__init__( 'azure-native:hybridnetwork:SiteNetworkService', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/vendor.py b/sdk/python/pulumi_azure_native/hybridnetwork/vendor.py index 9d0cc29fce5d..6f891a0a7a12 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/vendor.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/vendor.py @@ -100,7 +100,7 @@ def _internal_init(__self__, __props__.__dict__["skus"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20200101preview:Vendor"), pulumi.Alias(type_="azure-native:hybridnetwork/v20210501:Vendor"), pulumi.Alias(type_="azure-native:hybridnetwork/v20220101preview:Vendor")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20220101preview:Vendor"), pulumi.Alias(type_="azure-native_hybridnetwork_v20200101preview:hybridnetwork:Vendor"), pulumi.Alias(type_="azure-native_hybridnetwork_v20210501:hybridnetwork:Vendor"), pulumi.Alias(type_="azure-native_hybridnetwork_v20220101preview:hybridnetwork:Vendor")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Vendor, __self__).__init__( 'azure-native:hybridnetwork:Vendor', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/vendor_sku_preview.py b/sdk/python/pulumi_azure_native/hybridnetwork/vendor_sku_preview.py index 311e471f68ab..adfba6979a91 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/vendor_sku_preview.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/vendor_sku_preview.py @@ -141,7 +141,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20200101preview:VendorSkuPreview"), pulumi.Alias(type_="azure-native:hybridnetwork/v20210501:VendorSkuPreview"), pulumi.Alias(type_="azure-native:hybridnetwork/v20220101preview:VendorSkuPreview")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20220101preview:VendorSkuPreview"), pulumi.Alias(type_="azure-native_hybridnetwork_v20200101preview:hybridnetwork:VendorSkuPreview"), pulumi.Alias(type_="azure-native_hybridnetwork_v20210501:hybridnetwork:VendorSkuPreview"), pulumi.Alias(type_="azure-native_hybridnetwork_v20220101preview:hybridnetwork:VendorSkuPreview")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VendorSkuPreview, __self__).__init__( 'azure-native:hybridnetwork:VendorSkuPreview', diff --git a/sdk/python/pulumi_azure_native/hybridnetwork/vendor_skus.py b/sdk/python/pulumi_azure_native/hybridnetwork/vendor_skus.py index 037d7d35df5e..b43193ac1290 100644 --- a/sdk/python/pulumi_azure_native/hybridnetwork/vendor_skus.py +++ b/sdk/python/pulumi_azure_native/hybridnetwork/vendor_skus.py @@ -262,7 +262,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20200101preview:VendorSkus"), pulumi.Alias(type_="azure-native:hybridnetwork/v20210501:VendorSkus"), pulumi.Alias(type_="azure-native:hybridnetwork/v20220101preview:VendorSkus")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:hybridnetwork/v20220101preview:VendorSkus"), pulumi.Alias(type_="azure-native_hybridnetwork_v20200101preview:hybridnetwork:VendorSkus"), pulumi.Alias(type_="azure-native_hybridnetwork_v20210501:hybridnetwork:VendorSkus"), pulumi.Alias(type_="azure-native_hybridnetwork_v20220101preview:hybridnetwork:VendorSkus")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VendorSkus, __self__).__init__( 'azure-native:hybridnetwork:VendorSkus', diff --git a/sdk/python/pulumi_azure_native/impact/connector.py b/sdk/python/pulumi_azure_native/impact/connector.py index 427bb6331765..5b06352d35e7 100644 --- a/sdk/python/pulumi_azure_native/impact/connector.py +++ b/sdk/python/pulumi_azure_native/impact/connector.py @@ -120,7 +120,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:impact/v20240501preview:Connector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:impact/v20240501preview:Connector"), pulumi.Alias(type_="azure-native_impact_v20240501preview:impact:Connector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Connector, __self__).__init__( 'azure-native:impact:Connector', diff --git a/sdk/python/pulumi_azure_native/impact/insight.py b/sdk/python/pulumi_azure_native/impact/insight.py index bd7dec819b85..98a73a4c40f7 100644 --- a/sdk/python/pulumi_azure_native/impact/insight.py +++ b/sdk/python/pulumi_azure_native/impact/insight.py @@ -140,7 +140,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:impact/v20240501preview:Insight")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:impact/v20240501preview:Insight"), pulumi.Alias(type_="azure-native_impact_v20240501preview:impact:Insight")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Insight, __self__).__init__( 'azure-native:impact:Insight', diff --git a/sdk/python/pulumi_azure_native/impact/workload_impact.py b/sdk/python/pulumi_azure_native/impact/workload_impact.py index 8f75dc222a2f..adb8a2d0ddde 100644 --- a/sdk/python/pulumi_azure_native/impact/workload_impact.py +++ b/sdk/python/pulumi_azure_native/impact/workload_impact.py @@ -120,7 +120,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:impact/v20240501preview:WorkloadImpact")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:impact/v20240501preview:WorkloadImpact"), pulumi.Alias(type_="azure-native_impact_v20240501preview:impact:WorkloadImpact")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadImpact, __self__).__init__( 'azure-native:impact:WorkloadImpact', diff --git a/sdk/python/pulumi_azure_native/importexport/job.py b/sdk/python/pulumi_azure_native/importexport/job.py index 0132000498ac..c42e65d2fe51 100644 --- a/sdk/python/pulumi_azure_native/importexport/job.py +++ b/sdk/python/pulumi_azure_native/importexport/job.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:importexport/v20161101:Job"), pulumi.Alias(type_="azure-native:importexport/v20200801:Job"), pulumi.Alias(type_="azure-native:importexport/v20210101:Job")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:importexport/v20210101:Job"), pulumi.Alias(type_="azure-native_importexport_v20161101:importexport:Job"), pulumi.Alias(type_="azure-native_importexport_v20200801:importexport:Job"), pulumi.Alias(type_="azure-native_importexport_v20210101:importexport:Job")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Job, __self__).__init__( 'azure-native:importexport:Job', diff --git a/sdk/python/pulumi_azure_native/integrationspaces/application.py b/sdk/python/pulumi_azure_native/integrationspaces/application.py index bedde3d86041..b915b46279d8 100644 --- a/sdk/python/pulumi_azure_native/integrationspaces/application.py +++ b/sdk/python/pulumi_azure_native/integrationspaces/application.py @@ -222,7 +222,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:integrationspaces/v20231114preview:Application")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:integrationspaces/v20231114preview:Application"), pulumi.Alias(type_="azure-native_integrationspaces_v20231114preview:integrationspaces:Application")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Application, __self__).__init__( 'azure-native:integrationspaces:Application', diff --git a/sdk/python/pulumi_azure_native/integrationspaces/application_resource.py b/sdk/python/pulumi_azure_native/integrationspaces/application_resource.py index a9cb65debe88..60949fe5b2a2 100644 --- a/sdk/python/pulumi_azure_native/integrationspaces/application_resource.py +++ b/sdk/python/pulumi_azure_native/integrationspaces/application_resource.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:integrationspaces/v20231114preview:ApplicationResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:integrationspaces/v20231114preview:ApplicationResource"), pulumi.Alias(type_="azure-native_integrationspaces_v20231114preview:integrationspaces:ApplicationResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationResource, __self__).__init__( 'azure-native:integrationspaces:ApplicationResource', diff --git a/sdk/python/pulumi_azure_native/integrationspaces/business_process.py b/sdk/python/pulumi_azure_native/integrationspaces/business_process.py index fd40361d0112..77d4401a6520 100644 --- a/sdk/python/pulumi_azure_native/integrationspaces/business_process.py +++ b/sdk/python/pulumi_azure_native/integrationspaces/business_process.py @@ -284,7 +284,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:integrationspaces/v20231114preview:BusinessProcess")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:integrationspaces/v20231114preview:BusinessProcess"), pulumi.Alias(type_="azure-native_integrationspaces_v20231114preview:integrationspaces:BusinessProcess")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BusinessProcess, __self__).__init__( 'azure-native:integrationspaces:BusinessProcess', diff --git a/sdk/python/pulumi_azure_native/integrationspaces/infrastructure_resource.py b/sdk/python/pulumi_azure_native/integrationspaces/infrastructure_resource.py index 85d5c36c0ed3..7f0cf0e1ee3e 100644 --- a/sdk/python/pulumi_azure_native/integrationspaces/infrastructure_resource.py +++ b/sdk/python/pulumi_azure_native/integrationspaces/infrastructure_resource.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:integrationspaces/v20231114preview:InfrastructureResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:integrationspaces/v20231114preview:InfrastructureResource"), pulumi.Alias(type_="azure-native_integrationspaces_v20231114preview:integrationspaces:InfrastructureResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InfrastructureResource, __self__).__init__( 'azure-native:integrationspaces:InfrastructureResource', diff --git a/sdk/python/pulumi_azure_native/integrationspaces/space.py b/sdk/python/pulumi_azure_native/integrationspaces/space.py index 620e351f950e..24dab6e74fe6 100644 --- a/sdk/python/pulumi_azure_native/integrationspaces/space.py +++ b/sdk/python/pulumi_azure_native/integrationspaces/space.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:integrationspaces/v20231114preview:Space")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:integrationspaces/v20231114preview:Space"), pulumi.Alias(type_="azure-native_integrationspaces_v20231114preview:integrationspaces:Space")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Space, __self__).__init__( 'azure-native:integrationspaces:Space', diff --git a/sdk/python/pulumi_azure_native/intune/android_mam_policy_by_name.py b/sdk/python/pulumi_azure_native/intune/android_mam_policy_by_name.py index c4827837428c..32492a73defa 100644 --- a/sdk/python/pulumi_azure_native/intune/android_mam_policy_by_name.py +++ b/sdk/python/pulumi_azure_native/intune/android_mam_policy_by_name.py @@ -460,7 +460,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["num_of_apps"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:intune/v20150114preview:AndroidMAMPolicyByName"), pulumi.Alias(type_="azure-native:intune/v20150114privatepreview:AndroidMAMPolicyByName")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:intune/v20150114preview:AndroidMAMPolicyByName"), pulumi.Alias(type_="azure-native:intune/v20150114privatepreview:AndroidMAMPolicyByName"), pulumi.Alias(type_="azure-native_intune_v20150114preview:intune:AndroidMAMPolicyByName"), pulumi.Alias(type_="azure-native_intune_v20150114privatepreview:intune:AndroidMAMPolicyByName")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AndroidMAMPolicyByName, __self__).__init__( 'azure-native:intune:AndroidMAMPolicyByName', diff --git a/sdk/python/pulumi_azure_native/intune/io_mam_policy_by_name.py b/sdk/python/pulumi_azure_native/intune/io_mam_policy_by_name.py index 1754ecae5eae..f59d8e68b096 100644 --- a/sdk/python/pulumi_azure_native/intune/io_mam_policy_by_name.py +++ b/sdk/python/pulumi_azure_native/intune/io_mam_policy_by_name.py @@ -460,7 +460,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["num_of_apps"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:intune/v20150114preview:IoMAMPolicyByName"), pulumi.Alias(type_="azure-native:intune/v20150114privatepreview:IoMAMPolicyByName")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:intune/v20150114preview:IoMAMPolicyByName"), pulumi.Alias(type_="azure-native:intune/v20150114privatepreview:IoMAMPolicyByName"), pulumi.Alias(type_="azure-native_intune_v20150114preview:intune:IoMAMPolicyByName"), pulumi.Alias(type_="azure-native_intune_v20150114privatepreview:intune:IoMAMPolicyByName")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IoMAMPolicyByName, __self__).__init__( 'azure-native:intune:IoMAMPolicyByName', diff --git a/sdk/python/pulumi_azure_native/iotcentral/app.py b/sdk/python/pulumi_azure_native/iotcentral/app.py index 82a18cd4e1f5..dc04582d192d 100644 --- a/sdk/python/pulumi_azure_native/iotcentral/app.py +++ b/sdk/python/pulumi_azure_native/iotcentral/app.py @@ -310,7 +310,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotcentral/v20180901:App"), pulumi.Alias(type_="azure-native:iotcentral/v20210601:App"), pulumi.Alias(type_="azure-native:iotcentral/v20211101preview:App")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotcentral/v20210601:App"), pulumi.Alias(type_="azure-native:iotcentral/v20211101preview:App"), pulumi.Alias(type_="azure-native_iotcentral_v20180901:iotcentral:App"), pulumi.Alias(type_="azure-native_iotcentral_v20210601:iotcentral:App"), pulumi.Alias(type_="azure-native_iotcentral_v20211101preview:iotcentral:App")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(App, __self__).__init__( 'azure-native:iotcentral:App', diff --git a/sdk/python/pulumi_azure_native/iotcentral/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/iotcentral/private_endpoint_connection.py index d1a80017c820..8b135e4c0595 100644 --- a/sdk/python/pulumi_azure_native/iotcentral/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/iotcentral/private_endpoint_connection.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotcentral/v20211101preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotcentral/v20211101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iotcentral_v20211101preview:iotcentral:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:iotcentral:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/iotfirmwaredefense/firmware.py b/sdk/python/pulumi_azure_native/iotfirmwaredefense/firmware.py index 22cd4d66f4b6..b9e617541335 100644 --- a/sdk/python/pulumi_azure_native/iotfirmwaredefense/firmware.py +++ b/sdk/python/pulumi_azure_native/iotfirmwaredefense/firmware.py @@ -311,7 +311,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotfirmwaredefense/v20230208preview:Firmware"), pulumi.Alias(type_="azure-native:iotfirmwaredefense/v20240110:Firmware"), pulumi.Alias(type_="azure-native:iotfirmwaredefense/v20250401preview:Firmware")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotfirmwaredefense/v20230208preview:Firmware"), pulumi.Alias(type_="azure-native:iotfirmwaredefense/v20240110:Firmware"), pulumi.Alias(type_="azure-native_iotfirmwaredefense_v20230208preview:iotfirmwaredefense:Firmware"), pulumi.Alias(type_="azure-native_iotfirmwaredefense_v20240110:iotfirmwaredefense:Firmware"), pulumi.Alias(type_="azure-native_iotfirmwaredefense_v20250401preview:iotfirmwaredefense:Firmware")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Firmware, __self__).__init__( 'azure-native:iotfirmwaredefense:Firmware', diff --git a/sdk/python/pulumi_azure_native/iotfirmwaredefense/workspace.py b/sdk/python/pulumi_azure_native/iotfirmwaredefense/workspace.py index dbe9176f171d..4b7e703fc9be 100644 --- a/sdk/python/pulumi_azure_native/iotfirmwaredefense/workspace.py +++ b/sdk/python/pulumi_azure_native/iotfirmwaredefense/workspace.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotfirmwaredefense/v20230208preview:Workspace"), pulumi.Alias(type_="azure-native:iotfirmwaredefense/v20240110:Workspace"), pulumi.Alias(type_="azure-native:iotfirmwaredefense/v20250401preview:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotfirmwaredefense/v20230208preview:Workspace"), pulumi.Alias(type_="azure-native:iotfirmwaredefense/v20240110:Workspace"), pulumi.Alias(type_="azure-native_iotfirmwaredefense_v20230208preview:iotfirmwaredefense:Workspace"), pulumi.Alias(type_="azure-native_iotfirmwaredefense_v20240110:iotfirmwaredefense:Workspace"), pulumi.Alias(type_="azure-native_iotfirmwaredefense_v20250401preview:iotfirmwaredefense:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:iotfirmwaredefense:Workspace', diff --git a/sdk/python/pulumi_azure_native/iothub/certificate.py b/sdk/python/pulumi_azure_native/iothub/certificate.py index 4f1344aa9c54..bf70581b89d8 100644 --- a/sdk/python/pulumi_azure_native/iothub/certificate.py +++ b/sdk/python/pulumi_azure_native/iothub/certificate.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devices/v20200401:Certificate"), pulumi.Alias(type_="azure-native:devices/v20220430preview:Certificate"), pulumi.Alias(type_="azure-native:devices/v20221115preview:Certificate"), pulumi.Alias(type_="azure-native:devices/v20230630:Certificate"), pulumi.Alias(type_="azure-native:devices/v20230630preview:Certificate"), pulumi.Alias(type_="azure-native:devices:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20170701:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20180122:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20180401:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20181201preview:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20190322:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20190322preview:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20190701preview:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20191104:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20200301:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20200401:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20200615:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20200710preview:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20200801:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20200831:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20200831preview:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20210201preview:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20210303preview:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20210331:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20210701:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20210701preview:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20210702:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20210702preview:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20220430preview:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20221115preview:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20230630:Certificate"), pulumi.Alias(type_="azure-native:iothub/v20230630preview:Certificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devices/v20200401:Certificate"), pulumi.Alias(type_="azure-native:devices/v20220430preview:Certificate"), pulumi.Alias(type_="azure-native:devices/v20221115preview:Certificate"), pulumi.Alias(type_="azure-native:devices/v20230630:Certificate"), pulumi.Alias(type_="azure-native:devices/v20230630preview:Certificate"), pulumi.Alias(type_="azure-native:devices:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20170701:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20180122:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20180401:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20181201preview:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20190322:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20190322preview:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20190701preview:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20191104:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20200301:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20200401:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20200615:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20200710preview:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20200801:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20200831:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20200831preview:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20210201preview:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20210303preview:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20210331:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20210701:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20210701preview:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20210702:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20210702preview:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20220430preview:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20221115preview:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20230630:iothub:Certificate"), pulumi.Alias(type_="azure-native_iothub_v20230630preview:iothub:Certificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Certificate, __self__).__init__( 'azure-native:iothub:Certificate', diff --git a/sdk/python/pulumi_azure_native/iothub/iot_hub_resource.py b/sdk/python/pulumi_azure_native/iothub/iot_hub_resource.py index 7651a3d4d443..6735bcb694fe 100644 --- a/sdk/python/pulumi_azure_native/iothub/iot_hub_resource.py +++ b/sdk/python/pulumi_azure_native/iothub/iot_hub_resource.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devices/v20220430preview:IotHubResource"), pulumi.Alias(type_="azure-native:devices/v20221115preview:IotHubResource"), pulumi.Alias(type_="azure-native:devices/v20230630:IotHubResource"), pulumi.Alias(type_="azure-native:devices/v20230630preview:IotHubResource"), pulumi.Alias(type_="azure-native:devices:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20160203:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20170119:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20170701:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20180122:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20180401:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20181201preview:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20190322:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20190322preview:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20190701preview:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20191104:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20200301:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20200401:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20200615:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20200710preview:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20200801:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20200831:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20200831preview:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20210201preview:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20210303preview:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20210331:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20210701:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20210701preview:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20210702:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20210702preview:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20220430preview:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20221115preview:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20230630:IotHubResource"), pulumi.Alias(type_="azure-native:iothub/v20230630preview:IotHubResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devices/v20220430preview:IotHubResource"), pulumi.Alias(type_="azure-native:devices/v20221115preview:IotHubResource"), pulumi.Alias(type_="azure-native:devices/v20230630:IotHubResource"), pulumi.Alias(type_="azure-native:devices/v20230630preview:IotHubResource"), pulumi.Alias(type_="azure-native:devices:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20160203:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20170119:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20170701:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20180122:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20180401:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20181201preview:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20190322:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20190322preview:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20190701preview:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20191104:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20200301:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20200401:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20200615:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20200710preview:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20200801:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20200831:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20200831preview:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20210201preview:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20210303preview:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20210331:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20210701:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20210701preview:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20210702:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20210702preview:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20220430preview:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20221115preview:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20230630:iothub:IotHubResource"), pulumi.Alias(type_="azure-native_iothub_v20230630preview:iothub:IotHubResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IotHubResource, __self__).__init__( 'azure-native:iothub:IotHubResource', diff --git a/sdk/python/pulumi_azure_native/iothub/iot_hub_resource_event_hub_consumer_group.py b/sdk/python/pulumi_azure_native/iothub/iot_hub_resource_event_hub_consumer_group.py index cb76f5c41313..28ebf6750b93 100644 --- a/sdk/python/pulumi_azure_native/iothub/iot_hub_resource_event_hub_consumer_group.py +++ b/sdk/python/pulumi_azure_native/iothub/iot_hub_resource_event_hub_consumer_group.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["etag"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devices/v20210303preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:devices/v20220430preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:devices/v20221115preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:devices/v20230630:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:devices/v20230630preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:devices:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20160203:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20170119:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20170701:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20180122:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20180401:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20181201preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20190322:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20190322preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20190701preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20191104:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20200301:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20200401:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20200615:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20200710preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20200801:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20200831:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20200831preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20210201preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20210303preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20210331:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20210701:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20210701preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20210702:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20210702preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20220430preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20221115preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20230630:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:iothub/v20230630preview:IotHubResourceEventHubConsumerGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devices/v20210303preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:devices/v20220430preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:devices/v20221115preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:devices/v20230630:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:devices/v20230630preview:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native:devices:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20160203:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20170119:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20170701:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20180122:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20180401:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20181201preview:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20190322:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20190322preview:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20190701preview:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20191104:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20200301:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20200401:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20200615:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20200710preview:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20200801:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20200831:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20200831preview:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20210201preview:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20210303preview:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20210331:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20210701:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20210701preview:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20210702:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20210702preview:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20220430preview:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20221115preview:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20230630:iothub:IotHubResourceEventHubConsumerGroup"), pulumi.Alias(type_="azure-native_iothub_v20230630preview:iothub:IotHubResourceEventHubConsumerGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IotHubResourceEventHubConsumerGroup, __self__).__init__( 'azure-native:iothub:IotHubResourceEventHubConsumerGroup', diff --git a/sdk/python/pulumi_azure_native/iothub/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/iothub/private_endpoint_connection.py index 918877a5ca99..819e2be2cef2 100644 --- a/sdk/python/pulumi_azure_native/iothub/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/iothub/private_endpoint_connection.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devices/v20220430preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices/v20221115preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices/v20230630:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices/v20230630preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20200301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20200401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20200615:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20200710preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20200801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20200831:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20200831preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20210201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20210303preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20210331:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20210701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20210701preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20210702:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20210702preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20220430preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20221115preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20230630:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:iothub/v20230630preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:devices/v20220430preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices/v20221115preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices/v20230630:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices/v20230630preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:devices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20200301:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20200401:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20200615:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20200710preview:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20200801:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20200831:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20200831preview:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20210201preview:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20210303preview:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20210331:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20210701:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20210701preview:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20210702:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20210702preview:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20220430preview:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20221115preview:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20230630:iothub:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_iothub_v20230630preview:iothub:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:iothub:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/iotoperations/broker.py b/sdk/python/pulumi_azure_native/iotoperations/broker.py index a20d94131ea2..a4c0b36ba148 100644 --- a/sdk/python/pulumi_azure_native/iotoperations/broker.py +++ b/sdk/python/pulumi_azure_native/iotoperations/broker.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:Broker"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:Broker"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:Broker"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:Broker"), pulumi.Alias(type_="azure-native:iotoperations/v20250401:Broker")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:Broker"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:Broker"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:Broker"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:Broker"), pulumi.Alias(type_="azure-native_iotoperations_v20240701preview:iotoperations:Broker"), pulumi.Alias(type_="azure-native_iotoperations_v20240815preview:iotoperations:Broker"), pulumi.Alias(type_="azure-native_iotoperations_v20240915preview:iotoperations:Broker"), pulumi.Alias(type_="azure-native_iotoperations_v20241101:iotoperations:Broker"), pulumi.Alias(type_="azure-native_iotoperations_v20250401:iotoperations:Broker")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Broker, __self__).__init__( 'azure-native:iotoperations:Broker', diff --git a/sdk/python/pulumi_azure_native/iotoperations/broker_authentication.py b/sdk/python/pulumi_azure_native/iotoperations/broker_authentication.py index 172c9160cd76..8e9e734dc122 100644 --- a/sdk/python/pulumi_azure_native/iotoperations/broker_authentication.py +++ b/sdk/python/pulumi_azure_native/iotoperations/broker_authentication.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:BrokerAuthentication"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:BrokerAuthentication"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:BrokerAuthentication"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:BrokerAuthentication"), pulumi.Alias(type_="azure-native:iotoperations/v20250401:BrokerAuthentication")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:BrokerAuthentication"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:BrokerAuthentication"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:BrokerAuthentication"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:BrokerAuthentication"), pulumi.Alias(type_="azure-native_iotoperations_v20240701preview:iotoperations:BrokerAuthentication"), pulumi.Alias(type_="azure-native_iotoperations_v20240815preview:iotoperations:BrokerAuthentication"), pulumi.Alias(type_="azure-native_iotoperations_v20240915preview:iotoperations:BrokerAuthentication"), pulumi.Alias(type_="azure-native_iotoperations_v20241101:iotoperations:BrokerAuthentication"), pulumi.Alias(type_="azure-native_iotoperations_v20250401:iotoperations:BrokerAuthentication")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BrokerAuthentication, __self__).__init__( 'azure-native:iotoperations:BrokerAuthentication', diff --git a/sdk/python/pulumi_azure_native/iotoperations/broker_authorization.py b/sdk/python/pulumi_azure_native/iotoperations/broker_authorization.py index c82fed113879..6769528b3aee 100644 --- a/sdk/python/pulumi_azure_native/iotoperations/broker_authorization.py +++ b/sdk/python/pulumi_azure_native/iotoperations/broker_authorization.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:BrokerAuthorization"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:BrokerAuthorization"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:BrokerAuthorization"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:BrokerAuthorization"), pulumi.Alias(type_="azure-native:iotoperations/v20250401:BrokerAuthorization")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:BrokerAuthorization"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:BrokerAuthorization"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:BrokerAuthorization"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:BrokerAuthorization"), pulumi.Alias(type_="azure-native_iotoperations_v20240701preview:iotoperations:BrokerAuthorization"), pulumi.Alias(type_="azure-native_iotoperations_v20240815preview:iotoperations:BrokerAuthorization"), pulumi.Alias(type_="azure-native_iotoperations_v20240915preview:iotoperations:BrokerAuthorization"), pulumi.Alias(type_="azure-native_iotoperations_v20241101:iotoperations:BrokerAuthorization"), pulumi.Alias(type_="azure-native_iotoperations_v20250401:iotoperations:BrokerAuthorization")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BrokerAuthorization, __self__).__init__( 'azure-native:iotoperations:BrokerAuthorization', diff --git a/sdk/python/pulumi_azure_native/iotoperations/broker_listener.py b/sdk/python/pulumi_azure_native/iotoperations/broker_listener.py index 82ecd58ab35b..cd7da6e22ff2 100644 --- a/sdk/python/pulumi_azure_native/iotoperations/broker_listener.py +++ b/sdk/python/pulumi_azure_native/iotoperations/broker_listener.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:BrokerListener"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:BrokerListener"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:BrokerListener"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:BrokerListener"), pulumi.Alias(type_="azure-native:iotoperations/v20250401:BrokerListener")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:BrokerListener"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:BrokerListener"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:BrokerListener"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:BrokerListener"), pulumi.Alias(type_="azure-native_iotoperations_v20240701preview:iotoperations:BrokerListener"), pulumi.Alias(type_="azure-native_iotoperations_v20240815preview:iotoperations:BrokerListener"), pulumi.Alias(type_="azure-native_iotoperations_v20240915preview:iotoperations:BrokerListener"), pulumi.Alias(type_="azure-native_iotoperations_v20241101:iotoperations:BrokerListener"), pulumi.Alias(type_="azure-native_iotoperations_v20250401:iotoperations:BrokerListener")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BrokerListener, __self__).__init__( 'azure-native:iotoperations:BrokerListener', diff --git a/sdk/python/pulumi_azure_native/iotoperations/dataflow.py b/sdk/python/pulumi_azure_native/iotoperations/dataflow.py index 7fb631d52a63..012d9521ea34 100644 --- a/sdk/python/pulumi_azure_native/iotoperations/dataflow.py +++ b/sdk/python/pulumi_azure_native/iotoperations/dataflow.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:DataFlow"), pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:Dataflow"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:Dataflow"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:Dataflow"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:Dataflow"), pulumi.Alias(type_="azure-native:iotoperations/v20250401:Dataflow"), pulumi.Alias(type_="azure-native:iotoperations:DataFlow")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:DataFlow"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:Dataflow"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:Dataflow"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:Dataflow"), pulumi.Alias(type_="azure-native:iotoperations:DataFlow"), pulumi.Alias(type_="azure-native_iotoperations_v20240701preview:iotoperations:Dataflow"), pulumi.Alias(type_="azure-native_iotoperations_v20240815preview:iotoperations:Dataflow"), pulumi.Alias(type_="azure-native_iotoperations_v20240915preview:iotoperations:Dataflow"), pulumi.Alias(type_="azure-native_iotoperations_v20241101:iotoperations:Dataflow"), pulumi.Alias(type_="azure-native_iotoperations_v20250401:iotoperations:Dataflow")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Dataflow, __self__).__init__( 'azure-native:iotoperations:Dataflow', diff --git a/sdk/python/pulumi_azure_native/iotoperations/dataflow_endpoint.py b/sdk/python/pulumi_azure_native/iotoperations/dataflow_endpoint.py index fb59db9fbae0..517fbc0d07b4 100644 --- a/sdk/python/pulumi_azure_native/iotoperations/dataflow_endpoint.py +++ b/sdk/python/pulumi_azure_native/iotoperations/dataflow_endpoint.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:DataFlowEndpoint"), pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:DataflowEndpoint"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:DataflowEndpoint"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:DataflowEndpoint"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:DataflowEndpoint"), pulumi.Alias(type_="azure-native:iotoperations/v20250401:DataflowEndpoint"), pulumi.Alias(type_="azure-native:iotoperations:DataFlowEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:DataFlowEndpoint"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:DataflowEndpoint"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:DataflowEndpoint"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:DataflowEndpoint"), pulumi.Alias(type_="azure-native:iotoperations:DataFlowEndpoint"), pulumi.Alias(type_="azure-native_iotoperations_v20240701preview:iotoperations:DataflowEndpoint"), pulumi.Alias(type_="azure-native_iotoperations_v20240815preview:iotoperations:DataflowEndpoint"), pulumi.Alias(type_="azure-native_iotoperations_v20240915preview:iotoperations:DataflowEndpoint"), pulumi.Alias(type_="azure-native_iotoperations_v20241101:iotoperations:DataflowEndpoint"), pulumi.Alias(type_="azure-native_iotoperations_v20250401:iotoperations:DataflowEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataflowEndpoint, __self__).__init__( 'azure-native:iotoperations:DataflowEndpoint', diff --git a/sdk/python/pulumi_azure_native/iotoperations/dataflow_profile.py b/sdk/python/pulumi_azure_native/iotoperations/dataflow_profile.py index 26bb00a82b34..709c952096dd 100644 --- a/sdk/python/pulumi_azure_native/iotoperations/dataflow_profile.py +++ b/sdk/python/pulumi_azure_native/iotoperations/dataflow_profile.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:DataFlowProfile"), pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:DataflowProfile"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:DataflowProfile"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:DataflowProfile"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:DataflowProfile"), pulumi.Alias(type_="azure-native:iotoperations/v20250401:DataflowProfile"), pulumi.Alias(type_="azure-native:iotoperations:DataFlowProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:DataFlowProfile"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:DataflowProfile"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:DataflowProfile"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:DataflowProfile"), pulumi.Alias(type_="azure-native:iotoperations:DataFlowProfile"), pulumi.Alias(type_="azure-native_iotoperations_v20240701preview:iotoperations:DataflowProfile"), pulumi.Alias(type_="azure-native_iotoperations_v20240815preview:iotoperations:DataflowProfile"), pulumi.Alias(type_="azure-native_iotoperations_v20240915preview:iotoperations:DataflowProfile"), pulumi.Alias(type_="azure-native_iotoperations_v20241101:iotoperations:DataflowProfile"), pulumi.Alias(type_="azure-native_iotoperations_v20250401:iotoperations:DataflowProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataflowProfile, __self__).__init__( 'azure-native:iotoperations:DataflowProfile', diff --git a/sdk/python/pulumi_azure_native/iotoperations/instance.py b/sdk/python/pulumi_azure_native/iotoperations/instance.py index 2f91ff150293..bb78b1f49d60 100644 --- a/sdk/python/pulumi_azure_native/iotoperations/instance.py +++ b/sdk/python/pulumi_azure_native/iotoperations/instance.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:Instance"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:Instance"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:Instance"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:Instance"), pulumi.Alias(type_="azure-native:iotoperations/v20250401:Instance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperations/v20240701preview:Instance"), pulumi.Alias(type_="azure-native:iotoperations/v20240815preview:Instance"), pulumi.Alias(type_="azure-native:iotoperations/v20240915preview:Instance"), pulumi.Alias(type_="azure-native:iotoperations/v20241101:Instance"), pulumi.Alias(type_="azure-native_iotoperations_v20240701preview:iotoperations:Instance"), pulumi.Alias(type_="azure-native_iotoperations_v20240815preview:iotoperations:Instance"), pulumi.Alias(type_="azure-native_iotoperations_v20240915preview:iotoperations:Instance"), pulumi.Alias(type_="azure-native_iotoperations_v20241101:iotoperations:Instance"), pulumi.Alias(type_="azure-native_iotoperations_v20250401:iotoperations:Instance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Instance, __self__).__init__( 'azure-native:iotoperations:Instance', diff --git a/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/dataset.py b/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/dataset.py index 41f82bce81ba..b8a8bb4e36dd 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/dataset.py +++ b/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/dataset.py @@ -303,7 +303,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsdataprocessor/v20231004preview:Dataset")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsdataprocessor/v20231004preview:Dataset"), pulumi.Alias(type_="azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Dataset")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Dataset, __self__).__init__( 'azure-native:iotoperationsdataprocessor:Dataset', diff --git a/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/instance.py b/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/instance.py index 25800eeedd7c..b760d70326f0 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/instance.py +++ b/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/instance.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsdataprocessor/v20231004preview:Instance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsdataprocessor/v20231004preview:Instance"), pulumi.Alias(type_="azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Instance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Instance, __self__).__init__( 'azure-native:iotoperationsdataprocessor:Instance', diff --git a/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/pipeline.py b/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/pipeline.py index 423b0864285e..c55bd46f23e0 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/pipeline.py +++ b/sdk/python/pulumi_azure_native/iotoperationsdataprocessor/pipeline.py @@ -286,7 +286,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsdataprocessor/v20231004preview:Pipeline")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsdataprocessor/v20231004preview:Pipeline"), pulumi.Alias(type_="azure-native_iotoperationsdataprocessor_v20231004preview:iotoperationsdataprocessor:Pipeline")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Pipeline, __self__).__init__( 'azure-native:iotoperationsdataprocessor:Pipeline', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/broker.py b/sdk/python/pulumi_azure_native/iotoperationsmq/broker.py index a002385c6504..648e48b12fee 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/broker.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/broker.py @@ -456,7 +456,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:Broker")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:Broker"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:Broker")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Broker, __self__).__init__( 'azure-native:iotoperationsmq:Broker', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/broker_authentication.py b/sdk/python/pulumi_azure_native/iotoperationsmq/broker_authentication.py index 408266f48872..0b1126f925eb 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/broker_authentication.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/broker_authentication.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:BrokerAuthentication")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:BrokerAuthentication"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerAuthentication")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BrokerAuthentication, __self__).__init__( 'azure-native:iotoperationsmq:BrokerAuthentication', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/broker_authorization.py b/sdk/python/pulumi_azure_native/iotoperationsmq/broker_authorization.py index 960833e9561a..8229ad4838b8 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/broker_authorization.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/broker_authorization.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:BrokerAuthorization")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:BrokerAuthorization"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerAuthorization")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BrokerAuthorization, __self__).__init__( 'azure-native:iotoperationsmq:BrokerAuthorization', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/broker_listener.py b/sdk/python/pulumi_azure_native/iotoperationsmq/broker_listener.py index 2cdd657876b4..c36662eb094a 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/broker_listener.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/broker_listener.py @@ -403,7 +403,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:BrokerListener")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:BrokerListener"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:BrokerListener")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BrokerListener, __self__).__init__( 'azure-native:iotoperationsmq:BrokerListener', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/data_lake_connector.py b/sdk/python/pulumi_azure_native/iotoperationsmq/data_lake_connector.py index d0ec4b82ac42..e6a4e3041645 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/data_lake_connector.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/data_lake_connector.py @@ -368,7 +368,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:DataLakeConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:DataLakeConnector"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DataLakeConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataLakeConnector, __self__).__init__( 'azure-native:iotoperationsmq:DataLakeConnector', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/data_lake_connector_topic_map.py b/sdk/python/pulumi_azure_native/iotoperationsmq/data_lake_connector_topic_map.py index 09e79f1f8923..84cb92c1d695 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/data_lake_connector_topic_map.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/data_lake_connector_topic_map.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:DataLakeConnectorTopicMap")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:DataLakeConnectorTopicMap"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DataLakeConnectorTopicMap")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataLakeConnectorTopicMap, __self__).__init__( 'azure-native:iotoperationsmq:DataLakeConnectorTopicMap', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/diagnostic_service.py b/sdk/python/pulumi_azure_native/iotoperationsmq/diagnostic_service.py index bb3ddea79c6b..48f2284f0256 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/diagnostic_service.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/diagnostic_service.py @@ -389,7 +389,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:DiagnosticService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:DiagnosticService"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:DiagnosticService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DiagnosticService, __self__).__init__( 'azure-native:iotoperationsmq:DiagnosticService', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/kafka_connector.py b/sdk/python/pulumi_azure_native/iotoperationsmq/kafka_connector.py index 7e7d74aa3a65..d9974a96823b 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/kafka_connector.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/kafka_connector.py @@ -349,7 +349,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:KafkaConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:KafkaConnector"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:KafkaConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KafkaConnector, __self__).__init__( 'azure-native:iotoperationsmq:KafkaConnector', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/kafka_connector_topic_map.py b/sdk/python/pulumi_azure_native/iotoperationsmq/kafka_connector_topic_map.py index adfd71fb7015..9cb09a1a4dcc 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/kafka_connector_topic_map.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/kafka_connector_topic_map.py @@ -375,7 +375,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:KafkaConnectorTopicMap")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:KafkaConnectorTopicMap"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:KafkaConnectorTopicMap")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KafkaConnectorTopicMap, __self__).__init__( 'azure-native:iotoperationsmq:KafkaConnectorTopicMap', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/mq.py b/sdk/python/pulumi_azure_native/iotoperationsmq/mq.py index d9bf7be6fb4d..c75ef2794e46 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/mq.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/mq.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:Mq")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:Mq"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:Mq")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Mq, __self__).__init__( 'azure-native:iotoperationsmq:Mq', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/mqtt_bridge_connector.py b/sdk/python/pulumi_azure_native/iotoperationsmq/mqtt_bridge_connector.py index 61600e61af83..2f76a2217717 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/mqtt_bridge_connector.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/mqtt_bridge_connector.py @@ -367,7 +367,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:MqttBridgeConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:MqttBridgeConnector"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:MqttBridgeConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MqttBridgeConnector, __self__).__init__( 'azure-native:iotoperationsmq:MqttBridgeConnector', diff --git a/sdk/python/pulumi_azure_native/iotoperationsmq/mqtt_bridge_topic_map.py b/sdk/python/pulumi_azure_native/iotoperationsmq/mqtt_bridge_topic_map.py index afc1d3323a5a..645dcaf9efa4 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsmq/mqtt_bridge_topic_map.py +++ b/sdk/python/pulumi_azure_native/iotoperationsmq/mqtt_bridge_topic_map.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:MqttBridgeTopicMap")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsmq/v20231004preview:MqttBridgeTopicMap"), pulumi.Alias(type_="azure-native_iotoperationsmq_v20231004preview:iotoperationsmq:MqttBridgeTopicMap")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MqttBridgeTopicMap, __self__).__init__( 'azure-native:iotoperationsmq:MqttBridgeTopicMap', diff --git a/sdk/python/pulumi_azure_native/iotoperationsorchestrator/instance.py b/sdk/python/pulumi_azure_native/iotoperationsorchestrator/instance.py index 9e779839afe1..dadc5e6aaf75 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsorchestrator/instance.py +++ b/sdk/python/pulumi_azure_native/iotoperationsorchestrator/instance.py @@ -282,7 +282,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsorchestrator/v20231004preview:Instance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsorchestrator/v20231004preview:Instance"), pulumi.Alias(type_="azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Instance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Instance, __self__).__init__( 'azure-native:iotoperationsorchestrator:Instance', diff --git a/sdk/python/pulumi_azure_native/iotoperationsorchestrator/solution.py b/sdk/python/pulumi_azure_native/iotoperationsorchestrator/solution.py index 6d2c3c9f854a..3e49a3623863 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsorchestrator/solution.py +++ b/sdk/python/pulumi_azure_native/iotoperationsorchestrator/solution.py @@ -221,7 +221,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsorchestrator/v20231004preview:Solution")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsorchestrator/v20231004preview:Solution"), pulumi.Alias(type_="azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Solution")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Solution, __self__).__init__( 'azure-native:iotoperationsorchestrator:Solution', diff --git a/sdk/python/pulumi_azure_native/iotoperationsorchestrator/target.py b/sdk/python/pulumi_azure_native/iotoperationsorchestrator/target.py index 34ba0d42f9e4..e58c06ab18e7 100644 --- a/sdk/python/pulumi_azure_native/iotoperationsorchestrator/target.py +++ b/sdk/python/pulumi_azure_native/iotoperationsorchestrator/target.py @@ -282,7 +282,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsorchestrator/v20231004preview:Target")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:iotoperationsorchestrator/v20231004preview:Target"), pulumi.Alias(type_="azure-native_iotoperationsorchestrator_v20231004preview:iotoperationsorchestrator:Target")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Target, __self__).__init__( 'azure-native:iotoperationsorchestrator:Target', diff --git a/sdk/python/pulumi_azure_native/keyvault/key.py b/sdk/python/pulumi_azure_native/keyvault/key.py index 021e190eb08e..ac9bcbc5094c 100644 --- a/sdk/python/pulumi_azure_native/keyvault/key.py +++ b/sdk/python/pulumi_azure_native/keyvault/key.py @@ -196,7 +196,7 @@ def _internal_init(__self__, __props__.__dict__["release_policy"] = None __props__.__dict__["rotation_policy"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20190901:Key"), pulumi.Alias(type_="azure-native:keyvault/v20200401preview:Key"), pulumi.Alias(type_="azure-native:keyvault/v20210401preview:Key"), pulumi.Alias(type_="azure-native:keyvault/v20210601preview:Key"), pulumi.Alias(type_="azure-native:keyvault/v20211001:Key"), pulumi.Alias(type_="azure-native:keyvault/v20211101preview:Key"), pulumi.Alias(type_="azure-native:keyvault/v20220201preview:Key"), pulumi.Alias(type_="azure-native:keyvault/v20220701:Key"), pulumi.Alias(type_="azure-native:keyvault/v20221101:Key"), pulumi.Alias(type_="azure-native:keyvault/v20230201:Key"), pulumi.Alias(type_="azure-native:keyvault/v20230701:Key"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:Key"), pulumi.Alias(type_="azure-native:keyvault/v20241101:Key"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:Key")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20230201:Key"), pulumi.Alias(type_="azure-native:keyvault/v20230701:Key"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:Key"), pulumi.Alias(type_="azure-native:keyvault/v20241101:Key"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:Key"), pulumi.Alias(type_="azure-native_keyvault_v20190901:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20200401preview:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20210401preview:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20210601preview:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20211001:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20211101preview:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20220201preview:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20220701:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20221101:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20230201:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20230701:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20240401preview:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20241101:keyvault:Key"), pulumi.Alias(type_="azure-native_keyvault_v20241201preview:keyvault:Key")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Key, __self__).__init__( 'azure-native:keyvault:Key', diff --git a/sdk/python/pulumi_azure_native/keyvault/managed_hsm.py b/sdk/python/pulumi_azure_native/keyvault/managed_hsm.py index 41338478ed05..920ac2270faf 100644 --- a/sdk/python/pulumi_azure_native/keyvault/managed_hsm.py +++ b/sdk/python/pulumi_azure_native/keyvault/managed_hsm.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20200401preview:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20210401preview:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20210601preview:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20211001:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20211101preview:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20220201preview:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20220701:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20221101:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20230201:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20230701:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20241101:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:ManagedHsm")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20230201:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20230701:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20241101:ManagedHsm"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20200401preview:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20210401preview:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20210601preview:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20211001:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20211101preview:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20220201preview:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20220701:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20221101:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20230201:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20230701:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20240401preview:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20241101:keyvault:ManagedHsm"), pulumi.Alias(type_="azure-native_keyvault_v20241201preview:keyvault:ManagedHsm")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedHsm, __self__).__init__( 'azure-native:keyvault:ManagedHsm', diff --git a/sdk/python/pulumi_azure_native/keyvault/mhsm_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/keyvault/mhsm_private_endpoint_connection.py index 89d8e35c527d..3c7842e08f3b 100644 --- a/sdk/python/pulumi_azure_native/keyvault/mhsm_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/keyvault/mhsm_private_endpoint_connection.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20210401preview:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20210601preview:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20211001:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20211101preview:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20220201preview:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20220701:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20221101:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20230201:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20230701:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20241101:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:MHSMPrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20230201:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20230701:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20241101:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20210401preview:keyvault:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20210601preview:keyvault:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20211001:keyvault:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20211101preview:keyvault:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20220201preview:keyvault:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20220701:keyvault:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20221101:keyvault:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20230201:keyvault:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20230701:keyvault:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20240401preview:keyvault:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20241101:keyvault:MHSMPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20241201preview:keyvault:MHSMPrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MHSMPrivateEndpointConnection, __self__).__init__( 'azure-native:keyvault:MHSMPrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/keyvault/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/keyvault/private_endpoint_connection.py index 37eb71651fed..8fb73c32578a 100644 --- a/sdk/python/pulumi_azure_native/keyvault/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/keyvault/private_endpoint_connection.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20180214:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20190901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20200401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20210401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20210601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20211001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20211101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20220201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20220701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20221101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20230201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20230701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20241101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20230201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20230701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20241101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20180214:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20190901:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20200401preview:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20210401preview:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20210601preview:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20211001:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20211101preview:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20220201preview:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20220701:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20221101:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20230201:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20230701:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20240401preview:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20241101:keyvault:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_keyvault_v20241201preview:keyvault:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:keyvault:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/keyvault/secret.py b/sdk/python/pulumi_azure_native/keyvault/secret.py index 50eef329bdd5..240e8aeff2dd 100644 --- a/sdk/python/pulumi_azure_native/keyvault/secret.py +++ b/sdk/python/pulumi_azure_native/keyvault/secret.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20161001:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20180214:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20180214preview:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20190901:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20200401preview:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20210401preview:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20210601preview:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20211001:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20211101preview:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20220201preview:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20220701:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20221101:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20230201:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20230701:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20241101:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:Secret")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20230201:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20230701:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20241101:Secret"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20161001:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20180214:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20180214preview:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20190901:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20200401preview:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20210401preview:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20210601preview:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20211001:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20211101preview:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20220201preview:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20220701:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20221101:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20230201:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20230701:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20240401preview:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20241101:keyvault:Secret"), pulumi.Alias(type_="azure-native_keyvault_v20241201preview:keyvault:Secret")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Secret, __self__).__init__( 'azure-native:keyvault:Secret', diff --git a/sdk/python/pulumi_azure_native/keyvault/vault.py b/sdk/python/pulumi_azure_native/keyvault/vault.py index fa1423d0c779..1112a1bded78 100644 --- a/sdk/python/pulumi_azure_native/keyvault/vault.py +++ b/sdk/python/pulumi_azure_native/keyvault/vault.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20150601:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20161001:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20180214:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20180214preview:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20190901:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20200401preview:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20210401preview:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20210601preview:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20211001:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20211101preview:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20220201preview:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20220701:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20221101:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20230201:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20230701:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20241101:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:Vault")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:keyvault/v20230201:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20230701:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20240401preview:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20241101:Vault"), pulumi.Alias(type_="azure-native:keyvault/v20241201preview:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20150601:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20161001:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20180214:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20180214preview:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20190901:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20200401preview:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20210401preview:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20210601preview:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20211001:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20211101preview:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20220201preview:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20220701:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20221101:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20230201:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20230701:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20240401preview:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20241101:keyvault:Vault"), pulumi.Alias(type_="azure-native_keyvault_v20241201preview:keyvault:Vault")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Vault, __self__).__init__( 'azure-native:keyvault:Vault', diff --git a/sdk/python/pulumi_azure_native/kubernetes/connected_cluster.py b/sdk/python/pulumi_azure_native/kubernetes/connected_cluster.py index 70bb03bb1e9a..bfa0f4e98d40 100644 --- a/sdk/python/pulumi_azure_native/kubernetes/connected_cluster.py +++ b/sdk/python/pulumi_azure_native/kubernetes/connected_cluster.py @@ -424,7 +424,7 @@ def _internal_init(__self__, __props__.__dict__["total_core_count"] = None __props__.__dict__["total_node_count"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetes/v20200101preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20210301:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20210401preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20211001:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20220501preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20221001preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20231101preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20240101:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20240201preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20240601preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20240701preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20240715preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20241201preview:ConnectedCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetes/v20220501preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20221001preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20231101preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20240101:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20240201preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20240601preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20240701preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20240715preview:ConnectedCluster"), pulumi.Alias(type_="azure-native:kubernetes/v20241201preview:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20200101preview:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20210301:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20210401preview:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20211001:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20220501preview:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20221001preview:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20231101preview:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20240101:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20240201preview:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20240601preview:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20240701preview:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20240715preview:kubernetes:ConnectedCluster"), pulumi.Alias(type_="azure-native_kubernetes_v20241201preview:kubernetes:ConnectedCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectedCluster, __self__).__init__( 'azure-native:kubernetes:ConnectedCluster', diff --git a/sdk/python/pulumi_azure_native/kubernetesconfiguration/extension.py b/sdk/python/pulumi_azure_native/kubernetesconfiguration/extension.py index 33728bc4e01c..63d25d1e39d7 100644 --- a/sdk/python/pulumi_azure_native/kubernetesconfiguration/extension.py +++ b/sdk/python/pulumi_azure_native/kubernetesconfiguration/extension.py @@ -422,7 +422,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20200701preview:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20210501preview:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20210901:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20211101preview:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220101preview:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220301:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220402preview:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220701:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20221101:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20230501:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20241101:Extension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20200701preview:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220402preview:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220701:Extension"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20230501:Extension"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20200701preview:kubernetesconfiguration:Extension"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20210501preview:kubernetesconfiguration:Extension"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20210901:kubernetesconfiguration:Extension"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20211101preview:kubernetesconfiguration:Extension"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220101preview:kubernetesconfiguration:Extension"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220301:kubernetesconfiguration:Extension"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:Extension"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:Extension"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:Extension"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:Extension"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20241101:kubernetesconfiguration:Extension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Extension, __self__).__init__( 'azure-native:kubernetesconfiguration:Extension', diff --git a/sdk/python/pulumi_azure_native/kubernetesconfiguration/flux_configuration.py b/sdk/python/pulumi_azure_native/kubernetesconfiguration/flux_configuration.py index 18c0751d4e88..47c4ccaf17f4 100644 --- a/sdk/python/pulumi_azure_native/kubernetesconfiguration/flux_configuration.py +++ b/sdk/python/pulumi_azure_native/kubernetesconfiguration/flux_configuration.py @@ -428,7 +428,7 @@ def _internal_init(__self__, __props__.__dict__["statuses"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20211101preview:FluxConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220101preview:FluxConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220301:FluxConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220701:FluxConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20221101:FluxConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20230501:FluxConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20240401preview:FluxConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20241101:FluxConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20211101preview:FluxConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220101preview:FluxConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20230501:FluxConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20240401preview:FluxConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20211101preview:kubernetesconfiguration:FluxConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220101preview:kubernetesconfiguration:FluxConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220301:kubernetesconfiguration:FluxConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:FluxConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:FluxConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:FluxConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20240401preview:kubernetesconfiguration:FluxConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20241101:kubernetesconfiguration:FluxConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FluxConfiguration, __self__).__init__( 'azure-native:kubernetesconfiguration:FluxConfiguration', diff --git a/sdk/python/pulumi_azure_native/kubernetesconfiguration/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/kubernetesconfiguration/private_endpoint_connection.py index 422fa8d5e8db..16f4bf61dca6 100644 --- a/sdk/python/pulumi_azure_native/kubernetesconfiguration/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/kubernetesconfiguration/private_endpoint_connection.py @@ -169,7 +169,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220402preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20241101preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220402preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20241101preview:kubernetesconfiguration:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:kubernetesconfiguration:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/kubernetesconfiguration/private_link_scope.py b/sdk/python/pulumi_azure_native/kubernetesconfiguration/private_link_scope.py index f053bd3f03f6..0c5e388e0b6b 100644 --- a/sdk/python/pulumi_azure_native/kubernetesconfiguration/private_link_scope.py +++ b/sdk/python/pulumi_azure_native/kubernetesconfiguration/private_link_scope.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220402preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20241101preview:PrivateLinkScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220402preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220402preview:kubernetesconfiguration:PrivateLinkScope"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20241101preview:kubernetesconfiguration:PrivateLinkScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkScope, __self__).__init__( 'azure-native:kubernetesconfiguration:PrivateLinkScope', diff --git a/sdk/python/pulumi_azure_native/kubernetesconfiguration/source_control_configuration.py b/sdk/python/pulumi_azure_native/kubernetesconfiguration/source_control_configuration.py index 31c7ff0bf32c..9f8f2be636d1 100644 --- a/sdk/python/pulumi_azure_native/kubernetesconfiguration/source_control_configuration.py +++ b/sdk/python/pulumi_azure_native/kubernetesconfiguration/source_control_configuration.py @@ -395,7 +395,7 @@ def _internal_init(__self__, __props__.__dict__["repository_public_key"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20191101preview:SourceControlConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20200701preview:SourceControlConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20201001preview:SourceControlConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20210301:SourceControlConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20210501preview:SourceControlConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20211101preview:SourceControlConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220101preview:SourceControlConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220301:SourceControlConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20220701:SourceControlConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20221101:SourceControlConfiguration"), pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20230501:SourceControlConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesconfiguration/v20230501:SourceControlConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20191101preview:kubernetesconfiguration:SourceControlConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20200701preview:kubernetesconfiguration:SourceControlConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20201001preview:kubernetesconfiguration:SourceControlConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20210301:kubernetesconfiguration:SourceControlConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20210501preview:kubernetesconfiguration:SourceControlConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20211101preview:kubernetesconfiguration:SourceControlConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220101preview:kubernetesconfiguration:SourceControlConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220301:kubernetesconfiguration:SourceControlConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20220701:kubernetesconfiguration:SourceControlConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20221101:kubernetesconfiguration:SourceControlConfiguration"), pulumi.Alias(type_="azure-native_kubernetesconfiguration_v20230501:kubernetesconfiguration:SourceControlConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SourceControlConfiguration, __self__).__init__( 'azure-native:kubernetesconfiguration:SourceControlConfiguration', diff --git a/sdk/python/pulumi_azure_native/kubernetesruntime/bgp_peer.py b/sdk/python/pulumi_azure_native/kubernetesruntime/bgp_peer.py index 52a7af30dce4..47b8e235c0e4 100644 --- a/sdk/python/pulumi_azure_native/kubernetesruntime/bgp_peer.py +++ b/sdk/python/pulumi_azure_native/kubernetesruntime/bgp_peer.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesruntime/v20231001preview:BgpPeer"), pulumi.Alias(type_="azure-native:kubernetesruntime/v20240301:BgpPeer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesruntime/v20231001preview:BgpPeer"), pulumi.Alias(type_="azure-native:kubernetesruntime/v20240301:BgpPeer"), pulumi.Alias(type_="azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:BgpPeer"), pulumi.Alias(type_="azure-native_kubernetesruntime_v20240301:kubernetesruntime:BgpPeer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BgpPeer, __self__).__init__( 'azure-native:kubernetesruntime:BgpPeer', diff --git a/sdk/python/pulumi_azure_native/kubernetesruntime/load_balancer.py b/sdk/python/pulumi_azure_native/kubernetesruntime/load_balancer.py index 0972fe133daf..9db0a04f5a3a 100644 --- a/sdk/python/pulumi_azure_native/kubernetesruntime/load_balancer.py +++ b/sdk/python/pulumi_azure_native/kubernetesruntime/load_balancer.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesruntime/v20231001preview:LoadBalancer"), pulumi.Alias(type_="azure-native:kubernetesruntime/v20240301:LoadBalancer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesruntime/v20231001preview:LoadBalancer"), pulumi.Alias(type_="azure-native:kubernetesruntime/v20240301:LoadBalancer"), pulumi.Alias(type_="azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:LoadBalancer"), pulumi.Alias(type_="azure-native_kubernetesruntime_v20240301:kubernetesruntime:LoadBalancer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LoadBalancer, __self__).__init__( 'azure-native:kubernetesruntime:LoadBalancer', diff --git a/sdk/python/pulumi_azure_native/kubernetesruntime/service.py b/sdk/python/pulumi_azure_native/kubernetesruntime/service.py index b22841ca44dd..ebda700e8d55 100644 --- a/sdk/python/pulumi_azure_native/kubernetesruntime/service.py +++ b/sdk/python/pulumi_azure_native/kubernetesruntime/service.py @@ -121,7 +121,7 @@ def _internal_init(__self__, __props__.__dict__["rp_object_id"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesruntime/v20231001preview:Service"), pulumi.Alias(type_="azure-native:kubernetesruntime/v20240301:Service")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesruntime/v20231001preview:Service"), pulumi.Alias(type_="azure-native:kubernetesruntime/v20240301:Service"), pulumi.Alias(type_="azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:Service"), pulumi.Alias(type_="azure-native_kubernetesruntime_v20240301:kubernetesruntime:Service")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Service, __self__).__init__( 'azure-native:kubernetesruntime:Service', diff --git a/sdk/python/pulumi_azure_native/kubernetesruntime/storage_class.py b/sdk/python/pulumi_azure_native/kubernetesruntime/storage_class.py index 8e3c8bbc861b..2b31e25e9237 100644 --- a/sdk/python/pulumi_azure_native/kubernetesruntime/storage_class.py +++ b/sdk/python/pulumi_azure_native/kubernetesruntime/storage_class.py @@ -343,7 +343,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesruntime/v20231001preview:StorageClass"), pulumi.Alias(type_="azure-native:kubernetesruntime/v20240301:StorageClass")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kubernetesruntime/v20231001preview:StorageClass"), pulumi.Alias(type_="azure-native:kubernetesruntime/v20240301:StorageClass"), pulumi.Alias(type_="azure-native_kubernetesruntime_v20231001preview:kubernetesruntime:StorageClass"), pulumi.Alias(type_="azure-native_kubernetesruntime_v20240301:kubernetesruntime:StorageClass")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageClass, __self__).__init__( 'azure-native:kubernetesruntime:StorageClass', diff --git a/sdk/python/pulumi_azure_native/kusto/attached_database_configuration.py b/sdk/python/pulumi_azure_native/kusto/attached_database_configuration.py index 65ad6b9ea0db..b5b3d7bf3dd9 100644 --- a/sdk/python/pulumi_azure_native/kusto/attached_database_configuration.py +++ b/sdk/python/pulumi_azure_native/kusto/attached_database_configuration.py @@ -290,7 +290,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20190907:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20191109:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20200215:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20200614:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20200918:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20210101:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20210827:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20220201:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20220707:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20221111:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20221229:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20230502:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20230815:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20240413:AttachedDatabaseConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20221229:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20230502:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20230815:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native:kusto/v20240413:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20190907:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20191109:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20200215:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20200614:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20200918:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20210101:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:AttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:AttachedDatabaseConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AttachedDatabaseConfiguration, __self__).__init__( 'azure-native:kusto:AttachedDatabaseConfiguration', diff --git a/sdk/python/pulumi_azure_native/kusto/cluster.py b/sdk/python/pulumi_azure_native/kusto/cluster.py index fcc4c7d4a179..9059e7aa8050 100644 --- a/sdk/python/pulumi_azure_native/kusto/cluster.py +++ b/sdk/python/pulumi_azure_native/kusto/cluster.py @@ -651,7 +651,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["uri"] = None __props__.__dict__["zone_status"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20170907privatepreview:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20180907preview:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20190121:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20190515:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20190907:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20191109:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20200215:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20200614:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20200918:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20210101:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20210827:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20220201:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20220707:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20221111:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20221229:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20230502:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20230815:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20240413:Cluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20220707:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20221229:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20230502:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20230815:Cluster"), pulumi.Alias(type_="azure-native:kusto/v20240413:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20170907privatepreview:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20180907preview:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20190121:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20190515:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20190907:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20191109:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20200215:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20200614:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20200918:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20210101:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:Cluster"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:Cluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cluster, __self__).__init__( 'azure-native:kusto:Cluster', diff --git a/sdk/python/pulumi_azure_native/kusto/cluster_principal_assignment.py b/sdk/python/pulumi_azure_native/kusto/cluster_principal_assignment.py index bafb621a70de..7cf513f2e335 100644 --- a/sdk/python/pulumi_azure_native/kusto/cluster_principal_assignment.py +++ b/sdk/python/pulumi_azure_native/kusto/cluster_principal_assignment.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["tenant_name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20191109:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20200215:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20200614:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20200918:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20210101:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20210827:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20220201:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20220707:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20221111:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20221229:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20230502:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20230815:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20240413:ClusterPrincipalAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20221229:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20230502:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20230815:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20240413:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20191109:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20200215:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20200614:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20200918:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20210101:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:ClusterPrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:ClusterPrincipalAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ClusterPrincipalAssignment, __self__).__init__( 'azure-native:kusto:ClusterPrincipalAssignment', diff --git a/sdk/python/pulumi_azure_native/kusto/cosmos_db_data_connection.py b/sdk/python/pulumi_azure_native/kusto/cosmos_db_data_connection.py index e4e76d38fd46..a410c8ab2ece 100644 --- a/sdk/python/pulumi_azure_native/kusto/cosmos_db_data_connection.py +++ b/sdk/python/pulumi_azure_native/kusto/cosmos_db_data_connection.py @@ -350,7 +350,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20190121:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20190515:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20190907:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20191109:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200215:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200215:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200614:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200918:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20210101:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20210827:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20220201:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20220707:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221111:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:IotHubDataConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20200215:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190121:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190515:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190907:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20191109:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200215:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200614:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200918:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20210101:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:CosmosDbDataConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CosmosDbDataConnection, __self__).__init__( 'azure-native:kusto:CosmosDbDataConnection', diff --git a/sdk/python/pulumi_azure_native/kusto/database_principal_assignment.py b/sdk/python/pulumi_azure_native/kusto/database_principal_assignment.py index 10d611f3a642..69a9d55de4ad 100644 --- a/sdk/python/pulumi_azure_native/kusto/database_principal_assignment.py +++ b/sdk/python/pulumi_azure_native/kusto/database_principal_assignment.py @@ -251,7 +251,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["tenant_name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20191109:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20200215:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20200614:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20200918:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20210101:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20210827:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20220201:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20220707:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20221111:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20221229:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20230502:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20230815:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20240413:DatabasePrincipalAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20221229:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20230502:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20230815:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:kusto/v20240413:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20191109:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20200215:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20200614:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20200918:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20210101:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:DatabasePrincipalAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabasePrincipalAssignment, __self__).__init__( 'azure-native:kusto:DatabasePrincipalAssignment', diff --git a/sdk/python/pulumi_azure_native/kusto/event_grid_data_connection.py b/sdk/python/pulumi_azure_native/kusto/event_grid_data_connection.py index 70898b5d2d6f..d5352784fcad 100644 --- a/sdk/python/pulumi_azure_native/kusto/event_grid_data_connection.py +++ b/sdk/python/pulumi_azure_native/kusto/event_grid_data_connection.py @@ -433,7 +433,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20190121:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20190515:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20190907:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20191109:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200215:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200614:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200918:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20210101:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20210827:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20220201:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20220707:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221111:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:IotHubDataConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20200215:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190121:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190515:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190907:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20191109:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200215:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200614:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200918:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20210101:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:EventGridDataConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EventGridDataConnection, __self__).__init__( 'azure-native:kusto:EventGridDataConnection', diff --git a/sdk/python/pulumi_azure_native/kusto/event_hub_connection.py b/sdk/python/pulumi_azure_native/kusto/event_hub_connection.py index 7522d4f7e82b..bec635db3890 100644 --- a/sdk/python/pulumi_azure_native/kusto/event_hub_connection.py +++ b/sdk/python/pulumi_azure_native/kusto/event_hub_connection.py @@ -282,7 +282,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20170907privatepreview:EventHubConnection"), pulumi.Alias(type_="azure-native:kusto/v20180907preview:EventHubConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20180907preview:EventHubConnection"), pulumi.Alias(type_="azure-native_kusto_v20170907privatepreview:kusto:EventHubConnection"), pulumi.Alias(type_="azure-native_kusto_v20180907preview:kusto:EventHubConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EventHubConnection, __self__).__init__( 'azure-native:kusto:EventHubConnection', diff --git a/sdk/python/pulumi_azure_native/kusto/event_hub_data_connection.py b/sdk/python/pulumi_azure_native/kusto/event_hub_data_connection.py index 20ff3c997cde..40369a51554f 100644 --- a/sdk/python/pulumi_azure_native/kusto/event_hub_data_connection.py +++ b/sdk/python/pulumi_azure_native/kusto/event_hub_data_connection.py @@ -412,7 +412,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20190121:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20190515:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20190907:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20191109:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200215:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200215:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200614:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200918:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20210101:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20210827:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20220201:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20220707:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221111:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto:IotHubDataConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20200215:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190121:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190515:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190907:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20191109:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200215:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200614:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200918:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20210101:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:EventHubDataConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EventHubDataConnection, __self__).__init__( 'azure-native:kusto:EventHubDataConnection', diff --git a/sdk/python/pulumi_azure_native/kusto/iot_hub_data_connection.py b/sdk/python/pulumi_azure_native/kusto/iot_hub_data_connection.py index fc0ff748e009..a7ab08931576 100644 --- a/sdk/python/pulumi_azure_native/kusto/iot_hub_data_connection.py +++ b/sdk/python/pulumi_azure_native/kusto/iot_hub_data_connection.py @@ -392,7 +392,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20190121:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20190515:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20190907:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20191109:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200215:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200215:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200614:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20200918:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20210101:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20210827:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20220201:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20220707:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221111:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventHubDataConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20200215:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:EventHubDataConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:IotHubDataConnection"), pulumi.Alias(type_="azure-native:kusto:CosmosDbDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventGridDataConnection"), pulumi.Alias(type_="azure-native:kusto:EventHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190121:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190515:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20190907:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20191109:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200215:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200614:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20200918:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20210101:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:IotHubDataConnection"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:IotHubDataConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IotHubDataConnection, __self__).__init__( 'azure-native:kusto:IotHubDataConnection', diff --git a/sdk/python/pulumi_azure_native/kusto/managed_private_endpoint.py b/sdk/python/pulumi_azure_native/kusto/managed_private_endpoint.py index 6181afca705f..afb44733777d 100644 --- a/sdk/python/pulumi_azure_native/kusto/managed_private_endpoint.py +++ b/sdk/python/pulumi_azure_native/kusto/managed_private_endpoint.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20210827:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:kusto/v20220201:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:kusto/v20220707:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:kusto/v20221111:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:kusto/v20221229:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:kusto/v20230502:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:kusto/v20230815:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:kusto/v20240413:ManagedPrivateEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20221229:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:kusto/v20230502:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:kusto/v20230815:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native:kusto/v20240413:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:ManagedPrivateEndpoint"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:ManagedPrivateEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedPrivateEndpoint, __self__).__init__( 'azure-native:kusto:ManagedPrivateEndpoint', diff --git a/sdk/python/pulumi_azure_native/kusto/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/kusto/private_endpoint_connection.py index b376077a08b0..1018d8a74afa 100644 --- a/sdk/python/pulumi_azure_native/kusto/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/kusto/private_endpoint_connection.py @@ -169,7 +169,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20210827:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:kusto/v20220201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:kusto/v20220707:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:kusto/v20221111:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:kusto/v20221229:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20221229:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:kusto/v20230502:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:kusto/v20230815:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:kusto/v20240413:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:kusto:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/kusto/read_only_following_database.py b/sdk/python/pulumi_azure_native/kusto/read_only_following_database.py index 2758ab958621..ce32f19fcce0 100644 --- a/sdk/python/pulumi_azure_native/kusto/read_only_following_database.py +++ b/sdk/python/pulumi_azure_native/kusto/read_only_following_database.py @@ -233,7 +233,7 @@ def _internal_init(__self__, __props__.__dict__["suspension_details"] = None __props__.__dict__["table_level_sharing_properties"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20170907privatepreview:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20180907preview:Database"), pulumi.Alias(type_="azure-native:kusto/v20180907preview:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20190121:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20190515:Database"), pulumi.Alias(type_="azure-native:kusto/v20190515:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20190907:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20190907:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20191109:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20191109:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20200215:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20200614:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20200918:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20210101:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20210827:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20220201:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20220707:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20221111:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20221229:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20221229:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230502:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230502:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230815:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230815:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20240413:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20240413:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto:ReadWriteDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20180907preview:Database"), pulumi.Alias(type_="azure-native:kusto/v20190515:Database"), pulumi.Alias(type_="azure-native:kusto/v20190907:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20190907:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20191109:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20221229:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20221229:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230502:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230502:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230815:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230815:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20240413:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20240413:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20170907privatepreview:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20180907preview:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20190121:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20190515:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20190907:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20191109:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20200215:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20200614:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20200918:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20210101:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:ReadOnlyFollowingDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReadOnlyFollowingDatabase, __self__).__init__( 'azure-native:kusto:ReadOnlyFollowingDatabase', diff --git a/sdk/python/pulumi_azure_native/kusto/read_write_database.py b/sdk/python/pulumi_azure_native/kusto/read_write_database.py index 92d3ca27ee52..8522fec52869 100644 --- a/sdk/python/pulumi_azure_native/kusto/read_write_database.py +++ b/sdk/python/pulumi_azure_native/kusto/read_write_database.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["statistics"] = None __props__.__dict__["suspension_details"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20170907privatepreview:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20180907preview:Database"), pulumi.Alias(type_="azure-native:kusto/v20180907preview:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20190121:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20190515:Database"), pulumi.Alias(type_="azure-native:kusto/v20190515:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20190907:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20190907:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20191109:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20200215:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20200614:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20200918:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20210101:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20210827:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20220201:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20220707:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20221111:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20221229:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20221229:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230502:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230502:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230815:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230815:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20240413:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20240413:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto:ReadOnlyFollowingDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20180907preview:Database"), pulumi.Alias(type_="azure-native:kusto/v20190515:Database"), pulumi.Alias(type_="azure-native:kusto/v20190907:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20190907:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20191109:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20221229:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20221229:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230502:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230502:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230815:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20230815:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto/v20240413:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:kusto/v20240413:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:kusto:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_kusto_v20170907privatepreview:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20180907preview:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20190121:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20190515:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20190907:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20191109:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20200215:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20200614:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20200918:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20210101:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:ReadWriteDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReadWriteDatabase, __self__).__init__( 'azure-native:kusto:ReadWriteDatabase', diff --git a/sdk/python/pulumi_azure_native/kusto/sandbox_custom_image.py b/sdk/python/pulumi_azure_native/kusto/sandbox_custom_image.py index a7b6e25e8c1e..5ce9daf7819c 100644 --- a/sdk/python/pulumi_azure_native/kusto/sandbox_custom_image.py +++ b/sdk/python/pulumi_azure_native/kusto/sandbox_custom_image.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20230815:SandboxCustomImage"), pulumi.Alias(type_="azure-native:kusto/v20240413:SandboxCustomImage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20230815:SandboxCustomImage"), pulumi.Alias(type_="azure-native:kusto/v20240413:SandboxCustomImage"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:SandboxCustomImage"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:SandboxCustomImage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SandboxCustomImage, __self__).__init__( 'azure-native:kusto:SandboxCustomImage', diff --git a/sdk/python/pulumi_azure_native/kusto/script.py b/sdk/python/pulumi_azure_native/kusto/script.py index f6da29a086c1..7ac38bf7f606 100644 --- a/sdk/python/pulumi_azure_native/kusto/script.py +++ b/sdk/python/pulumi_azure_native/kusto/script.py @@ -311,7 +311,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20210101:Script"), pulumi.Alias(type_="azure-native:kusto/v20210827:Script"), pulumi.Alias(type_="azure-native:kusto/v20220201:Script"), pulumi.Alias(type_="azure-native:kusto/v20220707:Script"), pulumi.Alias(type_="azure-native:kusto/v20221111:Script"), pulumi.Alias(type_="azure-native:kusto/v20221229:Script"), pulumi.Alias(type_="azure-native:kusto/v20230502:Script"), pulumi.Alias(type_="azure-native:kusto/v20230815:Script"), pulumi.Alias(type_="azure-native:kusto/v20240413:Script")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:kusto/v20210827:Script"), pulumi.Alias(type_="azure-native:kusto/v20221229:Script"), pulumi.Alias(type_="azure-native:kusto/v20230502:Script"), pulumi.Alias(type_="azure-native:kusto/v20230815:Script"), pulumi.Alias(type_="azure-native:kusto/v20240413:Script"), pulumi.Alias(type_="azure-native_kusto_v20210101:kusto:Script"), pulumi.Alias(type_="azure-native_kusto_v20210827:kusto:Script"), pulumi.Alias(type_="azure-native_kusto_v20220201:kusto:Script"), pulumi.Alias(type_="azure-native_kusto_v20220707:kusto:Script"), pulumi.Alias(type_="azure-native_kusto_v20221111:kusto:Script"), pulumi.Alias(type_="azure-native_kusto_v20221229:kusto:Script"), pulumi.Alias(type_="azure-native_kusto_v20230502:kusto:Script"), pulumi.Alias(type_="azure-native_kusto_v20230815:kusto:Script"), pulumi.Alias(type_="azure-native_kusto_v20240413:kusto:Script")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Script, __self__).__init__( 'azure-native:kusto:Script', diff --git a/sdk/python/pulumi_azure_native/labservices/lab.py b/sdk/python/pulumi_azure_native/labservices/lab.py index 5644c49550fa..89fd5f6ebeac 100644 --- a/sdk/python/pulumi_azure_native/labservices/lab.py +++ b/sdk/python/pulumi_azure_native/labservices/lab.py @@ -352,7 +352,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:labservices/v20181015:Lab"), pulumi.Alias(type_="azure-native:labservices/v20211001preview:Lab"), pulumi.Alias(type_="azure-native:labservices/v20211115preview:Lab"), pulumi.Alias(type_="azure-native:labservices/v20220801:Lab"), pulumi.Alias(type_="azure-native:labservices/v20230607:Lab")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:labservices/v20220801:Lab"), pulumi.Alias(type_="azure-native:labservices/v20230607:Lab"), pulumi.Alias(type_="azure-native_labservices_v20211001preview:labservices:Lab"), pulumi.Alias(type_="azure-native_labservices_v20211115preview:labservices:Lab"), pulumi.Alias(type_="azure-native_labservices_v20220801:labservices:Lab"), pulumi.Alias(type_="azure-native_labservices_v20230607:labservices:Lab")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Lab, __self__).__init__( 'azure-native:labservices:Lab', diff --git a/sdk/python/pulumi_azure_native/labservices/lab_plan.py b/sdk/python/pulumi_azure_native/labservices/lab_plan.py index 37e38654a84b..7dd8a0fa63fe 100644 --- a/sdk/python/pulumi_azure_native/labservices/lab_plan.py +++ b/sdk/python/pulumi_azure_native/labservices/lab_plan.py @@ -327,7 +327,7 @@ def _internal_init(__self__, __props__.__dict__["resource_operation_error"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:labservices/v20211001preview:LabPlan"), pulumi.Alias(type_="azure-native:labservices/v20211115preview:LabPlan"), pulumi.Alias(type_="azure-native:labservices/v20220801:LabPlan"), pulumi.Alias(type_="azure-native:labservices/v20230607:LabPlan")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:labservices/v20220801:LabPlan"), pulumi.Alias(type_="azure-native:labservices/v20230607:LabPlan"), pulumi.Alias(type_="azure-native_labservices_v20211001preview:labservices:LabPlan"), pulumi.Alias(type_="azure-native_labservices_v20211115preview:labservices:LabPlan"), pulumi.Alias(type_="azure-native_labservices_v20220801:labservices:LabPlan"), pulumi.Alias(type_="azure-native_labservices_v20230607:labservices:LabPlan")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LabPlan, __self__).__init__( 'azure-native:labservices:LabPlan', diff --git a/sdk/python/pulumi_azure_native/labservices/schedule.py b/sdk/python/pulumi_azure_native/labservices/schedule.py index 82ee16ce61ff..b875478dd49e 100644 --- a/sdk/python/pulumi_azure_native/labservices/schedule.py +++ b/sdk/python/pulumi_azure_native/labservices/schedule.py @@ -250,7 +250,7 @@ def _internal_init(__self__, __props__.__dict__["resource_operation_error"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:labservices/v20211001preview:Schedule"), pulumi.Alias(type_="azure-native:labservices/v20211115preview:Schedule"), pulumi.Alias(type_="azure-native:labservices/v20220801:Schedule"), pulumi.Alias(type_="azure-native:labservices/v20230607:Schedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:labservices/v20220801:Schedule"), pulumi.Alias(type_="azure-native:labservices/v20230607:Schedule"), pulumi.Alias(type_="azure-native_labservices_v20211001preview:labservices:Schedule"), pulumi.Alias(type_="azure-native_labservices_v20211115preview:labservices:Schedule"), pulumi.Alias(type_="azure-native_labservices_v20220801:labservices:Schedule"), pulumi.Alias(type_="azure-native_labservices_v20230607:labservices:Schedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Schedule, __self__).__init__( 'azure-native:labservices:Schedule', diff --git a/sdk/python/pulumi_azure_native/labservices/user.py b/sdk/python/pulumi_azure_native/labservices/user.py index ca5f52b1f2dd..f83af26c7b5a 100644 --- a/sdk/python/pulumi_azure_native/labservices/user.py +++ b/sdk/python/pulumi_azure_native/labservices/user.py @@ -192,7 +192,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["total_usage"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:labservices/v20181015:User"), pulumi.Alias(type_="azure-native:labservices/v20211001preview:User"), pulumi.Alias(type_="azure-native:labservices/v20211115preview:User"), pulumi.Alias(type_="azure-native:labservices/v20220801:User"), pulumi.Alias(type_="azure-native:labservices/v20230607:User")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:labservices/v20220801:User"), pulumi.Alias(type_="azure-native:labservices/v20230607:User"), pulumi.Alias(type_="azure-native_labservices_v20211001preview:labservices:User"), pulumi.Alias(type_="azure-native_labservices_v20211115preview:labservices:User"), pulumi.Alias(type_="azure-native_labservices_v20220801:labservices:User"), pulumi.Alias(type_="azure-native_labservices_v20230607:labservices:User")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(User, __self__).__init__( 'azure-native:labservices:User', diff --git a/sdk/python/pulumi_azure_native/loadtestservice/load_test.py b/sdk/python/pulumi_azure_native/loadtestservice/load_test.py index 2c359cf4b1c6..9aa7582ddad5 100644 --- a/sdk/python/pulumi_azure_native/loadtestservice/load_test.py +++ b/sdk/python/pulumi_azure_native/loadtestservice/load_test.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:loadtestservice/v20211201preview:LoadTest"), pulumi.Alias(type_="azure-native:loadtestservice/v20220415preview:LoadTest"), pulumi.Alias(type_="azure-native:loadtestservice/v20221201:LoadTest"), pulumi.Alias(type_="azure-native:loadtestservice/v20231201preview:LoadTest"), pulumi.Alias(type_="azure-native:loadtestservice/v20241201preview:LoadTest")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:loadtestservice/v20211201preview:LoadTest"), pulumi.Alias(type_="azure-native:loadtestservice/v20221201:LoadTest"), pulumi.Alias(type_="azure-native:loadtestservice/v20231201preview:LoadTest"), pulumi.Alias(type_="azure-native_loadtestservice_v20211201preview:loadtestservice:LoadTest"), pulumi.Alias(type_="azure-native_loadtestservice_v20220415preview:loadtestservice:LoadTest"), pulumi.Alias(type_="azure-native_loadtestservice_v20221201:loadtestservice:LoadTest"), pulumi.Alias(type_="azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTest"), pulumi.Alias(type_="azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTest")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LoadTest, __self__).__init__( 'azure-native:loadtestservice:LoadTest', diff --git a/sdk/python/pulumi_azure_native/loadtestservice/load_test_mapping.py b/sdk/python/pulumi_azure_native/loadtestservice/load_test_mapping.py index 1353684b2c77..e7ea983e4d66 100644 --- a/sdk/python/pulumi_azure_native/loadtestservice/load_test_mapping.py +++ b/sdk/python/pulumi_azure_native/loadtestservice/load_test_mapping.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:loadtestservice/v20231201preview:LoadTestMapping"), pulumi.Alias(type_="azure-native:loadtestservice/v20241201preview:LoadTestMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:loadtestservice/v20231201preview:LoadTestMapping"), pulumi.Alias(type_="azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTestMapping"), pulumi.Alias(type_="azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTestMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LoadTestMapping, __self__).__init__( 'azure-native:loadtestservice:LoadTestMapping', diff --git a/sdk/python/pulumi_azure_native/loadtestservice/load_test_profile_mapping.py b/sdk/python/pulumi_azure_native/loadtestservice/load_test_profile_mapping.py index 7cc986321c3f..409b64b14e56 100644 --- a/sdk/python/pulumi_azure_native/loadtestservice/load_test_profile_mapping.py +++ b/sdk/python/pulumi_azure_native/loadtestservice/load_test_profile_mapping.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:loadtestservice/v20231201preview:LoadTestProfileMapping"), pulumi.Alias(type_="azure-native:loadtestservice/v20241201preview:LoadTestProfileMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:loadtestservice/v20231201preview:LoadTestProfileMapping"), pulumi.Alias(type_="azure-native_loadtestservice_v20231201preview:loadtestservice:LoadTestProfileMapping"), pulumi.Alias(type_="azure-native_loadtestservice_v20241201preview:loadtestservice:LoadTestProfileMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LoadTestProfileMapping, __self__).__init__( 'azure-native:loadtestservice:LoadTestProfileMapping', diff --git a/sdk/python/pulumi_azure_native/logic/integration_account.py b/sdk/python/pulumi_azure_native/logic/integration_account.py index b9203ed03156..5741b0f5d943 100644 --- a/sdk/python/pulumi_azure_native/logic/integration_account.py +++ b/sdk/python/pulumi_azure_native/logic/integration_account.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccount"), pulumi.Alias(type_="azure-native:logic/v20160601:IntegrationAccount"), pulumi.Alias(type_="azure-native:logic/v20180701preview:IntegrationAccount"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccount"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccount"), pulumi.Alias(type_="azure-native_logic_v20150801preview:logic:IntegrationAccount"), pulumi.Alias(type_="azure-native_logic_v20160601:logic:IntegrationAccount"), pulumi.Alias(type_="azure-native_logic_v20180701preview:logic:IntegrationAccount"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:IntegrationAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationAccount, __self__).__init__( 'azure-native:logic:IntegrationAccount', diff --git a/sdk/python/pulumi_azure_native/logic/integration_account_agreement.py b/sdk/python/pulumi_azure_native/logic/integration_account_agreement.py index 1cc741aba2f7..a5874fd529c5 100644 --- a/sdk/python/pulumi_azure_native/logic/integration_account_agreement.py +++ b/sdk/python/pulumi_azure_native/logic/integration_account_agreement.py @@ -333,7 +333,7 @@ def _internal_init(__self__, __props__.__dict__["created_time"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccountAgreement"), pulumi.Alias(type_="azure-native:logic/v20160601:Agreement"), pulumi.Alias(type_="azure-native:logic/v20160601:IntegrationAccountAgreement"), pulumi.Alias(type_="azure-native:logic/v20180701preview:IntegrationAccountAgreement"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountAgreement")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccountAgreement"), pulumi.Alias(type_="azure-native:logic/v20160601:Agreement"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountAgreement"), pulumi.Alias(type_="azure-native_logic_v20150801preview:logic:IntegrationAccountAgreement"), pulumi.Alias(type_="azure-native_logic_v20160601:logic:IntegrationAccountAgreement"), pulumi.Alias(type_="azure-native_logic_v20180701preview:logic:IntegrationAccountAgreement"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:IntegrationAccountAgreement")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationAccountAgreement, __self__).__init__( 'azure-native:logic:IntegrationAccountAgreement', diff --git a/sdk/python/pulumi_azure_native/logic/integration_account_assembly.py b/sdk/python/pulumi_azure_native/logic/integration_account_assembly.py index d61e128a7ba6..4c2e6747a8c1 100644 --- a/sdk/python/pulumi_azure_native/logic/integration_account_assembly.py +++ b/sdk/python/pulumi_azure_native/logic/integration_account_assembly.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20160601:IntegrationAccountAssembly"), pulumi.Alias(type_="azure-native:logic/v20180701preview:IntegrationAccountAssembly"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountAssembly")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountAssembly"), pulumi.Alias(type_="azure-native_logic_v20160601:logic:IntegrationAccountAssembly"), pulumi.Alias(type_="azure-native_logic_v20180701preview:logic:IntegrationAccountAssembly"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:IntegrationAccountAssembly")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationAccountAssembly, __self__).__init__( 'azure-native:logic:IntegrationAccountAssembly', diff --git a/sdk/python/pulumi_azure_native/logic/integration_account_batch_configuration.py b/sdk/python/pulumi_azure_native/logic/integration_account_batch_configuration.py index 3daa8a479fb8..21117e951eb4 100644 --- a/sdk/python/pulumi_azure_native/logic/integration_account_batch_configuration.py +++ b/sdk/python/pulumi_azure_native/logic/integration_account_batch_configuration.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20160601:IntegrationAccountBatchConfiguration"), pulumi.Alias(type_="azure-native:logic/v20180701preview:IntegrationAccountBatchConfiguration"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountBatchConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountBatchConfiguration"), pulumi.Alias(type_="azure-native_logic_v20160601:logic:IntegrationAccountBatchConfiguration"), pulumi.Alias(type_="azure-native_logic_v20180701preview:logic:IntegrationAccountBatchConfiguration"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:IntegrationAccountBatchConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationAccountBatchConfiguration, __self__).__init__( 'azure-native:logic:IntegrationAccountBatchConfiguration', diff --git a/sdk/python/pulumi_azure_native/logic/integration_account_certificate.py b/sdk/python/pulumi_azure_native/logic/integration_account_certificate.py index e73cf1be2ea2..5fa61bd9f23b 100644 --- a/sdk/python/pulumi_azure_native/logic/integration_account_certificate.py +++ b/sdk/python/pulumi_azure_native/logic/integration_account_certificate.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["created_time"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccountCertificate"), pulumi.Alias(type_="azure-native:logic/v20160601:Certificate"), pulumi.Alias(type_="azure-native:logic/v20160601:IntegrationAccountCertificate"), pulumi.Alias(type_="azure-native:logic/v20180701preview:IntegrationAccountCertificate"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccountCertificate"), pulumi.Alias(type_="azure-native:logic/v20160601:Certificate"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountCertificate"), pulumi.Alias(type_="azure-native_logic_v20150801preview:logic:IntegrationAccountCertificate"), pulumi.Alias(type_="azure-native_logic_v20160601:logic:IntegrationAccountCertificate"), pulumi.Alias(type_="azure-native_logic_v20180701preview:logic:IntegrationAccountCertificate"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:IntegrationAccountCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationAccountCertificate, __self__).__init__( 'azure-native:logic:IntegrationAccountCertificate', diff --git a/sdk/python/pulumi_azure_native/logic/integration_account_map.py b/sdk/python/pulumi_azure_native/logic/integration_account_map.py index 9f6b62cfd04c..2a008da45e4a 100644 --- a/sdk/python/pulumi_azure_native/logic/integration_account_map.py +++ b/sdk/python/pulumi_azure_native/logic/integration_account_map.py @@ -289,7 +289,7 @@ def _internal_init(__self__, __props__.__dict__["created_time"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccountMap"), pulumi.Alias(type_="azure-native:logic/v20160601:IntegrationAccountMap"), pulumi.Alias(type_="azure-native:logic/v20160601:Map"), pulumi.Alias(type_="azure-native:logic/v20180701preview:IntegrationAccountMap"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountMap")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccountMap"), pulumi.Alias(type_="azure-native:logic/v20160601:Map"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountMap"), pulumi.Alias(type_="azure-native_logic_v20150801preview:logic:IntegrationAccountMap"), pulumi.Alias(type_="azure-native_logic_v20160601:logic:IntegrationAccountMap"), pulumi.Alias(type_="azure-native_logic_v20180701preview:logic:IntegrationAccountMap"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:IntegrationAccountMap")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationAccountMap, __self__).__init__( 'azure-native:logic:IntegrationAccountMap', diff --git a/sdk/python/pulumi_azure_native/logic/integration_account_partner.py b/sdk/python/pulumi_azure_native/logic/integration_account_partner.py index 6fe2eff2388b..cfba096df321 100644 --- a/sdk/python/pulumi_azure_native/logic/integration_account_partner.py +++ b/sdk/python/pulumi_azure_native/logic/integration_account_partner.py @@ -249,7 +249,7 @@ def _internal_init(__self__, __props__.__dict__["created_time"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccountPartner"), pulumi.Alias(type_="azure-native:logic/v20160601:IntegrationAccountPartner"), pulumi.Alias(type_="azure-native:logic/v20160601:Partner"), pulumi.Alias(type_="azure-native:logic/v20180701preview:IntegrationAccountPartner"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountPartner")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccountPartner"), pulumi.Alias(type_="azure-native:logic/v20160601:Partner"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountPartner"), pulumi.Alias(type_="azure-native_logic_v20150801preview:logic:IntegrationAccountPartner"), pulumi.Alias(type_="azure-native_logic_v20160601:logic:IntegrationAccountPartner"), pulumi.Alias(type_="azure-native_logic_v20180701preview:logic:IntegrationAccountPartner"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:IntegrationAccountPartner")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationAccountPartner, __self__).__init__( 'azure-native:logic:IntegrationAccountPartner', diff --git a/sdk/python/pulumi_azure_native/logic/integration_account_schema.py b/sdk/python/pulumi_azure_native/logic/integration_account_schema.py index 52a143671913..72bf273a1d9b 100644 --- a/sdk/python/pulumi_azure_native/logic/integration_account_schema.py +++ b/sdk/python/pulumi_azure_native/logic/integration_account_schema.py @@ -328,7 +328,7 @@ def _internal_init(__self__, __props__.__dict__["created_time"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccountSchema"), pulumi.Alias(type_="azure-native:logic/v20160601:IntegrationAccountSchema"), pulumi.Alias(type_="azure-native:logic/v20160601:Schema"), pulumi.Alias(type_="azure-native:logic/v20180701preview:IntegrationAccountSchema"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountSchema")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150801preview:IntegrationAccountSchema"), pulumi.Alias(type_="azure-native:logic/v20160601:Schema"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountSchema"), pulumi.Alias(type_="azure-native_logic_v20150801preview:logic:IntegrationAccountSchema"), pulumi.Alias(type_="azure-native_logic_v20160601:logic:IntegrationAccountSchema"), pulumi.Alias(type_="azure-native_logic_v20180701preview:logic:IntegrationAccountSchema"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:IntegrationAccountSchema")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationAccountSchema, __self__).__init__( 'azure-native:logic:IntegrationAccountSchema', diff --git a/sdk/python/pulumi_azure_native/logic/integration_account_session.py b/sdk/python/pulumi_azure_native/logic/integration_account_session.py index ba3d3643f04a..82ad444b6d6b 100644 --- a/sdk/python/pulumi_azure_native/logic/integration_account_session.py +++ b/sdk/python/pulumi_azure_native/logic/integration_account_session.py @@ -204,7 +204,7 @@ def _internal_init(__self__, __props__.__dict__["created_time"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20160601:IntegrationAccountSession"), pulumi.Alias(type_="azure-native:logic/v20160601:Session"), pulumi.Alias(type_="azure-native:logic/v20180701preview:IntegrationAccountSession"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountSession")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20160601:Session"), pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationAccountSession"), pulumi.Alias(type_="azure-native_logic_v20160601:logic:IntegrationAccountSession"), pulumi.Alias(type_="azure-native_logic_v20180701preview:logic:IntegrationAccountSession"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:IntegrationAccountSession")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationAccountSession, __self__).__init__( 'azure-native:logic:IntegrationAccountSession', diff --git a/sdk/python/pulumi_azure_native/logic/integration_service_environment.py b/sdk/python/pulumi_azure_native/logic/integration_service_environment.py index 04719b0bf706..74a6d95683cc 100644 --- a/sdk/python/pulumi_azure_native/logic/integration_service_environment.py +++ b/sdk/python/pulumi_azure_native/logic/integration_service_environment.py @@ -220,7 +220,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationServiceEnvironment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationServiceEnvironment"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:IntegrationServiceEnvironment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationServiceEnvironment, __self__).__init__( 'azure-native:logic:IntegrationServiceEnvironment', diff --git a/sdk/python/pulumi_azure_native/logic/integration_service_environment_managed_api.py b/sdk/python/pulumi_azure_native/logic/integration_service_environment_managed_api.py index 986629206ba6..39525c8ea8bb 100644 --- a/sdk/python/pulumi_azure_native/logic/integration_service_environment_managed_api.py +++ b/sdk/python/pulumi_azure_native/logic/integration_service_environment_managed_api.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["runtime_urls"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationServiceEnvironmentManagedApi")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20190501:IntegrationServiceEnvironmentManagedApi"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:IntegrationServiceEnvironmentManagedApi")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationServiceEnvironmentManagedApi, __self__).__init__( 'azure-native:logic:IntegrationServiceEnvironmentManagedApi', diff --git a/sdk/python/pulumi_azure_native/logic/rosetta_net_process_configuration.py b/sdk/python/pulumi_azure_native/logic/rosetta_net_process_configuration.py index 328c25e554ab..84c293b3ed8e 100644 --- a/sdk/python/pulumi_azure_native/logic/rosetta_net_process_configuration.py +++ b/sdk/python/pulumi_azure_native/logic/rosetta_net_process_configuration.py @@ -349,7 +349,7 @@ def _internal_init(__self__, __props__.__dict__["created_time"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20160601:RosettaNetProcessConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20160601:RosettaNetProcessConfiguration"), pulumi.Alias(type_="azure-native_logic_v20160601:logic:RosettaNetProcessConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RosettaNetProcessConfiguration, __self__).__init__( 'azure-native:logic:RosettaNetProcessConfiguration', diff --git a/sdk/python/pulumi_azure_native/logic/workflow.py b/sdk/python/pulumi_azure_native/logic/workflow.py index c3ba30e403c1..f397b43f7920 100644 --- a/sdk/python/pulumi_azure_native/logic/workflow.py +++ b/sdk/python/pulumi_azure_native/logic/workflow.py @@ -330,7 +330,7 @@ def _internal_init(__self__, __props__.__dict__["sku"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150201preview:Workflow"), pulumi.Alias(type_="azure-native:logic/v20160601:Workflow"), pulumi.Alias(type_="azure-native:logic/v20180701preview:Workflow"), pulumi.Alias(type_="azure-native:logic/v20190501:Workflow")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150201preview:Workflow"), pulumi.Alias(type_="azure-native:logic/v20160601:Workflow"), pulumi.Alias(type_="azure-native:logic/v20180701preview:Workflow"), pulumi.Alias(type_="azure-native:logic/v20190501:Workflow"), pulumi.Alias(type_="azure-native_logic_v20150201preview:logic:Workflow"), pulumi.Alias(type_="azure-native_logic_v20160601:logic:Workflow"), pulumi.Alias(type_="azure-native_logic_v20180701preview:logic:Workflow"), pulumi.Alias(type_="azure-native_logic_v20190501:logic:Workflow")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workflow, __self__).__init__( 'azure-native:logic:Workflow', diff --git a/sdk/python/pulumi_azure_native/logic/workflow_access_key.py b/sdk/python/pulumi_azure_native/logic/workflow_access_key.py index 7b6f0652f46a..3fef01456295 100644 --- a/sdk/python/pulumi_azure_native/logic/workflow_access_key.py +++ b/sdk/python/pulumi_azure_native/logic/workflow_access_key.py @@ -194,7 +194,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150201preview:WorkflowAccessKey")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:logic/v20150201preview:WorkflowAccessKey"), pulumi.Alias(type_="azure-native_logic_v20150201preview:logic:WorkflowAccessKey")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkflowAccessKey, __self__).__init__( 'azure-native:logic:WorkflowAccessKey', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_adt_api.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_adt_api.py index d2e13301144f..a96c8454efd5 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_adt_api.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_adt_api.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsAdtAPI")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsAdtAPI"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsAdtAPI")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsAdtAPI, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateEndpointConnectionsAdtAPI', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_comp.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_comp.py index 5eab75329e2c..6fc869d22c3f 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_comp.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_comp.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsComp")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsComp"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsComp")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsComp, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateEndpointConnectionsComp', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_edm.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_edm.py index cfd9dbd8960b..ca039e5ed103 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_edm.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_edm.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForEDM")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForEDM"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForEDM")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsForEDM, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateEndpointConnectionsForEDM', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_mip_policy_sync.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_mip_policy_sync.py index ce49c5fe6897..81a32e5bf388 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_mip_policy_sync.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_mip_policy_sync.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForMIPPolicySync")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForMIPPolicySync"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForMIPPolicySync")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsForMIPPolicySync, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateEndpointConnectionsForMIPPolicySync', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_scc_powershell.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_scc_powershell.py index aa8e2642156c..1dad12ec4f47 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_scc_powershell.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_for_scc_powershell.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForSCCPowershell")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsForSCCPowershell"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsForSCCPowershell")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsForSCCPowershell, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateEndpointConnectionsForSCCPowershell', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_sec.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_sec.py index c3f550680263..b0d4329b6e4b 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_sec.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_endpoint_connections_sec.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsSec")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateEndpointConnectionsSec"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateEndpointConnectionsSec")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsSec, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateEndpointConnectionsSec', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_edm_upload.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_edm_upload.py index e72243f9d843..c598fffb0ec7 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_edm_upload.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_edm_upload.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForEDMUpload")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForEDMUpload"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForEDMUpload")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForEDMUpload, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateLinkServicesForEDMUpload', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_m365_compliance_center.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_m365_compliance_center.py index e65d12d541a3..88ce5e8c7e74 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_m365_compliance_center.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_m365_compliance_center.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365ComplianceCenter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365ComplianceCenter"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForM365ComplianceCenter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForM365ComplianceCenter, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateLinkServicesForM365ComplianceCenter', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_m365_security_center.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_m365_security_center.py index 3300ba0e1db1..fc0823c89c9a 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_m365_security_center.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_m365_security_center.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365SecurityCenter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForM365SecurityCenter"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForM365SecurityCenter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForM365SecurityCenter, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateLinkServicesForM365SecurityCenter', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_mip_policy_sync.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_mip_policy_sync.py index 5289759db395..ff6c5953412c 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_mip_policy_sync.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_mip_policy_sync.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForMIPPolicySync")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForMIPPolicySync"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForMIPPolicySync")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForMIPPolicySync, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateLinkServicesForMIPPolicySync', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_o365_management_activity_api.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_o365_management_activity_api.py index d583901287dd..b3feee1e396e 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_o365_management_activity_api.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_o365_management_activity_api.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForO365ManagementActivityAPI")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForO365ManagementActivityAPI"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForO365ManagementActivityAPI, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI', diff --git a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_scc_powershell.py b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_scc_powershell.py index b286283828ea..f638adc521ed 100644 --- a/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_scc_powershell.py +++ b/sdk/python/pulumi_azure_native/m365securityandcompliance/private_link_services_for_scc_powershell.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForSCCPowershell")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:m365securityandcompliance/v20210325preview:PrivateLinkServicesForSCCPowershell"), pulumi.Alias(type_="azure-native_m365securityandcompliance_v20210325preview:m365securityandcompliance:PrivateLinkServicesForSCCPowershell")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForSCCPowershell, __self__).__init__( 'azure-native:m365securityandcompliance:PrivateLinkServicesForSCCPowershell', diff --git a/sdk/python/pulumi_azure_native/machinelearning/workspace.py b/sdk/python/pulumi_azure_native/machinelearning/workspace.py index cfe9948da624..63f8a55ea620 100644 --- a/sdk/python/pulumi_azure_native/machinelearning/workspace.py +++ b/sdk/python/pulumi_azure_native/machinelearning/workspace.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["workspace_id"] = None __props__.__dict__["workspace_state"] = None __props__.__dict__["workspace_type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearning/v20160401:Workspace"), pulumi.Alias(type_="azure-native:machinelearning/v20191001:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearning/v20191001:Workspace"), pulumi.Alias(type_="azure-native_machinelearning_v20160401:machinelearning:Workspace"), pulumi.Alias(type_="azure-native_machinelearning_v20191001:machinelearning:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:machinelearning:Workspace', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/batch_deployment.py b/sdk/python/pulumi_azure_native/machinelearningservices/batch_deployment.py index d3fbd9f9b6b2..bac3cffd7c53 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/batch_deployment.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/batch_deployment.py @@ -284,7 +284,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:BatchDeployment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:BatchDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:BatchDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:BatchDeployment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BatchDeployment, __self__).__init__( 'azure-native:machinelearningservices:BatchDeployment', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/batch_endpoint.py b/sdk/python/pulumi_azure_native/machinelearningservices/batch_endpoint.py index d3552f2bc755..b5a2cee6ee4c 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/batch_endpoint.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/batch_endpoint.py @@ -263,7 +263,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:BatchEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:BatchEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:BatchEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:BatchEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BatchEndpoint, __self__).__init__( 'azure-native:machinelearningservices:BatchEndpoint', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/capability_host.py b/sdk/python/pulumi_azure_native/machinelearningservices/capability_host.py index b1ad65d0d2e4..f969b5750f32 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/capability_host.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/capability_host.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:CapabilityHost"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:CapabilityHost")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:CapabilityHost"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:CapabilityHost"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:CapabilityHost")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CapabilityHost, __self__).__init__( 'azure-native:machinelearningservices:CapabilityHost', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/capacity_reservation_group.py b/sdk/python/pulumi_azure_native/machinelearningservices/capacity_reservation_group.py index a55a9308edcc..34e79532e0ba 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/capacity_reservation_group.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/capacity_reservation_group.py @@ -242,7 +242,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:CapacityReservationGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:CapacityReservationGroup"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:CapacityReservationGroup"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:CapacityReservationGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CapacityReservationGroup, __self__).__init__( 'azure-native:machinelearningservices:CapacityReservationGroup', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/code_container.py b/sdk/python/pulumi_azure_native/machinelearningservices/code_container.py index 9835eac5c1b9..15417884aac2 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/code_container.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/code_container.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:CodeContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:CodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:CodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:CodeContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CodeContainer, __self__).__init__( 'azure-native:machinelearningservices:CodeContainer', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/code_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/code_version.py index 69e3df32d56f..bccef7341ff3 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/code_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/code_version.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:CodeVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:CodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:CodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:CodeVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CodeVersion, __self__).__init__( 'azure-native:machinelearningservices:CodeVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/component_container.py b/sdk/python/pulumi_azure_native/machinelearningservices/component_container.py index 9c98b849b366..ec6811c44fe3 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/component_container.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/component_container.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:ComponentContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:ComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:ComponentContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ComponentContainer, __self__).__init__( 'azure-native:machinelearningservices:ComponentContainer', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/component_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/component_version.py index 1ca541546716..c654703bccad 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/component_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/component_version.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:ComponentVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:ComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:ComponentVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ComponentVersion, __self__).__init__( 'azure-native:machinelearningservices:ComponentVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/compute.py b/sdk/python/pulumi_azure_native/machinelearningservices/compute.py index 85140aa65033..79e471d65ae3 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/compute.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/compute.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20180301preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20181119:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20190501:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20190601:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20191101:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200101:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200218preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200301:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200401:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200501preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200515preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200601:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200801:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200901preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210101:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210401:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210401:MachineLearningCompute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210701:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220101preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:Compute")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210401:MachineLearningCompute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220101preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Compute"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20180301preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20181119:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20190501:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20190601:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20191101:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200101:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200218preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200301:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200401:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200501preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200515preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200601:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200801:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200901preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210101:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210401:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210701:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220101preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:Compute"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:Compute")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Compute, __self__).__init__( 'azure-native:machinelearningservices:Compute', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/connection_deployment.py b/sdk/python/pulumi_azure_native/machinelearningservices/connection_deployment.py index fc4430abb35f..2713fb08c591 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/connection_deployment.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/connection_deployment.py @@ -199,7 +199,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ConnectionDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ConnectionDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ConnectionDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:ConnectionDeployment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ConnectionDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ConnectionDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ConnectionDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionDeployment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectionDeployment, __self__).__init__( 'azure-native:machinelearningservices:ConnectionDeployment', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_blocklist.py b/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_blocklist.py index 7c89e9aa0024..b6a0ae081299 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_blocklist.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_blocklist.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native:machinelearningservices:ConnectionRaiBlocklistItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native:machinelearningservices:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiBlocklist")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectionRaiBlocklist, __self__).__init__( 'azure-native:machinelearningservices:ConnectionRaiBlocklist', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_blocklist_item.py b/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_blocklist_item.py index 0a18f8fdee51..24231f030d53 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_blocklist_item.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_blocklist_item.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native:machinelearningservices:ConnectionRaiBlocklist")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native:machinelearningservices:ConnectionRaiBlocklist"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiBlocklistItem"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiBlocklistItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectionRaiBlocklistItem, __self__).__init__( 'azure-native:machinelearningservices:ConnectionRaiBlocklistItem', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_policy.py b/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_policy.py index e1688b97aaa5..569759706bae 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_policy.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/connection_rai_policy.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ConnectionRaiPolicy"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ConnectionRaiPolicy"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ConnectionRaiPolicy"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:ConnectionRaiPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ConnectionRaiPolicy"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ConnectionRaiPolicy"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ConnectionRaiPolicy"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:ConnectionRaiPolicy"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:ConnectionRaiPolicy"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:ConnectionRaiPolicy"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:ConnectionRaiPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectionRaiPolicy, __self__).__init__( 'azure-native:machinelearningservices:ConnectionRaiPolicy', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/data_container.py b/sdk/python/pulumi_azure_native/machinelearningservices/data_container.py index 37a9d947bdd8..712c6f7701e4 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/data_container.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/data_container.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:DataContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:DataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:DataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:DataContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataContainer, __self__).__init__( 'azure-native:machinelearningservices:DataContainer', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/data_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/data_version.py index aa8d2bc829c7..1fd7f503774e 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/data_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/data_version.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:DataVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:DataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:DataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:DataVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataVersion, __self__).__init__( 'azure-native:machinelearningservices:DataVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/datastore.py b/sdk/python/pulumi_azure_native/machinelearningservices/datastore.py index 18c9b7954967..b4f488f9c41d 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/datastore.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/datastore.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200501preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200501preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices:MachineLearningDatastore")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200501preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200501preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:Datastore")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Datastore, __self__).__init__( 'azure-native:machinelearningservices:Datastore', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/endpoint_deployment.py b/sdk/python/pulumi_azure_native/machinelearningservices/endpoint_deployment.py index 7ef467aae13c..7767e2997dcb 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/endpoint_deployment.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/endpoint_deployment.py @@ -179,7 +179,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:EndpointDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:EndpointDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:EndpointDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:EndpointDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:EndpointDeployment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:EndpointDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:EndpointDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:EndpointDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:EndpointDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:EndpointDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:EndpointDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:EndpointDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:EndpointDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:EndpointDeployment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EndpointDeployment, __self__).__init__( 'azure-native:machinelearningservices:EndpointDeployment', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/environment_container.py b/sdk/python/pulumi_azure_native/machinelearningservices/environment_container.py index 95564196e362..39c05a0684c0 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/environment_container.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/environment_container.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:EnvironmentContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:EnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:EnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:EnvironmentContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EnvironmentContainer, __self__).__init__( 'azure-native:machinelearningservices:EnvironmentContainer', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/environment_specification_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/environment_specification_version.py index 94561e2aa00e..0287d081ffcb 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/environment_specification_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/environment_specification_version.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices:EnvironmentVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:EnvironmentSpecificationVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EnvironmentSpecificationVersion, __self__).__init__( 'azure-native:machinelearningservices:EnvironmentSpecificationVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/environment_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/environment_version.py index 1b8b38b27128..8c29c620f0b2 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/environment_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/environment_version.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices:EnvironmentSpecificationVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:EnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices:EnvironmentSpecificationVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:EnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:EnvironmentVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EnvironmentVersion, __self__).__init__( 'azure-native:machinelearningservices:EnvironmentVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/featureset_container_entity.py b/sdk/python/pulumi_azure_native/machinelearningservices/featureset_container_entity.py index e5bf0f6b54fc..552f75566c1b 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/featureset_container_entity.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/featureset_container_entity.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:FeaturesetContainerEntity")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturesetContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturesetContainerEntity")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FeaturesetContainerEntity, __self__).__init__( 'azure-native:machinelearningservices:FeaturesetContainerEntity', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/featureset_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/featureset_version.py index 7e8fd5679123..ee3a1be99912 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/featureset_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/featureset_version.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:FeaturesetVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:FeaturesetVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturesetVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturesetVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FeaturesetVersion, __self__).__init__( 'azure-native:machinelearningservices:FeaturesetVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/featurestore_entity_container_entity.py b/sdk/python/pulumi_azure_native/machinelearningservices/featurestore_entity_container_entity.py index 77e7417b8423..14178197f4d4 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/featurestore_entity_container_entity.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/featurestore_entity_container_entity.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:FeaturestoreEntityContainerEntity")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturestoreEntityContainerEntity"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturestoreEntityContainerEntity")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FeaturestoreEntityContainerEntity, __self__).__init__( 'azure-native:machinelearningservices:FeaturestoreEntityContainerEntity', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/featurestore_entity_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/featurestore_entity_version.py index 3302ae41415f..bcde3effbf9c 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/featurestore_entity_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/featurestore_entity_version.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:FeaturestoreEntityVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:FeaturestoreEntityVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:FeaturestoreEntityVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FeaturestoreEntityVersion, __self__).__init__( 'azure-native:machinelearningservices:FeaturestoreEntityVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/inference_endpoint.py b/sdk/python/pulumi_azure_native/machinelearningservices/inference_endpoint.py index ba63f181b315..7daf859da007 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/inference_endpoint.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/inference_endpoint.py @@ -284,7 +284,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:InferenceEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:InferenceEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:InferenceEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:InferenceEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:InferenceEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:InferenceEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:InferenceEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:InferenceEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:InferenceEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferenceEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferenceEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:InferenceEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferenceEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferenceEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InferenceEndpoint, __self__).__init__( 'azure-native:machinelearningservices:InferenceEndpoint', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/inference_group.py b/sdk/python/pulumi_azure_native/machinelearningservices/inference_group.py index c9d77c1a5933..2c4fb0709fce 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/inference_group.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/inference_group.py @@ -284,7 +284,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:InferenceGroup"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:InferenceGroup"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:InferenceGroup"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:InferenceGroup"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:InferenceGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:InferenceGroup"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:InferenceGroup"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:InferenceGroup"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:InferenceGroup"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferenceGroup"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferenceGroup"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:InferenceGroup"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferenceGroup"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferenceGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InferenceGroup, __self__).__init__( 'azure-native:machinelearningservices:InferenceGroup', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/inference_pool.py b/sdk/python/pulumi_azure_native/machinelearningservices/inference_pool.py index 6ef691ab98c9..54491027addf 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/inference_pool.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/inference_pool.py @@ -263,7 +263,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:InferencePool"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:InferencePool"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:InferencePool"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:InferencePool"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:InferencePool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:InferencePool"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:InferencePool"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:InferencePool"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:InferencePool"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:InferencePool"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:InferencePool"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:InferencePool"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:InferencePool"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:InferencePool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InferencePool, __self__).__init__( 'azure-native:machinelearningservices:InferencePool', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/job.py b/sdk/python/pulumi_azure_native/machinelearningservices/job.py index 2b44e12775c5..d21748fe7420 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/job.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/job.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:Job")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Job"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:Job"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:Job")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Job, __self__).__init__( 'azure-native:machinelearningservices:Job', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/labeling_job.py b/sdk/python/pulumi_azure_native/machinelearningservices/labeling_job.py index c12ea5696919..2c92b58075ef 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/labeling_job.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/labeling_job.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200901preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:LabelingJob")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200901preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:LabelingJob"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:LabelingJob"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200901preview:machinelearningservices:LabelingJob"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:LabelingJob"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:LabelingJob"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:LabelingJob"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:LabelingJob"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:LabelingJob"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:LabelingJob"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:LabelingJob"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:LabelingJob"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:LabelingJob"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:LabelingJob")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LabelingJob, __self__).__init__( 'azure-native:machinelearningservices:LabelingJob', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/linked_service.py b/sdk/python/pulumi_azure_native/machinelearningservices/linked_service.py index 95e48d4b0371..68ed3ae5a661 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/linked_service.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/linked_service.py @@ -220,7 +220,7 @@ def _internal_init(__self__, __props__.__dict__["workspace_name"] = workspace_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200901preview:LinkedService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200901preview:LinkedService"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200901preview:machinelearningservices:LinkedService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LinkedService, __self__).__init__( 'azure-native:machinelearningservices:LinkedService', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/linked_workspace.py b/sdk/python/pulumi_azure_native/machinelearningservices/linked_workspace.py index 083104557b77..ecfcbaa30dff 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/linked_workspace.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/linked_workspace.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["workspace_name"] = workspace_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200501preview:LinkedWorkspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200515preview:LinkedWorkspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200515preview:LinkedWorkspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200501preview:machinelearningservices:LinkedWorkspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200515preview:machinelearningservices:LinkedWorkspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LinkedWorkspace, __self__).__init__( 'azure-native:machinelearningservices:LinkedWorkspace', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/machine_learning_dataset.py b/sdk/python/pulumi_azure_native/machinelearningservices/machine_learning_dataset.py index a195dbe71892..bab368f98dc3 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/machine_learning_dataset.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/machine_learning_dataset.py @@ -238,7 +238,7 @@ def _internal_init(__self__, __props__.__dict__["sku"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200501preview:MachineLearningDataset")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200501preview:MachineLearningDataset"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200501preview:machinelearningservices:MachineLearningDataset")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MachineLearningDataset, __self__).__init__( 'azure-native:machinelearningservices:MachineLearningDataset', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/machine_learning_datastore.py b/sdk/python/pulumi_azure_native/machinelearningservices/machine_learning_datastore.py index d65bf42160e2..1459659554b4 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/machine_learning_datastore.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/machine_learning_datastore.py @@ -773,7 +773,7 @@ def _internal_init(__self__, __props__.__dict__["sku"] = None __props__.__dict__["tags"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200501preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices:Datastore")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200501preview:MachineLearningDatastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Datastore"), pulumi.Alias(type_="azure-native:machinelearningservices:Datastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200501preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:MachineLearningDatastore"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:MachineLearningDatastore")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MachineLearningDatastore, __self__).__init__( 'azure-native:machinelearningservices:MachineLearningDatastore', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/managed_network_settings_rule.py b/sdk/python/pulumi_azure_native/machinelearningservices/managed_network_settings_rule.py index cd0f55997da8..e46cc90029ec 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/managed_network_settings_rule.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/managed_network_settings_rule.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:ManagedNetworkSettingsRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:ManagedNetworkSettingsRule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:ManagedNetworkSettingsRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedNetworkSettingsRule, __self__).__init__( 'azure-native:machinelearningservices:ManagedNetworkSettingsRule', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/marketplace_subscription.py b/sdk/python/pulumi_azure_native/machinelearningservices/marketplace_subscription.py index 336863a38d6f..41379b1ecd4f 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/marketplace_subscription.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/marketplace_subscription.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:MarketplaceSubscription"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:MarketplaceSubscription"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:MarketplaceSubscription"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:MarketplaceSubscription"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:MarketplaceSubscription"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:MarketplaceSubscription"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:MarketplaceSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:MarketplaceSubscription"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:MarketplaceSubscription"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:MarketplaceSubscription"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:MarketplaceSubscription"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:MarketplaceSubscription"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:MarketplaceSubscription"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:MarketplaceSubscription"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:MarketplaceSubscription"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:MarketplaceSubscription"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:MarketplaceSubscription"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:MarketplaceSubscription"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:MarketplaceSubscription"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:MarketplaceSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MarketplaceSubscription, __self__).__init__( 'azure-native:machinelearningservices:MarketplaceSubscription', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/model_container.py b/sdk/python/pulumi_azure_native/machinelearningservices/model_container.py index c96f9581cfd8..7b46cdc7d6f5 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/model_container.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/model_container.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:ModelContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:ModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:ModelContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ModelContainer, __self__).__init__( 'azure-native:machinelearningservices:ModelContainer', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/model_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/model_version.py index 137857e75893..e6f271930a08 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/model_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/model_version.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:ModelVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:ModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:ModelVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ModelVersion, __self__).__init__( 'azure-native:machinelearningservices:ModelVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/online_deployment.py b/sdk/python/pulumi_azure_native/machinelearningservices/online_deployment.py index 5df350da8a9c..12664edba681 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/online_deployment.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/online_deployment.py @@ -284,7 +284,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:OnlineDeployment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:OnlineDeployment"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:OnlineDeployment"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:OnlineDeployment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OnlineDeployment, __self__).__init__( 'azure-native:machinelearningservices:OnlineDeployment', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/online_endpoint.py b/sdk/python/pulumi_azure_native/machinelearningservices/online_endpoint.py index 88b8fb477519..14538514aca7 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/online_endpoint.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/online_endpoint.py @@ -263,7 +263,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:OnlineEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:OnlineEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:OnlineEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:OnlineEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OnlineEndpoint, __self__).__init__( 'azure-native:machinelearningservices:OnlineEndpoint', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/machinelearningservices/private_endpoint_connection.py index d8a75041786a..21ac3b9dfa06 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/private_endpoint_connection.py @@ -249,7 +249,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200218preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200515preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20220101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200101:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200218preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200301:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200401:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200501preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200515preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200601:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200801:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200901preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210101:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210401:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210701:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220101preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:machinelearningservices:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/rai_policy.py b/sdk/python/pulumi_azure_native/machinelearningservices/rai_policy.py index d240516f2a62..538b602f46fe 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/rai_policy.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/rai_policy.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RaiPolicy"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RaiPolicy"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RaiPolicy"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:RaiPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RaiPolicy"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RaiPolicy"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RaiPolicy"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:RaiPolicy"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:RaiPolicy"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:RaiPolicy"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:RaiPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RaiPolicy, __self__).__init__( 'azure-native:machinelearningservices:RaiPolicy', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/registry.py b/sdk/python/pulumi_azure_native/machinelearningservices/registry.py index 9dd94858711a..819c1567084b 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/registry.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/registry.py @@ -242,7 +242,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:Registry")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Registry"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:Registry"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:Registry")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Registry, __self__).__init__( 'azure-native:machinelearningservices:Registry', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/registry_code_container.py b/sdk/python/pulumi_azure_native/machinelearningservices/registry_code_container.py index 1fe495ada6c4..22964013a064 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/registry_code_container.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/registry_code_container.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:RegistryCodeContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryCodeContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryCodeContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryCodeContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistryCodeContainer, __self__).__init__( 'azure-native:machinelearningservices:RegistryCodeContainer', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/registry_code_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/registry_code_version.py index b44ca01cf9c5..9a6a02953263 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/registry_code_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/registry_code_version.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:RegistryCodeVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryCodeVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryCodeVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryCodeVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistryCodeVersion, __self__).__init__( 'azure-native:machinelearningservices:RegistryCodeVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/registry_component_container.py b/sdk/python/pulumi_azure_native/machinelearningservices/registry_component_container.py index 4c0f15ba5e50..4016b0749951 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/registry_component_container.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/registry_component_container.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:RegistryComponentContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryComponentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryComponentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryComponentContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistryComponentContainer, __self__).__init__( 'azure-native:machinelearningservices:RegistryComponentContainer', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/registry_component_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/registry_component_version.py index 07b1ef06ee92..c06e0b857d75 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/registry_component_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/registry_component_version.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:RegistryComponentVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryComponentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryComponentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryComponentVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistryComponentVersion, __self__).__init__( 'azure-native:machinelearningservices:RegistryComponentVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/registry_data_container.py b/sdk/python/pulumi_azure_native/machinelearningservices/registry_data_container.py index 95cd0fd07d78..45caab2e85de 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/registry_data_container.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/registry_data_container.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:RegistryDataContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryDataContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryDataContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryDataContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistryDataContainer, __self__).__init__( 'azure-native:machinelearningservices:RegistryDataContainer', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/registry_data_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/registry_data_version.py index 2ffe4a779f1b..9a2b6966f534 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/registry_data_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/registry_data_version.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:RegistryDataVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryDataVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryDataVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryDataVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistryDataVersion, __self__).__init__( 'azure-native:machinelearningservices:RegistryDataVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/registry_environment_container.py b/sdk/python/pulumi_azure_native/machinelearningservices/registry_environment_container.py index 3520cbbf5118..9828c0cc81f9 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/registry_environment_container.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/registry_environment_container.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:RegistryEnvironmentContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryEnvironmentContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryEnvironmentContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistryEnvironmentContainer, __self__).__init__( 'azure-native:machinelearningservices:RegistryEnvironmentContainer', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/registry_environment_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/registry_environment_version.py index 7b4dbd8a00a8..74fd3691f081 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/registry_environment_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/registry_environment_version.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:RegistryEnvironmentVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryEnvironmentVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryEnvironmentVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistryEnvironmentVersion, __self__).__init__( 'azure-native:machinelearningservices:RegistryEnvironmentVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/registry_model_container.py b/sdk/python/pulumi_azure_native/machinelearningservices/registry_model_container.py index e89100650159..35d98baaa678 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/registry_model_container.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/registry_model_container.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:RegistryModelContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryModelContainer"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryModelContainer"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryModelContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistryModelContainer, __self__).__init__( 'azure-native:machinelearningservices:RegistryModelContainer', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/registry_model_version.py b/sdk/python/pulumi_azure_native/machinelearningservices/registry_model_version.py index a64102820d73..17b6b1a7893f 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/registry_model_version.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/registry_model_version.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:RegistryModelVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:RegistryModelVersion"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:RegistryModelVersion"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:RegistryModelVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistryModelVersion, __self__).__init__( 'azure-native:machinelearningservices:RegistryModelVersion', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/schedule.py b/sdk/python/pulumi_azure_native/machinelearningservices/schedule.py index 372af47fbd0b..97c626c64a38 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/schedule.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/schedule.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:Schedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Schedule"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:Schedule"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:Schedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Schedule, __self__).__init__( 'azure-native:machinelearningservices:Schedule', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/serverless_endpoint.py b/sdk/python/pulumi_azure_native/machinelearningservices/serverless_endpoint.py index ddce64541bb0..a1a41528478c 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/serverless_endpoint.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/serverless_endpoint.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:ServerlessEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:ServerlessEndpoint"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:ServerlessEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:ServerlessEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:ServerlessEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:ServerlessEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:ServerlessEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:ServerlessEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:ServerlessEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:ServerlessEndpoint"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:ServerlessEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerlessEndpoint, __self__).__init__( 'azure-native:machinelearningservices:ServerlessEndpoint', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/workspace.py b/sdk/python/pulumi_azure_native/machinelearningservices/workspace.py index 9bc9c47cb533..3ed85fa61ee2 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/workspace.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/workspace.py @@ -686,7 +686,7 @@ def _internal_init(__self__, __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None __props__.__dict__["workspace_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20180301preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20181119:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20190501:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20190601:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20191101:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200101:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200218preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200301:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200401:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200501preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200515preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200601:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200801:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200901preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210101:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210401:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210701:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220101preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200801:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200901preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220101preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:Workspace"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20180301preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20181119:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20190501:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20190601:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20191101:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200101:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200218preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200301:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200401:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200501preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200515preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200601:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200801:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200901preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210101:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210401:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210701:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220101preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:Workspace"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:machinelearningservices:Workspace', diff --git a/sdk/python/pulumi_azure_native/machinelearningservices/workspace_connection.py b/sdk/python/pulumi_azure_native/machinelearningservices/workspace_connection.py index 9958f722180b..e126b3cbaf5b 100644 --- a/sdk/python/pulumi_azure_native/machinelearningservices/workspace_connection.py +++ b/sdk/python/pulumi_azure_native/machinelearningservices/workspace_connection.py @@ -158,7 +158,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20200601:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200801:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20200901preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210101:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210301preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210401:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20210701:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220101preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220501:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220601preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221001preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20221201preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230201preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20250101preview:WorkspaceConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:machinelearningservices/v20210401:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20220201preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230401preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230601preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20230801preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20231001:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240101preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240401preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20240701preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001:WorkspaceConnection"), pulumi.Alias(type_="azure-native:machinelearningservices/v20241001preview:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200601:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200801:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20200901preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210101:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210301preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210401:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20210701:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220101preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220201preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220501:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20220601preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221001preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20221201preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230201preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230401preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230601preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20230801preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20231001:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240101preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240401preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20240701preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20241001preview:machinelearningservices:WorkspaceConnection"), pulumi.Alias(type_="azure-native_machinelearningservices_v20250101preview:machinelearningservices:WorkspaceConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceConnection, __self__).__init__( 'azure-native:machinelearningservices:WorkspaceConnection', diff --git a/sdk/python/pulumi_azure_native/maintenance/configuration_assignment.py b/sdk/python/pulumi_azure_native/maintenance/configuration_assignment.py index 72273a3a6d28..3fe7beac3937 100644 --- a/sdk/python/pulumi_azure_native/maintenance/configuration_assignment.py +++ b/sdk/python/pulumi_azure_native/maintenance/configuration_assignment.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maintenance/v20210401preview:ConfigurationAssignment"), pulumi.Alias(type_="azure-native:maintenance/v20210901preview:ConfigurationAssignment"), pulumi.Alias(type_="azure-native:maintenance/v20220701preview:ConfigurationAssignment"), pulumi.Alias(type_="azure-native:maintenance/v20221101preview:ConfigurationAssignment"), pulumi.Alias(type_="azure-native:maintenance/v20230401:ConfigurationAssignment"), pulumi.Alias(type_="azure-native:maintenance/v20230901preview:ConfigurationAssignment"), pulumi.Alias(type_="azure-native:maintenance/v20231001preview:ConfigurationAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maintenance/v20221101preview:ConfigurationAssignment"), pulumi.Alias(type_="azure-native:maintenance/v20230401:ConfigurationAssignment"), pulumi.Alias(type_="azure-native:maintenance/v20230901preview:ConfigurationAssignment"), pulumi.Alias(type_="azure-native:maintenance/v20231001preview:ConfigurationAssignment"), pulumi.Alias(type_="azure-native_maintenance_v20210401preview:maintenance:ConfigurationAssignment"), pulumi.Alias(type_="azure-native_maintenance_v20210901preview:maintenance:ConfigurationAssignment"), pulumi.Alias(type_="azure-native_maintenance_v20220701preview:maintenance:ConfigurationAssignment"), pulumi.Alias(type_="azure-native_maintenance_v20221101preview:maintenance:ConfigurationAssignment"), pulumi.Alias(type_="azure-native_maintenance_v20230401:maintenance:ConfigurationAssignment"), pulumi.Alias(type_="azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignment"), pulumi.Alias(type_="azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationAssignment, __self__).__init__( 'azure-native:maintenance:ConfigurationAssignment', diff --git a/sdk/python/pulumi_azure_native/maintenance/configuration_assignment_parent.py b/sdk/python/pulumi_azure_native/maintenance/configuration_assignment_parent.py index 812e7958541d..5c0f86dc5e00 100644 --- a/sdk/python/pulumi_azure_native/maintenance/configuration_assignment_parent.py +++ b/sdk/python/pulumi_azure_native/maintenance/configuration_assignment_parent.py @@ -310,7 +310,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maintenance/v20210401preview:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native:maintenance/v20210901preview:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native:maintenance/v20220701preview:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native:maintenance/v20221101preview:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native:maintenance/v20230401:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native:maintenance/v20230901preview:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native:maintenance/v20231001preview:ConfigurationAssignmentParent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maintenance/v20221101preview:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native:maintenance/v20230401:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native:maintenance/v20230901preview:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native:maintenance/v20231001preview:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native_maintenance_v20210401preview:maintenance:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native_maintenance_v20210901preview:maintenance:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native_maintenance_v20220701preview:maintenance:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native_maintenance_v20221101preview:maintenance:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentParent"), pulumi.Alias(type_="azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentParent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationAssignmentParent, __self__).__init__( 'azure-native:maintenance:ConfigurationAssignmentParent', diff --git a/sdk/python/pulumi_azure_native/maintenance/configuration_assignments_for_resource_group.py b/sdk/python/pulumi_azure_native/maintenance/configuration_assignments_for_resource_group.py index f45513b5ee03..07b062860d46 100644 --- a/sdk/python/pulumi_azure_native/maintenance/configuration_assignments_for_resource_group.py +++ b/sdk/python/pulumi_azure_native/maintenance/configuration_assignments_for_resource_group.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maintenance/v20230401:ConfigurationAssignmentsForResourceGroup"), pulumi.Alias(type_="azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForResourceGroup"), pulumi.Alias(type_="azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForResourceGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maintenance/v20230401:ConfigurationAssignmentsForResourceGroup"), pulumi.Alias(type_="azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForResourceGroup"), pulumi.Alias(type_="azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForResourceGroup"), pulumi.Alias(type_="azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentsForResourceGroup"), pulumi.Alias(type_="azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentsForResourceGroup"), pulumi.Alias(type_="azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentsForResourceGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationAssignmentsForResourceGroup, __self__).__init__( 'azure-native:maintenance:ConfigurationAssignmentsForResourceGroup', diff --git a/sdk/python/pulumi_azure_native/maintenance/configuration_assignments_for_subscription.py b/sdk/python/pulumi_azure_native/maintenance/configuration_assignments_for_subscription.py index dea95ebb817b..b8c0d68996e6 100644 --- a/sdk/python/pulumi_azure_native/maintenance/configuration_assignments_for_subscription.py +++ b/sdk/python/pulumi_azure_native/maintenance/configuration_assignments_for_subscription.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maintenance/v20230401:ConfigurationAssignmentsForSubscription"), pulumi.Alias(type_="azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForSubscription"), pulumi.Alias(type_="azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maintenance/v20230401:ConfigurationAssignmentsForSubscription"), pulumi.Alias(type_="azure-native:maintenance/v20230901preview:ConfigurationAssignmentsForSubscription"), pulumi.Alias(type_="azure-native:maintenance/v20231001preview:ConfigurationAssignmentsForSubscription"), pulumi.Alias(type_="azure-native_maintenance_v20230401:maintenance:ConfigurationAssignmentsForSubscription"), pulumi.Alias(type_="azure-native_maintenance_v20230901preview:maintenance:ConfigurationAssignmentsForSubscription"), pulumi.Alias(type_="azure-native_maintenance_v20231001preview:maintenance:ConfigurationAssignmentsForSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationAssignmentsForSubscription, __self__).__init__( 'azure-native:maintenance:ConfigurationAssignmentsForSubscription', diff --git a/sdk/python/pulumi_azure_native/maintenance/maintenance_configuration.py b/sdk/python/pulumi_azure_native/maintenance/maintenance_configuration.py index fca5391c5139..0c8b6cb2d0c6 100644 --- a/sdk/python/pulumi_azure_native/maintenance/maintenance_configuration.py +++ b/sdk/python/pulumi_azure_native/maintenance/maintenance_configuration.py @@ -365,7 +365,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maintenance/v20180601preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20200401:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20200701preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20210401preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20210501:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20210901preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20220701preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20221101preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20230401:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20230901preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20231001preview:MaintenanceConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maintenance/v20221101preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20230401:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20230901preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native:maintenance/v20231001preview:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_maintenance_v20180601preview:maintenance:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_maintenance_v20200401:maintenance:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_maintenance_v20200701preview:maintenance:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_maintenance_v20210401preview:maintenance:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_maintenance_v20210501:maintenance:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_maintenance_v20210901preview:maintenance:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_maintenance_v20220701preview:maintenance:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_maintenance_v20221101preview:maintenance:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_maintenance_v20230401:maintenance:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_maintenance_v20230901preview:maintenance:MaintenanceConfiguration"), pulumi.Alias(type_="azure-native_maintenance_v20231001preview:maintenance:MaintenanceConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MaintenanceConfiguration, __self__).__init__( 'azure-native:maintenance:MaintenanceConfiguration', diff --git a/sdk/python/pulumi_azure_native/managedidentity/federated_identity_credential.py b/sdk/python/pulumi_azure_native/managedidentity/federated_identity_credential.py index 55bd8bb17a65..e0694ebd1865 100644 --- a/sdk/python/pulumi_azure_native/managedidentity/federated_identity_credential.py +++ b/sdk/python/pulumi_azure_native/managedidentity/federated_identity_credential.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managedidentity/v20220131preview:FederatedIdentityCredential"), pulumi.Alias(type_="azure-native:managedidentity/v20230131:FederatedIdentityCredential"), pulumi.Alias(type_="azure-native:managedidentity/v20230731preview:FederatedIdentityCredential"), pulumi.Alias(type_="azure-native:managedidentity/v20241130:FederatedIdentityCredential"), pulumi.Alias(type_="azure-native:managedidentity/v20250131preview:FederatedIdentityCredential")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managedidentity/v20230131:FederatedIdentityCredential"), pulumi.Alias(type_="azure-native:managedidentity/v20230731preview:FederatedIdentityCredential"), pulumi.Alias(type_="azure-native:managedidentity/v20241130:FederatedIdentityCredential"), pulumi.Alias(type_="azure-native_managedidentity_v20220131preview:managedidentity:FederatedIdentityCredential"), pulumi.Alias(type_="azure-native_managedidentity_v20230131:managedidentity:FederatedIdentityCredential"), pulumi.Alias(type_="azure-native_managedidentity_v20230731preview:managedidentity:FederatedIdentityCredential"), pulumi.Alias(type_="azure-native_managedidentity_v20241130:managedidentity:FederatedIdentityCredential"), pulumi.Alias(type_="azure-native_managedidentity_v20250131preview:managedidentity:FederatedIdentityCredential")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FederatedIdentityCredential, __self__).__init__( 'azure-native:managedidentity:FederatedIdentityCredential', diff --git a/sdk/python/pulumi_azure_native/managedidentity/user_assigned_identity.py b/sdk/python/pulumi_azure_native/managedidentity/user_assigned_identity.py index cc6c83fa2678..69a0ab10a641 100644 --- a/sdk/python/pulumi_azure_native/managedidentity/user_assigned_identity.py +++ b/sdk/python/pulumi_azure_native/managedidentity/user_assigned_identity.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managedidentity/v20150831preview:UserAssignedIdentity"), pulumi.Alias(type_="azure-native:managedidentity/v20181130:UserAssignedIdentity"), pulumi.Alias(type_="azure-native:managedidentity/v20210930preview:UserAssignedIdentity"), pulumi.Alias(type_="azure-native:managedidentity/v20220131preview:UserAssignedIdentity"), pulumi.Alias(type_="azure-native:managedidentity/v20230131:UserAssignedIdentity"), pulumi.Alias(type_="azure-native:managedidentity/v20230731preview:UserAssignedIdentity"), pulumi.Alias(type_="azure-native:managedidentity/v20241130:UserAssignedIdentity"), pulumi.Alias(type_="azure-native:managedidentity/v20250131preview:UserAssignedIdentity")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managedidentity/v20230131:UserAssignedIdentity"), pulumi.Alias(type_="azure-native:managedidentity/v20230731preview:UserAssignedIdentity"), pulumi.Alias(type_="azure-native:managedidentity/v20241130:UserAssignedIdentity"), pulumi.Alias(type_="azure-native_managedidentity_v20150831preview:managedidentity:UserAssignedIdentity"), pulumi.Alias(type_="azure-native_managedidentity_v20181130:managedidentity:UserAssignedIdentity"), pulumi.Alias(type_="azure-native_managedidentity_v20210930preview:managedidentity:UserAssignedIdentity"), pulumi.Alias(type_="azure-native_managedidentity_v20220131preview:managedidentity:UserAssignedIdentity"), pulumi.Alias(type_="azure-native_managedidentity_v20230131:managedidentity:UserAssignedIdentity"), pulumi.Alias(type_="azure-native_managedidentity_v20230731preview:managedidentity:UserAssignedIdentity"), pulumi.Alias(type_="azure-native_managedidentity_v20241130:managedidentity:UserAssignedIdentity"), pulumi.Alias(type_="azure-native_managedidentity_v20250131preview:managedidentity:UserAssignedIdentity")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(UserAssignedIdentity, __self__).__init__( 'azure-native:managedidentity:UserAssignedIdentity', diff --git a/sdk/python/pulumi_azure_native/managednetwork/managed_network.py b/sdk/python/pulumi_azure_native/managednetwork/managed_network.py index 4a734c64d88f..9ff1d9f66aa9 100644 --- a/sdk/python/pulumi_azure_native/managednetwork/managed_network.py +++ b/sdk/python/pulumi_azure_native/managednetwork/managed_network.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetwork/v20190601preview:ManagedNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetwork/v20190601preview:ManagedNetwork"), pulumi.Alias(type_="azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedNetwork, __self__).__init__( 'azure-native:managednetwork:ManagedNetwork', diff --git a/sdk/python/pulumi_azure_native/managednetwork/managed_network_group.py b/sdk/python/pulumi_azure_native/managednetwork/managed_network_group.py index 92bd238cd85c..425388a32766 100644 --- a/sdk/python/pulumi_azure_native/managednetwork/managed_network_group.py +++ b/sdk/python/pulumi_azure_native/managednetwork/managed_network_group.py @@ -263,7 +263,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetwork/v20190601preview:ManagedNetworkGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetwork/v20190601preview:ManagedNetworkGroup"), pulumi.Alias(type_="azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetworkGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedNetworkGroup, __self__).__init__( 'azure-native:managednetwork:ManagedNetworkGroup', diff --git a/sdk/python/pulumi_azure_native/managednetwork/managed_network_peering_policy.py b/sdk/python/pulumi_azure_native/managednetwork/managed_network_peering_policy.py index 064c5eb73f10..38efad463801 100644 --- a/sdk/python/pulumi_azure_native/managednetwork/managed_network_peering_policy.py +++ b/sdk/python/pulumi_azure_native/managednetwork/managed_network_peering_policy.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetwork/v20190601preview:ManagedNetworkPeeringPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetwork/v20190601preview:ManagedNetworkPeeringPolicy"), pulumi.Alias(type_="azure-native_managednetwork_v20190601preview:managednetwork:ManagedNetworkPeeringPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedNetworkPeeringPolicy, __self__).__init__( 'azure-native:managednetwork:ManagedNetworkPeeringPolicy', diff --git a/sdk/python/pulumi_azure_native/managednetwork/scope_assignment.py b/sdk/python/pulumi_azure_native/managednetwork/scope_assignment.py index 03e53471819d..8a4edb2b4c3a 100644 --- a/sdk/python/pulumi_azure_native/managednetwork/scope_assignment.py +++ b/sdk/python/pulumi_azure_native/managednetwork/scope_assignment.py @@ -159,7 +159,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetwork/v20190601preview:ScopeAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetwork/v20190601preview:ScopeAssignment"), pulumi.Alias(type_="azure-native_managednetwork_v20190601preview:managednetwork:ScopeAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScopeAssignment, __self__).__init__( 'azure-native:managednetwork:ScopeAssignment', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/access_control_list.py b/sdk/python/pulumi_azure_native/managednetworkfabric/access_control_list.py index 0d6da3c54e86..1e3dc84963b9 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/access_control_list.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/access_control_list.py @@ -294,7 +294,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:AccessControlList"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:AccessControlList")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:AccessControlList"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:AccessControlList"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:AccessControlList"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:AccessControlList")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccessControlList, __self__).__init__( 'azure-native:managednetworkfabric:AccessControlList', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/external_network.py b/sdk/python/pulumi_azure_native/managednetworkfabric/external_network.py index e310e05ae7f5..f2b2abf61caf 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/external_network.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/external_network.py @@ -330,7 +330,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:ExternalNetwork"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:ExternalNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:ExternalNetwork"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:ExternalNetwork"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:ExternalNetwork"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:ExternalNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExternalNetwork, __self__).__init__( 'azure-native:managednetworkfabric:ExternalNetwork', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/internal_network.py b/sdk/python/pulumi_azure_native/managednetworkfabric/internal_network.py index 942e0501cdd9..c73e3f174b47 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/internal_network.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/internal_network.py @@ -462,7 +462,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:InternalNetwork"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:InternalNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:InternalNetwork"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:InternalNetwork"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:InternalNetwork"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternalNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InternalNetwork, __self__).__init__( 'azure-native:managednetworkfabric:InternalNetwork', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/internet_gateway.py b/sdk/python/pulumi_azure_native/managednetworkfabric/internet_gateway.py index 462f541beefa..fbc89fa23388 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/internet_gateway.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/internet_gateway.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["port"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:InternetGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:InternetGateway"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternetGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InternetGateway, __self__).__init__( 'azure-native:managednetworkfabric:InternetGateway', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/internet_gateway_rule.py b/sdk/python/pulumi_azure_native/managednetworkfabric/internet_gateway_rule.py index ebe1f3f45327..b2263d922106 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/internet_gateway_rule.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/internet_gateway_rule.py @@ -204,7 +204,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:InternetGatewayRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:InternetGatewayRule"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:InternetGatewayRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InternetGatewayRule, __self__).__init__( 'azure-native:managednetworkfabric:InternetGatewayRule', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/ip_community.py b/sdk/python/pulumi_azure_native/managednetworkfabric/ip_community.py index aa2705207b55..dca06c4ce304 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/ip_community.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/ip_community.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:IpCommunity"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:IpCommunity")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:IpCommunity"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:IpCommunity"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpCommunity"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpCommunity")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IpCommunity, __self__).__init__( 'azure-native:managednetworkfabric:IpCommunity', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/ip_extended_community.py b/sdk/python/pulumi_azure_native/managednetworkfabric/ip_extended_community.py index 973fea137c66..a64980bac14b 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/ip_extended_community.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/ip_extended_community.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:IpExtendedCommunity"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:IpExtendedCommunity")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:IpExtendedCommunity"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:IpExtendedCommunity"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpExtendedCommunity"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpExtendedCommunity")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IpExtendedCommunity, __self__).__init__( 'azure-native:managednetworkfabric:IpExtendedCommunity', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/ip_prefix.py b/sdk/python/pulumi_azure_native/managednetworkfabric/ip_prefix.py index 67065aec9b9f..513df3865223 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/ip_prefix.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/ip_prefix.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:IpPrefix"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:IpPrefix")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:IpPrefix"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:IpPrefix"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:IpPrefix"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:IpPrefix")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IpPrefix, __self__).__init__( 'azure-native:managednetworkfabric:IpPrefix', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/l2_isolation_domain.py b/sdk/python/pulumi_azure_native/managednetworkfabric/l2_isolation_domain.py index 6034febd515e..b78bd1f8f076 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/l2_isolation_domain.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/l2_isolation_domain.py @@ -252,7 +252,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:L2IsolationDomain"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:L2IsolationDomain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:L2IsolationDomain"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:L2IsolationDomain"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:L2IsolationDomain"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:L2IsolationDomain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(L2IsolationDomain, __self__).__init__( 'azure-native:managednetworkfabric:L2IsolationDomain', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/l3_isolation_domain.py b/sdk/python/pulumi_azure_native/managednetworkfabric/l3_isolation_domain.py index 39cb1c0c1e01..376df8ed0fce 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/l3_isolation_domain.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/l3_isolation_domain.py @@ -297,7 +297,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:L3IsolationDomain"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:L3IsolationDomain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:L3IsolationDomain"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:L3IsolationDomain"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:L3IsolationDomain"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:L3IsolationDomain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(L3IsolationDomain, __self__).__init__( 'azure-native:managednetworkfabric:L3IsolationDomain', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/neighbor_group.py b/sdk/python/pulumi_azure_native/managednetworkfabric/neighbor_group.py index e415a58fe112..39599c1ffcdb 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/neighbor_group.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/neighbor_group.py @@ -204,7 +204,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NeighborGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NeighborGroup"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:NeighborGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NeighborGroup, __self__).__init__( 'azure-native:managednetworkfabric:NeighborGroup', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/network_device.py b/sdk/python/pulumi_azure_native/managednetworkfabric/network_device.py index 056726763f22..b001bedecc5b 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/network_device.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/network_device.py @@ -252,7 +252,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkDevice"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkDevice")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkDevice"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkDevice"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkDevice"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkDevice")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkDevice, __self__).__init__( 'azure-native:managednetworkfabric:NetworkDevice', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/network_fabric.py b/sdk/python/pulumi_azure_native/managednetworkfabric/network_fabric.py index 2c6c1a60b98e..e39ae573f2fc 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/network_fabric.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/network_fabric.py @@ -399,7 +399,7 @@ def _internal_init(__self__, __props__.__dict__["router_ids"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkFabric"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkFabric")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkFabric"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkFabric"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkFabric"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkFabric")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkFabric, __self__).__init__( 'azure-native:managednetworkfabric:NetworkFabric', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/network_fabric_controller.py b/sdk/python/pulumi_azure_native/managednetworkfabric/network_fabric_controller.py index a3e1c4b189b3..7b4a448cbcf6 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/network_fabric_controller.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/network_fabric_controller.py @@ -347,7 +347,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["workload_management_network"] = None __props__.__dict__["workload_services"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkFabricController"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkFabricController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkFabricController"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkFabricController"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkFabricController"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkFabricController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkFabricController, __self__).__init__( 'azure-native:managednetworkfabric:NetworkFabricController', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/network_interface.py b/sdk/python/pulumi_azure_native/managednetworkfabric/network_interface.py index 6e3adea18e2d..15b9fdb590ec 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/network_interface.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/network_interface.py @@ -171,7 +171,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkInterface"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkInterface")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkInterface"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkInterface"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkInterface"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkInterface")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkInterface, __self__).__init__( 'azure-native:managednetworkfabric:NetworkInterface', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/network_packet_broker.py b/sdk/python/pulumi_azure_native/managednetworkfabric/network_packet_broker.py index f775d10af44f..3aa6de4f21c3 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/network_packet_broker.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/network_packet_broker.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["source_interface_ids"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkPacketBroker")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkPacketBroker"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkPacketBroker")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkPacketBroker, __self__).__init__( 'azure-native:managednetworkfabric:NetworkPacketBroker', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/network_rack.py b/sdk/python/pulumi_azure_native/managednetworkfabric/network_rack.py index 37c6b931cf2c..55ee0c7171e8 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/network_rack.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/network_rack.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkRack"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkRack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkRack"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkRack"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkRack"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkRack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkRack, __self__).__init__( 'azure-native:managednetworkfabric:NetworkRack', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/network_tap.py b/sdk/python/pulumi_azure_native/managednetworkfabric/network_tap.py index 1290a6798c09..fedf0d65ef28 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/network_tap.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/network_tap.py @@ -251,7 +251,7 @@ def _internal_init(__self__, __props__.__dict__["source_tap_rule_id"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkTap")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkTap"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkTap")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkTap, __self__).__init__( 'azure-native:managednetworkfabric:NetworkTap', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/network_tap_rule.py b/sdk/python/pulumi_azure_native/managednetworkfabric/network_tap_rule.py index 732bdca0f88a..158b1079a849 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/network_tap_rule.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/network_tap_rule.py @@ -291,7 +291,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkTapRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkTapRule"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkTapRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkTapRule, __self__).__init__( 'azure-native:managednetworkfabric:NetworkTapRule', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/network_to_network_interconnect.py b/sdk/python/pulumi_azure_native/managednetworkfabric/network_to_network_interconnect.py index 24c053280491..98b2cdfdcb45 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/network_to_network_interconnect.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/network_to_network_interconnect.py @@ -358,7 +358,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkToNetworkInterconnect"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkToNetworkInterconnect")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:NetworkToNetworkInterconnect"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:NetworkToNetworkInterconnect"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:NetworkToNetworkInterconnect"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:NetworkToNetworkInterconnect")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkToNetworkInterconnect, __self__).__init__( 'azure-native:managednetworkfabric:NetworkToNetworkInterconnect', diff --git a/sdk/python/pulumi_azure_native/managednetworkfabric/route_policy.py b/sdk/python/pulumi_azure_native/managednetworkfabric/route_policy.py index b6d471ff196e..10e2c01c55d8 100644 --- a/sdk/python/pulumi_azure_native/managednetworkfabric/route_policy.py +++ b/sdk/python/pulumi_azure_native/managednetworkfabric/route_policy.py @@ -278,7 +278,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:RoutePolicy"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:RoutePolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managednetworkfabric/v20230201preview:RoutePolicy"), pulumi.Alias(type_="azure-native:managednetworkfabric/v20230615:RoutePolicy"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230201preview:managednetworkfabric:RoutePolicy"), pulumi.Alias(type_="azure-native_managednetworkfabric_v20230615:managednetworkfabric:RoutePolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RoutePolicy, __self__).__init__( 'azure-native:managednetworkfabric:RoutePolicy', diff --git a/sdk/python/pulumi_azure_native/managedservices/registration_assignment.py b/sdk/python/pulumi_azure_native/managedservices/registration_assignment.py index d5b7d92672a5..22942fc89f18 100644 --- a/sdk/python/pulumi_azure_native/managedservices/registration_assignment.py +++ b/sdk/python/pulumi_azure_native/managedservices/registration_assignment.py @@ -140,7 +140,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managedservices/v20180601preview:RegistrationAssignment"), pulumi.Alias(type_="azure-native:managedservices/v20190401preview:RegistrationAssignment"), pulumi.Alias(type_="azure-native:managedservices/v20190601:RegistrationAssignment"), pulumi.Alias(type_="azure-native:managedservices/v20190901:RegistrationAssignment"), pulumi.Alias(type_="azure-native:managedservices/v20200201preview:RegistrationAssignment"), pulumi.Alias(type_="azure-native:managedservices/v20220101preview:RegistrationAssignment"), pulumi.Alias(type_="azure-native:managedservices/v20221001:RegistrationAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managedservices/v20221001:RegistrationAssignment"), pulumi.Alias(type_="azure-native_managedservices_v20180601preview:managedservices:RegistrationAssignment"), pulumi.Alias(type_="azure-native_managedservices_v20190401preview:managedservices:RegistrationAssignment"), pulumi.Alias(type_="azure-native_managedservices_v20190601:managedservices:RegistrationAssignment"), pulumi.Alias(type_="azure-native_managedservices_v20190901:managedservices:RegistrationAssignment"), pulumi.Alias(type_="azure-native_managedservices_v20200201preview:managedservices:RegistrationAssignment"), pulumi.Alias(type_="azure-native_managedservices_v20220101preview:managedservices:RegistrationAssignment"), pulumi.Alias(type_="azure-native_managedservices_v20221001:managedservices:RegistrationAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistrationAssignment, __self__).__init__( 'azure-native:managedservices:RegistrationAssignment', diff --git a/sdk/python/pulumi_azure_native/managedservices/registration_definition.py b/sdk/python/pulumi_azure_native/managedservices/registration_definition.py index ca532dd43476..1184a5a2d6f9 100644 --- a/sdk/python/pulumi_azure_native/managedservices/registration_definition.py +++ b/sdk/python/pulumi_azure_native/managedservices/registration_definition.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managedservices/v20180601preview:RegistrationDefinition"), pulumi.Alias(type_="azure-native:managedservices/v20190401preview:RegistrationDefinition"), pulumi.Alias(type_="azure-native:managedservices/v20190601:RegistrationDefinition"), pulumi.Alias(type_="azure-native:managedservices/v20190901:RegistrationDefinition"), pulumi.Alias(type_="azure-native:managedservices/v20200201preview:RegistrationDefinition"), pulumi.Alias(type_="azure-native:managedservices/v20220101preview:RegistrationDefinition"), pulumi.Alias(type_="azure-native:managedservices/v20221001:RegistrationDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managedservices/v20221001:RegistrationDefinition"), pulumi.Alias(type_="azure-native_managedservices_v20180601preview:managedservices:RegistrationDefinition"), pulumi.Alias(type_="azure-native_managedservices_v20190401preview:managedservices:RegistrationDefinition"), pulumi.Alias(type_="azure-native_managedservices_v20190601:managedservices:RegistrationDefinition"), pulumi.Alias(type_="azure-native_managedservices_v20190901:managedservices:RegistrationDefinition"), pulumi.Alias(type_="azure-native_managedservices_v20200201preview:managedservices:RegistrationDefinition"), pulumi.Alias(type_="azure-native_managedservices_v20220101preview:managedservices:RegistrationDefinition"), pulumi.Alias(type_="azure-native_managedservices_v20221001:managedservices:RegistrationDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegistrationDefinition, __self__).__init__( 'azure-native:managedservices:RegistrationDefinition', diff --git a/sdk/python/pulumi_azure_native/management/hierarchy_setting.py b/sdk/python/pulumi_azure_native/management/hierarchy_setting.py index 29527feb6b88..eec1e94954d5 100644 --- a/sdk/python/pulumi_azure_native/management/hierarchy_setting.py +++ b/sdk/python/pulumi_azure_native/management/hierarchy_setting.py @@ -142,7 +142,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:management/v20200201:HierarchySetting"), pulumi.Alias(type_="azure-native:management/v20200501:HierarchySetting"), pulumi.Alias(type_="azure-native:management/v20201001:HierarchySetting"), pulumi.Alias(type_="azure-native:management/v20210401:HierarchySetting"), pulumi.Alias(type_="azure-native:management/v20230401:HierarchySetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:management/v20210401:HierarchySetting"), pulumi.Alias(type_="azure-native:management/v20230401:HierarchySetting"), pulumi.Alias(type_="azure-native_management_v20200201:management:HierarchySetting"), pulumi.Alias(type_="azure-native_management_v20200501:management:HierarchySetting"), pulumi.Alias(type_="azure-native_management_v20201001:management:HierarchySetting"), pulumi.Alias(type_="azure-native_management_v20210401:management:HierarchySetting"), pulumi.Alias(type_="azure-native_management_v20230401:management:HierarchySetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HierarchySetting, __self__).__init__( 'azure-native:management:HierarchySetting', diff --git a/sdk/python/pulumi_azure_native/management/management_group.py b/sdk/python/pulumi_azure_native/management/management_group.py index aac9be4a916f..3c084c31db31 100644 --- a/sdk/python/pulumi_azure_native/management/management_group.py +++ b/sdk/python/pulumi_azure_native/management/management_group.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["children"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:management/v20171101preview:ManagementGroup"), pulumi.Alias(type_="azure-native:management/v20180101preview:ManagementGroup"), pulumi.Alias(type_="azure-native:management/v20180301preview:ManagementGroup"), pulumi.Alias(type_="azure-native:management/v20191101:ManagementGroup"), pulumi.Alias(type_="azure-native:management/v20200201:ManagementGroup"), pulumi.Alias(type_="azure-native:management/v20200501:ManagementGroup"), pulumi.Alias(type_="azure-native:management/v20201001:ManagementGroup"), pulumi.Alias(type_="azure-native:management/v20210401:ManagementGroup"), pulumi.Alias(type_="azure-native:management/v20230401:ManagementGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:management/v20210401:ManagementGroup"), pulumi.Alias(type_="azure-native:management/v20230401:ManagementGroup"), pulumi.Alias(type_="azure-native_management_v20171101preview:management:ManagementGroup"), pulumi.Alias(type_="azure-native_management_v20180101preview:management:ManagementGroup"), pulumi.Alias(type_="azure-native_management_v20180301preview:management:ManagementGroup"), pulumi.Alias(type_="azure-native_management_v20191101:management:ManagementGroup"), pulumi.Alias(type_="azure-native_management_v20200201:management:ManagementGroup"), pulumi.Alias(type_="azure-native_management_v20200501:management:ManagementGroup"), pulumi.Alias(type_="azure-native_management_v20201001:management:ManagementGroup"), pulumi.Alias(type_="azure-native_management_v20210401:management:ManagementGroup"), pulumi.Alias(type_="azure-native_management_v20230401:management:ManagementGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagementGroup, __self__).__init__( 'azure-native:management:ManagementGroup', diff --git a/sdk/python/pulumi_azure_native/management/management_group_subscription.py b/sdk/python/pulumi_azure_native/management/management_group_subscription.py index 575568997caa..4722e97afa2c 100644 --- a/sdk/python/pulumi_azure_native/management/management_group_subscription.py +++ b/sdk/python/pulumi_azure_native/management/management_group_subscription.py @@ -126,7 +126,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["tenant"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:management/v20200501:ManagementGroupSubscription"), pulumi.Alias(type_="azure-native:management/v20201001:ManagementGroupSubscription"), pulumi.Alias(type_="azure-native:management/v20210401:ManagementGroupSubscription"), pulumi.Alias(type_="azure-native:management/v20230401:ManagementGroupSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:management/v20210401:ManagementGroupSubscription"), pulumi.Alias(type_="azure-native:management/v20230401:ManagementGroupSubscription"), pulumi.Alias(type_="azure-native_management_v20200501:management:ManagementGroupSubscription"), pulumi.Alias(type_="azure-native_management_v20201001:management:ManagementGroupSubscription"), pulumi.Alias(type_="azure-native_management_v20210401:management:ManagementGroupSubscription"), pulumi.Alias(type_="azure-native_management_v20230401:management:ManagementGroupSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagementGroupSubscription, __self__).__init__( 'azure-native:management:ManagementGroupSubscription', diff --git a/sdk/python/pulumi_azure_native/managementpartner/partner.py b/sdk/python/pulumi_azure_native/managementpartner/partner.py index 960128f7e927..18b7f89eb6d7 100644 --- a/sdk/python/pulumi_azure_native/managementpartner/partner.py +++ b/sdk/python/pulumi_azure_native/managementpartner/partner.py @@ -103,7 +103,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["updated_time"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managementpartner/v20180201:Partner")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:managementpartner/v20180201:Partner"), pulumi.Alias(type_="azure-native_managementpartner_v20180201:managementpartner:Partner")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Partner, __self__).__init__( 'azure-native:managementpartner:Partner', diff --git a/sdk/python/pulumi_azure_native/manufacturingplatform/manufacturing_data_service.py b/sdk/python/pulumi_azure_native/manufacturingplatform/manufacturing_data_service.py index b1391ee716ed..c85501031c5d 100644 --- a/sdk/python/pulumi_azure_native/manufacturingplatform/manufacturing_data_service.py +++ b/sdk/python/pulumi_azure_native/manufacturingplatform/manufacturing_data_service.py @@ -221,7 +221,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:manufacturingplatform/v20250301:ManufacturingDataService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_manufacturingplatform_v20250301:manufacturingplatform:ManufacturingDataService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManufacturingDataService, __self__).__init__( 'azure-native:manufacturingplatform:ManufacturingDataService', diff --git a/sdk/python/pulumi_azure_native/maps/account.py b/sdk/python/pulumi_azure_native/maps/account.py index 230c9b7c84a3..daf0e30e0350 100644 --- a/sdk/python/pulumi_azure_native/maps/account.py +++ b/sdk/python/pulumi_azure_native/maps/account.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maps/v20170101preview:Account"), pulumi.Alias(type_="azure-native:maps/v20180501:Account"), pulumi.Alias(type_="azure-native:maps/v20200201preview:Account"), pulumi.Alias(type_="azure-native:maps/v20210201:Account"), pulumi.Alias(type_="azure-native:maps/v20210701preview:Account"), pulumi.Alias(type_="azure-native:maps/v20211201preview:Account"), pulumi.Alias(type_="azure-native:maps/v20230601:Account"), pulumi.Alias(type_="azure-native:maps/v20230801preview:Account"), pulumi.Alias(type_="azure-native:maps/v20231201preview:Account"), pulumi.Alias(type_="azure-native:maps/v20240101preview:Account"), pulumi.Alias(type_="azure-native:maps/v20240701preview:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maps/v20180501:Account"), pulumi.Alias(type_="azure-native:maps/v20210201:Account"), pulumi.Alias(type_="azure-native:maps/v20211201preview:Account"), pulumi.Alias(type_="azure-native:maps/v20230601:Account"), pulumi.Alias(type_="azure-native:maps/v20230801preview:Account"), pulumi.Alias(type_="azure-native:maps/v20231201preview:Account"), pulumi.Alias(type_="azure-native:maps/v20240101preview:Account"), pulumi.Alias(type_="azure-native:maps/v20240701preview:Account"), pulumi.Alias(type_="azure-native_maps_v20170101preview:maps:Account"), pulumi.Alias(type_="azure-native_maps_v20180501:maps:Account"), pulumi.Alias(type_="azure-native_maps_v20200201preview:maps:Account"), pulumi.Alias(type_="azure-native_maps_v20210201:maps:Account"), pulumi.Alias(type_="azure-native_maps_v20210701preview:maps:Account"), pulumi.Alias(type_="azure-native_maps_v20211201preview:maps:Account"), pulumi.Alias(type_="azure-native_maps_v20230601:maps:Account"), pulumi.Alias(type_="azure-native_maps_v20230801preview:maps:Account"), pulumi.Alias(type_="azure-native_maps_v20231201preview:maps:Account"), pulumi.Alias(type_="azure-native_maps_v20240101preview:maps:Account"), pulumi.Alias(type_="azure-native_maps_v20240701preview:maps:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:maps:Account', diff --git a/sdk/python/pulumi_azure_native/maps/creator.py b/sdk/python/pulumi_azure_native/maps/creator.py index 5668c288dff0..43429bb25077 100644 --- a/sdk/python/pulumi_azure_native/maps/creator.py +++ b/sdk/python/pulumi_azure_native/maps/creator.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maps/v20200201preview:Creator"), pulumi.Alias(type_="azure-native:maps/v20210201:Creator"), pulumi.Alias(type_="azure-native:maps/v20210701preview:Creator"), pulumi.Alias(type_="azure-native:maps/v20211201preview:Creator"), pulumi.Alias(type_="azure-native:maps/v20230601:Creator"), pulumi.Alias(type_="azure-native:maps/v20230801preview:Creator"), pulumi.Alias(type_="azure-native:maps/v20231201preview:Creator"), pulumi.Alias(type_="azure-native:maps/v20240101preview:Creator"), pulumi.Alias(type_="azure-native:maps/v20240701preview:Creator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maps/v20200201preview:Creator"), pulumi.Alias(type_="azure-native:maps/v20210201:Creator"), pulumi.Alias(type_="azure-native:maps/v20211201preview:Creator"), pulumi.Alias(type_="azure-native:maps/v20230601:Creator"), pulumi.Alias(type_="azure-native:maps/v20230801preview:Creator"), pulumi.Alias(type_="azure-native:maps/v20231201preview:Creator"), pulumi.Alias(type_="azure-native:maps/v20240101preview:Creator"), pulumi.Alias(type_="azure-native:maps/v20240701preview:Creator"), pulumi.Alias(type_="azure-native_maps_v20200201preview:maps:Creator"), pulumi.Alias(type_="azure-native_maps_v20210201:maps:Creator"), pulumi.Alias(type_="azure-native_maps_v20210701preview:maps:Creator"), pulumi.Alias(type_="azure-native_maps_v20211201preview:maps:Creator"), pulumi.Alias(type_="azure-native_maps_v20230601:maps:Creator"), pulumi.Alias(type_="azure-native_maps_v20230801preview:maps:Creator"), pulumi.Alias(type_="azure-native_maps_v20231201preview:maps:Creator"), pulumi.Alias(type_="azure-native_maps_v20240101preview:maps:Creator"), pulumi.Alias(type_="azure-native_maps_v20240701preview:maps:Creator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Creator, __self__).__init__( 'azure-native:maps:Creator', diff --git a/sdk/python/pulumi_azure_native/maps/private_atlase.py b/sdk/python/pulumi_azure_native/maps/private_atlase.py index c59ea13da4d3..91043c39c545 100644 --- a/sdk/python/pulumi_azure_native/maps/private_atlase.py +++ b/sdk/python/pulumi_azure_native/maps/private_atlase.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["properties"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maps/v20200201preview:PrivateAtlase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maps/v20200201preview:PrivateAtlase"), pulumi.Alias(type_="azure-native_maps_v20200201preview:maps:PrivateAtlase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateAtlase, __self__).__init__( 'azure-native:maps:PrivateAtlase', diff --git a/sdk/python/pulumi_azure_native/maps/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/maps/private_endpoint_connection.py index db2487982944..010ddb14bc49 100644 --- a/sdk/python/pulumi_azure_native/maps/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/maps/private_endpoint_connection.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maps/v20231201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:maps/v20240101preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:maps/v20231201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:maps/v20240101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_maps_v20231201preview:maps:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_maps_v20240101preview:maps:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:maps:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/marketplace/private_store_collection.py b/sdk/python/pulumi_azure_native/marketplace/private_store_collection.py index 76904b42ed4e..e5114c3fdf8e 100644 --- a/sdk/python/pulumi_azure_native/marketplace/private_store_collection.py +++ b/sdk/python/pulumi_azure_native/marketplace/private_store_collection.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["number_of_offers"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:marketplace/v20210601:PrivateStoreCollection"), pulumi.Alias(type_="azure-native:marketplace/v20211201:PrivateStoreCollection"), pulumi.Alias(type_="azure-native:marketplace/v20220301:PrivateStoreCollection"), pulumi.Alias(type_="azure-native:marketplace/v20220901:PrivateStoreCollection"), pulumi.Alias(type_="azure-native:marketplace/v20230101:PrivateStoreCollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:marketplace/v20230101:PrivateStoreCollection"), pulumi.Alias(type_="azure-native_marketplace_v20210601:marketplace:PrivateStoreCollection"), pulumi.Alias(type_="azure-native_marketplace_v20211201:marketplace:PrivateStoreCollection"), pulumi.Alias(type_="azure-native_marketplace_v20220301:marketplace:PrivateStoreCollection"), pulumi.Alias(type_="azure-native_marketplace_v20220901:marketplace:PrivateStoreCollection"), pulumi.Alias(type_="azure-native_marketplace_v20230101:marketplace:PrivateStoreCollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateStoreCollection, __self__).__init__( 'azure-native:marketplace:PrivateStoreCollection', diff --git a/sdk/python/pulumi_azure_native/marketplace/private_store_collection_offer.py b/sdk/python/pulumi_azure_native/marketplace/private_store_collection_offer.py index a19b5d7cecee..85427a5148ed 100644 --- a/sdk/python/pulumi_azure_native/marketplace/private_store_collection_offer.py +++ b/sdk/python/pulumi_azure_native/marketplace/private_store_collection_offer.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_offer_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:marketplace/v20210601:PrivateStoreCollectionOffer"), pulumi.Alias(type_="azure-native:marketplace/v20211201:PrivateStoreCollectionOffer"), pulumi.Alias(type_="azure-native:marketplace/v20220301:PrivateStoreCollectionOffer"), pulumi.Alias(type_="azure-native:marketplace/v20220901:PrivateStoreCollectionOffer"), pulumi.Alias(type_="azure-native:marketplace/v20230101:PrivateStoreCollectionOffer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:marketplace/v20230101:PrivateStoreCollectionOffer"), pulumi.Alias(type_="azure-native_marketplace_v20210601:marketplace:PrivateStoreCollectionOffer"), pulumi.Alias(type_="azure-native_marketplace_v20211201:marketplace:PrivateStoreCollectionOffer"), pulumi.Alias(type_="azure-native_marketplace_v20220301:marketplace:PrivateStoreCollectionOffer"), pulumi.Alias(type_="azure-native_marketplace_v20220901:marketplace:PrivateStoreCollectionOffer"), pulumi.Alias(type_="azure-native_marketplace_v20230101:marketplace:PrivateStoreCollectionOffer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateStoreCollectionOffer, __self__).__init__( 'azure-native:marketplace:PrivateStoreCollectionOffer', diff --git a/sdk/python/pulumi_azure_native/media/account_filter.py b/sdk/python/pulumi_azure_native/media/account_filter.py index a88a61711ffc..0ce9d7874f98 100644 --- a/sdk/python/pulumi_azure_native/media/account_filter.py +++ b/sdk/python/pulumi_azure_native/media/account_filter.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180701:AccountFilter"), pulumi.Alias(type_="azure-native:media/v20200501:AccountFilter"), pulumi.Alias(type_="azure-native:media/v20210601:AccountFilter"), pulumi.Alias(type_="azure-native:media/v20211101:AccountFilter"), pulumi.Alias(type_="azure-native:media/v20220801:AccountFilter"), pulumi.Alias(type_="azure-native:media/v20230101:AccountFilter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20230101:AccountFilter"), pulumi.Alias(type_="azure-native_media_v20180701:media:AccountFilter"), pulumi.Alias(type_="azure-native_media_v20200501:media:AccountFilter"), pulumi.Alias(type_="azure-native_media_v20210601:media:AccountFilter"), pulumi.Alias(type_="azure-native_media_v20211101:media:AccountFilter"), pulumi.Alias(type_="azure-native_media_v20220801:media:AccountFilter"), pulumi.Alias(type_="azure-native_media_v20230101:media:AccountFilter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccountFilter, __self__).__init__( 'azure-native:media:AccountFilter', diff --git a/sdk/python/pulumi_azure_native/media/asset.py b/sdk/python/pulumi_azure_native/media/asset.py index 42e407a0fbd7..3f31d421a282 100644 --- a/sdk/python/pulumi_azure_native/media/asset.py +++ b/sdk/python/pulumi_azure_native/media/asset.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["storage_encryption_format"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180330preview:Asset"), pulumi.Alias(type_="azure-native:media/v20180601preview:Asset"), pulumi.Alias(type_="azure-native:media/v20180701:Asset"), pulumi.Alias(type_="azure-native:media/v20200501:Asset"), pulumi.Alias(type_="azure-native:media/v20210601:Asset"), pulumi.Alias(type_="azure-native:media/v20211101:Asset"), pulumi.Alias(type_="azure-native:media/v20220801:Asset"), pulumi.Alias(type_="azure-native:media/v20230101:Asset")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20230101:Asset"), pulumi.Alias(type_="azure-native_media_v20180330preview:media:Asset"), pulumi.Alias(type_="azure-native_media_v20180601preview:media:Asset"), pulumi.Alias(type_="azure-native_media_v20180701:media:Asset"), pulumi.Alias(type_="azure-native_media_v20200501:media:Asset"), pulumi.Alias(type_="azure-native_media_v20210601:media:Asset"), pulumi.Alias(type_="azure-native_media_v20211101:media:Asset"), pulumi.Alias(type_="azure-native_media_v20220801:media:Asset"), pulumi.Alias(type_="azure-native_media_v20230101:media:Asset")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Asset, __self__).__init__( 'azure-native:media:Asset', diff --git a/sdk/python/pulumi_azure_native/media/asset_filter.py b/sdk/python/pulumi_azure_native/media/asset_filter.py index 8325345abb73..4ba1042de089 100644 --- a/sdk/python/pulumi_azure_native/media/asset_filter.py +++ b/sdk/python/pulumi_azure_native/media/asset_filter.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180701:AssetFilter"), pulumi.Alias(type_="azure-native:media/v20200501:AssetFilter"), pulumi.Alias(type_="azure-native:media/v20210601:AssetFilter"), pulumi.Alias(type_="azure-native:media/v20211101:AssetFilter"), pulumi.Alias(type_="azure-native:media/v20220801:AssetFilter"), pulumi.Alias(type_="azure-native:media/v20230101:AssetFilter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20230101:AssetFilter"), pulumi.Alias(type_="azure-native_media_v20180701:media:AssetFilter"), pulumi.Alias(type_="azure-native_media_v20200501:media:AssetFilter"), pulumi.Alias(type_="azure-native_media_v20210601:media:AssetFilter"), pulumi.Alias(type_="azure-native_media_v20211101:media:AssetFilter"), pulumi.Alias(type_="azure-native_media_v20220801:media:AssetFilter"), pulumi.Alias(type_="azure-native_media_v20230101:media:AssetFilter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AssetFilter, __self__).__init__( 'azure-native:media:AssetFilter', diff --git a/sdk/python/pulumi_azure_native/media/content_key_policy.py b/sdk/python/pulumi_azure_native/media/content_key_policy.py index 2396924c6f18..d5c1da9787b1 100644 --- a/sdk/python/pulumi_azure_native/media/content_key_policy.py +++ b/sdk/python/pulumi_azure_native/media/content_key_policy.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["policy_id"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180330preview:ContentKeyPolicy"), pulumi.Alias(type_="azure-native:media/v20180601preview:ContentKeyPolicy"), pulumi.Alias(type_="azure-native:media/v20180701:ContentKeyPolicy"), pulumi.Alias(type_="azure-native:media/v20200501:ContentKeyPolicy"), pulumi.Alias(type_="azure-native:media/v20210601:ContentKeyPolicy"), pulumi.Alias(type_="azure-native:media/v20211101:ContentKeyPolicy"), pulumi.Alias(type_="azure-native:media/v20220801:ContentKeyPolicy"), pulumi.Alias(type_="azure-native:media/v20230101:ContentKeyPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20230101:ContentKeyPolicy"), pulumi.Alias(type_="azure-native_media_v20180330preview:media:ContentKeyPolicy"), pulumi.Alias(type_="azure-native_media_v20180601preview:media:ContentKeyPolicy"), pulumi.Alias(type_="azure-native_media_v20180701:media:ContentKeyPolicy"), pulumi.Alias(type_="azure-native_media_v20200501:media:ContentKeyPolicy"), pulumi.Alias(type_="azure-native_media_v20210601:media:ContentKeyPolicy"), pulumi.Alias(type_="azure-native_media_v20211101:media:ContentKeyPolicy"), pulumi.Alias(type_="azure-native_media_v20220801:media:ContentKeyPolicy"), pulumi.Alias(type_="azure-native_media_v20230101:media:ContentKeyPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContentKeyPolicy, __self__).__init__( 'azure-native:media:ContentKeyPolicy', diff --git a/sdk/python/pulumi_azure_native/media/job.py b/sdk/python/pulumi_azure_native/media/job.py index c538c3138686..906ba0c49935 100644 --- a/sdk/python/pulumi_azure_native/media/job.py +++ b/sdk/python/pulumi_azure_native/media/job.py @@ -274,7 +274,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180330preview:Job"), pulumi.Alias(type_="azure-native:media/v20180601preview:Job"), pulumi.Alias(type_="azure-native:media/v20180701:Job"), pulumi.Alias(type_="azure-native:media/v20200501:Job"), pulumi.Alias(type_="azure-native:media/v20210601:Job"), pulumi.Alias(type_="azure-native:media/v20211101:Job"), pulumi.Alias(type_="azure-native:media/v20220501preview:Job"), pulumi.Alias(type_="azure-native:media/v20220701:Job")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20220701:Job"), pulumi.Alias(type_="azure-native_media_v20180330preview:media:Job"), pulumi.Alias(type_="azure-native_media_v20180601preview:media:Job"), pulumi.Alias(type_="azure-native_media_v20180701:media:Job"), pulumi.Alias(type_="azure-native_media_v20200501:media:Job"), pulumi.Alias(type_="azure-native_media_v20210601:media:Job"), pulumi.Alias(type_="azure-native_media_v20211101:media:Job"), pulumi.Alias(type_="azure-native_media_v20220501preview:media:Job"), pulumi.Alias(type_="azure-native_media_v20220701:media:Job")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Job, __self__).__init__( 'azure-native:media:Job', diff --git a/sdk/python/pulumi_azure_native/media/live_event.py b/sdk/python/pulumi_azure_native/media/live_event.py index d91d9b89e430..9c32fd215500 100644 --- a/sdk/python/pulumi_azure_native/media/live_event.py +++ b/sdk/python/pulumi_azure_native/media/live_event.py @@ -391,7 +391,7 @@ def _internal_init(__self__, __props__.__dict__["resource_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180330preview:LiveEvent"), pulumi.Alias(type_="azure-native:media/v20180601preview:LiveEvent"), pulumi.Alias(type_="azure-native:media/v20180701:LiveEvent"), pulumi.Alias(type_="azure-native:media/v20190501preview:LiveEvent"), pulumi.Alias(type_="azure-native:media/v20200501:LiveEvent"), pulumi.Alias(type_="azure-native:media/v20210601:LiveEvent"), pulumi.Alias(type_="azure-native:media/v20211101:LiveEvent"), pulumi.Alias(type_="azure-native:media/v20220801:LiveEvent"), pulumi.Alias(type_="azure-native:media/v20221101:LiveEvent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180601preview:LiveEvent"), pulumi.Alias(type_="azure-native:media/v20190501preview:LiveEvent"), pulumi.Alias(type_="azure-native:media/v20221101:LiveEvent"), pulumi.Alias(type_="azure-native_media_v20180330preview:media:LiveEvent"), pulumi.Alias(type_="azure-native_media_v20180601preview:media:LiveEvent"), pulumi.Alias(type_="azure-native_media_v20180701:media:LiveEvent"), pulumi.Alias(type_="azure-native_media_v20190501preview:media:LiveEvent"), pulumi.Alias(type_="azure-native_media_v20200501:media:LiveEvent"), pulumi.Alias(type_="azure-native_media_v20210601:media:LiveEvent"), pulumi.Alias(type_="azure-native_media_v20211101:media:LiveEvent"), pulumi.Alias(type_="azure-native_media_v20220801:media:LiveEvent"), pulumi.Alias(type_="azure-native_media_v20221101:media:LiveEvent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LiveEvent, __self__).__init__( 'azure-native:media:LiveEvent', diff --git a/sdk/python/pulumi_azure_native/media/live_output.py b/sdk/python/pulumi_azure_native/media/live_output.py index 9b8cf107140d..14937e5838f8 100644 --- a/sdk/python/pulumi_azure_native/media/live_output.py +++ b/sdk/python/pulumi_azure_native/media/live_output.py @@ -312,7 +312,7 @@ def _internal_init(__self__, __props__.__dict__["resource_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180330preview:LiveOutput"), pulumi.Alias(type_="azure-native:media/v20180601preview:LiveOutput"), pulumi.Alias(type_="azure-native:media/v20180701:LiveOutput"), pulumi.Alias(type_="azure-native:media/v20190501preview:LiveOutput"), pulumi.Alias(type_="azure-native:media/v20200501:LiveOutput"), pulumi.Alias(type_="azure-native:media/v20210601:LiveOutput"), pulumi.Alias(type_="azure-native:media/v20211101:LiveOutput"), pulumi.Alias(type_="azure-native:media/v20220801:LiveOutput"), pulumi.Alias(type_="azure-native:media/v20221101:LiveOutput")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20221101:LiveOutput"), pulumi.Alias(type_="azure-native_media_v20180330preview:media:LiveOutput"), pulumi.Alias(type_="azure-native_media_v20180601preview:media:LiveOutput"), pulumi.Alias(type_="azure-native_media_v20180701:media:LiveOutput"), pulumi.Alias(type_="azure-native_media_v20190501preview:media:LiveOutput"), pulumi.Alias(type_="azure-native_media_v20200501:media:LiveOutput"), pulumi.Alias(type_="azure-native_media_v20210601:media:LiveOutput"), pulumi.Alias(type_="azure-native_media_v20211101:media:LiveOutput"), pulumi.Alias(type_="azure-native_media_v20220801:media:LiveOutput"), pulumi.Alias(type_="azure-native_media_v20221101:media:LiveOutput")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LiveOutput, __self__).__init__( 'azure-native:media:LiveOutput', diff --git a/sdk/python/pulumi_azure_native/media/media_service.py b/sdk/python/pulumi_azure_native/media/media_service.py index 07fcffe58644..5362a36a03b6 100644 --- a/sdk/python/pulumi_azure_native/media/media_service.py +++ b/sdk/python/pulumi_azure_native/media/media_service.py @@ -307,7 +307,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20151001:MediaService"), pulumi.Alias(type_="azure-native:media/v20180330preview:MediaService"), pulumi.Alias(type_="azure-native:media/v20180601preview:MediaService"), pulumi.Alias(type_="azure-native:media/v20180701:MediaService"), pulumi.Alias(type_="azure-native:media/v20200501:MediaService"), pulumi.Alias(type_="azure-native:media/v20210501:MediaService"), pulumi.Alias(type_="azure-native:media/v20210601:MediaService"), pulumi.Alias(type_="azure-native:media/v20211101:MediaService"), pulumi.Alias(type_="azure-native:media/v20230101:MediaService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20151001:MediaService"), pulumi.Alias(type_="azure-native:media/v20230101:MediaService"), pulumi.Alias(type_="azure-native_media_v20151001:media:MediaService"), pulumi.Alias(type_="azure-native_media_v20180330preview:media:MediaService"), pulumi.Alias(type_="azure-native_media_v20180601preview:media:MediaService"), pulumi.Alias(type_="azure-native_media_v20180701:media:MediaService"), pulumi.Alias(type_="azure-native_media_v20200501:media:MediaService"), pulumi.Alias(type_="azure-native_media_v20210501:media:MediaService"), pulumi.Alias(type_="azure-native_media_v20210601:media:MediaService"), pulumi.Alias(type_="azure-native_media_v20211101:media:MediaService"), pulumi.Alias(type_="azure-native_media_v20230101:media:MediaService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MediaService, __self__).__init__( 'azure-native:media:MediaService', diff --git a/sdk/python/pulumi_azure_native/media/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/media/private_endpoint_connection.py index 6ceaf96475bb..45cb688999c1 100644 --- a/sdk/python/pulumi_azure_native/media/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/media/private_endpoint_connection.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20200501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:media/v20210501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:media/v20210601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:media/v20211101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:media/v20230101:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20230101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_media_v20200501:media:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_media_v20210501:media:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_media_v20210601:media:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_media_v20211101:media:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_media_v20230101:media:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:media:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/media/streaming_endpoint.py b/sdk/python/pulumi_azure_native/media/streaming_endpoint.py index e7e13a8cc1d4..f3ab785d6d09 100644 --- a/sdk/python/pulumi_azure_native/media/streaming_endpoint.py +++ b/sdk/python/pulumi_azure_native/media/streaming_endpoint.py @@ -432,7 +432,7 @@ def _internal_init(__self__, __props__.__dict__["resource_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180330preview:StreamingEndpoint"), pulumi.Alias(type_="azure-native:media/v20180601preview:StreamingEndpoint"), pulumi.Alias(type_="azure-native:media/v20180701:StreamingEndpoint"), pulumi.Alias(type_="azure-native:media/v20190501preview:StreamingEndpoint"), pulumi.Alias(type_="azure-native:media/v20200501:StreamingEndpoint"), pulumi.Alias(type_="azure-native:media/v20210601:StreamingEndpoint"), pulumi.Alias(type_="azure-native:media/v20211101:StreamingEndpoint"), pulumi.Alias(type_="azure-native:media/v20220801:StreamingEndpoint"), pulumi.Alias(type_="azure-native:media/v20221101:StreamingEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180601preview:StreamingEndpoint"), pulumi.Alias(type_="azure-native:media/v20221101:StreamingEndpoint"), pulumi.Alias(type_="azure-native_media_v20180330preview:media:StreamingEndpoint"), pulumi.Alias(type_="azure-native_media_v20180601preview:media:StreamingEndpoint"), pulumi.Alias(type_="azure-native_media_v20180701:media:StreamingEndpoint"), pulumi.Alias(type_="azure-native_media_v20190501preview:media:StreamingEndpoint"), pulumi.Alias(type_="azure-native_media_v20200501:media:StreamingEndpoint"), pulumi.Alias(type_="azure-native_media_v20210601:media:StreamingEndpoint"), pulumi.Alias(type_="azure-native_media_v20211101:media:StreamingEndpoint"), pulumi.Alias(type_="azure-native_media_v20220801:media:StreamingEndpoint"), pulumi.Alias(type_="azure-native_media_v20221101:media:StreamingEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StreamingEndpoint, __self__).__init__( 'azure-native:media:StreamingEndpoint', diff --git a/sdk/python/pulumi_azure_native/media/streaming_locator.py b/sdk/python/pulumi_azure_native/media/streaming_locator.py index 9d0c406fe9ff..34614f5bc583 100644 --- a/sdk/python/pulumi_azure_native/media/streaming_locator.py +++ b/sdk/python/pulumi_azure_native/media/streaming_locator.py @@ -328,7 +328,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180330preview:StreamingLocator"), pulumi.Alias(type_="azure-native:media/v20180601preview:StreamingLocator"), pulumi.Alias(type_="azure-native:media/v20180701:StreamingLocator"), pulumi.Alias(type_="azure-native:media/v20200501:StreamingLocator"), pulumi.Alias(type_="azure-native:media/v20210601:StreamingLocator"), pulumi.Alias(type_="azure-native:media/v20211101:StreamingLocator"), pulumi.Alias(type_="azure-native:media/v20220801:StreamingLocator"), pulumi.Alias(type_="azure-native:media/v20230101:StreamingLocator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180330preview:StreamingLocator"), pulumi.Alias(type_="azure-native:media/v20230101:StreamingLocator"), pulumi.Alias(type_="azure-native_media_v20180330preview:media:StreamingLocator"), pulumi.Alias(type_="azure-native_media_v20180601preview:media:StreamingLocator"), pulumi.Alias(type_="azure-native_media_v20180701:media:StreamingLocator"), pulumi.Alias(type_="azure-native_media_v20200501:media:StreamingLocator"), pulumi.Alias(type_="azure-native_media_v20210601:media:StreamingLocator"), pulumi.Alias(type_="azure-native_media_v20211101:media:StreamingLocator"), pulumi.Alias(type_="azure-native_media_v20220801:media:StreamingLocator"), pulumi.Alias(type_="azure-native_media_v20230101:media:StreamingLocator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StreamingLocator, __self__).__init__( 'azure-native:media:StreamingLocator', diff --git a/sdk/python/pulumi_azure_native/media/streaming_policy.py b/sdk/python/pulumi_azure_native/media/streaming_policy.py index 000357b25fac..d431c76bde44 100644 --- a/sdk/python/pulumi_azure_native/media/streaming_policy.py +++ b/sdk/python/pulumi_azure_native/media/streaming_policy.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180330preview:StreamingPolicy"), pulumi.Alias(type_="azure-native:media/v20180601preview:StreamingPolicy"), pulumi.Alias(type_="azure-native:media/v20180701:StreamingPolicy"), pulumi.Alias(type_="azure-native:media/v20200501:StreamingPolicy"), pulumi.Alias(type_="azure-native:media/v20210601:StreamingPolicy"), pulumi.Alias(type_="azure-native:media/v20211101:StreamingPolicy"), pulumi.Alias(type_="azure-native:media/v20220801:StreamingPolicy"), pulumi.Alias(type_="azure-native:media/v20230101:StreamingPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20230101:StreamingPolicy"), pulumi.Alias(type_="azure-native_media_v20180330preview:media:StreamingPolicy"), pulumi.Alias(type_="azure-native_media_v20180601preview:media:StreamingPolicy"), pulumi.Alias(type_="azure-native_media_v20180701:media:StreamingPolicy"), pulumi.Alias(type_="azure-native_media_v20200501:media:StreamingPolicy"), pulumi.Alias(type_="azure-native_media_v20210601:media:StreamingPolicy"), pulumi.Alias(type_="azure-native_media_v20211101:media:StreamingPolicy"), pulumi.Alias(type_="azure-native_media_v20220801:media:StreamingPolicy"), pulumi.Alias(type_="azure-native_media_v20230101:media:StreamingPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StreamingPolicy, __self__).__init__( 'azure-native:media:StreamingPolicy', diff --git a/sdk/python/pulumi_azure_native/media/track.py b/sdk/python/pulumi_azure_native/media/track.py index fb0b6e050628..85e969652875 100644 --- a/sdk/python/pulumi_azure_native/media/track.py +++ b/sdk/python/pulumi_azure_native/media/track.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20211101:Track"), pulumi.Alias(type_="azure-native:media/v20220801:Track"), pulumi.Alias(type_="azure-native:media/v20230101:Track")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20230101:Track"), pulumi.Alias(type_="azure-native_media_v20211101:media:Track"), pulumi.Alias(type_="azure-native_media_v20220801:media:Track"), pulumi.Alias(type_="azure-native_media_v20230101:media:Track")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Track, __self__).__init__( 'azure-native:media:Track', diff --git a/sdk/python/pulumi_azure_native/media/transform.py b/sdk/python/pulumi_azure_native/media/transform.py index 66ad188b1012..4843b4ce4f0f 100644 --- a/sdk/python/pulumi_azure_native/media/transform.py +++ b/sdk/python/pulumi_azure_native/media/transform.py @@ -189,7 +189,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20180330preview:Transform"), pulumi.Alias(type_="azure-native:media/v20180601preview:Transform"), pulumi.Alias(type_="azure-native:media/v20180701:Transform"), pulumi.Alias(type_="azure-native:media/v20200501:Transform"), pulumi.Alias(type_="azure-native:media/v20210601:Transform"), pulumi.Alias(type_="azure-native:media/v20211101:Transform"), pulumi.Alias(type_="azure-native:media/v20220501preview:Transform"), pulumi.Alias(type_="azure-native:media/v20220701:Transform")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:media/v20220701:Transform"), pulumi.Alias(type_="azure-native_media_v20180330preview:media:Transform"), pulumi.Alias(type_="azure-native_media_v20180601preview:media:Transform"), pulumi.Alias(type_="azure-native_media_v20180701:media:Transform"), pulumi.Alias(type_="azure-native_media_v20200501:media:Transform"), pulumi.Alias(type_="azure-native_media_v20210601:media:Transform"), pulumi.Alias(type_="azure-native_media_v20211101:media:Transform"), pulumi.Alias(type_="azure-native_media_v20220501preview:media:Transform"), pulumi.Alias(type_="azure-native_media_v20220701:media:Transform")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Transform, __self__).__init__( 'azure-native:media:Transform', diff --git a/sdk/python/pulumi_azure_native/migrate/aks_assessment_operation.py b/sdk/python/pulumi_azure_native/migrate/aks_assessment_operation.py index 2a5f164db1c2..2c4b3b6099a3 100644 --- a/sdk/python/pulumi_azure_native/migrate/aks_assessment_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/aks_assessment_operation.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230401preview:AksAssessmentOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AksAssessmentOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AksAssessmentOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AksAssessmentOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230401preview:AksAssessmentOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AksAssessmentOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AksAssessmentOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AksAssessmentOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:AksAssessmentOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:AksAssessmentOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:AksAssessmentOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:AksAssessmentOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AksAssessmentOperation, __self__).__init__( 'azure-native:migrate:AksAssessmentOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/assessment.py b/sdk/python/pulumi_azure_native/migrate/assessment.py index c42047c7f511..ff2238206174 100644 --- a/sdk/python/pulumi_azure_native/migrate/assessment.py +++ b/sdk/python/pulumi_azure_native/migrate/assessment.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20180202:Assessment"), pulumi.Alias(type_="azure-native:migrate/v20191001:Assessment"), pulumi.Alias(type_="azure-native:migrate/v20230315:Assessment"), pulumi.Alias(type_="azure-native:migrate/v20230315:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:Assessment"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:Assessment"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:Assessment"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:Assessment"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate:AssessmentsOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:Assessment"), pulumi.Alias(type_="azure-native:migrate/v20230315:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate:AssessmentsOperation"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:Assessment"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:Assessment"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:Assessment"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:Assessment"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:Assessment"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:Assessment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Assessment, __self__).__init__( 'azure-native:migrate:Assessment', diff --git a/sdk/python/pulumi_azure_native/migrate/assessment_projects_operation.py b/sdk/python/pulumi_azure_native/migrate/assessment_projects_operation.py index 592ee82cb554..a3bd5541371a 100644 --- a/sdk/python/pulumi_azure_native/migrate/assessment_projects_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/assessment_projects_operation.py @@ -320,7 +320,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20191001:Project"), pulumi.Alias(type_="azure-native:migrate/v20230315:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate:Project")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:Project"), pulumi.Alias(type_="azure-native:migrate/v20230315:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate:Project"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:AssessmentProjectsOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AssessmentProjectsOperation, __self__).__init__( 'azure-native:migrate:AssessmentProjectsOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/assessments_operation.py b/sdk/python/pulumi_azure_native/migrate/assessments_operation.py index c570cfdc4985..3d508bdc6e68 100644 --- a/sdk/python/pulumi_azure_native/migrate/assessments_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/assessments_operation.py @@ -607,7 +607,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:Assessment"), pulumi.Alias(type_="azure-native:migrate/v20191001:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230315:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate:Assessment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:Assessment"), pulumi.Alias(type_="azure-native:migrate/v20230315:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate:Assessment"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:AssessmentsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:AssessmentsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:AssessmentsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:AssessmentsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:AssessmentsOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:AssessmentsOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AssessmentsOperation, __self__).__init__( 'azure-native:migrate:AssessmentsOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/avs_assessments_operation.py b/sdk/python/pulumi_azure_native/migrate/avs_assessments_operation.py index 5c0280cc0273..81574a35a23e 100644 --- a/sdk/python/pulumi_azure_native/migrate/avs_assessments_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/avs_assessments_operation.py @@ -682,7 +682,7 @@ def _internal_init(__self__, __props__.__dict__["total_storage_in_gb"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230315:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AvsAssessmentsOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230315:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:AvsAssessmentsOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:AvsAssessmentsOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AvsAssessmentsOperation, __self__).__init__( 'azure-native:migrate:AvsAssessmentsOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/business_case_operation.py b/sdk/python/pulumi_azure_native/migrate/business_case_operation.py index b6b570b78ed1..424f25d217a1 100644 --- a/sdk/python/pulumi_azure_native/migrate/business_case_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/business_case_operation.py @@ -169,7 +169,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230401preview:BusinessCaseOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:BusinessCaseOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:BusinessCaseOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:BusinessCaseOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230401preview:BusinessCaseOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:BusinessCaseOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:BusinessCaseOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:BusinessCaseOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:BusinessCaseOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:BusinessCaseOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:BusinessCaseOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:BusinessCaseOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BusinessCaseOperation, __self__).__init__( 'azure-native:migrate:BusinessCaseOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/group.py b/sdk/python/pulumi_azure_native/migrate/group.py index 3d33f6c468fb..19580ed007d9 100644 --- a/sdk/python/pulumi_azure_native/migrate/group.py +++ b/sdk/python/pulumi_azure_native/migrate/group.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20180202:Group"), pulumi.Alias(type_="azure-native:migrate/v20191001:Group"), pulumi.Alias(type_="azure-native:migrate/v20230315:Group"), pulumi.Alias(type_="azure-native:migrate/v20230315:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:Group"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:Group"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:Group"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:Group"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate:GroupsOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:Group"), pulumi.Alias(type_="azure-native:migrate/v20230315:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate:GroupsOperation"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:Group"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:Group"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:Group"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:Group"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:Group"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:Group")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Group, __self__).__init__( 'azure-native:migrate:Group', diff --git a/sdk/python/pulumi_azure_native/migrate/groups_operation.py b/sdk/python/pulumi_azure_native/migrate/groups_operation.py index 8fe8d1a4219e..8ebf0888e440 100644 --- a/sdk/python/pulumi_azure_native/migrate/groups_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/groups_operation.py @@ -211,7 +211,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:Group"), pulumi.Alias(type_="azure-native:migrate/v20191001:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230315:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate:Group")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:Group"), pulumi.Alias(type_="azure-native:migrate/v20230315:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:GroupsOperation"), pulumi.Alias(type_="azure-native:migrate:Group"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:GroupsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:GroupsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:GroupsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:GroupsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:GroupsOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:GroupsOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GroupsOperation, __self__).__init__( 'azure-native:migrate:GroupsOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/hyper_v_collector.py b/sdk/python/pulumi_azure_native/migrate/hyper_v_collector.py index df17b6c036ae..0d7e55d73a38 100644 --- a/sdk/python/pulumi_azure_native/migrate/hyper_v_collector.py +++ b/sdk/python/pulumi_azure_native/migrate/hyper_v_collector.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:HyperVCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:HyperVCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:HyperVCollector"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:HyperVCollector"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:HyperVCollector"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:HyperVCollector"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:HypervCollectorsOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:HyperVCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:HyperVCollector"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:HyperVCollector"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:HyperVCollector"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:HyperVCollector"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:HyperVCollector"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:HyperVCollector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HyperVCollector, __self__).__init__( 'azure-native:migrate:HyperVCollector', diff --git a/sdk/python/pulumi_azure_native/migrate/hyperv_collectors_operation.py b/sdk/python/pulumi_azure_native/migrate/hyperv_collectors_operation.py index 71449ee52baa..cb975f73f0c0 100644 --- a/sdk/python/pulumi_azure_native/migrate/hyperv_collectors_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/hyperv_collectors_operation.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:HyperVCollector"), pulumi.Alias(type_="azure-native:migrate/v20191001:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230315:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:HyperVCollector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:HyperVCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:HyperVCollector"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:HypervCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:HypervCollectorsOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HypervCollectorsOperation, __self__).__init__( 'azure-native:migrate:HypervCollectorsOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/import_collector.py b/sdk/python/pulumi_azure_native/migrate/import_collector.py index 4158eef4638c..5d89429664cf 100644 --- a/sdk/python/pulumi_azure_native/migrate/import_collector.py +++ b/sdk/python/pulumi_azure_native/migrate/import_collector.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:ImportCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:ImportCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:ImportCollector"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:ImportCollector"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:ImportCollector"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:ImportCollector"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:ImportCollectorsOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:ImportCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:ImportCollector"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:ImportCollector"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:ImportCollector"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:ImportCollector"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:ImportCollector"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:ImportCollector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ImportCollector, __self__).__init__( 'azure-native:migrate:ImportCollector', diff --git a/sdk/python/pulumi_azure_native/migrate/import_collectors_operation.py b/sdk/python/pulumi_azure_native/migrate/import_collectors_operation.py index fb27293e9bc7..b3b2f76b1edd 100644 --- a/sdk/python/pulumi_azure_native/migrate/import_collectors_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/import_collectors_operation.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:ImportCollector"), pulumi.Alias(type_="azure-native:migrate/v20191001:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230315:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:ImportCollector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:ImportCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:ImportCollector"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:ImportCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:ImportCollectorsOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ImportCollectorsOperation, __self__).__init__( 'azure-native:migrate:ImportCollectorsOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/migrate_agent.py b/sdk/python/pulumi_azure_native/migrate/migrate_agent.py index 15163c842364..54c27bc7bfdc 100644 --- a/sdk/python/pulumi_azure_native/migrate/migrate_agent.py +++ b/sdk/python/pulumi_azure_native/migrate/migrate_agent.py @@ -201,7 +201,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20220501preview:MigrateAgent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20220501preview:MigrateAgent"), pulumi.Alias(type_="azure-native_migrate_v20220501preview:migrate:MigrateAgent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MigrateAgent, __self__).__init__( 'azure-native:migrate:MigrateAgent', diff --git a/sdk/python/pulumi_azure_native/migrate/migrate_project.py b/sdk/python/pulumi_azure_native/migrate/migrate_project.py index c9683bbea5b2..00ce10884bb5 100644 --- a/sdk/python/pulumi_azure_native/migrate/migrate_project.py +++ b/sdk/python/pulumi_azure_native/migrate/migrate_project.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20180901preview:MigrateProject"), pulumi.Alias(type_="azure-native:migrate/v20200501:MigrateProject"), pulumi.Alias(type_="azure-native:migrate/v20200501:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native:migrate/v20230101:MigrateProject"), pulumi.Alias(type_="azure-native:migrate/v20230101:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native:migrate:MigrateProjectsControllerMigrateProject")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20180901preview:MigrateProject"), pulumi.Alias(type_="azure-native:migrate/v20200501:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native:migrate/v20230101:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native:migrate:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native_migrate_v20180901preview:migrate:MigrateProject"), pulumi.Alias(type_="azure-native_migrate_v20200501:migrate:MigrateProject"), pulumi.Alias(type_="azure-native_migrate_v20230101:migrate:MigrateProject")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MigrateProject, __self__).__init__( 'azure-native:migrate:MigrateProject', diff --git a/sdk/python/pulumi_azure_native/migrate/migrate_projects_controller_migrate_project.py b/sdk/python/pulumi_azure_native/migrate/migrate_projects_controller_migrate_project.py index 0ed03d90dedb..d7088e0b19f0 100644 --- a/sdk/python/pulumi_azure_native/migrate/migrate_projects_controller_migrate_project.py +++ b/sdk/python/pulumi_azure_native/migrate/migrate_projects_controller_migrate_project.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20180901preview:MigrateProject"), pulumi.Alias(type_="azure-native:migrate/v20180901preview:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native:migrate/v20200501:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native:migrate/v20230101:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native:migrate:MigrateProject")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20180901preview:MigrateProject"), pulumi.Alias(type_="azure-native:migrate/v20200501:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native:migrate/v20230101:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native:migrate:MigrateProject"), pulumi.Alias(type_="azure-native_migrate_v20180901preview:migrate:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native_migrate_v20200501:migrate:MigrateProjectsControllerMigrateProject"), pulumi.Alias(type_="azure-native_migrate_v20230101:migrate:MigrateProjectsControllerMigrateProject")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MigrateProjectsControllerMigrateProject, __self__).__init__( 'azure-native:migrate:MigrateProjectsControllerMigrateProject', diff --git a/sdk/python/pulumi_azure_native/migrate/modernize_project.py b/sdk/python/pulumi_azure_native/migrate/modernize_project.py index b65283c64a7d..fc0b49fd2bec 100644 --- a/sdk/python/pulumi_azure_native/migrate/modernize_project.py +++ b/sdk/python/pulumi_azure_native/migrate/modernize_project.py @@ -216,7 +216,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20220501preview:ModernizeProject")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20220501preview:ModernizeProject"), pulumi.Alias(type_="azure-native_migrate_v20220501preview:migrate:ModernizeProject")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ModernizeProject, __self__).__init__( 'azure-native:migrate:ModernizeProject', diff --git a/sdk/python/pulumi_azure_native/migrate/move_collection.py b/sdk/python/pulumi_azure_native/migrate/move_collection.py index 69228f3afaa8..fca1448a1e0d 100644 --- a/sdk/python/pulumi_azure_native/migrate/move_collection.py +++ b/sdk/python/pulumi_azure_native/migrate/move_collection.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001preview:MoveCollection"), pulumi.Alias(type_="azure-native:migrate/v20210101:MoveCollection"), pulumi.Alias(type_="azure-native:migrate/v20210801:MoveCollection"), pulumi.Alias(type_="azure-native:migrate/v20220801:MoveCollection"), pulumi.Alias(type_="azure-native:migrate/v20230801:MoveCollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20220801:MoveCollection"), pulumi.Alias(type_="azure-native:migrate/v20230801:MoveCollection"), pulumi.Alias(type_="azure-native_migrate_v20191001preview:migrate:MoveCollection"), pulumi.Alias(type_="azure-native_migrate_v20210101:migrate:MoveCollection"), pulumi.Alias(type_="azure-native_migrate_v20210801:migrate:MoveCollection"), pulumi.Alias(type_="azure-native_migrate_v20220801:migrate:MoveCollection"), pulumi.Alias(type_="azure-native_migrate_v20230801:migrate:MoveCollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MoveCollection, __self__).__init__( 'azure-native:migrate:MoveCollection', diff --git a/sdk/python/pulumi_azure_native/migrate/move_resource.py b/sdk/python/pulumi_azure_native/migrate/move_resource.py index 63e90ad38b7d..c5fcfde21625 100644 --- a/sdk/python/pulumi_azure_native/migrate/move_resource.py +++ b/sdk/python/pulumi_azure_native/migrate/move_resource.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001preview:MoveResource"), pulumi.Alias(type_="azure-native:migrate/v20210101:MoveResource"), pulumi.Alias(type_="azure-native:migrate/v20210801:MoveResource"), pulumi.Alias(type_="azure-native:migrate/v20220801:MoveResource"), pulumi.Alias(type_="azure-native:migrate/v20230801:MoveResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20220801:MoveResource"), pulumi.Alias(type_="azure-native:migrate/v20230801:MoveResource"), pulumi.Alias(type_="azure-native_migrate_v20191001preview:migrate:MoveResource"), pulumi.Alias(type_="azure-native_migrate_v20210101:migrate:MoveResource"), pulumi.Alias(type_="azure-native_migrate_v20210801:migrate:MoveResource"), pulumi.Alias(type_="azure-native_migrate_v20220801:migrate:MoveResource"), pulumi.Alias(type_="azure-native_migrate_v20230801:migrate:MoveResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MoveResource, __self__).__init__( 'azure-native:migrate:MoveResource', diff --git a/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection.py index 7bac0ece21b1..925f77d1978c 100644 --- a/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:migrate/v20230315:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:migrate/v20230315:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate:PrivateEndpointConnectionOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:migrate/v20230315:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:migrate:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection_controller_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection_controller_private_endpoint_connection.py index 85f427333092..85d8a4b9b87f 100644 --- a/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection_controller_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection_controller_private_endpoint_connection.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20200501:PrivateEndpointConnectionControllerPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:migrate/v20230101:PrivateEndpointConnectionControllerPrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20200501:PrivateEndpointConnectionControllerPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:migrate/v20230101:PrivateEndpointConnectionControllerPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_migrate_v20200501:migrate:PrivateEndpointConnectionControllerPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_migrate_v20230101:migrate:PrivateEndpointConnectionControllerPrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionControllerPrivateEndpointConnection, __self__).__init__( 'azure-native:migrate:PrivateEndpointConnectionControllerPrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection_operation.py b/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection_operation.py index 2bbd87b85a39..7b5e0a6055e5 100644 --- a/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/private_endpoint_connection_operation.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:migrate/v20191001:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230315:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:migrate/v20230315:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native:migrate:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:PrivateEndpointConnectionOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:PrivateEndpointConnectionOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionOperation, __self__).__init__( 'azure-native:migrate:PrivateEndpointConnectionOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/project.py b/sdk/python/pulumi_azure_native/migrate/project.py index fa8e3e608925..e0b7e10e897d 100644 --- a/sdk/python/pulumi_azure_native/migrate/project.py +++ b/sdk/python/pulumi_azure_native/migrate/project.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20180202:Project"), pulumi.Alias(type_="azure-native:migrate/v20191001:Project"), pulumi.Alias(type_="azure-native:migrate/v20230315:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230315:Project"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:Project"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:Project"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:Project"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:Project"), pulumi.Alias(type_="azure-native:migrate:AssessmentProjectsOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:Project"), pulumi.Alias(type_="azure-native:migrate/v20230315:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native:migrate:AssessmentProjectsOperation"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:Project"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:Project"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:Project"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:Project"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:Project"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:Project")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Project, __self__).__init__( 'azure-native:migrate:Project', diff --git a/sdk/python/pulumi_azure_native/migrate/server_collector.py b/sdk/python/pulumi_azure_native/migrate/server_collector.py index 5ca9624cbefa..c80deb5c72f7 100644 --- a/sdk/python/pulumi_azure_native/migrate/server_collector.py +++ b/sdk/python/pulumi_azure_native/migrate/server_collector.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:ServerCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:ServerCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:ServerCollector"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:ServerCollector"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:ServerCollector"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:ServerCollector"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:ServerCollectorsOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:ServerCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:ServerCollector"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:ServerCollector"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:ServerCollector"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:ServerCollector"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:ServerCollector"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:ServerCollector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerCollector, __self__).__init__( 'azure-native:migrate:ServerCollector', diff --git a/sdk/python/pulumi_azure_native/migrate/server_collectors_operation.py b/sdk/python/pulumi_azure_native/migrate/server_collectors_operation.py index 811c8d411e1a..60772420cb24 100644 --- a/sdk/python/pulumi_azure_native/migrate/server_collectors_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/server_collectors_operation.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:ServerCollector"), pulumi.Alias(type_="azure-native:migrate/v20191001:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230315:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:ServerCollector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:ServerCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:ServerCollector"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:ServerCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:ServerCollectorsOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerCollectorsOperation, __self__).__init__( 'azure-native:migrate:ServerCollectorsOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/solution.py b/sdk/python/pulumi_azure_native/migrate/solution.py index bd0f9f5bb0f3..625d07617a7a 100644 --- a/sdk/python/pulumi_azure_native/migrate/solution.py +++ b/sdk/python/pulumi_azure_native/migrate/solution.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20180901preview:Solution"), pulumi.Alias(type_="azure-native:migrate/v20230101:Solution"), pulumi.Alias(type_="azure-native:migrate/v20230101:SolutionsControllerSolution"), pulumi.Alias(type_="azure-native:migrate:SolutionsControllerSolution")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20180901preview:Solution"), pulumi.Alias(type_="azure-native:migrate/v20230101:SolutionsControllerSolution"), pulumi.Alias(type_="azure-native:migrate:SolutionsControllerSolution"), pulumi.Alias(type_="azure-native_migrate_v20180901preview:migrate:Solution"), pulumi.Alias(type_="azure-native_migrate_v20230101:migrate:Solution")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Solution, __self__).__init__( 'azure-native:migrate:Solution', diff --git a/sdk/python/pulumi_azure_native/migrate/sql_assessment_v2_operation.py b/sdk/python/pulumi_azure_native/migrate/sql_assessment_v2_operation.py index 88cc5f328b24..ccb0d7171853 100644 --- a/sdk/python/pulumi_azure_native/migrate/sql_assessment_v2_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/sql_assessment_v2_operation.py @@ -828,7 +828,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230315:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:SqlAssessmentV2Operation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230315:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:SqlAssessmentV2Operation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:SqlAssessmentV2Operation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlAssessmentV2Operation, __self__).__init__( 'azure-native:migrate:SqlAssessmentV2Operation', diff --git a/sdk/python/pulumi_azure_native/migrate/sql_collector_operation.py b/sdk/python/pulumi_azure_native/migrate/sql_collector_operation.py index ac665b93a6f4..2fff575ca60e 100644 --- a/sdk/python/pulumi_azure_native/migrate/sql_collector_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/sql_collector_operation.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230315:SqlCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:SqlCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:SqlCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:SqlCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:SqlCollectorOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230315:SqlCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:SqlCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:SqlCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:SqlCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:SqlCollectorOperation"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:SqlCollectorOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:SqlCollectorOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:SqlCollectorOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:SqlCollectorOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:SqlCollectorOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlCollectorOperation, __self__).__init__( 'azure-native:migrate:SqlCollectorOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/v_mware_collector.py b/sdk/python/pulumi_azure_native/migrate/v_mware_collector.py index 285eb6d4ed3b..cd888c903a07 100644 --- a/sdk/python/pulumi_azure_native/migrate/v_mware_collector.py +++ b/sdk/python/pulumi_azure_native/migrate/v_mware_collector.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:VMwareCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:VMwareCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:VMwareCollector"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:VMwareCollector"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:VMwareCollector"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:VMwareCollector"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:VmwareCollectorsOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:VMwareCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:VMwareCollector"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:VMwareCollector"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:VMwareCollector"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:VMwareCollector"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:VMwareCollector"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:VMwareCollector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VMwareCollector, __self__).__init__( 'azure-native:migrate:VMwareCollector', diff --git a/sdk/python/pulumi_azure_native/migrate/vmware_collectors_operation.py b/sdk/python/pulumi_azure_native/migrate/vmware_collectors_operation.py index 234ee5a36c8b..67b56fcecea3 100644 --- a/sdk/python/pulumi_azure_native/migrate/vmware_collectors_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/vmware_collectors_operation.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:VMwareCollector"), pulumi.Alias(type_="azure-native:migrate/v20191001:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230315:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:VMwareCollector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20191001:VMwareCollector"), pulumi.Alias(type_="azure-native:migrate/v20230315:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230401preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native:migrate:VMwareCollector"), pulumi.Alias(type_="azure-native_migrate_v20191001:migrate:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230315:migrate:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:VmwareCollectorsOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:VmwareCollectorsOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VmwareCollectorsOperation, __self__).__init__( 'azure-native:migrate:VmwareCollectorsOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/web_app_assessment_v2_operation.py b/sdk/python/pulumi_azure_native/migrate/web_app_assessment_v2_operation.py index ab94630e9e4f..811a3b73000c 100644 --- a/sdk/python/pulumi_azure_native/migrate/web_app_assessment_v2_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/web_app_assessment_v2_operation.py @@ -606,7 +606,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230401preview:WebAppAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:WebAppAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:WebAppAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:WebAppAssessmentV2Operation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230401preview:WebAppAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:WebAppAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:WebAppAssessmentV2Operation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:WebAppAssessmentV2Operation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:WebAppAssessmentV2Operation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:WebAppAssessmentV2Operation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:WebAppAssessmentV2Operation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:WebAppAssessmentV2Operation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppAssessmentV2Operation, __self__).__init__( 'azure-native:migrate:WebAppAssessmentV2Operation', diff --git a/sdk/python/pulumi_azure_native/migrate/web_app_collector_operation.py b/sdk/python/pulumi_azure_native/migrate/web_app_collector_operation.py index 4560922950aa..5d13789d18b3 100644 --- a/sdk/python/pulumi_azure_native/migrate/web_app_collector_operation.py +++ b/sdk/python/pulumi_azure_native/migrate/web_app_collector_operation.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230401preview:WebAppCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:WebAppCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:WebAppCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:WebAppCollectorOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20230401preview:WebAppCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20230501preview:WebAppCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20230909preview:WebAppCollectorOperation"), pulumi.Alias(type_="azure-native:migrate/v20240101preview:WebAppCollectorOperation"), pulumi.Alias(type_="azure-native_migrate_v20230401preview:migrate:WebAppCollectorOperation"), pulumi.Alias(type_="azure-native_migrate_v20230501preview:migrate:WebAppCollectorOperation"), pulumi.Alias(type_="azure-native_migrate_v20230909preview:migrate:WebAppCollectorOperation"), pulumi.Alias(type_="azure-native_migrate_v20240101preview:migrate:WebAppCollectorOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppCollectorOperation, __self__).__init__( 'azure-native:migrate:WebAppCollectorOperation', diff --git a/sdk/python/pulumi_azure_native/migrate/workload_deployment.py b/sdk/python/pulumi_azure_native/migrate/workload_deployment.py index d6ce1ce04362..9a84edf31522 100644 --- a/sdk/python/pulumi_azure_native/migrate/workload_deployment.py +++ b/sdk/python/pulumi_azure_native/migrate/workload_deployment.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20220501preview:WorkloadDeployment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20220501preview:WorkloadDeployment"), pulumi.Alias(type_="azure-native_migrate_v20220501preview:migrate:WorkloadDeployment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadDeployment, __self__).__init__( 'azure-native:migrate:WorkloadDeployment', diff --git a/sdk/python/pulumi_azure_native/migrate/workload_instance.py b/sdk/python/pulumi_azure_native/migrate/workload_instance.py index 757f1b80531a..65830a0cd7ca 100644 --- a/sdk/python/pulumi_azure_native/migrate/workload_instance.py +++ b/sdk/python/pulumi_azure_native/migrate/workload_instance.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20220501preview:WorkloadInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:migrate/v20220501preview:WorkloadInstance"), pulumi.Alias(type_="azure-native_migrate_v20220501preview:migrate:WorkloadInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadInstance, __self__).__init__( 'azure-native:migrate:WorkloadInstance', diff --git a/sdk/python/pulumi_azure_native/mixedreality/object_anchors_account.py b/sdk/python/pulumi_azure_native/mixedreality/object_anchors_account.py index 33516e0e0fc4..0cc8cf9e3646 100644 --- a/sdk/python/pulumi_azure_native/mixedreality/object_anchors_account.py +++ b/sdk/python/pulumi_azure_native/mixedreality/object_anchors_account.py @@ -258,7 +258,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mixedreality/v20210301preview:ObjectAnchorsAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mixedreality/v20210301preview:ObjectAnchorsAccount"), pulumi.Alias(type_="azure-native_mixedreality_v20210301preview:mixedreality:ObjectAnchorsAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ObjectAnchorsAccount, __self__).__init__( 'azure-native:mixedreality:ObjectAnchorsAccount', diff --git a/sdk/python/pulumi_azure_native/mixedreality/remote_rendering_account.py b/sdk/python/pulumi_azure_native/mixedreality/remote_rendering_account.py index dd01c818b04a..77abfb6f05ce 100644 --- a/sdk/python/pulumi_azure_native/mixedreality/remote_rendering_account.py +++ b/sdk/python/pulumi_azure_native/mixedreality/remote_rendering_account.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mixedreality/v20191202preview:RemoteRenderingAccount"), pulumi.Alias(type_="azure-native:mixedreality/v20200406preview:RemoteRenderingAccount"), pulumi.Alias(type_="azure-native:mixedreality/v20210101:RemoteRenderingAccount"), pulumi.Alias(type_="azure-native:mixedreality/v20210301preview:RemoteRenderingAccount"), pulumi.Alias(type_="azure-native:mixedreality/v20250101:RemoteRenderingAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mixedreality/v20210101:RemoteRenderingAccount"), pulumi.Alias(type_="azure-native:mixedreality/v20210301preview:RemoteRenderingAccount"), pulumi.Alias(type_="azure-native_mixedreality_v20191202preview:mixedreality:RemoteRenderingAccount"), pulumi.Alias(type_="azure-native_mixedreality_v20200406preview:mixedreality:RemoteRenderingAccount"), pulumi.Alias(type_="azure-native_mixedreality_v20210101:mixedreality:RemoteRenderingAccount"), pulumi.Alias(type_="azure-native_mixedreality_v20210301preview:mixedreality:RemoteRenderingAccount"), pulumi.Alias(type_="azure-native_mixedreality_v20250101:mixedreality:RemoteRenderingAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RemoteRenderingAccount, __self__).__init__( 'azure-native:mixedreality:RemoteRenderingAccount', diff --git a/sdk/python/pulumi_azure_native/mixedreality/spatial_anchors_account.py b/sdk/python/pulumi_azure_native/mixedreality/spatial_anchors_account.py index a690538a5f94..ed2efdd0b01b 100644 --- a/sdk/python/pulumi_azure_native/mixedreality/spatial_anchors_account.py +++ b/sdk/python/pulumi_azure_native/mixedreality/spatial_anchors_account.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mixedreality/v20190228preview:SpatialAnchorsAccount"), pulumi.Alias(type_="azure-native:mixedreality/v20191202preview:SpatialAnchorsAccount"), pulumi.Alias(type_="azure-native:mixedreality/v20200501:SpatialAnchorsAccount"), pulumi.Alias(type_="azure-native:mixedreality/v20210101:SpatialAnchorsAccount"), pulumi.Alias(type_="azure-native:mixedreality/v20210301preview:SpatialAnchorsAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mixedreality/v20210101:SpatialAnchorsAccount"), pulumi.Alias(type_="azure-native:mixedreality/v20210301preview:SpatialAnchorsAccount"), pulumi.Alias(type_="azure-native_mixedreality_v20190228preview:mixedreality:SpatialAnchorsAccount"), pulumi.Alias(type_="azure-native_mixedreality_v20191202preview:mixedreality:SpatialAnchorsAccount"), pulumi.Alias(type_="azure-native_mixedreality_v20200501:mixedreality:SpatialAnchorsAccount"), pulumi.Alias(type_="azure-native_mixedreality_v20210101:mixedreality:SpatialAnchorsAccount"), pulumi.Alias(type_="azure-native_mixedreality_v20210301preview:mixedreality:SpatialAnchorsAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SpatialAnchorsAccount, __self__).__init__( 'azure-native:mixedreality:SpatialAnchorsAccount', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/attached_data_network.py b/sdk/python/pulumi_azure_native/mobilenetwork/attached_data_network.py index 504defdcad48..485426c03777 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/attached_data_network.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/attached_data_network.py @@ -325,7 +325,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220301preview:AttachedDataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:AttachedDataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:AttachedDataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:AttachedDataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:AttachedDataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:AttachedDataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:AttachedDataNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:AttachedDataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:AttachedDataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:AttachedDataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:AttachedDataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:AttachedDataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:AttachedDataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220301preview:mobilenetwork:AttachedDataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220401preview:mobilenetwork:AttachedDataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20221101:mobilenetwork:AttachedDataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:AttachedDataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:AttachedDataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:AttachedDataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:AttachedDataNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AttachedDataNetwork, __self__).__init__( 'azure-native:mobilenetwork:AttachedDataNetwork', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/data_network.py b/sdk/python/pulumi_azure_native/mobilenetwork/data_network.py index d4e824dcfca4..b768e6a8bbc0 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/data_network.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/data_network.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220301preview:DataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:DataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:DataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:DataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:DataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:DataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:DataNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:DataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:DataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:DataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:DataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:DataNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:DataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220301preview:mobilenetwork:DataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220401preview:mobilenetwork:DataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20221101:mobilenetwork:DataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:DataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:DataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:DataNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:DataNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataNetwork, __self__).__init__( 'azure-native:mobilenetwork:DataNetwork', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/diagnostics_package.py b/sdk/python/pulumi_azure_native/mobilenetwork/diagnostics_package.py index 2d446dc0c8fc..b4e79f669865 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/diagnostics_package.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/diagnostics_package.py @@ -147,7 +147,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:DiagnosticsPackage"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:DiagnosticsPackage"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:DiagnosticsPackage"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:DiagnosticsPackage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:DiagnosticsPackage"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:DiagnosticsPackage"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:DiagnosticsPackage"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:DiagnosticsPackage"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:DiagnosticsPackage"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:DiagnosticsPackage"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:DiagnosticsPackage"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:DiagnosticsPackage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DiagnosticsPackage, __self__).__init__( 'azure-native:mobilenetwork:DiagnosticsPackage', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/mobile_network.py b/sdk/python/pulumi_azure_native/mobilenetwork/mobile_network.py index 588130c4cc96..1a5d49cf2947 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/mobile_network.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/mobile_network.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["service_key"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220301preview:MobileNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:MobileNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:MobileNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:MobileNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:MobileNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:MobileNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:MobileNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:MobileNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:MobileNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:MobileNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:MobileNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:MobileNetwork"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:MobileNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220301preview:mobilenetwork:MobileNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220401preview:mobilenetwork:MobileNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20221101:mobilenetwork:MobileNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:MobileNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:MobileNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:MobileNetwork"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:MobileNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MobileNetwork, __self__).__init__( 'azure-native:mobilenetwork:MobileNetwork', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/packet_capture.py b/sdk/python/pulumi_azure_native/mobilenetwork/packet_capture.py index 39b370f8c40e..bc7426221938 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/packet_capture.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/packet_capture.py @@ -241,7 +241,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:PacketCapture"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:PacketCapture"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:PacketCapture"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:PacketCapture")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:PacketCapture"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:PacketCapture"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:PacketCapture"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:PacketCapture"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCapture"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCapture"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCapture"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCapture")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PacketCapture, __self__).__init__( 'azure-native:mobilenetwork:PacketCapture', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/packet_core_control_plane.py b/sdk/python/pulumi_azure_native/mobilenetwork/packet_core_control_plane.py index 5dcc37ee8652..93230c2bbd45 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/packet_core_control_plane.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/packet_core_control_plane.py @@ -498,7 +498,7 @@ def _internal_init(__self__, __props__.__dict__["rollback_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220301preview:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:PacketCoreControlPlane")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220301preview:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220301preview:mobilenetwork:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220401preview:mobilenetwork:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20221101:mobilenetwork:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCoreControlPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCoreControlPlane")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PacketCoreControlPlane, __self__).__init__( 'azure-native:mobilenetwork:PacketCoreControlPlane', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/packet_core_data_plane.py b/sdk/python/pulumi_azure_native/mobilenetwork/packet_core_data_plane.py index ad106d12ed9e..496e0b4bccb8 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/packet_core_data_plane.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/packet_core_data_plane.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220301preview:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:PacketCoreDataPlane")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220301preview:mobilenetwork:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220401preview:mobilenetwork:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20221101:mobilenetwork:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:PacketCoreDataPlane"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:PacketCoreDataPlane")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PacketCoreDataPlane, __self__).__init__( 'azure-native:mobilenetwork:PacketCoreDataPlane', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/service.py b/sdk/python/pulumi_azure_native/mobilenetwork/service.py index eac98138fa53..a87cd8703fcd 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/service.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/service.py @@ -249,7 +249,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220301preview:Service"), pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:Service"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:Service"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:Service"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:Service"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:Service"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:Service")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:Service"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:Service"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:Service"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:Service"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:Service"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:Service"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220301preview:mobilenetwork:Service"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220401preview:mobilenetwork:Service"), pulumi.Alias(type_="azure-native_mobilenetwork_v20221101:mobilenetwork:Service"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:Service"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:Service"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:Service"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:Service")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Service, __self__).__init__( 'azure-native:mobilenetwork:Service', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/sim.py b/sdk/python/pulumi_azure_native/mobilenetwork/sim.py index 0c3847a4e320..df69450228e9 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/sim.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/sim.py @@ -291,7 +291,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["vendor_key_fingerprint"] = None __props__.__dict__["vendor_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220301preview:Sim"), pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:Sim"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:Sim"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:Sim"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:Sim"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:Sim"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:Sim")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:Sim"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:Sim"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:Sim"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:Sim"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:Sim"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:Sim"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220401preview:mobilenetwork:Sim"), pulumi.Alias(type_="azure-native_mobilenetwork_v20221101:mobilenetwork:Sim"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:Sim"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:Sim"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:Sim"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:Sim")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Sim, __self__).__init__( 'azure-native:mobilenetwork:Sim', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/sim_group.py b/sdk/python/pulumi_azure_native/mobilenetwork/sim_group.py index 5eea4849f4f6..95edcb0dbad3 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/sim_group.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/sim_group.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:SimGroup"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:SimGroup"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:SimGroup"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:SimGroup"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:SimGroup"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:SimGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:SimGroup"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:SimGroup"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:SimGroup"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:SimGroup"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:SimGroup"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:SimGroup"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220401preview:mobilenetwork:SimGroup"), pulumi.Alias(type_="azure-native_mobilenetwork_v20221101:mobilenetwork:SimGroup"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:SimGroup"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:SimGroup"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:SimGroup"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:SimGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SimGroup, __self__).__init__( 'azure-native:mobilenetwork:SimGroup', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/sim_policy.py b/sdk/python/pulumi_azure_native/mobilenetwork/sim_policy.py index 382a642a2928..97898ab7edce 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/sim_policy.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/sim_policy.py @@ -295,7 +295,7 @@ def _internal_init(__self__, __props__.__dict__["site_provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220301preview:SimPolicy"), pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:SimPolicy"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:SimPolicy"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:SimPolicy"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:SimPolicy"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:SimPolicy"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:SimPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:SimPolicy"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:SimPolicy"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:SimPolicy"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:SimPolicy"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:SimPolicy"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:SimPolicy"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220301preview:mobilenetwork:SimPolicy"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220401preview:mobilenetwork:SimPolicy"), pulumi.Alias(type_="azure-native_mobilenetwork_v20221101:mobilenetwork:SimPolicy"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:SimPolicy"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:SimPolicy"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:SimPolicy"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:SimPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SimPolicy, __self__).__init__( 'azure-native:mobilenetwork:SimPolicy', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/site.py b/sdk/python/pulumi_azure_native/mobilenetwork/site.py index 27f9609da91d..1c674b101cb8 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/site.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/site.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220301preview:Site"), pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:Site"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:Site"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:Site"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:Site"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:Site"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:Site")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:Site"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:Site"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:Site"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:Site"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:Site"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:Site"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220301preview:mobilenetwork:Site"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220401preview:mobilenetwork:Site"), pulumi.Alias(type_="azure-native_mobilenetwork_v20221101:mobilenetwork:Site"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:Site"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:Site"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:Site"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:Site")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Site, __self__).__init__( 'azure-native:mobilenetwork:Site', diff --git a/sdk/python/pulumi_azure_native/mobilenetwork/slice.py b/sdk/python/pulumi_azure_native/mobilenetwork/slice.py index 92f4f82f40dd..6b0d16d44a75 100644 --- a/sdk/python/pulumi_azure_native/mobilenetwork/slice.py +++ b/sdk/python/pulumi_azure_native/mobilenetwork/slice.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220301preview:Slice"), pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:Slice"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:Slice"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:Slice"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:Slice"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:Slice"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:Slice")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mobilenetwork/v20220401preview:Slice"), pulumi.Alias(type_="azure-native:mobilenetwork/v20221101:Slice"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230601:Slice"), pulumi.Alias(type_="azure-native:mobilenetwork/v20230901:Slice"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240201:Slice"), pulumi.Alias(type_="azure-native:mobilenetwork/v20240401:Slice"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220301preview:mobilenetwork:Slice"), pulumi.Alias(type_="azure-native_mobilenetwork_v20220401preview:mobilenetwork:Slice"), pulumi.Alias(type_="azure-native_mobilenetwork_v20221101:mobilenetwork:Slice"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230601:mobilenetwork:Slice"), pulumi.Alias(type_="azure-native_mobilenetwork_v20230901:mobilenetwork:Slice"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240201:mobilenetwork:Slice"), pulumi.Alias(type_="azure-native_mobilenetwork_v20240401:mobilenetwork:Slice")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Slice, __self__).__init__( 'azure-native:mobilenetwork:Slice', diff --git a/sdk/python/pulumi_azure_native/mongocluster/firewall_rule.py b/sdk/python/pulumi_azure_native/mongocluster/firewall_rule.py index f9b7aae98c86..83082d05f826 100644 --- a/sdk/python/pulumi_azure_native/mongocluster/firewall_rule.py +++ b/sdk/python/pulumi_azure_native/mongocluster/firewall_rule.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240301preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240601preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240701:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20241001preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:mongocluster/v20240301preview:FirewallRule"), pulumi.Alias(type_="azure-native:mongocluster/v20240601preview:FirewallRule"), pulumi.Alias(type_="azure-native:mongocluster/v20240701:FirewallRule"), pulumi.Alias(type_="azure-native:mongocluster/v20241001preview:FirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240301preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240601preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20240701:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb/v20241001preview:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb:FirewallRule"), pulumi.Alias(type_="azure-native:documentdb:MongoClusterFirewallRule"), pulumi.Alias(type_="azure-native_mongocluster_v20240301preview:mongocluster:FirewallRule"), pulumi.Alias(type_="azure-native_mongocluster_v20240601preview:mongocluster:FirewallRule"), pulumi.Alias(type_="azure-native_mongocluster_v20240701:mongocluster:FirewallRule"), pulumi.Alias(type_="azure-native_mongocluster_v20241001preview:mongocluster:FirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallRule, __self__).__init__( 'azure-native:mongocluster:FirewallRule', diff --git a/sdk/python/pulumi_azure_native/mongocluster/mongo_cluster.py b/sdk/python/pulumi_azure_native/mongocluster/mongo_cluster.py index dc817b87cbdf..603fd4033ca4 100644 --- a/sdk/python/pulumi_azure_native/mongocluster/mongo_cluster.py +++ b/sdk/python/pulumi_azure_native/mongocluster/mongo_cluster.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240301preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240601preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240701:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20241001preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb:MongoCluster"), pulumi.Alias(type_="azure-native:mongocluster/v20240301preview:MongoCluster"), pulumi.Alias(type_="azure-native:mongocluster/v20240601preview:MongoCluster"), pulumi.Alias(type_="azure-native:mongocluster/v20240701:MongoCluster"), pulumi.Alias(type_="azure-native:mongocluster/v20241001preview:MongoCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20230315preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20230915preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20231115preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240215preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240301preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240601preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20240701:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb/v20241001preview:MongoCluster"), pulumi.Alias(type_="azure-native:documentdb:MongoCluster"), pulumi.Alias(type_="azure-native_mongocluster_v20240301preview:mongocluster:MongoCluster"), pulumi.Alias(type_="azure-native_mongocluster_v20240601preview:mongocluster:MongoCluster"), pulumi.Alias(type_="azure-native_mongocluster_v20240701:mongocluster:MongoCluster"), pulumi.Alias(type_="azure-native_mongocluster_v20241001preview:mongocluster:MongoCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MongoCluster, __self__).__init__( 'azure-native:mongocluster:MongoCluster', diff --git a/sdk/python/pulumi_azure_native/mongocluster/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/mongocluster/private_endpoint_connection.py index 3bae22c519b9..8bc46e3008f1 100644 --- a/sdk/python/pulumi_azure_native/mongocluster/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/mongocluster/private_endpoint_connection.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20240301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20241001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:mongocluster/v20240301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:mongocluster/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:mongocluster/v20240701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:mongocluster/v20241001preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:documentdb/v20240301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20240701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:documentdb/v20241001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_mongocluster_v20240301preview:mongocluster:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_mongocluster_v20240601preview:mongocluster:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_mongocluster_v20240701:mongocluster:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_mongocluster_v20241001preview:mongocluster:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:mongocluster:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/monitor/action_group.py b/sdk/python/pulumi_azure_native/monitor/action_group.py index 62cbd5f280b6..e95701dd87fb 100644 --- a/sdk/python/pulumi_azure_native/monitor/action_group.py +++ b/sdk/python/pulumi_azure_native/monitor/action_group.py @@ -470,7 +470,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20230101:ActionGroup"), pulumi.Alias(type_="azure-native:insights/v20230901preview:ActionGroup"), pulumi.Alias(type_="azure-native:insights/v20241001preview:ActionGroup"), pulumi.Alias(type_="azure-native:insights:ActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20170401:ActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20180301:ActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20180901:ActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20190301:ActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20190601:ActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20210901:ActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20220401:ActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20220601:ActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20230101:ActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20230901preview:ActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20241001preview:ActionGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20230101:ActionGroup"), pulumi.Alias(type_="azure-native:insights/v20230901preview:ActionGroup"), pulumi.Alias(type_="azure-native:insights/v20241001preview:ActionGroup"), pulumi.Alias(type_="azure-native:insights:ActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20170401:monitor:ActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20180301:monitor:ActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20180901:monitor:ActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20190301:monitor:ActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20190601:monitor:ActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20210901:monitor:ActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20220401:monitor:ActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20220601:monitor:ActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20230101:monitor:ActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20230901preview:monitor:ActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20241001preview:monitor:ActionGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ActionGroup, __self__).__init__( 'azure-native:monitor:ActionGroup', diff --git a/sdk/python/pulumi_azure_native/monitor/autoscale_setting.py b/sdk/python/pulumi_azure_native/monitor/autoscale_setting.py index 171823963ef1..a78a97de0a11 100644 --- a/sdk/python/pulumi_azure_native/monitor/autoscale_setting.py +++ b/sdk/python/pulumi_azure_native/monitor/autoscale_setting.py @@ -306,7 +306,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20221001:AutoscaleSetting"), pulumi.Alias(type_="azure-native:insights:AutoscaleSetting"), pulumi.Alias(type_="azure-native:monitor/v20140401:AutoscaleSetting"), pulumi.Alias(type_="azure-native:monitor/v20150401:AutoscaleSetting"), pulumi.Alias(type_="azure-native:monitor/v20210501preview:AutoscaleSetting"), pulumi.Alias(type_="azure-native:monitor/v20221001:AutoscaleSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20221001:AutoscaleSetting"), pulumi.Alias(type_="azure-native:insights:AutoscaleSetting"), pulumi.Alias(type_="azure-native_monitor_v20140401:monitor:AutoscaleSetting"), pulumi.Alias(type_="azure-native_monitor_v20150401:monitor:AutoscaleSetting"), pulumi.Alias(type_="azure-native_monitor_v20210501preview:monitor:AutoscaleSetting"), pulumi.Alias(type_="azure-native_monitor_v20221001:monitor:AutoscaleSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AutoscaleSetting, __self__).__init__( 'azure-native:monitor:AutoscaleSetting', diff --git a/sdk/python/pulumi_azure_native/monitor/azure_monitor_workspace.py b/sdk/python/pulumi_azure_native/monitor/azure_monitor_workspace.py index 9ff26ed5d94f..d114a0d62a58 100644 --- a/sdk/python/pulumi_azure_native/monitor/azure_monitor_workspace.py +++ b/sdk/python/pulumi_azure_native/monitor/azure_monitor_workspace.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["public_network_access"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:monitor/v20210603preview:AzureMonitorWorkspace"), pulumi.Alias(type_="azure-native:monitor/v20230403:AzureMonitorWorkspace"), pulumi.Alias(type_="azure-native:monitor/v20231001preview:AzureMonitorWorkspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:monitor/v20230403:AzureMonitorWorkspace"), pulumi.Alias(type_="azure-native:monitor/v20231001preview:AzureMonitorWorkspace"), pulumi.Alias(type_="azure-native_monitor_v20210603preview:monitor:AzureMonitorWorkspace"), pulumi.Alias(type_="azure-native_monitor_v20230403:monitor:AzureMonitorWorkspace"), pulumi.Alias(type_="azure-native_monitor_v20231001preview:monitor:AzureMonitorWorkspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzureMonitorWorkspace, __self__).__init__( 'azure-native:monitor:AzureMonitorWorkspace', diff --git a/sdk/python/pulumi_azure_native/monitor/diagnostic_setting.py b/sdk/python/pulumi_azure_native/monitor/diagnostic_setting.py index efddb237b58f..ace4c94fa7db 100644 --- a/sdk/python/pulumi_azure_native/monitor/diagnostic_setting.py +++ b/sdk/python/pulumi_azure_native/monitor/diagnostic_setting.py @@ -299,7 +299,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20210501preview:DiagnosticSetting"), pulumi.Alias(type_="azure-native:insights:DiagnosticSetting"), pulumi.Alias(type_="azure-native:monitor/v20170501preview:DiagnosticSetting"), pulumi.Alias(type_="azure-native:monitor/v20210501preview:DiagnosticSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20210501preview:DiagnosticSetting"), pulumi.Alias(type_="azure-native:insights:DiagnosticSetting"), pulumi.Alias(type_="azure-native_monitor_v20170501preview:monitor:DiagnosticSetting"), pulumi.Alias(type_="azure-native_monitor_v20210501preview:monitor:DiagnosticSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DiagnosticSetting, __self__).__init__( 'azure-native:monitor:DiagnosticSetting', diff --git a/sdk/python/pulumi_azure_native/monitor/management_group_diagnostic_setting.py b/sdk/python/pulumi_azure_native/monitor/management_group_diagnostic_setting.py index 0f96d84fb0ef..5edd83b81048 100644 --- a/sdk/python/pulumi_azure_native/monitor/management_group_diagnostic_setting.py +++ b/sdk/python/pulumi_azure_native/monitor/management_group_diagnostic_setting.py @@ -259,7 +259,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20200101preview:ManagementGroupDiagnosticSetting"), pulumi.Alias(type_="azure-native:insights/v20210501preview:ManagementGroupDiagnosticSetting"), pulumi.Alias(type_="azure-native:insights:ManagementGroupDiagnosticSetting"), pulumi.Alias(type_="azure-native:monitor/v20200101preview:ManagementGroupDiagnosticSetting"), pulumi.Alias(type_="azure-native:monitor/v20210501preview:ManagementGroupDiagnosticSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20200101preview:ManagementGroupDiagnosticSetting"), pulumi.Alias(type_="azure-native:insights/v20210501preview:ManagementGroupDiagnosticSetting"), pulumi.Alias(type_="azure-native:insights:ManagementGroupDiagnosticSetting"), pulumi.Alias(type_="azure-native_monitor_v20200101preview:monitor:ManagementGroupDiagnosticSetting"), pulumi.Alias(type_="azure-native_monitor_v20210501preview:monitor:ManagementGroupDiagnosticSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagementGroupDiagnosticSetting, __self__).__init__( 'azure-native:monitor:ManagementGroupDiagnosticSetting', diff --git a/sdk/python/pulumi_azure_native/monitor/pipeline_group.py b/sdk/python/pulumi_azure_native/monitor/pipeline_group.py index f02cec4a9a41..6b25e06b0df2 100644 --- a/sdk/python/pulumi_azure_native/monitor/pipeline_group.py +++ b/sdk/python/pulumi_azure_native/monitor/pipeline_group.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:monitor/v20231001preview:PipelineGroup"), pulumi.Alias(type_="azure-native:monitor/v20241001preview:PipelineGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:monitor/v20231001preview:PipelineGroup"), pulumi.Alias(type_="azure-native:monitor/v20241001preview:PipelineGroup"), pulumi.Alias(type_="azure-native_monitor_v20231001preview:monitor:PipelineGroup"), pulumi.Alias(type_="azure-native_monitor_v20241001preview:monitor:PipelineGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PipelineGroup, __self__).__init__( 'azure-native:monitor:PipelineGroup', diff --git a/sdk/python/pulumi_azure_native/monitor/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/monitor/private_endpoint_connection.py index 1c47309c6714..dd8b82559338 100644 --- a/sdk/python/pulumi_azure_native/monitor/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/monitor/private_endpoint_connection.py @@ -168,7 +168,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20191017preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:insights/v20210701preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:insights/v20210901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:insights/v20230601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:insights:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:monitor/v20191017preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:monitor/v20210701preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:monitor/v20210901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:monitor/v20230601preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20191017preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:insights/v20210701preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:insights/v20210901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:insights/v20230601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:insights:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_monitor_v20191017preview:monitor:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_monitor_v20210701preview:monitor:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_monitor_v20210901:monitor:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_monitor_v20230601preview:monitor:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:monitor:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/monitor/private_link_scope.py b/sdk/python/pulumi_azure_native/monitor/private_link_scope.py index 21051f0db2da..367f29395113 100644 --- a/sdk/python/pulumi_azure_native/monitor/private_link_scope.py +++ b/sdk/python/pulumi_azure_native/monitor/private_link_scope.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20191017preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:insights/v20210701preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:insights/v20210901:PrivateLinkScope"), pulumi.Alias(type_="azure-native:insights/v20230601preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:insights:PrivateLinkScope"), pulumi.Alias(type_="azure-native:monitor/v20191017preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:monitor/v20210701preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:monitor/v20210901:PrivateLinkScope"), pulumi.Alias(type_="azure-native:monitor/v20230601preview:PrivateLinkScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20191017preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:insights/v20210701preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:insights/v20210901:PrivateLinkScope"), pulumi.Alias(type_="azure-native:insights/v20230601preview:PrivateLinkScope"), pulumi.Alias(type_="azure-native:insights:PrivateLinkScope"), pulumi.Alias(type_="azure-native_monitor_v20191017preview:monitor:PrivateLinkScope"), pulumi.Alias(type_="azure-native_monitor_v20210701preview:monitor:PrivateLinkScope"), pulumi.Alias(type_="azure-native_monitor_v20210901:monitor:PrivateLinkScope"), pulumi.Alias(type_="azure-native_monitor_v20230601preview:monitor:PrivateLinkScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkScope, __self__).__init__( 'azure-native:monitor:PrivateLinkScope', diff --git a/sdk/python/pulumi_azure_native/monitor/private_link_scoped_resource.py b/sdk/python/pulumi_azure_native/monitor/private_link_scoped_resource.py index fa9ee218d4c7..38cb55d8fb05 100644 --- a/sdk/python/pulumi_azure_native/monitor/private_link_scoped_resource.py +++ b/sdk/python/pulumi_azure_native/monitor/private_link_scoped_resource.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20210701preview:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native:insights/v20210901:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native:insights/v20230601preview:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native:insights:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native:monitor/v20191017preview:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native:monitor/v20210701preview:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native:monitor/v20210901:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native:monitor/v20230601preview:PrivateLinkScopedResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20210701preview:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native:insights/v20210901:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native:insights/v20230601preview:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native:insights:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native_monitor_v20191017preview:monitor:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native_monitor_v20210701preview:monitor:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native_monitor_v20210901:monitor:PrivateLinkScopedResource"), pulumi.Alias(type_="azure-native_monitor_v20230601preview:monitor:PrivateLinkScopedResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkScopedResource, __self__).__init__( 'azure-native:monitor:PrivateLinkScopedResource', diff --git a/sdk/python/pulumi_azure_native/monitor/scheduled_query_rule.py b/sdk/python/pulumi_azure_native/monitor/scheduled_query_rule.py index 80f6814ee293..f45b6f0ba1ea 100644 --- a/sdk/python/pulumi_azure_native/monitor/scheduled_query_rule.py +++ b/sdk/python/pulumi_azure_native/monitor/scheduled_query_rule.py @@ -532,7 +532,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20180416:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights/v20200501preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights/v20220801preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights/v20230315preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights/v20231201:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights/v20240101preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:monitor/v20180416:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:monitor/v20200501preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:monitor/v20210201preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:monitor/v20210801:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:monitor/v20220615:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:monitor/v20220801preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:monitor/v20230315preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:monitor/v20231201:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:monitor/v20240101preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:monitor/v20250101preview:ScheduledQueryRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20180416:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights/v20200501preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights/v20220801preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights/v20230315preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights/v20231201:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights/v20240101preview:ScheduledQueryRule"), pulumi.Alias(type_="azure-native:insights:ScheduledQueryRule"), pulumi.Alias(type_="azure-native_monitor_v20180416:monitor:ScheduledQueryRule"), pulumi.Alias(type_="azure-native_monitor_v20200501preview:monitor:ScheduledQueryRule"), pulumi.Alias(type_="azure-native_monitor_v20210201preview:monitor:ScheduledQueryRule"), pulumi.Alias(type_="azure-native_monitor_v20210801:monitor:ScheduledQueryRule"), pulumi.Alias(type_="azure-native_monitor_v20220615:monitor:ScheduledQueryRule"), pulumi.Alias(type_="azure-native_monitor_v20220801preview:monitor:ScheduledQueryRule"), pulumi.Alias(type_="azure-native_monitor_v20230315preview:monitor:ScheduledQueryRule"), pulumi.Alias(type_="azure-native_monitor_v20231201:monitor:ScheduledQueryRule"), pulumi.Alias(type_="azure-native_monitor_v20240101preview:monitor:ScheduledQueryRule"), pulumi.Alias(type_="azure-native_monitor_v20250101preview:monitor:ScheduledQueryRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScheduledQueryRule, __self__).__init__( 'azure-native:monitor:ScheduledQueryRule', diff --git a/sdk/python/pulumi_azure_native/monitor/subscription_diagnostic_setting.py b/sdk/python/pulumi_azure_native/monitor/subscription_diagnostic_setting.py index cf565094391b..33e1c8cab35c 100644 --- a/sdk/python/pulumi_azure_native/monitor/subscription_diagnostic_setting.py +++ b/sdk/python/pulumi_azure_native/monitor/subscription_diagnostic_setting.py @@ -238,7 +238,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20170501preview:SubscriptionDiagnosticSetting"), pulumi.Alias(type_="azure-native:insights/v20210501preview:SubscriptionDiagnosticSetting"), pulumi.Alias(type_="azure-native:insights:SubscriptionDiagnosticSetting"), pulumi.Alias(type_="azure-native:monitor/v20170501preview:SubscriptionDiagnosticSetting"), pulumi.Alias(type_="azure-native:monitor/v20210501preview:SubscriptionDiagnosticSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20170501preview:SubscriptionDiagnosticSetting"), pulumi.Alias(type_="azure-native:insights/v20210501preview:SubscriptionDiagnosticSetting"), pulumi.Alias(type_="azure-native:insights:SubscriptionDiagnosticSetting"), pulumi.Alias(type_="azure-native_monitor_v20170501preview:monitor:SubscriptionDiagnosticSetting"), pulumi.Alias(type_="azure-native_monitor_v20210501preview:monitor:SubscriptionDiagnosticSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SubscriptionDiagnosticSetting, __self__).__init__( 'azure-native:monitor:SubscriptionDiagnosticSetting', diff --git a/sdk/python/pulumi_azure_native/monitor/tenant_action_group.py b/sdk/python/pulumi_azure_native/monitor/tenant_action_group.py index 4fd0d0a74d1f..e2e0944e4957 100644 --- a/sdk/python/pulumi_azure_native/monitor/tenant_action_group.py +++ b/sdk/python/pulumi_azure_native/monitor/tenant_action_group.py @@ -305,7 +305,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20230501preview:TenantActionGroup"), pulumi.Alias(type_="azure-native:insights:TenantActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20230301preview:TenantActionGroup"), pulumi.Alias(type_="azure-native:monitor/v20230501preview:TenantActionGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:insights/v20230501preview:TenantActionGroup"), pulumi.Alias(type_="azure-native:insights:TenantActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20230301preview:monitor:TenantActionGroup"), pulumi.Alias(type_="azure-native_monitor_v20230501preview:monitor:TenantActionGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TenantActionGroup, __self__).__init__( 'azure-native:monitor:TenantActionGroup', diff --git a/sdk/python/pulumi_azure_native/mysqldiscovery/my_sql_server.py b/sdk/python/pulumi_azure_native/mysqldiscovery/my_sql_server.py index 670104a10f56..00bf29cbd464 100644 --- a/sdk/python/pulumi_azure_native/mysqldiscovery/my_sql_server.py +++ b/sdk/python/pulumi_azure_native/mysqldiscovery/my_sql_server.py @@ -404,7 +404,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mysqldiscovery/v20240930preview:MySQLServer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_mysqldiscovery_v20240930preview:mysqldiscovery:MySQLServer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MySQLServer, __self__).__init__( 'azure-native:mysqldiscovery:MySQLServer', diff --git a/sdk/python/pulumi_azure_native/mysqldiscovery/my_sql_site.py b/sdk/python/pulumi_azure_native/mysqldiscovery/my_sql_site.py index 2fe372981638..d07cf025bab9 100644 --- a/sdk/python/pulumi_azure_native/mysqldiscovery/my_sql_site.py +++ b/sdk/python/pulumi_azure_native/mysqldiscovery/my_sql_site.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:mysqldiscovery/v20240930preview:MySQLSite")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_mysqldiscovery_v20240930preview:mysqldiscovery:MySQLSite")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MySQLSite, __self__).__init__( 'azure-native:mysqldiscovery:MySQLSite', diff --git a/sdk/python/pulumi_azure_native/netapp/account.py b/sdk/python/pulumi_azure_native/netapp/account.py index d43fc35289b7..8d22a05c9592 100644 --- a/sdk/python/pulumi_azure_native/netapp/account.py +++ b/sdk/python/pulumi_azure_native/netapp/account.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20170815:Account"), pulumi.Alias(type_="azure-native:netapp/v20190501:Account"), pulumi.Alias(type_="azure-native:netapp/v20190601:Account"), pulumi.Alias(type_="azure-native:netapp/v20190701:Account"), pulumi.Alias(type_="azure-native:netapp/v20190801:Account"), pulumi.Alias(type_="azure-native:netapp/v20191001:Account"), pulumi.Alias(type_="azure-native:netapp/v20191101:Account"), pulumi.Alias(type_="azure-native:netapp/v20200201:Account"), pulumi.Alias(type_="azure-native:netapp/v20200301:Account"), pulumi.Alias(type_="azure-native:netapp/v20200501:Account"), pulumi.Alias(type_="azure-native:netapp/v20200601:Account"), pulumi.Alias(type_="azure-native:netapp/v20200701:Account"), pulumi.Alias(type_="azure-native:netapp/v20200801:Account"), pulumi.Alias(type_="azure-native:netapp/v20200901:Account"), pulumi.Alias(type_="azure-native:netapp/v20201101:Account"), pulumi.Alias(type_="azure-native:netapp/v20201201:Account"), pulumi.Alias(type_="azure-native:netapp/v20210201:Account"), pulumi.Alias(type_="azure-native:netapp/v20210401:Account"), pulumi.Alias(type_="azure-native:netapp/v20210401preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20210601:Account"), pulumi.Alias(type_="azure-native:netapp/v20210801:Account"), pulumi.Alias(type_="azure-native:netapp/v20211001:Account"), pulumi.Alias(type_="azure-native:netapp/v20220101:Account"), pulumi.Alias(type_="azure-native:netapp/v20220301:Account"), pulumi.Alias(type_="azure-native:netapp/v20220501:Account"), pulumi.Alias(type_="azure-native:netapp/v20220901:Account"), pulumi.Alias(type_="azure-native:netapp/v20221101:Account"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20230501:Account"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20230701:Account"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20231101:Account"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20240101:Account"), pulumi.Alias(type_="azure-native:netapp/v20240301:Account"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20240501:Account"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20240701:Account"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20240901:Account"), pulumi.Alias(type_="azure-native:netapp/v20240901preview:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20220501:Account"), pulumi.Alias(type_="azure-native:netapp/v20221101:Account"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20230501:Account"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20230701:Account"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20231101:Account"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20240101:Account"), pulumi.Alias(type_="azure-native:netapp/v20240301:Account"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20240501:Account"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20240701:Account"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Account"), pulumi.Alias(type_="azure-native:netapp/v20240901:Account"), pulumi.Alias(type_="azure-native_netapp_v20170815:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20190501:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20190601:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20190701:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20190801:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20191001:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20191101:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20200201:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20200301:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20200501:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20200601:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20200701:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20200801:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20200901:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20201101:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20201201:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20210201:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20210401:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20210401preview:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20210601:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20210801:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20211001:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20220101:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20220301:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20220501:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20220901:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20221101:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20221101preview:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20230501:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20230501preview:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20230701:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20230701preview:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20231101:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20231101preview:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20240101:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20240301:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20240301preview:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20240501:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20240501preview:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20240701:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20240701preview:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20240901:netapp:Account"), pulumi.Alias(type_="azure-native_netapp_v20240901preview:netapp:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:netapp:Account', diff --git a/sdk/python/pulumi_azure_native/netapp/backup.py b/sdk/python/pulumi_azure_native/netapp/backup.py index 1d3bc9319c75..0b3fe7e2bf5e 100644 --- a/sdk/python/pulumi_azure_native/netapp/backup.py +++ b/sdk/python/pulumi_azure_native/netapp/backup.py @@ -257,7 +257,7 @@ def _internal_init(__self__, __props__.__dict__["size"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20221101:Backup"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20231101:Backup"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240101:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240301:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240501:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240701:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240901:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240901preview:Backup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20221101preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20231101:Backup"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240101:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240301:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240501:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240701:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Backup"), pulumi.Alias(type_="azure-native:netapp/v20240901:Backup"), pulumi.Alias(type_="azure-native_netapp_v20221101preview:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20230501preview:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20230701preview:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20231101:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20231101preview:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20240101:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20240301:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20240301preview:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20240501:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20240501preview:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20240701:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20240701preview:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20240901:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20240901preview:netapp:Backup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Backup, __self__).__init__( 'azure-native:netapp:Backup', diff --git a/sdk/python/pulumi_azure_native/netapp/backup_policy.py b/sdk/python/pulumi_azure_native/netapp/backup_policy.py index c24d6f469adc..549647d0a524 100644 --- a/sdk/python/pulumi_azure_native/netapp/backup_policy.py +++ b/sdk/python/pulumi_azure_native/netapp/backup_policy.py @@ -269,7 +269,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["volume_backups"] = None __props__.__dict__["volumes_assigned"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20200501:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20200601:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20200701:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20200801:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20200901:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20201101:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20201201:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20210201:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20210401:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20210401preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20210601:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20210801:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20211001:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20220101:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20220301:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20220501:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20220901:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20221101:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230501:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230701:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20231101:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240101:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240301:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240501:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240701:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240901:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240901preview:BackupPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20210401:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20210401preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20221101:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230501:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230701:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20231101:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240101:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240301:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240501:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240701:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:BackupPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240901:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20200501:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20200601:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20200701:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20200801:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20200901:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20201101:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20201201:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20210201:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20210401:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20210401preview:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20210601:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20210801:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20211001:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20220101:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20220301:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20220501:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20220901:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20221101:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20221101preview:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20230501:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20230501preview:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20230701:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20230701preview:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20231101:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20231101preview:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240101:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240301:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240301preview:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240501:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240501preview:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240701:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240701preview:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240901:netapp:BackupPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240901preview:netapp:BackupPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BackupPolicy, __self__).__init__( 'azure-native:netapp:BackupPolicy', diff --git a/sdk/python/pulumi_azure_native/netapp/backup_vault.py b/sdk/python/pulumi_azure_native/netapp/backup_vault.py index 38a3a5349c8f..d59c28f46c92 100644 --- a/sdk/python/pulumi_azure_native/netapp/backup_vault.py +++ b/sdk/python/pulumi_azure_native/netapp/backup_vault.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20221101preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20231101:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240101:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240301:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240501:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240701:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240901:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240901preview:BackupVault")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20221101preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20231101:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240101:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240301:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240501:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240701:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:BackupVault"), pulumi.Alias(type_="azure-native:netapp/v20240901:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20221101preview:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20230501preview:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20230701preview:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20231101:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20231101preview:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20240101:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20240301:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20240301preview:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20240501:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20240501preview:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20240701:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20240701preview:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20240901:netapp:BackupVault"), pulumi.Alias(type_="azure-native_netapp_v20240901preview:netapp:BackupVault")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BackupVault, __self__).__init__( 'azure-native:netapp:BackupVault', diff --git a/sdk/python/pulumi_azure_native/netapp/capacity_pool.py b/sdk/python/pulumi_azure_native/netapp/capacity_pool.py index 93891bc15407..fc57dcd95115 100644 --- a/sdk/python/pulumi_azure_native/netapp/capacity_pool.py +++ b/sdk/python/pulumi_azure_native/netapp/capacity_pool.py @@ -308,7 +308,7 @@ def _internal_init(__self__, __props__.__dict__["total_throughput_mibps"] = None __props__.__dict__["type"] = None __props__.__dict__["utilized_throughput_mibps"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20170815:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20190501:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20190601:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20190701:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20190801:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20191001:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20191101:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20200201:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20200301:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20200501:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20200601:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20200701:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20200801:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20200901:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20201101:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20201201:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20210201:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20210401:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20210401preview:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20210601:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20210801:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20211001:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20220101:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20220301:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20220501:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20220901:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20221101:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20221101:Pool"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20230501:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20230501:Pool"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20230701:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20230701:Pool"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20231101:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20231101:Pool"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240101:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20240101:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240301:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20240301:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240501:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20240501:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240701:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20240701:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240901:CapacityPool"), pulumi.Alias(type_="azure-native:netapp/v20240901:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240901preview:CapacityPool"), pulumi.Alias(type_="azure-native:netapp:Pool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20221101:Pool"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20230501:Pool"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20230701:Pool"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20231101:Pool"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240101:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240301:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240501:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240701:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Pool"), pulumi.Alias(type_="azure-native:netapp/v20240901:Pool"), pulumi.Alias(type_="azure-native:netapp:Pool"), pulumi.Alias(type_="azure-native_netapp_v20170815:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20190501:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20190601:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20190701:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20190801:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20191001:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20191101:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20200201:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20200301:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20200501:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20200601:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20200701:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20200801:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20200901:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20201101:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20201201:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20210201:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20210401:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20210401preview:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20210601:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20210801:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20211001:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20220101:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20220301:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20220501:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20220901:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20221101:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20221101preview:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20230501:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20230501preview:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20230701:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20230701preview:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20231101:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20231101preview:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20240101:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20240301:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20240301preview:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20240501:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20240501preview:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20240701:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20240701preview:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20240901:netapp:CapacityPool"), pulumi.Alias(type_="azure-native_netapp_v20240901preview:netapp:CapacityPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CapacityPool, __self__).__init__( 'azure-native:netapp:CapacityPool', diff --git a/sdk/python/pulumi_azure_native/netapp/capacity_pool_backup.py b/sdk/python/pulumi_azure_native/netapp/capacity_pool_backup.py index 53ea6dd0ac76..57a44ca39073 100644 --- a/sdk/python/pulumi_azure_native/netapp/capacity_pool_backup.py +++ b/sdk/python/pulumi_azure_native/netapp/capacity_pool_backup.py @@ -252,7 +252,7 @@ def _internal_init(__self__, __props__.__dict__["size"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20200501:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20200601:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20200701:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20200801:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20200901:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20201101:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20201201:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20210201:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20210401:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20210401preview:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20210601:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20210801:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20211001:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20220101:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20220301:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20220501:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20220901:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp/v20221101:Backup"), pulumi.Alias(type_="azure-native:netapp/v20221101:CapacityPoolBackup"), pulumi.Alias(type_="azure-native:netapp:Backup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20221101:Backup"), pulumi.Alias(type_="azure-native:netapp:Backup"), pulumi.Alias(type_="azure-native_netapp_v20200501:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20200601:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20200701:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20200801:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20200901:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20201101:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20201201:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20210201:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20210401:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20210401preview:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20210601:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20210801:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20211001:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20220101:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20220301:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20220501:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20220901:netapp:CapacityPoolBackup"), pulumi.Alias(type_="azure-native_netapp_v20221101:netapp:CapacityPoolBackup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CapacityPoolBackup, __self__).__init__( 'azure-native:netapp:CapacityPoolBackup', diff --git a/sdk/python/pulumi_azure_native/netapp/capacity_pool_snapshot.py b/sdk/python/pulumi_azure_native/netapp/capacity_pool_snapshot.py index 0f558c9e1121..ab4f3336fbd7 100644 --- a/sdk/python/pulumi_azure_native/netapp/capacity_pool_snapshot.py +++ b/sdk/python/pulumi_azure_native/netapp/capacity_pool_snapshot.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["snapshot_id"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20170815:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20190501:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20190601:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20190701:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20190801:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20191001:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20191101:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20200201:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20200301:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20200501:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20200601:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20200701:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20200801:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20200901:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20201101:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20201201:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20210201:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20210401:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20210401preview:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20210601:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20210801:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20211001:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20220101:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20220301:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20220501:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20220901:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20221101:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20221101:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20230501:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20230501:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20230701:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20230701:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20231101:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20231101:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240101:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20240101:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240301:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20240301:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240501:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20240501:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240701:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20240701:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240901:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp/v20240901:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240901preview:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native:netapp:Snapshot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20221101:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20230501:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20230701:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20231101:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240101:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240301:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240501:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240701:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Snapshot"), pulumi.Alias(type_="azure-native:netapp/v20240901:Snapshot"), pulumi.Alias(type_="azure-native:netapp:Snapshot"), pulumi.Alias(type_="azure-native_netapp_v20170815:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20190501:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20190601:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20190701:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20190801:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20191001:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20191101:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20200201:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20200301:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20200501:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20200601:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20200701:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20200801:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20200901:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20201101:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20201201:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20210201:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20210401:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20210401preview:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20210601:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20210801:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20211001:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20220101:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20220301:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20220501:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20220901:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20221101:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20221101preview:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20230501:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20230501preview:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20230701:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20230701preview:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20231101:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20231101preview:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20240101:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20240301:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20240301preview:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20240501:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20240501preview:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20240701:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20240701preview:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20240901:netapp:CapacityPoolSnapshot"), pulumi.Alias(type_="azure-native_netapp_v20240901preview:netapp:CapacityPoolSnapshot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CapacityPoolSnapshot, __self__).__init__( 'azure-native:netapp:CapacityPoolSnapshot', diff --git a/sdk/python/pulumi_azure_native/netapp/capacity_pool_subvolume.py b/sdk/python/pulumi_azure_native/netapp/capacity_pool_subvolume.py index e67a9810b6a4..e79b8a593ea4 100644 --- a/sdk/python/pulumi_azure_native/netapp/capacity_pool_subvolume.py +++ b/sdk/python/pulumi_azure_native/netapp/capacity_pool_subvolume.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20211001:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20220101:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20220301:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20220501:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20220901:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20221101:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20221101:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20230501:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20230501:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20230701:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20230701:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20231101:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20231101:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240101:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20240101:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240301:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20240301:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240501:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20240501:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240701:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20240701:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240901:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp/v20240901:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240901preview:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native:netapp:Subvolume")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20221101:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20230501:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20230701:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20231101:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240101:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240301:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240501:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240701:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Subvolume"), pulumi.Alias(type_="azure-native:netapp/v20240901:Subvolume"), pulumi.Alias(type_="azure-native:netapp:Subvolume"), pulumi.Alias(type_="azure-native_netapp_v20211001:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20220101:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20220301:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20220501:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20220901:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20221101:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20221101preview:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20230501:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20230501preview:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20230701:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20230701preview:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20231101:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20231101preview:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20240101:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20240301:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20240301preview:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20240501:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20240501preview:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20240701:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20240701preview:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20240901:netapp:CapacityPoolSubvolume"), pulumi.Alias(type_="azure-native_netapp_v20240901preview:netapp:CapacityPoolSubvolume")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CapacityPoolSubvolume, __self__).__init__( 'azure-native:netapp:CapacityPoolSubvolume', diff --git a/sdk/python/pulumi_azure_native/netapp/capacity_pool_volume.py b/sdk/python/pulumi_azure_native/netapp/capacity_pool_volume.py index 270193eae2a9..d3cb81825578 100644 --- a/sdk/python/pulumi_azure_native/netapp/capacity_pool_volume.py +++ b/sdk/python/pulumi_azure_native/netapp/capacity_pool_volume.py @@ -1092,7 +1092,7 @@ def _internal_init(__self__, __props__.__dict__["t2_network"] = None __props__.__dict__["type"] = None __props__.__dict__["volume_group_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20170815:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20190501:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20190601:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20190701:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20190801:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20191001:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20191101:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20200201:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20200301:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20200501:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20200601:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20200701:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20200801:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20200901:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20201101:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20201201:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20210201:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20210401:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20210401preview:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20210601:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20210801:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20211001:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20211001:Volume"), pulumi.Alias(type_="azure-native:netapp/v20220101:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20220301:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20220501:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20220901:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20221101:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20221101:Volume"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20230501:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20230501:Volume"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20230701:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20230701:Volume"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20231101:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20231101:Volume"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240101:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20240101:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240301:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20240301:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240501:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20240501:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240701:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20240701:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240901:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp/v20240901:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240901preview:CapacityPoolVolume"), pulumi.Alias(type_="azure-native:netapp:Volume")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20211001:Volume"), pulumi.Alias(type_="azure-native:netapp/v20221101:Volume"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20230501:Volume"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20230701:Volume"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20231101:Volume"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240101:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240301:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240501:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240701:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:Volume"), pulumi.Alias(type_="azure-native:netapp/v20240901:Volume"), pulumi.Alias(type_="azure-native:netapp:Volume"), pulumi.Alias(type_="azure-native_netapp_v20170815:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20190501:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20190601:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20190701:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20190801:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20191001:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20191101:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20200201:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20200301:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20200501:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20200601:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20200701:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20200801:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20200901:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20201101:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20201201:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20210201:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20210401:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20210401preview:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20210601:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20210801:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20211001:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20220101:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20220301:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20220501:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20220901:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20221101:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20221101preview:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20230501:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20230501preview:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20230701:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20230701preview:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20231101:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20231101preview:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20240101:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20240301:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20240301preview:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20240501:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20240501preview:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20240701:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20240701preview:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20240901:netapp:CapacityPoolVolume"), pulumi.Alias(type_="azure-native_netapp_v20240901preview:netapp:CapacityPoolVolume")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CapacityPoolVolume, __self__).__init__( 'azure-native:netapp:CapacityPoolVolume', diff --git a/sdk/python/pulumi_azure_native/netapp/capacity_pool_volume_quota_rule.py b/sdk/python/pulumi_azure_native/netapp/capacity_pool_volume_quota_rule.py index 796ad4322744..4b093d83fa40 100644 --- a/sdk/python/pulumi_azure_native/netapp/capacity_pool_volume_quota_rule.py +++ b/sdk/python/pulumi_azure_native/netapp/capacity_pool_volume_quota_rule.py @@ -288,7 +288,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20220101:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20220301:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20220501:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20220901:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20221101:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20221101:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230501:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230501:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230701:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230701:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20231101:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20231101:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240101:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240101:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240301:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240301:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240501:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240501:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240701:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240701:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240901:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240901:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240901preview:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp:VolumeQuotaRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20221101:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230501:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230701:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20231101:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240101:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240301:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240501:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240701:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp/v20240901:VolumeQuotaRule"), pulumi.Alias(type_="azure-native:netapp:VolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20220101:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20220301:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20220501:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20220901:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20221101:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20221101preview:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20230501:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20230501preview:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20230701:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20230701preview:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20231101:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20231101preview:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20240101:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20240301:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20240301preview:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20240501:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20240501preview:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20240701:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20240701preview:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20240901:netapp:CapacityPoolVolumeQuotaRule"), pulumi.Alias(type_="azure-native_netapp_v20240901preview:netapp:CapacityPoolVolumeQuotaRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CapacityPoolVolumeQuotaRule, __self__).__init__( 'azure-native:netapp:CapacityPoolVolumeQuotaRule', diff --git a/sdk/python/pulumi_azure_native/netapp/snapshot_policy.py b/sdk/python/pulumi_azure_native/netapp/snapshot_policy.py index 2cae6c6a0bf5..21213faba3dc 100644 --- a/sdk/python/pulumi_azure_native/netapp/snapshot_policy.py +++ b/sdk/python/pulumi_azure_native/netapp/snapshot_policy.py @@ -287,7 +287,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20200501:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20200601:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20200701:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20200801:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20200901:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20201101:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20201201:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20210201:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20210401:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20210401preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20210601:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20210801:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20211001:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20220101:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20220301:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20220501:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20220901:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20221101:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230501:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230701:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20231101:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240101:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240301:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240501:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240701:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240901:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240901preview:SnapshotPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20221101:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230501:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230701:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20231101:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240101:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240301:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240501:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240701:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:SnapshotPolicy"), pulumi.Alias(type_="azure-native:netapp/v20240901:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20200501:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20200601:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20200701:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20200801:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20200901:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20201101:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20201201:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20210201:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20210401:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20210401preview:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20210601:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20210801:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20211001:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20220101:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20220301:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20220501:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20220901:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20221101:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20221101preview:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20230501:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20230501preview:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20230701:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20230701preview:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20231101:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20231101preview:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240101:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240301:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240301preview:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240501:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240501preview:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240701:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240701preview:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240901:netapp:SnapshotPolicy"), pulumi.Alias(type_="azure-native_netapp_v20240901preview:netapp:SnapshotPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SnapshotPolicy, __self__).__init__( 'azure-native:netapp:SnapshotPolicy', diff --git a/sdk/python/pulumi_azure_native/netapp/volume_group.py b/sdk/python/pulumi_azure_native/netapp/volume_group.py index 5aa0f7995a08..8d98d2aba03e 100644 --- a/sdk/python/pulumi_azure_native/netapp/volume_group.py +++ b/sdk/python/pulumi_azure_native/netapp/volume_group.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20210801:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20211001:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20220101:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20220301:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20220501:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20220901:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20221101:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20230501:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20230701:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20231101:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240101:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240301:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240501:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240701:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240901:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240901preview:VolumeGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:netapp/v20211001:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20221101:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20221101preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20230501:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20230501preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20230701:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20230701preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20231101:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20231101preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240101:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240301:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240301preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240501:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240501preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240701:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240701preview:VolumeGroup"), pulumi.Alias(type_="azure-native:netapp/v20240901:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20210801:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20211001:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20220101:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20220301:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20220501:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20220901:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20221101:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20221101preview:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20230501:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20230501preview:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20230701:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20230701preview:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20231101:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20231101preview:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20240101:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20240301:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20240301preview:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20240501:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20240501preview:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20240701:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20240701preview:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20240901:netapp:VolumeGroup"), pulumi.Alias(type_="azure-native_netapp_v20240901preview:netapp:VolumeGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VolumeGroup, __self__).__init__( 'azure-native:netapp:VolumeGroup', diff --git a/sdk/python/pulumi_azure_native/network/admin_rule.py b/sdk/python/pulumi_azure_native/network/admin_rule.py index c449c94b0a84..28cf4980f5ae 100644 --- a/sdk/python/pulumi_azure_native/network/admin_rule.py +++ b/sdk/python/pulumi_azure_native/network/admin_rule.py @@ -399,7 +399,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20220101:AdminRule"), pulumi.Alias(type_="azure-native:network/v20220201preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20220501:AdminRule"), pulumi.Alias(type_="azure-native:network/v20220701:AdminRule"), pulumi.Alias(type_="azure-native:network/v20220901:AdminRule"), pulumi.Alias(type_="azure-native:network/v20221101:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230201:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230201:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230401:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230401:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230501:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230501:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230601:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230601:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230901:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230901:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20231101:AdminRule"), pulumi.Alias(type_="azure-native:network/v20231101:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240101:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240101:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240101preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240101preview:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240301:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240301:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240501:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240501:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network:DefaultAdminRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230201:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230201:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230401:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230401:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230501:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230501:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230601:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230601:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230901:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230901:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20231101:AdminRule"), pulumi.Alias(type_="azure-native:network/v20231101:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240101:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240101:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240101preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240101preview:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240301:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240301:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240501:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240501:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20220101:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20220501:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20220701:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20220901:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20221101:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20230201:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20230401:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20230501:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20230601:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20230901:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20231101:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20240101:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20240101preview:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20240301:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20240501:network:AdminRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AdminRule, __self__).__init__( 'azure-native:network:AdminRule', diff --git a/sdk/python/pulumi_azure_native/network/admin_rule_collection.py b/sdk/python/pulumi_azure_native/network/admin_rule_collection.py index 4c7ec98398bb..0658c272278e 100644 --- a/sdk/python/pulumi_azure_native/network/admin_rule_collection.py +++ b/sdk/python/pulumi_azure_native/network/admin_rule_collection.py @@ -210,7 +210,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20210501preview:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220101:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220201preview:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220401preview:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220501:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220701:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220901:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20221101:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20230201:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20230401:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20230501:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20230601:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20230901:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20231101:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240101:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240101preview:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240301:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240501:AdminRuleCollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20210501preview:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20230201:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20230401:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20230501:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20230601:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20230901:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20231101:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240101:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240101preview:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240301:AdminRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240501:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20220101:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20220501:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20220701:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20220901:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20221101:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20230201:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20230401:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20230501:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20230601:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20230901:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20231101:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20240101:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20240101preview:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20240301:network:AdminRuleCollection"), pulumi.Alias(type_="azure-native_network_v20240501:network:AdminRuleCollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AdminRuleCollection, __self__).__init__( 'azure-native:network:AdminRuleCollection', diff --git a/sdk/python/pulumi_azure_native/network/application_gateway.py b/sdk/python/pulumi_azure_native/network/application_gateway.py index 0d725a2a5cc6..a3d0d69cbe65 100644 --- a/sdk/python/pulumi_azure_native/network/application_gateway.py +++ b/sdk/python/pulumi_azure_native/network/application_gateway.py @@ -850,7 +850,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20150615:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20160330:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20160601:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20160901:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20161201:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20170301:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20170601:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20170801:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20170901:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20171001:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20171101:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20180101:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20180201:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20180401:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20180601:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20180701:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20180801:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20181001:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20181101:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20181201:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20190201:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20190401:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20190601:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20190701:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20190801:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20190901:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20191101:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20191201:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20200301:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20200401:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20200501:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20200601:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20200701:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20200801:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20201101:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20210201:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20210301:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20210501:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20210801:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20220101:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20220501:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20220701:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20220901:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20221101:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20230201:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20230401:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20230501:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20230601:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20230901:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20231101:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20240101:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20240301:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20240501:ApplicationGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20190801:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20230201:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20230401:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20230501:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20230601:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20230901:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20231101:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20240101:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20240301:ApplicationGateway"), pulumi.Alias(type_="azure-native:network/v20240501:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20150615:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20160330:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20160601:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20160901:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20161201:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20170301:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20170601:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20170801:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20170901:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20171001:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20171101:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20180101:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20180201:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20180401:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20180601:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20180701:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20180801:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20181001:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20181101:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20181201:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20190201:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20190401:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20190601:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20190701:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20190801:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20190901:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20191101:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20191201:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20200301:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20200401:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20200501:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20200601:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20200701:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20200801:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20201101:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20210201:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20210301:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20210501:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20210801:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20220101:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20220501:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20220701:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20220901:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20221101:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20230201:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20230401:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20230501:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20230601:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20230901:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20231101:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20240101:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20240301:network:ApplicationGateway"), pulumi.Alias(type_="azure-native_network_v20240501:network:ApplicationGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationGateway, __self__).__init__( 'azure-native:network:ApplicationGateway', diff --git a/sdk/python/pulumi_azure_native/network/application_gateway_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/network/application_gateway_private_endpoint_connection.py index 9a8cbd6a3402..4a186456ee62 100644 --- a/sdk/python/pulumi_azure_native/network/application_gateway_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/network/application_gateway_private_endpoint_connection.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200501:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20200601:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20200701:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20200801:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20201101:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20210201:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20210301:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20210501:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20210801:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20220101:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20220501:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20220701:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20220901:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20221101:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230401:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230501:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230601:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230901:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20231101:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240101:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240301:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240501:ApplicationGatewayPrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230401:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230501:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230601:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230901:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20231101:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240101:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240301:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240501:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20200501:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20200601:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20200701:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20200801:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20201101:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20210201:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20210301:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20210501:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20210801:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20220101:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20220501:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20220701:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20220901:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20221101:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20230401:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20230501:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:ApplicationGatewayPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:ApplicationGatewayPrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationGatewayPrivateEndpointConnection, __self__).__init__( 'azure-native:network:ApplicationGatewayPrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/network/application_security_group.py b/sdk/python/pulumi_azure_native/network/application_security_group.py index 82135d1a48b5..2da43f424539 100644 --- a/sdk/python/pulumi_azure_native/network/application_security_group.py +++ b/sdk/python/pulumi_azure_native/network/application_security_group.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20170901:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20171001:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20171101:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180101:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180201:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180401:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180601:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180701:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180801:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20181001:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20181101:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20181201:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190201:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190401:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190601:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190701:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190801:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190901:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20191101:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20191201:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200301:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200401:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200501:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200601:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200701:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200801:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20201101:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20210201:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20210301:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20210501:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20210801:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20220101:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20220501:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20220701:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20220901:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20221101:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230201:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230401:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230501:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230601:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230901:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20231101:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240101:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240301:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240501:ApplicationSecurityGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230401:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230501:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230601:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230901:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20231101:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240101:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240301:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240501:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20170901:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20171001:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20171101:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180101:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180201:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180401:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180601:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180701:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180801:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20181001:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20181101:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20181201:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190201:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190401:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190601:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190701:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190801:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190901:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20191101:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20191201:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200301:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200401:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200501:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200601:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200701:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200801:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20201101:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20210201:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20210301:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20210501:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20210801:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20220101:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20220501:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20220701:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20220901:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20221101:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20230201:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20230401:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20230501:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20230601:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20230901:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20231101:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20240101:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20240301:network:ApplicationSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20240501:network:ApplicationSecurityGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationSecurityGroup, __self__).__init__( 'azure-native:network:ApplicationSecurityGroup', diff --git a/sdk/python/pulumi_azure_native/network/azure_firewall.py b/sdk/python/pulumi_azure_native/network/azure_firewall.py index a28d89a58292..e545229b25ee 100644 --- a/sdk/python/pulumi_azure_native/network/azure_firewall.py +++ b/sdk/python/pulumi_azure_native/network/azure_firewall.py @@ -447,7 +447,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180401:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20180601:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20180701:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20180801:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20181001:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20181101:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20181201:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20190201:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20190401:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20190601:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20190701:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20190801:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20190901:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20191101:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20191201:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20200301:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20200401:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20200501:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20200601:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20200701:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20200801:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20201101:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20210201:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20210301:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20210501:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20210801:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20220101:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20220501:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20220701:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20220901:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20221101:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20230201:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20230401:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20230501:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20230601:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20230901:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20231101:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20240101:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20240301:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20240501:AzureFirewall")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200401:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20230201:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20230401:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20230501:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20230601:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20230901:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20231101:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20240101:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20240301:AzureFirewall"), pulumi.Alias(type_="azure-native:network/v20240501:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20180401:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20180601:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20180701:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20180801:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20181001:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20181101:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20181201:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20190201:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20190401:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20190601:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20190701:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20190801:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20190901:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20191101:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20191201:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20200301:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20200401:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20200501:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20200601:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20200701:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20200801:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20201101:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20210201:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20210301:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20210501:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20210801:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20220101:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20220501:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20220701:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20220901:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20221101:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20230201:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20230401:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20230501:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20230601:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20230901:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20231101:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20240101:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20240301:network:AzureFirewall"), pulumi.Alias(type_="azure-native_network_v20240501:network:AzureFirewall")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzureFirewall, __self__).__init__( 'azure-native:network:AzureFirewall', diff --git a/sdk/python/pulumi_azure_native/network/bastion_host.py b/sdk/python/pulumi_azure_native/network/bastion_host.py index 71129fac79eb..8045650cbecb 100644 --- a/sdk/python/pulumi_azure_native/network/bastion_host.py +++ b/sdk/python/pulumi_azure_native/network/bastion_host.py @@ -513,7 +513,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190401:BastionHost"), pulumi.Alias(type_="azure-native:network/v20190601:BastionHost"), pulumi.Alias(type_="azure-native:network/v20190701:BastionHost"), pulumi.Alias(type_="azure-native:network/v20190801:BastionHost"), pulumi.Alias(type_="azure-native:network/v20190901:BastionHost"), pulumi.Alias(type_="azure-native:network/v20191101:BastionHost"), pulumi.Alias(type_="azure-native:network/v20191201:BastionHost"), pulumi.Alias(type_="azure-native:network/v20200301:BastionHost"), pulumi.Alias(type_="azure-native:network/v20200401:BastionHost"), pulumi.Alias(type_="azure-native:network/v20200501:BastionHost"), pulumi.Alias(type_="azure-native:network/v20200601:BastionHost"), pulumi.Alias(type_="azure-native:network/v20200701:BastionHost"), pulumi.Alias(type_="azure-native:network/v20200801:BastionHost"), pulumi.Alias(type_="azure-native:network/v20201101:BastionHost"), pulumi.Alias(type_="azure-native:network/v20210201:BastionHost"), pulumi.Alias(type_="azure-native:network/v20210301:BastionHost"), pulumi.Alias(type_="azure-native:network/v20210501:BastionHost"), pulumi.Alias(type_="azure-native:network/v20210801:BastionHost"), pulumi.Alias(type_="azure-native:network/v20220101:BastionHost"), pulumi.Alias(type_="azure-native:network/v20220501:BastionHost"), pulumi.Alias(type_="azure-native:network/v20220701:BastionHost"), pulumi.Alias(type_="azure-native:network/v20220901:BastionHost"), pulumi.Alias(type_="azure-native:network/v20221101:BastionHost"), pulumi.Alias(type_="azure-native:network/v20230201:BastionHost"), pulumi.Alias(type_="azure-native:network/v20230401:BastionHost"), pulumi.Alias(type_="azure-native:network/v20230501:BastionHost"), pulumi.Alias(type_="azure-native:network/v20230601:BastionHost"), pulumi.Alias(type_="azure-native:network/v20230901:BastionHost"), pulumi.Alias(type_="azure-native:network/v20231101:BastionHost"), pulumi.Alias(type_="azure-native:network/v20240101:BastionHost"), pulumi.Alias(type_="azure-native:network/v20240301:BastionHost"), pulumi.Alias(type_="azure-native:network/v20240501:BastionHost")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:BastionHost"), pulumi.Alias(type_="azure-native:network/v20230401:BastionHost"), pulumi.Alias(type_="azure-native:network/v20230501:BastionHost"), pulumi.Alias(type_="azure-native:network/v20230601:BastionHost"), pulumi.Alias(type_="azure-native:network/v20230901:BastionHost"), pulumi.Alias(type_="azure-native:network/v20231101:BastionHost"), pulumi.Alias(type_="azure-native:network/v20240101:BastionHost"), pulumi.Alias(type_="azure-native:network/v20240301:BastionHost"), pulumi.Alias(type_="azure-native:network/v20240501:BastionHost"), pulumi.Alias(type_="azure-native_network_v20190401:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20190601:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20190701:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20190801:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20190901:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20191101:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20191201:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20200301:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20200401:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20200501:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20200601:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20200701:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20200801:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20201101:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20210201:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20210301:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20210501:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20210801:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20220101:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20220501:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20220701:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20220901:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20221101:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20230201:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20230401:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20230501:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20230601:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20230901:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20231101:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20240101:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20240301:network:BastionHost"), pulumi.Alias(type_="azure-native_network_v20240501:network:BastionHost")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BastionHost, __self__).__init__( 'azure-native:network:BastionHost', diff --git a/sdk/python/pulumi_azure_native/network/configuration_policy_group.py b/sdk/python/pulumi_azure_native/network/configuration_policy_group.py index 0eb7980fdb48..e540d55119fa 100644 --- a/sdk/python/pulumi_azure_native/network/configuration_policy_group.py +++ b/sdk/python/pulumi_azure_native/network/configuration_policy_group.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["p2_s_connection_configurations"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210801:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20220101:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20220501:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20220701:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20220901:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20221101:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20230201:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20230401:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20230501:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20230601:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20230901:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20231101:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20240101:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20240301:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20240501:ConfigurationPolicyGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20230401:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20230501:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20230601:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20230901:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20231101:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20240101:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20240301:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native:network/v20240501:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20210801:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20220101:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20220501:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20220701:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20220901:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20221101:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20230201:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20230401:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20230501:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20230601:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20230901:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20231101:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20240101:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20240301:network:ConfigurationPolicyGroup"), pulumi.Alias(type_="azure-native_network_v20240501:network:ConfigurationPolicyGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConfigurationPolicyGroup, __self__).__init__( 'azure-native:network:ConfigurationPolicyGroup', diff --git a/sdk/python/pulumi_azure_native/network/connection_monitor.py b/sdk/python/pulumi_azure_native/network/connection_monitor.py index 242042cd19c1..4470d409cb20 100644 --- a/sdk/python/pulumi_azure_native/network/connection_monitor.py +++ b/sdk/python/pulumi_azure_native/network/connection_monitor.py @@ -398,7 +398,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["start_time"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20171001:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20171101:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20180101:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20180201:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20180401:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20180601:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20180701:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20180801:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20181001:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20181101:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20181201:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20190201:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20190401:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20190601:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20190701:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20190801:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20190901:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20191101:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20191201:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20200301:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20200401:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20200501:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20200601:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20200701:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20200801:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20201101:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20210201:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20210301:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20210501:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20210801:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20220101:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20220501:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20220701:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20220901:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20221101:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20230201:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20230401:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20230501:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20230601:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20230901:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20231101:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20240101:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20240301:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20240501:ConnectionMonitor")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190901:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20230201:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20230401:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20230501:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20230601:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20230901:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20231101:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20240101:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20240301:ConnectionMonitor"), pulumi.Alias(type_="azure-native:network/v20240501:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20171001:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20171101:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20180101:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20180201:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20180401:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20180601:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20180701:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20180801:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20181001:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20181101:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20181201:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20190201:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20190401:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20190601:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20190701:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20190801:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20190901:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20191101:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20191201:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20200301:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20200401:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20200501:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20200601:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20200701:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20200801:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20201101:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20210201:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20210301:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20210501:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20210801:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20220101:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20220501:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20220701:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20220901:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20221101:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20230201:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20230401:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20230501:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20230601:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20230901:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20231101:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20240101:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20240301:network:ConnectionMonitor"), pulumi.Alias(type_="azure-native_network_v20240501:network:ConnectionMonitor")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectionMonitor, __self__).__init__( 'azure-native:network:ConnectionMonitor', diff --git a/sdk/python/pulumi_azure_native/network/connectivity_configuration.py b/sdk/python/pulumi_azure_native/network/connectivity_configuration.py index 56e6b2b0e303..a62ac0983208 100644 --- a/sdk/python/pulumi_azure_native/network/connectivity_configuration.py +++ b/sdk/python/pulumi_azure_native/network/connectivity_configuration.py @@ -271,7 +271,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20210501preview:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20220101:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20220201preview:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20220401preview:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20220501:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20220701:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20220901:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20221101:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20230201:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:ConnectivityConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20210501preview:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20230201:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20220101:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20220501:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20220701:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20220901:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20221101:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20230201:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20230401:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20230501:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20230601:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20230901:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20231101:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20240101:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20240301:network:ConnectivityConfiguration"), pulumi.Alias(type_="azure-native_network_v20240501:network:ConnectivityConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectivityConfiguration, __self__).__init__( 'azure-native:network:ConnectivityConfiguration', diff --git a/sdk/python/pulumi_azure_native/network/custom_ip_prefix.py b/sdk/python/pulumi_azure_native/network/custom_ip_prefix.py index 75054473bc48..cbc3d945def2 100644 --- a/sdk/python/pulumi_azure_native/network/custom_ip_prefix.py +++ b/sdk/python/pulumi_azure_native/network/custom_ip_prefix.py @@ -430,7 +430,7 @@ def _internal_init(__self__, __props__.__dict__["public_ip_prefixes"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200601:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20200701:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20200801:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20201101:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20210201:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20210301:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20210501:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20210801:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20220101:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20220501:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20220701:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20220901:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20221101:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230201:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230401:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230501:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230601:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230901:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20231101:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240101:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240301:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240501:CustomIPPrefix")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210301:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230201:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230401:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230501:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230601:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230901:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20231101:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240101:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240301:CustomIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240501:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20200601:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20200701:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20200801:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20201101:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20210201:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20210301:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20210501:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20210801:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20220101:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20220501:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20220701:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20220901:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20221101:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20230201:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20230401:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20230501:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20230601:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20230901:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20231101:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20240101:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20240301:network:CustomIPPrefix"), pulumi.Alias(type_="azure-native_network_v20240501:network:CustomIPPrefix")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomIPPrefix, __self__).__init__( 'azure-native:network:CustomIPPrefix', diff --git a/sdk/python/pulumi_azure_native/network/ddos_custom_policy.py b/sdk/python/pulumi_azure_native/network/ddos_custom_policy.py index 1b756dbccda9..34b6b523cec3 100644 --- a/sdk/python/pulumi_azure_native/network/ddos_custom_policy.py +++ b/sdk/python/pulumi_azure_native/network/ddos_custom_policy.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20181101:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20181201:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20190201:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20190401:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20190601:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20190701:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20190801:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20190901:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20191101:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20191201:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20200301:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20200401:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20200501:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20200601:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20200701:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20200801:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20201101:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20210201:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20210301:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20210501:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20210801:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20220101:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20220501:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20220701:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20220901:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20221101:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20230201:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20230401:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20230501:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20230601:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20230901:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20231101:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20240101:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20240301:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20240501:DdosCustomPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220101:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20230201:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20230401:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20230501:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20230601:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20230901:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20231101:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20240101:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20240301:DdosCustomPolicy"), pulumi.Alias(type_="azure-native:network/v20240501:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20181101:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20181201:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20190201:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20190401:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20190601:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20190701:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20190801:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20190901:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20191101:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20191201:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20200301:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20200401:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20200501:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20200601:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20200701:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20200801:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20201101:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20210201:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20210301:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20210501:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20210801:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20220101:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20220501:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20220701:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20220901:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20221101:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20230201:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20230401:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20230501:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20230601:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20230901:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20231101:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20240101:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20240301:network:DdosCustomPolicy"), pulumi.Alias(type_="azure-native_network_v20240501:network:DdosCustomPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DdosCustomPolicy, __self__).__init__( 'azure-native:network:DdosCustomPolicy', diff --git a/sdk/python/pulumi_azure_native/network/ddos_protection_plan.py b/sdk/python/pulumi_azure_native/network/ddos_protection_plan.py index 4c24c54c6d60..33765b1636f7 100644 --- a/sdk/python/pulumi_azure_native/network/ddos_protection_plan.py +++ b/sdk/python/pulumi_azure_native/network/ddos_protection_plan.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_networks"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180201:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20180401:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20180601:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20180701:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20180801:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20181001:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20181101:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20181201:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20190201:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20190401:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20190601:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20190701:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20190801:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20190901:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20191101:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20191201:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20200301:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20200401:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20200501:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20200601:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20200701:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20200801:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20201101:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20210201:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20210301:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20210501:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20210801:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20220101:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20220501:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20220701:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20220901:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20221101:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20230201:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20230401:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20230501:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20230601:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20230901:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20231101:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20240101:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20240301:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20240501:DdosProtectionPlan")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220501:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20230201:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20230401:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20230501:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20230601:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20230901:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20231101:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20240101:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20240301:DdosProtectionPlan"), pulumi.Alias(type_="azure-native:network/v20240501:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20180201:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20180401:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20180601:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20180701:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20180801:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20181001:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20181101:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20181201:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20190201:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20190401:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20190601:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20190701:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20190801:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20190901:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20191101:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20191201:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20200301:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20200401:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20200501:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20200601:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20200701:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20200801:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20201101:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20210201:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20210301:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20210501:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20210801:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20220101:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20220501:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20220701:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20220901:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20221101:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20230201:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20230401:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20230501:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20230601:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20230901:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20231101:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20240101:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20240301:network:DdosProtectionPlan"), pulumi.Alias(type_="azure-native_network_v20240501:network:DdosProtectionPlan")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DdosProtectionPlan, __self__).__init__( 'azure-native:network:DdosProtectionPlan', diff --git a/sdk/python/pulumi_azure_native/network/default_admin_rule.py b/sdk/python/pulumi_azure_native/network/default_admin_rule.py index c18a8361635d..8dbb93504906 100644 --- a/sdk/python/pulumi_azure_native/network/default_admin_rule.py +++ b/sdk/python/pulumi_azure_native/network/default_admin_rule.py @@ -238,7 +238,7 @@ def _internal_init(__self__, __props__.__dict__["sources"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20210201preview:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20220101:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20220201preview:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20220501:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20220701:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20220901:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20221101:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230201:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230201:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230401:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230401:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230501:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230501:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230601:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230601:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230901:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230901:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20231101:AdminRule"), pulumi.Alias(type_="azure-native:network/v20231101:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240101:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240101:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240101preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240101preview:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240301:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240301:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240501:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240501:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network:AdminRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230201:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230201:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230401:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230401:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230501:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230501:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230601:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230601:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20230901:AdminRule"), pulumi.Alias(type_="azure-native:network/v20230901:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20231101:AdminRule"), pulumi.Alias(type_="azure-native:network/v20231101:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240101:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240101:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240101preview:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240101preview:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240301:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240301:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network/v20240501:AdminRule"), pulumi.Alias(type_="azure-native:network/v20240501:DefaultAdminRule"), pulumi.Alias(type_="azure-native:network:AdminRule"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20220101:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20220501:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20220701:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20220901:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20221101:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20230201:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20230401:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20230501:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20230601:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20230901:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20231101:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20240101:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20240101preview:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20240301:network:DefaultAdminRule"), pulumi.Alias(type_="azure-native_network_v20240501:network:DefaultAdminRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DefaultAdminRule, __self__).__init__( 'azure-native:network:DefaultAdminRule', diff --git a/sdk/python/pulumi_azure_native/network/default_user_rule.py b/sdk/python/pulumi_azure_native/network/default_user_rule.py index 66e6becfab6c..415428d3db6c 100644 --- a/sdk/python/pulumi_azure_native/network/default_user_rule.py +++ b/sdk/python/pulumi_azure_native/network/default_user_rule.py @@ -235,7 +235,7 @@ def _internal_init(__self__, __props__.__dict__["sources"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20220201preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20240301:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserRule"), pulumi.Alias(type_="azure-native:network/v20240501:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserRule"), pulumi.Alias(type_="azure-native:network:SecurityUserRule"), pulumi.Alias(type_="azure-native:network:UserRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210501preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserRule"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserRule"), pulumi.Alias(type_="azure-native:network:SecurityUserRule"), pulumi.Alias(type_="azure-native:network:UserRule"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:DefaultUserRule"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:DefaultUserRule"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:DefaultUserRule"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:DefaultUserRule"), pulumi.Alias(type_="azure-native_network_v20240301:network:DefaultUserRule"), pulumi.Alias(type_="azure-native_network_v20240501:network:DefaultUserRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DefaultUserRule, __self__).__init__( 'azure-native:network:DefaultUserRule', diff --git a/sdk/python/pulumi_azure_native/network/dscp_configuration.py b/sdk/python/pulumi_azure_native/network/dscp_configuration.py index e9254b63454e..a2eed9628ad0 100644 --- a/sdk/python/pulumi_azure_native/network/dscp_configuration.py +++ b/sdk/python/pulumi_azure_native/network/dscp_configuration.py @@ -329,7 +329,7 @@ def _internal_init(__self__, __props__.__dict__["qos_collection_id"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200601:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20200701:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20200801:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20201101:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20210201:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20210301:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20210501:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20210801:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20220101:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20220501:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20220701:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20220901:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20221101:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230201:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:DscpConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:DscpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20200601:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20200701:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20200801:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20201101:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20210201:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20210301:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20210501:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20210801:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20220101:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20220501:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20220701:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20220901:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20221101:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20230201:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20230401:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20230501:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20230601:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20230901:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20231101:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20240101:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20240301:network:DscpConfiguration"), pulumi.Alias(type_="azure-native_network_v20240501:network:DscpConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DscpConfiguration, __self__).__init__( 'azure-native:network:DscpConfiguration', diff --git a/sdk/python/pulumi_azure_native/network/express_route_circuit.py b/sdk/python/pulumi_azure_native/network/express_route_circuit.py index 3b28c13fbe4e..058d12c00466 100644 --- a/sdk/python/pulumi_azure_native/network/express_route_circuit.py +++ b/sdk/python/pulumi_azure_native/network/express_route_circuit.py @@ -494,7 +494,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["stag"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20150615:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20160330:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20160601:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20160901:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20161201:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20170301:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20170601:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20170801:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20170901:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20171001:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20171101:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20180101:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20180201:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20180401:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20180601:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20180701:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20180801:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20181001:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20181101:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20181201:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20190201:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20190401:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20190601:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20190701:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20190801:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20190901:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20191101:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20191201:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20200301:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20200401:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20200501:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20200601:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20200701:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20200801:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20201101:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20210201:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20210301:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20210501:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20210801:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20220101:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20220501:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20220701:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20220901:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20221101:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteCircuit")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20181201:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20190601:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20150615:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20160330:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20160601:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20160901:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20161201:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20170301:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20170601:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20170801:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20170901:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20171001:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20171101:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20180101:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20180201:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20180401:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20180601:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20180701:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20180801:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20181001:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20181101:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20181201:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20190201:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20190401:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20190601:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20190701:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20190801:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20190901:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20191101:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20191201:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20200301:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20200401:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20200501:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20200601:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20200701:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20200801:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20201101:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20210201:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20210301:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20210501:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20210801:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20220101:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20220501:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20220701:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20220901:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20221101:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20230201:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20230401:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20230501:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20230601:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20230901:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20231101:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20240101:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20240301:network:ExpressRouteCircuit"), pulumi.Alias(type_="azure-native_network_v20240501:network:ExpressRouteCircuit")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExpressRouteCircuit, __self__).__init__( 'azure-native:network:ExpressRouteCircuit', diff --git a/sdk/python/pulumi_azure_native/network/express_route_circuit_authorization.py b/sdk/python/pulumi_azure_native/network/express_route_circuit_authorization.py index 8a212cd83010..2dc0212de615 100644 --- a/sdk/python/pulumi_azure_native/network/express_route_circuit_authorization.py +++ b/sdk/python/pulumi_azure_native/network/express_route_circuit_authorization.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20150615:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20160330:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20160601:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20160901:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20161201:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20170301:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20170601:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20170801:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20170901:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20171001:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20171101:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20180101:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20180201:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20180401:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20180601:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20180701:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20180801:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20181001:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20181101:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20181201:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20190201:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20190401:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20190601:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20190701:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20190801:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20190901:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20191101:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20191201:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20200301:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20200401:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20200501:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20200601:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20200701:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20200801:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20201101:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20210201:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20210301:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20210501:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20210801:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20220101:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20220501:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20220701:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20220901:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20221101:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteCircuitAuthorization")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20150615:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20160330:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20160601:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20160901:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20161201:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20170301:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20170601:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20170801:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20170901:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20171001:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20171101:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20180101:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20180201:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20180401:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20180601:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20180701:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20180801:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20181001:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20181101:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20181201:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20190201:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20190401:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20190601:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20190701:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20190801:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20190901:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20191101:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20191201:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20200301:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20200401:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20200501:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20200601:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20200701:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20200801:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20201101:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20210201:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20210301:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20210501:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20210801:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20220101:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20220501:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20220701:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20220901:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20221101:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20230401:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20230501:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20230601:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20230901:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20231101:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20240101:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20240301:network:ExpressRouteCircuitAuthorization"), pulumi.Alias(type_="azure-native_network_v20240501:network:ExpressRouteCircuitAuthorization")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExpressRouteCircuitAuthorization, __self__).__init__( 'azure-native:network:ExpressRouteCircuitAuthorization', diff --git a/sdk/python/pulumi_azure_native/network/express_route_circuit_connection.py b/sdk/python/pulumi_azure_native/network/express_route_circuit_connection.py index bf4874a28491..0bd937982377 100644 --- a/sdk/python/pulumi_azure_native/network/express_route_circuit_connection.py +++ b/sdk/python/pulumi_azure_native/network/express_route_circuit_connection.py @@ -307,7 +307,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180201:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20180401:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20180601:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20180701:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20180801:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20181001:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20181101:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20181201:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20190201:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20190401:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20190601:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20190701:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20190801:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20190901:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20191101:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20191201:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20200301:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20200401:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20200501:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20200601:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20200701:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20200801:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20201101:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20210201:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20210301:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20210501:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20210801:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20220101:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20220501:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20220701:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20220901:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20221101:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteCircuitConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20180201:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20180401:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20180601:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20180701:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20180801:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20181001:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20181101:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20181201:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20190201:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20190401:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20190601:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20190701:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20190801:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20190901:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20191101:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20191201:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20200301:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20200401:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20200501:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20200601:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20200701:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20200801:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20201101:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20210201:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20210301:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20210501:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20210801:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20220101:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20220501:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20220701:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20220901:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20221101:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20230201:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20230401:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20230501:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:ExpressRouteCircuitConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:ExpressRouteCircuitConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExpressRouteCircuitConnection, __self__).__init__( 'azure-native:network:ExpressRouteCircuitConnection', diff --git a/sdk/python/pulumi_azure_native/network/express_route_circuit_peering.py b/sdk/python/pulumi_azure_native/network/express_route_circuit_peering.py index 8e3c143817d9..839164d5f725 100644 --- a/sdk/python/pulumi_azure_native/network/express_route_circuit_peering.py +++ b/sdk/python/pulumi_azure_native/network/express_route_circuit_peering.py @@ -512,7 +512,7 @@ def _internal_init(__self__, __props__.__dict__["peered_connections"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20150615:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20160330:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20160601:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20160901:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20161201:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20170301:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20170601:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20170801:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20170901:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20171001:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20171101:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20180101:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20180201:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20180401:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20180601:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20180701:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20180801:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20181001:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20181101:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20181201:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20190201:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20190401:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20190601:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20190701:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20190801:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20190901:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20191101:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20191201:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20200301:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20200401:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20200501:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20200601:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20200701:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20200801:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20201101:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20210201:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20210301:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20210501:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20210801:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20220101:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20220501:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20220701:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20220901:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20221101:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteCircuitPeering")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190201:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20190601:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20190801:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20150615:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20160330:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20160601:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20160901:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20161201:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20170301:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20170601:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20170801:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20170901:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20171001:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20171101:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20180101:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20180201:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20180401:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20180601:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20180701:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20180801:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20181001:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20181101:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20181201:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20190201:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20190401:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20190601:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20190701:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20190801:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20190901:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20191101:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20191201:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20200301:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20200401:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20200501:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20200601:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20200701:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20200801:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20201101:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20210201:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20210301:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20210501:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20210801:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20220101:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20220501:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20220701:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20220901:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20221101:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20230201:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20230401:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20230501:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20230601:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20230901:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20231101:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20240101:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20240301:network:ExpressRouteCircuitPeering"), pulumi.Alias(type_="azure-native_network_v20240501:network:ExpressRouteCircuitPeering")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExpressRouteCircuitPeering, __self__).__init__( 'azure-native:network:ExpressRouteCircuitPeering', diff --git a/sdk/python/pulumi_azure_native/network/express_route_connection.py b/sdk/python/pulumi_azure_native/network/express_route_connection.py index 27bfd8989d77..90f6a6ee44b9 100644 --- a/sdk/python/pulumi_azure_native/network/express_route_connection.py +++ b/sdk/python/pulumi_azure_native/network/express_route_connection.py @@ -326,7 +326,7 @@ def _internal_init(__self__, __props__.__dict__["routing_weight"] = routing_weight __props__.__dict__["azure_api_version"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180801:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20181001:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20181101:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20181201:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20190201:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20190401:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20190601:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20190701:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20190801:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20190901:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20191101:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20191201:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20200301:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20200401:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20200501:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20200601:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20200701:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20200801:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20201101:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20210201:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20210301:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20210501:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20210801:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20220101:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20220501:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20220701:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20220901:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20221101:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteConnection"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20180801:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20181001:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20181101:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20181201:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20190201:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20190401:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20190601:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20190701:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20190801:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20190901:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20191101:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20191201:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20200301:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20200401:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20200501:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20200601:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20200701:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20200801:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20201101:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20210201:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20210301:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20210501:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20210801:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20220101:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20220501:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20220701:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20220901:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20221101:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20230201:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20230401:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20230501:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:ExpressRouteConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:ExpressRouteConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExpressRouteConnection, __self__).__init__( 'azure-native:network:ExpressRouteConnection', diff --git a/sdk/python/pulumi_azure_native/network/express_route_cross_connection_peering.py b/sdk/python/pulumi_azure_native/network/express_route_cross_connection_peering.py index 3d4ee5c5bfbe..41dc3fb941cb 100644 --- a/sdk/python/pulumi_azure_native/network/express_route_cross_connection_peering.py +++ b/sdk/python/pulumi_azure_native/network/express_route_cross_connection_peering.py @@ -389,7 +389,7 @@ def _internal_init(__self__, __props__.__dict__["primary_azure_port"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["secondary_azure_port"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180201:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20180401:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20180601:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20180701:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20180801:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20181001:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20181101:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20181201:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20190201:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20190401:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20190601:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20190701:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20190801:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20190901:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20191101:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20191201:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20200301:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20200401:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20200501:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20200601:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20200701:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20200801:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20201101:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20210201:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20210301:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20210501:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20210801:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20220101:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20220501:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20220701:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20220901:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20221101:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteCrossConnectionPeering")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190801:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20180201:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20180401:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20180601:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20180701:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20180801:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20181001:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20181101:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20181201:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20190201:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20190401:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20190601:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20190701:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20190801:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20190901:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20191101:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20191201:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20200301:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20200401:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20200501:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20200601:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20200701:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20200801:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20201101:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20210201:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20210301:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20210501:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20210801:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20220101:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20220501:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20220701:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20220901:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20221101:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20230201:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20230401:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20230501:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20230601:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20230901:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20231101:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20240101:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20240301:network:ExpressRouteCrossConnectionPeering"), pulumi.Alias(type_="azure-native_network_v20240501:network:ExpressRouteCrossConnectionPeering")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExpressRouteCrossConnectionPeering, __self__).__init__( 'azure-native:network:ExpressRouteCrossConnectionPeering', diff --git a/sdk/python/pulumi_azure_native/network/express_route_gateway.py b/sdk/python/pulumi_azure_native/network/express_route_gateway.py index b583fe12e190..4b385a296337 100644 --- a/sdk/python/pulumi_azure_native/network/express_route_gateway.py +++ b/sdk/python/pulumi_azure_native/network/express_route_gateway.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180801:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20181001:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20181101:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20181201:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20190201:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20190401:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20190601:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20190701:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20190801:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20190901:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20191101:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20191201:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20200301:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20200401:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20200501:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20200601:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20200701:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20200801:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20201101:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20210201:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20210301:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20210501:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20210801:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20220101:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20220501:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20220701:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20220901:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20221101:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210301:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRouteGateway"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20180801:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20181001:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20181101:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20181201:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20190201:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20190401:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20190601:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20190701:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20190801:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20190901:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20191101:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20191201:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20200301:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20200401:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20200501:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20200601:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20200701:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20200801:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20201101:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20210201:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20210301:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20210501:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20210801:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20220101:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20220501:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20220701:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20220901:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20221101:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20230201:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20230401:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20230501:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20230601:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20230901:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20231101:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20240101:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20240301:network:ExpressRouteGateway"), pulumi.Alias(type_="azure-native_network_v20240501:network:ExpressRouteGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExpressRouteGateway, __self__).__init__( 'azure-native:network:ExpressRouteGateway', diff --git a/sdk/python/pulumi_azure_native/network/express_route_port.py b/sdk/python/pulumi_azure_native/network/express_route_port.py index bab45a26c4e3..a9e8bfbf15c4 100644 --- a/sdk/python/pulumi_azure_native/network/express_route_port.py +++ b/sdk/python/pulumi_azure_native/network/express_route_port.py @@ -312,7 +312,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180801:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20181001:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20181101:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20181201:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20190201:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20190401:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20190601:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20190701:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20190801:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20190901:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20191101:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20191201:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20200301:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20200401:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20200501:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20200601:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20200701:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20200801:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20201101:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20210201:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20210301:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20210501:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20210801:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20220101:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20220501:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20220701:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20220901:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20221101:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRoutePort")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190801:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRoutePort"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20180801:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20181001:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20181101:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20181201:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20190201:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20190401:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20190601:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20190701:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20190801:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20190901:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20191101:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20191201:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20200301:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20200401:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20200501:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20200601:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20200701:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20200801:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20201101:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20210201:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20210301:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20210501:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20210801:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20220101:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20220501:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20220701:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20220901:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20221101:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20230201:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20230401:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20230501:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20230601:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20230901:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20231101:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20240101:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20240301:network:ExpressRoutePort"), pulumi.Alias(type_="azure-native_network_v20240501:network:ExpressRoutePort")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExpressRoutePort, __self__).__init__( 'azure-native:network:ExpressRoutePort', diff --git a/sdk/python/pulumi_azure_native/network/express_route_port_authorization.py b/sdk/python/pulumi_azure_native/network/express_route_port_authorization.py index 70a6106a8b33..c94789a1bb12 100644 --- a/sdk/python/pulumi_azure_native/network/express_route_port_authorization.py +++ b/sdk/python/pulumi_azure_native/network/express_route_port_authorization.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210801:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20220101:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20220501:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20220701:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20220901:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20221101:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20230201:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRoutePortAuthorization")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20230401:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20230501:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20230601:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20230901:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20231101:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20240101:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20240301:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native:network/v20240501:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20210801:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20220101:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20220501:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20220701:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20220901:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20221101:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20230201:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20230401:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20230501:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20230601:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20230901:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20231101:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20240101:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20240301:network:ExpressRoutePortAuthorization"), pulumi.Alias(type_="azure-native_network_v20240501:network:ExpressRoutePortAuthorization")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExpressRoutePortAuthorization, __self__).__init__( 'azure-native:network:ExpressRoutePortAuthorization', diff --git a/sdk/python/pulumi_azure_native/network/firewall_policy.py b/sdk/python/pulumi_azure_native/network/firewall_policy.py index dcebdeb4ce3d..701d6075702f 100644 --- a/sdk/python/pulumi_azure_native/network/firewall_policy.py +++ b/sdk/python/pulumi_azure_native/network/firewall_policy.py @@ -430,7 +430,7 @@ def _internal_init(__self__, __props__.__dict__["rule_collection_groups"] = None __props__.__dict__["size"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20190701:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20190801:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20190901:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20191101:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20191201:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200301:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200401:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200501:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200601:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200701:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200801:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20201101:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20210201:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20210301:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20210501:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20210801:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20220101:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20220501:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20220701:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20220901:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20221101:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230201:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230401:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230501:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230601:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230901:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20231101:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240101:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240301:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240501:FirewallPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200401:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20210801:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230201:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230401:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230501:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230601:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230901:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20231101:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240101:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240301:FirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240501:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20190601:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20190701:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20190801:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20190901:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20191101:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20191201:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200301:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200401:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200501:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200601:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200701:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200801:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20201101:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20210201:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20210301:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20210501:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20210801:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20220101:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20220501:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20220701:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20220901:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20221101:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20230201:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20230401:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20230501:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20230601:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20230901:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20231101:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20240101:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20240301:network:FirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20240501:network:FirewallPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallPolicy, __self__).__init__( 'azure-native:network:FirewallPolicy', diff --git a/sdk/python/pulumi_azure_native/network/firewall_policy_draft.py b/sdk/python/pulumi_azure_native/network/firewall_policy_draft.py index ec83d780aea0..0aba35a9bb1e 100644 --- a/sdk/python/pulumi_azure_native/network/firewall_policy_draft.py +++ b/sdk/python/pulumi_azure_native/network/firewall_policy_draft.py @@ -365,7 +365,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20231101:FirewallPolicyDraft"), pulumi.Alias(type_="azure-native:network/v20240101:FirewallPolicyDraft"), pulumi.Alias(type_="azure-native:network/v20240301:FirewallPolicyDraft"), pulumi.Alias(type_="azure-native:network/v20240501:FirewallPolicyDraft")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20231101:FirewallPolicyDraft"), pulumi.Alias(type_="azure-native:network/v20240101:FirewallPolicyDraft"), pulumi.Alias(type_="azure-native:network/v20240301:FirewallPolicyDraft"), pulumi.Alias(type_="azure-native:network/v20240501:FirewallPolicyDraft"), pulumi.Alias(type_="azure-native_network_v20231101:network:FirewallPolicyDraft"), pulumi.Alias(type_="azure-native_network_v20240101:network:FirewallPolicyDraft"), pulumi.Alias(type_="azure-native_network_v20240301:network:FirewallPolicyDraft"), pulumi.Alias(type_="azure-native_network_v20240501:network:FirewallPolicyDraft")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallPolicyDraft, __self__).__init__( 'azure-native:network:FirewallPolicyDraft', diff --git a/sdk/python/pulumi_azure_native/network/firewall_policy_rule_collection_group.py b/sdk/python/pulumi_azure_native/network/firewall_policy_rule_collection_group.py index fbd7e5c7b6a2..1335786cc48f 100644 --- a/sdk/python/pulumi_azure_native/network/firewall_policy_rule_collection_group.py +++ b/sdk/python/pulumi_azure_native/network/firewall_policy_rule_collection_group.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["size"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200501:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20200601:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20200701:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20200801:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20201101:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20210201:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20210301:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20210501:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20210801:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20220101:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20220501:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20220701:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20220901:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20221101:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20230201:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20230401:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20230501:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20230601:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20230901:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20231101:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20240101:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20240301:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20240501:FirewallPolicyRuleCollectionGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20230401:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20230501:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20230601:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20230901:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20231101:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20240101:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20240301:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native:network/v20240501:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20200501:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20200601:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20200701:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20200801:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20201101:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20210201:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20210301:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20210501:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20210801:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20220101:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20220501:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20220701:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20220901:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20221101:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20230201:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20230401:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20230501:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20230601:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20230901:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20231101:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20240101:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20240301:network:FirewallPolicyRuleCollectionGroup"), pulumi.Alias(type_="azure-native_network_v20240501:network:FirewallPolicyRuleCollectionGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallPolicyRuleCollectionGroup, __self__).__init__( 'azure-native:network:FirewallPolicyRuleCollectionGroup', diff --git a/sdk/python/pulumi_azure_native/network/firewall_policy_rule_collection_group_draft.py b/sdk/python/pulumi_azure_native/network/firewall_policy_rule_collection_group_draft.py index 9ec3b9008728..73c965aa3d42 100644 --- a/sdk/python/pulumi_azure_native/network/firewall_policy_rule_collection_group_draft.py +++ b/sdk/python/pulumi_azure_native/network/firewall_policy_rule_collection_group_draft.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["size"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20231101:FirewallPolicyRuleCollectionGroupDraft"), pulumi.Alias(type_="azure-native:network/v20240101:FirewallPolicyRuleCollectionGroupDraft"), pulumi.Alias(type_="azure-native:network/v20240301:FirewallPolicyRuleCollectionGroupDraft"), pulumi.Alias(type_="azure-native:network/v20240501:FirewallPolicyRuleCollectionGroupDraft")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20231101:FirewallPolicyRuleCollectionGroupDraft"), pulumi.Alias(type_="azure-native:network/v20240101:FirewallPolicyRuleCollectionGroupDraft"), pulumi.Alias(type_="azure-native:network/v20240301:FirewallPolicyRuleCollectionGroupDraft"), pulumi.Alias(type_="azure-native:network/v20240501:FirewallPolicyRuleCollectionGroupDraft"), pulumi.Alias(type_="azure-native_network_v20231101:network:FirewallPolicyRuleCollectionGroupDraft"), pulumi.Alias(type_="azure-native_network_v20240101:network:FirewallPolicyRuleCollectionGroupDraft"), pulumi.Alias(type_="azure-native_network_v20240301:network:FirewallPolicyRuleCollectionGroupDraft"), pulumi.Alias(type_="azure-native_network_v20240501:network:FirewallPolicyRuleCollectionGroupDraft")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallPolicyRuleCollectionGroupDraft, __self__).__init__( 'azure-native:network:FirewallPolicyRuleCollectionGroupDraft', diff --git a/sdk/python/pulumi_azure_native/network/firewall_policy_rule_group.py b/sdk/python/pulumi_azure_native/network/firewall_policy_rule_group.py index f518ce6939b4..4c184b1cbe55 100644 --- a/sdk/python/pulumi_azure_native/network/firewall_policy_rule_group.py +++ b/sdk/python/pulumi_azure_native/network/firewall_policy_rule_group.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native:network/v20190701:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native:network/v20190801:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native:network/v20190901:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native:network/v20191101:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native:network/v20191201:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native:network/v20200301:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native:network/v20200401:FirewallPolicyRuleGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200401:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native_network_v20190601:network:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native_network_v20190701:network:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native_network_v20190801:network:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native_network_v20190901:network:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native_network_v20191101:network:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native_network_v20191201:network:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native_network_v20200301:network:FirewallPolicyRuleGroup"), pulumi.Alias(type_="azure-native_network_v20200401:network:FirewallPolicyRuleGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallPolicyRuleGroup, __self__).__init__( 'azure-native:network:FirewallPolicyRuleGroup', diff --git a/sdk/python/pulumi_azure_native/network/flow_log.py b/sdk/python/pulumi_azure_native/network/flow_log.py index 39f219e8eaeb..62dd751ebdad 100644 --- a/sdk/python/pulumi_azure_native/network/flow_log.py +++ b/sdk/python/pulumi_azure_native/network/flow_log.py @@ -370,7 +370,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["target_resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20191101:FlowLog"), pulumi.Alias(type_="azure-native:network/v20191201:FlowLog"), pulumi.Alias(type_="azure-native:network/v20200301:FlowLog"), pulumi.Alias(type_="azure-native:network/v20200401:FlowLog"), pulumi.Alias(type_="azure-native:network/v20200501:FlowLog"), pulumi.Alias(type_="azure-native:network/v20200601:FlowLog"), pulumi.Alias(type_="azure-native:network/v20200701:FlowLog"), pulumi.Alias(type_="azure-native:network/v20200801:FlowLog"), pulumi.Alias(type_="azure-native:network/v20201101:FlowLog"), pulumi.Alias(type_="azure-native:network/v20210201:FlowLog"), pulumi.Alias(type_="azure-native:network/v20210301:FlowLog"), pulumi.Alias(type_="azure-native:network/v20210501:FlowLog"), pulumi.Alias(type_="azure-native:network/v20210801:FlowLog"), pulumi.Alias(type_="azure-native:network/v20220101:FlowLog"), pulumi.Alias(type_="azure-native:network/v20220501:FlowLog"), pulumi.Alias(type_="azure-native:network/v20220701:FlowLog"), pulumi.Alias(type_="azure-native:network/v20220901:FlowLog"), pulumi.Alias(type_="azure-native:network/v20221101:FlowLog"), pulumi.Alias(type_="azure-native:network/v20230201:FlowLog"), pulumi.Alias(type_="azure-native:network/v20230401:FlowLog"), pulumi.Alias(type_="azure-native:network/v20230501:FlowLog"), pulumi.Alias(type_="azure-native:network/v20230601:FlowLog"), pulumi.Alias(type_="azure-native:network/v20230901:FlowLog"), pulumi.Alias(type_="azure-native:network/v20231101:FlowLog"), pulumi.Alias(type_="azure-native:network/v20240101:FlowLog"), pulumi.Alias(type_="azure-native:network/v20240301:FlowLog"), pulumi.Alias(type_="azure-native:network/v20240501:FlowLog")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:FlowLog"), pulumi.Alias(type_="azure-native:network/v20230401:FlowLog"), pulumi.Alias(type_="azure-native:network/v20230501:FlowLog"), pulumi.Alias(type_="azure-native:network/v20230601:FlowLog"), pulumi.Alias(type_="azure-native:network/v20230901:FlowLog"), pulumi.Alias(type_="azure-native:network/v20231101:FlowLog"), pulumi.Alias(type_="azure-native:network/v20240101:FlowLog"), pulumi.Alias(type_="azure-native:network/v20240301:FlowLog"), pulumi.Alias(type_="azure-native:network/v20240501:FlowLog"), pulumi.Alias(type_="azure-native_network_v20191101:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20191201:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20200301:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20200401:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20200501:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20200601:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20200701:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20200801:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20201101:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20210201:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20210301:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20210501:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20210801:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20220101:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20220501:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20220701:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20220901:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20221101:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20230201:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20230401:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20230501:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20230601:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20230901:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20231101:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20240101:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20240301:network:FlowLog"), pulumi.Alias(type_="azure-native_network_v20240501:network:FlowLog")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FlowLog, __self__).__init__( 'azure-native:network:FlowLog', diff --git a/sdk/python/pulumi_azure_native/network/hub_route_table.py b/sdk/python/pulumi_azure_native/network/hub_route_table.py index cb6d564fc964..8f5cdefbb811 100644 --- a/sdk/python/pulumi_azure_native/network/hub_route_table.py +++ b/sdk/python/pulumi_azure_native/network/hub_route_table.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["propagating_connections"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200401:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20200501:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20200601:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20200701:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20200801:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20201101:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20210201:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20210301:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20210501:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20210801:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20220101:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20220501:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20220701:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20220901:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20221101:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20230201:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20230401:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20230501:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20230601:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20230901:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20231101:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20240101:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20240301:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20240501:HubRouteTable")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20230401:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20230501:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20230601:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20230901:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20231101:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20240101:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20240301:HubRouteTable"), pulumi.Alias(type_="azure-native:network/v20240501:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20200401:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20200501:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20200601:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20200701:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20200801:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20201101:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20210201:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20210301:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20210501:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20210801:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20220101:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20220501:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20220701:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20220901:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20221101:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20230201:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20230401:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20230501:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20230601:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20230901:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20231101:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20240101:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20240301:network:HubRouteTable"), pulumi.Alias(type_="azure-native_network_v20240501:network:HubRouteTable")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HubRouteTable, __self__).__init__( 'azure-native:network:HubRouteTable', diff --git a/sdk/python/pulumi_azure_native/network/hub_virtual_network_connection.py b/sdk/python/pulumi_azure_native/network/hub_virtual_network_connection.py index 2c9ab3096a97..5073ca5eac10 100644 --- a/sdk/python/pulumi_azure_native/network/hub_virtual_network_connection.py +++ b/sdk/python/pulumi_azure_native/network/hub_virtual_network_connection.py @@ -285,7 +285,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200501:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20200601:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20200701:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20200801:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20201101:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20210201:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20210301:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20210501:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20210801:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20220101:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20220501:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20220701:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20220901:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20221101:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20230201:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20230401:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20230501:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20230601:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20230901:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20231101:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20240101:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20240301:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20240501:HubVirtualNetworkConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20230401:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20230501:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20230601:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20230901:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20231101:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20240101:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20240301:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:network/v20240501:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20200501:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20200601:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20200701:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20200801:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20201101:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20210201:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20210301:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20210501:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20210801:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20220101:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20220501:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20220701:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20220901:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20221101:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20230201:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20230401:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20230501:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:HubVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:HubVirtualNetworkConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HubVirtualNetworkConnection, __self__).__init__( 'azure-native:network:HubVirtualNetworkConnection', diff --git a/sdk/python/pulumi_azure_native/network/inbound_nat_rule.py b/sdk/python/pulumi_azure_native/network/inbound_nat_rule.py index a5127c9999a6..cd068b48cfaa 100644 --- a/sdk/python/pulumi_azure_native/network/inbound_nat_rule.py +++ b/sdk/python/pulumi_azure_native/network/inbound_nat_rule.py @@ -387,7 +387,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20170601:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20170801:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20170901:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20171001:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20171101:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20180101:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20180201:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20180401:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20180601:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20180701:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20180801:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20181001:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20181101:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20181201:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20190201:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20190401:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20190601:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20190701:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20190801:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20190901:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20191101:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20191201:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20200301:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20200401:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20200501:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20200601:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20200701:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20200801:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20201101:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20210201:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20210301:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20210501:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20210801:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20220101:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20220501:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20220701:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20220901:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20221101:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20230201:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20230401:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20230501:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20230601:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20230901:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20231101:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20240101:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20240301:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20240501:InboundNatRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20230201:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20230401:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20230501:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20230601:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20230901:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20231101:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20240101:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20240301:InboundNatRule"), pulumi.Alias(type_="azure-native:network/v20240501:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20170601:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20170801:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20170901:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20171001:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20171101:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20180101:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20180201:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20180401:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20180601:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20180701:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20180801:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20181001:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20181101:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20181201:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20190201:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20190401:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20190601:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20190701:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20190801:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20190901:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20191101:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20191201:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20200301:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20200401:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20200501:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20200601:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20200701:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20200801:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20201101:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20210201:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20210301:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20210501:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20210801:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20220101:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20220501:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20220701:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20220901:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20221101:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20230201:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20230401:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20230501:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20230601:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20230901:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20231101:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20240101:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20240301:network:InboundNatRule"), pulumi.Alias(type_="azure-native_network_v20240501:network:InboundNatRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InboundNatRule, __self__).__init__( 'azure-native:network:InboundNatRule', diff --git a/sdk/python/pulumi_azure_native/network/interface_endpoint.py b/sdk/python/pulumi_azure_native/network/interface_endpoint.py index 4c13391f2359..f4d5cd66906e 100644 --- a/sdk/python/pulumi_azure_native/network/interface_endpoint.py +++ b/sdk/python/pulumi_azure_native/network/interface_endpoint.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["owner"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180801:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20181001:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20181101:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20181201:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20190201:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20190401:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20190601:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20190701:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20190801:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20190901:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20191101:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20191201:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20200301:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20200401:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20200501:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20200601:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20200701:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20200801:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20201101:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20210201:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20210201:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20210301:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20210501:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20210801:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20220101:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20220501:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20220701:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20220901:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20221101:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20230201:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20230201:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230401:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20230401:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230501:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20230501:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230601:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20230601:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230901:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20230901:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20231101:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20231101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240101:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20240101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240301:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20240301:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240501:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20240501:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network:PrivateEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190201:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20210201:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230201:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230401:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230501:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230601:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230901:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20231101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240301:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240501:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20180801:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20181001:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20181101:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20181201:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20190201:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20190401:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20190601:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20190701:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20190801:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20190901:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20191101:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20191201:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20200301:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20200401:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20200501:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20200601:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20200701:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20200801:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20201101:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20210201:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20210301:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20210501:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20210801:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20220101:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20220501:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20220701:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20220901:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20221101:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20230201:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20230401:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20230501:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20230601:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20230901:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20231101:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20240101:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20240301:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20240501:network:InterfaceEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InterfaceEndpoint, __self__).__init__( 'azure-native:network:InterfaceEndpoint', diff --git a/sdk/python/pulumi_azure_native/network/ip_allocation.py b/sdk/python/pulumi_azure_native/network/ip_allocation.py index a907c37319c2..533906b7750f 100644 --- a/sdk/python/pulumi_azure_native/network/ip_allocation.py +++ b/sdk/python/pulumi_azure_native/network/ip_allocation.py @@ -309,7 +309,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["subnet"] = None __props__.__dict__["virtual_network"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200301:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20200401:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20200501:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20200601:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20200701:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20200801:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20201101:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20210201:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20210301:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20210501:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20210801:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20220101:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20220501:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20220701:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20220901:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20221101:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20230201:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20230401:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20230501:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20230601:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20230901:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20231101:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20240101:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20240301:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20240501:IpAllocation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20230401:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20230501:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20230601:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20230901:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20231101:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20240101:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20240301:IpAllocation"), pulumi.Alias(type_="azure-native:network/v20240501:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20200301:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20200401:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20200501:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20200601:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20200701:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20200801:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20201101:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20210201:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20210301:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20210501:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20210801:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20220101:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20220501:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20220701:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20220901:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20221101:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20230201:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20230401:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20230501:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20230601:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20230901:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20231101:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20240101:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20240301:network:IpAllocation"), pulumi.Alias(type_="azure-native_network_v20240501:network:IpAllocation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IpAllocation, __self__).__init__( 'azure-native:network:IpAllocation', diff --git a/sdk/python/pulumi_azure_native/network/ip_group.py b/sdk/python/pulumi_azure_native/network/ip_group.py index 86ddb600d381..2e27438e2dff 100644 --- a/sdk/python/pulumi_azure_native/network/ip_group.py +++ b/sdk/python/pulumi_azure_native/network/ip_group.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190901:IpGroup"), pulumi.Alias(type_="azure-native:network/v20191101:IpGroup"), pulumi.Alias(type_="azure-native:network/v20191201:IpGroup"), pulumi.Alias(type_="azure-native:network/v20200301:IpGroup"), pulumi.Alias(type_="azure-native:network/v20200401:IpGroup"), pulumi.Alias(type_="azure-native:network/v20200501:IpGroup"), pulumi.Alias(type_="azure-native:network/v20200601:IpGroup"), pulumi.Alias(type_="azure-native:network/v20200701:IpGroup"), pulumi.Alias(type_="azure-native:network/v20200801:IpGroup"), pulumi.Alias(type_="azure-native:network/v20201101:IpGroup"), pulumi.Alias(type_="azure-native:network/v20210201:IpGroup"), pulumi.Alias(type_="azure-native:network/v20210301:IpGroup"), pulumi.Alias(type_="azure-native:network/v20210501:IpGroup"), pulumi.Alias(type_="azure-native:network/v20210801:IpGroup"), pulumi.Alias(type_="azure-native:network/v20220101:IpGroup"), pulumi.Alias(type_="azure-native:network/v20220501:IpGroup"), pulumi.Alias(type_="azure-native:network/v20220701:IpGroup"), pulumi.Alias(type_="azure-native:network/v20220901:IpGroup"), pulumi.Alias(type_="azure-native:network/v20221101:IpGroup"), pulumi.Alias(type_="azure-native:network/v20230201:IpGroup"), pulumi.Alias(type_="azure-native:network/v20230401:IpGroup"), pulumi.Alias(type_="azure-native:network/v20230501:IpGroup"), pulumi.Alias(type_="azure-native:network/v20230601:IpGroup"), pulumi.Alias(type_="azure-native:network/v20230901:IpGroup"), pulumi.Alias(type_="azure-native:network/v20231101:IpGroup"), pulumi.Alias(type_="azure-native:network/v20240101:IpGroup"), pulumi.Alias(type_="azure-native:network/v20240301:IpGroup"), pulumi.Alias(type_="azure-native:network/v20240501:IpGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:IpGroup"), pulumi.Alias(type_="azure-native:network/v20230401:IpGroup"), pulumi.Alias(type_="azure-native:network/v20230501:IpGroup"), pulumi.Alias(type_="azure-native:network/v20230601:IpGroup"), pulumi.Alias(type_="azure-native:network/v20230901:IpGroup"), pulumi.Alias(type_="azure-native:network/v20231101:IpGroup"), pulumi.Alias(type_="azure-native:network/v20240101:IpGroup"), pulumi.Alias(type_="azure-native:network/v20240301:IpGroup"), pulumi.Alias(type_="azure-native:network/v20240501:IpGroup"), pulumi.Alias(type_="azure-native_network_v20190901:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20191101:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20191201:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20200301:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20200401:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20200501:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20200601:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20200701:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20200801:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20201101:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20210201:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20210301:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20210501:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20210801:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20220101:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20220501:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20220701:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20220901:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20221101:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20230201:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20230401:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20230501:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20230601:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20230901:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20231101:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20240101:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20240301:network:IpGroup"), pulumi.Alias(type_="azure-native_network_v20240501:network:IpGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IpGroup, __self__).__init__( 'azure-native:network:IpGroup', diff --git a/sdk/python/pulumi_azure_native/network/ipam_pool.py b/sdk/python/pulumi_azure_native/network/ipam_pool.py index 91bf6711a97d..2ad480b5dcca 100644 --- a/sdk/python/pulumi_azure_native/network/ipam_pool.py +++ b/sdk/python/pulumi_azure_native/network/ipam_pool.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240101preview:IpamPool"), pulumi.Alias(type_="azure-native:network/v20240501:IpamPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240101preview:IpamPool"), pulumi.Alias(type_="azure-native:network/v20240501:IpamPool"), pulumi.Alias(type_="azure-native_network_v20240101preview:network:IpamPool"), pulumi.Alias(type_="azure-native_network_v20240501:network:IpamPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IpamPool, __self__).__init__( 'azure-native:network:IpamPool', diff --git a/sdk/python/pulumi_azure_native/network/load_balancer.py b/sdk/python/pulumi_azure_native/network/load_balancer.py index 6ecc2c44e005..2bff496eb7cb 100644 --- a/sdk/python/pulumi_azure_native/network/load_balancer.py +++ b/sdk/python/pulumi_azure_native/network/load_balancer.py @@ -373,7 +373,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20150615:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20160330:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20160601:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20160901:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20161201:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20170301:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20170601:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20170801:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20170901:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20171001:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20171101:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20180101:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20180201:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20180401:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20180601:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20180701:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20180801:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20181001:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20181101:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20181201:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20190201:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20190401:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20190601:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20190701:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20190801:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20190901:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20191101:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20191201:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20200301:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20200401:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20200501:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20200601:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20200701:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20200801:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20201101:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20210201:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20210301:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20210501:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20210801:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20220101:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20220501:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20220701:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20220901:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20221101:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20230201:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20230401:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20230501:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20230601:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20230901:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20231101:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20240101:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20240301:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20240501:LoadBalancer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180601:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20190601:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20190801:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20230201:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20230401:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20230501:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20230601:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20230901:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20231101:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20240101:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20240301:LoadBalancer"), pulumi.Alias(type_="azure-native:network/v20240501:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20150615:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20160330:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20160601:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20160901:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20161201:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20170301:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20170601:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20170801:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20170901:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20171001:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20171101:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20180101:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20180201:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20180401:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20180601:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20180701:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20180801:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20181001:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20181101:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20181201:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20190201:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20190401:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20190601:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20190701:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20190801:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20190901:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20191101:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20191201:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20200301:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20200401:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20200501:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20200601:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20200701:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20200801:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20201101:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20210201:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20210301:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20210501:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20210801:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20220101:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20220501:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20220701:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20220901:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20221101:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20230201:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20230401:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20230501:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20230601:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20230901:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20231101:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20240101:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20240301:network:LoadBalancer"), pulumi.Alias(type_="azure-native_network_v20240501:network:LoadBalancer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LoadBalancer, __self__).__init__( 'azure-native:network:LoadBalancer', diff --git a/sdk/python/pulumi_azure_native/network/load_balancer_backend_address_pool.py b/sdk/python/pulumi_azure_native/network/load_balancer_backend_address_pool.py index 76ef18b450c0..913b130b4c70 100644 --- a/sdk/python/pulumi_azure_native/network/load_balancer_backend_address_pool.py +++ b/sdk/python/pulumi_azure_native/network/load_balancer_backend_address_pool.py @@ -311,7 +311,7 @@ def _internal_init(__self__, __props__.__dict__["outbound_rules"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200401:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20200501:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20200601:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20200701:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20200801:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20201101:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20210201:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20210301:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20210501:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20210801:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20220101:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20220501:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20220701:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20220901:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20221101:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20230201:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20230401:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20230501:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20230601:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20230901:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20231101:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20240101:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20240301:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20240501:LoadBalancerBackendAddressPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20230401:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20230501:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20230601:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20230901:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20231101:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20240101:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20240301:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native:network/v20240501:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20200401:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20200501:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20200601:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20200701:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20200801:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20201101:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20210201:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20210301:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20210501:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20210801:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20220101:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20220501:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20220701:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20220901:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20221101:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20230201:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20230401:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20230501:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20230601:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20230901:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20231101:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20240101:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20240301:network:LoadBalancerBackendAddressPool"), pulumi.Alias(type_="azure-native_network_v20240501:network:LoadBalancerBackendAddressPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LoadBalancerBackendAddressPool, __self__).__init__( 'azure-native:network:LoadBalancerBackendAddressPool', diff --git a/sdk/python/pulumi_azure_native/network/local_network_gateway.py b/sdk/python/pulumi_azure_native/network/local_network_gateway.py index 7851b9cf70c6..4b07088a1303 100644 --- a/sdk/python/pulumi_azure_native/network/local_network_gateway.py +++ b/sdk/python/pulumi_azure_native/network/local_network_gateway.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150615:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20160330:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20160601:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20160901:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20161201:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20170301:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20170601:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20170801:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20170901:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20171001:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20171101:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180101:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180201:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180401:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180601:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180701:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180801:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20181001:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20181101:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20181201:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190201:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190401:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190601:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190701:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190801:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190901:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20191101:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20191201:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200301:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200401:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200501:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200601:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200701:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200801:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20201101:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20210201:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20210301:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20210501:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20210801:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20220101:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20220501:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20220701:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20220901:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20221101:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230201:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230401:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230501:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230601:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230901:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20231101:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240101:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240301:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240501:LocalNetworkGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190801:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230201:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230401:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230501:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230601:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230901:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20231101:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240101:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240301:LocalNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240501:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20150615:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20160330:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20160601:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20160901:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20161201:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20170301:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20170601:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20170801:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20170901:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20171001:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20171101:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180101:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180201:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180401:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180601:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180701:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180801:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20181001:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20181101:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20181201:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190201:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190401:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190601:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190701:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190801:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190901:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20191101:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20191201:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200301:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200401:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200501:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200601:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200701:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200801:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20201101:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20210201:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20210301:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20210501:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20210801:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20220101:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20220501:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20220701:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20220901:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20221101:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20230201:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20230401:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20230501:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20230601:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20230901:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20231101:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20240101:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20240301:network:LocalNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20240501:network:LocalNetworkGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LocalNetworkGateway, __self__).__init__( 'azure-native:network:LocalNetworkGateway', diff --git a/sdk/python/pulumi_azure_native/network/management_group_network_manager_connection.py b/sdk/python/pulumi_azure_native/network/management_group_network_manager_connection.py index fdd7bf8f1a9f..a553494f4227 100644 --- a/sdk/python/pulumi_azure_native/network/management_group_network_manager_connection.py +++ b/sdk/python/pulumi_azure_native/network/management_group_network_manager_connection.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220101:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20220201preview:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20220401preview:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20220501:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20220701:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20220901:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20221101:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230201:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230401:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230501:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230601:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230901:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20231101:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240101:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240301:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240501:ManagementGroupNetworkManagerConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230401:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230501:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230601:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230901:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20231101:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240101:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240301:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240501:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220101:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220501:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220701:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220901:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20221101:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20230201:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20230401:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20230501:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:ManagementGroupNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:ManagementGroupNetworkManagerConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagementGroupNetworkManagerConnection, __self__).__init__( 'azure-native:network:ManagementGroupNetworkManagerConnection', diff --git a/sdk/python/pulumi_azure_native/network/nat_gateway.py b/sdk/python/pulumi_azure_native/network/nat_gateway.py index 3d6e6734819d..dadb50f90571 100644 --- a/sdk/python/pulumi_azure_native/network/nat_gateway.py +++ b/sdk/python/pulumi_azure_native/network/nat_gateway.py @@ -288,7 +288,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["subnets"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190201:NatGateway"), pulumi.Alias(type_="azure-native:network/v20190401:NatGateway"), pulumi.Alias(type_="azure-native:network/v20190601:NatGateway"), pulumi.Alias(type_="azure-native:network/v20190701:NatGateway"), pulumi.Alias(type_="azure-native:network/v20190801:NatGateway"), pulumi.Alias(type_="azure-native:network/v20190901:NatGateway"), pulumi.Alias(type_="azure-native:network/v20191101:NatGateway"), pulumi.Alias(type_="azure-native:network/v20191201:NatGateway"), pulumi.Alias(type_="azure-native:network/v20200301:NatGateway"), pulumi.Alias(type_="azure-native:network/v20200401:NatGateway"), pulumi.Alias(type_="azure-native:network/v20200501:NatGateway"), pulumi.Alias(type_="azure-native:network/v20200601:NatGateway"), pulumi.Alias(type_="azure-native:network/v20200701:NatGateway"), pulumi.Alias(type_="azure-native:network/v20200801:NatGateway"), pulumi.Alias(type_="azure-native:network/v20201101:NatGateway"), pulumi.Alias(type_="azure-native:network/v20210201:NatGateway"), pulumi.Alias(type_="azure-native:network/v20210301:NatGateway"), pulumi.Alias(type_="azure-native:network/v20210501:NatGateway"), pulumi.Alias(type_="azure-native:network/v20210801:NatGateway"), pulumi.Alias(type_="azure-native:network/v20220101:NatGateway"), pulumi.Alias(type_="azure-native:network/v20220501:NatGateway"), pulumi.Alias(type_="azure-native:network/v20220701:NatGateway"), pulumi.Alias(type_="azure-native:network/v20220901:NatGateway"), pulumi.Alias(type_="azure-native:network/v20221101:NatGateway"), pulumi.Alias(type_="azure-native:network/v20230201:NatGateway"), pulumi.Alias(type_="azure-native:network/v20230401:NatGateway"), pulumi.Alias(type_="azure-native:network/v20230501:NatGateway"), pulumi.Alias(type_="azure-native:network/v20230601:NatGateway"), pulumi.Alias(type_="azure-native:network/v20230901:NatGateway"), pulumi.Alias(type_="azure-native:network/v20231101:NatGateway"), pulumi.Alias(type_="azure-native:network/v20240101:NatGateway"), pulumi.Alias(type_="azure-native:network/v20240301:NatGateway"), pulumi.Alias(type_="azure-native:network/v20240501:NatGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:NatGateway"), pulumi.Alias(type_="azure-native:network/v20190801:NatGateway"), pulumi.Alias(type_="azure-native:network/v20230201:NatGateway"), pulumi.Alias(type_="azure-native:network/v20230401:NatGateway"), pulumi.Alias(type_="azure-native:network/v20230501:NatGateway"), pulumi.Alias(type_="azure-native:network/v20230601:NatGateway"), pulumi.Alias(type_="azure-native:network/v20230901:NatGateway"), pulumi.Alias(type_="azure-native:network/v20231101:NatGateway"), pulumi.Alias(type_="azure-native:network/v20240101:NatGateway"), pulumi.Alias(type_="azure-native:network/v20240301:NatGateway"), pulumi.Alias(type_="azure-native:network/v20240501:NatGateway"), pulumi.Alias(type_="azure-native_network_v20190201:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20190401:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20190601:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20190701:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20190801:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20190901:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20191101:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20191201:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20200301:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20200401:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20200501:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20200601:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20200701:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20200801:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20201101:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20210201:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20210301:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20210501:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20210801:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20220101:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20220501:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20220701:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20220901:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20221101:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20230201:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20230401:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20230501:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20230601:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20230901:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20231101:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20240101:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20240301:network:NatGateway"), pulumi.Alias(type_="azure-native_network_v20240501:network:NatGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NatGateway, __self__).__init__( 'azure-native:network:NatGateway', diff --git a/sdk/python/pulumi_azure_native/network/nat_rule.py b/sdk/python/pulumi_azure_native/network/nat_rule.py index d72ee77396e4..d9bf116cf042 100644 --- a/sdk/python/pulumi_azure_native/network/nat_rule.py +++ b/sdk/python/pulumi_azure_native/network/nat_rule.py @@ -287,7 +287,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["ingress_vpn_site_link_connections"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200801:NatRule"), pulumi.Alias(type_="azure-native:network/v20201101:NatRule"), pulumi.Alias(type_="azure-native:network/v20210201:NatRule"), pulumi.Alias(type_="azure-native:network/v20210301:NatRule"), pulumi.Alias(type_="azure-native:network/v20210501:NatRule"), pulumi.Alias(type_="azure-native:network/v20210801:NatRule"), pulumi.Alias(type_="azure-native:network/v20220101:NatRule"), pulumi.Alias(type_="azure-native:network/v20220501:NatRule"), pulumi.Alias(type_="azure-native:network/v20220701:NatRule"), pulumi.Alias(type_="azure-native:network/v20220901:NatRule"), pulumi.Alias(type_="azure-native:network/v20221101:NatRule"), pulumi.Alias(type_="azure-native:network/v20230201:NatRule"), pulumi.Alias(type_="azure-native:network/v20230401:NatRule"), pulumi.Alias(type_="azure-native:network/v20230501:NatRule"), pulumi.Alias(type_="azure-native:network/v20230601:NatRule"), pulumi.Alias(type_="azure-native:network/v20230901:NatRule"), pulumi.Alias(type_="azure-native:network/v20231101:NatRule"), pulumi.Alias(type_="azure-native:network/v20240101:NatRule"), pulumi.Alias(type_="azure-native:network/v20240301:NatRule"), pulumi.Alias(type_="azure-native:network/v20240501:NatRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:NatRule"), pulumi.Alias(type_="azure-native:network/v20230401:NatRule"), pulumi.Alias(type_="azure-native:network/v20230501:NatRule"), pulumi.Alias(type_="azure-native:network/v20230601:NatRule"), pulumi.Alias(type_="azure-native:network/v20230901:NatRule"), pulumi.Alias(type_="azure-native:network/v20231101:NatRule"), pulumi.Alias(type_="azure-native:network/v20240101:NatRule"), pulumi.Alias(type_="azure-native:network/v20240301:NatRule"), pulumi.Alias(type_="azure-native:network/v20240501:NatRule"), pulumi.Alias(type_="azure-native_network_v20200801:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20201101:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20210201:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20210301:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20210501:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20210801:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20220101:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20220501:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20220701:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20220901:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20221101:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20230201:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20230401:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20230501:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20230601:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20230901:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20231101:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20240101:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20240301:network:NatRule"), pulumi.Alias(type_="azure-native_network_v20240501:network:NatRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NatRule, __self__).__init__( 'azure-native:network:NatRule', diff --git a/sdk/python/pulumi_azure_native/network/network_group.py b/sdk/python/pulumi_azure_native/network/network_group.py index 36db33e447c6..e6b7bb5fea9a 100644 --- a/sdk/python/pulumi_azure_native/network/network_group.py +++ b/sdk/python/pulumi_azure_native/network/network_group.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20210501preview:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20220101:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20220201preview:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20220401preview:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20220501:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20220701:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20220901:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20221101:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20210501preview:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20220401preview:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkGroup"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20220101:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20220501:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20220701:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20220901:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20221101:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20230201:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20230401:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20230501:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20230601:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20230901:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20231101:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20240101:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20240301:network:NetworkGroup"), pulumi.Alias(type_="azure-native_network_v20240501:network:NetworkGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkGroup, __self__).__init__( 'azure-native:network:NetworkGroup', diff --git a/sdk/python/pulumi_azure_native/network/network_interface.py b/sdk/python/pulumi_azure_native/network/network_interface.py index e63701fe653b..98145b480691 100644 --- a/sdk/python/pulumi_azure_native/network/network_interface.py +++ b/sdk/python/pulumi_azure_native/network/network_interface.py @@ -456,7 +456,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["virtual_machine"] = None __props__.__dict__["vnet_encryption_supported"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20150615:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20160330:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20160601:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20160901:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20161201:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20170301:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20170601:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20170801:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20170901:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20171001:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20171101:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20180101:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20180201:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20180401:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20180601:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20180701:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20180801:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20181001:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20181101:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20181201:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20190201:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20190401:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20190601:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20190701:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20190801:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20190901:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20191101:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20191201:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20200301:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20200401:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20200501:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20200601:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20200701:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20200801:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20201101:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20210201:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20210301:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20210501:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20210801:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20220101:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20220501:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20220701:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20220901:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20221101:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkInterface")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180701:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20190201:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20190601:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20190801:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkInterface"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20150615:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20160330:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20160601:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20160901:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20161201:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20170301:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20170601:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20170801:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20170901:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20171001:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20171101:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20180101:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20180201:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20180401:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20180601:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20180701:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20180801:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20181001:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20181101:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20181201:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20190201:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20190401:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20190601:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20190701:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20190801:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20190901:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20191101:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20191201:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20200301:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20200401:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20200501:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20200601:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20200701:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20200801:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20201101:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20210201:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20210301:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20210501:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20210801:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20220101:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20220501:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20220701:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20220901:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20221101:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20230201:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20230401:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20230501:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20230601:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20230901:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20231101:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20240101:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20240301:network:NetworkInterface"), pulumi.Alias(type_="azure-native_network_v20240501:network:NetworkInterface")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkInterface, __self__).__init__( 'azure-native:network:NetworkInterface', diff --git a/sdk/python/pulumi_azure_native/network/network_interface_tap_configuration.py b/sdk/python/pulumi_azure_native/network/network_interface_tap_configuration.py index 7a72af2b7a56..e5a8f0d7792b 100644 --- a/sdk/python/pulumi_azure_native/network/network_interface_tap_configuration.py +++ b/sdk/python/pulumi_azure_native/network/network_interface_tap_configuration.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180801:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20181001:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20181101:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20181201:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20190201:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20190401:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20190601:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20190701:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20190801:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20190901:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20191101:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20191201:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20200301:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20200401:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20200501:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20200601:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20200701:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20200801:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20201101:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20210201:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20210301:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20210501:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20210801:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20220101:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20220501:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20220701:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20220901:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20221101:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkInterfaceTapConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20180801:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20181001:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20181101:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20181201:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20190201:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20190401:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20190601:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20190701:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20190801:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20190901:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20191101:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20191201:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20200301:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20200401:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20200501:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20200601:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20200701:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20200801:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20201101:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20210201:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20210301:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20210501:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20210801:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20220101:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20220501:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20220701:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20220901:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20221101:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20230201:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20230401:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20230501:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20230601:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20230901:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20231101:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20240101:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20240301:network:NetworkInterfaceTapConfiguration"), pulumi.Alias(type_="azure-native_network_v20240501:network:NetworkInterfaceTapConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkInterfaceTapConfiguration, __self__).__init__( 'azure-native:network:NetworkInterfaceTapConfiguration', diff --git a/sdk/python/pulumi_azure_native/network/network_manager.py b/sdk/python/pulumi_azure_native/network/network_manager.py index f9c433ffb925..69a88a82ca9b 100644 --- a/sdk/python/pulumi_azure_native/network/network_manager.py +++ b/sdk/python/pulumi_azure_native/network/network_manager.py @@ -249,7 +249,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20210501preview:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20220101:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20220201preview:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20220401preview:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20220501:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20220701:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20220901:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20221101:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20240101preview:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkManager")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20210501preview:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20240101preview:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkManager"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20220101:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20220501:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20220701:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20220901:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20221101:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20230201:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20230401:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20230501:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20230601:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20230901:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20231101:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20240101:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20240101preview:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20240301:network:NetworkManager"), pulumi.Alias(type_="azure-native_network_v20240501:network:NetworkManager")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkManager, __self__).__init__( 'azure-native:network:NetworkManager', diff --git a/sdk/python/pulumi_azure_native/network/network_manager_routing_configuration.py b/sdk/python/pulumi_azure_native/network/network_manager_routing_configuration.py index 5ee86a2b7e46..8618a7e43374 100644 --- a/sdk/python/pulumi_azure_native/network/network_manager_routing_configuration.py +++ b/sdk/python/pulumi_azure_native/network/network_manager_routing_configuration.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240301:NetworkManagerRoutingConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkManagerRoutingConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240301:NetworkManagerRoutingConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkManagerRoutingConfiguration"), pulumi.Alias(type_="azure-native_network_v20240301:network:NetworkManagerRoutingConfiguration"), pulumi.Alias(type_="azure-native_network_v20240501:network:NetworkManagerRoutingConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkManagerRoutingConfiguration, __self__).__init__( 'azure-native:network:NetworkManagerRoutingConfiguration', diff --git a/sdk/python/pulumi_azure_native/network/network_profile.py b/sdk/python/pulumi_azure_native/network/network_profile.py index 21c8b0c9f1f0..5979fbce0773 100644 --- a/sdk/python/pulumi_azure_native/network/network_profile.py +++ b/sdk/python/pulumi_azure_native/network/network_profile.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180801:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20181001:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20181101:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20181201:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20190201:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20190401:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20190601:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20190701:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20190801:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20190901:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20191101:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20191201:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20200301:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20200401:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20200501:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20200601:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20200701:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20200801:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20201101:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20210201:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20210301:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20210501:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20210801:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20220101:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20220501:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20220701:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20220901:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20221101:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190801:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkProfile"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20180801:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20181001:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20181101:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20181201:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20190201:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20190401:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20190601:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20190701:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20190801:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20190901:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20191101:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20191201:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20200301:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20200401:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20200501:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20200601:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20200701:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20200801:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20201101:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20210201:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20210301:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20210501:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20210801:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20220101:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20220501:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20220701:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20220901:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20221101:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20230201:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20230401:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20230501:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20230601:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20230901:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20231101:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20240101:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20240301:network:NetworkProfile"), pulumi.Alias(type_="azure-native_network_v20240501:network:NetworkProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkProfile, __self__).__init__( 'azure-native:network:NetworkProfile', diff --git a/sdk/python/pulumi_azure_native/network/network_security_group.py b/sdk/python/pulumi_azure_native/network/network_security_group.py index 2f3355a7e990..c91fa1e3338a 100644 --- a/sdk/python/pulumi_azure_native/network/network_security_group.py +++ b/sdk/python/pulumi_azure_native/network/network_security_group.py @@ -234,7 +234,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["subnets"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20150615:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20160330:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20160601:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20160901:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20161201:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20170301:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20170601:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20170801:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20170901:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20171001:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20171101:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180101:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180201:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180401:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180601:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180701:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20180801:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20181001:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20181101:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20181201:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190201:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190401:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190601:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190701:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190801:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190901:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20191101:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20191201:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200301:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200401:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200501:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200601:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200701:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20200801:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20201101:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20210201:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20210301:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20210501:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20210801:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20220101:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20220501:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20220701:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20220901:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20221101:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkSecurityGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20190801:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20150615:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20160330:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20160601:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20160901:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20161201:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20170301:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20170601:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20170801:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20170901:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20171001:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20171101:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180101:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180201:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180401:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180601:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180701:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20180801:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20181001:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20181101:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20181201:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190201:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190401:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190601:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190701:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190801:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20190901:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20191101:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20191201:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200301:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200401:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200501:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200601:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200701:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20200801:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20201101:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20210201:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20210301:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20210501:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20210801:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20220101:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20220501:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20220701:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20220901:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20221101:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20230201:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20230401:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20230501:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20230601:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20230901:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20231101:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20240101:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20240301:network:NetworkSecurityGroup"), pulumi.Alias(type_="azure-native_network_v20240501:network:NetworkSecurityGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkSecurityGroup, __self__).__init__( 'azure-native:network:NetworkSecurityGroup', diff --git a/sdk/python/pulumi_azure_native/network/network_security_perimeter.py b/sdk/python/pulumi_azure_native/network/network_security_perimeter.py index dfbeeb692191..6a6347dfc3a5 100644 --- a/sdk/python/pulumi_azure_native/network/network_security_perimeter.py +++ b/sdk/python/pulumi_azure_native/network/network_security_perimeter.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["perimeter_guid"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native:network/v20210301preview:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native:network/v20230701preview:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native:network/v20230801preview:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native:network/v20240601preview:NetworkSecurityPerimeter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native:network/v20210301preview:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native:network/v20230701preview:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native:network/v20230801preview:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native_network_v20210301preview:network:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native_network_v20230701preview:network:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native_network_v20230801preview:network:NetworkSecurityPerimeter"), pulumi.Alias(type_="azure-native_network_v20240601preview:network:NetworkSecurityPerimeter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkSecurityPerimeter, __self__).__init__( 'azure-native:network:NetworkSecurityPerimeter', diff --git a/sdk/python/pulumi_azure_native/network/network_security_perimeter_access_rule.py b/sdk/python/pulumi_azure_native/network/network_security_perimeter_access_rule.py index 7523e435e3f8..1a5bcccfdac8 100644 --- a/sdk/python/pulumi_azure_native/network/network_security_perimeter_access_rule.py +++ b/sdk/python/pulumi_azure_native/network/network_security_perimeter_access_rule.py @@ -364,7 +364,7 @@ def _internal_init(__self__, __props__.__dict__["network_security_perimeters"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NetworkSecurityPerimeterAccessRule"), pulumi.Alias(type_="azure-native:network/v20210201preview:NspAccessRule"), pulumi.Alias(type_="azure-native:network/v20230701preview:NetworkSecurityPerimeterAccessRule"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspAccessRule"), pulumi.Alias(type_="azure-native:network/v20230801preview:NetworkSecurityPerimeterAccessRule"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspAccessRule"), pulumi.Alias(type_="azure-native:network/v20240601preview:NetworkSecurityPerimeterAccessRule"), pulumi.Alias(type_="azure-native:network:NspAccessRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspAccessRule"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspAccessRule"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspAccessRule"), pulumi.Alias(type_="azure-native:network:NspAccessRule"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:NetworkSecurityPerimeterAccessRule"), pulumi.Alias(type_="azure-native_network_v20230701preview:network:NetworkSecurityPerimeterAccessRule"), pulumi.Alias(type_="azure-native_network_v20230801preview:network:NetworkSecurityPerimeterAccessRule"), pulumi.Alias(type_="azure-native_network_v20240601preview:network:NetworkSecurityPerimeterAccessRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkSecurityPerimeterAccessRule, __self__).__init__( 'azure-native:network:NetworkSecurityPerimeterAccessRule', diff --git a/sdk/python/pulumi_azure_native/network/network_security_perimeter_association.py b/sdk/python/pulumi_azure_native/network/network_security_perimeter_association.py index e839d17254a5..72513c20b7b4 100644 --- a/sdk/python/pulumi_azure_native/network/network_security_perimeter_association.py +++ b/sdk/python/pulumi_azure_native/network/network_security_perimeter_association.py @@ -263,7 +263,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NetworkSecurityPerimeterAssociation"), pulumi.Alias(type_="azure-native:network/v20210201preview:NspAssociation"), pulumi.Alias(type_="azure-native:network/v20230701preview:NetworkSecurityPerimeterAssociation"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspAssociation"), pulumi.Alias(type_="azure-native:network/v20230801preview:NetworkSecurityPerimeterAssociation"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspAssociation"), pulumi.Alias(type_="azure-native:network/v20240601preview:NetworkSecurityPerimeterAssociation"), pulumi.Alias(type_="azure-native:network:NspAssociation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspAssociation"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspAssociation"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspAssociation"), pulumi.Alias(type_="azure-native:network:NspAssociation"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:NetworkSecurityPerimeterAssociation"), pulumi.Alias(type_="azure-native_network_v20230701preview:network:NetworkSecurityPerimeterAssociation"), pulumi.Alias(type_="azure-native_network_v20230801preview:network:NetworkSecurityPerimeterAssociation"), pulumi.Alias(type_="azure-native_network_v20240601preview:network:NetworkSecurityPerimeterAssociation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkSecurityPerimeterAssociation, __self__).__init__( 'azure-native:network:NetworkSecurityPerimeterAssociation', diff --git a/sdk/python/pulumi_azure_native/network/network_security_perimeter_link.py b/sdk/python/pulumi_azure_native/network/network_security_perimeter_link.py index 286d07522209..0d2e3ae4bd98 100644 --- a/sdk/python/pulumi_azure_native/network/network_security_perimeter_link.py +++ b/sdk/python/pulumi_azure_native/network/network_security_perimeter_link.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["remote_perimeter_location"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NetworkSecurityPerimeterLink"), pulumi.Alias(type_="azure-native:network/v20210201preview:NspLink"), pulumi.Alias(type_="azure-native:network/v20230701preview:NetworkSecurityPerimeterLink"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspLink"), pulumi.Alias(type_="azure-native:network/v20230801preview:NetworkSecurityPerimeterLink"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspLink"), pulumi.Alias(type_="azure-native:network/v20240601preview:NetworkSecurityPerimeterLink"), pulumi.Alias(type_="azure-native:network:NspLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspLink"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspLink"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspLink"), pulumi.Alias(type_="azure-native:network:NspLink"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:NetworkSecurityPerimeterLink"), pulumi.Alias(type_="azure-native_network_v20230701preview:network:NetworkSecurityPerimeterLink"), pulumi.Alias(type_="azure-native_network_v20230801preview:network:NetworkSecurityPerimeterLink"), pulumi.Alias(type_="azure-native_network_v20240601preview:network:NetworkSecurityPerimeterLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkSecurityPerimeterLink, __self__).__init__( 'azure-native:network:NetworkSecurityPerimeterLink', diff --git a/sdk/python/pulumi_azure_native/network/network_security_perimeter_logging_configuration.py b/sdk/python/pulumi_azure_native/network/network_security_perimeter_logging_configuration.py index e9e8939a133e..88f8d14661a2 100644 --- a/sdk/python/pulumi_azure_native/network/network_security_perimeter_logging_configuration.py +++ b/sdk/python/pulumi_azure_native/network/network_security_perimeter_logging_configuration.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240601preview:NetworkSecurityPerimeterLoggingConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_network_v20240601preview:network:NetworkSecurityPerimeterLoggingConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkSecurityPerimeterLoggingConfiguration, __self__).__init__( 'azure-native:network:NetworkSecurityPerimeterLoggingConfiguration', diff --git a/sdk/python/pulumi_azure_native/network/network_security_perimeter_profile.py b/sdk/python/pulumi_azure_native/network/network_security_perimeter_profile.py index 1bcd35ec0fb6..c0adbc148267 100644 --- a/sdk/python/pulumi_azure_native/network/network_security_perimeter_profile.py +++ b/sdk/python/pulumi_azure_native/network/network_security_perimeter_profile.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["diagnostic_settings_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NetworkSecurityPerimeterProfile"), pulumi.Alias(type_="azure-native:network/v20210201preview:NspProfile"), pulumi.Alias(type_="azure-native:network/v20230701preview:NetworkSecurityPerimeterProfile"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspProfile"), pulumi.Alias(type_="azure-native:network/v20230801preview:NetworkSecurityPerimeterProfile"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspProfile"), pulumi.Alias(type_="azure-native:network/v20240601preview:NetworkSecurityPerimeterProfile"), pulumi.Alias(type_="azure-native:network:NspProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspProfile"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspProfile"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspProfile"), pulumi.Alias(type_="azure-native:network:NspProfile"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:NetworkSecurityPerimeterProfile"), pulumi.Alias(type_="azure-native_network_v20230701preview:network:NetworkSecurityPerimeterProfile"), pulumi.Alias(type_="azure-native_network_v20230801preview:network:NetworkSecurityPerimeterProfile"), pulumi.Alias(type_="azure-native_network_v20240601preview:network:NetworkSecurityPerimeterProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkSecurityPerimeterProfile, __self__).__init__( 'azure-native:network:NetworkSecurityPerimeterProfile', diff --git a/sdk/python/pulumi_azure_native/network/network_virtual_appliance.py b/sdk/python/pulumi_azure_native/network/network_virtual_appliance.py index e31065fab792..add48ea8e264 100644 --- a/sdk/python/pulumi_azure_native/network/network_virtual_appliance.py +++ b/sdk/python/pulumi_azure_native/network/network_virtual_appliance.py @@ -433,7 +433,7 @@ def _internal_init(__self__, __props__.__dict__["virtual_appliance_connections"] = None __props__.__dict__["virtual_appliance_nics"] = None __props__.__dict__["virtual_appliance_sites"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20191201:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20200301:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20200401:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20200501:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20200601:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20200701:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20200801:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20201101:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20210201:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20210301:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20210501:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20210801:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20220101:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20220501:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20220701:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20220901:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20221101:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkVirtualAppliance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200401:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20191201:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20200301:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20200401:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20200501:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20200601:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20200701:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20200801:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20201101:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20210201:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20210301:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20210501:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20210801:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20220101:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20220501:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20220701:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20220901:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20221101:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20230201:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20230401:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20230501:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20230601:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20230901:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20231101:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20240101:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20240301:network:NetworkVirtualAppliance"), pulumi.Alias(type_="azure-native_network_v20240501:network:NetworkVirtualAppliance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkVirtualAppliance, __self__).__init__( 'azure-native:network:NetworkVirtualAppliance', diff --git a/sdk/python/pulumi_azure_native/network/network_virtual_appliance_connection.py b/sdk/python/pulumi_azure_native/network/network_virtual_appliance_connection.py index 067468696980..b801cb9b6496 100644 --- a/sdk/python/pulumi_azure_native/network/network_virtual_appliance_connection.py +++ b/sdk/python/pulumi_azure_native/network/network_virtual_appliance_connection.py @@ -203,7 +203,7 @@ def _internal_init(__self__, raise TypeError("Missing required property 'resource_group_name'") __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230601:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkVirtualApplianceConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230601:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:NetworkVirtualApplianceConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:NetworkVirtualApplianceConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkVirtualApplianceConnection, __self__).__init__( 'azure-native:network:NetworkVirtualApplianceConnection', diff --git a/sdk/python/pulumi_azure_native/network/network_watcher.py b/sdk/python/pulumi_azure_native/network/network_watcher.py index 914f34076215..7c73988f9864 100644 --- a/sdk/python/pulumi_azure_native/network/network_watcher.py +++ b/sdk/python/pulumi_azure_native/network/network_watcher.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20160901:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20161201:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20170301:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20170601:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20170801:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20170901:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20171001:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20171101:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20180101:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20180201:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20180401:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20180601:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20180701:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20180801:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20181001:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20181101:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20181201:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20190201:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20190401:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20190601:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20190701:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20190801:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20190901:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20191101:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20191201:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20200301:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20200401:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20200501:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20200601:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20200701:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20200801:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20201101:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20210201:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20210301:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20210501:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20210801:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20220101:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20220501:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20220701:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20220901:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20221101:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkWatcher")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220501:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20230201:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20230401:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20230501:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20230601:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20230901:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20231101:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20240101:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20240301:NetworkWatcher"), pulumi.Alias(type_="azure-native:network/v20240501:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20160901:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20161201:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20170301:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20170601:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20170801:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20170901:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20171001:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20171101:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20180101:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20180201:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20180401:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20180601:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20180701:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20180801:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20181001:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20181101:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20181201:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20190201:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20190401:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20190601:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20190701:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20190801:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20190901:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20191101:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20191201:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20200301:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20200401:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20200501:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20200601:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20200701:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20200801:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20201101:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20210201:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20210301:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20210501:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20210801:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20220101:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20220501:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20220701:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20220901:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20221101:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20230201:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20230401:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20230501:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20230601:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20230901:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20231101:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20240101:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20240301:network:NetworkWatcher"), pulumi.Alias(type_="azure-native_network_v20240501:network:NetworkWatcher")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NetworkWatcher, __self__).__init__( 'azure-native:network:NetworkWatcher', diff --git a/sdk/python/pulumi_azure_native/network/nsp_access_rule.py b/sdk/python/pulumi_azure_native/network/nsp_access_rule.py index faf30fd0adcb..ab7d21a9a27c 100644 --- a/sdk/python/pulumi_azure_native/network/nsp_access_rule.py +++ b/sdk/python/pulumi_azure_native/network/nsp_access_rule.py @@ -387,7 +387,7 @@ def _internal_init(__self__, __props__.__dict__["network_security_perimeters"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspAccessRule"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspAccessRule"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspAccessRule"), pulumi.Alias(type_="azure-native:network/v20240601preview:NspAccessRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspAccessRule"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspAccessRule"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspAccessRule"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:NspAccessRule"), pulumi.Alias(type_="azure-native_network_v20230701preview:network:NspAccessRule"), pulumi.Alias(type_="azure-native_network_v20230801preview:network:NspAccessRule"), pulumi.Alias(type_="azure-native_network_v20240601preview:network:NspAccessRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NspAccessRule, __self__).__init__( 'azure-native:network:NspAccessRule', diff --git a/sdk/python/pulumi_azure_native/network/nsp_association.py b/sdk/python/pulumi_azure_native/network/nsp_association.py index 86a9895e4f24..6de14c8ef2f2 100644 --- a/sdk/python/pulumi_azure_native/network/nsp_association.py +++ b/sdk/python/pulumi_azure_native/network/nsp_association.py @@ -286,7 +286,7 @@ def _internal_init(__self__, __props__.__dict__["has_provisioning_issues"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspAssociation"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspAssociation"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspAssociation"), pulumi.Alias(type_="azure-native:network/v20240601preview:NspAssociation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspAssociation"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspAssociation"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspAssociation"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:NspAssociation"), pulumi.Alias(type_="azure-native_network_v20230701preview:network:NspAssociation"), pulumi.Alias(type_="azure-native_network_v20230801preview:network:NspAssociation"), pulumi.Alias(type_="azure-native_network_v20240601preview:network:NspAssociation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NspAssociation, __self__).__init__( 'azure-native:network:NspAssociation', diff --git a/sdk/python/pulumi_azure_native/network/nsp_link.py b/sdk/python/pulumi_azure_native/network/nsp_link.py index 13c3836af121..6ce06a3e2871 100644 --- a/sdk/python/pulumi_azure_native/network/nsp_link.py +++ b/sdk/python/pulumi_azure_native/network/nsp_link.py @@ -229,7 +229,7 @@ def _internal_init(__self__, __props__.__dict__["remote_perimeter_location"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspLink"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspLink"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspLink"), pulumi.Alias(type_="azure-native:network/v20240601preview:NspLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspLink"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspLink"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspLink"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:NspLink"), pulumi.Alias(type_="azure-native_network_v20230701preview:network:NspLink"), pulumi.Alias(type_="azure-native_network_v20230801preview:network:NspLink"), pulumi.Alias(type_="azure-native_network_v20240601preview:network:NspLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NspLink, __self__).__init__( 'azure-native:network:NspLink', diff --git a/sdk/python/pulumi_azure_native/network/nsp_profile.py b/sdk/python/pulumi_azure_native/network/nsp_profile.py index 764a1e024581..23a35746f2a2 100644 --- a/sdk/python/pulumi_azure_native/network/nsp_profile.py +++ b/sdk/python/pulumi_azure_native/network/nsp_profile.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["diagnostic_settings_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspProfile"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspProfile"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspProfile"), pulumi.Alias(type_="azure-native:network/v20240601preview:NspProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:NspProfile"), pulumi.Alias(type_="azure-native:network/v20230701preview:NspProfile"), pulumi.Alias(type_="azure-native:network/v20230801preview:NspProfile"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:NspProfile"), pulumi.Alias(type_="azure-native_network_v20230701preview:network:NspProfile"), pulumi.Alias(type_="azure-native_network_v20230801preview:network:NspProfile"), pulumi.Alias(type_="azure-native_network_v20240601preview:network:NspProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NspProfile, __self__).__init__( 'azure-native:network:NspProfile', diff --git a/sdk/python/pulumi_azure_native/network/p2s_vpn_gateway.py b/sdk/python/pulumi_azure_native/network/p2s_vpn_gateway.py index 9b7de5bef35b..b3be10da40e6 100644 --- a/sdk/python/pulumi_azure_native/network/p2s_vpn_gateway.py +++ b/sdk/python/pulumi_azure_native/network/p2s_vpn_gateway.py @@ -307,7 +307,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["vpn_client_connection_health"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180801:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20181001:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20181101:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20181201:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20190201:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20190401:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20190601:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20190701:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20190801:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20190901:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20191101:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20191201:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20200301:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20200401:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20200501:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20200601:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20200701:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20200801:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20201101:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20210201:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20210301:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20210501:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20210801:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20220101:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20220501:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20220701:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20220901:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20221101:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20230201:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20230401:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20230501:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20230601:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20230901:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20231101:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20240101:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20240301:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20240501:P2sVpnGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190701:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20230201:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20230401:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20230501:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20230601:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20230901:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20231101:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20240101:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20240301:P2sVpnGateway"), pulumi.Alias(type_="azure-native:network/v20240501:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20180801:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20181001:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20181101:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20181201:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20190201:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20190401:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20190601:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20190701:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20190801:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20190901:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20191101:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20191201:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20200301:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20200401:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20200501:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20200601:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20200701:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20200801:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20201101:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20210201:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20210301:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20210501:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20210801:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20220101:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20220501:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20220701:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20220901:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20221101:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20230201:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20230401:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20230501:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20230601:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20230901:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20231101:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20240101:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20240301:network:P2sVpnGateway"), pulumi.Alias(type_="azure-native_network_v20240501:network:P2sVpnGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(P2sVpnGateway, __self__).__init__( 'azure-native:network:P2sVpnGateway', diff --git a/sdk/python/pulumi_azure_native/network/p2s_vpn_server_configuration.py b/sdk/python/pulumi_azure_native/network/p2s_vpn_server_configuration.py index 360eac8bc7a0..841fd07a05a8 100644 --- a/sdk/python/pulumi_azure_native/network/p2s_vpn_server_configuration.py +++ b/sdk/python/pulumi_azure_native/network/p2s_vpn_server_configuration.py @@ -204,7 +204,7 @@ def _internal_init(__self__, __props__.__dict__["virtual_wan_name"] = virtual_wan_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["etag"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180801:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20181001:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20181101:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20181201:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20190201:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20190401:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20190601:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20190701:P2sVpnServerConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190701:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20180801:network:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20181001:network:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20181101:network:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20181201:network:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20190201:network:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20190401:network:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20190601:network:P2sVpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20190701:network:P2sVpnServerConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(P2sVpnServerConfiguration, __self__).__init__( 'azure-native:network:P2sVpnServerConfiguration', diff --git a/sdk/python/pulumi_azure_native/network/packet_capture.py b/sdk/python/pulumi_azure_native/network/packet_capture.py index d7dba5eb5ae7..c486e1e4479f 100644 --- a/sdk/python/pulumi_azure_native/network/packet_capture.py +++ b/sdk/python/pulumi_azure_native/network/packet_capture.py @@ -360,7 +360,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20160901:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20161201:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20170301:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20170601:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20170801:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20170901:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20171001:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20171101:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20180101:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20180201:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20180401:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20180601:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20180701:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20180801:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20181001:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20181101:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20181201:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20190201:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20190401:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20190601:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20190701:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20190801:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20190901:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20191101:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20191201:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20200301:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20200401:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20200501:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20200601:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20200701:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20200801:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20201101:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20210201:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20210301:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20210501:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20210801:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20220101:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20220501:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20220701:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20220901:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20221101:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20230201:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20230401:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20230501:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20230601:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20230901:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20231101:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20240101:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20240301:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20240501:PacketCapture")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200601:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20230201:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20230401:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20230501:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20230601:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20230901:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20231101:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20240101:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20240301:PacketCapture"), pulumi.Alias(type_="azure-native:network/v20240501:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20160901:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20161201:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20170301:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20170601:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20170801:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20170901:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20171001:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20171101:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20180101:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20180201:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20180401:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20180601:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20180701:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20180801:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20181001:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20181101:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20181201:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20190201:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20190401:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20190601:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20190701:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20190801:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20190901:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20191101:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20191201:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20200301:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20200401:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20200501:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20200601:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20200701:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20200801:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20201101:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20210201:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20210301:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20210501:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20210801:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20220101:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20220501:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20220701:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20220901:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20221101:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20230201:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20230401:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20230501:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20230601:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20230901:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20231101:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20240101:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20240301:network:PacketCapture"), pulumi.Alias(type_="azure-native_network_v20240501:network:PacketCapture")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PacketCapture, __self__).__init__( 'azure-native:network:PacketCapture', diff --git a/sdk/python/pulumi_azure_native/network/private_dns_zone_group.py b/sdk/python/pulumi_azure_native/network/private_dns_zone_group.py index fcef5c971a71..be420a5d7f7f 100644 --- a/sdk/python/pulumi_azure_native/network/private_dns_zone_group.py +++ b/sdk/python/pulumi_azure_native/network/private_dns_zone_group.py @@ -204,7 +204,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200301:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20200401:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20200501:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20200601:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20200701:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20200801:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20201101:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20210201:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20210301:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20210501:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20210801:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20220101:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20220501:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20220701:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20220901:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20221101:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20230201:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20230401:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20230501:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20230601:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20230901:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20231101:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20240101:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20240301:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20240501:PrivateDnsZoneGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20230201:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20230401:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20230501:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20230601:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20230901:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20231101:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20240101:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20240301:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native:network/v20240501:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20200301:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20200401:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20200501:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20200601:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20200701:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20200801:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20201101:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20210201:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20210301:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20210501:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20210801:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20220101:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20220501:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20220701:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20220901:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20221101:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20230201:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20230401:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20230501:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20230601:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20230901:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20231101:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20240101:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20240301:network:PrivateDnsZoneGroup"), pulumi.Alias(type_="azure-native_network_v20240501:network:PrivateDnsZoneGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateDnsZoneGroup, __self__).__init__( 'azure-native:network:PrivateDnsZoneGroup', diff --git a/sdk/python/pulumi_azure_native/network/private_endpoint.py b/sdk/python/pulumi_azure_native/network/private_endpoint.py index 90ebc4f1499a..5bf9bb8604c3 100644 --- a/sdk/python/pulumi_azure_native/network/private_endpoint.py +++ b/sdk/python/pulumi_azure_native/network/private_endpoint.py @@ -347,7 +347,7 @@ def _internal_init(__self__, __props__.__dict__["network_interfaces"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180801:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20181001:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20181101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20181201:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20190201:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20190201:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20190401:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20190601:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20190701:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20190801:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20190901:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20191101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20191201:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20200301:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20200401:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20200501:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20200601:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20200701:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20200801:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20201101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20210201:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20210301:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20210501:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20210801:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20220101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20220501:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20220701:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20220901:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20221101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230201:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230401:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230501:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230601:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230901:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20231101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240301:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240501:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network:InterfaceEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190201:InterfaceEndpoint"), pulumi.Alias(type_="azure-native:network/v20210201:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230201:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230401:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230501:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230601:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20230901:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20231101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240101:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240301:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network/v20240501:PrivateEndpoint"), pulumi.Alias(type_="azure-native:network:InterfaceEndpoint"), pulumi.Alias(type_="azure-native_network_v20180801:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20181001:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20181101:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20181201:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20190201:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20190401:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20190601:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20190701:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20190801:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20190901:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20191101:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20191201:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20200301:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20200401:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20200501:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20200601:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20200701:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20200801:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20201101:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20210201:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20210301:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20210501:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20210801:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20220101:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20220501:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20220701:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20220901:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20221101:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20230201:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20230401:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20230501:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20230601:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20230901:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20231101:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20240101:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20240301:network:PrivateEndpoint"), pulumi.Alias(type_="azure-native_network_v20240501:network:PrivateEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpoint, __self__).__init__( 'azure-native:network:PrivateEndpoint', diff --git a/sdk/python/pulumi_azure_native/network/private_link_service.py b/sdk/python/pulumi_azure_native/network/private_link_service.py index f215672aa32f..a6b3c60415f2 100644 --- a/sdk/python/pulumi_azure_native/network/private_link_service.py +++ b/sdk/python/pulumi_azure_native/network/private_link_service.py @@ -349,7 +349,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint_connections"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190401:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20190601:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20190701:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20190801:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20190901:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20191101:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20191201:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20200301:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20200401:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20200501:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20200601:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20200701:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20200801:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20201101:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20210201:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20210301:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20210501:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20210801:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20220101:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20220501:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20220701:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20220901:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20221101:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20230201:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20230401:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20230501:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20230601:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20230901:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20231101:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20240101:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20240301:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20240501:PrivateLinkService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190801:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20210201:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20230201:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20230401:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20230501:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20230601:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20230901:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20231101:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20240101:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20240301:PrivateLinkService"), pulumi.Alias(type_="azure-native:network/v20240501:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20190401:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20190601:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20190701:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20190801:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20190901:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20191101:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20191201:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20200301:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20200401:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20200501:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20200601:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20200701:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20200801:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20201101:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20210201:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20210301:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20210501:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20210801:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20220101:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20220501:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20220701:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20220901:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20221101:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20230201:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20230401:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20230501:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20230601:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20230901:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20231101:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20240101:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20240301:network:PrivateLinkService"), pulumi.Alias(type_="azure-native_network_v20240501:network:PrivateLinkService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkService, __self__).__init__( 'azure-native:network:PrivateLinkService', diff --git a/sdk/python/pulumi_azure_native/network/private_link_service_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/network/private_link_service_private_endpoint_connection.py index 1a878efa0b84..70b86ae07811 100644 --- a/sdk/python/pulumi_azure_native/network/private_link_service_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/network/private_link_service_private_endpoint_connection.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint_location"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190901:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20191101:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20191201:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20200301:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20200401:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20200501:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20200601:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20200701:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20200801:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20201101:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20210201:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20210301:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20210501:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20210801:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20220101:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20220501:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20220701:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20220901:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20221101:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230201:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230401:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230501:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230601:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230901:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20231101:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240101:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240301:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240501:PrivateLinkServicePrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230401:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230501:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230601:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20230901:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20231101:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240101:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240301:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:network/v20240501:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20190901:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20191101:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20191201:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20200301:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20200401:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20200501:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20200601:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20200701:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20200801:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20201101:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20210201:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20210301:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20210501:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20210801:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20220101:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20220501:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20220701:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20220901:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20221101:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20230201:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20230401:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20230501:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:PrivateLinkServicePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:PrivateLinkServicePrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicePrivateEndpointConnection, __self__).__init__( 'azure-native:network:PrivateLinkServicePrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/network/public_ip_address.py b/sdk/python/pulumi_azure_native/network/public_ip_address.py index daeee7145a2e..a66bf0ae5632 100644 --- a/sdk/python/pulumi_azure_native/network/public_ip_address.py +++ b/sdk/python/pulumi_azure_native/network/public_ip_address.py @@ -508,7 +508,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20150615:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20160330:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20160601:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20160901:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20161201:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20170301:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20170601:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20170801:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20170901:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20171001:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20171101:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20180101:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20180201:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20180401:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20180601:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20180701:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20180801:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20181001:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20181101:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20181201:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20190201:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20190401:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20190601:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20190701:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20190801:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20190901:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20191101:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20191201:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20200301:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20200401:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20200501:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20200601:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20200701:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20200801:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20201101:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20210201:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20210301:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20210501:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20210801:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20220101:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20220501:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20220701:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20220901:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20221101:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20230201:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20230401:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20230501:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20230601:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20230901:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20231101:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20240101:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20240301:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20240501:PublicIPAddress")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20190801:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20230201:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20230401:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20230501:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20230601:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20230901:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20231101:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20240101:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20240301:PublicIPAddress"), pulumi.Alias(type_="azure-native:network/v20240501:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20150615:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20160330:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20160601:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20160901:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20161201:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20170301:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20170601:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20170801:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20170901:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20171001:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20171101:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20180101:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20180201:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20180401:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20180601:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20180701:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20180801:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20181001:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20181101:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20181201:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20190201:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20190401:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20190601:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20190701:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20190801:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20190901:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20191101:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20191201:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20200301:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20200401:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20200501:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20200601:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20200701:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20200801:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20201101:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20210201:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20210301:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20210501:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20210801:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20220101:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20220501:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20220701:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20220901:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20221101:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20230201:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20230401:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20230501:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20230601:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20230901:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20231101:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20240101:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20240301:network:PublicIPAddress"), pulumi.Alias(type_="azure-native_network_v20240501:network:PublicIPAddress")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PublicIPAddress, __self__).__init__( 'azure-native:network:PublicIPAddress', diff --git a/sdk/python/pulumi_azure_native/network/public_ip_prefix.py b/sdk/python/pulumi_azure_native/network/public_ip_prefix.py index 3da209203669..633ad6c4d03c 100644 --- a/sdk/python/pulumi_azure_native/network/public_ip_prefix.py +++ b/sdk/python/pulumi_azure_native/network/public_ip_prefix.py @@ -350,7 +350,7 @@ def _internal_init(__self__, __props__.__dict__["public_ip_addresses"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180701:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20180801:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20181001:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20181101:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20181201:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20190201:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20190401:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20190601:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20190701:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20190801:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20190901:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20191101:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20191201:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20200301:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20200401:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20200501:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20200601:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20200701:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20200801:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20201101:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20210201:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20210301:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20210501:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20210801:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20220101:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20220501:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20220701:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20220901:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20221101:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230201:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230401:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230501:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230601:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230901:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20231101:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240101:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240301:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240501:PublicIPPrefix")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20190801:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230201:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230401:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230501:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230601:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20230901:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20231101:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240101:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240301:PublicIPPrefix"), pulumi.Alias(type_="azure-native:network/v20240501:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20180701:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20180801:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20181001:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20181101:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20181201:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20190201:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20190401:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20190601:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20190701:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20190801:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20190901:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20191101:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20191201:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20200301:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20200401:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20200501:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20200601:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20200701:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20200801:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20201101:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20210201:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20210301:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20210501:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20210801:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20220101:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20220501:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20220701:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20220901:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20221101:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20230201:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20230401:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20230501:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20230601:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20230901:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20231101:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20240101:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20240301:network:PublicIPPrefix"), pulumi.Alias(type_="azure-native_network_v20240501:network:PublicIPPrefix")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PublicIPPrefix, __self__).__init__( 'azure-native:network:PublicIPPrefix', diff --git a/sdk/python/pulumi_azure_native/network/reachability_analysis_intent.py b/sdk/python/pulumi_azure_native/network/reachability_analysis_intent.py index 7953ceb064c8..29899d5afeb9 100644 --- a/sdk/python/pulumi_azure_native/network/reachability_analysis_intent.py +++ b/sdk/python/pulumi_azure_native/network/reachability_analysis_intent.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240101preview:ReachabilityAnalysisIntent"), pulumi.Alias(type_="azure-native:network/v20240501:ReachabilityAnalysisIntent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240101preview:ReachabilityAnalysisIntent"), pulumi.Alias(type_="azure-native:network/v20240501:ReachabilityAnalysisIntent"), pulumi.Alias(type_="azure-native_network_v20240101preview:network:ReachabilityAnalysisIntent"), pulumi.Alias(type_="azure-native_network_v20240501:network:ReachabilityAnalysisIntent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReachabilityAnalysisIntent, __self__).__init__( 'azure-native:network:ReachabilityAnalysisIntent', diff --git a/sdk/python/pulumi_azure_native/network/reachability_analysis_run.py b/sdk/python/pulumi_azure_native/network/reachability_analysis_run.py index 404018a8a897..ef6694dbfb83 100644 --- a/sdk/python/pulumi_azure_native/network/reachability_analysis_run.py +++ b/sdk/python/pulumi_azure_native/network/reachability_analysis_run.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240101preview:ReachabilityAnalysisRun"), pulumi.Alias(type_="azure-native:network/v20240501:ReachabilityAnalysisRun")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240101preview:ReachabilityAnalysisRun"), pulumi.Alias(type_="azure-native:network/v20240501:ReachabilityAnalysisRun"), pulumi.Alias(type_="azure-native_network_v20240101preview:network:ReachabilityAnalysisRun"), pulumi.Alias(type_="azure-native_network_v20240501:network:ReachabilityAnalysisRun")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReachabilityAnalysisRun, __self__).__init__( 'azure-native:network:ReachabilityAnalysisRun', diff --git a/sdk/python/pulumi_azure_native/network/route.py b/sdk/python/pulumi_azure_native/network/route.py index 1229e9589a4f..3f28151d0994 100644 --- a/sdk/python/pulumi_azure_native/network/route.py +++ b/sdk/python/pulumi_azure_native/network/route.py @@ -265,7 +265,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["has_bgp_override"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:Route"), pulumi.Alias(type_="azure-native:network/v20150615:Route"), pulumi.Alias(type_="azure-native:network/v20160330:Route"), pulumi.Alias(type_="azure-native:network/v20160601:Route"), pulumi.Alias(type_="azure-native:network/v20160901:Route"), pulumi.Alias(type_="azure-native:network/v20161201:Route"), pulumi.Alias(type_="azure-native:network/v20170301:Route"), pulumi.Alias(type_="azure-native:network/v20170601:Route"), pulumi.Alias(type_="azure-native:network/v20170801:Route"), pulumi.Alias(type_="azure-native:network/v20170901:Route"), pulumi.Alias(type_="azure-native:network/v20171001:Route"), pulumi.Alias(type_="azure-native:network/v20171101:Route"), pulumi.Alias(type_="azure-native:network/v20180101:Route"), pulumi.Alias(type_="azure-native:network/v20180201:Route"), pulumi.Alias(type_="azure-native:network/v20180401:Route"), pulumi.Alias(type_="azure-native:network/v20180601:Route"), pulumi.Alias(type_="azure-native:network/v20180701:Route"), pulumi.Alias(type_="azure-native:network/v20180801:Route"), pulumi.Alias(type_="azure-native:network/v20181001:Route"), pulumi.Alias(type_="azure-native:network/v20181101:Route"), pulumi.Alias(type_="azure-native:network/v20181201:Route"), pulumi.Alias(type_="azure-native:network/v20190201:Route"), pulumi.Alias(type_="azure-native:network/v20190401:Route"), pulumi.Alias(type_="azure-native:network/v20190601:Route"), pulumi.Alias(type_="azure-native:network/v20190701:Route"), pulumi.Alias(type_="azure-native:network/v20190801:Route"), pulumi.Alias(type_="azure-native:network/v20190901:Route"), pulumi.Alias(type_="azure-native:network/v20191101:Route"), pulumi.Alias(type_="azure-native:network/v20191201:Route"), pulumi.Alias(type_="azure-native:network/v20200301:Route"), pulumi.Alias(type_="azure-native:network/v20200401:Route"), pulumi.Alias(type_="azure-native:network/v20200501:Route"), pulumi.Alias(type_="azure-native:network/v20200601:Route"), pulumi.Alias(type_="azure-native:network/v20200701:Route"), pulumi.Alias(type_="azure-native:network/v20200801:Route"), pulumi.Alias(type_="azure-native:network/v20201101:Route"), pulumi.Alias(type_="azure-native:network/v20210201:Route"), pulumi.Alias(type_="azure-native:network/v20210301:Route"), pulumi.Alias(type_="azure-native:network/v20210501:Route"), pulumi.Alias(type_="azure-native:network/v20210801:Route"), pulumi.Alias(type_="azure-native:network/v20220101:Route"), pulumi.Alias(type_="azure-native:network/v20220501:Route"), pulumi.Alias(type_="azure-native:network/v20220701:Route"), pulumi.Alias(type_="azure-native:network/v20220901:Route"), pulumi.Alias(type_="azure-native:network/v20221101:Route"), pulumi.Alias(type_="azure-native:network/v20230201:Route"), pulumi.Alias(type_="azure-native:network/v20230401:Route"), pulumi.Alias(type_="azure-native:network/v20230501:Route"), pulumi.Alias(type_="azure-native:network/v20230601:Route"), pulumi.Alias(type_="azure-native:network/v20230901:Route"), pulumi.Alias(type_="azure-native:network/v20231101:Route"), pulumi.Alias(type_="azure-native:network/v20240101:Route"), pulumi.Alias(type_="azure-native:network/v20240301:Route"), pulumi.Alias(type_="azure-native:network/v20240501:Route")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:Route"), pulumi.Alias(type_="azure-native:network/v20230201:Route"), pulumi.Alias(type_="azure-native:network/v20230401:Route"), pulumi.Alias(type_="azure-native:network/v20230501:Route"), pulumi.Alias(type_="azure-native:network/v20230601:Route"), pulumi.Alias(type_="azure-native:network/v20230901:Route"), pulumi.Alias(type_="azure-native:network/v20231101:Route"), pulumi.Alias(type_="azure-native:network/v20240101:Route"), pulumi.Alias(type_="azure-native:network/v20240301:Route"), pulumi.Alias(type_="azure-native:network/v20240501:Route"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:Route"), pulumi.Alias(type_="azure-native_network_v20150615:network:Route"), pulumi.Alias(type_="azure-native_network_v20160330:network:Route"), pulumi.Alias(type_="azure-native_network_v20160601:network:Route"), pulumi.Alias(type_="azure-native_network_v20160901:network:Route"), pulumi.Alias(type_="azure-native_network_v20161201:network:Route"), pulumi.Alias(type_="azure-native_network_v20170301:network:Route"), pulumi.Alias(type_="azure-native_network_v20170601:network:Route"), pulumi.Alias(type_="azure-native_network_v20170801:network:Route"), pulumi.Alias(type_="azure-native_network_v20170901:network:Route"), pulumi.Alias(type_="azure-native_network_v20171001:network:Route"), pulumi.Alias(type_="azure-native_network_v20171101:network:Route"), pulumi.Alias(type_="azure-native_network_v20180101:network:Route"), pulumi.Alias(type_="azure-native_network_v20180201:network:Route"), pulumi.Alias(type_="azure-native_network_v20180401:network:Route"), pulumi.Alias(type_="azure-native_network_v20180601:network:Route"), pulumi.Alias(type_="azure-native_network_v20180701:network:Route"), pulumi.Alias(type_="azure-native_network_v20180801:network:Route"), pulumi.Alias(type_="azure-native_network_v20181001:network:Route"), pulumi.Alias(type_="azure-native_network_v20181101:network:Route"), pulumi.Alias(type_="azure-native_network_v20181201:network:Route"), pulumi.Alias(type_="azure-native_network_v20190201:network:Route"), pulumi.Alias(type_="azure-native_network_v20190401:network:Route"), pulumi.Alias(type_="azure-native_network_v20190601:network:Route"), pulumi.Alias(type_="azure-native_network_v20190701:network:Route"), pulumi.Alias(type_="azure-native_network_v20190801:network:Route"), pulumi.Alias(type_="azure-native_network_v20190901:network:Route"), pulumi.Alias(type_="azure-native_network_v20191101:network:Route"), pulumi.Alias(type_="azure-native_network_v20191201:network:Route"), pulumi.Alias(type_="azure-native_network_v20200301:network:Route"), pulumi.Alias(type_="azure-native_network_v20200401:network:Route"), pulumi.Alias(type_="azure-native_network_v20200501:network:Route"), pulumi.Alias(type_="azure-native_network_v20200601:network:Route"), pulumi.Alias(type_="azure-native_network_v20200701:network:Route"), pulumi.Alias(type_="azure-native_network_v20200801:network:Route"), pulumi.Alias(type_="azure-native_network_v20201101:network:Route"), pulumi.Alias(type_="azure-native_network_v20210201:network:Route"), pulumi.Alias(type_="azure-native_network_v20210301:network:Route"), pulumi.Alias(type_="azure-native_network_v20210501:network:Route"), pulumi.Alias(type_="azure-native_network_v20210801:network:Route"), pulumi.Alias(type_="azure-native_network_v20220101:network:Route"), pulumi.Alias(type_="azure-native_network_v20220501:network:Route"), pulumi.Alias(type_="azure-native_network_v20220701:network:Route"), pulumi.Alias(type_="azure-native_network_v20220901:network:Route"), pulumi.Alias(type_="azure-native_network_v20221101:network:Route"), pulumi.Alias(type_="azure-native_network_v20230201:network:Route"), pulumi.Alias(type_="azure-native_network_v20230401:network:Route"), pulumi.Alias(type_="azure-native_network_v20230501:network:Route"), pulumi.Alias(type_="azure-native_network_v20230601:network:Route"), pulumi.Alias(type_="azure-native_network_v20230901:network:Route"), pulumi.Alias(type_="azure-native_network_v20231101:network:Route"), pulumi.Alias(type_="azure-native_network_v20240101:network:Route"), pulumi.Alias(type_="azure-native_network_v20240301:network:Route"), pulumi.Alias(type_="azure-native_network_v20240501:network:Route")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Route, __self__).__init__( 'azure-native:network:Route', diff --git a/sdk/python/pulumi_azure_native/network/route_filter.py b/sdk/python/pulumi_azure_native/network/route_filter.py index 57f1fd5b1231..9cc1eb6cece8 100644 --- a/sdk/python/pulumi_azure_native/network/route_filter.py +++ b/sdk/python/pulumi_azure_native/network/route_filter.py @@ -211,7 +211,7 @@ def _internal_init(__self__, __props__.__dict__["peerings"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20161201:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20170301:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20170601:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20170801:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20170901:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20171001:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20171101:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20180101:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20180201:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20180401:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20180601:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20180701:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20180801:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20181001:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20181101:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20181201:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20190201:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20190401:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20190601:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20190701:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20190801:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20190901:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20191101:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20191201:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20200301:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20200401:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20200501:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20200601:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20200701:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20200801:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20201101:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20210201:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20210301:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20210501:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20210801:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20220101:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20220501:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20220701:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20220901:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20221101:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20230201:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20230401:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20230501:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20230601:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20230901:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20231101:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20240101:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20240301:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20240501:RouteFilter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190801:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20230201:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20230401:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20230501:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20230601:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20230901:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20231101:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20240101:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20240301:RouteFilter"), pulumi.Alias(type_="azure-native:network/v20240501:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20161201:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20170301:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20170601:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20170801:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20170901:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20171001:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20171101:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20180101:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20180201:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20180401:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20180601:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20180701:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20180801:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20181001:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20181101:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20181201:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20190201:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20190401:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20190601:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20190701:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20190801:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20190901:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20191101:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20191201:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20200301:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20200401:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20200501:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20200601:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20200701:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20200801:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20201101:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20210201:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20210301:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20210501:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20210801:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20220101:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20220501:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20220701:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20220901:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20221101:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20230201:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20230401:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20230501:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20230601:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20230901:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20231101:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20240101:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20240301:network:RouteFilter"), pulumi.Alias(type_="azure-native_network_v20240501:network:RouteFilter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RouteFilter, __self__).__init__( 'azure-native:network:RouteFilter', diff --git a/sdk/python/pulumi_azure_native/network/route_filter_rule.py b/sdk/python/pulumi_azure_native/network/route_filter_rule.py index 48af87a07129..0587ea08859f 100644 --- a/sdk/python/pulumi_azure_native/network/route_filter_rule.py +++ b/sdk/python/pulumi_azure_native/network/route_filter_rule.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20161201:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20170301:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20170601:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20170801:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20170901:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20171001:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20171101:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20180101:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20180201:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20180401:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20180601:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20180701:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20180801:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20181001:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20181101:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20181201:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20190201:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20190401:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20190601:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20190701:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20190801:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20190901:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20191101:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20191201:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20200301:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20200401:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20200501:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20200601:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20200701:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20200801:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20201101:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20210201:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20210301:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20210501:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20210801:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20220101:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20220501:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20220701:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20220901:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20221101:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20230201:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20230401:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20230501:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20230601:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20230901:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20231101:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20240101:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20240301:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20240501:RouteFilterRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20230401:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20230501:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20230601:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20230901:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20231101:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20240101:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20240301:RouteFilterRule"), pulumi.Alias(type_="azure-native:network/v20240501:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20161201:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20170301:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20170601:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20170801:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20170901:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20171001:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20171101:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20180101:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20180201:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20180401:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20180601:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20180701:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20180801:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20181001:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20181101:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20181201:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20190201:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20190401:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20190601:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20190701:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20190801:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20190901:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20191101:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20191201:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20200301:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20200401:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20200501:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20200601:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20200701:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20200801:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20201101:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20210201:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20210301:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20210501:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20210801:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20220101:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20220501:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20220701:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20220901:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20221101:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20230201:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20230401:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20230501:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20230601:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20230901:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20231101:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20240101:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20240301:network:RouteFilterRule"), pulumi.Alias(type_="azure-native_network_v20240501:network:RouteFilterRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RouteFilterRule, __self__).__init__( 'azure-native:network:RouteFilterRule', diff --git a/sdk/python/pulumi_azure_native/network/route_map.py b/sdk/python/pulumi_azure_native/network/route_map.py index 52471c8c7192..027fb64281a3 100644 --- a/sdk/python/pulumi_azure_native/network/route_map.py +++ b/sdk/python/pulumi_azure_native/network/route_map.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220501:RouteMap"), pulumi.Alias(type_="azure-native:network/v20220701:RouteMap"), pulumi.Alias(type_="azure-native:network/v20220901:RouteMap"), pulumi.Alias(type_="azure-native:network/v20221101:RouteMap"), pulumi.Alias(type_="azure-native:network/v20230201:RouteMap"), pulumi.Alias(type_="azure-native:network/v20230401:RouteMap"), pulumi.Alias(type_="azure-native:network/v20230501:RouteMap"), pulumi.Alias(type_="azure-native:network/v20230601:RouteMap"), pulumi.Alias(type_="azure-native:network/v20230901:RouteMap"), pulumi.Alias(type_="azure-native:network/v20231101:RouteMap"), pulumi.Alias(type_="azure-native:network/v20240101:RouteMap"), pulumi.Alias(type_="azure-native:network/v20240301:RouteMap"), pulumi.Alias(type_="azure-native:network/v20240501:RouteMap")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:RouteMap"), pulumi.Alias(type_="azure-native:network/v20230401:RouteMap"), pulumi.Alias(type_="azure-native:network/v20230501:RouteMap"), pulumi.Alias(type_="azure-native:network/v20230601:RouteMap"), pulumi.Alias(type_="azure-native:network/v20230901:RouteMap"), pulumi.Alias(type_="azure-native:network/v20231101:RouteMap"), pulumi.Alias(type_="azure-native:network/v20240101:RouteMap"), pulumi.Alias(type_="azure-native:network/v20240301:RouteMap"), pulumi.Alias(type_="azure-native:network/v20240501:RouteMap"), pulumi.Alias(type_="azure-native_network_v20220501:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20220701:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20220901:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20221101:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20230201:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20230401:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20230501:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20230601:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20230901:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20231101:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20240101:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20240301:network:RouteMap"), pulumi.Alias(type_="azure-native_network_v20240501:network:RouteMap")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RouteMap, __self__).__init__( 'azure-native:network:RouteMap', diff --git a/sdk/python/pulumi_azure_native/network/route_table.py b/sdk/python/pulumi_azure_native/network/route_table.py index 63526e542ee5..34bc92d6e85e 100644 --- a/sdk/python/pulumi_azure_native/network/route_table.py +++ b/sdk/python/pulumi_azure_native/network/route_table.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["subnets"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:RouteTable"), pulumi.Alias(type_="azure-native:network/v20150615:RouteTable"), pulumi.Alias(type_="azure-native:network/v20160330:RouteTable"), pulumi.Alias(type_="azure-native:network/v20160601:RouteTable"), pulumi.Alias(type_="azure-native:network/v20160901:RouteTable"), pulumi.Alias(type_="azure-native:network/v20161201:RouteTable"), pulumi.Alias(type_="azure-native:network/v20170301:RouteTable"), pulumi.Alias(type_="azure-native:network/v20170601:RouteTable"), pulumi.Alias(type_="azure-native:network/v20170801:RouteTable"), pulumi.Alias(type_="azure-native:network/v20170901:RouteTable"), pulumi.Alias(type_="azure-native:network/v20171001:RouteTable"), pulumi.Alias(type_="azure-native:network/v20171101:RouteTable"), pulumi.Alias(type_="azure-native:network/v20180101:RouteTable"), pulumi.Alias(type_="azure-native:network/v20180201:RouteTable"), pulumi.Alias(type_="azure-native:network/v20180401:RouteTable"), pulumi.Alias(type_="azure-native:network/v20180601:RouteTable"), pulumi.Alias(type_="azure-native:network/v20180701:RouteTable"), pulumi.Alias(type_="azure-native:network/v20180801:RouteTable"), pulumi.Alias(type_="azure-native:network/v20181001:RouteTable"), pulumi.Alias(type_="azure-native:network/v20181101:RouteTable"), pulumi.Alias(type_="azure-native:network/v20181201:RouteTable"), pulumi.Alias(type_="azure-native:network/v20190201:RouteTable"), pulumi.Alias(type_="azure-native:network/v20190401:RouteTable"), pulumi.Alias(type_="azure-native:network/v20190601:RouteTable"), pulumi.Alias(type_="azure-native:network/v20190701:RouteTable"), pulumi.Alias(type_="azure-native:network/v20190801:RouteTable"), pulumi.Alias(type_="azure-native:network/v20190901:RouteTable"), pulumi.Alias(type_="azure-native:network/v20191101:RouteTable"), pulumi.Alias(type_="azure-native:network/v20191201:RouteTable"), pulumi.Alias(type_="azure-native:network/v20200301:RouteTable"), pulumi.Alias(type_="azure-native:network/v20200401:RouteTable"), pulumi.Alias(type_="azure-native:network/v20200501:RouteTable"), pulumi.Alias(type_="azure-native:network/v20200601:RouteTable"), pulumi.Alias(type_="azure-native:network/v20200701:RouteTable"), pulumi.Alias(type_="azure-native:network/v20200801:RouteTable"), pulumi.Alias(type_="azure-native:network/v20201101:RouteTable"), pulumi.Alias(type_="azure-native:network/v20210201:RouteTable"), pulumi.Alias(type_="azure-native:network/v20210301:RouteTable"), pulumi.Alias(type_="azure-native:network/v20210501:RouteTable"), pulumi.Alias(type_="azure-native:network/v20210801:RouteTable"), pulumi.Alias(type_="azure-native:network/v20220101:RouteTable"), pulumi.Alias(type_="azure-native:network/v20220501:RouteTable"), pulumi.Alias(type_="azure-native:network/v20220701:RouteTable"), pulumi.Alias(type_="azure-native:network/v20220901:RouteTable"), pulumi.Alias(type_="azure-native:network/v20221101:RouteTable"), pulumi.Alias(type_="azure-native:network/v20230201:RouteTable"), pulumi.Alias(type_="azure-native:network/v20230401:RouteTable"), pulumi.Alias(type_="azure-native:network/v20230501:RouteTable"), pulumi.Alias(type_="azure-native:network/v20230601:RouteTable"), pulumi.Alias(type_="azure-native:network/v20230901:RouteTable"), pulumi.Alias(type_="azure-native:network/v20231101:RouteTable"), pulumi.Alias(type_="azure-native:network/v20240101:RouteTable"), pulumi.Alias(type_="azure-native:network/v20240301:RouteTable"), pulumi.Alias(type_="azure-native:network/v20240501:RouteTable")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:RouteTable"), pulumi.Alias(type_="azure-native:network/v20230201:RouteTable"), pulumi.Alias(type_="azure-native:network/v20230401:RouteTable"), pulumi.Alias(type_="azure-native:network/v20230501:RouteTable"), pulumi.Alias(type_="azure-native:network/v20230601:RouteTable"), pulumi.Alias(type_="azure-native:network/v20230901:RouteTable"), pulumi.Alias(type_="azure-native:network/v20231101:RouteTable"), pulumi.Alias(type_="azure-native:network/v20240101:RouteTable"), pulumi.Alias(type_="azure-native:network/v20240301:RouteTable"), pulumi.Alias(type_="azure-native:network/v20240501:RouteTable"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20150615:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20160330:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20160601:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20160901:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20161201:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20170301:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20170601:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20170801:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20170901:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20171001:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20171101:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20180101:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20180201:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20180401:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20180601:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20180701:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20180801:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20181001:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20181101:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20181201:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20190201:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20190401:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20190601:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20190701:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20190801:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20190901:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20191101:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20191201:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20200301:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20200401:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20200501:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20200601:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20200701:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20200801:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20201101:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20210201:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20210301:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20210501:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20210801:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20220101:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20220501:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20220701:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20220901:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20221101:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20230201:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20230401:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20230501:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20230601:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20230901:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20231101:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20240101:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20240301:network:RouteTable"), pulumi.Alias(type_="azure-native_network_v20240501:network:RouteTable")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RouteTable, __self__).__init__( 'azure-native:network:RouteTable', diff --git a/sdk/python/pulumi_azure_native/network/routing_intent.py b/sdk/python/pulumi_azure_native/network/routing_intent.py index 2f8c6c3c2254..6f5d9000be06 100644 --- a/sdk/python/pulumi_azure_native/network/routing_intent.py +++ b/sdk/python/pulumi_azure_native/network/routing_intent.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210501:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20210801:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20220101:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20220501:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20220701:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20220901:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20221101:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20230201:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20230401:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20230501:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20230601:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20230901:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20231101:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20240101:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20240301:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20240501:RoutingIntent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20230401:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20230501:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20230601:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20230901:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20231101:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20240101:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20240301:RoutingIntent"), pulumi.Alias(type_="azure-native:network/v20240501:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20210501:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20210801:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20220101:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20220501:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20220701:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20220901:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20221101:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20230201:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20230401:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20230501:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20230601:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20230901:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20231101:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20240101:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20240301:network:RoutingIntent"), pulumi.Alias(type_="azure-native_network_v20240501:network:RoutingIntent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RoutingIntent, __self__).__init__( 'azure-native:network:RoutingIntent', diff --git a/sdk/python/pulumi_azure_native/network/routing_rule.py b/sdk/python/pulumi_azure_native/network/routing_rule.py index 45bc718b5973..8ff27d6f21ea 100644 --- a/sdk/python/pulumi_azure_native/network/routing_rule.py +++ b/sdk/python/pulumi_azure_native/network/routing_rule.py @@ -253,7 +253,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240301:RoutingRule"), pulumi.Alias(type_="azure-native:network/v20240501:RoutingRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240301:RoutingRule"), pulumi.Alias(type_="azure-native:network/v20240501:RoutingRule"), pulumi.Alias(type_="azure-native_network_v20240301:network:RoutingRule"), pulumi.Alias(type_="azure-native_network_v20240501:network:RoutingRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RoutingRule, __self__).__init__( 'azure-native:network:RoutingRule', diff --git a/sdk/python/pulumi_azure_native/network/routing_rule_collection.py b/sdk/python/pulumi_azure_native/network/routing_rule_collection.py index 9dc1ef41566e..e8cefdfd6f57 100644 --- a/sdk/python/pulumi_azure_native/network/routing_rule_collection.py +++ b/sdk/python/pulumi_azure_native/network/routing_rule_collection.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240301:RoutingRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240501:RoutingRuleCollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240301:RoutingRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240501:RoutingRuleCollection"), pulumi.Alias(type_="azure-native_network_v20240301:network:RoutingRuleCollection"), pulumi.Alias(type_="azure-native_network_v20240501:network:RoutingRuleCollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RoutingRuleCollection, __self__).__init__( 'azure-native:network:RoutingRuleCollection', diff --git a/sdk/python/pulumi_azure_native/network/scope_connection.py b/sdk/python/pulumi_azure_native/network/scope_connection.py index 76d946adff46..dc9f5e341b21 100644 --- a/sdk/python/pulumi_azure_native/network/scope_connection.py +++ b/sdk/python/pulumi_azure_native/network/scope_connection.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210501preview:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20220101:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20220201preview:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20220401preview:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20220501:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20220701:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20220901:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20221101:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20230201:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20230401:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20230501:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20230601:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20230901:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20231101:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20240101:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20240301:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20240501:ScopeConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20230401:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20230501:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20230601:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20230901:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20231101:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20240101:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20240301:ScopeConnection"), pulumi.Alias(type_="azure-native:network/v20240501:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20220101:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20220501:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20220701:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20220901:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20221101:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20230201:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20230401:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20230501:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:ScopeConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:ScopeConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScopeConnection, __self__).__init__( 'azure-native:network:ScopeConnection', diff --git a/sdk/python/pulumi_azure_native/network/security_admin_configuration.py b/sdk/python/pulumi_azure_native/network/security_admin_configuration.py index d7f315f12189..35403954cfe8 100644 --- a/sdk/python/pulumi_azure_native/network/security_admin_configuration.py +++ b/sdk/python/pulumi_azure_native/network/security_admin_configuration.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20210501preview:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20220101:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20220201preview:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20220401preview:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20220501:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20220701:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20220901:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20221101:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20230201:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101preview:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityAdminConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210501preview:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20230201:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101preview:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20220101:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20220501:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20220701:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20220901:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20221101:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20230201:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20230401:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20230501:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20230601:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20230901:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20231101:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20240101:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20240101preview:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20240301:network:SecurityAdminConfiguration"), pulumi.Alias(type_="azure-native_network_v20240501:network:SecurityAdminConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityAdminConfiguration, __self__).__init__( 'azure-native:network:SecurityAdminConfiguration', diff --git a/sdk/python/pulumi_azure_native/network/security_partner_provider.py b/sdk/python/pulumi_azure_native/network/security_partner_provider.py index 592abaa7673c..10bd05884bbd 100644 --- a/sdk/python/pulumi_azure_native/network/security_partner_provider.py +++ b/sdk/python/pulumi_azure_native/network/security_partner_provider.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200301:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20200401:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20200501:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20200601:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20200701:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20200801:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20201101:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20210201:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20210301:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20210501:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20210801:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20220101:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20220501:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20220701:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20220901:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20221101:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20230201:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20230401:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20230501:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20230601:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20230901:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20231101:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20240101:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityPartnerProvider")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20230401:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20230501:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20230601:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20230901:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20231101:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20240101:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20200301:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20200401:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20200501:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20200601:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20200701:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20200801:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20201101:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20210201:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20210301:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20210501:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20210801:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20220101:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20220501:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20220701:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20220901:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20221101:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20230201:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20230401:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20230501:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20230601:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20230901:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20231101:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20240101:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20240301:network:SecurityPartnerProvider"), pulumi.Alias(type_="azure-native_network_v20240501:network:SecurityPartnerProvider")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityPartnerProvider, __self__).__init__( 'azure-native:network:SecurityPartnerProvider', diff --git a/sdk/python/pulumi_azure_native/network/security_rule.py b/sdk/python/pulumi_azure_native/network/security_rule.py index 7edf959d9109..35d24066006e 100644 --- a/sdk/python/pulumi_azure_native/network/security_rule.py +++ b/sdk/python/pulumi_azure_native/network/security_rule.py @@ -509,7 +509,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20150615:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20160330:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20160601:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20160901:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20161201:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20170301:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20170601:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20170801:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20170901:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20171001:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20171101:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20180101:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20180201:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20180401:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20180601:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20180701:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20180801:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20181001:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20181101:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20181201:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20190201:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20190401:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20190601:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20190701:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20190801:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20190901:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20191101:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20191201:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20200301:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20200401:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20200501:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20200601:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20200701:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20200801:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20201101:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20210201:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20210301:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20210501:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20210801:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20220101:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20220501:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20220701:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20220901:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20221101:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20230201:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20230401:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20230501:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20230601:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20230901:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20231101:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20240101:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20220701:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20230201:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20230401:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20230501:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20230601:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20230901:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20231101:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20240101:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityRule"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20150615:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20160330:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20160601:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20160901:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20161201:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20170301:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20170601:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20170801:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20170901:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20171001:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20171101:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20180101:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20180201:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20180401:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20180601:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20180701:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20180801:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20181001:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20181101:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20181201:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20190201:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20190401:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20190601:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20190701:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20190801:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20190901:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20191101:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20191201:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20200301:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20200401:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20200501:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20200601:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20200701:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20200801:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20201101:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20210201:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20210301:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20210501:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20210801:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20220101:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20220501:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20220701:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20220901:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20221101:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20230201:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20230401:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20230501:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20230601:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20230901:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20231101:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20240101:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20240301:network:SecurityRule"), pulumi.Alias(type_="azure-native_network_v20240501:network:SecurityRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityRule, __self__).__init__( 'azure-native:network:SecurityRule', diff --git a/sdk/python/pulumi_azure_native/network/security_user_configuration.py b/sdk/python/pulumi_azure_native/network/security_user_configuration.py index 889840122a0e..5c673b18df0f 100644 --- a/sdk/python/pulumi_azure_native/network/security_user_configuration.py +++ b/sdk/python/pulumi_azure_native/network/security_user_configuration.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native:network/v20210501preview:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native:network/v20220201preview:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native:network/v20220401preview:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210501preview:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native:network/v20220401preview:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native_network_v20240301:network:SecurityUserConfiguration"), pulumi.Alias(type_="azure-native_network_v20240501:network:SecurityUserConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityUserConfiguration, __self__).__init__( 'azure-native:network:SecurityUserConfiguration', diff --git a/sdk/python/pulumi_azure_native/network/security_user_rule.py b/sdk/python/pulumi_azure_native/network/security_user_rule.py index 2bdb4831d249..1d98b3db2b70 100644 --- a/sdk/python/pulumi_azure_native/network/security_user_rule.py +++ b/sdk/python/pulumi_azure_native/network/security_user_rule.py @@ -333,7 +333,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:SecurityUserRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:SecurityUserRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20220201preview:SecurityUserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:SecurityUserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserRule"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserRule"), pulumi.Alias(type_="azure-native:network:DefaultUserRule"), pulumi.Alias(type_="azure-native:network:UserRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210501preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserRule"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserRule"), pulumi.Alias(type_="azure-native:network:DefaultUserRule"), pulumi.Alias(type_="azure-native:network:UserRule"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:SecurityUserRule"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:SecurityUserRule"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:SecurityUserRule"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:SecurityUserRule"), pulumi.Alias(type_="azure-native_network_v20240301:network:SecurityUserRule"), pulumi.Alias(type_="azure-native_network_v20240501:network:SecurityUserRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityUserRule, __self__).__init__( 'azure-native:network:SecurityUserRule', diff --git a/sdk/python/pulumi_azure_native/network/security_user_rule_collection.py b/sdk/python/pulumi_azure_native/network/security_user_rule_collection.py index 2801274bc956..0768a50a9cca 100644 --- a/sdk/python/pulumi_azure_native/network/security_user_rule_collection.py +++ b/sdk/python/pulumi_azure_native/network/security_user_rule_collection.py @@ -210,7 +210,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20210201preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20210501preview:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20210501preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220201preview:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220401preview:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220401preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network:UserRuleCollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20210501preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220401preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network:UserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20240301:network:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20240501:network:SecurityUserRuleCollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityUserRuleCollection, __self__).__init__( 'azure-native:network:SecurityUserRuleCollection', diff --git a/sdk/python/pulumi_azure_native/network/service_endpoint_policy.py b/sdk/python/pulumi_azure_native/network/service_endpoint_policy.py index 2cde4aee087a..7155ee6e7216 100644 --- a/sdk/python/pulumi_azure_native/network/service_endpoint_policy.py +++ b/sdk/python/pulumi_azure_native/network/service_endpoint_policy.py @@ -251,7 +251,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["subnets"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180701:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20180801:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20181001:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20181101:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20181201:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20190201:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20190401:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20190601:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20190701:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20190801:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20190901:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20191101:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20191201:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20200301:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20200401:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20200501:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20200601:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20200701:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20200801:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20201101:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20210201:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20210301:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20210501:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20210801:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20220101:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20220501:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20220701:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20220901:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20221101:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20230201:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20230401:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20230501:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20230601:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20230901:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20231101:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20240101:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20240301:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20240501:ServiceEndpointPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180701:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20230201:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20230401:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20230501:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20230601:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20230901:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20231101:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20240101:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20240301:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native:network/v20240501:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20180701:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20180801:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20181001:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20181101:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20181201:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20190201:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20190401:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20190601:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20190701:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20190801:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20190901:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20191101:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20191201:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20200301:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20200401:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20200501:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20200601:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20200701:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20200801:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20201101:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20210201:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20210301:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20210501:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20210801:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20220101:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20220501:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20220701:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20220901:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20221101:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20230201:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20230401:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20230501:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20230601:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20230901:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20231101:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20240101:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20240301:network:ServiceEndpointPolicy"), pulumi.Alias(type_="azure-native_network_v20240501:network:ServiceEndpointPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServiceEndpointPolicy, __self__).__init__( 'azure-native:network:ServiceEndpointPolicy', diff --git a/sdk/python/pulumi_azure_native/network/service_endpoint_policy_definition.py b/sdk/python/pulumi_azure_native/network/service_endpoint_policy_definition.py index 94e82ff7e02e..b5de7017c2ac 100644 --- a/sdk/python/pulumi_azure_native/network/service_endpoint_policy_definition.py +++ b/sdk/python/pulumi_azure_native/network/service_endpoint_policy_definition.py @@ -262,7 +262,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180701:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20180801:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20181001:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20181101:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20181201:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20190201:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20190401:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20190601:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20190701:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20190801:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20190901:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20191101:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20191201:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20200301:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20200401:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20200501:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20200601:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20200701:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20200801:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20201101:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20210201:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20210301:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20210501:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20210801:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20220101:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20220501:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20220701:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20220901:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20221101:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20230201:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20230401:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20230501:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20230601:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20230901:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20231101:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20240101:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20240301:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20240501:ServiceEndpointPolicyDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180701:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20230201:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20230401:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20230501:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20230601:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20230901:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20231101:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20240101:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20240301:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native:network/v20240501:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20180701:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20180801:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20181001:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20181101:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20181201:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20190201:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20190401:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20190601:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20190701:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20190801:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20190901:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20191101:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20191201:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20200301:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20200401:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20200501:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20200601:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20200701:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20200801:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20201101:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20210201:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20210301:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20210501:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20210801:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20220101:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20220501:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20220701:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20220901:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20221101:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20230401:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20230501:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20230601:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20230901:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20231101:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20240101:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20240301:network:ServiceEndpointPolicyDefinition"), pulumi.Alias(type_="azure-native_network_v20240501:network:ServiceEndpointPolicyDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServiceEndpointPolicyDefinition, __self__).__init__( 'azure-native:network:ServiceEndpointPolicyDefinition', diff --git a/sdk/python/pulumi_azure_native/network/static_cidr.py b/sdk/python/pulumi_azure_native/network/static_cidr.py index e9f262467dce..ac0d415b2542 100644 --- a/sdk/python/pulumi_azure_native/network/static_cidr.py +++ b/sdk/python/pulumi_azure_native/network/static_cidr.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240101preview:StaticCidr"), pulumi.Alias(type_="azure-native:network/v20240501:StaticCidr")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240101preview:StaticCidr"), pulumi.Alias(type_="azure-native:network/v20240501:StaticCidr"), pulumi.Alias(type_="azure-native_network_v20240101preview:network:StaticCidr"), pulumi.Alias(type_="azure-native_network_v20240501:network:StaticCidr")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StaticCidr, __self__).__init__( 'azure-native:network:StaticCidr', diff --git a/sdk/python/pulumi_azure_native/network/static_member.py b/sdk/python/pulumi_azure_native/network/static_member.py index dd85c631a3cd..679b607e1e8c 100644 --- a/sdk/python/pulumi_azure_native/network/static_member.py +++ b/sdk/python/pulumi_azure_native/network/static_member.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["region"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210501preview:StaticMember"), pulumi.Alias(type_="azure-native:network/v20220101:StaticMember"), pulumi.Alias(type_="azure-native:network/v20220201preview:StaticMember"), pulumi.Alias(type_="azure-native:network/v20220401preview:StaticMember"), pulumi.Alias(type_="azure-native:network/v20220501:StaticMember"), pulumi.Alias(type_="azure-native:network/v20220701:StaticMember"), pulumi.Alias(type_="azure-native:network/v20220901:StaticMember"), pulumi.Alias(type_="azure-native:network/v20221101:StaticMember"), pulumi.Alias(type_="azure-native:network/v20230201:StaticMember"), pulumi.Alias(type_="azure-native:network/v20230401:StaticMember"), pulumi.Alias(type_="azure-native:network/v20230501:StaticMember"), pulumi.Alias(type_="azure-native:network/v20230601:StaticMember"), pulumi.Alias(type_="azure-native:network/v20230901:StaticMember"), pulumi.Alias(type_="azure-native:network/v20231101:StaticMember"), pulumi.Alias(type_="azure-native:network/v20240101:StaticMember"), pulumi.Alias(type_="azure-native:network/v20240301:StaticMember"), pulumi.Alias(type_="azure-native:network/v20240501:StaticMember")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:StaticMember"), pulumi.Alias(type_="azure-native:network/v20230401:StaticMember"), pulumi.Alias(type_="azure-native:network/v20230501:StaticMember"), pulumi.Alias(type_="azure-native:network/v20230601:StaticMember"), pulumi.Alias(type_="azure-native:network/v20230901:StaticMember"), pulumi.Alias(type_="azure-native:network/v20231101:StaticMember"), pulumi.Alias(type_="azure-native:network/v20240101:StaticMember"), pulumi.Alias(type_="azure-native:network/v20240301:StaticMember"), pulumi.Alias(type_="azure-native:network/v20240501:StaticMember"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20220101:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20220501:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20220701:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20220901:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20221101:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20230201:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20230401:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20230501:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20230601:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20230901:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20231101:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20240101:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20240301:network:StaticMember"), pulumi.Alias(type_="azure-native_network_v20240501:network:StaticMember")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StaticMember, __self__).__init__( 'azure-native:network:StaticMember', diff --git a/sdk/python/pulumi_azure_native/network/subnet.py b/sdk/python/pulumi_azure_native/network/subnet.py index 419fb325ad55..31be4f9e0c1e 100644 --- a/sdk/python/pulumi_azure_native/network/subnet.py +++ b/sdk/python/pulumi_azure_native/network/subnet.py @@ -519,7 +519,7 @@ def _internal_init(__self__, __props__.__dict__["purpose"] = None __props__.__dict__["resource_navigation_links"] = None __props__.__dict__["service_association_links"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:Subnet"), pulumi.Alias(type_="azure-native:network/v20150615:Subnet"), pulumi.Alias(type_="azure-native:network/v20160330:Subnet"), pulumi.Alias(type_="azure-native:network/v20160601:Subnet"), pulumi.Alias(type_="azure-native:network/v20160901:Subnet"), pulumi.Alias(type_="azure-native:network/v20161201:Subnet"), pulumi.Alias(type_="azure-native:network/v20170301:Subnet"), pulumi.Alias(type_="azure-native:network/v20170601:Subnet"), pulumi.Alias(type_="azure-native:network/v20170801:Subnet"), pulumi.Alias(type_="azure-native:network/v20170901:Subnet"), pulumi.Alias(type_="azure-native:network/v20171001:Subnet"), pulumi.Alias(type_="azure-native:network/v20171101:Subnet"), pulumi.Alias(type_="azure-native:network/v20180101:Subnet"), pulumi.Alias(type_="azure-native:network/v20180201:Subnet"), pulumi.Alias(type_="azure-native:network/v20180401:Subnet"), pulumi.Alias(type_="azure-native:network/v20180601:Subnet"), pulumi.Alias(type_="azure-native:network/v20180701:Subnet"), pulumi.Alias(type_="azure-native:network/v20180801:Subnet"), pulumi.Alias(type_="azure-native:network/v20181001:Subnet"), pulumi.Alias(type_="azure-native:network/v20181101:Subnet"), pulumi.Alias(type_="azure-native:network/v20181201:Subnet"), pulumi.Alias(type_="azure-native:network/v20190201:Subnet"), pulumi.Alias(type_="azure-native:network/v20190401:Subnet"), pulumi.Alias(type_="azure-native:network/v20190601:Subnet"), pulumi.Alias(type_="azure-native:network/v20190701:Subnet"), pulumi.Alias(type_="azure-native:network/v20190801:Subnet"), pulumi.Alias(type_="azure-native:network/v20190901:Subnet"), pulumi.Alias(type_="azure-native:network/v20191101:Subnet"), pulumi.Alias(type_="azure-native:network/v20191201:Subnet"), pulumi.Alias(type_="azure-native:network/v20200301:Subnet"), pulumi.Alias(type_="azure-native:network/v20200401:Subnet"), pulumi.Alias(type_="azure-native:network/v20200501:Subnet"), pulumi.Alias(type_="azure-native:network/v20200601:Subnet"), pulumi.Alias(type_="azure-native:network/v20200701:Subnet"), pulumi.Alias(type_="azure-native:network/v20200801:Subnet"), pulumi.Alias(type_="azure-native:network/v20201101:Subnet"), pulumi.Alias(type_="azure-native:network/v20210201:Subnet"), pulumi.Alias(type_="azure-native:network/v20210301:Subnet"), pulumi.Alias(type_="azure-native:network/v20210501:Subnet"), pulumi.Alias(type_="azure-native:network/v20210801:Subnet"), pulumi.Alias(type_="azure-native:network/v20220101:Subnet"), pulumi.Alias(type_="azure-native:network/v20220501:Subnet"), pulumi.Alias(type_="azure-native:network/v20220701:Subnet"), pulumi.Alias(type_="azure-native:network/v20220901:Subnet"), pulumi.Alias(type_="azure-native:network/v20221101:Subnet"), pulumi.Alias(type_="azure-native:network/v20230201:Subnet"), pulumi.Alias(type_="azure-native:network/v20230401:Subnet"), pulumi.Alias(type_="azure-native:network/v20230501:Subnet"), pulumi.Alias(type_="azure-native:network/v20230601:Subnet"), pulumi.Alias(type_="azure-native:network/v20230901:Subnet"), pulumi.Alias(type_="azure-native:network/v20231101:Subnet"), pulumi.Alias(type_="azure-native:network/v20240101:Subnet"), pulumi.Alias(type_="azure-native:network/v20240301:Subnet"), pulumi.Alias(type_="azure-native:network/v20240501:Subnet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190201:Subnet"), pulumi.Alias(type_="azure-native:network/v20190601:Subnet"), pulumi.Alias(type_="azure-native:network/v20190801:Subnet"), pulumi.Alias(type_="azure-native:network/v20200601:Subnet"), pulumi.Alias(type_="azure-native:network/v20220701:Subnet"), pulumi.Alias(type_="azure-native:network/v20230201:Subnet"), pulumi.Alias(type_="azure-native:network/v20230401:Subnet"), pulumi.Alias(type_="azure-native:network/v20230501:Subnet"), pulumi.Alias(type_="azure-native:network/v20230601:Subnet"), pulumi.Alias(type_="azure-native:network/v20230901:Subnet"), pulumi.Alias(type_="azure-native:network/v20231101:Subnet"), pulumi.Alias(type_="azure-native:network/v20240101:Subnet"), pulumi.Alias(type_="azure-native:network/v20240301:Subnet"), pulumi.Alias(type_="azure-native:network/v20240501:Subnet"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20150615:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20160330:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20160601:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20160901:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20161201:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20170301:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20170601:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20170801:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20170901:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20171001:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20171101:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20180101:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20180201:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20180401:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20180601:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20180701:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20180801:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20181001:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20181101:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20181201:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20190201:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20190401:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20190601:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20190701:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20190801:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20190901:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20191101:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20191201:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20200301:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20200401:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20200501:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20200601:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20200701:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20200801:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20201101:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20210201:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20210301:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20210501:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20210801:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20220101:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20220501:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20220701:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20220901:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20221101:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20230201:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20230401:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20230501:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20230601:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20230901:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20231101:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20240101:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20240301:network:Subnet"), pulumi.Alias(type_="azure-native_network_v20240501:network:Subnet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Subnet, __self__).__init__( 'azure-native:network:Subnet', diff --git a/sdk/python/pulumi_azure_native/network/subscription_network_manager_connection.py b/sdk/python/pulumi_azure_native/network/subscription_network_manager_connection.py index 3cf62e83cd02..008b20ae5fe0 100644 --- a/sdk/python/pulumi_azure_native/network/subscription_network_manager_connection.py +++ b/sdk/python/pulumi_azure_native/network/subscription_network_manager_connection.py @@ -143,7 +143,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210501preview:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20220101:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20220201preview:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20220401preview:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20220501:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20220701:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20220901:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20221101:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230201:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230401:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230501:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230601:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230901:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20231101:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240101:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240301:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240501:SubscriptionNetworkManagerConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230401:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230501:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230601:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20230901:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20231101:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240101:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240301:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native:network/v20240501:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220101:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220501:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220701:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20220901:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20221101:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20230201:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20230401:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20230501:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:SubscriptionNetworkManagerConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:SubscriptionNetworkManagerConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SubscriptionNetworkManagerConnection, __self__).__init__( 'azure-native:network:SubscriptionNetworkManagerConnection', diff --git a/sdk/python/pulumi_azure_native/network/user_rule.py b/sdk/python/pulumi_azure_native/network/user_rule.py index 7c17f0e9d9ef..7c91370520ee 100644 --- a/sdk/python/pulumi_azure_native/network/user_rule.py +++ b/sdk/python/pulumi_azure_native/network/user_rule.py @@ -356,7 +356,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20220201preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserRule"), pulumi.Alias(type_="azure-native:network/v20240301:UserRule"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserRule"), pulumi.Alias(type_="azure-native:network/v20240501:UserRule"), pulumi.Alias(type_="azure-native:network:DefaultUserRule"), pulumi.Alias(type_="azure-native:network:SecurityUserRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210501preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20210501preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:DefaultUserRule"), pulumi.Alias(type_="azure-native:network/v20220401preview:UserRule"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserRule"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserRule"), pulumi.Alias(type_="azure-native:network:DefaultUserRule"), pulumi.Alias(type_="azure-native:network:SecurityUserRule"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:UserRule"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:UserRule"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:UserRule"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:UserRule"), pulumi.Alias(type_="azure-native_network_v20240301:network:UserRule"), pulumi.Alias(type_="azure-native_network_v20240501:network:UserRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(UserRule, __self__).__init__( 'azure-native:network:UserRule', diff --git a/sdk/python/pulumi_azure_native/network/user_rule_collection.py b/sdk/python/pulumi_azure_native/network/user_rule_collection.py index 4966d8862510..6ae0bca6d459 100644 --- a/sdk/python/pulumi_azure_native/network/user_rule_collection.py +++ b/sdk/python/pulumi_azure_native/network/user_rule_collection.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20210501preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220201preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220401preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240301:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240501:UserRuleCollection"), pulumi.Alias(type_="azure-native:network:SecurityUserRuleCollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20210501preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20220401preview:UserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240301:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network/v20240501:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native:network:SecurityUserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20210201preview:network:UserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20210501preview:network:UserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20220201preview:network:UserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20220401preview:network:UserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20240301:network:UserRuleCollection"), pulumi.Alias(type_="azure-native_network_v20240501:network:UserRuleCollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(UserRuleCollection, __self__).__init__( 'azure-native:network:UserRuleCollection', diff --git a/sdk/python/pulumi_azure_native/network/verifier_workspace.py b/sdk/python/pulumi_azure_native/network/verifier_workspace.py index 57eea39009d7..3bcec72febfa 100644 --- a/sdk/python/pulumi_azure_native/network/verifier_workspace.py +++ b/sdk/python/pulumi_azure_native/network/verifier_workspace.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240101preview:VerifierWorkspace"), pulumi.Alias(type_="azure-native:network/v20240501:VerifierWorkspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20240101preview:VerifierWorkspace"), pulumi.Alias(type_="azure-native:network/v20240501:VerifierWorkspace"), pulumi.Alias(type_="azure-native_network_v20240101preview:network:VerifierWorkspace"), pulumi.Alias(type_="azure-native_network_v20240501:network:VerifierWorkspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VerifierWorkspace, __self__).__init__( 'azure-native:network:VerifierWorkspace', diff --git a/sdk/python/pulumi_azure_native/network/virtual_appliance_site.py b/sdk/python/pulumi_azure_native/network/virtual_appliance_site.py index 48000d46218c..4388b6936ab9 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_appliance_site.py +++ b/sdk/python/pulumi_azure_native/network/virtual_appliance_site.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200501:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualApplianceSite")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualApplianceSite"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualApplianceSite"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualApplianceSite")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualApplianceSite, __self__).__init__( 'azure-native:network:VirtualApplianceSite', diff --git a/sdk/python/pulumi_azure_native/network/virtual_hub.py b/sdk/python/pulumi_azure_native/network/virtual_hub.py index 3b26b0771060..c039c18ebe13 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_hub.py +++ b/sdk/python/pulumi_azure_native/network/virtual_hub.py @@ -534,7 +534,7 @@ def _internal_init(__self__, __props__.__dict__["route_maps"] = None __props__.__dict__["routing_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180401:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20180601:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20180701:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20180801:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20181001:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20181101:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20181201:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20190201:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20190401:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20190601:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20190701:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20190801:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20190901:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20191101:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20191201:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20200301:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20200401:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20200501:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualHub")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180701:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20200401:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualHub"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20180401:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20180601:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20180701:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20180801:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20181001:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20181101:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20181201:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20190201:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20190401:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20190601:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20190701:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20190801:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20190901:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20191101:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20191201:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20200301:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20200401:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualHub"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualHub")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualHub, __self__).__init__( 'azure-native:network:VirtualHub', diff --git a/sdk/python/pulumi_azure_native/network/virtual_hub_bgp_connection.py b/sdk/python/pulumi_azure_native/network/virtual_hub_bgp_connection.py index 500c67b4d6ed..e074970ed994 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_hub_bgp_connection.py +++ b/sdk/python/pulumi_azure_native/network/virtual_hub_bgp_connection.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200501:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualHubBgpConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualHubBgpConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualHubBgpConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualHubBgpConnection, __self__).__init__( 'azure-native:network:VirtualHubBgpConnection', diff --git a/sdk/python/pulumi_azure_native/network/virtual_hub_ip_configuration.py b/sdk/python/pulumi_azure_native/network/virtual_hub_ip_configuration.py index e72e1e99bb1d..9f7fe7c596f8 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_hub_ip_configuration.py +++ b/sdk/python/pulumi_azure_native/network/virtual_hub_ip_configuration.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200501:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualHubIpConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualHubIpConfiguration"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualHubIpConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualHubIpConfiguration, __self__).__init__( 'azure-native:network:VirtualHubIpConfiguration', diff --git a/sdk/python/pulumi_azure_native/network/virtual_hub_route_table_v2.py b/sdk/python/pulumi_azure_native/network/virtual_hub_route_table_v2.py index e2873f570b53..cbb8c923ad2d 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_hub_route_table_v2.py +++ b/sdk/python/pulumi_azure_native/network/virtual_hub_route_table_v2.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190901:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20191101:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20191201:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20200301:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20200401:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20200501:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualHubRouteTableV2")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20190901:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20191101:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20191201:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20200301:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20200401:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualHubRouteTableV2"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualHubRouteTableV2")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualHubRouteTableV2, __self__).__init__( 'azure-native:network:VirtualHubRouteTableV2', diff --git a/sdk/python/pulumi_azure_native/network/virtual_network.py b/sdk/python/pulumi_azure_native/network/virtual_network.py index bec444b47dc5..23a80b36f77c 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_network.py +++ b/sdk/python/pulumi_azure_native/network/virtual_network.py @@ -462,7 +462,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150501preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20150615:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20160330:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20160601:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20160901:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20161201:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20170301:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20170601:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20170801:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20170901:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20171001:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20171101:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20180101:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20180201:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20180401:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20180601:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20180701:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20180801:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20181001:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20181101:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20181201:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20190201:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20190401:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20190601:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20190701:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20190801:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20190901:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20191101:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20191201:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20200301:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20200401:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20200501:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20190801:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetwork"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20150501preview:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20150615:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20160330:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20160601:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20160901:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20161201:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20170301:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20170601:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20170801:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20170901:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20171001:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20171101:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20180101:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20180201:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20180401:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20180601:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20180701:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20180801:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20181001:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20181101:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20181201:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20190201:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20190401:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20190601:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20190701:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20190801:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20190901:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20191101:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20191201:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20200301:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20200401:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualNetwork"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetwork, __self__).__init__( 'azure-native:network:VirtualNetwork', diff --git a/sdk/python/pulumi_azure_native/network/virtual_network_gateway.py b/sdk/python/pulumi_azure_native/network/virtual_network_gateway.py index d7e09d39b5bf..3fb7a8d66314 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_network_gateway.py +++ b/sdk/python/pulumi_azure_native/network/virtual_network_gateway.py @@ -691,7 +691,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150615:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20160330:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20160601:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20160901:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20161201:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20170301:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20170601:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20170801:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20170901:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20171001:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20171101:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180101:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180201:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180401:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180601:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180701:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20180801:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20181001:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20181101:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20181201:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190201:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190401:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190601:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190701:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190801:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20190901:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20191101:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20191201:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200301:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200401:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200501:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetworkGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190801:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20150615:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20160330:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20160601:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20160901:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20161201:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20170301:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20170601:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20170801:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20170901:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20171001:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20171101:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180101:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180201:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180401:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180601:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180701:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20180801:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20181001:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20181101:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20181201:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190201:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190401:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190601:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190701:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190801:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20190901:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20191101:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20191201:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200301:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200401:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualNetworkGateway"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualNetworkGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetworkGateway, __self__).__init__( 'azure-native:network:VirtualNetworkGateway', diff --git a/sdk/python/pulumi_azure_native/network/virtual_network_gateway_connection.py b/sdk/python/pulumi_azure_native/network/virtual_network_gateway_connection.py index cdbffca51fbf..20391c2a5025 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_network_gateway_connection.py +++ b/sdk/python/pulumi_azure_native/network/virtual_network_gateway_connection.py @@ -613,7 +613,7 @@ def _internal_init(__self__, __props__.__dict__["resource_guid"] = None __props__.__dict__["tunnel_connection_status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20150615:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20160330:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20160601:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20160901:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20161201:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20170301:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20170601:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20170801:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20170901:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20171001:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20171101:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20180101:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20180201:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20180401:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20180601:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20180701:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20180801:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20181001:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20181101:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20181201:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20190201:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20190401:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20190601:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20190701:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20190801:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20190901:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20191101:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20191201:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20200301:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20200401:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20200501:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetworkGatewayConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190801:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20150615:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20160330:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20160601:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20160901:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20161201:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20170301:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20170601:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20170801:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20170901:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20171001:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20171101:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20180101:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20180201:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20180401:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20180601:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20180701:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20180801:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20181001:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20181101:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20181201:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20190201:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20190401:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20190601:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20190701:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20190801:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20190901:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20191101:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20191201:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20200301:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20200401:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualNetworkGatewayConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualNetworkGatewayConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetworkGatewayConnection, __self__).__init__( 'azure-native:network:VirtualNetworkGatewayConnection', diff --git a/sdk/python/pulumi_azure_native/network/virtual_network_gateway_nat_rule.py b/sdk/python/pulumi_azure_native/network/virtual_network_gateway_nat_rule.py index 4b55dbbc1132..9609ed73d935 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_network_gateway_nat_rule.py +++ b/sdk/python/pulumi_azure_native/network/virtual_network_gateway_nat_rule.py @@ -285,7 +285,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20210201:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetworkGatewayNatRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualNetworkGatewayNatRule"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualNetworkGatewayNatRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetworkGatewayNatRule, __self__).__init__( 'azure-native:network:VirtualNetworkGatewayNatRule', diff --git a/sdk/python/pulumi_azure_native/network/virtual_network_peering.py b/sdk/python/pulumi_azure_native/network/virtual_network_peering.py index ee309c88ae6b..bd8c0378ae86 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_network_peering.py +++ b/sdk/python/pulumi_azure_native/network/virtual_network_peering.py @@ -567,7 +567,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["remote_virtual_network_encryption"] = None __props__.__dict__["resource_guid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20160601:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20160901:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20161201:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20170301:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20170601:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20170801:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20170901:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20171001:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20171101:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20180101:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20180201:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20180401:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20180601:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20180701:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20180801:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20181001:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20181101:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20181201:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20190201:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20190401:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20190601:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20190701:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20190801:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20190901:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20191101:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20191201:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20200301:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20200401:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20200501:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetworkPeering")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190601:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20160601:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20160901:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20161201:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20170301:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20170601:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20170801:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20170901:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20171001:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20171101:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20180101:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20180201:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20180401:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20180601:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20180701:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20180801:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20181001:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20181101:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20181201:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20190201:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20190401:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20190601:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20190701:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20190801:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20190901:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20191101:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20191201:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20200301:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20200401:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualNetworkPeering"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualNetworkPeering")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetworkPeering, __self__).__init__( 'azure-native:network:VirtualNetworkPeering', diff --git a/sdk/python/pulumi_azure_native/network/virtual_network_tap.py b/sdk/python/pulumi_azure_native/network/virtual_network_tap.py index 68aa1cb7558e..3c6a2131b890 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_network_tap.py +++ b/sdk/python/pulumi_azure_native/network/virtual_network_tap.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_guid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180801:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20181001:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20181101:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20181201:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20190201:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20190401:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20190601:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20190701:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20190801:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20190901:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20191101:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20191201:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20200301:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20200401:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20200501:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetworkTap")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualNetworkTap"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20180801:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20181001:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20181101:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20181201:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20190201:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20190401:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20190601:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20190701:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20190801:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20190901:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20191101:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20191201:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20200301:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20200401:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualNetworkTap"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualNetworkTap")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetworkTap, __self__).__init__( 'azure-native:network:VirtualNetworkTap', diff --git a/sdk/python/pulumi_azure_native/network/virtual_router.py b/sdk/python/pulumi_azure_native/network/virtual_router.py index c51bd5339830..ce974cdf37d8 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_router.py +++ b/sdk/python/pulumi_azure_native/network/virtual_router.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["peerings"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190701:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20190801:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20190901:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20191101:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20191201:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20200301:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20200401:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20200501:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualRouter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualRouter"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20190701:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20190801:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20190901:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20191101:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20191201:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20200301:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20200401:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualRouter"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualRouter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualRouter, __self__).__init__( 'azure-native:network:VirtualRouter', diff --git a/sdk/python/pulumi_azure_native/network/virtual_router_peering.py b/sdk/python/pulumi_azure_native/network/virtual_router_peering.py index df5a67758d8c..1c31e3486122 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_router_peering.py +++ b/sdk/python/pulumi_azure_native/network/virtual_router_peering.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190701:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20190801:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20190901:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20191101:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20191201:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20200301:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20200401:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20200501:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualRouterPeering")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualRouterPeering"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20190701:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20190801:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20190901:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20191101:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20191201:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20200301:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20200401:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualRouterPeering"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualRouterPeering")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualRouterPeering, __self__).__init__( 'azure-native:network:VirtualRouterPeering', diff --git a/sdk/python/pulumi_azure_native/network/virtual_wan.py b/sdk/python/pulumi_azure_native/network/virtual_wan.py index 9d37bf1c151d..73005d83b832 100644 --- a/sdk/python/pulumi_azure_native/network/virtual_wan.py +++ b/sdk/python/pulumi_azure_native/network/virtual_wan.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["virtual_hubs"] = None __props__.__dict__["vpn_sites"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180401:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20180601:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20180701:VirtualWAN"), pulumi.Alias(type_="azure-native:network/v20180701:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20180801:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20181001:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20181101:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20181201:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20190201:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20190401:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20190601:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20190701:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20190801:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20190901:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20191101:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20191201:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20200301:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20200401:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20200501:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20200601:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20200701:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20200801:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20201101:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20210201:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20210301:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20210501:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20210801:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20220101:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20220501:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20220701:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20220901:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20221101:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualWan")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180701:VirtualWAN"), pulumi.Alias(type_="azure-native:network/v20190701:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20230201:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20230401:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20230501:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20230601:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20230901:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20231101:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20240101:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20240301:VirtualWan"), pulumi.Alias(type_="azure-native:network/v20240501:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20180401:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20180601:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20180701:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20180801:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20181001:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20181101:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20181201:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20190201:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20190401:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20190601:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20190701:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20190801:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20190901:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20191101:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20191201:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20200301:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20200401:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20200501:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20200601:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20200701:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20200801:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20201101:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20210201:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20210301:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20210501:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20210801:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20220101:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20220501:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20220701:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20220901:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20221101:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20230201:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20230401:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20230501:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20230601:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20230901:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20231101:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20240101:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20240301:network:VirtualWan"), pulumi.Alias(type_="azure-native_network_v20240501:network:VirtualWan")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualWan, __self__).__init__( 'azure-native:network:VirtualWan', diff --git a/sdk/python/pulumi_azure_native/network/vpn_connection.py b/sdk/python/pulumi_azure_native/network/vpn_connection.py index 7c359617aad2..3d1e2787c96f 100644 --- a/sdk/python/pulumi_azure_native/network/vpn_connection.py +++ b/sdk/python/pulumi_azure_native/network/vpn_connection.py @@ -488,7 +488,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["ingress_bytes_transferred"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180401:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20180601:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20180701:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20180801:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20181001:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20181101:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20181201:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20190201:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20190401:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20190601:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20190701:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20190801:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20190901:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20191101:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20191201:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20200301:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20200401:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20200501:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20200601:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20200701:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20200801:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20201101:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20210201:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20210301:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20210501:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20210801:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20220101:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20220501:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20220701:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20220901:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20221101:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20230201:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20230401:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20230501:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20230601:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20230901:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20231101:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20240101:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20240301:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20240501:VpnConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180701:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20230201:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20230401:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20230501:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20230601:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20230901:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20231101:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20240101:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20240301:VpnConnection"), pulumi.Alias(type_="azure-native:network/v20240501:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20180401:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20180601:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20180701:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20180801:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20181001:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20181101:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20181201:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20190201:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20190401:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20190601:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20190701:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20190801:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20190901:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20191101:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20191201:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20200301:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20200401:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20200501:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20200601:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20200701:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20200801:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20201101:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20210201:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20210301:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20210501:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20210801:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20220101:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20220501:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20220701:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20220901:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20221101:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20230201:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20230401:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20230501:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20230601:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20230901:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20231101:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20240101:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20240301:network:VpnConnection"), pulumi.Alias(type_="azure-native_network_v20240501:network:VpnConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VpnConnection, __self__).__init__( 'azure-native:network:VpnConnection', diff --git a/sdk/python/pulumi_azure_native/network/vpn_gateway.py b/sdk/python/pulumi_azure_native/network/vpn_gateway.py index 601b06d7e68a..3abf08ee7290 100644 --- a/sdk/python/pulumi_azure_native/network/vpn_gateway.py +++ b/sdk/python/pulumi_azure_native/network/vpn_gateway.py @@ -333,7 +333,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180401:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20180601:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20180701:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20180801:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20181001:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20181101:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20181201:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20190201:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20190401:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20190601:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20190701:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20190801:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20190901:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20191101:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20191201:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20200301:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20200401:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20200501:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20200601:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20200701:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20200801:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20201101:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20210201:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20210301:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20210501:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20210801:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20220101:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20220501:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20220701:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20220901:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20221101:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20230201:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20230401:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20230501:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20230601:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20230901:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20231101:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20240101:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20240301:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20240501:VpnGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180701:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20230201:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20230401:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20230501:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20230601:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20230901:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20231101:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20240101:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20240301:VpnGateway"), pulumi.Alias(type_="azure-native:network/v20240501:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20180401:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20180601:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20180701:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20180801:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20181001:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20181101:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20181201:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20190201:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20190401:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20190601:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20190701:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20190801:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20190901:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20191101:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20191201:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20200301:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20200401:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20200501:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20200601:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20200701:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20200801:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20201101:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20210201:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20210301:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20210501:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20210801:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20220101:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20220501:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20220701:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20220901:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20221101:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20230201:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20230401:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20230501:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20230601:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20230901:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20231101:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20240101:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20240301:network:VpnGateway"), pulumi.Alias(type_="azure-native_network_v20240501:network:VpnGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VpnGateway, __self__).__init__( 'azure-native:network:VpnGateway', diff --git a/sdk/python/pulumi_azure_native/network/vpn_server_configuration.py b/sdk/python/pulumi_azure_native/network/vpn_server_configuration.py index 8f37ee56384a..932bc373d234 100644 --- a/sdk/python/pulumi_azure_native/network/vpn_server_configuration.py +++ b/sdk/python/pulumi_azure_native/network/vpn_server_configuration.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["etag"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190801:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20190901:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20191101:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20191201:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20200301:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20200401:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20200501:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20200601:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20200701:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20200801:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20201101:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20210201:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20210301:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20210501:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20210801:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20220101:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20220501:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20220701:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20220901:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20221101:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20230201:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:VpnServerConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20230201:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20230401:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20230501:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20230601:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20230901:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20231101:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20240101:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20240301:VpnServerConfiguration"), pulumi.Alias(type_="azure-native:network/v20240501:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20190801:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20190901:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20191101:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20191201:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20200301:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20200401:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20200501:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20200601:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20200701:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20200801:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20201101:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20210201:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20210301:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20210501:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20210801:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20220101:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20220501:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20220701:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20220901:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20221101:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20230201:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20230401:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20230501:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20230601:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20230901:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20231101:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20240101:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20240301:network:VpnServerConfiguration"), pulumi.Alias(type_="azure-native_network_v20240501:network:VpnServerConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VpnServerConfiguration, __self__).__init__( 'azure-native:network:VpnServerConfiguration', diff --git a/sdk/python/pulumi_azure_native/network/vpn_site.py b/sdk/python/pulumi_azure_native/network/vpn_site.py index d36db3ac3243..25032c4d7356 100644 --- a/sdk/python/pulumi_azure_native/network/vpn_site.py +++ b/sdk/python/pulumi_azure_native/network/vpn_site.py @@ -365,7 +365,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180401:VpnSite"), pulumi.Alias(type_="azure-native:network/v20180601:VpnSite"), pulumi.Alias(type_="azure-native:network/v20180701:VpnSite"), pulumi.Alias(type_="azure-native:network/v20180801:VpnSite"), pulumi.Alias(type_="azure-native:network/v20181001:VpnSite"), pulumi.Alias(type_="azure-native:network/v20181101:VpnSite"), pulumi.Alias(type_="azure-native:network/v20181201:VpnSite"), pulumi.Alias(type_="azure-native:network/v20190201:VpnSite"), pulumi.Alias(type_="azure-native:network/v20190401:VpnSite"), pulumi.Alias(type_="azure-native:network/v20190601:VpnSite"), pulumi.Alias(type_="azure-native:network/v20190701:VpnSite"), pulumi.Alias(type_="azure-native:network/v20190801:VpnSite"), pulumi.Alias(type_="azure-native:network/v20190901:VpnSite"), pulumi.Alias(type_="azure-native:network/v20191101:VpnSite"), pulumi.Alias(type_="azure-native:network/v20191201:VpnSite"), pulumi.Alias(type_="azure-native:network/v20200301:VpnSite"), pulumi.Alias(type_="azure-native:network/v20200401:VpnSite"), pulumi.Alias(type_="azure-native:network/v20200501:VpnSite"), pulumi.Alias(type_="azure-native:network/v20200601:VpnSite"), pulumi.Alias(type_="azure-native:network/v20200701:VpnSite"), pulumi.Alias(type_="azure-native:network/v20200801:VpnSite"), pulumi.Alias(type_="azure-native:network/v20201101:VpnSite"), pulumi.Alias(type_="azure-native:network/v20210201:VpnSite"), pulumi.Alias(type_="azure-native:network/v20210301:VpnSite"), pulumi.Alias(type_="azure-native:network/v20210501:VpnSite"), pulumi.Alias(type_="azure-native:network/v20210801:VpnSite"), pulumi.Alias(type_="azure-native:network/v20220101:VpnSite"), pulumi.Alias(type_="azure-native:network/v20220501:VpnSite"), pulumi.Alias(type_="azure-native:network/v20220701:VpnSite"), pulumi.Alias(type_="azure-native:network/v20220901:VpnSite"), pulumi.Alias(type_="azure-native:network/v20221101:VpnSite"), pulumi.Alias(type_="azure-native:network/v20230201:VpnSite"), pulumi.Alias(type_="azure-native:network/v20230401:VpnSite"), pulumi.Alias(type_="azure-native:network/v20230501:VpnSite"), pulumi.Alias(type_="azure-native:network/v20230601:VpnSite"), pulumi.Alias(type_="azure-native:network/v20230901:VpnSite"), pulumi.Alias(type_="azure-native:network/v20231101:VpnSite"), pulumi.Alias(type_="azure-native:network/v20240101:VpnSite"), pulumi.Alias(type_="azure-native:network/v20240301:VpnSite"), pulumi.Alias(type_="azure-native:network/v20240501:VpnSite")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20180701:VpnSite"), pulumi.Alias(type_="azure-native:network/v20230201:VpnSite"), pulumi.Alias(type_="azure-native:network/v20230401:VpnSite"), pulumi.Alias(type_="azure-native:network/v20230501:VpnSite"), pulumi.Alias(type_="azure-native:network/v20230601:VpnSite"), pulumi.Alias(type_="azure-native:network/v20230901:VpnSite"), pulumi.Alias(type_="azure-native:network/v20231101:VpnSite"), pulumi.Alias(type_="azure-native:network/v20240101:VpnSite"), pulumi.Alias(type_="azure-native:network/v20240301:VpnSite"), pulumi.Alias(type_="azure-native:network/v20240501:VpnSite"), pulumi.Alias(type_="azure-native_network_v20180401:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20180601:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20180701:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20180801:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20181001:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20181101:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20181201:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20190201:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20190401:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20190601:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20190701:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20190801:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20190901:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20191101:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20191201:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20200301:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20200401:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20200501:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20200601:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20200701:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20200801:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20201101:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20210201:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20210301:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20210501:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20210801:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20220101:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20220501:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20220701:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20220901:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20221101:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20230201:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20230401:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20230501:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20230601:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20230901:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20231101:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20240101:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20240301:network:VpnSite"), pulumi.Alias(type_="azure-native_network_v20240501:network:VpnSite")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VpnSite, __self__).__init__( 'azure-native:network:VpnSite', diff --git a/sdk/python/pulumi_azure_native/network/web_application_firewall_policy.py b/sdk/python/pulumi_azure_native/network/web_application_firewall_policy.py index 4a80268f75ad..477b3d5b29af 100644 --- a/sdk/python/pulumi_azure_native/network/web_application_firewall_policy.py +++ b/sdk/python/pulumi_azure_native/network/web_application_firewall_policy.py @@ -252,7 +252,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["resource_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20181201:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20190201:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20190401:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20190601:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20190701:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20190801:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20190901:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20191101:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20191201:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200301:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200401:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200501:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200601:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200701:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20200801:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20201101:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20210201:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20210301:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20210501:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20210801:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20220101:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20220501:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20220701:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20220901:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20221101:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230201:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230401:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230501:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230601:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230901:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20231101:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240101:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240301:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240501:WebApplicationFirewallPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20190701:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230201:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230401:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230501:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230601:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20230901:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20231101:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240101:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240301:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native:network/v20240501:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20181201:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20190201:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20190401:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20190601:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20190701:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20190801:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20190901:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20191101:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20191201:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200301:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200401:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200501:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200601:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200701:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20200801:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20201101:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20210201:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20210301:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20210501:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20210801:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20220101:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20220501:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20220701:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20220901:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20221101:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20230201:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20230401:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20230501:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20230601:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20230901:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20231101:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20240101:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20240301:network:WebApplicationFirewallPolicy"), pulumi.Alias(type_="azure-native_network_v20240501:network:WebApplicationFirewallPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebApplicationFirewallPolicy, __self__).__init__( 'azure-native:network:WebApplicationFirewallPolicy', diff --git a/sdk/python/pulumi_azure_native/networkcloud/agent_pool.py b/sdk/python/pulumi_azure_native/networkcloud/agent_pool.py index e3f52313c588..e3a21d072473 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/agent_pool.py +++ b/sdk/python/pulumi_azure_native/networkcloud/agent_pool.py @@ -410,7 +410,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:AgentPool"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:AgentPool"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:AgentPool"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:AgentPool"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:AgentPool"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:AgentPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:AgentPool"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:AgentPool"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:AgentPool"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:AgentPool"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:AgentPool"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:AgentPool"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:AgentPool"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:AgentPool"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:AgentPool"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:AgentPool"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:AgentPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AgentPool, __self__).__init__( 'azure-native:networkcloud:AgentPool', diff --git a/sdk/python/pulumi_azure_native/networkcloud/bare_metal_machine.py b/sdk/python/pulumi_azure_native/networkcloud/bare_metal_machine.py index e3358dcf14c4..000a82b146e0 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/bare_metal_machine.py +++ b/sdk/python/pulumi_azure_native/networkcloud/bare_metal_machine.py @@ -433,7 +433,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_machines_associated_ids"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:BareMetalMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:BareMetalMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:BareMetalMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:BareMetalMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:BareMetalMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:BareMetalMachine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:BareMetalMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:BareMetalMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:BareMetalMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:BareMetalMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:BareMetalMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:BareMetalMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:BareMetalMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:BareMetalMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:BareMetalMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:BareMetalMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:BareMetalMachine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BareMetalMachine, __self__).__init__( 'azure-native:networkcloud:BareMetalMachine', diff --git a/sdk/python/pulumi_azure_native/networkcloud/bare_metal_machine_key_set.py b/sdk/python/pulumi_azure_native/networkcloud/bare_metal_machine_key_set.py index d1feffa9b893..85973756588a 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/bare_metal_machine_key_set.py +++ b/sdk/python/pulumi_azure_native/networkcloud/bare_metal_machine_key_set.py @@ -334,7 +334,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["user_list_status"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:BareMetalMachineKeySet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:BareMetalMachineKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:BareMetalMachineKeySet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BareMetalMachineKeySet, __self__).__init__( 'azure-native:networkcloud:BareMetalMachineKeySet', diff --git a/sdk/python/pulumi_azure_native/networkcloud/bmc_key_set.py b/sdk/python/pulumi_azure_native/networkcloud/bmc_key_set.py index 37cf441522cf..4714d6a926e2 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/bmc_key_set.py +++ b/sdk/python/pulumi_azure_native/networkcloud/bmc_key_set.py @@ -293,7 +293,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["user_list_status"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:BmcKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:BmcKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:BmcKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:BmcKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:BmcKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:BmcKeySet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:BmcKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:BmcKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:BmcKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:BmcKeySet"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:BmcKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:BmcKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:BmcKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:BmcKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:BmcKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:BmcKeySet"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:BmcKeySet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BmcKeySet, __self__).__init__( 'azure-native:networkcloud:BmcKeySet', diff --git a/sdk/python/pulumi_azure_native/networkcloud/cloud_services_network.py b/sdk/python/pulumi_azure_native/networkcloud/cloud_services_network.py index 0ea088fc4b5b..5c4d00106ab4 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/cloud_services_network.py +++ b/sdk/python/pulumi_azure_native/networkcloud/cloud_services_network.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_machines_associated_ids"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:CloudServicesNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:CloudServicesNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:CloudServicesNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:CloudServicesNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:CloudServicesNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:CloudServicesNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:CloudServicesNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:CloudServicesNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:CloudServicesNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:CloudServicesNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:CloudServicesNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:CloudServicesNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:CloudServicesNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:CloudServicesNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:CloudServicesNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:CloudServicesNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:CloudServicesNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudServicesNetwork, __self__).__init__( 'azure-native:networkcloud:CloudServicesNetwork', diff --git a/sdk/python/pulumi_azure_native/networkcloud/cluster.py b/sdk/python/pulumi_azure_native/networkcloud/cluster.py index e4fa4efb9b76..b581fd0059d9 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/cluster.py +++ b/sdk/python/pulumi_azure_native/networkcloud/cluster.py @@ -563,7 +563,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["workload_resource_ids"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:Cluster"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:Cluster"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:Cluster"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:Cluster"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:Cluster"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:Cluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:Cluster"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:Cluster"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:Cluster"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:Cluster"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:Cluster"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:Cluster"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:Cluster"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:Cluster"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:Cluster"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:Cluster"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:Cluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cluster, __self__).__init__( 'azure-native:networkcloud:Cluster', diff --git a/sdk/python/pulumi_azure_native/networkcloud/cluster_manager.py b/sdk/python/pulumi_azure_native/networkcloud/cluster_manager.py index b60a5069500d..476a0f85d595 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/cluster_manager.py +++ b/sdk/python/pulumi_azure_native/networkcloud/cluster_manager.py @@ -288,7 +288,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:ClusterManager"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:ClusterManager"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:ClusterManager"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:ClusterManager"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:ClusterManager"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:ClusterManager")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:ClusterManager"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:ClusterManager"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:ClusterManager"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:ClusterManager"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:ClusterManager"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:ClusterManager"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:ClusterManager"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:ClusterManager"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:ClusterManager"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:ClusterManager"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:ClusterManager")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ClusterManager, __self__).__init__( 'azure-native:networkcloud:ClusterManager', diff --git a/sdk/python/pulumi_azure_native/networkcloud/console.py b/sdk/python/pulumi_azure_native/networkcloud/console.py index 93299980214c..96b049f13632 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/console.py +++ b/sdk/python/pulumi_azure_native/networkcloud/console.py @@ -271,7 +271,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_machine_access_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:Console"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:Console"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:Console"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:Console"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:Console"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:Console")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:Console"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:Console"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:Console"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:Console"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:Console"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:Console"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:Console"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:Console"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:Console"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:Console"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:Console")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Console, __self__).__init__( 'azure-native:networkcloud:Console', diff --git a/sdk/python/pulumi_azure_native/networkcloud/kubernetes_cluster.py b/sdk/python/pulumi_azure_native/networkcloud/kubernetes_cluster.py index 1562f6c04e99..0d83c81cdcae 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/kubernetes_cluster.py +++ b/sdk/python/pulumi_azure_native/networkcloud/kubernetes_cluster.py @@ -337,7 +337,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:KubernetesCluster"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:KubernetesCluster"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:KubernetesCluster"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:KubernetesCluster"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:KubernetesCluster"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:KubernetesCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:KubernetesCluster"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:KubernetesCluster"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:KubernetesCluster"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:KubernetesCluster"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:KubernetesCluster"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:KubernetesCluster"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:KubernetesCluster"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:KubernetesCluster"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:KubernetesCluster"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:KubernetesCluster"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:KubernetesCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KubernetesCluster, __self__).__init__( 'azure-native:networkcloud:KubernetesCluster', diff --git a/sdk/python/pulumi_azure_native/networkcloud/kubernetes_cluster_feature.py b/sdk/python/pulumi_azure_native/networkcloud/kubernetes_cluster_feature.py index 2e8809672268..c19964597262 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/kubernetes_cluster_feature.py +++ b/sdk/python/pulumi_azure_native/networkcloud/kubernetes_cluster_feature.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:KubernetesClusterFeature"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:KubernetesClusterFeature"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:KubernetesClusterFeature"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:KubernetesClusterFeature")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:KubernetesClusterFeature"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:KubernetesClusterFeature"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:KubernetesClusterFeature"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:KubernetesClusterFeature"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:KubernetesClusterFeature"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:KubernetesClusterFeature"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:KubernetesClusterFeature")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KubernetesClusterFeature, __self__).__init__( 'azure-native:networkcloud:KubernetesClusterFeature', diff --git a/sdk/python/pulumi_azure_native/networkcloud/l2_network.py b/sdk/python/pulumi_azure_native/networkcloud/l2_network.py index 1dbe2cea0b81..fac209f76d8c 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/l2_network.py +++ b/sdk/python/pulumi_azure_native/networkcloud/l2_network.py @@ -255,7 +255,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_machines_associated_ids"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:L2Network"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:L2Network"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:L2Network"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:L2Network"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:L2Network"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:L2Network")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:L2Network"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:L2Network"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:L2Network"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:L2Network"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:L2Network"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:L2Network"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:L2Network"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:L2Network"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:L2Network"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:L2Network"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:L2Network")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(L2Network, __self__).__init__( 'azure-native:networkcloud:L2Network', diff --git a/sdk/python/pulumi_azure_native/networkcloud/l3_network.py b/sdk/python/pulumi_azure_native/networkcloud/l3_network.py index 4aabd1bd9c80..87108b27e17b 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/l3_network.py +++ b/sdk/python/pulumi_azure_native/networkcloud/l3_network.py @@ -370,7 +370,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_machines_associated_ids"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:L3Network"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:L3Network"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:L3Network"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:L3Network"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:L3Network"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:L3Network")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:L3Network"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:L3Network"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:L3Network"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:L3Network"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:L3Network"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:L3Network"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:L3Network"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:L3Network"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:L3Network"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:L3Network"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:L3Network")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(L3Network, __self__).__init__( 'azure-native:networkcloud:L3Network', diff --git a/sdk/python/pulumi_azure_native/networkcloud/metrics_configuration.py b/sdk/python/pulumi_azure_native/networkcloud/metrics_configuration.py index 5ad81825aab2..ff0e291fba69 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/metrics_configuration.py +++ b/sdk/python/pulumi_azure_native/networkcloud/metrics_configuration.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:MetricsConfiguration"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:MetricsConfiguration"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:MetricsConfiguration"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:MetricsConfiguration"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:MetricsConfiguration"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:MetricsConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:MetricsConfiguration"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:MetricsConfiguration"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:MetricsConfiguration"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:MetricsConfiguration"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:MetricsConfiguration"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:MetricsConfiguration"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:MetricsConfiguration"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:MetricsConfiguration"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:MetricsConfiguration"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:MetricsConfiguration"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:MetricsConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MetricsConfiguration, __self__).__init__( 'azure-native:networkcloud:MetricsConfiguration', diff --git a/sdk/python/pulumi_azure_native/networkcloud/rack.py b/sdk/python/pulumi_azure_native/networkcloud/rack.py index 85c03e901a8b..ebda10a94f93 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/rack.py +++ b/sdk/python/pulumi_azure_native/networkcloud/rack.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:Rack"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:Rack"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:Rack"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:Rack"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:Rack"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:Rack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:Rack"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:Rack"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:Rack"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:Rack"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:Rack"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:Rack"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:Rack"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:Rack"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:Rack"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:Rack"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:Rack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Rack, __self__).__init__( 'azure-native:networkcloud:Rack', diff --git a/sdk/python/pulumi_azure_native/networkcloud/storage_appliance.py b/sdk/python/pulumi_azure_native/networkcloud/storage_appliance.py index e1e614bd0c35..de7dead8bec8 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/storage_appliance.py +++ b/sdk/python/pulumi_azure_native/networkcloud/storage_appliance.py @@ -300,7 +300,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:StorageAppliance"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:StorageAppliance"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:StorageAppliance"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:StorageAppliance"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:StorageAppliance"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:StorageAppliance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:StorageAppliance"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:StorageAppliance"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:StorageAppliance"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:StorageAppliance"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:StorageAppliance"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:StorageAppliance"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:StorageAppliance"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:StorageAppliance"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:StorageAppliance"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:StorageAppliance"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:StorageAppliance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageAppliance, __self__).__init__( 'azure-native:networkcloud:StorageAppliance', diff --git a/sdk/python/pulumi_azure_native/networkcloud/trunked_network.py b/sdk/python/pulumi_azure_native/networkcloud/trunked_network.py index 0e5dca9213e9..8b3d86443160 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/trunked_network.py +++ b/sdk/python/pulumi_azure_native/networkcloud/trunked_network.py @@ -276,7 +276,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_machines_associated_ids"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:TrunkedNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:TrunkedNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:TrunkedNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:TrunkedNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:TrunkedNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:TrunkedNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:TrunkedNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:TrunkedNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:TrunkedNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:TrunkedNetwork"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:TrunkedNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:TrunkedNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:TrunkedNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:TrunkedNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:TrunkedNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:TrunkedNetwork"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:TrunkedNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TrunkedNetwork, __self__).__init__( 'azure-native:networkcloud:TrunkedNetwork', diff --git a/sdk/python/pulumi_azure_native/networkcloud/virtual_machine.py b/sdk/python/pulumi_azure_native/networkcloud/virtual_machine.py index 7ba42832d686..71b3dd98539b 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/virtual_machine.py +++ b/sdk/python/pulumi_azure_native/networkcloud/virtual_machine.py @@ -553,7 +553,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["volumes"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:VirtualMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:VirtualMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:VirtualMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:VirtualMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:VirtualMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:VirtualMachine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:VirtualMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:VirtualMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:VirtualMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:VirtualMachine"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:VirtualMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:VirtualMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:VirtualMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:VirtualMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:VirtualMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:VirtualMachine"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:VirtualMachine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachine, __self__).__init__( 'azure-native:networkcloud:VirtualMachine', diff --git a/sdk/python/pulumi_azure_native/networkcloud/volume.py b/sdk/python/pulumi_azure_native/networkcloud/volume.py index 3da2aa6f36fa..e54733e5b6ad 100644 --- a/sdk/python/pulumi_azure_native/networkcloud/volume.py +++ b/sdk/python/pulumi_azure_native/networkcloud/volume.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["serial_number"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:Volume"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:Volume"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:Volume"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:Volume"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:Volume"), pulumi.Alias(type_="azure-native:networkcloud/v20250201:Volume")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkcloud/v20230701:Volume"), pulumi.Alias(type_="azure-native:networkcloud/v20231001preview:Volume"), pulumi.Alias(type_="azure-native:networkcloud/v20240601preview:Volume"), pulumi.Alias(type_="azure-native:networkcloud/v20240701:Volume"), pulumi.Alias(type_="azure-native:networkcloud/v20241001preview:Volume"), pulumi.Alias(type_="azure-native_networkcloud_v20230701:networkcloud:Volume"), pulumi.Alias(type_="azure-native_networkcloud_v20231001preview:networkcloud:Volume"), pulumi.Alias(type_="azure-native_networkcloud_v20240601preview:networkcloud:Volume"), pulumi.Alias(type_="azure-native_networkcloud_v20240701:networkcloud:Volume"), pulumi.Alias(type_="azure-native_networkcloud_v20241001preview:networkcloud:Volume"), pulumi.Alias(type_="azure-native_networkcloud_v20250201:networkcloud:Volume")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Volume, __self__).__init__( 'azure-native:networkcloud:Volume', diff --git a/sdk/python/pulumi_azure_native/networkfunction/azure_traffic_collector.py b/sdk/python/pulumi_azure_native/networkfunction/azure_traffic_collector.py index b99fc7b3e13b..e697561b2ce6 100644 --- a/sdk/python/pulumi_azure_native/networkfunction/azure_traffic_collector.py +++ b/sdk/python/pulumi_azure_native/networkfunction/azure_traffic_collector.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_hub"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkfunction/v20210901preview:AzureTrafficCollector"), pulumi.Alias(type_="azure-native:networkfunction/v20220501:AzureTrafficCollector"), pulumi.Alias(type_="azure-native:networkfunction/v20220801:AzureTrafficCollector"), pulumi.Alias(type_="azure-native:networkfunction/v20221101:AzureTrafficCollector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkfunction/v20220801:AzureTrafficCollector"), pulumi.Alias(type_="azure-native:networkfunction/v20221101:AzureTrafficCollector"), pulumi.Alias(type_="azure-native_networkfunction_v20210901preview:networkfunction:AzureTrafficCollector"), pulumi.Alias(type_="azure-native_networkfunction_v20220501:networkfunction:AzureTrafficCollector"), pulumi.Alias(type_="azure-native_networkfunction_v20220801:networkfunction:AzureTrafficCollector"), pulumi.Alias(type_="azure-native_networkfunction_v20221101:networkfunction:AzureTrafficCollector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzureTrafficCollector, __self__).__init__( 'azure-native:networkfunction:AzureTrafficCollector', diff --git a/sdk/python/pulumi_azure_native/networkfunction/collector_policy.py b/sdk/python/pulumi_azure_native/networkfunction/collector_policy.py index 3ef35fa4672b..2489432b886a 100644 --- a/sdk/python/pulumi_azure_native/networkfunction/collector_policy.py +++ b/sdk/python/pulumi_azure_native/networkfunction/collector_policy.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkfunction/v20210901preview:CollectorPolicy"), pulumi.Alias(type_="azure-native:networkfunction/v20220501:CollectorPolicy"), pulumi.Alias(type_="azure-native:networkfunction/v20220801:CollectorPolicy"), pulumi.Alias(type_="azure-native:networkfunction/v20221101:CollectorPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:networkfunction/v20220501:CollectorPolicy"), pulumi.Alias(type_="azure-native:networkfunction/v20221101:CollectorPolicy"), pulumi.Alias(type_="azure-native_networkfunction_v20210901preview:networkfunction:CollectorPolicy"), pulumi.Alias(type_="azure-native_networkfunction_v20220501:networkfunction:CollectorPolicy"), pulumi.Alias(type_="azure-native_networkfunction_v20220801:networkfunction:CollectorPolicy"), pulumi.Alias(type_="azure-native_networkfunction_v20221101:networkfunction:CollectorPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CollectorPolicy, __self__).__init__( 'azure-native:networkfunction:CollectorPolicy', diff --git a/sdk/python/pulumi_azure_native/notificationhubs/namespace.py b/sdk/python/pulumi_azure_native/notificationhubs/namespace.py index a68cb895519d..bd059730fac1 100644 --- a/sdk/python/pulumi_azure_native/notificationhubs/namespace.py +++ b/sdk/python/pulumi_azure_native/notificationhubs/namespace.py @@ -395,7 +395,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:notificationhubs/v20140901:Namespace"), pulumi.Alias(type_="azure-native:notificationhubs/v20160301:Namespace"), pulumi.Alias(type_="azure-native:notificationhubs/v20170401:Namespace"), pulumi.Alias(type_="azure-native:notificationhubs/v20230101preview:Namespace"), pulumi.Alias(type_="azure-native:notificationhubs/v20230901:Namespace"), pulumi.Alias(type_="azure-native:notificationhubs/v20231001preview:Namespace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:notificationhubs/v20170401:Namespace"), pulumi.Alias(type_="azure-native:notificationhubs/v20230101preview:Namespace"), pulumi.Alias(type_="azure-native:notificationhubs/v20230901:Namespace"), pulumi.Alias(type_="azure-native:notificationhubs/v20231001preview:Namespace"), pulumi.Alias(type_="azure-native_notificationhubs_v20140901:notificationhubs:Namespace"), pulumi.Alias(type_="azure-native_notificationhubs_v20160301:notificationhubs:Namespace"), pulumi.Alias(type_="azure-native_notificationhubs_v20170401:notificationhubs:Namespace"), pulumi.Alias(type_="azure-native_notificationhubs_v20230101preview:notificationhubs:Namespace"), pulumi.Alias(type_="azure-native_notificationhubs_v20230901:notificationhubs:Namespace"), pulumi.Alias(type_="azure-native_notificationhubs_v20231001preview:notificationhubs:Namespace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Namespace, __self__).__init__( 'azure-native:notificationhubs:Namespace', diff --git a/sdk/python/pulumi_azure_native/notificationhubs/namespace_authorization_rule.py b/sdk/python/pulumi_azure_native/notificationhubs/namespace_authorization_rule.py index 45e0e0539bd1..cb29937419c7 100644 --- a/sdk/python/pulumi_azure_native/notificationhubs/namespace_authorization_rule.py +++ b/sdk/python/pulumi_azure_native/notificationhubs/namespace_authorization_rule.py @@ -258,7 +258,7 @@ def _internal_init(__self__, __props__.__dict__["revision"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:notificationhubs/v20160301:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20170401:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20230101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20230901:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20231001preview:NamespaceAuthorizationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:notificationhubs/v20170401:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20230101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20230901:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20231001preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_notificationhubs_v20160301:notificationhubs:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_notificationhubs_v20170401:notificationhubs:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_notificationhubs_v20230101preview:notificationhubs:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_notificationhubs_v20230901:notificationhubs:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_notificationhubs_v20231001preview:notificationhubs:NamespaceAuthorizationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceAuthorizationRule, __self__).__init__( 'azure-native:notificationhubs:NamespaceAuthorizationRule', diff --git a/sdk/python/pulumi_azure_native/notificationhubs/notification_hub.py b/sdk/python/pulumi_azure_native/notificationhubs/notification_hub.py index 70fb3319aa9a..52b94150192b 100644 --- a/sdk/python/pulumi_azure_native/notificationhubs/notification_hub.py +++ b/sdk/python/pulumi_azure_native/notificationhubs/notification_hub.py @@ -427,7 +427,7 @@ def _internal_init(__self__, __props__.__dict__["daily_max_active_devices"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:notificationhubs/v20140901:NotificationHub"), pulumi.Alias(type_="azure-native:notificationhubs/v20160301:NotificationHub"), pulumi.Alias(type_="azure-native:notificationhubs/v20170401:NotificationHub"), pulumi.Alias(type_="azure-native:notificationhubs/v20230101preview:NotificationHub"), pulumi.Alias(type_="azure-native:notificationhubs/v20230901:NotificationHub"), pulumi.Alias(type_="azure-native:notificationhubs/v20231001preview:NotificationHub")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:notificationhubs/v20170401:NotificationHub"), pulumi.Alias(type_="azure-native:notificationhubs/v20230101preview:NotificationHub"), pulumi.Alias(type_="azure-native:notificationhubs/v20230901:NotificationHub"), pulumi.Alias(type_="azure-native:notificationhubs/v20231001preview:NotificationHub"), pulumi.Alias(type_="azure-native_notificationhubs_v20140901:notificationhubs:NotificationHub"), pulumi.Alias(type_="azure-native_notificationhubs_v20160301:notificationhubs:NotificationHub"), pulumi.Alias(type_="azure-native_notificationhubs_v20170401:notificationhubs:NotificationHub"), pulumi.Alias(type_="azure-native_notificationhubs_v20230101preview:notificationhubs:NotificationHub"), pulumi.Alias(type_="azure-native_notificationhubs_v20230901:notificationhubs:NotificationHub"), pulumi.Alias(type_="azure-native_notificationhubs_v20231001preview:notificationhubs:NotificationHub")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NotificationHub, __self__).__init__( 'azure-native:notificationhubs:NotificationHub', diff --git a/sdk/python/pulumi_azure_native/notificationhubs/notification_hub_authorization_rule.py b/sdk/python/pulumi_azure_native/notificationhubs/notification_hub_authorization_rule.py index b91a2044fd64..517b66ffa8a3 100644 --- a/sdk/python/pulumi_azure_native/notificationhubs/notification_hub_authorization_rule.py +++ b/sdk/python/pulumi_azure_native/notificationhubs/notification_hub_authorization_rule.py @@ -279,7 +279,7 @@ def _internal_init(__self__, __props__.__dict__["revision"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:notificationhubs/v20160301:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20170401:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20230101preview:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20230901:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20231001preview:NotificationHubAuthorizationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:notificationhubs/v20170401:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20230101preview:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20230901:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native:notificationhubs/v20231001preview:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native_notificationhubs_v20160301:notificationhubs:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native_notificationhubs_v20170401:notificationhubs:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native_notificationhubs_v20230101preview:notificationhubs:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native_notificationhubs_v20230901:notificationhubs:NotificationHubAuthorizationRule"), pulumi.Alias(type_="azure-native_notificationhubs_v20231001preview:notificationhubs:NotificationHubAuthorizationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NotificationHubAuthorizationRule, __self__).__init__( 'azure-native:notificationhubs:NotificationHubAuthorizationRule', diff --git a/sdk/python/pulumi_azure_native/notificationhubs/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/notificationhubs/private_endpoint_connection.py index c3b7a6095072..b8e778a6d6a3 100644 --- a/sdk/python/pulumi_azure_native/notificationhubs/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/notificationhubs/private_endpoint_connection.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:notificationhubs/v20230101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:notificationhubs/v20230901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:notificationhubs/v20231001preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:notificationhubs/v20230101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:notificationhubs/v20230901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:notificationhubs/v20231001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_notificationhubs_v20230101preview:notificationhubs:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_notificationhubs_v20230901:notificationhubs:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_notificationhubs_v20231001preview:notificationhubs:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:notificationhubs:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/offazure/hyper_v_site.py b/sdk/python/pulumi_azure_native/offazure/hyper_v_site.py index 02e88b45dafd..af3703fa8e60 100644 --- a/sdk/python/pulumi_azure_native/offazure/hyper_v_site.py +++ b/sdk/python/pulumi_azure_native/offazure/hyper_v_site.py @@ -214,7 +214,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200101:HyperVSite"), pulumi.Alias(type_="azure-native:offazure/v20200707:HyperVSite"), pulumi.Alias(type_="azure-native:offazure/v20230606:HyperVSite"), pulumi.Alias(type_="azure-native:offazure/v20230606:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:HyperVSite"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:HyperVSite"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure:HypervSitesController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200707:HyperVSite"), pulumi.Alias(type_="azure-native:offazure/v20230606:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure:HypervSitesController"), pulumi.Alias(type_="azure-native_offazure_v20200101:offazure:HyperVSite"), pulumi.Alias(type_="azure-native_offazure_v20200707:offazure:HyperVSite"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:HyperVSite"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:HyperVSite"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:HyperVSite")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HyperVSite, __self__).__init__( 'azure-native:offazure:HyperVSite', diff --git a/sdk/python/pulumi_azure_native/offazure/hyperv_cluster_controller_cluster.py b/sdk/python/pulumi_azure_native/offazure/hyperv_cluster_controller_cluster.py index 2b298f16e9cc..6158993899c8 100644 --- a/sdk/python/pulumi_azure_native/offazure/hyperv_cluster_controller_cluster.py +++ b/sdk/python/pulumi_azure_native/offazure/hyperv_cluster_controller_cluster.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:HypervClusterControllerCluster"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:HypervClusterControllerCluster"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:HypervClusterControllerCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:HypervClusterControllerCluster"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:HypervClusterControllerCluster"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:HypervClusterControllerCluster"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:HypervClusterControllerCluster"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:HypervClusterControllerCluster"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:HypervClusterControllerCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HypervClusterControllerCluster, __self__).__init__( 'azure-native:offazure:HypervClusterControllerCluster', diff --git a/sdk/python/pulumi_azure_native/offazure/hyperv_host_controller.py b/sdk/python/pulumi_azure_native/offazure/hyperv_host_controller.py index 7ad75b9f1ffd..c8273448cb0d 100644 --- a/sdk/python/pulumi_azure_native/offazure/hyperv_host_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/hyperv_host_controller.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:HypervHostController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:HypervHostController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:HypervHostController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:HypervHostController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:HypervHostController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:HypervHostController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:HypervHostController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:HypervHostController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:HypervHostController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HypervHostController, __self__).__init__( 'azure-native:offazure:HypervHostController', diff --git a/sdk/python/pulumi_azure_native/offazure/hyperv_sites_controller.py b/sdk/python/pulumi_azure_native/offazure/hyperv_sites_controller.py index 10aa08ad24be..a8418748cbda 100644 --- a/sdk/python/pulumi_azure_native/offazure/hyperv_sites_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/hyperv_sites_controller.py @@ -273,7 +273,7 @@ def _internal_init(__self__, __props__.__dict__["service_endpoint"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200101:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure/v20200707:HyperVSite"), pulumi.Alias(type_="azure-native:offazure/v20200707:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure/v20230606:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure:HyperVSite")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200707:HyperVSite"), pulumi.Alias(type_="azure-native:offazure/v20230606:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:HypervSitesController"), pulumi.Alias(type_="azure-native:offazure:HyperVSite"), pulumi.Alias(type_="azure-native_offazure_v20200101:offazure:HypervSitesController"), pulumi.Alias(type_="azure-native_offazure_v20200707:offazure:HypervSitesController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:HypervSitesController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:HypervSitesController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:HypervSitesController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HypervSitesController, __self__).__init__( 'azure-native:offazure:HypervSitesController', diff --git a/sdk/python/pulumi_azure_native/offazure/import_sites_controller.py b/sdk/python/pulumi_azure_native/offazure/import_sites_controller.py index b68ec5e15534..bfc2e3893549 100644 --- a/sdk/python/pulumi_azure_native/offazure/import_sites_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/import_sites_controller.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["service_endpoint"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:ImportSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:ImportSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:ImportSitesController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:ImportSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:ImportSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:ImportSitesController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:ImportSitesController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:ImportSitesController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:ImportSitesController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ImportSitesController, __self__).__init__( 'azure-native:offazure:ImportSitesController', diff --git a/sdk/python/pulumi_azure_native/offazure/master_sites_controller.py b/sdk/python/pulumi_azure_native/offazure/master_sites_controller.py index f11b82cb9321..cf6cfc6dadd4 100644 --- a/sdk/python/pulumi_azure_native/offazure/master_sites_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/master_sites_controller.py @@ -256,7 +256,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200707:MasterSitesController"), pulumi.Alias(type_="azure-native:offazure/v20230606:MasterSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:MasterSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:MasterSitesController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:MasterSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:MasterSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:MasterSitesController"), pulumi.Alias(type_="azure-native_offazure_v20200707:offazure:MasterSitesController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:MasterSitesController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:MasterSitesController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:MasterSitesController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MasterSitesController, __self__).__init__( 'azure-native:offazure:MasterSitesController', diff --git a/sdk/python/pulumi_azure_native/offazure/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/offazure/private_endpoint_connection.py index 87de911998af..677212f2ff85 100644 --- a/sdk/python/pulumi_azure_native/offazure/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/offazure/private_endpoint_connection.py @@ -142,7 +142,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200707:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:offazure/v20230606:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:offazure/v20230606:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure:PrivateEndpointConnectionController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200707:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:offazure/v20230606:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native_offazure_v20200707:offazure:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:offazure:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/offazure/private_endpoint_connection_controller.py b/sdk/python/pulumi_azure_native/offazure/private_endpoint_connection_controller.py index a84ef1694b2d..745addb2a512 100644 --- a/sdk/python/pulumi_azure_native/offazure/private_endpoint_connection_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/private_endpoint_connection_controller.py @@ -169,7 +169,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200707:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:offazure/v20200707:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure/v20230606:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200707:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:offazure/v20230606:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native:offazure:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_offazure_v20200707:offazure:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:PrivateEndpointConnectionController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:PrivateEndpointConnectionController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionController, __self__).__init__( 'azure-native:offazure:PrivateEndpointConnectionController', diff --git a/sdk/python/pulumi_azure_native/offazure/server_sites_controller.py b/sdk/python/pulumi_azure_native/offazure/server_sites_controller.py index 2e765c09d3ac..a0ad8dfc1a89 100644 --- a/sdk/python/pulumi_azure_native/offazure/server_sites_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/server_sites_controller.py @@ -253,7 +253,7 @@ def _internal_init(__self__, __props__.__dict__["service_endpoint"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:ServerSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:ServerSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:ServerSitesController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:ServerSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:ServerSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:ServerSitesController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:ServerSitesController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:ServerSitesController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:ServerSitesController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerSitesController, __self__).__init__( 'azure-native:offazure:ServerSitesController', diff --git a/sdk/python/pulumi_azure_native/offazure/site.py b/sdk/python/pulumi_azure_native/offazure/site.py index 15ecedcd874c..ec06a77f823c 100644 --- a/sdk/python/pulumi_azure_native/offazure/site.py +++ b/sdk/python/pulumi_azure_native/offazure/site.py @@ -214,7 +214,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200101:Site"), pulumi.Alias(type_="azure-native:offazure/v20200707:Site"), pulumi.Alias(type_="azure-native:offazure/v20230606:Site"), pulumi.Alias(type_="azure-native:offazure/v20230606:SitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:Site"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:SitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:Site"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:SitesController"), pulumi.Alias(type_="azure-native:offazure:SitesController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200707:Site"), pulumi.Alias(type_="azure-native:offazure/v20230606:SitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:SitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:SitesController"), pulumi.Alias(type_="azure-native:offazure:SitesController"), pulumi.Alias(type_="azure-native_offazure_v20200101:offazure:Site"), pulumi.Alias(type_="azure-native_offazure_v20200707:offazure:Site"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:Site"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:Site"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:Site")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Site, __self__).__init__( 'azure-native:offazure:Site', diff --git a/sdk/python/pulumi_azure_native/offazure/sites_controller.py b/sdk/python/pulumi_azure_native/offazure/sites_controller.py index b0fb40b4e132..b8c075f213bd 100644 --- a/sdk/python/pulumi_azure_native/offazure/sites_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/sites_controller.py @@ -254,7 +254,7 @@ def _internal_init(__self__, __props__.__dict__["service_endpoint"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200101:SitesController"), pulumi.Alias(type_="azure-native:offazure/v20200707:Site"), pulumi.Alias(type_="azure-native:offazure/v20200707:SitesController"), pulumi.Alias(type_="azure-native:offazure/v20230606:SitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:SitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:SitesController"), pulumi.Alias(type_="azure-native:offazure:Site")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200707:Site"), pulumi.Alias(type_="azure-native:offazure/v20230606:SitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:SitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:SitesController"), pulumi.Alias(type_="azure-native:offazure:Site"), pulumi.Alias(type_="azure-native_offazure_v20200101:offazure:SitesController"), pulumi.Alias(type_="azure-native_offazure_v20200707:offazure:SitesController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:SitesController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:SitesController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:SitesController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SitesController, __self__).__init__( 'azure-native:offazure:SitesController', diff --git a/sdk/python/pulumi_azure_native/offazure/sql_discovery_site_data_source_controller.py b/sdk/python/pulumi_azure_native/offazure/sql_discovery_site_data_source_controller.py index cd22e501cb10..a8ebd2085a35 100644 --- a/sdk/python/pulumi_azure_native/offazure/sql_discovery_site_data_source_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/sql_discovery_site_data_source_controller.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:SqlDiscoverySiteDataSourceController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:SqlDiscoverySiteDataSourceController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:SqlDiscoverySiteDataSourceController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:SqlDiscoverySiteDataSourceController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:SqlDiscoverySiteDataSourceController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:SqlDiscoverySiteDataSourceController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:SqlDiscoverySiteDataSourceController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:SqlDiscoverySiteDataSourceController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:SqlDiscoverySiteDataSourceController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlDiscoverySiteDataSourceController, __self__).__init__( 'azure-native:offazure:SqlDiscoverySiteDataSourceController', diff --git a/sdk/python/pulumi_azure_native/offazure/sql_sites_controller.py b/sdk/python/pulumi_azure_native/offazure/sql_sites_controller.py index 7cabb24a2b75..8eea01c19f07 100644 --- a/sdk/python/pulumi_azure_native/offazure/sql_sites_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/sql_sites_controller.py @@ -194,7 +194,7 @@ def _internal_init(__self__, __props__.__dict__["service_endpoint"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:SqlSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:SqlSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:SqlSitesController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:SqlSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:SqlSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:SqlSitesController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:SqlSitesController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:SqlSitesController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:SqlSitesController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlSitesController, __self__).__init__( 'azure-native:offazure:SqlSitesController', diff --git a/sdk/python/pulumi_azure_native/offazure/vcenter_controller.py b/sdk/python/pulumi_azure_native/offazure/vcenter_controller.py index b57ad94b3514..910282ce8015 100644 --- a/sdk/python/pulumi_azure_native/offazure/vcenter_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/vcenter_controller.py @@ -251,7 +251,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["updated_timestamp"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20200101:VcenterController"), pulumi.Alias(type_="azure-native:offazure/v20200707:VcenterController"), pulumi.Alias(type_="azure-native:offazure/v20230606:VcenterController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:VcenterController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:VcenterController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:VcenterController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:VcenterController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:VcenterController"), pulumi.Alias(type_="azure-native_offazure_v20200101:offazure:VcenterController"), pulumi.Alias(type_="azure-native_offazure_v20200707:offazure:VcenterController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:VcenterController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:VcenterController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:VcenterController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VcenterController, __self__).__init__( 'azure-native:offazure:VcenterController', diff --git a/sdk/python/pulumi_azure_native/offazure/web_app_discovery_site_data_sources_controller.py b/sdk/python/pulumi_azure_native/offazure/web_app_discovery_site_data_sources_controller.py index 5e77d21b9315..a7e363dd56fb 100644 --- a/sdk/python/pulumi_azure_native/offazure/web_app_discovery_site_data_sources_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/web_app_discovery_site_data_sources_controller.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:WebAppDiscoverySiteDataSourcesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:WebAppDiscoverySiteDataSourcesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:WebAppDiscoverySiteDataSourcesController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:WebAppDiscoverySiteDataSourcesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:WebAppDiscoverySiteDataSourcesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:WebAppDiscoverySiteDataSourcesController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:WebAppDiscoverySiteDataSourcesController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:WebAppDiscoverySiteDataSourcesController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:WebAppDiscoverySiteDataSourcesController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppDiscoverySiteDataSourcesController, __self__).__init__( 'azure-native:offazure:WebAppDiscoverySiteDataSourcesController', diff --git a/sdk/python/pulumi_azure_native/offazure/web_app_sites_controller.py b/sdk/python/pulumi_azure_native/offazure/web_app_sites_controller.py index f0b2c5286445..c416bcfaf5fa 100644 --- a/sdk/python/pulumi_azure_native/offazure/web_app_sites_controller.py +++ b/sdk/python/pulumi_azure_native/offazure/web_app_sites_controller.py @@ -194,7 +194,7 @@ def _internal_init(__self__, __props__.__dict__["service_endpoint"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:WebAppSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:WebAppSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:WebAppSitesController")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazure/v20230606:WebAppSitesController"), pulumi.Alias(type_="azure-native:offazure/v20231001preview:WebAppSitesController"), pulumi.Alias(type_="azure-native:offazure/v20240501preview:WebAppSitesController"), pulumi.Alias(type_="azure-native_offazure_v20230606:offazure:WebAppSitesController"), pulumi.Alias(type_="azure-native_offazure_v20231001preview:offazure:WebAppSitesController"), pulumi.Alias(type_="azure-native_offazure_v20240501preview:offazure:WebAppSitesController")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSitesController, __self__).__init__( 'azure-native:offazure:WebAppSitesController', diff --git a/sdk/python/pulumi_azure_native/offazurespringboot/springbootapp.py b/sdk/python/pulumi_azure_native/offazurespringboot/springbootapp.py index 5cb2eb48df02..1af08bbc185a 100644 --- a/sdk/python/pulumi_azure_native/offazurespringboot/springbootapp.py +++ b/sdk/python/pulumi_azure_native/offazurespringboot/springbootapp.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazurespringboot/v20240401preview:Springbootapp")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazurespringboot/v20240401preview:Springbootapp"), pulumi.Alias(type_="azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootapp")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Springbootapp, __self__).__init__( 'azure-native:offazurespringboot:Springbootapp', diff --git a/sdk/python/pulumi_azure_native/offazurespringboot/springbootserver.py b/sdk/python/pulumi_azure_native/offazurespringboot/springbootserver.py index 5f69bbdadfec..4024e57ad76a 100644 --- a/sdk/python/pulumi_azure_native/offazurespringboot/springbootserver.py +++ b/sdk/python/pulumi_azure_native/offazurespringboot/springbootserver.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazurespringboot/v20230101preview:Springbootserver"), pulumi.Alias(type_="azure-native:offazurespringboot/v20240401preview:Springbootserver")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazurespringboot/v20230101preview:Springbootserver"), pulumi.Alias(type_="azure-native:offazurespringboot/v20240401preview:Springbootserver"), pulumi.Alias(type_="azure-native_offazurespringboot_v20230101preview:offazurespringboot:Springbootserver"), pulumi.Alias(type_="azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootserver")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Springbootserver, __self__).__init__( 'azure-native:offazurespringboot:Springbootserver', diff --git a/sdk/python/pulumi_azure_native/offazurespringboot/springbootsite.py b/sdk/python/pulumi_azure_native/offazurespringboot/springbootsite.py index 7306a65e173a..cfb3b2127c58 100644 --- a/sdk/python/pulumi_azure_native/offazurespringboot/springbootsite.py +++ b/sdk/python/pulumi_azure_native/offazurespringboot/springbootsite.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazurespringboot/v20230101preview:Springbootsite"), pulumi.Alias(type_="azure-native:offazurespringboot/v20240401preview:Springbootsite")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:offazurespringboot/v20230101preview:Springbootsite"), pulumi.Alias(type_="azure-native:offazurespringboot/v20240401preview:Springbootsite"), pulumi.Alias(type_="azure-native_offazurespringboot_v20230101preview:offazurespringboot:Springbootsite"), pulumi.Alias(type_="azure-native_offazurespringboot_v20240401preview:offazurespringboot:Springbootsite")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Springbootsite, __self__).__init__( 'azure-native:offazurespringboot:Springbootsite', diff --git a/sdk/python/pulumi_azure_native/openenergyplatform/energy_service.py b/sdk/python/pulumi_azure_native/openenergyplatform/energy_service.py index 6a6e245bf064..2ff374116e71 100644 --- a/sdk/python/pulumi_azure_native/openenergyplatform/energy_service.py +++ b/sdk/python/pulumi_azure_native/openenergyplatform/energy_service.py @@ -171,7 +171,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:openenergyplatform/v20210601preview:EnergyService"), pulumi.Alias(type_="azure-native:openenergyplatform/v20220404preview:EnergyService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:openenergyplatform/v20220404preview:EnergyService"), pulumi.Alias(type_="azure-native_openenergyplatform_v20210601preview:openenergyplatform:EnergyService"), pulumi.Alias(type_="azure-native_openenergyplatform_v20220404preview:openenergyplatform:EnergyService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EnergyService, __self__).__init__( 'azure-native:openenergyplatform:EnergyService', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/cluster.py b/sdk/python/pulumi_azure_native/operationalinsights/cluster.py index 5d0e889d427e..05cd88e15f6e 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/cluster.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/cluster.py @@ -290,7 +290,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20190801preview:Cluster"), pulumi.Alias(type_="azure-native:operationalinsights/v20200301preview:Cluster"), pulumi.Alias(type_="azure-native:operationalinsights/v20200801:Cluster"), pulumi.Alias(type_="azure-native:operationalinsights/v20201001:Cluster"), pulumi.Alias(type_="azure-native:operationalinsights/v20210601:Cluster"), pulumi.Alias(type_="azure-native:operationalinsights/v20221001:Cluster"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:Cluster"), pulumi.Alias(type_="azure-native:operationalinsights/v20250201:Cluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20200801:Cluster"), pulumi.Alias(type_="azure-native:operationalinsights/v20210601:Cluster"), pulumi.Alias(type_="azure-native:operationalinsights/v20221001:Cluster"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:Cluster"), pulumi.Alias(type_="azure-native_operationalinsights_v20190801preview:operationalinsights:Cluster"), pulumi.Alias(type_="azure-native_operationalinsights_v20200301preview:operationalinsights:Cluster"), pulumi.Alias(type_="azure-native_operationalinsights_v20200801:operationalinsights:Cluster"), pulumi.Alias(type_="azure-native_operationalinsights_v20201001:operationalinsights:Cluster"), pulumi.Alias(type_="azure-native_operationalinsights_v20210601:operationalinsights:Cluster"), pulumi.Alias(type_="azure-native_operationalinsights_v20221001:operationalinsights:Cluster"), pulumi.Alias(type_="azure-native_operationalinsights_v20230901:operationalinsights:Cluster"), pulumi.Alias(type_="azure-native_operationalinsights_v20250201:operationalinsights:Cluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cluster, __self__).__init__( 'azure-native:operationalinsights:Cluster', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/data_export.py b/sdk/python/pulumi_azure_native/operationalinsights/data_export.py index 2ca3b5568615..26b5154192d8 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/data_export.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/data_export.py @@ -284,7 +284,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20190801preview:DataExport"), pulumi.Alias(type_="azure-native:operationalinsights/v20200301preview:DataExport"), pulumi.Alias(type_="azure-native:operationalinsights/v20200801:DataExport"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:DataExport"), pulumi.Alias(type_="azure-native:operationalinsights/v20250201:DataExport")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20200801:DataExport"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:DataExport"), pulumi.Alias(type_="azure-native_operationalinsights_v20190801preview:operationalinsights:DataExport"), pulumi.Alias(type_="azure-native_operationalinsights_v20200301preview:operationalinsights:DataExport"), pulumi.Alias(type_="azure-native_operationalinsights_v20200801:operationalinsights:DataExport"), pulumi.Alias(type_="azure-native_operationalinsights_v20230901:operationalinsights:DataExport"), pulumi.Alias(type_="azure-native_operationalinsights_v20250201:operationalinsights:DataExport")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataExport, __self__).__init__( 'azure-native:operationalinsights:DataExport', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/data_source.py b/sdk/python/pulumi_azure_native/operationalinsights/data_source.py index f3c5c0da771c..2bb726a6dfbf 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/data_source.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/data_source.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20151101preview:DataSource"), pulumi.Alias(type_="azure-native:operationalinsights/v20200301preview:DataSource"), pulumi.Alias(type_="azure-native:operationalinsights/v20200801:DataSource"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:DataSource"), pulumi.Alias(type_="azure-native:operationalinsights/v20250201:DataSource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20151101preview:DataSource"), pulumi.Alias(type_="azure-native:operationalinsights/v20200801:DataSource"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:DataSource"), pulumi.Alias(type_="azure-native_operationalinsights_v20151101preview:operationalinsights:DataSource"), pulumi.Alias(type_="azure-native_operationalinsights_v20200301preview:operationalinsights:DataSource"), pulumi.Alias(type_="azure-native_operationalinsights_v20200801:operationalinsights:DataSource"), pulumi.Alias(type_="azure-native_operationalinsights_v20230901:operationalinsights:DataSource"), pulumi.Alias(type_="azure-native_operationalinsights_v20250201:operationalinsights:DataSource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataSource, __self__).__init__( 'azure-native:operationalinsights:DataSource', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/linked_service.py b/sdk/python/pulumi_azure_native/operationalinsights/linked_service.py index 4b92781342df..f3c0b3ee23af 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/linked_service.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/linked_service.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20151101preview:LinkedService"), pulumi.Alias(type_="azure-native:operationalinsights/v20190801preview:LinkedService"), pulumi.Alias(type_="azure-native:operationalinsights/v20200301preview:LinkedService"), pulumi.Alias(type_="azure-native:operationalinsights/v20200801:LinkedService"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:LinkedService"), pulumi.Alias(type_="azure-native:operationalinsights/v20250201:LinkedService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20151101preview:LinkedService"), pulumi.Alias(type_="azure-native:operationalinsights/v20200801:LinkedService"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:LinkedService"), pulumi.Alias(type_="azure-native_operationalinsights_v20151101preview:operationalinsights:LinkedService"), pulumi.Alias(type_="azure-native_operationalinsights_v20190801preview:operationalinsights:LinkedService"), pulumi.Alias(type_="azure-native_operationalinsights_v20200301preview:operationalinsights:LinkedService"), pulumi.Alias(type_="azure-native_operationalinsights_v20200801:operationalinsights:LinkedService"), pulumi.Alias(type_="azure-native_operationalinsights_v20230901:operationalinsights:LinkedService"), pulumi.Alias(type_="azure-native_operationalinsights_v20250201:operationalinsights:LinkedService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LinkedService, __self__).__init__( 'azure-native:operationalinsights:LinkedService', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/linked_storage_account.py b/sdk/python/pulumi_azure_native/operationalinsights/linked_storage_account.py index 3c65e7fdaa9a..18d08a8801ad 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/linked_storage_account.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/linked_storage_account.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20190801preview:LinkedStorageAccount"), pulumi.Alias(type_="azure-native:operationalinsights/v20200301preview:LinkedStorageAccount"), pulumi.Alias(type_="azure-native:operationalinsights/v20200801:LinkedStorageAccount"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:LinkedStorageAccount"), pulumi.Alias(type_="azure-native:operationalinsights/v20250201:LinkedStorageAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20200801:LinkedStorageAccount"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:LinkedStorageAccount"), pulumi.Alias(type_="azure-native_operationalinsights_v20190801preview:operationalinsights:LinkedStorageAccount"), pulumi.Alias(type_="azure-native_operationalinsights_v20200301preview:operationalinsights:LinkedStorageAccount"), pulumi.Alias(type_="azure-native_operationalinsights_v20200801:operationalinsights:LinkedStorageAccount"), pulumi.Alias(type_="azure-native_operationalinsights_v20230901:operationalinsights:LinkedStorageAccount"), pulumi.Alias(type_="azure-native_operationalinsights_v20250201:operationalinsights:LinkedStorageAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LinkedStorageAccount, __self__).__init__( 'azure-native:operationalinsights:LinkedStorageAccount', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/machine_group.py b/sdk/python/pulumi_azure_native/operationalinsights/machine_group.py index e3b9082386cc..cd9ea6739776 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/machine_group.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/machine_group.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20151101preview:MachineGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20151101preview:MachineGroup"), pulumi.Alias(type_="azure-native_operationalinsights_v20151101preview:operationalinsights:MachineGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MachineGroup, __self__).__init__( 'azure-native:operationalinsights:MachineGroup', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/query.py b/sdk/python/pulumi_azure_native/operationalinsights/query.py index 20dd671fdea2..6bd7bf8673d9 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/query.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/query.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["time_created"] = None __props__.__dict__["time_modified"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20190901:Query"), pulumi.Alias(type_="azure-native:operationalinsights/v20190901preview:Query"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:Query"), pulumi.Alias(type_="azure-native:operationalinsights/v20250201:Query")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20190901:Query"), pulumi.Alias(type_="azure-native:operationalinsights/v20190901preview:Query"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:Query"), pulumi.Alias(type_="azure-native_operationalinsights_v20190901:operationalinsights:Query"), pulumi.Alias(type_="azure-native_operationalinsights_v20190901preview:operationalinsights:Query"), pulumi.Alias(type_="azure-native_operationalinsights_v20230901:operationalinsights:Query"), pulumi.Alias(type_="azure-native_operationalinsights_v20250201:operationalinsights:Query")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Query, __self__).__init__( 'azure-native:operationalinsights:Query', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/query_pack.py b/sdk/python/pulumi_azure_native/operationalinsights/query_pack.py index 654b36a3a697..a2976caa70ca 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/query_pack.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/query_pack.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["time_created"] = None __props__.__dict__["time_modified"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20190901:QueryPack"), pulumi.Alias(type_="azure-native:operationalinsights/v20190901preview:QueryPack"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:QueryPack"), pulumi.Alias(type_="azure-native:operationalinsights/v20250201:QueryPack")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20190901:QueryPack"), pulumi.Alias(type_="azure-native:operationalinsights/v20190901preview:QueryPack"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:QueryPack"), pulumi.Alias(type_="azure-native_operationalinsights_v20190901:operationalinsights:QueryPack"), pulumi.Alias(type_="azure-native_operationalinsights_v20190901preview:operationalinsights:QueryPack"), pulumi.Alias(type_="azure-native_operationalinsights_v20230901:operationalinsights:QueryPack"), pulumi.Alias(type_="azure-native_operationalinsights_v20250201:operationalinsights:QueryPack")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(QueryPack, __self__).__init__( 'azure-native:operationalinsights:QueryPack', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/saved_search.py b/sdk/python/pulumi_azure_native/operationalinsights/saved_search.py index 8eeb2654483d..26df328ba86d 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/saved_search.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/saved_search.py @@ -288,7 +288,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20150320:SavedSearch"), pulumi.Alias(type_="azure-native:operationalinsights/v20200301preview:SavedSearch"), pulumi.Alias(type_="azure-native:operationalinsights/v20200801:SavedSearch"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:SavedSearch"), pulumi.Alias(type_="azure-native:operationalinsights/v20250201:SavedSearch")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20200801:SavedSearch"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:SavedSearch"), pulumi.Alias(type_="azure-native_operationalinsights_v20150320:operationalinsights:SavedSearch"), pulumi.Alias(type_="azure-native_operationalinsights_v20200301preview:operationalinsights:SavedSearch"), pulumi.Alias(type_="azure-native_operationalinsights_v20200801:operationalinsights:SavedSearch"), pulumi.Alias(type_="azure-native_operationalinsights_v20230901:operationalinsights:SavedSearch"), pulumi.Alias(type_="azure-native_operationalinsights_v20250201:operationalinsights:SavedSearch")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SavedSearch, __self__).__init__( 'azure-native:operationalinsights:SavedSearch', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/storage_insight_config.py b/sdk/python/pulumi_azure_native/operationalinsights/storage_insight_config.py index 4042c670a527..0f0d1de6b478 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/storage_insight_config.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/storage_insight_config.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20150320:StorageInsightConfig"), pulumi.Alias(type_="azure-native:operationalinsights/v20200301preview:StorageInsightConfig"), pulumi.Alias(type_="azure-native:operationalinsights/v20200801:StorageInsightConfig"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:StorageInsightConfig"), pulumi.Alias(type_="azure-native:operationalinsights/v20250201:StorageInsightConfig")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20200801:StorageInsightConfig"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:StorageInsightConfig"), pulumi.Alias(type_="azure-native_operationalinsights_v20150320:operationalinsights:StorageInsightConfig"), pulumi.Alias(type_="azure-native_operationalinsights_v20200301preview:operationalinsights:StorageInsightConfig"), pulumi.Alias(type_="azure-native_operationalinsights_v20200801:operationalinsights:StorageInsightConfig"), pulumi.Alias(type_="azure-native_operationalinsights_v20230901:operationalinsights:StorageInsightConfig"), pulumi.Alias(type_="azure-native_operationalinsights_v20250201:operationalinsights:StorageInsightConfig")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageInsightConfig, __self__).__init__( 'azure-native:operationalinsights:StorageInsightConfig', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/table.py b/sdk/python/pulumi_azure_native/operationalinsights/table.py index b97bd1f48d44..b0a00c7f7629 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/table.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/table.py @@ -272,7 +272,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["total_retention_in_days_as_default"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20211201preview:Table"), pulumi.Alias(type_="azure-native:operationalinsights/v20221001:Table"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:Table"), pulumi.Alias(type_="azure-native:operationalinsights/v20250201:Table")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20221001:Table"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:Table"), pulumi.Alias(type_="azure-native_operationalinsights_v20211201preview:operationalinsights:Table"), pulumi.Alias(type_="azure-native_operationalinsights_v20221001:operationalinsights:Table"), pulumi.Alias(type_="azure-native_operationalinsights_v20230901:operationalinsights:Table"), pulumi.Alias(type_="azure-native_operationalinsights_v20250201:operationalinsights:Table")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Table, __self__).__init__( 'azure-native:operationalinsights:Table', diff --git a/sdk/python/pulumi_azure_native/operationalinsights/workspace.py b/sdk/python/pulumi_azure_native/operationalinsights/workspace.py index b32b0aebf44a..cea24723e516 100644 --- a/sdk/python/pulumi_azure_native/operationalinsights/workspace.py +++ b/sdk/python/pulumi_azure_native/operationalinsights/workspace.py @@ -351,7 +351,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20151101preview:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20200301preview:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20200801:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20201001:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20210601:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20211201preview:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20221001:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20250201:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationalinsights/v20151101preview:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20200801:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20201001:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20210601:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20211201preview:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20221001:Workspace"), pulumi.Alias(type_="azure-native:operationalinsights/v20230901:Workspace"), pulumi.Alias(type_="azure-native_operationalinsights_v20151101preview:operationalinsights:Workspace"), pulumi.Alias(type_="azure-native_operationalinsights_v20200301preview:operationalinsights:Workspace"), pulumi.Alias(type_="azure-native_operationalinsights_v20200801:operationalinsights:Workspace"), pulumi.Alias(type_="azure-native_operationalinsights_v20201001:operationalinsights:Workspace"), pulumi.Alias(type_="azure-native_operationalinsights_v20210601:operationalinsights:Workspace"), pulumi.Alias(type_="azure-native_operationalinsights_v20211201preview:operationalinsights:Workspace"), pulumi.Alias(type_="azure-native_operationalinsights_v20221001:operationalinsights:Workspace"), pulumi.Alias(type_="azure-native_operationalinsights_v20230901:operationalinsights:Workspace"), pulumi.Alias(type_="azure-native_operationalinsights_v20250201:operationalinsights:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:operationalinsights:Workspace', diff --git a/sdk/python/pulumi_azure_native/operationsmanagement/management_association.py b/sdk/python/pulumi_azure_native/operationsmanagement/management_association.py index d86aa9758ca0..69ea794bd46b 100644 --- a/sdk/python/pulumi_azure_native/operationsmanagement/management_association.py +++ b/sdk/python/pulumi_azure_native/operationsmanagement/management_association.py @@ -222,7 +222,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationsmanagement/v20151101preview:ManagementAssociation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationsmanagement/v20151101preview:ManagementAssociation"), pulumi.Alias(type_="azure-native_operationsmanagement_v20151101preview:operationsmanagement:ManagementAssociation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagementAssociation, __self__).__init__( 'azure-native:operationsmanagement:ManagementAssociation', diff --git a/sdk/python/pulumi_azure_native/operationsmanagement/management_configuration.py b/sdk/python/pulumi_azure_native/operationsmanagement/management_configuration.py index 1f14efbc65ed..49cd04adf89b 100644 --- a/sdk/python/pulumi_azure_native/operationsmanagement/management_configuration.py +++ b/sdk/python/pulumi_azure_native/operationsmanagement/management_configuration.py @@ -159,7 +159,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationsmanagement/v20151101preview:ManagementConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationsmanagement/v20151101preview:ManagementConfiguration"), pulumi.Alias(type_="azure-native_operationsmanagement_v20151101preview:operationsmanagement:ManagementConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagementConfiguration, __self__).__init__( 'azure-native:operationsmanagement:ManagementConfiguration', diff --git a/sdk/python/pulumi_azure_native/operationsmanagement/solution.py b/sdk/python/pulumi_azure_native/operationsmanagement/solution.py index f10572f52e02..a6112d471a51 100644 --- a/sdk/python/pulumi_azure_native/operationsmanagement/solution.py +++ b/sdk/python/pulumi_azure_native/operationsmanagement/solution.py @@ -199,7 +199,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationsmanagement/v20151101preview:Solution")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:operationsmanagement/v20151101preview:Solution"), pulumi.Alias(type_="azure-native_operationsmanagement_v20151101preview:operationsmanagement:Solution")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Solution, __self__).__init__( 'azure-native:operationsmanagement:Solution', diff --git a/sdk/python/pulumi_azure_native/orbital/contact.py b/sdk/python/pulumi_azure_native/orbital/contact.py index d0cb7305dae7..8620f0b74911 100644 --- a/sdk/python/pulumi_azure_native/orbital/contact.py +++ b/sdk/python/pulumi_azure_native/orbital/contact.py @@ -237,7 +237,7 @@ def _internal_init(__self__, __props__.__dict__["tx_end_time"] = None __props__.__dict__["tx_start_time"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20220301:Contact"), pulumi.Alias(type_="azure-native:orbital/v20221101:Contact")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20220301:Contact"), pulumi.Alias(type_="azure-native:orbital/v20221101:Contact"), pulumi.Alias(type_="azure-native_orbital_v20220301:orbital:Contact"), pulumi.Alias(type_="azure-native_orbital_v20221101:orbital:Contact")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Contact, __self__).__init__( 'azure-native:orbital:Contact', diff --git a/sdk/python/pulumi_azure_native/orbital/contact_profile.py b/sdk/python/pulumi_azure_native/orbital/contact_profile.py index 6b0db4e7ad4c..50702151ae6a 100644 --- a/sdk/python/pulumi_azure_native/orbital/contact_profile.py +++ b/sdk/python/pulumi_azure_native/orbital/contact_profile.py @@ -303,7 +303,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20220301:ContactProfile"), pulumi.Alias(type_="azure-native:orbital/v20221101:ContactProfile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20220301:ContactProfile"), pulumi.Alias(type_="azure-native:orbital/v20221101:ContactProfile"), pulumi.Alias(type_="azure-native_orbital_v20220301:orbital:ContactProfile"), pulumi.Alias(type_="azure-native_orbital_v20221101:orbital:ContactProfile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContactProfile, __self__).__init__( 'azure-native:orbital:ContactProfile', diff --git a/sdk/python/pulumi_azure_native/orbital/edge_site.py b/sdk/python/pulumi_azure_native/orbital/edge_site.py index 829335b7ad7b..51f8beee31ab 100644 --- a/sdk/python/pulumi_azure_native/orbital/edge_site.py +++ b/sdk/python/pulumi_azure_native/orbital/edge_site.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20240301:EdgeSite"), pulumi.Alias(type_="azure-native:orbital/v20240301preview:EdgeSite")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20240301:EdgeSite"), pulumi.Alias(type_="azure-native:orbital/v20240301preview:EdgeSite"), pulumi.Alias(type_="azure-native_orbital_v20240301:orbital:EdgeSite"), pulumi.Alias(type_="azure-native_orbital_v20240301preview:orbital:EdgeSite")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EdgeSite, __self__).__init__( 'azure-native:orbital:EdgeSite', diff --git a/sdk/python/pulumi_azure_native/orbital/ground_station.py b/sdk/python/pulumi_azure_native/orbital/ground_station.py index 8b47535cb635..a83021136cb6 100644 --- a/sdk/python/pulumi_azure_native/orbital/ground_station.py +++ b/sdk/python/pulumi_azure_native/orbital/ground_station.py @@ -308,7 +308,7 @@ def _internal_init(__self__, __props__.__dict__["release_mode"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20240301:GroundStation"), pulumi.Alias(type_="azure-native:orbital/v20240301preview:GroundStation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20240301:GroundStation"), pulumi.Alias(type_="azure-native:orbital/v20240301preview:GroundStation"), pulumi.Alias(type_="azure-native_orbital_v20240301:orbital:GroundStation"), pulumi.Alias(type_="azure-native_orbital_v20240301preview:orbital:GroundStation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GroundStation, __self__).__init__( 'azure-native:orbital:GroundStation', diff --git a/sdk/python/pulumi_azure_native/orbital/l2_connection.py b/sdk/python/pulumi_azure_native/orbital/l2_connection.py index 13aa4416b656..c748dff69f28 100644 --- a/sdk/python/pulumi_azure_native/orbital/l2_connection.py +++ b/sdk/python/pulumi_azure_native/orbital/l2_connection.py @@ -269,7 +269,7 @@ def _internal_init(__self__, __props__.__dict__["circuit_id"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20240301:L2Connection"), pulumi.Alias(type_="azure-native:orbital/v20240301preview:L2Connection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20240301:L2Connection"), pulumi.Alias(type_="azure-native:orbital/v20240301preview:L2Connection"), pulumi.Alias(type_="azure-native_orbital_v20240301:orbital:L2Connection"), pulumi.Alias(type_="azure-native_orbital_v20240301preview:orbital:L2Connection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(L2Connection, __self__).__init__( 'azure-native:orbital:L2Connection', diff --git a/sdk/python/pulumi_azure_native/orbital/spacecraft.py b/sdk/python/pulumi_azure_native/orbital/spacecraft.py index bcaea4da06a0..06e90bba19e0 100644 --- a/sdk/python/pulumi_azure_native/orbital/spacecraft.py +++ b/sdk/python/pulumi_azure_native/orbital/spacecraft.py @@ -265,7 +265,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20220301:Spacecraft"), pulumi.Alias(type_="azure-native:orbital/v20221101:Spacecraft")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:orbital/v20220301:Spacecraft"), pulumi.Alias(type_="azure-native:orbital/v20221101:Spacecraft"), pulumi.Alias(type_="azure-native_orbital_v20220301:orbital:Spacecraft"), pulumi.Alias(type_="azure-native_orbital_v20221101:orbital:Spacecraft")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Spacecraft, __self__).__init__( 'azure-native:orbital:Spacecraft', diff --git a/sdk/python/pulumi_azure_native/peering/connection_monitor_test.py b/sdk/python/pulumi_azure_native/peering/connection_monitor_test.py index a1eeb1b41475..abdf176caf57 100644 --- a/sdk/python/pulumi_azure_native/peering/connection_monitor_test.py +++ b/sdk/python/pulumi_azure_native/peering/connection_monitor_test.py @@ -221,7 +221,7 @@ def _internal_init(__self__, __props__.__dict__["path"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20210601:ConnectionMonitorTest"), pulumi.Alias(type_="azure-native:peering/v20220101:ConnectionMonitorTest"), pulumi.Alias(type_="azure-native:peering/v20220601:ConnectionMonitorTest"), pulumi.Alias(type_="azure-native:peering/v20221001:ConnectionMonitorTest")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20221001:ConnectionMonitorTest"), pulumi.Alias(type_="azure-native_peering_v20210601:peering:ConnectionMonitorTest"), pulumi.Alias(type_="azure-native_peering_v20220101:peering:ConnectionMonitorTest"), pulumi.Alias(type_="azure-native_peering_v20220601:peering:ConnectionMonitorTest"), pulumi.Alias(type_="azure-native_peering_v20221001:peering:ConnectionMonitorTest")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectionMonitorTest, __self__).__init__( 'azure-native:peering:ConnectionMonitorTest', diff --git a/sdk/python/pulumi_azure_native/peering/peer_asn.py b/sdk/python/pulumi_azure_native/peering/peer_asn.py index 6faa8fd58e82..27c3990e0da7 100644 --- a/sdk/python/pulumi_azure_native/peering/peer_asn.py +++ b/sdk/python/pulumi_azure_native/peering/peer_asn.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["type"] = None __props__.__dict__["validation_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20190801preview:PeerAsn"), pulumi.Alias(type_="azure-native:peering/v20190901preview:PeerAsn"), pulumi.Alias(type_="azure-native:peering/v20200101preview:PeerAsn"), pulumi.Alias(type_="azure-native:peering/v20200401:PeerAsn"), pulumi.Alias(type_="azure-native:peering/v20201001:PeerAsn"), pulumi.Alias(type_="azure-native:peering/v20210101:PeerAsn"), pulumi.Alias(type_="azure-native:peering/v20210601:PeerAsn"), pulumi.Alias(type_="azure-native:peering/v20220101:PeerAsn"), pulumi.Alias(type_="azure-native:peering/v20220601:PeerAsn"), pulumi.Alias(type_="azure-native:peering/v20221001:PeerAsn")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20210101:PeerAsn"), pulumi.Alias(type_="azure-native:peering/v20221001:PeerAsn"), pulumi.Alias(type_="azure-native_peering_v20190801preview:peering:PeerAsn"), pulumi.Alias(type_="azure-native_peering_v20190901preview:peering:PeerAsn"), pulumi.Alias(type_="azure-native_peering_v20200101preview:peering:PeerAsn"), pulumi.Alias(type_="azure-native_peering_v20200401:peering:PeerAsn"), pulumi.Alias(type_="azure-native_peering_v20201001:peering:PeerAsn"), pulumi.Alias(type_="azure-native_peering_v20210101:peering:PeerAsn"), pulumi.Alias(type_="azure-native_peering_v20210601:peering:PeerAsn"), pulumi.Alias(type_="azure-native_peering_v20220101:peering:PeerAsn"), pulumi.Alias(type_="azure-native_peering_v20220601:peering:PeerAsn"), pulumi.Alias(type_="azure-native_peering_v20221001:peering:PeerAsn")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PeerAsn, __self__).__init__( 'azure-native:peering:PeerAsn', diff --git a/sdk/python/pulumi_azure_native/peering/peering.py b/sdk/python/pulumi_azure_native/peering/peering.py index b9127408a44e..19a63bcd171f 100644 --- a/sdk/python/pulumi_azure_native/peering/peering.py +++ b/sdk/python/pulumi_azure_native/peering/peering.py @@ -263,7 +263,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20190801preview:Peering"), pulumi.Alias(type_="azure-native:peering/v20190901preview:Peering"), pulumi.Alias(type_="azure-native:peering/v20200101preview:Peering"), pulumi.Alias(type_="azure-native:peering/v20200401:Peering"), pulumi.Alias(type_="azure-native:peering/v20201001:Peering"), pulumi.Alias(type_="azure-native:peering/v20210101:Peering"), pulumi.Alias(type_="azure-native:peering/v20210601:Peering"), pulumi.Alias(type_="azure-native:peering/v20220101:Peering"), pulumi.Alias(type_="azure-native:peering/v20220601:Peering"), pulumi.Alias(type_="azure-native:peering/v20221001:Peering")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20221001:Peering"), pulumi.Alias(type_="azure-native_peering_v20190801preview:peering:Peering"), pulumi.Alias(type_="azure-native_peering_v20190901preview:peering:Peering"), pulumi.Alias(type_="azure-native_peering_v20200101preview:peering:Peering"), pulumi.Alias(type_="azure-native_peering_v20200401:peering:Peering"), pulumi.Alias(type_="azure-native_peering_v20201001:peering:Peering"), pulumi.Alias(type_="azure-native_peering_v20210101:peering:Peering"), pulumi.Alias(type_="azure-native_peering_v20210601:peering:Peering"), pulumi.Alias(type_="azure-native_peering_v20220101:peering:Peering"), pulumi.Alias(type_="azure-native_peering_v20220601:peering:Peering"), pulumi.Alias(type_="azure-native_peering_v20221001:peering:Peering")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Peering, __self__).__init__( 'azure-native:peering:Peering', diff --git a/sdk/python/pulumi_azure_native/peering/peering_service.py b/sdk/python/pulumi_azure_native/peering/peering_service.py index 7ef380c3b061..f5130d7f9662 100644 --- a/sdk/python/pulumi_azure_native/peering/peering_service.py +++ b/sdk/python/pulumi_azure_native/peering/peering_service.py @@ -261,7 +261,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20190801preview:PeeringService"), pulumi.Alias(type_="azure-native:peering/v20190901preview:PeeringService"), pulumi.Alias(type_="azure-native:peering/v20200101preview:PeeringService"), pulumi.Alias(type_="azure-native:peering/v20200401:PeeringService"), pulumi.Alias(type_="azure-native:peering/v20201001:PeeringService"), pulumi.Alias(type_="azure-native:peering/v20210101:PeeringService"), pulumi.Alias(type_="azure-native:peering/v20210601:PeeringService"), pulumi.Alias(type_="azure-native:peering/v20220101:PeeringService"), pulumi.Alias(type_="azure-native:peering/v20220601:PeeringService"), pulumi.Alias(type_="azure-native:peering/v20221001:PeeringService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20221001:PeeringService"), pulumi.Alias(type_="azure-native_peering_v20190801preview:peering:PeeringService"), pulumi.Alias(type_="azure-native_peering_v20190901preview:peering:PeeringService"), pulumi.Alias(type_="azure-native_peering_v20200101preview:peering:PeeringService"), pulumi.Alias(type_="azure-native_peering_v20200401:peering:PeeringService"), pulumi.Alias(type_="azure-native_peering_v20201001:peering:PeeringService"), pulumi.Alias(type_="azure-native_peering_v20210101:peering:PeeringService"), pulumi.Alias(type_="azure-native_peering_v20210601:peering:PeeringService"), pulumi.Alias(type_="azure-native_peering_v20220101:peering:PeeringService"), pulumi.Alias(type_="azure-native_peering_v20220601:peering:PeeringService"), pulumi.Alias(type_="azure-native_peering_v20221001:peering:PeeringService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PeeringService, __self__).__init__( 'azure-native:peering:PeeringService', diff --git a/sdk/python/pulumi_azure_native/peering/prefix.py b/sdk/python/pulumi_azure_native/peering/prefix.py index 50f8f551f13d..bcc1c938ec53 100644 --- a/sdk/python/pulumi_azure_native/peering/prefix.py +++ b/sdk/python/pulumi_azure_native/peering/prefix.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["prefix_validation_state"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20190801preview:Prefix"), pulumi.Alias(type_="azure-native:peering/v20190901preview:Prefix"), pulumi.Alias(type_="azure-native:peering/v20200101preview:Prefix"), pulumi.Alias(type_="azure-native:peering/v20200401:Prefix"), pulumi.Alias(type_="azure-native:peering/v20201001:Prefix"), pulumi.Alias(type_="azure-native:peering/v20210101:Prefix"), pulumi.Alias(type_="azure-native:peering/v20210601:Prefix"), pulumi.Alias(type_="azure-native:peering/v20220101:Prefix"), pulumi.Alias(type_="azure-native:peering/v20220601:Prefix"), pulumi.Alias(type_="azure-native:peering/v20221001:Prefix")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20221001:Prefix"), pulumi.Alias(type_="azure-native_peering_v20190801preview:peering:Prefix"), pulumi.Alias(type_="azure-native_peering_v20190901preview:peering:Prefix"), pulumi.Alias(type_="azure-native_peering_v20200101preview:peering:Prefix"), pulumi.Alias(type_="azure-native_peering_v20200401:peering:Prefix"), pulumi.Alias(type_="azure-native_peering_v20201001:peering:Prefix"), pulumi.Alias(type_="azure-native_peering_v20210101:peering:Prefix"), pulumi.Alias(type_="azure-native_peering_v20210601:peering:Prefix"), pulumi.Alias(type_="azure-native_peering_v20220101:peering:Prefix"), pulumi.Alias(type_="azure-native_peering_v20220601:peering:Prefix"), pulumi.Alias(type_="azure-native_peering_v20221001:peering:Prefix")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Prefix, __self__).__init__( 'azure-native:peering:Prefix', diff --git a/sdk/python/pulumi_azure_native/peering/registered_asn.py b/sdk/python/pulumi_azure_native/peering/registered_asn.py index 9161cfd0ee4c..7877fcaf3513 100644 --- a/sdk/python/pulumi_azure_native/peering/registered_asn.py +++ b/sdk/python/pulumi_azure_native/peering/registered_asn.py @@ -160,7 +160,7 @@ def _internal_init(__self__, __props__.__dict__["peering_service_prefix_key"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20200101preview:RegisteredAsn"), pulumi.Alias(type_="azure-native:peering/v20200401:RegisteredAsn"), pulumi.Alias(type_="azure-native:peering/v20201001:RegisteredAsn"), pulumi.Alias(type_="azure-native:peering/v20210101:RegisteredAsn"), pulumi.Alias(type_="azure-native:peering/v20210601:RegisteredAsn"), pulumi.Alias(type_="azure-native:peering/v20220101:RegisteredAsn"), pulumi.Alias(type_="azure-native:peering/v20220601:RegisteredAsn"), pulumi.Alias(type_="azure-native:peering/v20221001:RegisteredAsn")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20221001:RegisteredAsn"), pulumi.Alias(type_="azure-native_peering_v20200101preview:peering:RegisteredAsn"), pulumi.Alias(type_="azure-native_peering_v20200401:peering:RegisteredAsn"), pulumi.Alias(type_="azure-native_peering_v20201001:peering:RegisteredAsn"), pulumi.Alias(type_="azure-native_peering_v20210101:peering:RegisteredAsn"), pulumi.Alias(type_="azure-native_peering_v20210601:peering:RegisteredAsn"), pulumi.Alias(type_="azure-native_peering_v20220101:peering:RegisteredAsn"), pulumi.Alias(type_="azure-native_peering_v20220601:peering:RegisteredAsn"), pulumi.Alias(type_="azure-native_peering_v20221001:peering:RegisteredAsn")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegisteredAsn, __self__).__init__( 'azure-native:peering:RegisteredAsn', diff --git a/sdk/python/pulumi_azure_native/peering/registered_prefix.py b/sdk/python/pulumi_azure_native/peering/registered_prefix.py index f48248ac269d..6c5878d58074 100644 --- a/sdk/python/pulumi_azure_native/peering/registered_prefix.py +++ b/sdk/python/pulumi_azure_native/peering/registered_prefix.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["prefix_validation_state"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20200101preview:RegisteredPrefix"), pulumi.Alias(type_="azure-native:peering/v20200401:RegisteredPrefix"), pulumi.Alias(type_="azure-native:peering/v20201001:RegisteredPrefix"), pulumi.Alias(type_="azure-native:peering/v20210101:RegisteredPrefix"), pulumi.Alias(type_="azure-native:peering/v20210601:RegisteredPrefix"), pulumi.Alias(type_="azure-native:peering/v20220101:RegisteredPrefix"), pulumi.Alias(type_="azure-native:peering/v20220601:RegisteredPrefix"), pulumi.Alias(type_="azure-native:peering/v20221001:RegisteredPrefix")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:peering/v20221001:RegisteredPrefix"), pulumi.Alias(type_="azure-native_peering_v20200101preview:peering:RegisteredPrefix"), pulumi.Alias(type_="azure-native_peering_v20200401:peering:RegisteredPrefix"), pulumi.Alias(type_="azure-native_peering_v20201001:peering:RegisteredPrefix"), pulumi.Alias(type_="azure-native_peering_v20210101:peering:RegisteredPrefix"), pulumi.Alias(type_="azure-native_peering_v20210601:peering:RegisteredPrefix"), pulumi.Alias(type_="azure-native_peering_v20220101:peering:RegisteredPrefix"), pulumi.Alias(type_="azure-native_peering_v20220601:peering:RegisteredPrefix"), pulumi.Alias(type_="azure-native_peering_v20221001:peering:RegisteredPrefix")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegisteredPrefix, __self__).__init__( 'azure-native:peering:RegisteredPrefix', diff --git a/sdk/python/pulumi_azure_native/policyinsights/attestation_at_resource.py b/sdk/python/pulumi_azure_native/policyinsights/attestation_at_resource.py index 6f44eb4ce722..9d13d870b03a 100644 --- a/sdk/python/pulumi_azure_native/policyinsights/attestation_at_resource.py +++ b/sdk/python/pulumi_azure_native/policyinsights/attestation_at_resource.py @@ -308,7 +308,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20210101:AttestationAtResource"), pulumi.Alias(type_="azure-native:policyinsights/v20220901:AttestationAtResource"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:AttestationAtResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20220901:AttestationAtResource"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:AttestationAtResource"), pulumi.Alias(type_="azure-native_policyinsights_v20210101:policyinsights:AttestationAtResource"), pulumi.Alias(type_="azure-native_policyinsights_v20220901:policyinsights:AttestationAtResource"), pulumi.Alias(type_="azure-native_policyinsights_v20241001:policyinsights:AttestationAtResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AttestationAtResource, __self__).__init__( 'azure-native:policyinsights:AttestationAtResource', diff --git a/sdk/python/pulumi_azure_native/policyinsights/attestation_at_resource_group.py b/sdk/python/pulumi_azure_native/policyinsights/attestation_at_resource_group.py index c207fb255912..0e31037e0365 100644 --- a/sdk/python/pulumi_azure_native/policyinsights/attestation_at_resource_group.py +++ b/sdk/python/pulumi_azure_native/policyinsights/attestation_at_resource_group.py @@ -308,7 +308,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20210101:AttestationAtResourceGroup"), pulumi.Alias(type_="azure-native:policyinsights/v20220901:AttestationAtResourceGroup"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:AttestationAtResourceGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20220901:AttestationAtResourceGroup"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:AttestationAtResourceGroup"), pulumi.Alias(type_="azure-native_policyinsights_v20210101:policyinsights:AttestationAtResourceGroup"), pulumi.Alias(type_="azure-native_policyinsights_v20220901:policyinsights:AttestationAtResourceGroup"), pulumi.Alias(type_="azure-native_policyinsights_v20241001:policyinsights:AttestationAtResourceGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AttestationAtResourceGroup, __self__).__init__( 'azure-native:policyinsights:AttestationAtResourceGroup', diff --git a/sdk/python/pulumi_azure_native/policyinsights/attestation_at_subscription.py b/sdk/python/pulumi_azure_native/policyinsights/attestation_at_subscription.py index 87e62560c785..6651450204da 100644 --- a/sdk/python/pulumi_azure_native/policyinsights/attestation_at_subscription.py +++ b/sdk/python/pulumi_azure_native/policyinsights/attestation_at_subscription.py @@ -287,7 +287,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20210101:AttestationAtSubscription"), pulumi.Alias(type_="azure-native:policyinsights/v20220901:AttestationAtSubscription"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:AttestationAtSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20220901:AttestationAtSubscription"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:AttestationAtSubscription"), pulumi.Alias(type_="azure-native_policyinsights_v20210101:policyinsights:AttestationAtSubscription"), pulumi.Alias(type_="azure-native_policyinsights_v20220901:policyinsights:AttestationAtSubscription"), pulumi.Alias(type_="azure-native_policyinsights_v20241001:policyinsights:AttestationAtSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AttestationAtSubscription, __self__).__init__( 'azure-native:policyinsights:AttestationAtSubscription', diff --git a/sdk/python/pulumi_azure_native/policyinsights/remediation_at_management_group.py b/sdk/python/pulumi_azure_native/policyinsights/remediation_at_management_group.py index acb8a59c564b..a4b3db322d9d 100644 --- a/sdk/python/pulumi_azure_native/policyinsights/remediation_at_management_group.py +++ b/sdk/python/pulumi_azure_native/policyinsights/remediation_at_management_group.py @@ -292,7 +292,7 @@ def _internal_init(__self__, __props__.__dict__["status_message"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20180701preview:RemediationAtManagementGroup"), pulumi.Alias(type_="azure-native:policyinsights/v20190701:RemediationAtManagementGroup"), pulumi.Alias(type_="azure-native:policyinsights/v20211001:RemediationAtManagementGroup"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:RemediationAtManagementGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20211001:RemediationAtManagementGroup"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:RemediationAtManagementGroup"), pulumi.Alias(type_="azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtManagementGroup"), pulumi.Alias(type_="azure-native_policyinsights_v20190701:policyinsights:RemediationAtManagementGroup"), pulumi.Alias(type_="azure-native_policyinsights_v20211001:policyinsights:RemediationAtManagementGroup"), pulumi.Alias(type_="azure-native_policyinsights_v20241001:policyinsights:RemediationAtManagementGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RemediationAtManagementGroup, __self__).__init__( 'azure-native:policyinsights:RemediationAtManagementGroup', diff --git a/sdk/python/pulumi_azure_native/policyinsights/remediation_at_resource.py b/sdk/python/pulumi_azure_native/policyinsights/remediation_at_resource.py index 93baae5328cb..d9909b039249 100644 --- a/sdk/python/pulumi_azure_native/policyinsights/remediation_at_resource.py +++ b/sdk/python/pulumi_azure_native/policyinsights/remediation_at_resource.py @@ -271,7 +271,7 @@ def _internal_init(__self__, __props__.__dict__["status_message"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20180701preview:RemediationAtResource"), pulumi.Alias(type_="azure-native:policyinsights/v20190701:RemediationAtResource"), pulumi.Alias(type_="azure-native:policyinsights/v20211001:RemediationAtResource"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:RemediationAtResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20211001:RemediationAtResource"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:RemediationAtResource"), pulumi.Alias(type_="azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtResource"), pulumi.Alias(type_="azure-native_policyinsights_v20190701:policyinsights:RemediationAtResource"), pulumi.Alias(type_="azure-native_policyinsights_v20211001:policyinsights:RemediationAtResource"), pulumi.Alias(type_="azure-native_policyinsights_v20241001:policyinsights:RemediationAtResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RemediationAtResource, __self__).__init__( 'azure-native:policyinsights:RemediationAtResource', diff --git a/sdk/python/pulumi_azure_native/policyinsights/remediation_at_resource_group.py b/sdk/python/pulumi_azure_native/policyinsights/remediation_at_resource_group.py index 377a751edefb..01be21138280 100644 --- a/sdk/python/pulumi_azure_native/policyinsights/remediation_at_resource_group.py +++ b/sdk/python/pulumi_azure_native/policyinsights/remediation_at_resource_group.py @@ -271,7 +271,7 @@ def _internal_init(__self__, __props__.__dict__["status_message"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20180701preview:RemediationAtResourceGroup"), pulumi.Alias(type_="azure-native:policyinsights/v20190701:RemediationAtResourceGroup"), pulumi.Alias(type_="azure-native:policyinsights/v20211001:RemediationAtResourceGroup"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:RemediationAtResourceGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20211001:RemediationAtResourceGroup"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:RemediationAtResourceGroup"), pulumi.Alias(type_="azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtResourceGroup"), pulumi.Alias(type_="azure-native_policyinsights_v20190701:policyinsights:RemediationAtResourceGroup"), pulumi.Alias(type_="azure-native_policyinsights_v20211001:policyinsights:RemediationAtResourceGroup"), pulumi.Alias(type_="azure-native_policyinsights_v20241001:policyinsights:RemediationAtResourceGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RemediationAtResourceGroup, __self__).__init__( 'azure-native:policyinsights:RemediationAtResourceGroup', diff --git a/sdk/python/pulumi_azure_native/policyinsights/remediation_at_subscription.py b/sdk/python/pulumi_azure_native/policyinsights/remediation_at_subscription.py index d1dd1710e02e..d0d4f1a93c9d 100644 --- a/sdk/python/pulumi_azure_native/policyinsights/remediation_at_subscription.py +++ b/sdk/python/pulumi_azure_native/policyinsights/remediation_at_subscription.py @@ -250,7 +250,7 @@ def _internal_init(__self__, __props__.__dict__["status_message"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20180701preview:RemediationAtSubscription"), pulumi.Alias(type_="azure-native:policyinsights/v20190701:RemediationAtSubscription"), pulumi.Alias(type_="azure-native:policyinsights/v20211001:RemediationAtSubscription"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:RemediationAtSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:policyinsights/v20211001:RemediationAtSubscription"), pulumi.Alias(type_="azure-native:policyinsights/v20241001:RemediationAtSubscription"), pulumi.Alias(type_="azure-native_policyinsights_v20180701preview:policyinsights:RemediationAtSubscription"), pulumi.Alias(type_="azure-native_policyinsights_v20190701:policyinsights:RemediationAtSubscription"), pulumi.Alias(type_="azure-native_policyinsights_v20211001:policyinsights:RemediationAtSubscription"), pulumi.Alias(type_="azure-native_policyinsights_v20241001:policyinsights:RemediationAtSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RemediationAtSubscription, __self__).__init__( 'azure-native:policyinsights:RemediationAtSubscription', diff --git a/sdk/python/pulumi_azure_native/portal/console.py b/sdk/python/pulumi_azure_native/portal/console.py index 862b7d868f00..ae1c541774cf 100644 --- a/sdk/python/pulumi_azure_native/portal/console.py +++ b/sdk/python/pulumi_azure_native/portal/console.py @@ -118,7 +118,7 @@ def _internal_init(__self__, raise TypeError("Missing required property 'properties'") __props__.__dict__["properties"] = properties __props__.__dict__["azure_api_version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20181001:Console")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20181001:Console"), pulumi.Alias(type_="azure-native_portal_v20181001:portal:Console")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Console, __self__).__init__( 'azure-native:portal:Console', diff --git a/sdk/python/pulumi_azure_native/portal/console_with_location.py b/sdk/python/pulumi_azure_native/portal/console_with_location.py index 91d64b3b5dda..c7a5223a802f 100644 --- a/sdk/python/pulumi_azure_native/portal/console_with_location.py +++ b/sdk/python/pulumi_azure_native/portal/console_with_location.py @@ -117,7 +117,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = location __props__.__dict__["azure_api_version"] = None __props__.__dict__["properties"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20181001:ConsoleWithLocation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20181001:ConsoleWithLocation"), pulumi.Alias(type_="azure-native_portal_v20181001:portal:ConsoleWithLocation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConsoleWithLocation, __self__).__init__( 'azure-native:portal:ConsoleWithLocation', diff --git a/sdk/python/pulumi_azure_native/portal/dashboard.py b/sdk/python/pulumi_azure_native/portal/dashboard.py index 6f500d314321..62a62be8be45 100644 --- a/sdk/python/pulumi_azure_native/portal/dashboard.py +++ b/sdk/python/pulumi_azure_native/portal/dashboard.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20150801preview:Dashboard"), pulumi.Alias(type_="azure-native:portal/v20181001preview:Dashboard"), pulumi.Alias(type_="azure-native:portal/v20190101preview:Dashboard"), pulumi.Alias(type_="azure-native:portal/v20200901preview:Dashboard"), pulumi.Alias(type_="azure-native:portal/v20221201preview:Dashboard"), pulumi.Alias(type_="azure-native:portal/v20250401preview:Dashboard")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20190101preview:Dashboard"), pulumi.Alias(type_="azure-native:portal/v20200901preview:Dashboard"), pulumi.Alias(type_="azure-native:portal/v20221201preview:Dashboard"), pulumi.Alias(type_="azure-native_portal_v20150801preview:portal:Dashboard"), pulumi.Alias(type_="azure-native_portal_v20181001preview:portal:Dashboard"), pulumi.Alias(type_="azure-native_portal_v20190101preview:portal:Dashboard"), pulumi.Alias(type_="azure-native_portal_v20200901preview:portal:Dashboard"), pulumi.Alias(type_="azure-native_portal_v20221201preview:portal:Dashboard"), pulumi.Alias(type_="azure-native_portal_v20250401preview:portal:Dashboard")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Dashboard, __self__).__init__( 'azure-native:portal:Dashboard', diff --git a/sdk/python/pulumi_azure_native/portal/tenant_configuration.py b/sdk/python/pulumi_azure_native/portal/tenant_configuration.py index cd5f6797665b..ebe2524d2d8c 100644 --- a/sdk/python/pulumi_azure_native/portal/tenant_configuration.py +++ b/sdk/python/pulumi_azure_native/portal/tenant_configuration.py @@ -123,7 +123,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20190101preview:TenantConfiguration"), pulumi.Alias(type_="azure-native:portal/v20200901preview:TenantConfiguration"), pulumi.Alias(type_="azure-native:portal/v20221201preview:TenantConfiguration"), pulumi.Alias(type_="azure-native:portal/v20250401preview:TenantConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20200901preview:TenantConfiguration"), pulumi.Alias(type_="azure-native:portal/v20221201preview:TenantConfiguration"), pulumi.Alias(type_="azure-native_portal_v20190101preview:portal:TenantConfiguration"), pulumi.Alias(type_="azure-native_portal_v20200901preview:portal:TenantConfiguration"), pulumi.Alias(type_="azure-native_portal_v20221201preview:portal:TenantConfiguration"), pulumi.Alias(type_="azure-native_portal_v20250401preview:portal:TenantConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TenantConfiguration, __self__).__init__( 'azure-native:portal:TenantConfiguration', diff --git a/sdk/python/pulumi_azure_native/portal/user_settings.py b/sdk/python/pulumi_azure_native/portal/user_settings.py index 6a10520c45ee..e39ab7926d81 100644 --- a/sdk/python/pulumi_azure_native/portal/user_settings.py +++ b/sdk/python/pulumi_azure_native/portal/user_settings.py @@ -118,7 +118,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = properties __props__.__dict__["user_settings_name"] = user_settings_name __props__.__dict__["azure_api_version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20181001:UserSettings")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20181001:UserSettings"), pulumi.Alias(type_="azure-native_portal_v20181001:portal:UserSettings")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(UserSettings, __self__).__init__( 'azure-native:portal:UserSettings', diff --git a/sdk/python/pulumi_azure_native/portal/user_settings_with_location.py b/sdk/python/pulumi_azure_native/portal/user_settings_with_location.py index 9188a46aaa1b..ace134784cec 100644 --- a/sdk/python/pulumi_azure_native/portal/user_settings_with_location.py +++ b/sdk/python/pulumi_azure_native/portal/user_settings_with_location.py @@ -139,7 +139,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = properties __props__.__dict__["user_settings_name"] = user_settings_name __props__.__dict__["azure_api_version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20181001:UserSettingsWithLocation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portal/v20181001:UserSettingsWithLocation"), pulumi.Alias(type_="azure-native_portal_v20181001:portal:UserSettingsWithLocation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(UserSettingsWithLocation, __self__).__init__( 'azure-native:portal:UserSettingsWithLocation', diff --git a/sdk/python/pulumi_azure_native/portalservices/copilot_setting.py b/sdk/python/pulumi_azure_native/portalservices/copilot_setting.py index f8f3dc4cfee1..048094161cdd 100644 --- a/sdk/python/pulumi_azure_native/portalservices/copilot_setting.py +++ b/sdk/python/pulumi_azure_native/portalservices/copilot_setting.py @@ -104,7 +104,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portalservices/v20240401:CopilotSetting"), pulumi.Alias(type_="azure-native:portalservices/v20240401preview:CopilotSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:portalservices/v20240401preview:CopilotSetting"), pulumi.Alias(type_="azure-native_portalservices_v20240401:portalservices:CopilotSetting"), pulumi.Alias(type_="azure-native_portalservices_v20240401preview:portalservices:CopilotSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CopilotSetting, __self__).__init__( 'azure-native:portalservices:CopilotSetting', diff --git a/sdk/python/pulumi_azure_native/powerbi/power_bi_resource.py b/sdk/python/pulumi_azure_native/powerbi/power_bi_resource.py index edcd846235c2..e51d64e82882 100644 --- a/sdk/python/pulumi_azure_native/powerbi/power_bi_resource.py +++ b/sdk/python/pulumi_azure_native/powerbi/power_bi_resource.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerbi/v20200601:PowerBIResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerbi/v20200601:PowerBIResource"), pulumi.Alias(type_="azure-native_powerbi_v20200601:powerbi:PowerBIResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PowerBIResource, __self__).__init__( 'azure-native:powerbi:PowerBIResource', diff --git a/sdk/python/pulumi_azure_native/powerbi/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/powerbi/private_endpoint_connection.py index b936d79ee458..1fea79132a2d 100644 --- a/sdk/python/pulumi_azure_native/powerbi/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/powerbi/private_endpoint_connection.py @@ -198,7 +198,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerbi/v20200601:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerbi/v20200601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_powerbi_v20200601:powerbi:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:powerbi:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/powerbi/workspace_collection.py b/sdk/python/pulumi_azure_native/powerbi/workspace_collection.py index 4da30980539e..e31d186c309c 100644 --- a/sdk/python/pulumi_azure_native/powerbi/workspace_collection.py +++ b/sdk/python/pulumi_azure_native/powerbi/workspace_collection.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["properties"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerbi/v20160129:WorkspaceCollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerbi/v20160129:WorkspaceCollection"), pulumi.Alias(type_="azure-native_powerbi_v20160129:powerbi:WorkspaceCollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceCollection, __self__).__init__( 'azure-native:powerbi:WorkspaceCollection', diff --git a/sdk/python/pulumi_azure_native/powerbidedicated/auto_scale_v_core.py b/sdk/python/pulumi_azure_native/powerbidedicated/auto_scale_v_core.py index 095031a0a5c3..a599b81507e2 100644 --- a/sdk/python/pulumi_azure_native/powerbidedicated/auto_scale_v_core.py +++ b/sdk/python/pulumi_azure_native/powerbidedicated/auto_scale_v_core.py @@ -242,7 +242,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerbidedicated/v20210101:AutoScaleVCore")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerbidedicated/v20210101:AutoScaleVCore"), pulumi.Alias(type_="azure-native_powerbidedicated_v20210101:powerbidedicated:AutoScaleVCore")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AutoScaleVCore, __self__).__init__( 'azure-native:powerbidedicated:AutoScaleVCore', diff --git a/sdk/python/pulumi_azure_native/powerbidedicated/capacity_details.py b/sdk/python/pulumi_azure_native/powerbidedicated/capacity_details.py index 2548413fc740..4574144b0210 100644 --- a/sdk/python/pulumi_azure_native/powerbidedicated/capacity_details.py +++ b/sdk/python/pulumi_azure_native/powerbidedicated/capacity_details.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerbidedicated/v20171001:CapacityDetails"), pulumi.Alias(type_="azure-native:powerbidedicated/v20210101:CapacityDetails")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerbidedicated/v20210101:CapacityDetails"), pulumi.Alias(type_="azure-native_powerbidedicated_v20171001:powerbidedicated:CapacityDetails"), pulumi.Alias(type_="azure-native_powerbidedicated_v20210101:powerbidedicated:CapacityDetails")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CapacityDetails, __self__).__init__( 'azure-native:powerbidedicated:CapacityDetails', diff --git a/sdk/python/pulumi_azure_native/powerplatform/account.py b/sdk/python/pulumi_azure_native/powerplatform/account.py index 4477f12ad084..dd5a7b5fcdff 100644 --- a/sdk/python/pulumi_azure_native/powerplatform/account.py +++ b/sdk/python/pulumi_azure_native/powerplatform/account.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["system_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerplatform/v20201030preview:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerplatform/v20201030preview:Account"), pulumi.Alias(type_="azure-native_powerplatform_v20201030preview:powerplatform:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:powerplatform:Account', diff --git a/sdk/python/pulumi_azure_native/powerplatform/enterprise_policy.py b/sdk/python/pulumi_azure_native/powerplatform/enterprise_policy.py index 21c3c2a55fa2..24dad9f6f896 100644 --- a/sdk/python/pulumi_azure_native/powerplatform/enterprise_policy.py +++ b/sdk/python/pulumi_azure_native/powerplatform/enterprise_policy.py @@ -283,7 +283,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["system_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerplatform/v20201030preview:EnterprisePolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerplatform/v20201030preview:EnterprisePolicy"), pulumi.Alias(type_="azure-native_powerplatform_v20201030preview:powerplatform:EnterprisePolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EnterprisePolicy, __self__).__init__( 'azure-native:powerplatform:EnterprisePolicy', diff --git a/sdk/python/pulumi_azure_native/powerplatform/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/powerplatform/private_endpoint_connection.py index 20ebc3d35301..b1c051dd3d40 100644 --- a/sdk/python/pulumi_azure_native/powerplatform/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/powerplatform/private_endpoint_connection.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerplatform/v20201030preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:powerplatform/v20201030preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_powerplatform_v20201030preview:powerplatform:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:powerplatform:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/privatedns/private_record_set.py b/sdk/python/pulumi_azure_native/privatedns/private_record_set.py index a75752616ff9..6e69b7827e58 100644 --- a/sdk/python/pulumi_azure_native/privatedns/private_record_set.py +++ b/sdk/python/pulumi_azure_native/privatedns/private_record_set.py @@ -368,7 +368,7 @@ def _internal_init(__self__, __props__.__dict__["is_auto_registered"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200601:PrivateRecordSet"), pulumi.Alias(type_="azure-native:network/v20240601:PrivateRecordSet"), pulumi.Alias(type_="azure-native:network:PrivateRecordSet"), pulumi.Alias(type_="azure-native:privatedns/v20180901:PrivateRecordSet"), pulumi.Alias(type_="azure-native:privatedns/v20200101:PrivateRecordSet"), pulumi.Alias(type_="azure-native:privatedns/v20200601:PrivateRecordSet"), pulumi.Alias(type_="azure-native:privatedns/v20240601:PrivateRecordSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200601:PrivateRecordSet"), pulumi.Alias(type_="azure-native:network/v20240601:PrivateRecordSet"), pulumi.Alias(type_="azure-native:network:PrivateRecordSet"), pulumi.Alias(type_="azure-native_privatedns_v20180901:privatedns:PrivateRecordSet"), pulumi.Alias(type_="azure-native_privatedns_v20200101:privatedns:PrivateRecordSet"), pulumi.Alias(type_="azure-native_privatedns_v20200601:privatedns:PrivateRecordSet"), pulumi.Alias(type_="azure-native_privatedns_v20240601:privatedns:PrivateRecordSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateRecordSet, __self__).__init__( 'azure-native:privatedns:PrivateRecordSet', diff --git a/sdk/python/pulumi_azure_native/privatedns/private_zone.py b/sdk/python/pulumi_azure_native/privatedns/private_zone.py index 2776c7c61c2f..21c8239cb5e8 100644 --- a/sdk/python/pulumi_azure_native/privatedns/private_zone.py +++ b/sdk/python/pulumi_azure_native/privatedns/private_zone.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["number_of_virtual_network_links_with_registration"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200601:PrivateZone"), pulumi.Alias(type_="azure-native:network/v20240601:PrivateZone"), pulumi.Alias(type_="azure-native:network:PrivateZone"), pulumi.Alias(type_="azure-native:privatedns/v20180901:PrivateZone"), pulumi.Alias(type_="azure-native:privatedns/v20200101:PrivateZone"), pulumi.Alias(type_="azure-native:privatedns/v20200601:PrivateZone"), pulumi.Alias(type_="azure-native:privatedns/v20240601:PrivateZone")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200601:PrivateZone"), pulumi.Alias(type_="azure-native:network/v20240601:PrivateZone"), pulumi.Alias(type_="azure-native:network:PrivateZone"), pulumi.Alias(type_="azure-native_privatedns_v20180901:privatedns:PrivateZone"), pulumi.Alias(type_="azure-native_privatedns_v20200101:privatedns:PrivateZone"), pulumi.Alias(type_="azure-native_privatedns_v20200601:privatedns:PrivateZone"), pulumi.Alias(type_="azure-native_privatedns_v20240601:privatedns:PrivateZone")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateZone, __self__).__init__( 'azure-native:privatedns:PrivateZone', diff --git a/sdk/python/pulumi_azure_native/privatedns/virtual_network_link.py b/sdk/python/pulumi_azure_native/privatedns/virtual_network_link.py index 2bf9f477e806..f4645665bd2e 100644 --- a/sdk/python/pulumi_azure_native/privatedns/virtual_network_link.py +++ b/sdk/python/pulumi_azure_native/privatedns/virtual_network_link.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_network_link_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200601:VirtualNetworkLink"), pulumi.Alias(type_="azure-native:network/v20240601:VirtualNetworkLink"), pulumi.Alias(type_="azure-native:network:VirtualNetworkLink"), pulumi.Alias(type_="azure-native:privatedns/v20180901:VirtualNetworkLink"), pulumi.Alias(type_="azure-native:privatedns/v20200101:VirtualNetworkLink"), pulumi.Alias(type_="azure-native:privatedns/v20200601:VirtualNetworkLink"), pulumi.Alias(type_="azure-native:privatedns/v20240601:VirtualNetworkLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20200601:VirtualNetworkLink"), pulumi.Alias(type_="azure-native:network/v20240601:VirtualNetworkLink"), pulumi.Alias(type_="azure-native:network:VirtualNetworkLink"), pulumi.Alias(type_="azure-native_privatedns_v20180901:privatedns:VirtualNetworkLink"), pulumi.Alias(type_="azure-native_privatedns_v20200101:privatedns:VirtualNetworkLink"), pulumi.Alias(type_="azure-native_privatedns_v20200601:privatedns:VirtualNetworkLink"), pulumi.Alias(type_="azure-native_privatedns_v20240601:privatedns:VirtualNetworkLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetworkLink, __self__).__init__( 'azure-native:privatedns:VirtualNetworkLink', diff --git a/sdk/python/pulumi_azure_native/professionalservice/professional_service_subscription_level.py b/sdk/python/pulumi_azure_native/professionalservice/professional_service_subscription_level.py index 66c9262348ad..23d329dd3790 100644 --- a/sdk/python/pulumi_azure_native/professionalservice/professional_service_subscription_level.py +++ b/sdk/python/pulumi_azure_native/professionalservice/professional_service_subscription_level.py @@ -218,7 +218,7 @@ def _internal_init(__self__, __props__.__dict__["tags"] = tags __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:professionalservice/v20230701preview:ProfessionalServiceSubscriptionLevel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:professionalservice/v20230701preview:ProfessionalServiceSubscriptionLevel"), pulumi.Alias(type_="azure-native_professionalservice_v20230701preview:professionalservice:ProfessionalServiceSubscriptionLevel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProfessionalServiceSubscriptionLevel, __self__).__init__( 'azure-native:professionalservice:ProfessionalServiceSubscriptionLevel', diff --git a/sdk/python/pulumi_azure_native/programmableconnectivity/gateway.py b/sdk/python/pulumi_azure_native/programmableconnectivity/gateway.py index 14fd694c437f..8676696df099 100644 --- a/sdk/python/pulumi_azure_native/programmableconnectivity/gateway.py +++ b/sdk/python/pulumi_azure_native/programmableconnectivity/gateway.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:programmableconnectivity/v20240115preview:Gateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:programmableconnectivity/v20240115preview:Gateway"), pulumi.Alias(type_="azure-native_programmableconnectivity_v20240115preview:programmableconnectivity:Gateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Gateway, __self__).__init__( 'azure-native:programmableconnectivity:Gateway', diff --git a/sdk/python/pulumi_azure_native/programmableconnectivity/operator_api_connection.py b/sdk/python/pulumi_azure_native/programmableconnectivity/operator_api_connection.py index 323da505fd98..8bbf287e0d5b 100644 --- a/sdk/python/pulumi_azure_native/programmableconnectivity/operator_api_connection.py +++ b/sdk/python/pulumi_azure_native/programmableconnectivity/operator_api_connection.py @@ -308,7 +308,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:programmableconnectivity/v20240115preview:OperatorApiConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:programmableconnectivity/v20240115preview:OperatorApiConnection"), pulumi.Alias(type_="azure-native_programmableconnectivity_v20240115preview:programmableconnectivity:OperatorApiConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OperatorApiConnection, __self__).__init__( 'azure-native:programmableconnectivity:OperatorApiConnection', diff --git a/sdk/python/pulumi_azure_native/providerhub/default_rollout.py b/sdk/python/pulumi_azure_native/providerhub/default_rollout.py index 7b73b1ae7267..7344485ab137 100644 --- a/sdk/python/pulumi_azure_native/providerhub/default_rollout.py +++ b/sdk/python/pulumi_azure_native/providerhub/default_rollout.py @@ -141,7 +141,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20201120:DefaultRollout"), pulumi.Alias(type_="azure-native:providerhub/v20210501preview:DefaultRollout"), pulumi.Alias(type_="azure-native:providerhub/v20210601preview:DefaultRollout"), pulumi.Alias(type_="azure-native:providerhub/v20210901preview:DefaultRollout")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20210901preview:DefaultRollout"), pulumi.Alias(type_="azure-native_providerhub_v20201120:providerhub:DefaultRollout"), pulumi.Alias(type_="azure-native_providerhub_v20210501preview:providerhub:DefaultRollout"), pulumi.Alias(type_="azure-native_providerhub_v20210601preview:providerhub:DefaultRollout"), pulumi.Alias(type_="azure-native_providerhub_v20210901preview:providerhub:DefaultRollout")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DefaultRollout, __self__).__init__( 'azure-native:providerhub:DefaultRollout', diff --git a/sdk/python/pulumi_azure_native/providerhub/notification_registration.py b/sdk/python/pulumi_azure_native/providerhub/notification_registration.py index 7d6bf6227054..12fb1ef234cb 100644 --- a/sdk/python/pulumi_azure_native/providerhub/notification_registration.py +++ b/sdk/python/pulumi_azure_native/providerhub/notification_registration.py @@ -136,7 +136,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20201120:NotificationRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210501preview:NotificationRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210601preview:NotificationRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210901preview:NotificationRegistration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20210901preview:NotificationRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20201120:providerhub:NotificationRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210501preview:providerhub:NotificationRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210601preview:providerhub:NotificationRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210901preview:providerhub:NotificationRegistration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NotificationRegistration, __self__).__init__( 'azure-native:providerhub:NotificationRegistration', diff --git a/sdk/python/pulumi_azure_native/providerhub/operation_by_provider_registration.py b/sdk/python/pulumi_azure_native/providerhub/operation_by_provider_registration.py index 81bcf5fb6464..2d02651134ad 100644 --- a/sdk/python/pulumi_azure_native/providerhub/operation_by_provider_registration.py +++ b/sdk/python/pulumi_azure_native/providerhub/operation_by_provider_registration.py @@ -93,7 +93,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20201120:OperationByProviderRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210501preview:OperationByProviderRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210601preview:OperationByProviderRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210901preview:OperationByProviderRegistration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20210501preview:OperationByProviderRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210901preview:OperationByProviderRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20201120:providerhub:OperationByProviderRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210501preview:providerhub:OperationByProviderRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210601preview:providerhub:OperationByProviderRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210901preview:providerhub:OperationByProviderRegistration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OperationByProviderRegistration, __self__).__init__( 'azure-native:providerhub:OperationByProviderRegistration', diff --git a/sdk/python/pulumi_azure_native/providerhub/provider_registration.py b/sdk/python/pulumi_azure_native/providerhub/provider_registration.py index 7735b32f5e92..23293d45fc86 100644 --- a/sdk/python/pulumi_azure_native/providerhub/provider_registration.py +++ b/sdk/python/pulumi_azure_native/providerhub/provider_registration.py @@ -111,7 +111,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20201120:ProviderRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210501preview:ProviderRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210601preview:ProviderRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210901preview:ProviderRegistration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20210901preview:ProviderRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20201120:providerhub:ProviderRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210501preview:providerhub:ProviderRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210601preview:providerhub:ProviderRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210901preview:providerhub:ProviderRegistration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProviderRegistration, __self__).__init__( 'azure-native:providerhub:ProviderRegistration', diff --git a/sdk/python/pulumi_azure_native/providerhub/resource_type_registration.py b/sdk/python/pulumi_azure_native/providerhub/resource_type_registration.py index 323f39566fcf..3b7115766264 100644 --- a/sdk/python/pulumi_azure_native/providerhub/resource_type_registration.py +++ b/sdk/python/pulumi_azure_native/providerhub/resource_type_registration.py @@ -132,7 +132,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20201120:ResourceTypeRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210501preview:ResourceTypeRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210601preview:ResourceTypeRegistration"), pulumi.Alias(type_="azure-native:providerhub/v20210901preview:ResourceTypeRegistration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20210901preview:ResourceTypeRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20201120:providerhub:ResourceTypeRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210501preview:providerhub:ResourceTypeRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210601preview:providerhub:ResourceTypeRegistration"), pulumi.Alias(type_="azure-native_providerhub_v20210901preview:providerhub:ResourceTypeRegistration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ResourceTypeRegistration, __self__).__init__( 'azure-native:providerhub:ResourceTypeRegistration', diff --git a/sdk/python/pulumi_azure_native/providerhub/skus.py b/sdk/python/pulumi_azure_native/providerhub/skus.py index 7d40729381b2..862571738205 100644 --- a/sdk/python/pulumi_azure_native/providerhub/skus.py +++ b/sdk/python/pulumi_azure_native/providerhub/skus.py @@ -153,7 +153,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20201120:Skus"), pulumi.Alias(type_="azure-native:providerhub/v20210501preview:Skus"), pulumi.Alias(type_="azure-native:providerhub/v20210601preview:Skus"), pulumi.Alias(type_="azure-native:providerhub/v20210901preview:Skus")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20210901preview:Skus"), pulumi.Alias(type_="azure-native_providerhub_v20201120:providerhub:Skus"), pulumi.Alias(type_="azure-native_providerhub_v20210501preview:providerhub:Skus"), pulumi.Alias(type_="azure-native_providerhub_v20210601preview:providerhub:Skus"), pulumi.Alias(type_="azure-native_providerhub_v20210901preview:providerhub:Skus")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Skus, __self__).__init__( 'azure-native:providerhub:Skus', diff --git a/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_first.py b/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_first.py index cdb44efd16b0..6952f035d822 100644 --- a/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_first.py +++ b/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_first.py @@ -174,7 +174,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20201120:SkusNestedResourceTypeFirst"), pulumi.Alias(type_="azure-native:providerhub/v20210501preview:SkusNestedResourceTypeFirst"), pulumi.Alias(type_="azure-native:providerhub/v20210601preview:SkusNestedResourceTypeFirst"), pulumi.Alias(type_="azure-native:providerhub/v20210901preview:SkusNestedResourceTypeFirst")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20210901preview:SkusNestedResourceTypeFirst"), pulumi.Alias(type_="azure-native_providerhub_v20201120:providerhub:SkusNestedResourceTypeFirst"), pulumi.Alias(type_="azure-native_providerhub_v20210501preview:providerhub:SkusNestedResourceTypeFirst"), pulumi.Alias(type_="azure-native_providerhub_v20210601preview:providerhub:SkusNestedResourceTypeFirst"), pulumi.Alias(type_="azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeFirst")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SkusNestedResourceTypeFirst, __self__).__init__( 'azure-native:providerhub:SkusNestedResourceTypeFirst', diff --git a/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_second.py b/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_second.py index deec1ea4bdcc..6c2a28e13f45 100644 --- a/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_second.py +++ b/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_second.py @@ -195,7 +195,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20201120:SkusNestedResourceTypeSecond"), pulumi.Alias(type_="azure-native:providerhub/v20210501preview:SkusNestedResourceTypeSecond"), pulumi.Alias(type_="azure-native:providerhub/v20210601preview:SkusNestedResourceTypeSecond"), pulumi.Alias(type_="azure-native:providerhub/v20210901preview:SkusNestedResourceTypeSecond")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20210901preview:SkusNestedResourceTypeSecond"), pulumi.Alias(type_="azure-native_providerhub_v20201120:providerhub:SkusNestedResourceTypeSecond"), pulumi.Alias(type_="azure-native_providerhub_v20210501preview:providerhub:SkusNestedResourceTypeSecond"), pulumi.Alias(type_="azure-native_providerhub_v20210601preview:providerhub:SkusNestedResourceTypeSecond"), pulumi.Alias(type_="azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeSecond")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SkusNestedResourceTypeSecond, __self__).__init__( 'azure-native:providerhub:SkusNestedResourceTypeSecond', diff --git a/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_third.py b/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_third.py index 7de2be0be538..255938fc5736 100644 --- a/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_third.py +++ b/sdk/python/pulumi_azure_native/providerhub/skus_nested_resource_type_third.py @@ -216,7 +216,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20201120:SkusNestedResourceTypeThird"), pulumi.Alias(type_="azure-native:providerhub/v20210501preview:SkusNestedResourceTypeThird"), pulumi.Alias(type_="azure-native:providerhub/v20210601preview:SkusNestedResourceTypeThird"), pulumi.Alias(type_="azure-native:providerhub/v20210901preview:SkusNestedResourceTypeThird")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:providerhub/v20210901preview:SkusNestedResourceTypeThird"), pulumi.Alias(type_="azure-native_providerhub_v20201120:providerhub:SkusNestedResourceTypeThird"), pulumi.Alias(type_="azure-native_providerhub_v20210501preview:providerhub:SkusNestedResourceTypeThird"), pulumi.Alias(type_="azure-native_providerhub_v20210601preview:providerhub:SkusNestedResourceTypeThird"), pulumi.Alias(type_="azure-native_providerhub_v20210901preview:providerhub:SkusNestedResourceTypeThird")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SkusNestedResourceTypeThird, __self__).__init__( 'azure-native:providerhub:SkusNestedResourceTypeThird', diff --git a/sdk/python/pulumi_azure_native/purview/account.py b/sdk/python/pulumi_azure_native/purview/account.py index 723dd170957c..03a709b10102 100644 --- a/sdk/python/pulumi_azure_native/purview/account.py +++ b/sdk/python/pulumi_azure_native/purview/account.py @@ -349,7 +349,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:purview/v20201201preview:Account"), pulumi.Alias(type_="azure-native:purview/v20210701:Account"), pulumi.Alias(type_="azure-native:purview/v20211201:Account"), pulumi.Alias(type_="azure-native:purview/v20230501preview:Account"), pulumi.Alias(type_="azure-native:purview/v20240401preview:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:purview/v20201201preview:Account"), pulumi.Alias(type_="azure-native:purview/v20210701:Account"), pulumi.Alias(type_="azure-native:purview/v20211201:Account"), pulumi.Alias(type_="azure-native:purview/v20230501preview:Account"), pulumi.Alias(type_="azure-native:purview/v20240401preview:Account"), pulumi.Alias(type_="azure-native_purview_v20201201preview:purview:Account"), pulumi.Alias(type_="azure-native_purview_v20210701:purview:Account"), pulumi.Alias(type_="azure-native_purview_v20211201:purview:Account"), pulumi.Alias(type_="azure-native_purview_v20230501preview:purview:Account"), pulumi.Alias(type_="azure-native_purview_v20240401preview:purview:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:purview:Account', diff --git a/sdk/python/pulumi_azure_native/purview/kafka_configuration.py b/sdk/python/pulumi_azure_native/purview/kafka_configuration.py index 5e115d30cd39..c142df7c749d 100644 --- a/sdk/python/pulumi_azure_native/purview/kafka_configuration.py +++ b/sdk/python/pulumi_azure_native/purview/kafka_configuration.py @@ -289,7 +289,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:purview/v20211201:KafkaConfiguration"), pulumi.Alias(type_="azure-native:purview/v20230501preview:KafkaConfiguration"), pulumi.Alias(type_="azure-native:purview/v20240401preview:KafkaConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:purview/v20211201:KafkaConfiguration"), pulumi.Alias(type_="azure-native:purview/v20230501preview:KafkaConfiguration"), pulumi.Alias(type_="azure-native:purview/v20240401preview:KafkaConfiguration"), pulumi.Alias(type_="azure-native_purview_v20211201:purview:KafkaConfiguration"), pulumi.Alias(type_="azure-native_purview_v20230501preview:purview:KafkaConfiguration"), pulumi.Alias(type_="azure-native_purview_v20240401preview:purview:KafkaConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KafkaConfiguration, __self__).__init__( 'azure-native:purview:KafkaConfiguration', diff --git a/sdk/python/pulumi_azure_native/purview/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/purview/private_endpoint_connection.py index 860a5bf568ca..42023d3e28ef 100644 --- a/sdk/python/pulumi_azure_native/purview/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/purview/private_endpoint_connection.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:purview/v20201201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:purview/v20210701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:purview/v20211201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:purview/v20230501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:purview/v20240401preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:purview/v20210701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:purview/v20211201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:purview/v20230501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:purview/v20240401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_purview_v20201201preview:purview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_purview_v20210701:purview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_purview_v20211201:purview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_purview_v20230501preview:purview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_purview_v20240401preview:purview:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:purview:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/quantum/workspace.py b/sdk/python/pulumi_azure_native/quantum/workspace.py index cac3a7666ece..a408affbd0ff 100644 --- a/sdk/python/pulumi_azure_native/quantum/workspace.py +++ b/sdk/python/pulumi_azure_native/quantum/workspace.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:quantum/v20191104preview:Workspace"), pulumi.Alias(type_="azure-native:quantum/v20220110preview:Workspace"), pulumi.Alias(type_="azure-native:quantum/v20231113preview:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:quantum/v20220110preview:Workspace"), pulumi.Alias(type_="azure-native:quantum/v20231113preview:Workspace"), pulumi.Alias(type_="azure-native_quantum_v20191104preview:quantum:Workspace"), pulumi.Alias(type_="azure-native_quantum_v20220110preview:quantum:Workspace"), pulumi.Alias(type_="azure-native_quantum_v20231113preview:quantum:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:quantum:Workspace', diff --git a/sdk/python/pulumi_azure_native/quota/group_quota.py b/sdk/python/pulumi_azure_native/quota/group_quota.py index 0d3a70a7fc3c..1446e7525672 100644 --- a/sdk/python/pulumi_azure_native/quota/group_quota.py +++ b/sdk/python/pulumi_azure_native/quota/group_quota.py @@ -139,7 +139,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:quota/v20230601preview:GroupQuota"), pulumi.Alias(type_="azure-native:quota/v20241015preview:GroupQuota"), pulumi.Alias(type_="azure-native:quota/v20241218preview:GroupQuota"), pulumi.Alias(type_="azure-native:quota/v20250301:GroupQuota"), pulumi.Alias(type_="azure-native:quota/v20250315preview:GroupQuota")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:quota/v20230601preview:GroupQuota"), pulumi.Alias(type_="azure-native:quota/v20241015preview:GroupQuota"), pulumi.Alias(type_="azure-native:quota/v20241218preview:GroupQuota"), pulumi.Alias(type_="azure-native:quota/v20250301:GroupQuota"), pulumi.Alias(type_="azure-native_quota_v20230601preview:quota:GroupQuota"), pulumi.Alias(type_="azure-native_quota_v20241015preview:quota:GroupQuota"), pulumi.Alias(type_="azure-native_quota_v20241218preview:quota:GroupQuota"), pulumi.Alias(type_="azure-native_quota_v20250301:quota:GroupQuota"), pulumi.Alias(type_="azure-native_quota_v20250315preview:quota:GroupQuota")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GroupQuota, __self__).__init__( 'azure-native:quota:GroupQuota', diff --git a/sdk/python/pulumi_azure_native/quota/group_quota_subscription.py b/sdk/python/pulumi_azure_native/quota/group_quota_subscription.py index b5b84e40882b..d0b137bf6e9e 100644 --- a/sdk/python/pulumi_azure_native/quota/group_quota_subscription.py +++ b/sdk/python/pulumi_azure_native/quota/group_quota_subscription.py @@ -125,7 +125,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:quota/v20230601preview:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native:quota/v20241015preview:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native:quota/v20241218preview:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native:quota/v20250301:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native:quota/v20250315preview:GroupQuotaSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:quota/v20230601preview:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native:quota/v20241015preview:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native:quota/v20241218preview:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native:quota/v20250301:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native_quota_v20230601preview:quota:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native_quota_v20241015preview:quota:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native_quota_v20241218preview:quota:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native_quota_v20250301:quota:GroupQuotaSubscription"), pulumi.Alias(type_="azure-native_quota_v20250315preview:quota:GroupQuotaSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GroupQuotaSubscription, __self__).__init__( 'azure-native:quota:GroupQuotaSubscription', diff --git a/sdk/python/pulumi_azure_native/recommendationsservice/account.py b/sdk/python/pulumi_azure_native/recommendationsservice/account.py index d258711b4a37..3cc64741afbf 100644 --- a/sdk/python/pulumi_azure_native/recommendationsservice/account.py +++ b/sdk/python/pulumi_azure_native/recommendationsservice/account.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recommendationsservice/v20220201:Account"), pulumi.Alias(type_="azure-native:recommendationsservice/v20220301preview:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recommendationsservice/v20220201:Account"), pulumi.Alias(type_="azure-native:recommendationsservice/v20220301preview:Account"), pulumi.Alias(type_="azure-native_recommendationsservice_v20220201:recommendationsservice:Account"), pulumi.Alias(type_="azure-native_recommendationsservice_v20220301preview:recommendationsservice:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:recommendationsservice:Account', diff --git a/sdk/python/pulumi_azure_native/recommendationsservice/modeling.py b/sdk/python/pulumi_azure_native/recommendationsservice/modeling.py index 29e489585154..c4da92c768f3 100644 --- a/sdk/python/pulumi_azure_native/recommendationsservice/modeling.py +++ b/sdk/python/pulumi_azure_native/recommendationsservice/modeling.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recommendationsservice/v20220201:Modeling"), pulumi.Alias(type_="azure-native:recommendationsservice/v20220301preview:Modeling")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recommendationsservice/v20220201:Modeling"), pulumi.Alias(type_="azure-native:recommendationsservice/v20220301preview:Modeling"), pulumi.Alias(type_="azure-native_recommendationsservice_v20220201:recommendationsservice:Modeling"), pulumi.Alias(type_="azure-native_recommendationsservice_v20220301preview:recommendationsservice:Modeling")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Modeling, __self__).__init__( 'azure-native:recommendationsservice:Modeling', diff --git a/sdk/python/pulumi_azure_native/recommendationsservice/service_endpoint.py b/sdk/python/pulumi_azure_native/recommendationsservice/service_endpoint.py index f7bcb0e32245..e74ffb733771 100644 --- a/sdk/python/pulumi_azure_native/recommendationsservice/service_endpoint.py +++ b/sdk/python/pulumi_azure_native/recommendationsservice/service_endpoint.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recommendationsservice/v20220201:ServiceEndpoint"), pulumi.Alias(type_="azure-native:recommendationsservice/v20220301preview:ServiceEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recommendationsservice/v20220201:ServiceEndpoint"), pulumi.Alias(type_="azure-native:recommendationsservice/v20220301preview:ServiceEndpoint"), pulumi.Alias(type_="azure-native_recommendationsservice_v20220201:recommendationsservice:ServiceEndpoint"), pulumi.Alias(type_="azure-native_recommendationsservice_v20220301preview:recommendationsservice:ServiceEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServiceEndpoint, __self__).__init__( 'azure-native:recommendationsservice:ServiceEndpoint', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/recoveryservices/private_endpoint_connection.py index cbdb441bbe0c..1e9b89875109 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/private_endpoint_connection.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20200202:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20201001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20201201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20210101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20210201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20210201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20220601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20220901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20220930preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20241101preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20200202:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20201001:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20201201:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20210101:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20210201:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20210201preview:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20220601preview:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20220901preview:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20220930preview:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20240430preview:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20240730preview:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_recoveryservices_v20241101preview:recoveryservices:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:recoveryservices:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/protected_item.py b/sdk/python/pulumi_azure_native/recoveryservices/protected_item.py index aefc6e4719b7..ffc8a9c92ea5 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/protected_item.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/protected_item.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20160601:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20190513:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20190615:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20201001:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20201201:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210101:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210201:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210201preview:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220601preview:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220901preview:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220930preview:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20241101preview:ProtectedItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:ProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20160601:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20190513:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20190615:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20201001:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20201201:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210101:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210201:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectedItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProtectedItem, __self__).__init__( 'azure-native:recoveryservices:ProtectedItem', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/protection_container.py b/sdk/python/pulumi_azure_native/recoveryservices/protection_container.py index 4f540e63dd48..e63207da114b 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/protection_container.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/protection_container.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20161201:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20201001:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20201201:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20210101:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20210201:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20210201preview:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20220601preview:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20220901preview:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20220930preview:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20241101preview:ProtectionContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:ProtectionContainer"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20161201:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20201001:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20201201:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20210101:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20210201:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ProtectionContainer"), pulumi.Alias(type_="azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProtectionContainer, __self__).__init__( 'azure-native:recoveryservices:ProtectionContainer', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/protection_intent.py b/sdk/python/pulumi_azure_native/recoveryservices/protection_intent.py index 05d87383e041..a871c8e58d07 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/protection_intent.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/protection_intent.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20170701:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20210201:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20210201preview:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20220601preview:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20220901preview:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20220930preview:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20241101preview:ProtectionIntent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:ProtectionIntent"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20170701:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20210201:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ProtectionIntent"), pulumi.Alias(type_="azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionIntent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProtectionIntent, __self__).__init__( 'azure-native:recoveryservices:ProtectionIntent', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/protection_policy.py b/sdk/python/pulumi_azure_native/recoveryservices/protection_policy.py index 30e877b8501a..d78f9db92011 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/protection_policy.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/protection_policy.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20160601:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20201001:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20201201:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210101:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210201:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210201preview:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220601preview:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220901preview:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220930preview:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20241101preview:ProtectionPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:ProtectionPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20160601:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20201001:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20201201:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210101:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210201:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210201preview:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220601preview:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220901preview:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220930preview:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240430preview:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240730preview:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ProtectionPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20241101preview:recoveryservices:ProtectionPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProtectionPolicy, __self__).__init__( 'azure-native:recoveryservices:ProtectionPolicy', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/replication_fabric.py b/sdk/python/pulumi_azure_native/recoveryservices/replication_fabric.py index 7edae9865919..b117d0e723bb 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/replication_fabric.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/replication_fabric.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20160810:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20180110:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20180710:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20211101:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20220501:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20220801:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20220910:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationFabric")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationFabric"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20160810:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20180110:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20180710:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20211101:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20220501:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20220801:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20220910:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ReplicationFabric"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ReplicationFabric")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationFabric, __self__).__init__( 'azure-native:recoveryservices:ReplicationFabric', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/replication_migration_item.py b/sdk/python/pulumi_azure_native/recoveryservices/replication_migration_item.py index 6c68dde4baca..8e3b111d52aa 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/replication_migration_item.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/replication_migration_item.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20180110:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20180710:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20211101:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220501:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220801:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220910:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationMigrationItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20180110:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20180710:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20211101:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220501:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220801:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220910:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ReplicationMigrationItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ReplicationMigrationItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationMigrationItem, __self__).__init__( 'azure-native:recoveryservices:ReplicationMigrationItem', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/replication_network_mapping.py b/sdk/python/pulumi_azure_native/recoveryservices/replication_network_mapping.py index 0f99642748e2..58de35f1745b 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/replication_network_mapping.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/replication_network_mapping.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20160810:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20180110:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20180710:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20211101:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220501:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220801:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220910:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationNetworkMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20160810:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20180110:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20180710:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20211101:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220501:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220801:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220910:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ReplicationNetworkMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ReplicationNetworkMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationNetworkMapping, __self__).__init__( 'azure-native:recoveryservices:ReplicationNetworkMapping', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/replication_policy.py b/sdk/python/pulumi_azure_native/recoveryservices/replication_policy.py index 2c4c2a1ff721..e25be29ae2eb 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/replication_policy.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/replication_policy.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20160810:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20180110:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20180710:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20211101:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220501:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220801:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220910:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationPolicy"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20160810:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20180110:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20180710:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20211101:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220501:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220801:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220910:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ReplicationPolicy"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ReplicationPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationPolicy, __self__).__init__( 'azure-native:recoveryservices:ReplicationPolicy', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/replication_protected_item.py b/sdk/python/pulumi_azure_native/recoveryservices/replication_protected_item.py index c6adf3c0159d..5ca6c27a09cf 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/replication_protected_item.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/replication_protected_item.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20160810:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20180110:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20180710:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20211101:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220501:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220801:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20220910:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationProtectedItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20160810:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20180110:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20180710:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20211101:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220501:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220801:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20220910:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectedItem"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectedItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationProtectedItem, __self__).__init__( 'azure-native:recoveryservices:ReplicationProtectedItem', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/replication_protection_cluster.py b/sdk/python/pulumi_azure_native/recoveryservices/replication_protection_cluster.py index dbb61020d0e5..8dcc76a7d297 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/replication_protection_cluster.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/replication_protection_cluster.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationProtectionCluster"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationProtectionCluster"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationProtectionCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationProtectionCluster"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationProtectionCluster"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationProtectionCluster"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectionCluster"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectionCluster"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectionCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationProtectionCluster, __self__).__init__( 'azure-native:recoveryservices:ReplicationProtectionCluster', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/replication_protection_container_mapping.py b/sdk/python/pulumi_azure_native/recoveryservices/replication_protection_container_mapping.py index a13d2140c57d..a20420119cb1 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/replication_protection_container_mapping.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/replication_protection_container_mapping.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20160810:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20180110:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20180710:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20211101:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220501:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220801:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220910:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationProtectionContainerMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20160810:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20180110:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20180710:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20211101:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220501:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220801:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220910:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ReplicationProtectionContainerMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ReplicationProtectionContainerMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationProtectionContainerMapping, __self__).__init__( 'azure-native:recoveryservices:ReplicationProtectionContainerMapping', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/replication_recovery_plan.py b/sdk/python/pulumi_azure_native/recoveryservices/replication_recovery_plan.py index 837db94abbc8..92b200fb099a 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/replication_recovery_plan.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/replication_recovery_plan.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20160810:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20180110:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20180710:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20211101:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20220501:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20220801:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20220910:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationRecoveryPlan")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20160810:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20180110:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20180710:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20211101:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20220501:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20220801:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20220910:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ReplicationRecoveryPlan"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ReplicationRecoveryPlan")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationRecoveryPlan, __self__).__init__( 'azure-native:recoveryservices:ReplicationRecoveryPlan', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/replication_recovery_services_provider.py b/sdk/python/pulumi_azure_native/recoveryservices/replication_recovery_services_provider.py index f3b2f4efbc1d..1f8040509d7f 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/replication_recovery_services_provider.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/replication_recovery_services_provider.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20180110:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20180710:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20211101:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20220501:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20220801:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20220910:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationRecoveryServicesProvider")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20180110:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20180710:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20211101:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20220501:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20220801:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20220910:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ReplicationRecoveryServicesProvider"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ReplicationRecoveryServicesProvider")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationRecoveryServicesProvider, __self__).__init__( 'azure-native:recoveryservices:ReplicationRecoveryServicesProvider', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/replication_storage_classification_mapping.py b/sdk/python/pulumi_azure_native/recoveryservices/replication_storage_classification_mapping.py index fe91b8945d42..58dfbe5d3cab 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/replication_storage_classification_mapping.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/replication_storage_classification_mapping.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20160810:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20180110:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20180710:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20211101:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220501:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220801:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20220910:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationStorageClassificationMapping")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20160810:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20180110:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20180710:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20211101:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220501:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220801:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20220910:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ReplicationStorageClassificationMapping"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ReplicationStorageClassificationMapping")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationStorageClassificationMapping, __self__).__init__( 'azure-native:recoveryservices:ReplicationStorageClassificationMapping', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/replicationv_center.py b/sdk/python/pulumi_azure_native/recoveryservices/replicationv_center.py index b9e05d144959..052d69a60db1 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/replicationv_center.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/replicationv_center.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20160810:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20180110:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20180710:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20211101:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20220501:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20220801:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20220910:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationvCenter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20210301:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ReplicationvCenter"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20160810:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20180110:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20180710:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20211101:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20220501:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20220801:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20220910:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ReplicationvCenter"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ReplicationvCenter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationvCenter, __self__).__init__( 'azure-native:recoveryservices:ReplicationvCenter', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/resource_guard_proxy.py b/sdk/python/pulumi_azure_native/recoveryservices/resource_guard_proxy.py index 770d0f5fc58c..c09ca6f7168c 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/resource_guard_proxy.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/resource_guard_proxy.py @@ -215,7 +215,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20210201preview:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20211001:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220601preview:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220901preview:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20220930preview:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20241101preview:ResourceGuardProxy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20230401:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20240730preview:ResourceGuardProxy"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210201preview:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20211001:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220601preview:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220901preview:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20220930preview:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240430preview:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20240730preview:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:ResourceGuardProxy"), pulumi.Alias(type_="azure-native_recoveryservices_v20241101preview:recoveryservices:ResourceGuardProxy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ResourceGuardProxy, __self__).__init__( 'azure-native:recoveryservices:ResourceGuardProxy', diff --git a/sdk/python/pulumi_azure_native/recoveryservices/vault.py b/sdk/python/pulumi_azure_native/recoveryservices/vault.py index a2f6599b6e52..6d2d0ff204f7 100644 --- a/sdk/python/pulumi_azure_native/recoveryservices/vault.py +++ b/sdk/python/pulumi_azure_native/recoveryservices/vault.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20160601:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20200202:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20201001:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20210101:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20210210:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20210301:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20210401:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20210601:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20210701:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20210801:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20211101preview:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20211201:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20220101:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20220131preview:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20220201:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20220301:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20220401:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20220501:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20220801:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20220910:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20220930preview:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20221001:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20230101:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20230201:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20240930preview:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:Vault")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:recoveryservices/v20200202:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20230401:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20230601:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20230801:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20240101:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20240201:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20240401:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20240430preview:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20240930preview:Vault"), pulumi.Alias(type_="azure-native:recoveryservices/v20241001:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20160601:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20200202:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20201001:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20210101:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20210210:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20210301:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20210401:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20210601:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20210701:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20210801:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20211101preview:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20211201:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20220101:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20220131preview:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20220201:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20220301:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20220401:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20220501:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20220801:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20220910:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20220930preview:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20221001:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20230101:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20230201:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20230401:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20230601:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20230801:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20240101:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20240201:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20240401:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20240430preview:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20240930preview:recoveryservices:Vault"), pulumi.Alias(type_="azure-native_recoveryservices_v20241001:recoveryservices:Vault")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Vault, __self__).__init__( 'azure-native:recoveryservices:Vault', diff --git a/sdk/python/pulumi_azure_native/redhatopenshift/machine_pool.py b/sdk/python/pulumi_azure_native/redhatopenshift/machine_pool.py index dd221f429a3c..97b294b66db7 100644 --- a/sdk/python/pulumi_azure_native/redhatopenshift/machine_pool.py +++ b/sdk/python/pulumi_azure_native/redhatopenshift/machine_pool.py @@ -159,7 +159,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:redhatopenshift/v20220904:MachinePool"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230401:MachinePool"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230701preview:MachinePool"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230904:MachinePool"), pulumi.Alias(type_="azure-native:redhatopenshift/v20231122:MachinePool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:redhatopenshift/v20220904:MachinePool"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230401:MachinePool"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230701preview:MachinePool"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230904:MachinePool"), pulumi.Alias(type_="azure-native:redhatopenshift/v20231122:MachinePool"), pulumi.Alias(type_="azure-native_redhatopenshift_v20220904:redhatopenshift:MachinePool"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230401:redhatopenshift:MachinePool"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230701preview:redhatopenshift:MachinePool"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230904:redhatopenshift:MachinePool"), pulumi.Alias(type_="azure-native_redhatopenshift_v20231122:redhatopenshift:MachinePool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MachinePool, __self__).__init__( 'azure-native:redhatopenshift:MachinePool', diff --git a/sdk/python/pulumi_azure_native/redhatopenshift/open_shift_cluster.py b/sdk/python/pulumi_azure_native/redhatopenshift/open_shift_cluster.py index 5c8fac784ea0..adf039127b61 100644 --- a/sdk/python/pulumi_azure_native/redhatopenshift/open_shift_cluster.py +++ b/sdk/python/pulumi_azure_native/redhatopenshift/open_shift_cluster.py @@ -327,7 +327,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["worker_profiles_status"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:redhatopenshift/v20200430:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20210901preview:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20220401:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20220904:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230401:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230701preview:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230904:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20231122:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20240812preview:OpenShiftCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:redhatopenshift/v20220904:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230401:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230701preview:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230904:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20231122:OpenShiftCluster"), pulumi.Alias(type_="azure-native:redhatopenshift/v20240812preview:OpenShiftCluster"), pulumi.Alias(type_="azure-native_redhatopenshift_v20200430:redhatopenshift:OpenShiftCluster"), pulumi.Alias(type_="azure-native_redhatopenshift_v20210901preview:redhatopenshift:OpenShiftCluster"), pulumi.Alias(type_="azure-native_redhatopenshift_v20220401:redhatopenshift:OpenShiftCluster"), pulumi.Alias(type_="azure-native_redhatopenshift_v20220904:redhatopenshift:OpenShiftCluster"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230401:redhatopenshift:OpenShiftCluster"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230701preview:redhatopenshift:OpenShiftCluster"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230904:redhatopenshift:OpenShiftCluster"), pulumi.Alias(type_="azure-native_redhatopenshift_v20231122:redhatopenshift:OpenShiftCluster"), pulumi.Alias(type_="azure-native_redhatopenshift_v20240812preview:redhatopenshift:OpenShiftCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OpenShiftCluster, __self__).__init__( 'azure-native:redhatopenshift:OpenShiftCluster', diff --git a/sdk/python/pulumi_azure_native/redhatopenshift/secret.py b/sdk/python/pulumi_azure_native/redhatopenshift/secret.py index 5d229ab3a99a..e0e7f860ee1f 100644 --- a/sdk/python/pulumi_azure_native/redhatopenshift/secret.py +++ b/sdk/python/pulumi_azure_native/redhatopenshift/secret.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:redhatopenshift/v20220904:Secret"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230401:Secret"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230701preview:Secret"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230904:Secret"), pulumi.Alias(type_="azure-native:redhatopenshift/v20231122:Secret")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:redhatopenshift/v20220904:Secret"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230401:Secret"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230701preview:Secret"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230904:Secret"), pulumi.Alias(type_="azure-native:redhatopenshift/v20231122:Secret"), pulumi.Alias(type_="azure-native_redhatopenshift_v20220904:redhatopenshift:Secret"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230401:redhatopenshift:Secret"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230701preview:redhatopenshift:Secret"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230904:redhatopenshift:Secret"), pulumi.Alias(type_="azure-native_redhatopenshift_v20231122:redhatopenshift:Secret")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Secret, __self__).__init__( 'azure-native:redhatopenshift:Secret', diff --git a/sdk/python/pulumi_azure_native/redhatopenshift/sync_identity_provider.py b/sdk/python/pulumi_azure_native/redhatopenshift/sync_identity_provider.py index 3548baf4a45a..a8a755afde20 100644 --- a/sdk/python/pulumi_azure_native/redhatopenshift/sync_identity_provider.py +++ b/sdk/python/pulumi_azure_native/redhatopenshift/sync_identity_provider.py @@ -159,7 +159,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:redhatopenshift/v20220904:SyncIdentityProvider"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230401:SyncIdentityProvider"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230701preview:SyncIdentityProvider"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230904:SyncIdentityProvider"), pulumi.Alias(type_="azure-native:redhatopenshift/v20231122:SyncIdentityProvider")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:redhatopenshift/v20220904:SyncIdentityProvider"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230401:SyncIdentityProvider"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230701preview:SyncIdentityProvider"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230904:SyncIdentityProvider"), pulumi.Alias(type_="azure-native:redhatopenshift/v20231122:SyncIdentityProvider"), pulumi.Alias(type_="azure-native_redhatopenshift_v20220904:redhatopenshift:SyncIdentityProvider"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230401:redhatopenshift:SyncIdentityProvider"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230701preview:redhatopenshift:SyncIdentityProvider"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230904:redhatopenshift:SyncIdentityProvider"), pulumi.Alias(type_="azure-native_redhatopenshift_v20231122:redhatopenshift:SyncIdentityProvider")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SyncIdentityProvider, __self__).__init__( 'azure-native:redhatopenshift:SyncIdentityProvider', diff --git a/sdk/python/pulumi_azure_native/redhatopenshift/sync_set.py b/sdk/python/pulumi_azure_native/redhatopenshift/sync_set.py index 834cd697f8be..8fa5a8a21736 100644 --- a/sdk/python/pulumi_azure_native/redhatopenshift/sync_set.py +++ b/sdk/python/pulumi_azure_native/redhatopenshift/sync_set.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:redhatopenshift/v20220904:SyncSet"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230401:SyncSet"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230701preview:SyncSet"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230904:SyncSet"), pulumi.Alias(type_="azure-native:redhatopenshift/v20231122:SyncSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:redhatopenshift/v20220904:SyncSet"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230401:SyncSet"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230701preview:SyncSet"), pulumi.Alias(type_="azure-native:redhatopenshift/v20230904:SyncSet"), pulumi.Alias(type_="azure-native:redhatopenshift/v20231122:SyncSet"), pulumi.Alias(type_="azure-native_redhatopenshift_v20220904:redhatopenshift:SyncSet"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230401:redhatopenshift:SyncSet"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230701preview:redhatopenshift:SyncSet"), pulumi.Alias(type_="azure-native_redhatopenshift_v20230904:redhatopenshift:SyncSet"), pulumi.Alias(type_="azure-native_redhatopenshift_v20231122:redhatopenshift:SyncSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SyncSet, __self__).__init__( 'azure-native:redhatopenshift:SyncSet', diff --git a/sdk/python/pulumi_azure_native/redis/access_policy.py b/sdk/python/pulumi_azure_native/redis/access_policy.py index 2173ce1c15c7..cbdbc0b0fdb6 100644 --- a/sdk/python/pulumi_azure_native/redis/access_policy.py +++ b/sdk/python/pulumi_azure_native/redis/access_policy.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230501preview:AccessPolicy"), pulumi.Alias(type_="azure-native:cache/v20230801:AccessPolicy"), pulumi.Alias(type_="azure-native:cache/v20240301:AccessPolicy"), pulumi.Alias(type_="azure-native:cache/v20240401preview:AccessPolicy"), pulumi.Alias(type_="azure-native:cache/v20241101:AccessPolicy"), pulumi.Alias(type_="azure-native:cache:AccessPolicy"), pulumi.Alias(type_="azure-native:redis/v20230501preview:AccessPolicy"), pulumi.Alias(type_="azure-native:redis/v20230801:AccessPolicy"), pulumi.Alias(type_="azure-native:redis/v20240301:AccessPolicy"), pulumi.Alias(type_="azure-native:redis/v20240401preview:AccessPolicy"), pulumi.Alias(type_="azure-native:redis/v20241101:AccessPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230501preview:AccessPolicy"), pulumi.Alias(type_="azure-native:cache/v20230801:AccessPolicy"), pulumi.Alias(type_="azure-native:cache/v20240301:AccessPolicy"), pulumi.Alias(type_="azure-native:cache/v20240401preview:AccessPolicy"), pulumi.Alias(type_="azure-native:cache/v20241101:AccessPolicy"), pulumi.Alias(type_="azure-native:cache:AccessPolicy"), pulumi.Alias(type_="azure-native_redis_v20230501preview:redis:AccessPolicy"), pulumi.Alias(type_="azure-native_redis_v20230801:redis:AccessPolicy"), pulumi.Alias(type_="azure-native_redis_v20240301:redis:AccessPolicy"), pulumi.Alias(type_="azure-native_redis_v20240401preview:redis:AccessPolicy"), pulumi.Alias(type_="azure-native_redis_v20241101:redis:AccessPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccessPolicy, __self__).__init__( 'azure-native:redis:AccessPolicy', diff --git a/sdk/python/pulumi_azure_native/redis/access_policy_assignment.py b/sdk/python/pulumi_azure_native/redis/access_policy_assignment.py index 5a56cb551313..d237ed0b91ae 100644 --- a/sdk/python/pulumi_azure_native/redis/access_policy_assignment.py +++ b/sdk/python/pulumi_azure_native/redis/access_policy_assignment.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230501preview:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:cache/v20230801:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:cache/v20240301:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:cache/v20240401preview:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:cache/v20241101:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:cache:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:redis/v20230501preview:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:redis/v20230801:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:redis/v20240301:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:redis/v20240401preview:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:redis/v20241101:AccessPolicyAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230501preview:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:cache/v20230801:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:cache/v20240301:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:cache/v20240401preview:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:cache/v20241101:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:cache:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native_redis_v20230501preview:redis:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native_redis_v20230801:redis:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native_redis_v20240301:redis:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native_redis_v20240401preview:redis:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native_redis_v20241101:redis:AccessPolicyAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccessPolicyAssignment, __self__).__init__( 'azure-native:redis:AccessPolicyAssignment', diff --git a/sdk/python/pulumi_azure_native/redis/firewall_rule.py b/sdk/python/pulumi_azure_native/redis/firewall_rule.py index 2e5a7c5e6cdb..c0a65cd51765 100644 --- a/sdk/python/pulumi_azure_native/redis/firewall_rule.py +++ b/sdk/python/pulumi_azure_native/redis/firewall_rule.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20230501preview:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20230801:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20240301:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20240401preview:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20241101:FirewallRule"), pulumi.Alias(type_="azure-native:cache:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20160401:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20170201:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20171001:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20180301:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20190701:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20200601:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20201201:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20210601:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20220501:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20220601:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20230401:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20230501preview:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20230801:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20240301:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20240401preview:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20241101:FirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20230501preview:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20230801:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20240301:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20240401preview:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20241101:FirewallRule"), pulumi.Alias(type_="azure-native:cache:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20160401:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20170201:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20171001:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20180301:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20190701:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20200601:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20201201:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20210601:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20220501:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20220601:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20230401:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20230501preview:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20230801:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20240301:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20240401preview:redis:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20241101:redis:FirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallRule, __self__).__init__( 'azure-native:redis:FirewallRule', diff --git a/sdk/python/pulumi_azure_native/redis/linked_server.py b/sdk/python/pulumi_azure_native/redis/linked_server.py index 0ec0fc3e306f..b5f0b1c8784f 100644 --- a/sdk/python/pulumi_azure_native/redis/linked_server.py +++ b/sdk/python/pulumi_azure_native/redis/linked_server.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["primary_host_name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20230501preview:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20230801:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20240301:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20240401preview:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20241101:LinkedServer"), pulumi.Alias(type_="azure-native:cache:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20170201:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20171001:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20180301:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20190701:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20200601:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20201201:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20210601:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20220501:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20220601:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20230401:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20230501preview:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20230801:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20240301:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20240401preview:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20241101:LinkedServer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20230501preview:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20230801:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20240301:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20240401preview:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20241101:LinkedServer"), pulumi.Alias(type_="azure-native:cache:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20170201:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20171001:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20180301:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20190701:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20200601:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20201201:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20210601:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20220501:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20220601:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20230401:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20230501preview:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20230801:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20240301:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20240401preview:redis:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20241101:redis:LinkedServer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LinkedServer, __self__).__init__( 'azure-native:redis:LinkedServer', diff --git a/sdk/python/pulumi_azure_native/redis/patch_schedule.py b/sdk/python/pulumi_azure_native/redis/patch_schedule.py index 0567decc9df5..424619b82b30 100644 --- a/sdk/python/pulumi_azure_native/redis/patch_schedule.py +++ b/sdk/python/pulumi_azure_native/redis/patch_schedule.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["location"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:PatchSchedule"), pulumi.Alias(type_="azure-native:cache/v20230501preview:PatchSchedule"), pulumi.Alias(type_="azure-native:cache/v20230801:PatchSchedule"), pulumi.Alias(type_="azure-native:cache/v20240301:PatchSchedule"), pulumi.Alias(type_="azure-native:cache/v20240401preview:PatchSchedule"), pulumi.Alias(type_="azure-native:cache/v20241101:PatchSchedule"), pulumi.Alias(type_="azure-native:cache:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20171001:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20180301:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20190701:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20200601:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20201201:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20210601:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20220501:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20220601:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20230401:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20230501preview:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20230801:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20240301:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20240401preview:PatchSchedule"), pulumi.Alias(type_="azure-native:redis/v20241101:PatchSchedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:PatchSchedule"), pulumi.Alias(type_="azure-native:cache/v20230501preview:PatchSchedule"), pulumi.Alias(type_="azure-native:cache/v20230801:PatchSchedule"), pulumi.Alias(type_="azure-native:cache/v20240301:PatchSchedule"), pulumi.Alias(type_="azure-native:cache/v20240401preview:PatchSchedule"), pulumi.Alias(type_="azure-native:cache/v20241101:PatchSchedule"), pulumi.Alias(type_="azure-native:cache:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20171001:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20180301:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20190701:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20200601:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20201201:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20210601:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20220501:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20220601:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20230401:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20230501preview:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20230801:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20240301:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20240401preview:redis:PatchSchedule"), pulumi.Alias(type_="azure-native_redis_v20241101:redis:PatchSchedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PatchSchedule, __self__).__init__( 'azure-native:redis:PatchSchedule', diff --git a/sdk/python/pulumi_azure_native/redis/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/redis/private_endpoint_connection.py index b1e2e3b66faa..58806493ad84 100644 --- a/sdk/python/pulumi_azure_native/redis/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/redis/private_endpoint_connection.py @@ -168,7 +168,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20230501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20230801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20241101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redis/v20200601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redis/v20201201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redis/v20210601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redis/v20220501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redis/v20220601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redis/v20230401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redis/v20230501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redis/v20230801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redis/v20240301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redis/v20240401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redis/v20241101:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20230501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20230801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20241101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redis_v20200601:redis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redis_v20201201:redis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redis_v20210601:redis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redis_v20220501:redis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redis_v20220601:redis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redis_v20230401:redis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redis_v20230501preview:redis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redis_v20230801:redis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redis_v20240301:redis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redis_v20240401preview:redis:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redis_v20241101:redis:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:redis:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/redis/redis.py b/sdk/python/pulumi_azure_native/redis/redis.py index 34efe2e912ad..8212d9a9fed4 100644 --- a/sdk/python/pulumi_azure_native/redis/redis.py +++ b/sdk/python/pulumi_azure_native/redis/redis.py @@ -524,7 +524,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["ssl_port"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20200601:Redis"), pulumi.Alias(type_="azure-native:cache/v20230401:Redis"), pulumi.Alias(type_="azure-native:cache/v20230501preview:Redis"), pulumi.Alias(type_="azure-native:cache/v20230801:Redis"), pulumi.Alias(type_="azure-native:cache/v20240301:Redis"), pulumi.Alias(type_="azure-native:cache/v20240401preview:Redis"), pulumi.Alias(type_="azure-native:cache/v20241101:Redis"), pulumi.Alias(type_="azure-native:cache:Redis"), pulumi.Alias(type_="azure-native:redis/v20150801:Redis"), pulumi.Alias(type_="azure-native:redis/v20160401:Redis"), pulumi.Alias(type_="azure-native:redis/v20170201:Redis"), pulumi.Alias(type_="azure-native:redis/v20171001:Redis"), pulumi.Alias(type_="azure-native:redis/v20180301:Redis"), pulumi.Alias(type_="azure-native:redis/v20190701:Redis"), pulumi.Alias(type_="azure-native:redis/v20200601:Redis"), pulumi.Alias(type_="azure-native:redis/v20201201:Redis"), pulumi.Alias(type_="azure-native:redis/v20210601:Redis"), pulumi.Alias(type_="azure-native:redis/v20220501:Redis"), pulumi.Alias(type_="azure-native:redis/v20220601:Redis"), pulumi.Alias(type_="azure-native:redis/v20230401:Redis"), pulumi.Alias(type_="azure-native:redis/v20230501preview:Redis"), pulumi.Alias(type_="azure-native:redis/v20230801:Redis"), pulumi.Alias(type_="azure-native:redis/v20240301:Redis"), pulumi.Alias(type_="azure-native:redis/v20240401preview:Redis"), pulumi.Alias(type_="azure-native:redis/v20241101:Redis")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20200601:Redis"), pulumi.Alias(type_="azure-native:cache/v20230401:Redis"), pulumi.Alias(type_="azure-native:cache/v20230501preview:Redis"), pulumi.Alias(type_="azure-native:cache/v20230801:Redis"), pulumi.Alias(type_="azure-native:cache/v20240301:Redis"), pulumi.Alias(type_="azure-native:cache/v20240401preview:Redis"), pulumi.Alias(type_="azure-native:cache/v20241101:Redis"), pulumi.Alias(type_="azure-native:cache:Redis"), pulumi.Alias(type_="azure-native_redis_v20150801:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20160401:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20170201:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20171001:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20180301:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20190701:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20200601:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20201201:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20210601:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20220501:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20220601:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20230401:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20230501preview:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20230801:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20240301:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20240401preview:redis:Redis"), pulumi.Alias(type_="azure-native_redis_v20241101:redis:Redis")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Redis, __self__).__init__( 'azure-native:redis:Redis', diff --git a/sdk/python/pulumi_azure_native/redis/redis_firewall_rule.py b/sdk/python/pulumi_azure_native/redis/redis_firewall_rule.py index a7e267f6a1f5..085feafa4e78 100644 --- a/sdk/python/pulumi_azure_native/redis/redis_firewall_rule.py +++ b/sdk/python/pulumi_azure_native/redis/redis_firewall_rule.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20230501preview:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20230801:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20240301:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20240401preview:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20241101:FirewallRule"), pulumi.Alias(type_="azure-native:cache:FirewallRule"), pulumi.Alias(type_="azure-native:redis/v20160401:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20170201:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20171001:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20180301:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20190701:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20200601:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20201201:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20210601:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20220501:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20220601:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20230401:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20230501preview:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20230801:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20240301:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20240401preview:RedisFirewallRule"), pulumi.Alias(type_="azure-native:redis/v20241101:RedisFirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20230501preview:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20230801:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20240301:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20240401preview:FirewallRule"), pulumi.Alias(type_="azure-native:cache/v20241101:FirewallRule"), pulumi.Alias(type_="azure-native:cache:FirewallRule"), pulumi.Alias(type_="azure-native_redis_v20160401:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20170201:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20171001:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20180301:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20190701:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20200601:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20201201:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20210601:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20220501:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20220601:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20230401:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20230501preview:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20230801:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20240301:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20240401preview:redis:RedisFirewallRule"), pulumi.Alias(type_="azure-native_redis_v20241101:redis:RedisFirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RedisFirewallRule, __self__).__init__( 'azure-native:redis:RedisFirewallRule', diff --git a/sdk/python/pulumi_azure_native/redis/redis_linked_server.py b/sdk/python/pulumi_azure_native/redis/redis_linked_server.py index f89d68b9587e..903c9cafda8b 100644 --- a/sdk/python/pulumi_azure_native/redis/redis_linked_server.py +++ b/sdk/python/pulumi_azure_native/redis/redis_linked_server.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20230501preview:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20230801:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20240301:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20240401preview:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20241101:LinkedServer"), pulumi.Alias(type_="azure-native:cache:LinkedServer"), pulumi.Alias(type_="azure-native:redis/v20170201:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20171001:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20180301:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20190701:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20200601:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20201201:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20210601:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20220501:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20220601:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20230401:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20230501preview:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20230801:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20240301:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20240401preview:RedisLinkedServer"), pulumi.Alias(type_="azure-native:redis/v20241101:RedisLinkedServer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230401:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20230501preview:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20230801:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20240301:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20240401preview:LinkedServer"), pulumi.Alias(type_="azure-native:cache/v20241101:LinkedServer"), pulumi.Alias(type_="azure-native:cache:LinkedServer"), pulumi.Alias(type_="azure-native_redis_v20170201:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20171001:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20180301:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20190701:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20200601:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20201201:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20210601:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20220501:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20220601:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20230401:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20230501preview:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20230801:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20240301:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20240401preview:redis:RedisLinkedServer"), pulumi.Alias(type_="azure-native_redis_v20241101:redis:RedisLinkedServer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RedisLinkedServer, __self__).__init__( 'azure-native:redis:RedisLinkedServer', diff --git a/sdk/python/pulumi_azure_native/redisenterprise/access_policy_assignment.py b/sdk/python/pulumi_azure_native/redisenterprise/access_policy_assignment.py index 98ff7351051c..c6f9c6b3945a 100644 --- a/sdk/python/pulumi_azure_native/redisenterprise/access_policy_assignment.py +++ b/sdk/python/pulumi_azure_native/redisenterprise/access_policy_assignment.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20240901preview:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:redisenterprise/v20240901preview:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native:redisenterprise/v20250401:AccessPolicyAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20240901preview:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native_redisenterprise_v20240901preview:redisenterprise:AccessPolicyAssignment"), pulumi.Alias(type_="azure-native_redisenterprise_v20250401:redisenterprise:AccessPolicyAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccessPolicyAssignment, __self__).__init__( 'azure-native:redisenterprise:AccessPolicyAssignment', diff --git a/sdk/python/pulumi_azure_native/redisenterprise/database.py b/sdk/python/pulumi_azure_native/redisenterprise/database.py index 955fc2cafd28..01f449d5e8c3 100644 --- a/sdk/python/pulumi_azure_native/redisenterprise/database.py +++ b/sdk/python/pulumi_azure_native/redisenterprise/database.py @@ -308,7 +308,7 @@ def _internal_init(__self__, __props__.__dict__["redis_version"] = None __props__.__dict__["resource_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230301preview:Database"), pulumi.Alias(type_="azure-native:cache/v20230701:Database"), pulumi.Alias(type_="azure-native:cache/v20230801preview:Database"), pulumi.Alias(type_="azure-native:cache/v20231001preview:Database"), pulumi.Alias(type_="azure-native:cache/v20231101:Database"), pulumi.Alias(type_="azure-native:cache/v20240201:Database"), pulumi.Alias(type_="azure-native:cache/v20240301preview:Database"), pulumi.Alias(type_="azure-native:cache/v20240601preview:Database"), pulumi.Alias(type_="azure-native:cache/v20240901preview:Database"), pulumi.Alias(type_="azure-native:cache/v20241001:Database"), pulumi.Alias(type_="azure-native:cache:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20201001preview:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20210201preview:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20210301:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20210801:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20220101:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20221101preview:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20230301preview:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20230701:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20230801preview:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20231001preview:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20231101:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20240201:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20240301preview:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20240601preview:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20240901preview:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20241001:Database"), pulumi.Alias(type_="azure-native:redisenterprise/v20250401:Database")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230301preview:Database"), pulumi.Alias(type_="azure-native:cache/v20230701:Database"), pulumi.Alias(type_="azure-native:cache/v20230801preview:Database"), pulumi.Alias(type_="azure-native:cache/v20231001preview:Database"), pulumi.Alias(type_="azure-native:cache/v20231101:Database"), pulumi.Alias(type_="azure-native:cache/v20240201:Database"), pulumi.Alias(type_="azure-native:cache/v20240301preview:Database"), pulumi.Alias(type_="azure-native:cache/v20240601preview:Database"), pulumi.Alias(type_="azure-native:cache/v20240901preview:Database"), pulumi.Alias(type_="azure-native:cache/v20241001:Database"), pulumi.Alias(type_="azure-native:cache:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20201001preview:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20210201preview:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20210301:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20210801:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20220101:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20221101preview:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20230301preview:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20230701:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20230801preview:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20231001preview:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20231101:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20240201:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20240301preview:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20240601preview:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20240901preview:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20241001:redisenterprise:Database"), pulumi.Alias(type_="azure-native_redisenterprise_v20250401:redisenterprise:Database")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Database, __self__).__init__( 'azure-native:redisenterprise:Database', diff --git a/sdk/python/pulumi_azure_native/redisenterprise/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/redisenterprise/private_endpoint_connection.py index 22f2b97b93fc..4daaba242e39 100644 --- a/sdk/python/pulumi_azure_native/redisenterprise/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/redisenterprise/private_endpoint_connection.py @@ -168,7 +168,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230301preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20230701:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20230801preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20231001preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20231101:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240201:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240301preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240601preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240901preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20241001:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20201001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20210201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20210301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20210801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20220101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20221101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20230301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20230701:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20230801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20231001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20231101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20240201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20240301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20240901preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20241001:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:redisenterprise/v20250401:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20230301preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20230701:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20230801preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20231001preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20231101:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240201:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240301preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240601preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20240901preview:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache/v20241001:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:cache:EnterprisePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20201001preview:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20210201preview:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20210301:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20210801:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20220101:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20221101preview:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20230301preview:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20230701:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20230801preview:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20231001preview:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20231101:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20240201:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20240301preview:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20240601preview:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20240901preview:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20241001:redisenterprise:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_redisenterprise_v20250401:redisenterprise:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:redisenterprise:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/redisenterprise/redis_enterprise.py b/sdk/python/pulumi_azure_native/redisenterprise/redis_enterprise.py index dd73935d6729..d7e7f7c57150 100644 --- a/sdk/python/pulumi_azure_native/redisenterprise/redis_enterprise.py +++ b/sdk/python/pulumi_azure_native/redisenterprise/redis_enterprise.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["redis_version"] = None __props__.__dict__["resource_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20201001preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20230301preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20230701:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20230801preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20231001preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20231101:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20240201:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20240301preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20240601preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20240901preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20241001:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20201001preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20210201preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20210301:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20210801:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20220101:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20221101preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20230301preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20230701:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20230801preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20231001preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20231101:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20240201:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20240301preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20240601preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20240901preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20241001:RedisEnterprise"), pulumi.Alias(type_="azure-native:redisenterprise/v20250401:RedisEnterprise")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:cache/v20201001preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20230301preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20230701:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20230801preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20231001preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20231101:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20240201:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20240301preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20240601preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20240901preview:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache/v20241001:RedisEnterprise"), pulumi.Alias(type_="azure-native:cache:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20201001preview:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20210201preview:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20210301:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20210801:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20220101:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20221101preview:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20230301preview:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20230701:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20230801preview:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20231001preview:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20231101:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20240201:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20240301preview:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20240601preview:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20240901preview:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20241001:redisenterprise:RedisEnterprise"), pulumi.Alias(type_="azure-native_redisenterprise_v20250401:redisenterprise:RedisEnterprise")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RedisEnterprise, __self__).__init__( 'azure-native:redisenterprise:RedisEnterprise', diff --git a/sdk/python/pulumi_azure_native/relay/hybrid_connection.py b/sdk/python/pulumi_azure_native/relay/hybrid_connection.py index 7243997dd682..cd396627cc4e 100644 --- a/sdk/python/pulumi_azure_native/relay/hybrid_connection.py +++ b/sdk/python/pulumi_azure_native/relay/hybrid_connection.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20160701:HybridConnection"), pulumi.Alias(type_="azure-native:relay/v20170401:HybridConnection"), pulumi.Alias(type_="azure-native:relay/v20211101:HybridConnection"), pulumi.Alias(type_="azure-native:relay/v20240101:HybridConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20211101:HybridConnection"), pulumi.Alias(type_="azure-native:relay/v20240101:HybridConnection"), pulumi.Alias(type_="azure-native_relay_v20160701:relay:HybridConnection"), pulumi.Alias(type_="azure-native_relay_v20170401:relay:HybridConnection"), pulumi.Alias(type_="azure-native_relay_v20211101:relay:HybridConnection"), pulumi.Alias(type_="azure-native_relay_v20240101:relay:HybridConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HybridConnection, __self__).__init__( 'azure-native:relay:HybridConnection', diff --git a/sdk/python/pulumi_azure_native/relay/hybrid_connection_authorization_rule.py b/sdk/python/pulumi_azure_native/relay/hybrid_connection_authorization_rule.py index ec0fa7d2ee10..18d2c381175f 100644 --- a/sdk/python/pulumi_azure_native/relay/hybrid_connection_authorization_rule.py +++ b/sdk/python/pulumi_azure_native/relay/hybrid_connection_authorization_rule.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20160701:HybridConnectionAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20170401:HybridConnectionAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20211101:HybridConnectionAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20240101:HybridConnectionAuthorizationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20170401:HybridConnectionAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20211101:HybridConnectionAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20240101:HybridConnectionAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20160701:relay:HybridConnectionAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20170401:relay:HybridConnectionAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20211101:relay:HybridConnectionAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20240101:relay:HybridConnectionAuthorizationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HybridConnectionAuthorizationRule, __self__).__init__( 'azure-native:relay:HybridConnectionAuthorizationRule', diff --git a/sdk/python/pulumi_azure_native/relay/namespace.py b/sdk/python/pulumi_azure_native/relay/namespace.py index fe4cf4dbc3d2..bac1bcd46852 100644 --- a/sdk/python/pulumi_azure_native/relay/namespace.py +++ b/sdk/python/pulumi_azure_native/relay/namespace.py @@ -238,7 +238,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20160701:Namespace"), pulumi.Alias(type_="azure-native:relay/v20170401:Namespace"), pulumi.Alias(type_="azure-native:relay/v20180101preview:Namespace"), pulumi.Alias(type_="azure-native:relay/v20211101:Namespace"), pulumi.Alias(type_="azure-native:relay/v20240101:Namespace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20211101:Namespace"), pulumi.Alias(type_="azure-native:relay/v20240101:Namespace"), pulumi.Alias(type_="azure-native_relay_v20160701:relay:Namespace"), pulumi.Alias(type_="azure-native_relay_v20170401:relay:Namespace"), pulumi.Alias(type_="azure-native_relay_v20180101preview:relay:Namespace"), pulumi.Alias(type_="azure-native_relay_v20211101:relay:Namespace"), pulumi.Alias(type_="azure-native_relay_v20240101:relay:Namespace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Namespace, __self__).__init__( 'azure-native:relay:Namespace', diff --git a/sdk/python/pulumi_azure_native/relay/namespace_authorization_rule.py b/sdk/python/pulumi_azure_native/relay/namespace_authorization_rule.py index 1418eae409f4..9a87799cabd3 100644 --- a/sdk/python/pulumi_azure_native/relay/namespace_authorization_rule.py +++ b/sdk/python/pulumi_azure_native/relay/namespace_authorization_rule.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20160701:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20170401:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20211101:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20240101:NamespaceAuthorizationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20170401:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20211101:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20240101:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20160701:relay:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20170401:relay:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20211101:relay:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20240101:relay:NamespaceAuthorizationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceAuthorizationRule, __self__).__init__( 'azure-native:relay:NamespaceAuthorizationRule', diff --git a/sdk/python/pulumi_azure_native/relay/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/relay/private_endpoint_connection.py index b8a1978a4616..fc599cb2098f 100644 --- a/sdk/python/pulumi_azure_native/relay/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/relay/private_endpoint_connection.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20180101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:relay/v20211101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:relay/v20240101:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20180101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:relay/v20211101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:relay/v20240101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_relay_v20180101preview:relay:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_relay_v20211101:relay:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_relay_v20240101:relay:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:relay:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/relay/wcf_relay.py b/sdk/python/pulumi_azure_native/relay/wcf_relay.py index 1932a07fd614..263867ace3e8 100644 --- a/sdk/python/pulumi_azure_native/relay/wcf_relay.py +++ b/sdk/python/pulumi_azure_native/relay/wcf_relay.py @@ -230,7 +230,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20160701:WCFRelay"), pulumi.Alias(type_="azure-native:relay/v20170401:WCFRelay"), pulumi.Alias(type_="azure-native:relay/v20211101:WCFRelay"), pulumi.Alias(type_="azure-native:relay/v20240101:WCFRelay")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20211101:WCFRelay"), pulumi.Alias(type_="azure-native:relay/v20240101:WCFRelay"), pulumi.Alias(type_="azure-native_relay_v20160701:relay:WCFRelay"), pulumi.Alias(type_="azure-native_relay_v20170401:relay:WCFRelay"), pulumi.Alias(type_="azure-native_relay_v20211101:relay:WCFRelay"), pulumi.Alias(type_="azure-native_relay_v20240101:relay:WCFRelay")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WCFRelay, __self__).__init__( 'azure-native:relay:WCFRelay', diff --git a/sdk/python/pulumi_azure_native/relay/wcf_relay_authorization_rule.py b/sdk/python/pulumi_azure_native/relay/wcf_relay_authorization_rule.py index d0eb5125b022..149b9bc72424 100644 --- a/sdk/python/pulumi_azure_native/relay/wcf_relay_authorization_rule.py +++ b/sdk/python/pulumi_azure_native/relay/wcf_relay_authorization_rule.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20160701:WCFRelayAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20170401:WCFRelayAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20211101:WCFRelayAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20240101:WCFRelayAuthorizationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:relay/v20170401:WCFRelayAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20211101:WCFRelayAuthorizationRule"), pulumi.Alias(type_="azure-native:relay/v20240101:WCFRelayAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20160701:relay:WCFRelayAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20170401:relay:WCFRelayAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20211101:relay:WCFRelayAuthorizationRule"), pulumi.Alias(type_="azure-native_relay_v20240101:relay:WCFRelayAuthorizationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WCFRelayAuthorizationRule, __self__).__init__( 'azure-native:relay:WCFRelayAuthorizationRule', diff --git a/sdk/python/pulumi_azure_native/resourceconnector/appliance.py b/sdk/python/pulumi_azure_native/resourceconnector/appliance.py index 9fdc07bb8438..5f50a29de6f9 100644 --- a/sdk/python/pulumi_azure_native/resourceconnector/appliance.py +++ b/sdk/python/pulumi_azure_native/resourceconnector/appliance.py @@ -271,7 +271,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resourceconnector/v20211031preview:Appliance"), pulumi.Alias(type_="azure-native:resourceconnector/v20220415preview:Appliance"), pulumi.Alias(type_="azure-native:resourceconnector/v20221027:Appliance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resourceconnector/v20211031preview:Appliance"), pulumi.Alias(type_="azure-native:resourceconnector/v20221027:Appliance"), pulumi.Alias(type_="azure-native_resourceconnector_v20211031preview:resourceconnector:Appliance"), pulumi.Alias(type_="azure-native_resourceconnector_v20220415preview:resourceconnector:Appliance"), pulumi.Alias(type_="azure-native_resourceconnector_v20221027:resourceconnector:Appliance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Appliance, __self__).__init__( 'azure-native:resourceconnector:Appliance', diff --git a/sdk/python/pulumi_azure_native/resourcegraph/graph_query.py b/sdk/python/pulumi_azure_native/resourcegraph/graph_query.py index 9754fcc76752..101ecb769b63 100644 --- a/sdk/python/pulumi_azure_native/resourcegraph/graph_query.py +++ b/sdk/python/pulumi_azure_native/resourcegraph/graph_query.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["time_modified"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resourcegraph/v20180901preview:GraphQuery"), pulumi.Alias(type_="azure-native:resourcegraph/v20190401:GraphQuery"), pulumi.Alias(type_="azure-native:resourcegraph/v20200401preview:GraphQuery"), pulumi.Alias(type_="azure-native:resourcegraph/v20210301:GraphQuery"), pulumi.Alias(type_="azure-native:resourcegraph/v20221001:GraphQuery"), pulumi.Alias(type_="azure-native:resourcegraph/v20240401:GraphQuery")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resourcegraph/v20180901preview:GraphQuery"), pulumi.Alias(type_="azure-native:resourcegraph/v20190401:GraphQuery"), pulumi.Alias(type_="azure-native:resourcegraph/v20200401preview:GraphQuery"), pulumi.Alias(type_="azure-native:resourcegraph/v20210301:GraphQuery"), pulumi.Alias(type_="azure-native:resourcegraph/v20221001:GraphQuery"), pulumi.Alias(type_="azure-native:resourcegraph/v20240401:GraphQuery"), pulumi.Alias(type_="azure-native_resourcegraph_v20180901preview:resourcegraph:GraphQuery"), pulumi.Alias(type_="azure-native_resourcegraph_v20190401:resourcegraph:GraphQuery"), pulumi.Alias(type_="azure-native_resourcegraph_v20200401preview:resourcegraph:GraphQuery"), pulumi.Alias(type_="azure-native_resourcegraph_v20210301:resourcegraph:GraphQuery"), pulumi.Alias(type_="azure-native_resourcegraph_v20221001:resourcegraph:GraphQuery"), pulumi.Alias(type_="azure-native_resourcegraph_v20240401:resourcegraph:GraphQuery")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GraphQuery, __self__).__init__( 'azure-native:resourcegraph:GraphQuery', diff --git a/sdk/python/pulumi_azure_native/resources/azure_cli_script.py b/sdk/python/pulumi_azure_native/resources/azure_cli_script.py index bc08fb76bbc3..a174cffe4f35 100644 --- a/sdk/python/pulumi_azure_native/resources/azure_cli_script.py +++ b/sdk/python/pulumi_azure_native/resources/azure_cli_script.py @@ -458,7 +458,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20191001preview:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20191001preview:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources/v20201001:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20201001:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources/v20230801:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20230801:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources:AzurePowerShellScript")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20191001preview:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20191001preview:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources/v20201001:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20201001:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources/v20230801:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20230801:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources:AzurePowerShellScript"), pulumi.Alias(type_="azure-native_resources_v20191001preview:resources:AzureCliScript"), pulumi.Alias(type_="azure-native_resources_v20201001:resources:AzureCliScript"), pulumi.Alias(type_="azure-native_resources_v20230801:resources:AzureCliScript")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzureCliScript, __self__).__init__( 'azure-native:resources:AzureCliScript', diff --git a/sdk/python/pulumi_azure_native/resources/azure_power_shell_script.py b/sdk/python/pulumi_azure_native/resources/azure_power_shell_script.py index 94f601801839..8bc272d43c5f 100644 --- a/sdk/python/pulumi_azure_native/resources/azure_power_shell_script.py +++ b/sdk/python/pulumi_azure_native/resources/azure_power_shell_script.py @@ -458,7 +458,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20191001preview:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20191001preview:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources/v20201001:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20201001:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources/v20230801:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20230801:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources:AzureCliScript")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20191001preview:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20191001preview:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources/v20201001:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20201001:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources/v20230801:AzureCliScript"), pulumi.Alias(type_="azure-native:resources/v20230801:AzurePowerShellScript"), pulumi.Alias(type_="azure-native:resources:AzureCliScript"), pulumi.Alias(type_="azure-native_resources_v20191001preview:resources:AzurePowerShellScript"), pulumi.Alias(type_="azure-native_resources_v20201001:resources:AzurePowerShellScript"), pulumi.Alias(type_="azure-native_resources_v20230801:resources:AzurePowerShellScript")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzurePowerShellScript, __self__).__init__( 'azure-native:resources:AzurePowerShellScript', diff --git a/sdk/python/pulumi_azure_native/resources/deployment.py b/sdk/python/pulumi_azure_native/resources/deployment.py index d2251474c4e0..ebdefa7bbb26 100644 --- a/sdk/python/pulumi_azure_native/resources/deployment.py +++ b/sdk/python/pulumi_azure_native/resources/deployment.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20151101:Deployment"), pulumi.Alias(type_="azure-native:resources/v20160201:Deployment"), pulumi.Alias(type_="azure-native:resources/v20160701:Deployment"), pulumi.Alias(type_="azure-native:resources/v20160901:Deployment"), pulumi.Alias(type_="azure-native:resources/v20170510:Deployment"), pulumi.Alias(type_="azure-native:resources/v20180201:Deployment"), pulumi.Alias(type_="azure-native:resources/v20180501:Deployment"), pulumi.Alias(type_="azure-native:resources/v20190301:Deployment"), pulumi.Alias(type_="azure-native:resources/v20190501:Deployment"), pulumi.Alias(type_="azure-native:resources/v20190510:Deployment"), pulumi.Alias(type_="azure-native:resources/v20190701:Deployment"), pulumi.Alias(type_="azure-native:resources/v20190801:Deployment"), pulumi.Alias(type_="azure-native:resources/v20191001:Deployment"), pulumi.Alias(type_="azure-native:resources/v20200601:Deployment"), pulumi.Alias(type_="azure-native:resources/v20200801:Deployment"), pulumi.Alias(type_="azure-native:resources/v20201001:Deployment"), pulumi.Alias(type_="azure-native:resources/v20210101:Deployment"), pulumi.Alias(type_="azure-native:resources/v20210401:Deployment"), pulumi.Alias(type_="azure-native:resources/v20220901:Deployment"), pulumi.Alias(type_="azure-native:resources/v20230701:Deployment"), pulumi.Alias(type_="azure-native:resources/v20240301:Deployment"), pulumi.Alias(type_="azure-native:resources/v20240701:Deployment"), pulumi.Alias(type_="azure-native:resources/v20241101:Deployment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220901:Deployment"), pulumi.Alias(type_="azure-native:resources/v20230701:Deployment"), pulumi.Alias(type_="azure-native:resources/v20240301:Deployment"), pulumi.Alias(type_="azure-native:resources/v20240701:Deployment"), pulumi.Alias(type_="azure-native:resources/v20241101:Deployment"), pulumi.Alias(type_="azure-native_resources_v20151101:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20160201:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20160701:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20160901:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20170510:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20180201:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20180501:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20190301:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20190501:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20190510:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20190701:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20190801:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20191001:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20200601:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20200801:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20201001:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20210101:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20210401:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20220901:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20230701:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20240301:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20240701:resources:Deployment"), pulumi.Alias(type_="azure-native_resources_v20241101:resources:Deployment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Deployment, __self__).__init__( 'azure-native:resources:Deployment', diff --git a/sdk/python/pulumi_azure_native/resources/deployment_at_management_group_scope.py b/sdk/python/pulumi_azure_native/resources/deployment_at_management_group_scope.py index f9f733bf3b66..d3b698798bc7 100644 --- a/sdk/python/pulumi_azure_native/resources/deployment_at_management_group_scope.py +++ b/sdk/python/pulumi_azure_native/resources/deployment_at_management_group_scope.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20190501:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20190510:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20190701:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20190801:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20191001:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20200601:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20200801:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20201001:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20210101:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20210401:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20220901:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20230701:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20240701:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20241101:DeploymentAtManagementGroupScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220901:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20230701:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20240701:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native:resources/v20241101:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20190501:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20190510:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20190701:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20190801:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20191001:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20200601:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20200801:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20201001:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20210101:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20210401:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20220901:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20230701:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20240301:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20240701:resources:DeploymentAtManagementGroupScope"), pulumi.Alias(type_="azure-native_resources_v20241101:resources:DeploymentAtManagementGroupScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DeploymentAtManagementGroupScope, __self__).__init__( 'azure-native:resources:DeploymentAtManagementGroupScope', diff --git a/sdk/python/pulumi_azure_native/resources/deployment_at_scope.py b/sdk/python/pulumi_azure_native/resources/deployment_at_scope.py index 8742a64e907a..76a18c02782b 100644 --- a/sdk/python/pulumi_azure_native/resources/deployment_at_scope.py +++ b/sdk/python/pulumi_azure_native/resources/deployment_at_scope.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20190701:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20190801:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20191001:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20200601:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20200801:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20201001:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20210101:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20210401:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20220901:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20230701:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20240701:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20241101:DeploymentAtScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220901:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20230701:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20240701:DeploymentAtScope"), pulumi.Alias(type_="azure-native:resources/v20241101:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20190701:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20190801:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20191001:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20200601:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20200801:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20201001:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20210101:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20210401:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20220901:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20230701:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20240301:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20240701:resources:DeploymentAtScope"), pulumi.Alias(type_="azure-native_resources_v20241101:resources:DeploymentAtScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DeploymentAtScope, __self__).__init__( 'azure-native:resources:DeploymentAtScope', diff --git a/sdk/python/pulumi_azure_native/resources/deployment_at_subscription_scope.py b/sdk/python/pulumi_azure_native/resources/deployment_at_subscription_scope.py index 76c3d2df87fd..6d51568e6aef 100644 --- a/sdk/python/pulumi_azure_native/resources/deployment_at_subscription_scope.py +++ b/sdk/python/pulumi_azure_native/resources/deployment_at_subscription_scope.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20180501:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20190301:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20190501:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20190510:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20190701:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20190801:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20191001:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20200601:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20200801:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20201001:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20210101:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20210401:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20220901:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20230701:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20240701:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20241101:DeploymentAtSubscriptionScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220901:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20230701:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20240701:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native:resources/v20241101:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20180501:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20190301:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20190501:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20190510:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20190701:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20190801:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20191001:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20200601:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20200801:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20201001:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20210101:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20210401:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20220901:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20230701:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20240301:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20240701:resources:DeploymentAtSubscriptionScope"), pulumi.Alias(type_="azure-native_resources_v20241101:resources:DeploymentAtSubscriptionScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DeploymentAtSubscriptionScope, __self__).__init__( 'azure-native:resources:DeploymentAtSubscriptionScope', diff --git a/sdk/python/pulumi_azure_native/resources/deployment_at_tenant_scope.py b/sdk/python/pulumi_azure_native/resources/deployment_at_tenant_scope.py index c6fefa6280b1..a17def355058 100644 --- a/sdk/python/pulumi_azure_native/resources/deployment_at_tenant_scope.py +++ b/sdk/python/pulumi_azure_native/resources/deployment_at_tenant_scope.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20190701:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20190801:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20191001:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20200601:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20200801:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20201001:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20210101:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20210401:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20220901:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20230701:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20240701:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20241101:DeploymentAtTenantScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220901:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20230701:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20240701:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native:resources/v20241101:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20190701:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20190801:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20191001:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20200601:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20200801:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20201001:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20210101:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20210401:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20220901:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20230701:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20240301:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20240701:resources:DeploymentAtTenantScope"), pulumi.Alias(type_="azure-native_resources_v20241101:resources:DeploymentAtTenantScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DeploymentAtTenantScope, __self__).__init__( 'azure-native:resources:DeploymentAtTenantScope', diff --git a/sdk/python/pulumi_azure_native/resources/deployment_stack_at_management_group.py b/sdk/python/pulumi_azure_native/resources/deployment_stack_at_management_group.py index 0a57d7c8fd65..671267adf036 100644 --- a/sdk/python/pulumi_azure_native/resources/deployment_stack_at_management_group.py +++ b/sdk/python/pulumi_azure_native/resources/deployment_stack_at_management_group.py @@ -377,7 +377,7 @@ def _internal_init(__self__, __props__.__dict__["resources"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220801preview:DeploymentStackAtManagementGroup"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentStackAtManagementGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220801preview:DeploymentStackAtManagementGroup"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentStackAtManagementGroup"), pulumi.Alias(type_="azure-native_resources_v20220801preview:resources:DeploymentStackAtManagementGroup"), pulumi.Alias(type_="azure-native_resources_v20240301:resources:DeploymentStackAtManagementGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DeploymentStackAtManagementGroup, __self__).__init__( 'azure-native:resources:DeploymentStackAtManagementGroup', diff --git a/sdk/python/pulumi_azure_native/resources/deployment_stack_at_resource_group.py b/sdk/python/pulumi_azure_native/resources/deployment_stack_at_resource_group.py index f293bb1fb4ae..41f60fae20c1 100644 --- a/sdk/python/pulumi_azure_native/resources/deployment_stack_at_resource_group.py +++ b/sdk/python/pulumi_azure_native/resources/deployment_stack_at_resource_group.py @@ -377,7 +377,7 @@ def _internal_init(__self__, __props__.__dict__["resources"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220801preview:DeploymentStackAtResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentStackAtResourceGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220801preview:DeploymentStackAtResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentStackAtResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20220801preview:resources:DeploymentStackAtResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20240301:resources:DeploymentStackAtResourceGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DeploymentStackAtResourceGroup, __self__).__init__( 'azure-native:resources:DeploymentStackAtResourceGroup', diff --git a/sdk/python/pulumi_azure_native/resources/deployment_stack_at_subscription.py b/sdk/python/pulumi_azure_native/resources/deployment_stack_at_subscription.py index 813bcffa28e2..69f9da11f9c2 100644 --- a/sdk/python/pulumi_azure_native/resources/deployment_stack_at_subscription.py +++ b/sdk/python/pulumi_azure_native/resources/deployment_stack_at_subscription.py @@ -356,7 +356,7 @@ def _internal_init(__self__, __props__.__dict__["resources"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220801preview:DeploymentStackAtSubscription"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentStackAtSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220801preview:DeploymentStackAtSubscription"), pulumi.Alias(type_="azure-native:resources/v20240301:DeploymentStackAtSubscription"), pulumi.Alias(type_="azure-native_resources_v20220801preview:resources:DeploymentStackAtSubscription"), pulumi.Alias(type_="azure-native_resources_v20240301:resources:DeploymentStackAtSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DeploymentStackAtSubscription, __self__).__init__( 'azure-native:resources:DeploymentStackAtSubscription', diff --git a/sdk/python/pulumi_azure_native/resources/resource.py b/sdk/python/pulumi_azure_native/resources/resource.py index 6adc3ce1e5ee..915bec26c260 100644 --- a/sdk/python/pulumi_azure_native/resources/resource.py +++ b/sdk/python/pulumi_azure_native/resources/resource.py @@ -388,7 +388,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20151101:Resource"), pulumi.Alias(type_="azure-native:resources/v20160201:Resource"), pulumi.Alias(type_="azure-native:resources/v20160701:Resource"), pulumi.Alias(type_="azure-native:resources/v20160901:Resource"), pulumi.Alias(type_="azure-native:resources/v20170510:Resource"), pulumi.Alias(type_="azure-native:resources/v20180201:Resource"), pulumi.Alias(type_="azure-native:resources/v20180501:Resource"), pulumi.Alias(type_="azure-native:resources/v20190301:Resource"), pulumi.Alias(type_="azure-native:resources/v20190501:Resource"), pulumi.Alias(type_="azure-native:resources/v20190510:Resource"), pulumi.Alias(type_="azure-native:resources/v20190701:Resource"), pulumi.Alias(type_="azure-native:resources/v20190801:Resource"), pulumi.Alias(type_="azure-native:resources/v20191001:Resource"), pulumi.Alias(type_="azure-native:resources/v20200601:Resource"), pulumi.Alias(type_="azure-native:resources/v20200801:Resource"), pulumi.Alias(type_="azure-native:resources/v20201001:Resource"), pulumi.Alias(type_="azure-native:resources/v20210101:Resource"), pulumi.Alias(type_="azure-native:resources/v20210401:Resource"), pulumi.Alias(type_="azure-native:resources/v20220901:Resource"), pulumi.Alias(type_="azure-native:resources/v20230701:Resource"), pulumi.Alias(type_="azure-native:resources/v20240301:Resource"), pulumi.Alias(type_="azure-native:resources/v20240701:Resource"), pulumi.Alias(type_="azure-native:resources/v20241101:Resource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220901:Resource"), pulumi.Alias(type_="azure-native:resources/v20230701:Resource"), pulumi.Alias(type_="azure-native:resources/v20240301:Resource"), pulumi.Alias(type_="azure-native:resources/v20240701:Resource"), pulumi.Alias(type_="azure-native:resources/v20241101:Resource"), pulumi.Alias(type_="azure-native_resources_v20151101:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20160201:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20160701:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20160901:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20170510:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20180201:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20180501:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20190301:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20190501:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20190510:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20190701:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20190801:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20191001:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20200601:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20200801:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20201001:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20210101:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20210401:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20220901:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20230701:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20240301:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20240701:resources:Resource"), pulumi.Alias(type_="azure-native_resources_v20241101:resources:Resource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Resource, __self__).__init__( 'azure-native:resources:Resource', diff --git a/sdk/python/pulumi_azure_native/resources/resource_group.py b/sdk/python/pulumi_azure_native/resources/resource_group.py index be154d8bf5c8..0e7b6921b00c 100644 --- a/sdk/python/pulumi_azure_native/resources/resource_group.py +++ b/sdk/python/pulumi_azure_native/resources/resource_group.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["properties"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20151101:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20160201:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20160701:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20160901:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20170510:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20180201:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20180501:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20190301:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20190501:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20190510:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20190701:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20190801:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20191001:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20200601:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20200801:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20201001:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20210101:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20210401:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20220901:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20230701:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20240301:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20240701:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20241101:ResourceGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220901:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20230701:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20240301:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20240701:ResourceGroup"), pulumi.Alias(type_="azure-native:resources/v20241101:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20151101:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20160201:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20160701:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20160901:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20170510:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20180201:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20180501:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20190301:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20190501:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20190510:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20190701:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20190801:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20191001:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20200601:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20200801:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20201001:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20210101:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20210401:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20220901:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20230701:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20240301:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20240701:resources:ResourceGroup"), pulumi.Alias(type_="azure-native_resources_v20241101:resources:ResourceGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ResourceGroup, __self__).__init__( 'azure-native:resources:ResourceGroup', diff --git a/sdk/python/pulumi_azure_native/resources/tag_at_scope.py b/sdk/python/pulumi_azure_native/resources/tag_at_scope.py index 5a3e7c6dbca9..28b74c021b4d 100644 --- a/sdk/python/pulumi_azure_native/resources/tag_at_scope.py +++ b/sdk/python/pulumi_azure_native/resources/tag_at_scope.py @@ -124,7 +124,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20191001:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20200601:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20200801:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20201001:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20210101:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20210401:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20220901:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20230701:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20240301:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20240701:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20241101:TagAtScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220901:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20230701:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20240301:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20240701:TagAtScope"), pulumi.Alias(type_="azure-native:resources/v20241101:TagAtScope"), pulumi.Alias(type_="azure-native_resources_v20191001:resources:TagAtScope"), pulumi.Alias(type_="azure-native_resources_v20200601:resources:TagAtScope"), pulumi.Alias(type_="azure-native_resources_v20200801:resources:TagAtScope"), pulumi.Alias(type_="azure-native_resources_v20201001:resources:TagAtScope"), pulumi.Alias(type_="azure-native_resources_v20210101:resources:TagAtScope"), pulumi.Alias(type_="azure-native_resources_v20210401:resources:TagAtScope"), pulumi.Alias(type_="azure-native_resources_v20220901:resources:TagAtScope"), pulumi.Alias(type_="azure-native_resources_v20230701:resources:TagAtScope"), pulumi.Alias(type_="azure-native_resources_v20240301:resources:TagAtScope"), pulumi.Alias(type_="azure-native_resources_v20240701:resources:TagAtScope"), pulumi.Alias(type_="azure-native_resources_v20241101:resources:TagAtScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TagAtScope, __self__).__init__( 'azure-native:resources:TagAtScope', diff --git a/sdk/python/pulumi_azure_native/resources/template_spec.py b/sdk/python/pulumi_azure_native/resources/template_spec.py index 9e98d6168e72..8eaf09bb0f01 100644 --- a/sdk/python/pulumi_azure_native/resources/template_spec.py +++ b/sdk/python/pulumi_azure_native/resources/template_spec.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["versions"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20190601preview:TemplateSpec"), pulumi.Alias(type_="azure-native:resources/v20210301preview:TemplateSpec"), pulumi.Alias(type_="azure-native:resources/v20210501:TemplateSpec"), pulumi.Alias(type_="azure-native:resources/v20220201:TemplateSpec")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20220201:TemplateSpec"), pulumi.Alias(type_="azure-native_resources_v20190601preview:resources:TemplateSpec"), pulumi.Alias(type_="azure-native_resources_v20210301preview:resources:TemplateSpec"), pulumi.Alias(type_="azure-native_resources_v20210501:resources:TemplateSpec"), pulumi.Alias(type_="azure-native_resources_v20220201:resources:TemplateSpec")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TemplateSpec, __self__).__init__( 'azure-native:resources:TemplateSpec', diff --git a/sdk/python/pulumi_azure_native/resources/template_spec_version.py b/sdk/python/pulumi_azure_native/resources/template_spec_version.py index 3f889f457ca1..3d5ba9980743 100644 --- a/sdk/python/pulumi_azure_native/resources/template_spec_version.py +++ b/sdk/python/pulumi_azure_native/resources/template_spec_version.py @@ -285,7 +285,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20190601preview:TemplateSpecVersion"), pulumi.Alias(type_="azure-native:resources/v20210301preview:TemplateSpecVersion"), pulumi.Alias(type_="azure-native:resources/v20210501:TemplateSpecVersion"), pulumi.Alias(type_="azure-native:resources/v20220201:TemplateSpecVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:resources/v20190601preview:TemplateSpecVersion"), pulumi.Alias(type_="azure-native:resources/v20220201:TemplateSpecVersion"), pulumi.Alias(type_="azure-native_resources_v20190601preview:resources:TemplateSpecVersion"), pulumi.Alias(type_="azure-native_resources_v20210301preview:resources:TemplateSpecVersion"), pulumi.Alias(type_="azure-native_resources_v20210501:resources:TemplateSpecVersion"), pulumi.Alias(type_="azure-native_resources_v20220201:resources:TemplateSpecVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TemplateSpecVersion, __self__).__init__( 'azure-native:resources:TemplateSpecVersion', diff --git a/sdk/python/pulumi_azure_native/saas/saas_subscription_level.py b/sdk/python/pulumi_azure_native/saas/saas_subscription_level.py index 1306dd8181c9..d3f63018e04e 100644 --- a/sdk/python/pulumi_azure_native/saas/saas_subscription_level.py +++ b/sdk/python/pulumi_azure_native/saas/saas_subscription_level.py @@ -199,7 +199,7 @@ def _internal_init(__self__, __props__.__dict__["tags"] = tags __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:saas/v20180301beta:SaasSubscriptionLevel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:saas/v20180301beta:SaasSubscriptionLevel"), pulumi.Alias(type_="azure-native_saas_v20180301beta:saas:SaasSubscriptionLevel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SaasSubscriptionLevel, __self__).__init__( 'azure-native:saas:SaasSubscriptionLevel', diff --git a/sdk/python/pulumi_azure_native/scheduler/job.py b/sdk/python/pulumi_azure_native/scheduler/job.py index eb2ffa66d8d5..dcec293314fb 100644 --- a/sdk/python/pulumi_azure_native/scheduler/job.py +++ b/sdk/python/pulumi_azure_native/scheduler/job.py @@ -157,7 +157,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scheduler/v20140801preview:Job"), pulumi.Alias(type_="azure-native:scheduler/v20160101:Job"), pulumi.Alias(type_="azure-native:scheduler/v20160301:Job")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scheduler/v20160301:Job"), pulumi.Alias(type_="azure-native_scheduler_v20140801preview:scheduler:Job"), pulumi.Alias(type_="azure-native_scheduler_v20160101:scheduler:Job"), pulumi.Alias(type_="azure-native_scheduler_v20160301:scheduler:Job")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Job, __self__).__init__( 'azure-native:scheduler:Job', diff --git a/sdk/python/pulumi_azure_native/scheduler/job_collection.py b/sdk/python/pulumi_azure_native/scheduler/job_collection.py index b4f35f58ee8b..bfd3e4f46455 100644 --- a/sdk/python/pulumi_azure_native/scheduler/job_collection.py +++ b/sdk/python/pulumi_azure_native/scheduler/job_collection.py @@ -195,7 +195,7 @@ def _internal_init(__self__, __props__.__dict__["tags"] = tags __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scheduler/v20140801preview:JobCollection"), pulumi.Alias(type_="azure-native:scheduler/v20160101:JobCollection"), pulumi.Alias(type_="azure-native:scheduler/v20160301:JobCollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scheduler/v20160301:JobCollection"), pulumi.Alias(type_="azure-native_scheduler_v20140801preview:scheduler:JobCollection"), pulumi.Alias(type_="azure-native_scheduler_v20160101:scheduler:JobCollection"), pulumi.Alias(type_="azure-native_scheduler_v20160301:scheduler:JobCollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JobCollection, __self__).__init__( 'azure-native:scheduler:JobCollection', diff --git a/sdk/python/pulumi_azure_native/scom/instance.py b/sdk/python/pulumi_azure_native/scom/instance.py index d556d80e3626..84977f0c5ff1 100644 --- a/sdk/python/pulumi_azure_native/scom/instance.py +++ b/sdk/python/pulumi_azure_native/scom/instance.py @@ -221,7 +221,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scom/v20230707preview:Instance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scom/v20230707preview:Instance"), pulumi.Alias(type_="azure-native_scom_v20230707preview:scom:Instance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Instance, __self__).__init__( 'azure-native:scom:Instance', diff --git a/sdk/python/pulumi_azure_native/scom/managed_gateway.py b/sdk/python/pulumi_azure_native/scom/managed_gateway.py index b3f1f7cddf00..bbd4edb24e49 100644 --- a/sdk/python/pulumi_azure_native/scom/managed_gateway.py +++ b/sdk/python/pulumi_azure_native/scom/managed_gateway.py @@ -141,7 +141,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scom/v20230707preview:ManagedGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scom/v20230707preview:ManagedGateway"), pulumi.Alias(type_="azure-native_scom_v20230707preview:scom:ManagedGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedGateway, __self__).__init__( 'azure-native:scom:ManagedGateway', diff --git a/sdk/python/pulumi_azure_native/scom/monitored_resource.py b/sdk/python/pulumi_azure_native/scom/monitored_resource.py index e13dddf9150a..ad0cdf06dd5e 100644 --- a/sdk/python/pulumi_azure_native/scom/monitored_resource.py +++ b/sdk/python/pulumi_azure_native/scom/monitored_resource.py @@ -141,7 +141,7 @@ def _internal_init(__self__, __props__.__dict__["properties"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scom/v20230707preview:MonitoredResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scom/v20230707preview:MonitoredResource"), pulumi.Alias(type_="azure-native_scom_v20230707preview:scom:MonitoredResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MonitoredResource, __self__).__init__( 'azure-native:scom:MonitoredResource', diff --git a/sdk/python/pulumi_azure_native/scvmm/availability_set.py b/sdk/python/pulumi_azure_native/scvmm/availability_set.py index 7cc7c9dafe16..672251c6e92a 100644 --- a/sdk/python/pulumi_azure_native/scvmm/availability_set.py +++ b/sdk/python/pulumi_azure_native/scvmm/availability_set.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20200605preview:AvailabilitySet"), pulumi.Alias(type_="azure-native:scvmm/v20220521preview:AvailabilitySet"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:AvailabilitySet"), pulumi.Alias(type_="azure-native:scvmm/v20231007:AvailabilitySet"), pulumi.Alias(type_="azure-native:scvmm/v20240601:AvailabilitySet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:AvailabilitySet"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:AvailabilitySet"), pulumi.Alias(type_="azure-native:scvmm/v20231007:AvailabilitySet"), pulumi.Alias(type_="azure-native:scvmm/v20240601:AvailabilitySet"), pulumi.Alias(type_="azure-native_scvmm_v20200605preview:scvmm:AvailabilitySet"), pulumi.Alias(type_="azure-native_scvmm_v20220521preview:scvmm:AvailabilitySet"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:AvailabilitySet"), pulumi.Alias(type_="azure-native_scvmm_v20231007:scvmm:AvailabilitySet"), pulumi.Alias(type_="azure-native_scvmm_v20240601:scvmm:AvailabilitySet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AvailabilitySet, __self__).__init__( 'azure-native:scvmm:AvailabilitySet', diff --git a/sdk/python/pulumi_azure_native/scvmm/cloud.py b/sdk/python/pulumi_azure_native/scvmm/cloud.py index 63ff0b5a0061..51335f802f65 100644 --- a/sdk/python/pulumi_azure_native/scvmm/cloud.py +++ b/sdk/python/pulumi_azure_native/scvmm/cloud.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["storage_qo_s_policies"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20200605preview:Cloud"), pulumi.Alias(type_="azure-native:scvmm/v20220521preview:Cloud"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:Cloud"), pulumi.Alias(type_="azure-native:scvmm/v20231007:Cloud"), pulumi.Alias(type_="azure-native:scvmm/v20240601:Cloud")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:Cloud"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:Cloud"), pulumi.Alias(type_="azure-native:scvmm/v20231007:Cloud"), pulumi.Alias(type_="azure-native:scvmm/v20240601:Cloud"), pulumi.Alias(type_="azure-native_scvmm_v20200605preview:scvmm:Cloud"), pulumi.Alias(type_="azure-native_scvmm_v20220521preview:scvmm:Cloud"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:Cloud"), pulumi.Alias(type_="azure-native_scvmm_v20231007:scvmm:Cloud"), pulumi.Alias(type_="azure-native_scvmm_v20240601:scvmm:Cloud")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cloud, __self__).__init__( 'azure-native:scvmm:Cloud', diff --git a/sdk/python/pulumi_azure_native/scvmm/guest_agent.py b/sdk/python/pulumi_azure_native/scvmm/guest_agent.py index 7f788da4e1a9..2139f8d52c97 100644 --- a/sdk/python/pulumi_azure_native/scvmm/guest_agent.py +++ b/sdk/python/pulumi_azure_native/scvmm/guest_agent.py @@ -210,7 +210,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:GuestAgent"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:GuestAgent"), pulumi.Alias(type_="azure-native:scvmm/v20231007:GuestAgent"), pulumi.Alias(type_="azure-native:scvmm/v20240601:GuestAgent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:GuestAgent"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:GuestAgent"), pulumi.Alias(type_="azure-native_scvmm_v20220521preview:scvmm:GuestAgent"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:GuestAgent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GuestAgent, __self__).__init__( 'azure-native:scvmm:GuestAgent', diff --git a/sdk/python/pulumi_azure_native/scvmm/hybrid_identity_metadata.py b/sdk/python/pulumi_azure_native/scvmm/hybrid_identity_metadata.py index 545783dbc62f..0c0cc8b38a3b 100644 --- a/sdk/python/pulumi_azure_native/scvmm/hybrid_identity_metadata.py +++ b/sdk/python/pulumi_azure_native/scvmm/hybrid_identity_metadata.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:HybridIdentityMetadata"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:HybridIdentityMetadata")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:HybridIdentityMetadata"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:HybridIdentityMetadata"), pulumi.Alias(type_="azure-native_scvmm_v20220521preview:scvmm:HybridIdentityMetadata"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:HybridIdentityMetadata")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HybridIdentityMetadata, __self__).__init__( 'azure-native:scvmm:HybridIdentityMetadata', diff --git a/sdk/python/pulumi_azure_native/scvmm/inventory_item.py b/sdk/python/pulumi_azure_native/scvmm/inventory_item.py index dd8fe06abbde..06ea7da4e329 100644 --- a/sdk/python/pulumi_azure_native/scvmm/inventory_item.py +++ b/sdk/python/pulumi_azure_native/scvmm/inventory_item.py @@ -189,7 +189,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20200605preview:InventoryItem"), pulumi.Alias(type_="azure-native:scvmm/v20220521preview:InventoryItem"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:InventoryItem"), pulumi.Alias(type_="azure-native:scvmm/v20231007:InventoryItem"), pulumi.Alias(type_="azure-native:scvmm/v20240601:InventoryItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:InventoryItem"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:InventoryItem"), pulumi.Alias(type_="azure-native:scvmm/v20231007:InventoryItem"), pulumi.Alias(type_="azure-native:scvmm/v20240601:InventoryItem"), pulumi.Alias(type_="azure-native_scvmm_v20200605preview:scvmm:InventoryItem"), pulumi.Alias(type_="azure-native_scvmm_v20220521preview:scvmm:InventoryItem"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:InventoryItem"), pulumi.Alias(type_="azure-native_scvmm_v20231007:scvmm:InventoryItem"), pulumi.Alias(type_="azure-native_scvmm_v20240601:scvmm:InventoryItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InventoryItem, __self__).__init__( 'azure-native:scvmm:InventoryItem', diff --git a/sdk/python/pulumi_azure_native/scvmm/machine_extension.py b/sdk/python/pulumi_azure_native/scvmm/machine_extension.py index 8a0692b27972..16d160b3f93d 100644 --- a/sdk/python/pulumi_azure_native/scvmm/machine_extension.py +++ b/sdk/python/pulumi_azure_native/scvmm/machine_extension.py @@ -345,7 +345,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:MachineExtension"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:MachineExtension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:MachineExtension"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:MachineExtension"), pulumi.Alias(type_="azure-native_scvmm_v20220521preview:scvmm:MachineExtension"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:MachineExtension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MachineExtension, __self__).__init__( 'azure-native:scvmm:MachineExtension', diff --git a/sdk/python/pulumi_azure_native/scvmm/virtual_machine.py b/sdk/python/pulumi_azure_native/scvmm/virtual_machine.py index 91ae16d3e8ff..ec64251cac89 100644 --- a/sdk/python/pulumi_azure_native/scvmm/virtual_machine.py +++ b/sdk/python/pulumi_azure_native/scvmm/virtual_machine.py @@ -509,7 +509,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20200605preview:VirtualMachine"), pulumi.Alias(type_="azure-native:scvmm/v20220521preview:VirtualMachine"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VirtualMachine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:VirtualMachine"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VirtualMachine"), pulumi.Alias(type_="azure-native_scvmm_v20200605preview:scvmm:VirtualMachine"), pulumi.Alias(type_="azure-native_scvmm_v20220521preview:scvmm:VirtualMachine"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:VirtualMachine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachine, __self__).__init__( 'azure-native:scvmm:VirtualMachine', diff --git a/sdk/python/pulumi_azure_native/scvmm/virtual_machine_instance.py b/sdk/python/pulumi_azure_native/scvmm/virtual_machine_instance.py index 014aafae9a0e..69f71d2cfa9e 100644 --- a/sdk/python/pulumi_azure_native/scvmm/virtual_machine_instance.py +++ b/sdk/python/pulumi_azure_native/scvmm/virtual_machine_instance.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:scvmm/v20231007:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:scvmm/v20240601:VirtualMachineInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:scvmm/v20231007:VirtualMachineInstance"), pulumi.Alias(type_="azure-native:scvmm/v20240601:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_scvmm_v20231007:scvmm:VirtualMachineInstance"), pulumi.Alias(type_="azure-native_scvmm_v20240601:scvmm:VirtualMachineInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineInstance, __self__).__init__( 'azure-native:scvmm:VirtualMachineInstance', diff --git a/sdk/python/pulumi_azure_native/scvmm/virtual_machine_template.py b/sdk/python/pulumi_azure_native/scvmm/virtual_machine_template.py index 8ce9490fd067..7fee6bf00752 100644 --- a/sdk/python/pulumi_azure_native/scvmm/virtual_machine_template.py +++ b/sdk/python/pulumi_azure_native/scvmm/virtual_machine_template.py @@ -260,7 +260,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20200605preview:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:scvmm/v20220521preview:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:scvmm/v20231007:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:scvmm/v20240601:VirtualMachineTemplate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:scvmm/v20231007:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native:scvmm/v20240601:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native_scvmm_v20200605preview:scvmm:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native_scvmm_v20220521preview:scvmm:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native_scvmm_v20231007:scvmm:VirtualMachineTemplate"), pulumi.Alias(type_="azure-native_scvmm_v20240601:scvmm:VirtualMachineTemplate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineTemplate, __self__).__init__( 'azure-native:scvmm:VirtualMachineTemplate', diff --git a/sdk/python/pulumi_azure_native/scvmm/virtual_network.py b/sdk/python/pulumi_azure_native/scvmm/virtual_network.py index 31d31878b2dd..8c1dc1781a7b 100644 --- a/sdk/python/pulumi_azure_native/scvmm/virtual_network.py +++ b/sdk/python/pulumi_azure_native/scvmm/virtual_network.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20200605preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:scvmm/v20220521preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:scvmm/v20231007:VirtualNetwork"), pulumi.Alias(type_="azure-native:scvmm/v20240601:VirtualNetwork")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VirtualNetwork"), pulumi.Alias(type_="azure-native:scvmm/v20231007:VirtualNetwork"), pulumi.Alias(type_="azure-native:scvmm/v20240601:VirtualNetwork"), pulumi.Alias(type_="azure-native_scvmm_v20200605preview:scvmm:VirtualNetwork"), pulumi.Alias(type_="azure-native_scvmm_v20220521preview:scvmm:VirtualNetwork"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:VirtualNetwork"), pulumi.Alias(type_="azure-native_scvmm_v20231007:scvmm:VirtualNetwork"), pulumi.Alias(type_="azure-native_scvmm_v20240601:scvmm:VirtualNetwork")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetwork, __self__).__init__( 'azure-native:scvmm:VirtualNetwork', diff --git a/sdk/python/pulumi_azure_native/scvmm/vm_instance_guest_agent.py b/sdk/python/pulumi_azure_native/scvmm/vm_instance_guest_agent.py index 6c05b75de033..cdb696c7e052 100644 --- a/sdk/python/pulumi_azure_native/scvmm/vm_instance_guest_agent.py +++ b/sdk/python/pulumi_azure_native/scvmm/vm_instance_guest_agent.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native:scvmm/v20231007:GuestAgent"), pulumi.Alias(type_="azure-native:scvmm/v20231007:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native:scvmm/v20240601:GuestAgent"), pulumi.Alias(type_="azure-native:scvmm/v20240601:VMInstanceGuestAgent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native:scvmm/v20231007:GuestAgent"), pulumi.Alias(type_="azure-native:scvmm/v20240601:GuestAgent"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native_scvmm_v20231007:scvmm:VMInstanceGuestAgent"), pulumi.Alias(type_="azure-native_scvmm_v20240601:scvmm:VMInstanceGuestAgent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VMInstanceGuestAgent, __self__).__init__( 'azure-native:scvmm:VMInstanceGuestAgent', diff --git a/sdk/python/pulumi_azure_native/scvmm/vmm_server.py b/sdk/python/pulumi_azure_native/scvmm/vmm_server.py index cf73c9ace0be..0e971456e9cf 100644 --- a/sdk/python/pulumi_azure_native/scvmm/vmm_server.py +++ b/sdk/python/pulumi_azure_native/scvmm/vmm_server.py @@ -251,7 +251,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["uuid"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20200605preview:VmmServer"), pulumi.Alias(type_="azure-native:scvmm/v20220521preview:VmmServer"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VmmServer"), pulumi.Alias(type_="azure-native:scvmm/v20231007:VmmServer"), pulumi.Alias(type_="azure-native:scvmm/v20240601:VmmServer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:scvmm/v20220521preview:VmmServer"), pulumi.Alias(type_="azure-native:scvmm/v20230401preview:VmmServer"), pulumi.Alias(type_="azure-native:scvmm/v20231007:VmmServer"), pulumi.Alias(type_="azure-native:scvmm/v20240601:VmmServer"), pulumi.Alias(type_="azure-native_scvmm_v20200605preview:scvmm:VmmServer"), pulumi.Alias(type_="azure-native_scvmm_v20220521preview:scvmm:VmmServer"), pulumi.Alias(type_="azure-native_scvmm_v20230401preview:scvmm:VmmServer"), pulumi.Alias(type_="azure-native_scvmm_v20231007:scvmm:VmmServer"), pulumi.Alias(type_="azure-native_scvmm_v20240601:scvmm:VmmServer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VmmServer, __self__).__init__( 'azure-native:scvmm:VmmServer', diff --git a/sdk/python/pulumi_azure_native/search/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/search/private_endpoint_connection.py index 93c0d28f1a98..a0664897c6e5 100644 --- a/sdk/python/pulumi_azure_native/search/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/search/private_endpoint_connection.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:search/v20191001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20200313:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20200801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20200801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20210401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20220901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20231101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20240301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20250201preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:search/v20220901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20231101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20240301preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:search/v20250201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_search_v20191001preview:search:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_search_v20200313:search:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_search_v20200801:search:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_search_v20200801preview:search:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_search_v20210401preview:search:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_search_v20220901:search:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_search_v20231101:search:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_search_v20240301preview:search:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_search_v20240601preview:search:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_search_v20250201preview:search:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:search:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/search/service.py b/sdk/python/pulumi_azure_native/search/service.py index 2248c853a831..a11f502588aa 100644 --- a/sdk/python/pulumi_azure_native/search/service.py +++ b/sdk/python/pulumi_azure_native/search/service.py @@ -405,7 +405,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["status_details"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:search/v20150819:Service"), pulumi.Alias(type_="azure-native:search/v20191001preview:Service"), pulumi.Alias(type_="azure-native:search/v20200313:Service"), pulumi.Alias(type_="azure-native:search/v20200801:Service"), pulumi.Alias(type_="azure-native:search/v20200801preview:Service"), pulumi.Alias(type_="azure-native:search/v20210401preview:Service"), pulumi.Alias(type_="azure-native:search/v20220901:Service"), pulumi.Alias(type_="azure-native:search/v20231101:Service"), pulumi.Alias(type_="azure-native:search/v20240301preview:Service"), pulumi.Alias(type_="azure-native:search/v20240601preview:Service"), pulumi.Alias(type_="azure-native:search/v20250201preview:Service")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:search/v20210401preview:Service"), pulumi.Alias(type_="azure-native:search/v20220901:Service"), pulumi.Alias(type_="azure-native:search/v20231101:Service"), pulumi.Alias(type_="azure-native:search/v20240301preview:Service"), pulumi.Alias(type_="azure-native:search/v20240601preview:Service"), pulumi.Alias(type_="azure-native:search/v20250201preview:Service"), pulumi.Alias(type_="azure-native_search_v20150819:search:Service"), pulumi.Alias(type_="azure-native_search_v20191001preview:search:Service"), pulumi.Alias(type_="azure-native_search_v20200313:search:Service"), pulumi.Alias(type_="azure-native_search_v20200801:search:Service"), pulumi.Alias(type_="azure-native_search_v20200801preview:search:Service"), pulumi.Alias(type_="azure-native_search_v20210401preview:search:Service"), pulumi.Alias(type_="azure-native_search_v20220901:search:Service"), pulumi.Alias(type_="azure-native_search_v20231101:search:Service"), pulumi.Alias(type_="azure-native_search_v20240301preview:search:Service"), pulumi.Alias(type_="azure-native_search_v20240601preview:search:Service"), pulumi.Alias(type_="azure-native_search_v20250201preview:search:Service")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Service, __self__).__init__( 'azure-native:search:Service', diff --git a/sdk/python/pulumi_azure_native/search/shared_private_link_resource.py b/sdk/python/pulumi_azure_native/search/shared_private_link_resource.py index 97b9eae0f782..c63384631811 100644 --- a/sdk/python/pulumi_azure_native/search/shared_private_link_resource.py +++ b/sdk/python/pulumi_azure_native/search/shared_private_link_resource.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:search/v20200801:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:search/v20200801preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:search/v20210401preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:search/v20220901:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:search/v20231101:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:search/v20240301preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:search/v20240601preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:search/v20250201preview:SharedPrivateLinkResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:search/v20220901:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:search/v20231101:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:search/v20240301preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:search/v20240601preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:search/v20250201preview:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_search_v20200801:search:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_search_v20200801preview:search:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_search_v20210401preview:search:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_search_v20220901:search:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_search_v20231101:search:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_search_v20240301preview:search:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_search_v20240601preview:search:SharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_search_v20250201preview:search:SharedPrivateLinkResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SharedPrivateLinkResource, __self__).__init__( 'azure-native:search:SharedPrivateLinkResource', diff --git a/sdk/python/pulumi_azure_native/secretsynccontroller/azure_key_vault_secret_provider_class.py b/sdk/python/pulumi_azure_native/secretsynccontroller/azure_key_vault_secret_provider_class.py index 81ffbd1a0f48..e7765da25c96 100644 --- a/sdk/python/pulumi_azure_native/secretsynccontroller/azure_key_vault_secret_provider_class.py +++ b/sdk/python/pulumi_azure_native/secretsynccontroller/azure_key_vault_secret_provider_class.py @@ -265,7 +265,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:secretsynccontroller/v20240821preview:AzureKeyVaultSecretProviderClass")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:secretsynccontroller/v20240821preview:AzureKeyVaultSecretProviderClass"), pulumi.Alias(type_="azure-native_secretsynccontroller_v20240821preview:secretsynccontroller:AzureKeyVaultSecretProviderClass")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzureKeyVaultSecretProviderClass, __self__).__init__( 'azure-native:secretsynccontroller:AzureKeyVaultSecretProviderClass', diff --git a/sdk/python/pulumi_azure_native/secretsynccontroller/secret_sync.py b/sdk/python/pulumi_azure_native/secretsynccontroller/secret_sync.py index 5f5ef1f3d789..c425a8e7e615 100644 --- a/sdk/python/pulumi_azure_native/secretsynccontroller/secret_sync.py +++ b/sdk/python/pulumi_azure_native/secretsynccontroller/secret_sync.py @@ -287,7 +287,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:secretsynccontroller/v20240821preview:SecretSync")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:secretsynccontroller/v20240821preview:SecretSync"), pulumi.Alias(type_="azure-native_secretsynccontroller_v20240821preview:secretsynccontroller:SecretSync")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecretSync, __self__).__init__( 'azure-native:secretsynccontroller:SecretSync', diff --git a/sdk/python/pulumi_azure_native/security/advanced_threat_protection.py b/sdk/python/pulumi_azure_native/security/advanced_threat_protection.py index a7489d000832..db5c94093e4b 100644 --- a/sdk/python/pulumi_azure_native/security/advanced_threat_protection.py +++ b/sdk/python/pulumi_azure_native/security/advanced_threat_protection.py @@ -141,7 +141,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20170801preview:AdvancedThreatProtection"), pulumi.Alias(type_="azure-native:security/v20190101:AdvancedThreatProtection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20190101:AdvancedThreatProtection"), pulumi.Alias(type_="azure-native_security_v20170801preview:security:AdvancedThreatProtection"), pulumi.Alias(type_="azure-native_security_v20190101:security:AdvancedThreatProtection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AdvancedThreatProtection, __self__).__init__( 'azure-native:security:AdvancedThreatProtection', diff --git a/sdk/python/pulumi_azure_native/security/alerts_suppression_rule.py b/sdk/python/pulumi_azure_native/security/alerts_suppression_rule.py index 96b2015347f5..6d7f9d84ee22 100644 --- a/sdk/python/pulumi_azure_native/security/alerts_suppression_rule.py +++ b/sdk/python/pulumi_azure_native/security/alerts_suppression_rule.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["last_modified_utc"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20190101preview:AlertsSuppressionRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20190101preview:AlertsSuppressionRule"), pulumi.Alias(type_="azure-native_security_v20190101preview:security:AlertsSuppressionRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AlertsSuppressionRule, __self__).__init__( 'azure-native:security:AlertsSuppressionRule', diff --git a/sdk/python/pulumi_azure_native/security/api_collection.py b/sdk/python/pulumi_azure_native/security/api_collection.py index aab0db05e04d..f64eacbf58e0 100644 --- a/sdk/python/pulumi_azure_native/security/api_collection.py +++ b/sdk/python/pulumi_azure_native/security/api_collection.py @@ -140,7 +140,7 @@ def _internal_init(__self__, __props__.__dict__["display_name"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20221120preview:APICollection"), pulumi.Alias(type_="azure-native:security/v20231115:APICollection"), pulumi.Alias(type_="azure-native:security/v20231115:APICollectionByAzureApiManagementService"), pulumi.Alias(type_="azure-native:security:APICollectionByAzureApiManagementService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20221120preview:APICollection"), pulumi.Alias(type_="azure-native:security/v20231115:APICollectionByAzureApiManagementService"), pulumi.Alias(type_="azure-native:security:APICollectionByAzureApiManagementService"), pulumi.Alias(type_="azure-native_security_v20221120preview:security:APICollection"), pulumi.Alias(type_="azure-native_security_v20231115:security:APICollection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(APICollection, __self__).__init__( 'azure-native:security:APICollection', diff --git a/sdk/python/pulumi_azure_native/security/api_collection_by_azure_api_management_service.py b/sdk/python/pulumi_azure_native/security/api_collection_by_azure_api_management_service.py index c18aaffbd43c..f33022e3acca 100644 --- a/sdk/python/pulumi_azure_native/security/api_collection_by_azure_api_management_service.py +++ b/sdk/python/pulumi_azure_native/security/api_collection_by_azure_api_management_service.py @@ -148,7 +148,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["sensitivity_label"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20221120preview:APICollection"), pulumi.Alias(type_="azure-native:security/v20221120preview:APICollectionByAzureApiManagementService"), pulumi.Alias(type_="azure-native:security/v20231115:APICollectionByAzureApiManagementService"), pulumi.Alias(type_="azure-native:security:APICollection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20221120preview:APICollection"), pulumi.Alias(type_="azure-native:security/v20231115:APICollectionByAzureApiManagementService"), pulumi.Alias(type_="azure-native:security:APICollection"), pulumi.Alias(type_="azure-native_security_v20221120preview:security:APICollectionByAzureApiManagementService"), pulumi.Alias(type_="azure-native_security_v20231115:security:APICollectionByAzureApiManagementService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(APICollectionByAzureApiManagementService, __self__).__init__( 'azure-native:security:APICollectionByAzureApiManagementService', diff --git a/sdk/python/pulumi_azure_native/security/application.py b/sdk/python/pulumi_azure_native/security/application.py index cfbe4bc69a88..926d7e922396 100644 --- a/sdk/python/pulumi_azure_native/security/application.py +++ b/sdk/python/pulumi_azure_native/security/application.py @@ -158,7 +158,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20220701preview:Application")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20220701preview:Application"), pulumi.Alias(type_="azure-native_security_v20220701preview:security:Application")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Application, __self__).__init__( 'azure-native:security:Application', diff --git a/sdk/python/pulumi_azure_native/security/assessment.py b/sdk/python/pulumi_azure_native/security/assessment.py index 84518b827cc0..7f3b1440b621 100644 --- a/sdk/python/pulumi_azure_native/security/assessment.py +++ b/sdk/python/pulumi_azure_native/security/assessment.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["links"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20190101preview:Assessment"), pulumi.Alias(type_="azure-native:security/v20200101:Assessment"), pulumi.Alias(type_="azure-native:security/v20210601:Assessment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20200101:Assessment"), pulumi.Alias(type_="azure-native:security/v20210601:Assessment"), pulumi.Alias(type_="azure-native_security_v20190101preview:security:Assessment"), pulumi.Alias(type_="azure-native_security_v20200101:security:Assessment"), pulumi.Alias(type_="azure-native_security_v20210601:security:Assessment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Assessment, __self__).__init__( 'azure-native:security:Assessment', diff --git a/sdk/python/pulumi_azure_native/security/assessment_metadata_in_subscription.py b/sdk/python/pulumi_azure_native/security/assessment_metadata_in_subscription.py index 9a2d227b2560..f828999b8e0a 100644 --- a/sdk/python/pulumi_azure_native/security/assessment_metadata_in_subscription.py +++ b/sdk/python/pulumi_azure_native/security/assessment_metadata_in_subscription.py @@ -377,7 +377,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["policy_definition_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20190101preview:AssessmentMetadataInSubscription"), pulumi.Alias(type_="azure-native:security/v20190101preview:AssessmentsMetadataSubscription"), pulumi.Alias(type_="azure-native:security/v20200101:AssessmentMetadataInSubscription"), pulumi.Alias(type_="azure-native:security/v20210601:AssessmentMetadataInSubscription"), pulumi.Alias(type_="azure-native:security:AssessmentsMetadataSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20190101preview:AssessmentsMetadataSubscription"), pulumi.Alias(type_="azure-native:security/v20210601:AssessmentMetadataInSubscription"), pulumi.Alias(type_="azure-native:security:AssessmentsMetadataSubscription"), pulumi.Alias(type_="azure-native_security_v20190101preview:security:AssessmentMetadataInSubscription"), pulumi.Alias(type_="azure-native_security_v20200101:security:AssessmentMetadataInSubscription"), pulumi.Alias(type_="azure-native_security_v20210601:security:AssessmentMetadataInSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AssessmentMetadataInSubscription, __self__).__init__( 'azure-native:security:AssessmentMetadataInSubscription', diff --git a/sdk/python/pulumi_azure_native/security/assessments_metadata_subscription.py b/sdk/python/pulumi_azure_native/security/assessments_metadata_subscription.py index 722fbbd53e22..0010cf777bd6 100644 --- a/sdk/python/pulumi_azure_native/security/assessments_metadata_subscription.py +++ b/sdk/python/pulumi_azure_native/security/assessments_metadata_subscription.py @@ -291,7 +291,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["policy_definition_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20190101preview:AssessmentsMetadataSubscription"), pulumi.Alias(type_="azure-native:security/v20200101:AssessmentsMetadataSubscription"), pulumi.Alias(type_="azure-native:security/v20210601:AssessmentMetadataInSubscription"), pulumi.Alias(type_="azure-native:security/v20210601:AssessmentsMetadataSubscription"), pulumi.Alias(type_="azure-native:security:AssessmentMetadataInSubscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20190101preview:AssessmentsMetadataSubscription"), pulumi.Alias(type_="azure-native:security/v20210601:AssessmentMetadataInSubscription"), pulumi.Alias(type_="azure-native:security:AssessmentMetadataInSubscription"), pulumi.Alias(type_="azure-native_security_v20190101preview:security:AssessmentsMetadataSubscription"), pulumi.Alias(type_="azure-native_security_v20200101:security:AssessmentsMetadataSubscription"), pulumi.Alias(type_="azure-native_security_v20210601:security:AssessmentsMetadataSubscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AssessmentsMetadataSubscription, __self__).__init__( 'azure-native:security:AssessmentsMetadataSubscription', diff --git a/sdk/python/pulumi_azure_native/security/assignment.py b/sdk/python/pulumi_azure_native/security/assignment.py index 9f5ed2c8d414..469a4af12a7c 100644 --- a/sdk/python/pulumi_azure_native/security/assignment.py +++ b/sdk/python/pulumi_azure_native/security/assignment.py @@ -361,7 +361,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20210801preview:Assignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20210801preview:Assignment"), pulumi.Alias(type_="azure-native_security_v20210801preview:security:Assignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Assignment, __self__).__init__( 'azure-native:security:Assignment', diff --git a/sdk/python/pulumi_azure_native/security/automation.py b/sdk/python/pulumi_azure_native/security/automation.py index a30c1426bb0e..8076915741c8 100644 --- a/sdk/python/pulumi_azure_native/security/automation.py +++ b/sdk/python/pulumi_azure_native/security/automation.py @@ -285,7 +285,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20190101preview:Automation"), pulumi.Alias(type_="azure-native:security/v20231201preview:Automation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20190101preview:Automation"), pulumi.Alias(type_="azure-native:security/v20231201preview:Automation"), pulumi.Alias(type_="azure-native_security_v20190101preview:security:Automation"), pulumi.Alias(type_="azure-native_security_v20231201preview:security:Automation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Automation, __self__).__init__( 'azure-native:security:Automation', diff --git a/sdk/python/pulumi_azure_native/security/azure_servers_setting.py b/sdk/python/pulumi_azure_native/security/azure_servers_setting.py index 2c78ddb1b09b..679e630b705b 100644 --- a/sdk/python/pulumi_azure_native/security/azure_servers_setting.py +++ b/sdk/python/pulumi_azure_native/security/azure_servers_setting.py @@ -144,7 +144,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20230501:AzureServersSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20230501:AzureServersSetting"), pulumi.Alias(type_="azure-native_security_v20230501:security:AzureServersSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AzureServersSetting, __self__).__init__( 'azure-native:security:AzureServersSetting', diff --git a/sdk/python/pulumi_azure_native/security/connector.py b/sdk/python/pulumi_azure_native/security/connector.py index 3b8b26e96ae6..781cc471d239 100644 --- a/sdk/python/pulumi_azure_native/security/connector.py +++ b/sdk/python/pulumi_azure_native/security/connector.py @@ -139,7 +139,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20200101preview:Connector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20200101preview:Connector"), pulumi.Alias(type_="azure-native_security_v20200101preview:security:Connector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Connector, __self__).__init__( 'azure-native:security:Connector', diff --git a/sdk/python/pulumi_azure_native/security/custom_assessment_automation.py b/sdk/python/pulumi_azure_native/security/custom_assessment_automation.py index 6409ae51ca26..548ceee0cdcb 100644 --- a/sdk/python/pulumi_azure_native/security/custom_assessment_automation.py +++ b/sdk/python/pulumi_azure_native/security/custom_assessment_automation.py @@ -241,7 +241,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20210701preview:CustomAssessmentAutomation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20210701preview:CustomAssessmentAutomation"), pulumi.Alias(type_="azure-native_security_v20210701preview:security:CustomAssessmentAutomation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomAssessmentAutomation, __self__).__init__( 'azure-native:security:CustomAssessmentAutomation', diff --git a/sdk/python/pulumi_azure_native/security/custom_entity_store_assignment.py b/sdk/python/pulumi_azure_native/security/custom_entity_store_assignment.py index 4a36400aa28d..01a85778f40a 100644 --- a/sdk/python/pulumi_azure_native/security/custom_entity_store_assignment.py +++ b/sdk/python/pulumi_azure_native/security/custom_entity_store_assignment.py @@ -140,7 +140,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20210701preview:CustomEntityStoreAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20210701preview:CustomEntityStoreAssignment"), pulumi.Alias(type_="azure-native_security_v20210701preview:security:CustomEntityStoreAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomEntityStoreAssignment, __self__).__init__( 'azure-native:security:CustomEntityStoreAssignment', diff --git a/sdk/python/pulumi_azure_native/security/custom_recommendation.py b/sdk/python/pulumi_azure_native/security/custom_recommendation.py index 55f7da3fbfc1..525e69347b42 100644 --- a/sdk/python/pulumi_azure_native/security/custom_recommendation.py +++ b/sdk/python/pulumi_azure_native/security/custom_recommendation.py @@ -261,7 +261,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20240801:CustomRecommendation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20240801:CustomRecommendation"), pulumi.Alias(type_="azure-native_security_v20240801:security:CustomRecommendation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomRecommendation, __self__).__init__( 'azure-native:security:CustomRecommendation', diff --git a/sdk/python/pulumi_azure_native/security/defender_for_storage.py b/sdk/python/pulumi_azure_native/security/defender_for_storage.py index 8984479e8ba8..146b168e058d 100644 --- a/sdk/python/pulumi_azure_native/security/defender_for_storage.py +++ b/sdk/python/pulumi_azure_native/security/defender_for_storage.py @@ -143,7 +143,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20221201preview:DefenderForStorage"), pulumi.Alias(type_="azure-native:security/v20241001preview:DefenderForStorage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20221201preview:DefenderForStorage"), pulumi.Alias(type_="azure-native:security/v20241001preview:DefenderForStorage"), pulumi.Alias(type_="azure-native_security_v20221201preview:security:DefenderForStorage"), pulumi.Alias(type_="azure-native_security_v20241001preview:security:DefenderForStorage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DefenderForStorage, __self__).__init__( 'azure-native:security:DefenderForStorage', diff --git a/sdk/python/pulumi_azure_native/security/dev_ops_configuration.py b/sdk/python/pulumi_azure_native/security/dev_ops_configuration.py index ccfb8712774f..f282d4cdfac2 100644 --- a/sdk/python/pulumi_azure_native/security/dev_ops_configuration.py +++ b/sdk/python/pulumi_azure_native/security/dev_ops_configuration.py @@ -146,7 +146,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20230901preview:DevOpsConfiguration"), pulumi.Alias(type_="azure-native:security/v20240401:DevOpsConfiguration"), pulumi.Alias(type_="azure-native:security/v20240515preview:DevOpsConfiguration"), pulumi.Alias(type_="azure-native:security/v20250301:DevOpsConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20230901preview:DevOpsConfiguration"), pulumi.Alias(type_="azure-native:security/v20240401:DevOpsConfiguration"), pulumi.Alias(type_="azure-native:security/v20240515preview:DevOpsConfiguration"), pulumi.Alias(type_="azure-native_security_v20230901preview:security:DevOpsConfiguration"), pulumi.Alias(type_="azure-native_security_v20240401:security:DevOpsConfiguration"), pulumi.Alias(type_="azure-native_security_v20240515preview:security:DevOpsConfiguration"), pulumi.Alias(type_="azure-native_security_v20250301:security:DevOpsConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DevOpsConfiguration, __self__).__init__( 'azure-native:security:DevOpsConfiguration', diff --git a/sdk/python/pulumi_azure_native/security/device_security_group.py b/sdk/python/pulumi_azure_native/security/device_security_group.py index 70db1c8796c0..b44c05be3e9f 100644 --- a/sdk/python/pulumi_azure_native/security/device_security_group.py +++ b/sdk/python/pulumi_azure_native/security/device_security_group.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20170801preview:DeviceSecurityGroup"), pulumi.Alias(type_="azure-native:security/v20190801:DeviceSecurityGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20190801:DeviceSecurityGroup"), pulumi.Alias(type_="azure-native_security_v20170801preview:security:DeviceSecurityGroup"), pulumi.Alias(type_="azure-native_security_v20190801:security:DeviceSecurityGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DeviceSecurityGroup, __self__).__init__( 'azure-native:security:DeviceSecurityGroup', diff --git a/sdk/python/pulumi_azure_native/security/governance_assignment.py b/sdk/python/pulumi_azure_native/security/governance_assignment.py index 62cd22a14a15..3ad434bb114d 100644 --- a/sdk/python/pulumi_azure_native/security/governance_assignment.py +++ b/sdk/python/pulumi_azure_native/security/governance_assignment.py @@ -261,7 +261,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20220101preview:GovernanceAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20220101preview:GovernanceAssignment"), pulumi.Alias(type_="azure-native_security_v20220101preview:security:GovernanceAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GovernanceAssignment, __self__).__init__( 'azure-native:security:GovernanceAssignment', diff --git a/sdk/python/pulumi_azure_native/security/governance_rule.py b/sdk/python/pulumi_azure_native/security/governance_rule.py index 8dc04c18edee..6a3c63a751ed 100644 --- a/sdk/python/pulumi_azure_native/security/governance_rule.py +++ b/sdk/python/pulumi_azure_native/security/governance_rule.py @@ -367,7 +367,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["tenant_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20220101preview:GovernanceRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20220101preview:GovernanceRule"), pulumi.Alias(type_="azure-native_security_v20220101preview:security:GovernanceRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GovernanceRule, __self__).__init__( 'azure-native:security:GovernanceRule', diff --git a/sdk/python/pulumi_azure_native/security/iot_security_solution.py b/sdk/python/pulumi_azure_native/security/iot_security_solution.py index 65fd42481261..198b8a15bf9a 100644 --- a/sdk/python/pulumi_azure_native/security/iot_security_solution.py +++ b/sdk/python/pulumi_azure_native/security/iot_security_solution.py @@ -376,7 +376,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20170801preview:IotSecuritySolution"), pulumi.Alias(type_="azure-native:security/v20190801:IotSecuritySolution")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20170801preview:IotSecuritySolution"), pulumi.Alias(type_="azure-native:security/v20190801:IotSecuritySolution"), pulumi.Alias(type_="azure-native_security_v20170801preview:security:IotSecuritySolution"), pulumi.Alias(type_="azure-native_security_v20190801:security:IotSecuritySolution")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IotSecuritySolution, __self__).__init__( 'azure-native:security:IotSecuritySolution', diff --git a/sdk/python/pulumi_azure_native/security/jit_network_access_policy.py b/sdk/python/pulumi_azure_native/security/jit_network_access_policy.py index 03f720efcf66..0930ad3ff01f 100644 --- a/sdk/python/pulumi_azure_native/security/jit_network_access_policy.py +++ b/sdk/python/pulumi_azure_native/security/jit_network_access_policy.py @@ -195,7 +195,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20150601preview:JitNetworkAccessPolicy"), pulumi.Alias(type_="azure-native:security/v20200101:JitNetworkAccessPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20200101:JitNetworkAccessPolicy"), pulumi.Alias(type_="azure-native_security_v20150601preview:security:JitNetworkAccessPolicy"), pulumi.Alias(type_="azure-native_security_v20200101:security:JitNetworkAccessPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JitNetworkAccessPolicy, __self__).__init__( 'azure-native:security:JitNetworkAccessPolicy', diff --git a/sdk/python/pulumi_azure_native/security/pricing.py b/sdk/python/pulumi_azure_native/security/pricing.py index 3384e8e2c997..e0cb21756038 100644 --- a/sdk/python/pulumi_azure_native/security/pricing.py +++ b/sdk/python/pulumi_azure_native/security/pricing.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["replaced_by"] = None __props__.__dict__["resources_coverage_status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20240101:Pricing")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20240101:Pricing"), pulumi.Alias(type_="azure-native_security_v20240101:security:Pricing")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Pricing, __self__).__init__( 'azure-native:security:Pricing', diff --git a/sdk/python/pulumi_azure_native/security/security_connector.py b/sdk/python/pulumi_azure_native/security/security_connector.py index fa369b26cbad..77948591de0f 100644 --- a/sdk/python/pulumi_azure_native/security/security_connector.py +++ b/sdk/python/pulumi_azure_native/security/security_connector.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20210701preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20211201preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20220501preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20220801preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20230301preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20231001preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20240301preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20240701preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20240801preview:SecurityConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20210701preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20230301preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20231001preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20240301preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20240701preview:SecurityConnector"), pulumi.Alias(type_="azure-native:security/v20240801preview:SecurityConnector"), pulumi.Alias(type_="azure-native_security_v20210701preview:security:SecurityConnector"), pulumi.Alias(type_="azure-native_security_v20211201preview:security:SecurityConnector"), pulumi.Alias(type_="azure-native_security_v20220501preview:security:SecurityConnector"), pulumi.Alias(type_="azure-native_security_v20220801preview:security:SecurityConnector"), pulumi.Alias(type_="azure-native_security_v20230301preview:security:SecurityConnector"), pulumi.Alias(type_="azure-native_security_v20231001preview:security:SecurityConnector"), pulumi.Alias(type_="azure-native_security_v20240301preview:security:SecurityConnector"), pulumi.Alias(type_="azure-native_security_v20240701preview:security:SecurityConnector"), pulumi.Alias(type_="azure-native_security_v20240801preview:security:SecurityConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityConnector, __self__).__init__( 'azure-native:security:SecurityConnector', diff --git a/sdk/python/pulumi_azure_native/security/security_connector_application.py b/sdk/python/pulumi_azure_native/security/security_connector_application.py index 23d43a9c67f0..bb10b0d9bd95 100644 --- a/sdk/python/pulumi_azure_native/security/security_connector_application.py +++ b/sdk/python/pulumi_azure_native/security/security_connector_application.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20220701preview:SecurityConnectorApplication")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20220701preview:SecurityConnectorApplication"), pulumi.Alias(type_="azure-native_security_v20220701preview:security:SecurityConnectorApplication")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityConnectorApplication, __self__).__init__( 'azure-native:security:SecurityConnectorApplication', diff --git a/sdk/python/pulumi_azure_native/security/security_contact.py b/sdk/python/pulumi_azure_native/security/security_contact.py index 94a626b660f4..b90a4ba75ff0 100644 --- a/sdk/python/pulumi_azure_native/security/security_contact.py +++ b/sdk/python/pulumi_azure_native/security/security_contact.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20170801preview:SecurityContact"), pulumi.Alias(type_="azure-native:security/v20200101preview:SecurityContact"), pulumi.Alias(type_="azure-native:security/v20231201preview:SecurityContact")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20170801preview:SecurityContact"), pulumi.Alias(type_="azure-native:security/v20200101preview:SecurityContact"), pulumi.Alias(type_="azure-native:security/v20231201preview:SecurityContact"), pulumi.Alias(type_="azure-native_security_v20170801preview:security:SecurityContact"), pulumi.Alias(type_="azure-native_security_v20200101preview:security:SecurityContact"), pulumi.Alias(type_="azure-native_security_v20231201preview:security:SecurityContact")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityContact, __self__).__init__( 'azure-native:security:SecurityContact', diff --git a/sdk/python/pulumi_azure_native/security/security_operator.py b/sdk/python/pulumi_azure_native/security/security_operator.py index 067a8902fa29..ebdacaf79453 100644 --- a/sdk/python/pulumi_azure_native/security/security_operator.py +++ b/sdk/python/pulumi_azure_native/security/security_operator.py @@ -119,7 +119,7 @@ def _internal_init(__self__, __props__.__dict__["identity"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20230101preview:SecurityOperator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20230101preview:SecurityOperator"), pulumi.Alias(type_="azure-native_security_v20230101preview:security:SecurityOperator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityOperator, __self__).__init__( 'azure-native:security:SecurityOperator', diff --git a/sdk/python/pulumi_azure_native/security/security_standard.py b/sdk/python/pulumi_azure_native/security/security_standard.py index 7c142e2586db..a8389a1abda1 100644 --- a/sdk/python/pulumi_azure_native/security/security_standard.py +++ b/sdk/python/pulumi_azure_native/security/security_standard.py @@ -222,7 +222,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["standard_type"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20240801:SecurityStandard")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20240801:SecurityStandard"), pulumi.Alias(type_="azure-native_security_v20240801:security:SecurityStandard")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityStandard, __self__).__init__( 'azure-native:security:SecurityStandard', diff --git a/sdk/python/pulumi_azure_native/security/server_vulnerability_assessment.py b/sdk/python/pulumi_azure_native/security/server_vulnerability_assessment.py index 1ccd8a49cb57..3c5c90a1d05f 100644 --- a/sdk/python/pulumi_azure_native/security/server_vulnerability_assessment.py +++ b/sdk/python/pulumi_azure_native/security/server_vulnerability_assessment.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20200101:ServerVulnerabilityAssessment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20200101:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_security_v20200101:security:ServerVulnerabilityAssessment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerVulnerabilityAssessment, __self__).__init__( 'azure-native:security:ServerVulnerabilityAssessment', diff --git a/sdk/python/pulumi_azure_native/security/sql_vulnerability_assessment_baseline_rule.py b/sdk/python/pulumi_azure_native/security/sql_vulnerability_assessment_baseline_rule.py index e208a74b27ca..366d37044ac1 100644 --- a/sdk/python/pulumi_azure_native/security/sql_vulnerability_assessment_baseline_rule.py +++ b/sdk/python/pulumi_azure_native/security/sql_vulnerability_assessment_baseline_rule.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["properties"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20200701preview:SqlVulnerabilityAssessmentBaselineRule"), pulumi.Alias(type_="azure-native:security/v20230201preview:SqlVulnerabilityAssessmentBaselineRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20230201preview:SqlVulnerabilityAssessmentBaselineRule"), pulumi.Alias(type_="azure-native_security_v20200701preview:security:SqlVulnerabilityAssessmentBaselineRule"), pulumi.Alias(type_="azure-native_security_v20230201preview:security:SqlVulnerabilityAssessmentBaselineRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlVulnerabilityAssessmentBaselineRule, __self__).__init__( 'azure-native:security:SqlVulnerabilityAssessmentBaselineRule', diff --git a/sdk/python/pulumi_azure_native/security/standard.py b/sdk/python/pulumi_azure_native/security/standard.py index 0cedb7620fad..ef4c5e21effd 100644 --- a/sdk/python/pulumi_azure_native/security/standard.py +++ b/sdk/python/pulumi_azure_native/security/standard.py @@ -283,7 +283,7 @@ def _internal_init(__self__, __props__.__dict__["standard_type"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20210801preview:Standard")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20210801preview:Standard"), pulumi.Alias(type_="azure-native_security_v20210801preview:security:Standard")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Standard, __self__).__init__( 'azure-native:security:Standard', diff --git a/sdk/python/pulumi_azure_native/security/standard_assignment.py b/sdk/python/pulumi_azure_native/security/standard_assignment.py index 1ecf7a5ae9ce..2004ce6aeab0 100644 --- a/sdk/python/pulumi_azure_native/security/standard_assignment.py +++ b/sdk/python/pulumi_azure_native/security/standard_assignment.py @@ -281,7 +281,7 @@ def _internal_init(__self__, __props__.__dict__["metadata"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20240801:StandardAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20240801:StandardAssignment"), pulumi.Alias(type_="azure-native_security_v20240801:security:StandardAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StandardAssignment, __self__).__init__( 'azure-native:security:StandardAssignment', diff --git a/sdk/python/pulumi_azure_native/security/workspace_setting.py b/sdk/python/pulumi_azure_native/security/workspace_setting.py index c45a08bea170..7de73247a0cb 100644 --- a/sdk/python/pulumi_azure_native/security/workspace_setting.py +++ b/sdk/python/pulumi_azure_native/security/workspace_setting.py @@ -138,7 +138,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20170801preview:WorkspaceSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:security/v20170801preview:WorkspaceSetting"), pulumi.Alias(type_="azure-native_security_v20170801preview:security:WorkspaceSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceSetting, __self__).__init__( 'azure-native:security:WorkspaceSetting', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_adt_api.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_adt_api.py index 4cd64eafe1fa..9081a937c7f2 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_adt_api.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_adt_api.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsAdtAPI"), pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsAdtAPI")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsAdtAPI"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsAdtAPI"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsAdtAPI")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsAdtAPI, __self__).__init__( 'azure-native:securityandcompliance:PrivateEndpointConnectionsAdtAPI', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_comp.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_comp.py index c07783607cb3..249b45c5b98d 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_comp.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_comp.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsComp"), pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsComp")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsComp"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsComp"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsComp")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsComp, __self__).__init__( 'azure-native:securityandcompliance:PrivateEndpointConnectionsComp', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_edm.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_edm.py index 07fc5e48a199..82d94aae6a31 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_edm.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_edm.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsForEDM"), pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForEDM")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForEDM"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsForEDM"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForEDM")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsForEDM, __self__).__init__( 'azure-native:securityandcompliance:PrivateEndpointConnectionsForEDM', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_mip_policy_sync.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_mip_policy_sync.py index 726e9bedf9fd..b68191de5ed8 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_mip_policy_sync.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_mip_policy_sync.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForMIPPolicySync")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForMIPPolicySync"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForMIPPolicySync")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsForMIPPolicySync, __self__).__init__( 'azure-native:securityandcompliance:PrivateEndpointConnectionsForMIPPolicySync', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_scc_powershell.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_scc_powershell.py index 87681deac19d..528fe8c55243 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_scc_powershell.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_for_scc_powershell.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsForSCCPowershell"), pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForSCCPowershell")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsForSCCPowershell"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsForSCCPowershell"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsForSCCPowershell")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsForSCCPowershell, __self__).__init__( 'azure-native:securityandcompliance:PrivateEndpointConnectionsForSCCPowershell', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_sec.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_sec.py index 186eeaf514df..00d4909563a7 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_sec.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_endpoint_connections_sec.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210111:PrivateEndpointConnectionsSec"), pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsSec")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateEndpointConnectionsSec"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateEndpointConnectionsSec"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateEndpointConnectionsSec")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnectionsSec, __self__).__init__( 'azure-native:securityandcompliance:PrivateEndpointConnectionsSec', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_edm_upload.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_edm_upload.py index 5e2fc9ee4919..c748373d8eeb 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_edm_upload.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_edm_upload.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210111:PrivateLinkServicesForEDMUpload"), pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForEDMUpload")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForEDMUpload"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForEDMUpload"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForEDMUpload")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForEDMUpload, __self__).__init__( 'azure-native:securityandcompliance:PrivateLinkServicesForEDMUpload', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_m365_compliance_center.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_m365_compliance_center.py index fd2a25d2f35d..8d95cfb9347e 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_m365_compliance_center.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_m365_compliance_center.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210111:PrivateLinkServicesForM365ComplianceCenter"), pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365ComplianceCenter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365ComplianceCenter"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForM365ComplianceCenter"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForM365ComplianceCenter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForM365ComplianceCenter, __self__).__init__( 'azure-native:securityandcompliance:PrivateLinkServicesForM365ComplianceCenter', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_m365_security_center.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_m365_security_center.py index a76cebf54527..71be18e0c89d 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_m365_security_center.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_m365_security_center.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210111:PrivateLinkServicesForM365SecurityCenter"), pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365SecurityCenter")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForM365SecurityCenter"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForM365SecurityCenter"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForM365SecurityCenter")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForM365SecurityCenter, __self__).__init__( 'azure-native:securityandcompliance:PrivateLinkServicesForM365SecurityCenter', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_mip_policy_sync.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_mip_policy_sync.py index 9f2d739d8fb2..71a90d647f1b 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_mip_policy_sync.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_mip_policy_sync.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForMIPPolicySync")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForMIPPolicySync"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForMIPPolicySync")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForMIPPolicySync, __self__).__init__( 'azure-native:securityandcompliance:PrivateLinkServicesForMIPPolicySync', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_o365_management_activity_api.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_o365_management_activity_api.py index b9b5c89ca6d3..2fc98597e550 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_o365_management_activity_api.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_o365_management_activity_api.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210111:PrivateLinkServicesForO365ManagementActivityAPI"), pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForO365ManagementActivityAPI")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForO365ManagementActivityAPI"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForO365ManagementActivityAPI, __self__).__init__( 'azure-native:securityandcompliance:PrivateLinkServicesForO365ManagementActivityAPI', diff --git a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_scc_powershell.py b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_scc_powershell.py index b85a37834ee2..453096715c8d 100644 --- a/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_scc_powershell.py +++ b/sdk/python/pulumi_azure_native/securityandcompliance/private_link_services_for_scc_powershell.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210111:PrivateLinkServicesForSCCPowershell"), pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForSCCPowershell")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityandcompliance/v20210308:PrivateLinkServicesForSCCPowershell"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210111:securityandcompliance:PrivateLinkServicesForSCCPowershell"), pulumi.Alias(type_="azure-native_securityandcompliance_v20210308:securityandcompliance:PrivateLinkServicesForSCCPowershell")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkServicesForSCCPowershell, __self__).__init__( 'azure-native:securityandcompliance:PrivateLinkServicesForSCCPowershell', diff --git a/sdk/python/pulumi_azure_native/securityinsights/aad_data_connector.py b/sdk/python/pulumi_azure_native/securityinsights/aad_data_connector.py index 44877c61b7b8..fad0b4271e4e 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/aad_data_connector.py +++ b/sdk/python/pulumi_azure_native/securityinsights/aad_data_connector.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:AADDataConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AADDataConnector, __self__).__init__( 'azure-native:securityinsights:AADDataConnector', diff --git a/sdk/python/pulumi_azure_native/securityinsights/aatp_data_connector.py b/sdk/python/pulumi_azure_native/securityinsights/aatp_data_connector.py index d1eddd139af1..14add8cd5372 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/aatp_data_connector.py +++ b/sdk/python/pulumi_azure_native/securityinsights/aatp_data_connector.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:AATPDataConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AATPDataConnector, __self__).__init__( 'azure-native:securityinsights:AATPDataConnector', diff --git a/sdk/python/pulumi_azure_native/securityinsights/action.py b/sdk/python/pulumi_azure_native/securityinsights/action.py index e475d98311f8..c7ce87197834 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/action.py +++ b/sdk/python/pulumi_azure_native/securityinsights/action.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["workflow_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:Action")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:Action"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:Action"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:Action")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Action, __self__).__init__( 'azure-native:securityinsights:Action', diff --git a/sdk/python/pulumi_azure_native/securityinsights/activity_custom_entity_query.py b/sdk/python/pulumi_azure_native/securityinsights/activity_custom_entity_query.py index c12300302bc5..35b0a35e1c16 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/activity_custom_entity_query.py +++ b/sdk/python/pulumi_azure_native/securityinsights/activity_custom_entity_query.py @@ -349,7 +349,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:ActivityCustomEntityQuery")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:ActivityCustomEntityQuery"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:ActivityCustomEntityQuery")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ActivityCustomEntityQuery, __self__).__init__( 'azure-native:securityinsights:ActivityCustomEntityQuery', diff --git a/sdk/python/pulumi_azure_native/securityinsights/anomalies.py b/sdk/python/pulumi_azure_native/securityinsights/anomalies.py index 3cebf31a2f8f..1540c9aec0ef 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/anomalies.py +++ b/sdk/python/pulumi_azure_native/securityinsights/anomalies.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:IPSyncer"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights:Ueba")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:IPSyncer"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:Anomalies")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Anomalies, __self__).__init__( 'azure-native:securityinsights:Anomalies', diff --git a/sdk/python/pulumi_azure_native/securityinsights/anomaly_security_ml_analytics_settings.py b/sdk/python/pulumi_azure_native/securityinsights/anomaly_security_ml_analytics_settings.py index b64057afd079..d1f22747a8ac 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/anomaly_security_ml_analytics_settings.py +++ b/sdk/python/pulumi_azure_native/securityinsights/anomaly_security_ml_analytics_settings.py @@ -434,7 +434,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:AnomalySecurityMLAnalyticsSettings")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:AnomalySecurityMLAnalyticsSettings"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:AnomalySecurityMLAnalyticsSettings")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AnomalySecurityMLAnalyticsSettings, __self__).__init__( 'azure-native:securityinsights:AnomalySecurityMLAnalyticsSettings', diff --git a/sdk/python/pulumi_azure_native/securityinsights/asc_data_connector.py b/sdk/python/pulumi_azure_native/securityinsights/asc_data_connector.py index dc57a21359d4..93ed3c1b700f 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/asc_data_connector.py +++ b/sdk/python/pulumi_azure_native/securityinsights/asc_data_connector.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:ASCDataConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ASCDataConnector, __self__).__init__( 'azure-native:securityinsights:ASCDataConnector', diff --git a/sdk/python/pulumi_azure_native/securityinsights/automation_rule.py b/sdk/python/pulumi_azure_native/securityinsights/automation_rule.py index feff41ea230f..e9eacc032cc2 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/automation_rule.py +++ b/sdk/python/pulumi_azure_native/securityinsights/automation_rule.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:AutomationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AutomationRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:AutomationRule"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:AutomationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AutomationRule, __self__).__init__( 'azure-native:securityinsights:AutomationRule', diff --git a/sdk/python/pulumi_azure_native/securityinsights/aws_cloud_trail_data_connector.py b/sdk/python/pulumi_azure_native/securityinsights/aws_cloud_trail_data_connector.py index 5ed810f24594..63118c654e29 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/aws_cloud_trail_data_connector.py +++ b/sdk/python/pulumi_azure_native/securityinsights/aws_cloud_trail_data_connector.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:AwsCloudTrailDataConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AwsCloudTrailDataConnector, __self__).__init__( 'azure-native:securityinsights:AwsCloudTrailDataConnector', diff --git a/sdk/python/pulumi_azure_native/securityinsights/bookmark.py b/sdk/python/pulumi_azure_native/securityinsights/bookmark.py index 69c31b7202f4..b71ff958a09f 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/bookmark.py +++ b/sdk/python/pulumi_azure_native/securityinsights/bookmark.py @@ -409,7 +409,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:Bookmark")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:Bookmark"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:Bookmark"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:Bookmark")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Bookmark, __self__).__init__( 'azure-native:securityinsights:Bookmark', diff --git a/sdk/python/pulumi_azure_native/securityinsights/bookmark_relation.py b/sdk/python/pulumi_azure_native/securityinsights/bookmark_relation.py index 9c8b093c9bec..b68aa7bb1f2e 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/bookmark_relation.py +++ b/sdk/python/pulumi_azure_native/securityinsights/bookmark_relation.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["related_resource_type"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:BookmarkRelation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:BookmarkRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:BookmarkRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:BookmarkRelation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BookmarkRelation, __self__).__init__( 'azure-native:securityinsights:BookmarkRelation', diff --git a/sdk/python/pulumi_azure_native/securityinsights/business_application_agent.py b/sdk/python/pulumi_azure_native/securityinsights/business_application_agent.py index d17ff688a3cb..1bf261ed03fe 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/business_application_agent.py +++ b/sdk/python/pulumi_azure_native/securityinsights/business_application_agent.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:BusinessApplicationAgent"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:BusinessApplicationAgent"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:BusinessApplicationAgent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:BusinessApplicationAgent"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:BusinessApplicationAgent"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:BusinessApplicationAgent"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:BusinessApplicationAgent"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:BusinessApplicationAgent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BusinessApplicationAgent, __self__).__init__( 'azure-native:securityinsights:BusinessApplicationAgent', diff --git a/sdk/python/pulumi_azure_native/securityinsights/content_package.py b/sdk/python/pulumi_azure_native/securityinsights/content_package.py index 2540724c0448..c57ba3f4c41a 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/content_package.py +++ b/sdk/python/pulumi_azure_native/securityinsights/content_package.py @@ -612,7 +612,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:ContentPackage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ContentPackage"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:ContentPackage"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:ContentPackage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContentPackage, __self__).__init__( 'azure-native:securityinsights:ContentPackage', diff --git a/sdk/python/pulumi_azure_native/securityinsights/content_template.py b/sdk/python/pulumi_azure_native/securityinsights/content_template.py index 7bf693f87a4e..dbf67ef032f9 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/content_template.py +++ b/sdk/python/pulumi_azure_native/securityinsights/content_template.py @@ -657,7 +657,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:ContentTemplate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ContentTemplate"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:ContentTemplate"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:ContentTemplate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ContentTemplate, __self__).__init__( 'azure-native:securityinsights:ContentTemplate', diff --git a/sdk/python/pulumi_azure_native/securityinsights/customizable_connector_definition.py b/sdk/python/pulumi_azure_native/securityinsights/customizable_connector_definition.py index 550c5f155aab..81a3aae9a457 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/customizable_connector_definition.py +++ b/sdk/python/pulumi_azure_native/securityinsights/customizable_connector_definition.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:CustomizableConnectorDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:CustomizableConnectorDefinition"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:CustomizableConnectorDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomizableConnectorDefinition, __self__).__init__( 'azure-native:securityinsights:CustomizableConnectorDefinition', diff --git a/sdk/python/pulumi_azure_native/securityinsights/entity_analytics.py b/sdk/python/pulumi_azure_native/securityinsights/entity_analytics.py index 7003cb805886..39a2dca1d01b 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/entity_analytics.py +++ b/sdk/python/pulumi_azure_native/securityinsights/entity_analytics.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:IPSyncer"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights:Ueba")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:IPSyncer"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:EntityAnalytics")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EntityAnalytics, __self__).__init__( 'azure-native:securityinsights:EntityAnalytics', diff --git a/sdk/python/pulumi_azure_native/securityinsights/eyes_on.py b/sdk/python/pulumi_azure_native/securityinsights/eyes_on.py index c43b48a630d1..d3f9ccf8b56d 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/eyes_on.py +++ b/sdk/python/pulumi_azure_native/securityinsights/eyes_on.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:IPSyncer"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights:Ueba")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:IPSyncer"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:EyesOn")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EyesOn, __self__).__init__( 'azure-native:securityinsights:EyesOn', diff --git a/sdk/python/pulumi_azure_native/securityinsights/file_import.py b/sdk/python/pulumi_azure_native/securityinsights/file_import.py index 10131c6330ed..25e428975943 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/file_import.py +++ b/sdk/python/pulumi_azure_native/securityinsights/file_import.py @@ -239,7 +239,7 @@ def _internal_init(__self__, __props__.__dict__["total_record_count"] = None __props__.__dict__["type"] = None __props__.__dict__["valid_record_count"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:FileImport")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:FileImport"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:FileImport"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:FileImport")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FileImport, __self__).__init__( 'azure-native:securityinsights:FileImport', diff --git a/sdk/python/pulumi_azure_native/securityinsights/fusion_alert_rule.py b/sdk/python/pulumi_azure_native/securityinsights/fusion_alert_rule.py index 939d8c774a60..be8fe9e9d877 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/fusion_alert_rule.py +++ b/sdk/python/pulumi_azure_native/securityinsights/fusion_alert_rule.py @@ -213,7 +213,7 @@ def _internal_init(__self__, __props__.__dict__["tactics"] = None __props__.__dict__["techniques"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:ScheduledAlertRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:FusionAlertRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FusionAlertRule, __self__).__init__( 'azure-native:securityinsights:FusionAlertRule', diff --git a/sdk/python/pulumi_azure_native/securityinsights/hunt.py b/sdk/python/pulumi_azure_native/securityinsights/hunt.py index 6d235fb5f568..3f19130d96db 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/hunt.py +++ b/sdk/python/pulumi_azure_native/securityinsights/hunt.py @@ -317,7 +317,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:Hunt")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Hunt"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:Hunt"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:Hunt")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Hunt, __self__).__init__( 'azure-native:securityinsights:Hunt', diff --git a/sdk/python/pulumi_azure_native/securityinsights/hunt_comment.py b/sdk/python/pulumi_azure_native/securityinsights/hunt_comment.py index 72904d008143..9a1b91528b5b 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/hunt_comment.py +++ b/sdk/python/pulumi_azure_native/securityinsights/hunt_comment.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:HuntComment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:HuntComment"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:HuntComment"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:HuntComment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HuntComment, __self__).__init__( 'azure-native:securityinsights:HuntComment', diff --git a/sdk/python/pulumi_azure_native/securityinsights/hunt_relation.py b/sdk/python/pulumi_azure_native/securityinsights/hunt_relation.py index 8c558e93bc88..aefe4217fc01 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/hunt_relation.py +++ b/sdk/python/pulumi_azure_native/securityinsights/hunt_relation.py @@ -210,7 +210,7 @@ def _internal_init(__self__, __props__.__dict__["relation_type"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:HuntRelation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:HuntRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:HuntRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:HuntRelation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HuntRelation, __self__).__init__( 'azure-native:securityinsights:HuntRelation', diff --git a/sdk/python/pulumi_azure_native/securityinsights/incident.py b/sdk/python/pulumi_azure_native/securityinsights/incident.py index ea6208d96a47..9228656848ba 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/incident.py +++ b/sdk/python/pulumi_azure_native/securityinsights/incident.py @@ -378,7 +378,7 @@ def _internal_init(__self__, __props__.__dict__["related_analytic_rule_ids"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20210401:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:Incident")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:Incident"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20210401:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:Incident"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:Incident")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Incident, __self__).__init__( 'azure-native:securityinsights:Incident', diff --git a/sdk/python/pulumi_azure_native/securityinsights/incident_comment.py b/sdk/python/pulumi_azure_native/securityinsights/incident_comment.py index 96f12922bb8b..96514e6545de 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/incident_comment.py +++ b/sdk/python/pulumi_azure_native/securityinsights/incident_comment.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20210401:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:IncidentComment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:IncidentComment"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20210401:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:IncidentComment"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:IncidentComment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IncidentComment, __self__).__init__( 'azure-native:securityinsights:IncidentComment', diff --git a/sdk/python/pulumi_azure_native/securityinsights/incident_relation.py b/sdk/python/pulumi_azure_native/securityinsights/incident_relation.py index 4fbe20344bbc..71691ae41e6b 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/incident_relation.py +++ b/sdk/python/pulumi_azure_native/securityinsights/incident_relation.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["related_resource_type"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20210401:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:IncidentRelation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:IncidentRelation"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20210401:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:IncidentRelation"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:IncidentRelation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IncidentRelation, __self__).__init__( 'azure-native:securityinsights:IncidentRelation', diff --git a/sdk/python/pulumi_azure_native/securityinsights/incident_task.py b/sdk/python/pulumi_azure_native/securityinsights/incident_task.py index c1e547753e55..709432b7d9c7 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/incident_task.py +++ b/sdk/python/pulumi_azure_native/securityinsights/incident_task.py @@ -272,7 +272,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:IncidentTask")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:IncidentTask"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:IncidentTask"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:IncidentTask")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IncidentTask, __self__).__init__( 'azure-native:securityinsights:IncidentTask', diff --git a/sdk/python/pulumi_azure_native/securityinsights/mcas_data_connector.py b/sdk/python/pulumi_azure_native/securityinsights/mcas_data_connector.py index 2edac2cdbdbf..fecdaaf29aa5 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/mcas_data_connector.py +++ b/sdk/python/pulumi_azure_native/securityinsights/mcas_data_connector.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:MCASDataConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MCASDataConnector, __self__).__init__( 'azure-native:securityinsights:MCASDataConnector', diff --git a/sdk/python/pulumi_azure_native/securityinsights/mdatp_data_connector.py b/sdk/python/pulumi_azure_native/securityinsights/mdatp_data_connector.py index f49a1f7ba3e3..fc7ed53e6f1c 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/mdatp_data_connector.py +++ b/sdk/python/pulumi_azure_native/securityinsights/mdatp_data_connector.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:MDATPDataConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MDATPDataConnector, __self__).__init__( 'azure-native:securityinsights:MDATPDataConnector', diff --git a/sdk/python/pulumi_azure_native/securityinsights/metadata.py b/sdk/python/pulumi_azure_native/securityinsights/metadata.py index 1ab25d860867..ea857010064f 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/metadata.py +++ b/sdk/python/pulumi_azure_native/securityinsights/metadata.py @@ -529,7 +529,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:Metadata")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:Metadata"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:Metadata"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:Metadata")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Metadata, __self__).__init__( 'azure-native:securityinsights:Metadata', diff --git a/sdk/python/pulumi_azure_native/securityinsights/microsoft_security_incident_creation_alert_rule.py b/sdk/python/pulumi_azure_native/securityinsights/microsoft_security_incident_creation_alert_rule.py index 72ab1a8ef2ea..babb3de67600 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/microsoft_security_incident_creation_alert_rule.py +++ b/sdk/python/pulumi_azure_native/securityinsights/microsoft_security_incident_creation_alert_rule.py @@ -330,7 +330,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:ScheduledAlertRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:MicrosoftSecurityIncidentCreationAlertRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MicrosoftSecurityIncidentCreationAlertRule, __self__).__init__( 'azure-native:securityinsights:MicrosoftSecurityIncidentCreationAlertRule', diff --git a/sdk/python/pulumi_azure_native/securityinsights/msti_data_connector.py b/sdk/python/pulumi_azure_native/securityinsights/msti_data_connector.py index a8dd181bae83..40e239e7769a 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/msti_data_connector.py +++ b/sdk/python/pulumi_azure_native/securityinsights/msti_data_connector.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:MSTIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:MSTIDataConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MSTIDataConnector, __self__).__init__( 'azure-native:securityinsights:MSTIDataConnector', diff --git a/sdk/python/pulumi_azure_native/securityinsights/office_data_connector.py b/sdk/python/pulumi_azure_native/securityinsights/office_data_connector.py index 8bcc9f396e15..7ebd5922b018 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/office_data_connector.py +++ b/sdk/python/pulumi_azure_native/securityinsights/office_data_connector.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:OfficeDataConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OfficeDataConnector, __self__).__init__( 'azure-native:securityinsights:OfficeDataConnector', diff --git a/sdk/python/pulumi_azure_native/securityinsights/premium_microsoft_defender_for_threat_intelligence.py b/sdk/python/pulumi_azure_native/securityinsights/premium_microsoft_defender_for_threat_intelligence.py index 7e61b862ff2e..38278cd9187d 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/premium_microsoft_defender_for_threat_intelligence.py +++ b/sdk/python/pulumi_azure_native/securityinsights/premium_microsoft_defender_for_threat_intelligence.py @@ -249,7 +249,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PremiumMicrosoftDefenderForThreatIntelligence, __self__).__init__( 'azure-native:securityinsights:PremiumMicrosoftDefenderForThreatIntelligence', diff --git a/sdk/python/pulumi_azure_native/securityinsights/rest_api_poller_data_connector.py b/sdk/python/pulumi_azure_native/securityinsights/rest_api_poller_data_connector.py index ba7079c12fa6..291903518cd9 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/rest_api_poller_data_connector.py +++ b/sdk/python/pulumi_azure_native/securityinsights/rest_api_poller_data_connector.py @@ -350,7 +350,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:RestApiPollerDataConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RestApiPollerDataConnector, __self__).__init__( 'azure-native:securityinsights:RestApiPollerDataConnector', diff --git a/sdk/python/pulumi_azure_native/securityinsights/scheduled_alert_rule.py b/sdk/python/pulumi_azure_native/securityinsights/scheduled_alert_rule.py index 9b2f2a9b3372..7fdd8e4a9bc3 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/scheduled_alert_rule.py +++ b/sdk/python/pulumi_azure_native/securityinsights/scheduled_alert_rule.py @@ -578,7 +578,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:MicrosoftSecurityIncidentCreationAlertRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MLBehaviorAnalyticsAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:NrtAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ScheduledAlertRule"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ThreatIntelligenceAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:FusionAlertRule"), pulumi.Alias(type_="azure-native:securityinsights:MicrosoftSecurityIncidentCreationAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:ScheduledAlertRule"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:ScheduledAlertRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ScheduledAlertRule, __self__).__init__( 'azure-native:securityinsights:ScheduledAlertRule', diff --git a/sdk/python/pulumi_azure_native/securityinsights/sentinel_onboarding_state.py b/sdk/python/pulumi_azure_native/securityinsights/sentinel_onboarding_state.py index e43ce94e386d..c1da0cbfc8be 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/sentinel_onboarding_state.py +++ b/sdk/python/pulumi_azure_native/securityinsights/sentinel_onboarding_state.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:SentinelOnboardingState")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:SentinelOnboardingState"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:SentinelOnboardingState"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:SentinelOnboardingState")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SentinelOnboardingState, __self__).__init__( 'azure-native:securityinsights:SentinelOnboardingState', diff --git a/sdk/python/pulumi_azure_native/securityinsights/source_control.py b/sdk/python/pulumi_azure_native/securityinsights/source_control.py index 4c691ce4d9bf..8b482feba2d4 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/source_control.py +++ b/sdk/python/pulumi_azure_native/securityinsights/source_control.py @@ -331,7 +331,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:SourceControl")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:SourceControl"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:SourceControl"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:SourceControl")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SourceControl, __self__).__init__( 'azure-native:securityinsights:SourceControl', diff --git a/sdk/python/pulumi_azure_native/securityinsights/system.py b/sdk/python/pulumi_azure_native/securityinsights/system.py index 270a9d42c9ed..970e2c16e356 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/system.py +++ b/sdk/python/pulumi_azure_native/securityinsights/system.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:System"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:System"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:System")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:System"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:System"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:System"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:System"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:System")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(System, __self__).__init__( 'azure-native:securityinsights:System', diff --git a/sdk/python/pulumi_azure_native/securityinsights/threat_intelligence_indicator.py b/sdk/python/pulumi_azure_native/securityinsights/threat_intelligence_indicator.py index 3693702ed33a..1bfe028d66cb 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/threat_intelligence_indicator.py +++ b/sdk/python/pulumi_azure_native/securityinsights/threat_intelligence_indicator.py @@ -729,7 +729,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20210401:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:ThreatIntelligenceIndicator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210401:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20210401:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:ThreatIntelligenceIndicator"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:ThreatIntelligenceIndicator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ThreatIntelligenceIndicator, __self__).__init__( 'azure-native:securityinsights:ThreatIntelligenceIndicator', diff --git a/sdk/python/pulumi_azure_native/securityinsights/ti_data_connector.py b/sdk/python/pulumi_azure_native/securityinsights/ti_data_connector.py index 68c92773f833..1ecd032f137b 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/ti_data_connector.py +++ b/sdk/python/pulumi_azure_native/securityinsights/ti_data_connector.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20200101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:PremiumMicrosoftDefenderForThreatIntelligence"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:AwsS3DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessApiPollingDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:CodelessUiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Dynamics365DataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:GCPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:IoTDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MSTIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MTPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:MicrosoftPurviewInformationProtectionDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Office365ProjectDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficeIRMDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:OfficePowerBIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:PurviewAuditDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:RestApiPollerDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TIDataConnector"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:TiTaxiiDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AADDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:ASCDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:AwsCloudTrailDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MCASDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:MDATPDataConnector"), pulumi.Alias(type_="azure-native:securityinsights:OfficeDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20200101:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:TIDataConnector"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:TIDataConnector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TIDataConnector, __self__).__init__( 'azure-native:securityinsights:TIDataConnector', diff --git a/sdk/python/pulumi_azure_native/securityinsights/ueba.py b/sdk/python/pulumi_azure_native/securityinsights/ueba.py index 013cefb043d6..e89f48294249 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/ueba.py +++ b/sdk/python/pulumi_azure_native/securityinsights/ueba.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:IPSyncer"), pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights:EyesOn")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:IPSyncer"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:EyesOn"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Ueba"), pulumi.Alias(type_="azure-native:securityinsights:Anomalies"), pulumi.Alias(type_="azure-native:securityinsights:EntityAnalytics"), pulumi.Alias(type_="azure-native:securityinsights:EyesOn"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:Ueba"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:Ueba")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Ueba, __self__).__init__( 'azure-native:securityinsights:Ueba', diff --git a/sdk/python/pulumi_azure_native/securityinsights/watchlist.py b/sdk/python/pulumi_azure_native/securityinsights/watchlist.py index e93825589a29..4a875d27df41 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/watchlist.py +++ b/sdk/python/pulumi_azure_native/securityinsights/watchlist.py @@ -551,7 +551,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20210401:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:Watchlist")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20210401:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:Watchlist"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20210401:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:Watchlist"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:Watchlist")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Watchlist, __self__).__init__( 'azure-native:securityinsights:Watchlist', diff --git a/sdk/python/pulumi_azure_native/securityinsights/watchlist_item.py b/sdk/python/pulumi_azure_native/securityinsights/watchlist_item.py index 8d3281211e8d..47e35bf8e6f8 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/watchlist_item.py +++ b/sdk/python/pulumi_azure_native/securityinsights/watchlist_item.py @@ -348,7 +348,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20190101preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20210301preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20210401:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20210901preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20211001:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20211001preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20220101preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20220401preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20220501preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20220601preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20220701preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20220801:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20220801preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20220901preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20221001preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20221101:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20221101preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20221201preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230201preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230301preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20250301:WatchlistItem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20210401:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230201:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20231101:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20240301:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20240901:WatchlistItem"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20190101preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20210301preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20210401:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20210901preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20211001:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20211001preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20220101preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20220401preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20220501preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20220601preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20220701preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20220801:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20220801preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20220901preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20221001preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20221101:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20221101preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20221201preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20230201:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20230201preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20230301preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20231101:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20240301:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20240901:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:WatchlistItem"), pulumi.Alias(type_="azure-native_securityinsights_v20250301:securityinsights:WatchlistItem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WatchlistItem, __self__).__init__( 'azure-native:securityinsights:WatchlistItem', diff --git a/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_assignment.py b/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_assignment.py index b64d856176c2..853ac0934e9f 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_assignment.py +++ b/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_assignment.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:WorkspaceManagerAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerAssignment"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceManagerAssignment, __self__).__init__( 'azure-native:securityinsights:WorkspaceManagerAssignment', diff --git a/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_configuration.py b/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_configuration.py index eb37d5f6dc7e..6b7172b2a697 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_configuration.py +++ b/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_configuration.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:WorkspaceManagerConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerConfiguration"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceManagerConfiguration, __self__).__init__( 'azure-native:securityinsights:WorkspaceManagerConfiguration', diff --git a/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_group.py b/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_group.py index da0c78ab4fbf..188101615984 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_group.py +++ b/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_group.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:WorkspaceManagerGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerGroup"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceManagerGroup, __self__).__init__( 'azure-native:securityinsights:WorkspaceManagerGroup', diff --git a/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_member.py b/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_member.py index f5103abe8c27..449a9340aeeb 100644 --- a/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_member.py +++ b/sdk/python/pulumi_azure_native/securityinsights/workspace_manager_member.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230401preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20230501preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20250101preview:WorkspaceManagerMember")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:securityinsights/v20230601preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20230701preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20230801preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20230901preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20231001preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20231201preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20240101preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20240401preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native:securityinsights/v20241001preview:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20230401preview:securityinsights:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20230501preview:securityinsights:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20230601preview:securityinsights:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20230701preview:securityinsights:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20230801preview:securityinsights:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20230901preview:securityinsights:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20231001preview:securityinsights:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20231201preview:securityinsights:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20240101preview:securityinsights:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20240401preview:securityinsights:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20241001preview:securityinsights:WorkspaceManagerMember"), pulumi.Alias(type_="azure-native_securityinsights_v20250101preview:securityinsights:WorkspaceManagerMember")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceManagerMember, __self__).__init__( 'azure-native:securityinsights:WorkspaceManagerMember', diff --git a/sdk/python/pulumi_azure_native/serialconsole/serial_port.py b/sdk/python/pulumi_azure_native/serialconsole/serial_port.py index 2e6d2539fec2..c1296813217f 100644 --- a/sdk/python/pulumi_azure_native/serialconsole/serial_port.py +++ b/sdk/python/pulumi_azure_native/serialconsole/serial_port.py @@ -201,7 +201,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:serialconsole/v20180501:SerialPort")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:serialconsole/v20180501:SerialPort"), pulumi.Alias(type_="azure-native_serialconsole_v20180501:serialconsole:SerialPort")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SerialPort, __self__).__init__( 'azure-native:serialconsole:SerialPort', diff --git a/sdk/python/pulumi_azure_native/servicebus/disaster_recovery_config.py b/sdk/python/pulumi_azure_native/servicebus/disaster_recovery_config.py index 754b10aaee2f..0f4310d3ea01 100644 --- a/sdk/python/pulumi_azure_native/servicebus/disaster_recovery_config.py +++ b/sdk/python/pulumi_azure_native/servicebus/disaster_recovery_config.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["role"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20170401:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:servicebus/v20180101preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:servicebus/v20211101:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:servicebus/v20240101:DisasterRecoveryConfig")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native:servicebus/v20240101:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_servicebus_v20170401:servicebus:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:DisasterRecoveryConfig"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:DisasterRecoveryConfig")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DisasterRecoveryConfig, __self__).__init__( 'azure-native:servicebus:DisasterRecoveryConfig', diff --git a/sdk/python/pulumi_azure_native/servicebus/migration_config.py b/sdk/python/pulumi_azure_native/servicebus/migration_config.py index dc16d737672f..cf70545f6d1b 100644 --- a/sdk/python/pulumi_azure_native/servicebus/migration_config.py +++ b/sdk/python/pulumi_azure_native/servicebus/migration_config.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20170401:MigrationConfig"), pulumi.Alias(type_="azure-native:servicebus/v20180101preview:MigrationConfig"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:MigrationConfig"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:MigrationConfig"), pulumi.Alias(type_="azure-native:servicebus/v20211101:MigrationConfig"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:MigrationConfig"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:MigrationConfig"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:MigrationConfig"), pulumi.Alias(type_="azure-native:servicebus/v20240101:MigrationConfig")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:MigrationConfig"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:MigrationConfig"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:MigrationConfig"), pulumi.Alias(type_="azure-native:servicebus/v20240101:MigrationConfig"), pulumi.Alias(type_="azure-native_servicebus_v20170401:servicebus:MigrationConfig"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:MigrationConfig"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:MigrationConfig"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:MigrationConfig"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:MigrationConfig"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:MigrationConfig"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:MigrationConfig"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:MigrationConfig"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:MigrationConfig")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MigrationConfig, __self__).__init__( 'azure-native:servicebus:MigrationConfig', diff --git a/sdk/python/pulumi_azure_native/servicebus/namespace.py b/sdk/python/pulumi_azure_native/servicebus/namespace.py index 938705e9b7ca..138b857bd037 100644 --- a/sdk/python/pulumi_azure_native/servicebus/namespace.py +++ b/sdk/python/pulumi_azure_native/servicebus/namespace.py @@ -378,7 +378,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20140901:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20150801:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20170401:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20180101preview:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20211101:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20240101:Namespace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:Namespace"), pulumi.Alias(type_="azure-native:servicebus/v20240101:Namespace"), pulumi.Alias(type_="azure-native_servicebus_v20140901:servicebus:Namespace"), pulumi.Alias(type_="azure-native_servicebus_v20150801:servicebus:Namespace"), pulumi.Alias(type_="azure-native_servicebus_v20170401:servicebus:Namespace"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:Namespace"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:Namespace"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:Namespace"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:Namespace"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:Namespace"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:Namespace"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:Namespace"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:Namespace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Namespace, __self__).__init__( 'azure-native:servicebus:Namespace', diff --git a/sdk/python/pulumi_azure_native/servicebus/namespace_authorization_rule.py b/sdk/python/pulumi_azure_native/servicebus/namespace_authorization_rule.py index 5d54ced63d59..9f8ce4fb0713 100644 --- a/sdk/python/pulumi_azure_native/servicebus/namespace_authorization_rule.py +++ b/sdk/python/pulumi_azure_native/servicebus/namespace_authorization_rule.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20140901:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20150801:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20170401:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20180101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20211101:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20240101:NamespaceAuthorizationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20240101:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20140901:servicebus:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20150801:servicebus:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20170401:servicebus:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:NamespaceAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:NamespaceAuthorizationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceAuthorizationRule, __self__).__init__( 'azure-native:servicebus:NamespaceAuthorizationRule', diff --git a/sdk/python/pulumi_azure_native/servicebus/namespace_ip_filter_rule.py b/sdk/python/pulumi_azure_native/servicebus/namespace_ip_filter_rule.py index 2624e7244e7f..2aed57668868 100644 --- a/sdk/python/pulumi_azure_native/servicebus/namespace_ip_filter_rule.py +++ b/sdk/python/pulumi_azure_native/servicebus/namespace_ip_filter_rule.py @@ -199,7 +199,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20180101preview:NamespaceIpFilterRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20180101preview:NamespaceIpFilterRule"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:NamespaceIpFilterRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceIpFilterRule, __self__).__init__( 'azure-native:servicebus:NamespaceIpFilterRule', diff --git a/sdk/python/pulumi_azure_native/servicebus/namespace_network_rule_set.py b/sdk/python/pulumi_azure_native/servicebus/namespace_network_rule_set.py index d4256bdd3217..2fbef9f7b169 100644 --- a/sdk/python/pulumi_azure_native/servicebus/namespace_network_rule_set.py +++ b/sdk/python/pulumi_azure_native/servicebus/namespace_network_rule_set.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20170401:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:servicebus/v20180101preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:servicebus/v20211101:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:servicebus/v20240101:NamespaceNetworkRuleSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native:servicebus/v20240101:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_servicebus_v20170401:servicebus:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:NamespaceNetworkRuleSet"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:NamespaceNetworkRuleSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceNetworkRuleSet, __self__).__init__( 'azure-native:servicebus:NamespaceNetworkRuleSet', diff --git a/sdk/python/pulumi_azure_native/servicebus/namespace_virtual_network_rule.py b/sdk/python/pulumi_azure_native/servicebus/namespace_virtual_network_rule.py index 6e85faeb0e73..f418a201ad8c 100644 --- a/sdk/python/pulumi_azure_native/servicebus/namespace_virtual_network_rule.py +++ b/sdk/python/pulumi_azure_native/servicebus/namespace_virtual_network_rule.py @@ -158,7 +158,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20180101preview:NamespaceVirtualNetworkRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20180101preview:NamespaceVirtualNetworkRule"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:NamespaceVirtualNetworkRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NamespaceVirtualNetworkRule, __self__).__init__( 'azure-native:servicebus:NamespaceVirtualNetworkRule', diff --git a/sdk/python/pulumi_azure_native/servicebus/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/servicebus/private_endpoint_connection.py index a65f83f050d9..917c5ea4b1fb 100644 --- a/sdk/python/pulumi_azure_native/servicebus/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/servicebus/private_endpoint_connection.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20180101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:servicebus/v20211101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:servicebus/v20240101:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:servicebus/v20240101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:servicebus:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/servicebus/queue.py b/sdk/python/pulumi_azure_native/servicebus/queue.py index 25d178df1b85..fbbe625b7c34 100644 --- a/sdk/python/pulumi_azure_native/servicebus/queue.py +++ b/sdk/python/pulumi_azure_native/servicebus/queue.py @@ -472,7 +472,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20140901:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20150801:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20170401:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20180101preview:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20211101:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20240101:Queue")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:Queue"), pulumi.Alias(type_="azure-native:servicebus/v20240101:Queue"), pulumi.Alias(type_="azure-native_servicebus_v20140901:servicebus:Queue"), pulumi.Alias(type_="azure-native_servicebus_v20150801:servicebus:Queue"), pulumi.Alias(type_="azure-native_servicebus_v20170401:servicebus:Queue"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:Queue"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:Queue"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:Queue"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:Queue"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:Queue"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:Queue"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:Queue"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:Queue")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Queue, __self__).__init__( 'azure-native:servicebus:Queue', diff --git a/sdk/python/pulumi_azure_native/servicebus/queue_authorization_rule.py b/sdk/python/pulumi_azure_native/servicebus/queue_authorization_rule.py index b0f4b9fe9925..2c5a8864726b 100644 --- a/sdk/python/pulumi_azure_native/servicebus/queue_authorization_rule.py +++ b/sdk/python/pulumi_azure_native/servicebus/queue_authorization_rule.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20140901:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20150801:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20170401:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20180101preview:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20211101:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20240101:QueueAuthorizationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20240101:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20140901:servicebus:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20150801:servicebus:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20170401:servicebus:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:QueueAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:QueueAuthorizationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(QueueAuthorizationRule, __self__).__init__( 'azure-native:servicebus:QueueAuthorizationRule', diff --git a/sdk/python/pulumi_azure_native/servicebus/rule.py b/sdk/python/pulumi_azure_native/servicebus/rule.py index 5d8cc7e55988..907ee4c6de33 100644 --- a/sdk/python/pulumi_azure_native/servicebus/rule.py +++ b/sdk/python/pulumi_azure_native/servicebus/rule.py @@ -269,7 +269,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20170401:Rule"), pulumi.Alias(type_="azure-native:servicebus/v20180101preview:Rule"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:Rule"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:Rule"), pulumi.Alias(type_="azure-native:servicebus/v20211101:Rule"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:Rule"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:Rule"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:Rule"), pulumi.Alias(type_="azure-native:servicebus/v20240101:Rule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:Rule"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:Rule"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:Rule"), pulumi.Alias(type_="azure-native:servicebus/v20240101:Rule"), pulumi.Alias(type_="azure-native_servicebus_v20170401:servicebus:Rule"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:Rule"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:Rule"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:Rule"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:Rule"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:Rule"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:Rule"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:Rule"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:Rule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Rule, __self__).__init__( 'azure-native:servicebus:Rule', diff --git a/sdk/python/pulumi_azure_native/servicebus/subscription.py b/sdk/python/pulumi_azure_native/servicebus/subscription.py index 7bf16c14decf..857023b5f58c 100644 --- a/sdk/python/pulumi_azure_native/servicebus/subscription.py +++ b/sdk/python/pulumi_azure_native/servicebus/subscription.py @@ -453,7 +453,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20140901:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20150801:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20170401:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20180101preview:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20211101:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20240101:Subscription")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:Subscription"), pulumi.Alias(type_="azure-native:servicebus/v20240101:Subscription"), pulumi.Alias(type_="azure-native_servicebus_v20140901:servicebus:Subscription"), pulumi.Alias(type_="azure-native_servicebus_v20150801:servicebus:Subscription"), pulumi.Alias(type_="azure-native_servicebus_v20170401:servicebus:Subscription"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:Subscription"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:Subscription"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:Subscription"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:Subscription"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:Subscription"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:Subscription"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:Subscription"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:Subscription")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Subscription, __self__).__init__( 'azure-native:servicebus:Subscription', diff --git a/sdk/python/pulumi_azure_native/servicebus/topic.py b/sdk/python/pulumi_azure_native/servicebus/topic.py index c9987f688ed4..17354e352805 100644 --- a/sdk/python/pulumi_azure_native/servicebus/topic.py +++ b/sdk/python/pulumi_azure_native/servicebus/topic.py @@ -372,7 +372,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_at"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20140901:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20150801:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20170401:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20180101preview:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20211101:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20240101:Topic")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:Topic"), pulumi.Alias(type_="azure-native:servicebus/v20240101:Topic"), pulumi.Alias(type_="azure-native_servicebus_v20140901:servicebus:Topic"), pulumi.Alias(type_="azure-native_servicebus_v20150801:servicebus:Topic"), pulumi.Alias(type_="azure-native_servicebus_v20170401:servicebus:Topic"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:Topic"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:Topic"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:Topic"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:Topic"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:Topic"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:Topic"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:Topic"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:Topic")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Topic, __self__).__init__( 'azure-native:servicebus:Topic', diff --git a/sdk/python/pulumi_azure_native/servicebus/topic_authorization_rule.py b/sdk/python/pulumi_azure_native/servicebus/topic_authorization_rule.py index 55798641e573..2cc2d18f2d51 100644 --- a/sdk/python/pulumi_azure_native/servicebus/topic_authorization_rule.py +++ b/sdk/python/pulumi_azure_native/servicebus/topic_authorization_rule.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20140901:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20150801:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20170401:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20180101preview:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20210101preview:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20210601preview:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20211101:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20220101preview:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20240101:TopicAuthorizationRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicebus/v20220101preview:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20221001preview:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20230101preview:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native:servicebus/v20240101:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20140901:servicebus:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20150801:servicebus:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20170401:servicebus:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20180101preview:servicebus:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20210101preview:servicebus:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20210601preview:servicebus:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20211101:servicebus:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20220101preview:servicebus:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20221001preview:servicebus:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20230101preview:servicebus:TopicAuthorizationRule"), pulumi.Alias(type_="azure-native_servicebus_v20240101:servicebus:TopicAuthorizationRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TopicAuthorizationRule, __self__).__init__( 'azure-native:servicebus:TopicAuthorizationRule', diff --git a/sdk/python/pulumi_azure_native/servicefabric/application.py b/sdk/python/pulumi_azure_native/servicefabric/application.py index 328a4ec58397..09f025056a93 100644 --- a/sdk/python/pulumi_azure_native/servicefabric/application.py +++ b/sdk/python/pulumi_azure_native/servicefabric/application.py @@ -286,7 +286,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20210101preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20210501:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20210601:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20210701preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20210901privatepreview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20211101preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20220101:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20220201preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20220601preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20220801preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20221001preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20230201preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:Application"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20241101preview:Application"), pulumi.Alias(type_="azure-native:servicefabric:ManagedClusterApplication")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20210101preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20210501:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20210701preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20210901privatepreview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20211101preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20220101:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20220201preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20220601preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20220801preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20221001preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20230201preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20230301preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20230701preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20230901preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20231101preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20231201preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20240201preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20240401:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20240601preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20240901preview:servicefabric:Application"), pulumi.Alias(type_="azure-native_servicefabric_v20241101preview:servicefabric:Application")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Application, __self__).__init__( 'azure-native:servicefabric:Application', diff --git a/sdk/python/pulumi_azure_native/servicefabric/application_type.py b/sdk/python/pulumi_azure_native/servicefabric/application_type.py index 67e4eef31351..02916c9e1417 100644 --- a/sdk/python/pulumi_azure_native/servicefabric/application_type.py +++ b/sdk/python/pulumi_azure_native/servicefabric/application_type.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20210101preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20210501:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20210601:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20210701preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20210901privatepreview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20211101preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20220101:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20220201preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20220601preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20220801preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20221001preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230201preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20241101preview:ApplicationType"), pulumi.Alias(type_="azure-native:servicefabric:ManagedClusterApplicationType")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20210101preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20210501:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20210701preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20210901privatepreview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20211101preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20220101:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20220201preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20220601preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20220801preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20221001preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20230201preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20230301preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20230701preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20230901preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20231101preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20231201preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20240201preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20240401:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20240601preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20240901preview:servicefabric:ApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20241101preview:servicefabric:ApplicationType")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationType, __self__).__init__( 'azure-native:servicefabric:ApplicationType', diff --git a/sdk/python/pulumi_azure_native/servicefabric/application_type_version.py b/sdk/python/pulumi_azure_native/servicefabric/application_type_version.py index 96e5006c010f..ffd535a9d39f 100644 --- a/sdk/python/pulumi_azure_native/servicefabric/application_type_version.py +++ b/sdk/python/pulumi_azure_native/servicefabric/application_type_version.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20210101preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20210501:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20210601:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20210701preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20210901privatepreview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20211101preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20220101:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20220201preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20220601preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20220801preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20221001preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230201preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20241101preview:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric:ManagedClusterApplicationTypeVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20210101preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20210501:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20210701preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20210901privatepreview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20211101preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20220101:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20220201preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20220601preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20220801preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20221001preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20230201preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20230301preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20230701preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20230901preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20231101preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20231201preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20240201preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20240401:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20240601preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20240901preview:servicefabric:ApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20241101preview:servicefabric:ApplicationTypeVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationTypeVersion, __self__).__init__( 'azure-native:servicefabric:ApplicationTypeVersion', diff --git a/sdk/python/pulumi_azure_native/servicefabric/managed_cluster.py b/sdk/python/pulumi_azure_native/servicefabric/managed_cluster.py index 6106693b1b7d..67f25fd9aa0d 100644 --- a/sdk/python/pulumi_azure_native/servicefabric/managed_cluster.py +++ b/sdk/python/pulumi_azure_native/servicefabric/managed_cluster.py @@ -848,7 +848,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20200101preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20210101preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20210501:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20210701preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20210901privatepreview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20211101preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20220101:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20220201preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20220601preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20220801preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20221001preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20230201preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20241101preview:ManagedCluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20200101preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20220101:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20221001preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedCluster"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20200101preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20210101preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20210501:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20210701preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20211101preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20220101:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20220201preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20220601preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20220801preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20221001preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20230201preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20230301preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20230701preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20230901preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20231101preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20231201preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20240201preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20240401:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20240601preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20240901preview:servicefabric:ManagedCluster"), pulumi.Alias(type_="azure-native_servicefabric_v20241101preview:servicefabric:ManagedCluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedCluster, __self__).__init__( 'azure-native:servicefabric:ManagedCluster', diff --git a/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application.py b/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application.py index 29ec2415052e..2b8103865a86 100644 --- a/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application.py +++ b/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application.py @@ -290,7 +290,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20210101preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20210501:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20210701preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20210901privatepreview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20211101preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20220101:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20220201preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20220601preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20220801preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20221001preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20230201preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20241101preview:ManagedClusterApplication")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20210501:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20220101:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplication"), pulumi.Alias(type_="azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterApplication")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedClusterApplication, __self__).__init__( 'azure-native:servicefabric:ManagedClusterApplication', diff --git a/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application_type.py b/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application_type.py index a988b01e5a16..bfd4f1195c31 100644 --- a/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application_type.py +++ b/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application_type.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20210101preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20210501:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20210701preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20210901privatepreview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20211101preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20220101:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20220201preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20220601preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20220801preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20221001preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230201preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20241101preview:ManagedClusterApplicationType")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20210501:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20220101:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplicationType"), pulumi.Alias(type_="azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterApplicationType")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedClusterApplicationType, __self__).__init__( 'azure-native:servicefabric:ManagedClusterApplicationType', diff --git a/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application_type_version.py b/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application_type_version.py index 2d5ec64a85f6..b21b88523cc8 100644 --- a/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application_type_version.py +++ b/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_application_type_version.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20210101preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20210501:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20210701preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20210901privatepreview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20211101preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20220101:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20220201preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20220601preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20220801preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20221001preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230201preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20241101preview:ManagedClusterApplicationTypeVersion")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20210501:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20220101:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20240401:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterApplicationTypeVersion"), pulumi.Alias(type_="azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterApplicationTypeVersion")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedClusterApplicationTypeVersion, __self__).__init__( 'azure-native:servicefabric:ManagedClusterApplicationTypeVersion', diff --git a/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_service.py b/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_service.py index f04fd210c269..3615abad4e74 100644 --- a/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_service.py +++ b/sdk/python/pulumi_azure_native/servicefabric/managed_cluster_service.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20210101preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20210501:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20210701preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20210901privatepreview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20211101preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20220101:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20220201preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20220601preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20220801preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20221001preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20230201preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20241101preview:ManagedClusterService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20210101preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20210501:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20210701preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20210901privatepreview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20211101preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20220101:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20220201preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20220601preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20220801preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20221001preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20230201preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20230301preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20230701preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20230901preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20231101preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20231201preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20240201preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20240401:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20240601preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20240901preview:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20241101preview:servicefabric:ManagedClusterService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedClusterService, __self__).__init__( 'azure-native:servicefabric:ManagedClusterService', diff --git a/sdk/python/pulumi_azure_native/servicefabric/node_type.py b/sdk/python/pulumi_azure_native/servicefabric/node_type.py index 82f75fbf1fc4..95579070d65c 100644 --- a/sdk/python/pulumi_azure_native/servicefabric/node_type.py +++ b/sdk/python/pulumi_azure_native/servicefabric/node_type.py @@ -1161,7 +1161,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20200101preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20210101preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20210501:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20210701preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20210901privatepreview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20211101preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20220101:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20220201preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20220601preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20220801preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20221001preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20230201preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20241101preview:NodeType")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:NodeType"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20200101preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20210101preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20210501:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20210701preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20210901privatepreview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20211101preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20220101:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20220201preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20220601preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20220801preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20221001preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20230201preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20230301preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20230701preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20230901preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20231101preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20231201preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20240201preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20240401:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20240601preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20240901preview:servicefabric:NodeType"), pulumi.Alias(type_="azure-native_servicefabric_v20241101preview:servicefabric:NodeType")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(NodeType, __self__).__init__( 'azure-native:servicefabric:NodeType', diff --git a/sdk/python/pulumi_azure_native/servicefabric/service.py b/sdk/python/pulumi_azure_native/servicefabric/service.py index 21475bbc3cf7..a437c8e92584 100644 --- a/sdk/python/pulumi_azure_native/servicefabric/service.py +++ b/sdk/python/pulumi_azure_native/servicefabric/service.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20210101preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20210501:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20210601:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20210701preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20210901privatepreview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20211101preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20220101:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20220201preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20220601preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20220801preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20221001preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20230201preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:Service"), pulumi.Alias(type_="azure-native:servicefabric/v20241101preview:Service"), pulumi.Alias(type_="azure-native:servicefabric:ManagedClusterService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabric/v20230301preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20230701preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20230901preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20231101preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20231201preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240201preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240401:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240601preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric/v20240901preview:ManagedClusterService"), pulumi.Alias(type_="azure-native:servicefabric:ManagedClusterService"), pulumi.Alias(type_="azure-native_servicefabric_v20210101preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20210501:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20210701preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20210901privatepreview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20211101preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20220101:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20220201preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20220601preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20220801preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20221001preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20230201preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20230301preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20230701preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20230901preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20231101preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20231201preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20240201preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20240401:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20240601preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20240901preview:servicefabric:Service"), pulumi.Alias(type_="azure-native_servicefabric_v20241101preview:servicefabric:Service")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Service, __self__).__init__( 'azure-native:servicefabric:Service', diff --git a/sdk/python/pulumi_azure_native/servicefabricmesh/application.py b/sdk/python/pulumi_azure_native/servicefabricmesh/application.py index 626060a9ab9f..8782c028f6ee 100644 --- a/sdk/python/pulumi_azure_native/servicefabricmesh/application.py +++ b/sdk/python/pulumi_azure_native/servicefabricmesh/application.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["status_details"] = None __props__.__dict__["type"] = None __props__.__dict__["unhealthy_evaluation"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180701preview:Application"), pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:Application")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:Application"), pulumi.Alias(type_="azure-native_servicefabricmesh_v20180701preview:servicefabricmesh:Application"), pulumi.Alias(type_="azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Application")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Application, __self__).__init__( 'azure-native:servicefabricmesh:Application', diff --git a/sdk/python/pulumi_azure_native/servicefabricmesh/gateway.py b/sdk/python/pulumi_azure_native/servicefabricmesh/gateway.py index b5f90e37fd61..a044f0576112 100644 --- a/sdk/python/pulumi_azure_native/servicefabricmesh/gateway.py +++ b/sdk/python/pulumi_azure_native/servicefabricmesh/gateway.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["status_details"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:Gateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:Gateway"), pulumi.Alias(type_="azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Gateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Gateway, __self__).__init__( 'azure-native:servicefabricmesh:Gateway', diff --git a/sdk/python/pulumi_azure_native/servicefabricmesh/network.py b/sdk/python/pulumi_azure_native/servicefabricmesh/network.py index 7e0f1869eed8..9f991fea6643 100644 --- a/sdk/python/pulumi_azure_native/servicefabricmesh/network.py +++ b/sdk/python/pulumi_azure_native/servicefabricmesh/network.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180701preview:Network"), pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:Network")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:Network"), pulumi.Alias(type_="azure-native_servicefabricmesh_v20180701preview:servicefabricmesh:Network"), pulumi.Alias(type_="azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Network")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Network, __self__).__init__( 'azure-native:servicefabricmesh:Network', diff --git a/sdk/python/pulumi_azure_native/servicefabricmesh/secret.py b/sdk/python/pulumi_azure_native/servicefabricmesh/secret.py index c16d1074531d..272f0eb5115d 100644 --- a/sdk/python/pulumi_azure_native/servicefabricmesh/secret.py +++ b/sdk/python/pulumi_azure_native/servicefabricmesh/secret.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:Secret")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:Secret"), pulumi.Alias(type_="azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Secret")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Secret, __self__).__init__( 'azure-native:servicefabricmesh:Secret', diff --git a/sdk/python/pulumi_azure_native/servicefabricmesh/secret_value.py b/sdk/python/pulumi_azure_native/servicefabricmesh/secret_value.py index 6faf39a641b3..c8806fa6fc0e 100644 --- a/sdk/python/pulumi_azure_native/servicefabricmesh/secret_value.py +++ b/sdk/python/pulumi_azure_native/servicefabricmesh/secret_value.py @@ -199,7 +199,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:SecretValue")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:SecretValue"), pulumi.Alias(type_="azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:SecretValue")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecretValue, __self__).__init__( 'azure-native:servicefabricmesh:SecretValue', diff --git a/sdk/python/pulumi_azure_native/servicefabricmesh/volume.py b/sdk/python/pulumi_azure_native/servicefabricmesh/volume.py index 8a277dba56ad..be5dd5a7cf01 100644 --- a/sdk/python/pulumi_azure_native/servicefabricmesh/volume.py +++ b/sdk/python/pulumi_azure_native/servicefabricmesh/volume.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["status_details"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180701preview:Volume"), pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:Volume")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicefabricmesh/v20180901preview:Volume"), pulumi.Alias(type_="azure-native_servicefabricmesh_v20180701preview:servicefabricmesh:Volume"), pulumi.Alias(type_="azure-native_servicefabricmesh_v20180901preview:servicefabricmesh:Volume")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Volume, __self__).__init__( 'azure-native:servicefabricmesh:Volume', diff --git a/sdk/python/pulumi_azure_native/servicelinker/connector.py b/sdk/python/pulumi_azure_native/servicelinker/connector.py index b451e07be258..f9129748d14c 100644 --- a/sdk/python/pulumi_azure_native/servicelinker/connector.py +++ b/sdk/python/pulumi_azure_native/servicelinker/connector.py @@ -327,7 +327,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicelinker/v20221101preview:Connector"), pulumi.Alias(type_="azure-native:servicelinker/v20230401preview:Connector"), pulumi.Alias(type_="azure-native:servicelinker/v20240401:Connector"), pulumi.Alias(type_="azure-native:servicelinker/v20240701preview:Connector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicelinker/v20221101preview:Connector"), pulumi.Alias(type_="azure-native:servicelinker/v20230401preview:Connector"), pulumi.Alias(type_="azure-native:servicelinker/v20240401:Connector"), pulumi.Alias(type_="azure-native:servicelinker/v20240701preview:Connector"), pulumi.Alias(type_="azure-native_servicelinker_v20221101preview:servicelinker:Connector"), pulumi.Alias(type_="azure-native_servicelinker_v20230401preview:servicelinker:Connector"), pulumi.Alias(type_="azure-native_servicelinker_v20240401:servicelinker:Connector"), pulumi.Alias(type_="azure-native_servicelinker_v20240701preview:servicelinker:Connector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Connector, __self__).__init__( 'azure-native:servicelinker:Connector', diff --git a/sdk/python/pulumi_azure_native/servicelinker/connector_dryrun.py b/sdk/python/pulumi_azure_native/servicelinker/connector_dryrun.py index f5a46c437b63..4730cadea3f0 100644 --- a/sdk/python/pulumi_azure_native/servicelinker/connector_dryrun.py +++ b/sdk/python/pulumi_azure_native/servicelinker/connector_dryrun.py @@ -189,7 +189,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicelinker/v20221101preview:ConnectorDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20230401preview:ConnectorDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20240401:ConnectorDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20240701preview:ConnectorDryrun")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicelinker/v20221101preview:ConnectorDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20230401preview:ConnectorDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20240401:ConnectorDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20240701preview:ConnectorDryrun"), pulumi.Alias(type_="azure-native_servicelinker_v20221101preview:servicelinker:ConnectorDryrun"), pulumi.Alias(type_="azure-native_servicelinker_v20230401preview:servicelinker:ConnectorDryrun"), pulumi.Alias(type_="azure-native_servicelinker_v20240401:servicelinker:ConnectorDryrun"), pulumi.Alias(type_="azure-native_servicelinker_v20240701preview:servicelinker:ConnectorDryrun")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectorDryrun, __self__).__init__( 'azure-native:servicelinker:ConnectorDryrun', diff --git a/sdk/python/pulumi_azure_native/servicelinker/linker.py b/sdk/python/pulumi_azure_native/servicelinker/linker.py index 7731b7d678bc..0466701b4b24 100644 --- a/sdk/python/pulumi_azure_native/servicelinker/linker.py +++ b/sdk/python/pulumi_azure_native/servicelinker/linker.py @@ -286,7 +286,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicelinker/v20211101preview:Linker"), pulumi.Alias(type_="azure-native:servicelinker/v20220101preview:Linker"), pulumi.Alias(type_="azure-native:servicelinker/v20220501:Linker"), pulumi.Alias(type_="azure-native:servicelinker/v20221101preview:Linker"), pulumi.Alias(type_="azure-native:servicelinker/v20230401preview:Linker"), pulumi.Alias(type_="azure-native:servicelinker/v20240401:Linker"), pulumi.Alias(type_="azure-native:servicelinker/v20240701preview:Linker")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicelinker/v20211101preview:Linker"), pulumi.Alias(type_="azure-native:servicelinker/v20221101preview:Linker"), pulumi.Alias(type_="azure-native:servicelinker/v20230401preview:Linker"), pulumi.Alias(type_="azure-native:servicelinker/v20240401:Linker"), pulumi.Alias(type_="azure-native:servicelinker/v20240701preview:Linker"), pulumi.Alias(type_="azure-native_servicelinker_v20211101preview:servicelinker:Linker"), pulumi.Alias(type_="azure-native_servicelinker_v20220101preview:servicelinker:Linker"), pulumi.Alias(type_="azure-native_servicelinker_v20220501:servicelinker:Linker"), pulumi.Alias(type_="azure-native_servicelinker_v20221101preview:servicelinker:Linker"), pulumi.Alias(type_="azure-native_servicelinker_v20230401preview:servicelinker:Linker"), pulumi.Alias(type_="azure-native_servicelinker_v20240401:servicelinker:Linker"), pulumi.Alias(type_="azure-native_servicelinker_v20240701preview:servicelinker:Linker")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Linker, __self__).__init__( 'azure-native:servicelinker:Linker', diff --git a/sdk/python/pulumi_azure_native/servicelinker/linker_dryrun.py b/sdk/python/pulumi_azure_native/servicelinker/linker_dryrun.py index 7ca395b8d0cf..aade19f232ce 100644 --- a/sdk/python/pulumi_azure_native/servicelinker/linker_dryrun.py +++ b/sdk/python/pulumi_azure_native/servicelinker/linker_dryrun.py @@ -148,7 +148,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicelinker/v20221101preview:LinkerDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20230401preview:LinkerDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20240401:LinkerDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20240701preview:LinkerDryrun")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicelinker/v20221101preview:LinkerDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20230401preview:LinkerDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20240401:LinkerDryrun"), pulumi.Alias(type_="azure-native:servicelinker/v20240701preview:LinkerDryrun"), pulumi.Alias(type_="azure-native_servicelinker_v20221101preview:servicelinker:LinkerDryrun"), pulumi.Alias(type_="azure-native_servicelinker_v20230401preview:servicelinker:LinkerDryrun"), pulumi.Alias(type_="azure-native_servicelinker_v20240401:servicelinker:LinkerDryrun"), pulumi.Alias(type_="azure-native_servicelinker_v20240701preview:servicelinker:LinkerDryrun")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LinkerDryrun, __self__).__init__( 'azure-native:servicelinker:LinkerDryrun', diff --git a/sdk/python/pulumi_azure_native/servicenetworking/associations_interface.py b/sdk/python/pulumi_azure_native/servicenetworking/associations_interface.py index afda286d023f..ed2e68f9a898 100644 --- a/sdk/python/pulumi_azure_native/servicenetworking/associations_interface.py +++ b/sdk/python/pulumi_azure_native/servicenetworking/associations_interface.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicenetworking/v20221001preview:AssociationsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20230501preview:AssociationsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20231101:AssociationsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20240501preview:AssociationsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250101:AssociationsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250301preview:AssociationsInterface")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicenetworking/v20221001preview:AssociationsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20230501preview:AssociationsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20231101:AssociationsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20240501preview:AssociationsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250101:AssociationsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20221001preview:servicenetworking:AssociationsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20230501preview:servicenetworking:AssociationsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20231101:servicenetworking:AssociationsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20240501preview:servicenetworking:AssociationsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20250101:servicenetworking:AssociationsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20250301preview:servicenetworking:AssociationsInterface")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AssociationsInterface, __self__).__init__( 'azure-native:servicenetworking:AssociationsInterface', diff --git a/sdk/python/pulumi_azure_native/servicenetworking/frontends_interface.py b/sdk/python/pulumi_azure_native/servicenetworking/frontends_interface.py index 6995a8ad0729..967c2fdb7ae4 100644 --- a/sdk/python/pulumi_azure_native/servicenetworking/frontends_interface.py +++ b/sdk/python/pulumi_azure_native/servicenetworking/frontends_interface.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicenetworking/v20221001preview:FrontendsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20230501preview:FrontendsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20231101:FrontendsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20240501preview:FrontendsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250101:FrontendsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250301preview:FrontendsInterface")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicenetworking/v20221001preview:FrontendsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20230501preview:FrontendsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20231101:FrontendsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20240501preview:FrontendsInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250101:FrontendsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20221001preview:servicenetworking:FrontendsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20230501preview:servicenetworking:FrontendsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20231101:servicenetworking:FrontendsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20240501preview:servicenetworking:FrontendsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20250101:servicenetworking:FrontendsInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20250301preview:servicenetworking:FrontendsInterface")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FrontendsInterface, __self__).__init__( 'azure-native:servicenetworking:FrontendsInterface', diff --git a/sdk/python/pulumi_azure_native/servicenetworking/security_policies_interface.py b/sdk/python/pulumi_azure_native/servicenetworking/security_policies_interface.py index 5275cc9bae48..fca0bab10dbf 100644 --- a/sdk/python/pulumi_azure_native/servicenetworking/security_policies_interface.py +++ b/sdk/python/pulumi_azure_native/servicenetworking/security_policies_interface.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicenetworking/v20240501preview:SecurityPoliciesInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250101:SecurityPoliciesInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250301preview:SecurityPoliciesInterface")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicenetworking/v20240501preview:SecurityPoliciesInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250101:SecurityPoliciesInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20240501preview:servicenetworking:SecurityPoliciesInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20250101:servicenetworking:SecurityPoliciesInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20250301preview:servicenetworking:SecurityPoliciesInterface")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SecurityPoliciesInterface, __self__).__init__( 'azure-native:servicenetworking:SecurityPoliciesInterface', diff --git a/sdk/python/pulumi_azure_native/servicenetworking/traffic_controller_interface.py b/sdk/python/pulumi_azure_native/servicenetworking/traffic_controller_interface.py index e74ed7fecca6..1d1fc1274916 100644 --- a/sdk/python/pulumi_azure_native/servicenetworking/traffic_controller_interface.py +++ b/sdk/python/pulumi_azure_native/servicenetworking/traffic_controller_interface.py @@ -189,7 +189,7 @@ def _internal_init(__self__, __props__.__dict__["security_policies"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicenetworking/v20221001preview:TrafficControllerInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20230501preview:TrafficControllerInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20231101:TrafficControllerInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20240501preview:TrafficControllerInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250101:TrafficControllerInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250301preview:TrafficControllerInterface")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:servicenetworking/v20221001preview:TrafficControllerInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20230501preview:TrafficControllerInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20231101:TrafficControllerInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20240501preview:TrafficControllerInterface"), pulumi.Alias(type_="azure-native:servicenetworking/v20250101:TrafficControllerInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20221001preview:servicenetworking:TrafficControllerInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20230501preview:servicenetworking:TrafficControllerInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20231101:servicenetworking:TrafficControllerInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20240501preview:servicenetworking:TrafficControllerInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20250101:servicenetworking:TrafficControllerInterface"), pulumi.Alias(type_="azure-native_servicenetworking_v20250301preview:servicenetworking:TrafficControllerInterface")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TrafficControllerInterface, __self__).__init__( 'azure-native:servicenetworking:TrafficControllerInterface', diff --git a/sdk/python/pulumi_azure_native/signalrservice/signal_r.py b/sdk/python/pulumi_azure_native/signalrservice/signal_r.py index b8da06ff7d18..3e3f14dd6dde 100644 --- a/sdk/python/pulumi_azure_native/signalrservice/signal_r.py +++ b/sdk/python/pulumi_azure_native/signalrservice/signal_r.py @@ -559,7 +559,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20180301preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20181001:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20200501:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20200701preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20210401preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20210601preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20210901preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20211001:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20220201:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20220801preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20230201:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalR")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20230201:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalR"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20180301preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20181001:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20200501:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20200701preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20210401preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20210601preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20210901preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20211001:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20220201:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20220801preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20230201:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20230301preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20230601preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20230801preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20240101preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20240301:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20240401preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20240801preview:signalrservice:SignalR"), pulumi.Alias(type_="azure-native_signalrservice_v20241001preview:signalrservice:SignalR")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SignalR, __self__).__init__( 'azure-native:signalrservice:SignalR', diff --git a/sdk/python/pulumi_azure_native/signalrservice/signal_r_custom_certificate.py b/sdk/python/pulumi_azure_native/signalrservice/signal_r_custom_certificate.py index 717900296ee2..b5deac5d9079 100644 --- a/sdk/python/pulumi_azure_native/signalrservice/signal_r_custom_certificate.py +++ b/sdk/python/pulumi_azure_native/signalrservice/signal_r_custom_certificate.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20220201:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20220801preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20230201:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalRCustomCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20230201:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native_signalrservice_v20220201:signalrservice:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native_signalrservice_v20220801preview:signalrservice:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native_signalrservice_v20230201:signalrservice:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native_signalrservice_v20230301preview:signalrservice:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native_signalrservice_v20230601preview:signalrservice:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native_signalrservice_v20230801preview:signalrservice:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native_signalrservice_v20240101preview:signalrservice:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native_signalrservice_v20240301:signalrservice:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native_signalrservice_v20240401preview:signalrservice:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native_signalrservice_v20240801preview:signalrservice:SignalRCustomCertificate"), pulumi.Alias(type_="azure-native_signalrservice_v20241001preview:signalrservice:SignalRCustomCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SignalRCustomCertificate, __self__).__init__( 'azure-native:signalrservice:SignalRCustomCertificate', diff --git a/sdk/python/pulumi_azure_native/signalrservice/signal_r_custom_domain.py b/sdk/python/pulumi_azure_native/signalrservice/signal_r_custom_domain.py index f656cf5f883f..403c79085cd1 100644 --- a/sdk/python/pulumi_azure_native/signalrservice/signal_r_custom_domain.py +++ b/sdk/python/pulumi_azure_native/signalrservice/signal_r_custom_domain.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20220201:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20220801preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20230201:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalRCustomDomain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20230201:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalRCustomDomain"), pulumi.Alias(type_="azure-native_signalrservice_v20220201:signalrservice:SignalRCustomDomain"), pulumi.Alias(type_="azure-native_signalrservice_v20220801preview:signalrservice:SignalRCustomDomain"), pulumi.Alias(type_="azure-native_signalrservice_v20230201:signalrservice:SignalRCustomDomain"), pulumi.Alias(type_="azure-native_signalrservice_v20230301preview:signalrservice:SignalRCustomDomain"), pulumi.Alias(type_="azure-native_signalrservice_v20230601preview:signalrservice:SignalRCustomDomain"), pulumi.Alias(type_="azure-native_signalrservice_v20230801preview:signalrservice:SignalRCustomDomain"), pulumi.Alias(type_="azure-native_signalrservice_v20240101preview:signalrservice:SignalRCustomDomain"), pulumi.Alias(type_="azure-native_signalrservice_v20240301:signalrservice:SignalRCustomDomain"), pulumi.Alias(type_="azure-native_signalrservice_v20240401preview:signalrservice:SignalRCustomDomain"), pulumi.Alias(type_="azure-native_signalrservice_v20240801preview:signalrservice:SignalRCustomDomain"), pulumi.Alias(type_="azure-native_signalrservice_v20241001preview:signalrservice:SignalRCustomDomain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SignalRCustomDomain, __self__).__init__( 'azure-native:signalrservice:SignalRCustomDomain', diff --git a/sdk/python/pulumi_azure_native/signalrservice/signal_r_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/signalrservice/signal_r_private_endpoint_connection.py index 3537cab0ab9f..dda8b0fc500c 100644 --- a/sdk/python/pulumi_azure_native/signalrservice/signal_r_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/signalrservice/signal_r_private_endpoint_connection.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20200501:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20200701preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20210401preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20210601preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20210901preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20211001:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20220201:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20220801preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20230201:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalRPrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20230201:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20200501:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20200701preview:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20210401preview:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20210601preview:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20210901preview:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20211001:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20220201:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20220801preview:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20230201:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20230301preview:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20230601preview:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20230801preview:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20240101preview:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20240301:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20240401preview:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20240801preview:signalrservice:SignalRPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_signalrservice_v20241001preview:signalrservice:SignalRPrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SignalRPrivateEndpointConnection, __self__).__init__( 'azure-native:signalrservice:SignalRPrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/signalrservice/signal_r_replica.py b/sdk/python/pulumi_azure_native/signalrservice/signal_r_replica.py index 8096e1b4671c..670f50d9a9c3 100644 --- a/sdk/python/pulumi_azure_native/signalrservice/signal_r_replica.py +++ b/sdk/python/pulumi_azure_native/signalrservice/signal_r_replica.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalRReplica")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalRReplica"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalRReplica"), pulumi.Alias(type_="azure-native_signalrservice_v20230301preview:signalrservice:SignalRReplica"), pulumi.Alias(type_="azure-native_signalrservice_v20230601preview:signalrservice:SignalRReplica"), pulumi.Alias(type_="azure-native_signalrservice_v20230801preview:signalrservice:SignalRReplica"), pulumi.Alias(type_="azure-native_signalrservice_v20240101preview:signalrservice:SignalRReplica"), pulumi.Alias(type_="azure-native_signalrservice_v20240301:signalrservice:SignalRReplica"), pulumi.Alias(type_="azure-native_signalrservice_v20240401preview:signalrservice:SignalRReplica"), pulumi.Alias(type_="azure-native_signalrservice_v20240801preview:signalrservice:SignalRReplica"), pulumi.Alias(type_="azure-native_signalrservice_v20241001preview:signalrservice:SignalRReplica")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SignalRReplica, __self__).__init__( 'azure-native:signalrservice:SignalRReplica', diff --git a/sdk/python/pulumi_azure_native/signalrservice/signal_r_shared_private_link_resource.py b/sdk/python/pulumi_azure_native/signalrservice/signal_r_shared_private_link_resource.py index 4a3af7d98e0e..ebe2255841e6 100644 --- a/sdk/python/pulumi_azure_native/signalrservice/signal_r_shared_private_link_resource.py +++ b/sdk/python/pulumi_azure_native/signalrservice/signal_r_shared_private_link_resource.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20210401preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20210601preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20210901preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20211001:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20220201:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20220801preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20230201:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalRSharedPrivateLinkResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:signalrservice/v20230201:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20230301preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20230601preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20230801preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20240101preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20240301:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20240401preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20240801preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:signalrservice/v20241001preview:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20210401preview:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20210601preview:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20210901preview:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20211001:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20220201:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20220801preview:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20230201:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20230301preview:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20230601preview:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20230801preview:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20240101preview:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20240301:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20240401preview:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20240801preview:signalrservice:SignalRSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_signalrservice_v20241001preview:signalrservice:SignalRSharedPrivateLinkResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SignalRSharedPrivateLinkResource, __self__).__init__( 'azure-native:signalrservice:SignalRSharedPrivateLinkResource', diff --git a/sdk/python/pulumi_azure_native/softwareplan/hybrid_use_benefit.py b/sdk/python/pulumi_azure_native/softwareplan/hybrid_use_benefit.py index e61bac004222..b47e46833e52 100644 --- a/sdk/python/pulumi_azure_native/softwareplan/hybrid_use_benefit.py +++ b/sdk/python/pulumi_azure_native/softwareplan/hybrid_use_benefit.py @@ -144,7 +144,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:softwareplan/v20190601preview:HybridUseBenefit"), pulumi.Alias(type_="azure-native:softwareplan/v20191201:HybridUseBenefit")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:softwareplan/v20191201:HybridUseBenefit"), pulumi.Alias(type_="azure-native_softwareplan_v20190601preview:softwareplan:HybridUseBenefit"), pulumi.Alias(type_="azure-native_softwareplan_v20191201:softwareplan:HybridUseBenefit")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(HybridUseBenefit, __self__).__init__( 'azure-native:softwareplan:HybridUseBenefit', diff --git a/sdk/python/pulumi_azure_native/solutions/application.py b/sdk/python/pulumi_azure_native/solutions/application.py index a8e7f9b80dcc..49075fa5449d 100644 --- a/sdk/python/pulumi_azure_native/solutions/application.py +++ b/sdk/python/pulumi_azure_native/solutions/application.py @@ -357,7 +357,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_by"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:solutions/v20160901preview:Application"), pulumi.Alias(type_="azure-native:solutions/v20170901:Application"), pulumi.Alias(type_="azure-native:solutions/v20171201:Application"), pulumi.Alias(type_="azure-native:solutions/v20180201:Application"), pulumi.Alias(type_="azure-native:solutions/v20180301:Application"), pulumi.Alias(type_="azure-native:solutions/v20180601:Application"), pulumi.Alias(type_="azure-native:solutions/v20180901preview:Application"), pulumi.Alias(type_="azure-native:solutions/v20190701:Application"), pulumi.Alias(type_="azure-native:solutions/v20200821preview:Application"), pulumi.Alias(type_="azure-native:solutions/v20210201preview:Application"), pulumi.Alias(type_="azure-native:solutions/v20210701:Application"), pulumi.Alias(type_="azure-native:solutions/v20231201preview:Application")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:solutions/v20210701:Application"), pulumi.Alias(type_="azure-native:solutions/v20231201preview:Application"), pulumi.Alias(type_="azure-native_solutions_v20160901preview:solutions:Application"), pulumi.Alias(type_="azure-native_solutions_v20170901:solutions:Application"), pulumi.Alias(type_="azure-native_solutions_v20171201:solutions:Application"), pulumi.Alias(type_="azure-native_solutions_v20180201:solutions:Application"), pulumi.Alias(type_="azure-native_solutions_v20180301:solutions:Application"), pulumi.Alias(type_="azure-native_solutions_v20180601:solutions:Application"), pulumi.Alias(type_="azure-native_solutions_v20180901preview:solutions:Application"), pulumi.Alias(type_="azure-native_solutions_v20190701:solutions:Application"), pulumi.Alias(type_="azure-native_solutions_v20200821preview:solutions:Application"), pulumi.Alias(type_="azure-native_solutions_v20210201preview:solutions:Application"), pulumi.Alias(type_="azure-native_solutions_v20210701:solutions:Application"), pulumi.Alias(type_="azure-native_solutions_v20231201preview:solutions:Application")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Application, __self__).__init__( 'azure-native:solutions:Application', diff --git a/sdk/python/pulumi_azure_native/solutions/application_definition.py b/sdk/python/pulumi_azure_native/solutions/application_definition.py index 6d9a776787a5..318bd00aca7a 100644 --- a/sdk/python/pulumi_azure_native/solutions/application_definition.py +++ b/sdk/python/pulumi_azure_native/solutions/application_definition.py @@ -506,7 +506,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:solutions/v20160901preview:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20170901:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20171201:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20180201:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20180301:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20180601:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20180901preview:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20190701:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20200821preview:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20210201preview:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20210701:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20231201preview:ApplicationDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:solutions/v20210701:ApplicationDefinition"), pulumi.Alias(type_="azure-native:solutions/v20231201preview:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20160901preview:solutions:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20170901:solutions:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20171201:solutions:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20180201:solutions:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20180301:solutions:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20180601:solutions:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20180901preview:solutions:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20190701:solutions:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20200821preview:solutions:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20210201preview:solutions:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20210701:solutions:ApplicationDefinition"), pulumi.Alias(type_="azure-native_solutions_v20231201preview:solutions:ApplicationDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ApplicationDefinition, __self__).__init__( 'azure-native:solutions:ApplicationDefinition', diff --git a/sdk/python/pulumi_azure_native/solutions/jit_request.py b/sdk/python/pulumi_azure_native/solutions/jit_request.py index d2ff864ac829..3e4872786098 100644 --- a/sdk/python/pulumi_azure_native/solutions/jit_request.py +++ b/sdk/python/pulumi_azure_native/solutions/jit_request.py @@ -233,7 +233,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["updated_by"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:solutions/v20180301:JitRequest"), pulumi.Alias(type_="azure-native:solutions/v20180601:JitRequest"), pulumi.Alias(type_="azure-native:solutions/v20180901preview:JitRequest"), pulumi.Alias(type_="azure-native:solutions/v20190701:JitRequest"), pulumi.Alias(type_="azure-native:solutions/v20200821preview:JitRequest"), pulumi.Alias(type_="azure-native:solutions/v20210201preview:JitRequest"), pulumi.Alias(type_="azure-native:solutions/v20210701:JitRequest"), pulumi.Alias(type_="azure-native:solutions/v20231201preview:JitRequest")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:solutions/v20210701:JitRequest"), pulumi.Alias(type_="azure-native:solutions/v20231201preview:JitRequest"), pulumi.Alias(type_="azure-native_solutions_v20180301:solutions:JitRequest"), pulumi.Alias(type_="azure-native_solutions_v20180601:solutions:JitRequest"), pulumi.Alias(type_="azure-native_solutions_v20180901preview:solutions:JitRequest"), pulumi.Alias(type_="azure-native_solutions_v20190701:solutions:JitRequest"), pulumi.Alias(type_="azure-native_solutions_v20200821preview:solutions:JitRequest"), pulumi.Alias(type_="azure-native_solutions_v20210201preview:solutions:JitRequest"), pulumi.Alias(type_="azure-native_solutions_v20210701:solutions:JitRequest"), pulumi.Alias(type_="azure-native_solutions_v20231201preview:solutions:JitRequest")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JitRequest, __self__).__init__( 'azure-native:solutions:JitRequest', diff --git a/sdk/python/pulumi_azure_native/sovereign/landing_zone_account_operation.py b/sdk/python/pulumi_azure_native/sovereign/landing_zone_account_operation.py index 4ce7507fe3fa..eaf8bd343d99 100644 --- a/sdk/python/pulumi_azure_native/sovereign/landing_zone_account_operation.py +++ b/sdk/python/pulumi_azure_native/sovereign/landing_zone_account_operation.py @@ -201,7 +201,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sovereign/v20250227preview:LandingZoneAccountOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_sovereign_v20250227preview:sovereign:LandingZoneAccountOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LandingZoneAccountOperation, __self__).__init__( 'azure-native:sovereign:LandingZoneAccountOperation', diff --git a/sdk/python/pulumi_azure_native/sovereign/landing_zone_configuration_operation.py b/sdk/python/pulumi_azure_native/sovereign/landing_zone_configuration_operation.py index 6c141a3ec3f4..f95742b1fe8c 100644 --- a/sdk/python/pulumi_azure_native/sovereign/landing_zone_configuration_operation.py +++ b/sdk/python/pulumi_azure_native/sovereign/landing_zone_configuration_operation.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sovereign/v20250227preview:LandingZoneConfigurationOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_sovereign_v20250227preview:sovereign:LandingZoneConfigurationOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LandingZoneConfigurationOperation, __self__).__init__( 'azure-native:sovereign:LandingZoneConfigurationOperation', diff --git a/sdk/python/pulumi_azure_native/sovereign/landing_zone_registration_operation.py b/sdk/python/pulumi_azure_native/sovereign/landing_zone_registration_operation.py index 7ae71777f629..5508a2d8ad97 100644 --- a/sdk/python/pulumi_azure_native/sovereign/landing_zone_registration_operation.py +++ b/sdk/python/pulumi_azure_native/sovereign/landing_zone_registration_operation.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sovereign/v20250227preview:LandingZoneRegistrationOperation")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_sovereign_v20250227preview:sovereign:LandingZoneRegistrationOperation")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LandingZoneRegistrationOperation, __self__).__init__( 'azure-native:sovereign:LandingZoneRegistrationOperation', diff --git a/sdk/python/pulumi_azure_native/sql/backup_long_term_retention_policy.py b/sdk/python/pulumi_azure_native/sql/backup_long_term_retention_policy.py index b8ef6b2d46ed..1e82852cc33a 100644 --- a/sdk/python/pulumi_azure_native/sql/backup_long_term_retention_policy.py +++ b/sdk/python/pulumi_azure_native/sql/backup_long_term_retention_policy.py @@ -239,7 +239,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20200202preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20200801preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20201101preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210201preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210501preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210801preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql:LongTermRetentionPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:BackupLongTermRetentionPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BackupLongTermRetentionPolicy, __self__).__init__( 'azure-native:sql:BackupLongTermRetentionPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/backup_short_term_retention_policy.py b/sdk/python/pulumi_azure_native/sql/backup_short_term_retention_policy.py index 0115eeb82318..73eacc78b6f1 100644 --- a/sdk/python/pulumi_azure_native/sql/backup_short_term_retention_policy.py +++ b/sdk/python/pulumi_azure_native/sql/backup_short_term_retention_policy.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20171001preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20200202preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20200801preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20201101preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210201preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210501preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210801preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:BackupShortTermRetentionPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20171001preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:BackupShortTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:BackupShortTermRetentionPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BackupShortTermRetentionPolicy, __self__).__init__( 'azure-native:sql:BackupShortTermRetentionPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/data_masking_policy.py b/sdk/python/pulumi_azure_native/sql/data_masking_policy.py index e00e039f90d4..c8a3e9f0ead8 100644 --- a/sdk/python/pulumi_azure_native/sql/data_masking_policy.py +++ b/sdk/python/pulumi_azure_native/sql/data_masking_policy.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["masking_level"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DataMaskingPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DataMaskingPolicy"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:DataMaskingPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:DataMaskingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:DataMaskingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:DataMaskingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:DataMaskingPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:DataMaskingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:DataMaskingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:DataMaskingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:DataMaskingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:DataMaskingPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:DataMaskingPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DataMaskingPolicy, __self__).__init__( 'azure-native:sql:DataMaskingPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/database.py b/sdk/python/pulumi_azure_native/sql/database.py index a44adccd4a52..0e1df088c1e1 100644 --- a/sdk/python/pulumi_azure_native/sql/database.py +++ b/sdk/python/pulumi_azure_native/sql/database.py @@ -1083,7 +1083,7 @@ def _internal_init(__self__, __props__.__dict__["resumed_date"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:Database"), pulumi.Alias(type_="azure-native:sql/v20170301preview:Database"), pulumi.Alias(type_="azure-native:sql/v20171001preview:Database"), pulumi.Alias(type_="azure-native:sql/v20190601preview:Database"), pulumi.Alias(type_="azure-native:sql/v20200202preview:Database"), pulumi.Alias(type_="azure-native:sql/v20200801preview:Database"), pulumi.Alias(type_="azure-native:sql/v20201101preview:Database"), pulumi.Alias(type_="azure-native:sql/v20210201preview:Database"), pulumi.Alias(type_="azure-native:sql/v20210501preview:Database"), pulumi.Alias(type_="azure-native:sql/v20210801preview:Database"), pulumi.Alias(type_="azure-native:sql/v20211101:Database"), pulumi.Alias(type_="azure-native:sql/v20211101preview:Database"), pulumi.Alias(type_="azure-native:sql/v20220201preview:Database"), pulumi.Alias(type_="azure-native:sql/v20220501preview:Database"), pulumi.Alias(type_="azure-native:sql/v20220801preview:Database"), pulumi.Alias(type_="azure-native:sql/v20221101preview:Database"), pulumi.Alias(type_="azure-native:sql/v20230201preview:Database"), pulumi.Alias(type_="azure-native:sql/v20230501preview:Database"), pulumi.Alias(type_="azure-native:sql/v20230801:Database"), pulumi.Alias(type_="azure-native:sql/v20230801preview:Database"), pulumi.Alias(type_="azure-native:sql/v20240501preview:Database")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:Database"), pulumi.Alias(type_="azure-native:sql/v20190601preview:Database"), pulumi.Alias(type_="azure-native:sql/v20200202preview:Database"), pulumi.Alias(type_="azure-native:sql/v20200801preview:Database"), pulumi.Alias(type_="azure-native:sql/v20211101:Database"), pulumi.Alias(type_="azure-native:sql/v20221101preview:Database"), pulumi.Alias(type_="azure-native:sql/v20230201preview:Database"), pulumi.Alias(type_="azure-native:sql/v20230501preview:Database"), pulumi.Alias(type_="azure-native:sql/v20230801preview:Database"), pulumi.Alias(type_="azure-native:sql/v20240501preview:Database"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20171001preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20190601preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:Database"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:Database")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Database, __self__).__init__( 'azure-native:sql:Database', diff --git a/sdk/python/pulumi_azure_native/sql/database_advisor.py b/sdk/python/pulumi_azure_native/sql/database_advisor.py index 20461ee8f58e..9020a0e20c5d 100644 --- a/sdk/python/pulumi_azure_native/sql/database_advisor.py +++ b/sdk/python/pulumi_azure_native/sql/database_advisor.py @@ -193,7 +193,7 @@ def _internal_init(__self__, __props__.__dict__["recommendations_status"] = None __props__.__dict__["recommended_actions"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20150501preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20200202preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20200801preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20201101preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20210201preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20210501preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20210801preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20211101preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20220201preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20220501preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20220801preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230801:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseAdvisor")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:DatabaseAdvisor"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:DatabaseAdvisor")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseAdvisor, __self__).__init__( 'azure-native:sql:DatabaseAdvisor', diff --git a/sdk/python/pulumi_azure_native/sql/database_blob_auditing_policy.py b/sdk/python/pulumi_azure_native/sql/database_blob_auditing_policy.py index 022b5be47e03..b58cb8e854b5 100644 --- a/sdk/python/pulumi_azure_native/sql/database_blob_auditing_policy.py +++ b/sdk/python/pulumi_azure_native/sql/database_blob_auditing_policy.py @@ -594,7 +594,7 @@ def _internal_init(__self__, __props__.__dict__["kind"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20150501preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20170301preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20200202preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20200801preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20201101preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210201preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210501preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210801preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseBlobAuditingPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:DatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:DatabaseBlobAuditingPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseBlobAuditingPolicy, __self__).__init__( 'azure-native:sql:DatabaseBlobAuditingPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/database_security_alert_policy.py b/sdk/python/pulumi_azure_native/sql/database_security_alert_policy.py index 124e65f49114..01246b58a309 100644 --- a/sdk/python/pulumi_azure_native/sql/database_security_alert_policy.py +++ b/sdk/python/pulumi_azure_native/sql/database_security_alert_policy.py @@ -308,7 +308,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20140401:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20180601preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20200202preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20200801preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20201101preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20210201preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20210501preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20210801preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql:DatabaseThreatDetectionPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20180601preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20180601preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:DatabaseSecurityAlertPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseSecurityAlertPolicy, __self__).__init__( 'azure-native:sql:DatabaseSecurityAlertPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/database_sql_vulnerability_assessment_rule_baseline.py b/sdk/python/pulumi_azure_native/sql/database_sql_vulnerability_assessment_rule_baseline.py index 4da2cf69748d..fa951472b5c9 100644 --- a/sdk/python/pulumi_azure_native/sql/database_sql_vulnerability_assessment_rule_baseline.py +++ b/sdk/python/pulumi_azure_native/sql/database_sql_vulnerability_assessment_rule_baseline.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20220201preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20220501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20220801preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseSqlVulnerabilityAssessmentRuleBaseline, __self__).__init__( 'azure-native:sql:DatabaseSqlVulnerabilityAssessmentRuleBaseline', diff --git a/sdk/python/pulumi_azure_native/sql/database_threat_detection_policy.py b/sdk/python/pulumi_azure_native/sql/database_threat_detection_policy.py index 7d865f5a8261..7b882db15318 100644 --- a/sdk/python/pulumi_azure_native/sql/database_threat_detection_policy.py +++ b/sdk/python/pulumi_azure_native/sql/database_threat_detection_policy.py @@ -342,7 +342,7 @@ def _internal_init(__self__, __props__.__dict__["kind"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20180601preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20180601preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20200202preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20200801preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20201101preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210201preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210501preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210801preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql:DatabaseSecurityAlertPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native:sql/v20180601preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql:DatabaseSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20180601preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:DatabaseThreatDetectionPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:DatabaseThreatDetectionPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseThreatDetectionPolicy, __self__).__init__( 'azure-native:sql:DatabaseThreatDetectionPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/database_vulnerability_assessment.py b/sdk/python/pulumi_azure_native/sql/database_vulnerability_assessment.py index 5eb84e18e6f2..9c9de6acbab6 100644 --- a/sdk/python/pulumi_azure_native/sql/database_vulnerability_assessment.py +++ b/sdk/python/pulumi_azure_native/sql/database_vulnerability_assessment.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20200202preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20200801preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20201101preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210201preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210501preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210801preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20211101preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220201preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220501preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220801preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:DatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:DatabaseVulnerabilityAssessment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseVulnerabilityAssessment, __self__).__init__( 'azure-native:sql:DatabaseVulnerabilityAssessment', diff --git a/sdk/python/pulumi_azure_native/sql/database_vulnerability_assessment_rule_baseline.py b/sdk/python/pulumi_azure_native/sql/database_vulnerability_assessment_rule_baseline.py index 527c01bc0ab2..d42272ce8308 100644 --- a/sdk/python/pulumi_azure_native/sql/database_vulnerability_assessment_rule_baseline.py +++ b/sdk/python/pulumi_azure_native/sql/database_vulnerability_assessment_rule_baseline.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20200202preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20200801preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20201101preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20210201preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20210501preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20210801preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20211101preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20220201preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20220501preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20220801preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessmentRuleBaseline")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:DatabaseVulnerabilityAssessmentRuleBaseline")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabaseVulnerabilityAssessmentRuleBaseline, __self__).__init__( 'azure-native:sql:DatabaseVulnerabilityAssessmentRuleBaseline', diff --git a/sdk/python/pulumi_azure_native/sql/disaster_recovery_configuration.py b/sdk/python/pulumi_azure_native/sql/disaster_recovery_configuration.py index 08511211e0fd..58703aebac2f 100644 --- a/sdk/python/pulumi_azure_native/sql/disaster_recovery_configuration.py +++ b/sdk/python/pulumi_azure_native/sql/disaster_recovery_configuration.py @@ -146,7 +146,7 @@ def _internal_init(__self__, __props__.__dict__["role"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:DisasterRecoveryConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:DisasterRecoveryConfiguration"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:DisasterRecoveryConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DisasterRecoveryConfiguration, __self__).__init__( 'azure-native:sql:DisasterRecoveryConfiguration', diff --git a/sdk/python/pulumi_azure_native/sql/distributed_availability_group.py b/sdk/python/pulumi_azure_native/sql/distributed_availability_group.py index 42c974fc253a..73ebc9de2f26 100644 --- a/sdk/python/pulumi_azure_native/sql/distributed_availability_group.py +++ b/sdk/python/pulumi_azure_native/sql/distributed_availability_group.py @@ -307,7 +307,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["partner_link_role"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20210501preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20210801preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20211101:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20211101preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20220201preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20220501preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20220801preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20230801:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DistributedAvailabilityGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:DistributedAvailabilityGroup"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:DistributedAvailabilityGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DistributedAvailabilityGroup, __self__).__init__( 'azure-native:sql:DistributedAvailabilityGroup', diff --git a/sdk/python/pulumi_azure_native/sql/elastic_pool.py b/sdk/python/pulumi_azure_native/sql/elastic_pool.py index 19a4d09b1afd..ae6948c33d20 100644 --- a/sdk/python/pulumi_azure_native/sql/elastic_pool.py +++ b/sdk/python/pulumi_azure_native/sql/elastic_pool.py @@ -426,7 +426,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20171001preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20211101:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20230801:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ElasticPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20211101:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ElasticPool"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20171001preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ElasticPool"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ElasticPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ElasticPool, __self__).__init__( 'azure-native:sql:ElasticPool', diff --git a/sdk/python/pulumi_azure_native/sql/encryption_protector.py b/sdk/python/pulumi_azure_native/sql/encryption_protector.py index 0b3e18e5a123..a107e935bbe3 100644 --- a/sdk/python/pulumi_azure_native/sql/encryption_protector.py +++ b/sdk/python/pulumi_azure_native/sql/encryption_protector.py @@ -209,7 +209,7 @@ def _internal_init(__self__, __props__.__dict__["thumbprint"] = None __props__.__dict__["type"] = None __props__.__dict__["uri"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20150501preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20200202preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20200801preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20201101preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20210201preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20210501preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20210801preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20211101:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20211101preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20220201preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20220501preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20220801preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20221101preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20230201preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20230501preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20230801:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20230801preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20240501preview:EncryptionProtector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20221101preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20230201preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20230501preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20230801preview:EncryptionProtector"), pulumi.Alias(type_="azure-native:sql/v20240501preview:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:EncryptionProtector"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:EncryptionProtector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EncryptionProtector, __self__).__init__( 'azure-native:sql:EncryptionProtector', diff --git a/sdk/python/pulumi_azure_native/sql/extended_database_blob_auditing_policy.py b/sdk/python/pulumi_azure_native/sql/extended_database_blob_auditing_policy.py index 10c67ae05c96..4ddec3b4b427 100644 --- a/sdk/python/pulumi_azure_native/sql/extended_database_blob_auditing_policy.py +++ b/sdk/python/pulumi_azure_native/sql/extended_database_blob_auditing_policy.py @@ -613,7 +613,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ExtendedDatabaseBlobAuditingPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ExtendedDatabaseBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ExtendedDatabaseBlobAuditingPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExtendedDatabaseBlobAuditingPolicy, __self__).__init__( 'azure-native:sql:ExtendedDatabaseBlobAuditingPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/extended_server_blob_auditing_policy.py b/sdk/python/pulumi_azure_native/sql/extended_server_blob_auditing_policy.py index f442fbf1c2e5..81f815d2c8bd 100644 --- a/sdk/python/pulumi_azure_native/sql/extended_server_blob_auditing_policy.py +++ b/sdk/python/pulumi_azure_native/sql/extended_server_blob_auditing_policy.py @@ -639,7 +639,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ExtendedServerBlobAuditingPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ExtendedServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ExtendedServerBlobAuditingPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ExtendedServerBlobAuditingPolicy, __self__).__init__( 'azure-native:sql:ExtendedServerBlobAuditingPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/failover_group.py b/sdk/python/pulumi_azure_native/sql/failover_group.py index 26afdd49958e..ab221c954f6c 100644 --- a/sdk/python/pulumi_azure_native/sql/failover_group.py +++ b/sdk/python/pulumi_azure_native/sql/failover_group.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["replication_role"] = None __props__.__dict__["replication_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20150501preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20200202preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20200801preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20201101preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20210201preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20210501preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20210801preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20211101:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20211101preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20220201preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20220501preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20220801preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230801:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:FailoverGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:FailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:FailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:FailoverGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FailoverGroup, __self__).__init__( 'azure-native:sql:FailoverGroup', diff --git a/sdk/python/pulumi_azure_native/sql/firewall_rule.py b/sdk/python/pulumi_azure_native/sql/firewall_rule.py index fd826f60caaa..06622e6ec6a6 100644 --- a/sdk/python/pulumi_azure_native/sql/firewall_rule.py +++ b/sdk/python/pulumi_azure_native/sql/firewall_rule.py @@ -201,7 +201,7 @@ def _internal_init(__self__, __props__.__dict__["start_ip_address"] = start_ip_address __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20150501preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20200202preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20200801preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20201101preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20210201preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20210501preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20210801preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20211101:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20211101preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20220201preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20220501preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20220801preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20221101preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230201preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230501preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230801:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230801preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20240501preview:FirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20211101:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20221101preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230201preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230501preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230801preview:FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20240501preview:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:FirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FirewallRule, __self__).__init__( 'azure-native:sql:FirewallRule', diff --git a/sdk/python/pulumi_azure_native/sql/geo_backup_policy.py b/sdk/python/pulumi_azure_native/sql/geo_backup_policy.py index 8b773536f35e..c9c036b1e01c 100644 --- a/sdk/python/pulumi_azure_native/sql/geo_backup_policy.py +++ b/sdk/python/pulumi_azure_native/sql/geo_backup_policy.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["storage_type"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:GeoBackupPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:GeoBackupPolicy"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:GeoBackupPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:GeoBackupPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:GeoBackupPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:GeoBackupPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:GeoBackupPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:GeoBackupPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:GeoBackupPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:GeoBackupPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:GeoBackupPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:GeoBackupPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:GeoBackupPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(GeoBackupPolicy, __self__).__init__( 'azure-native:sql:GeoBackupPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/i_pv6_firewall_rule.py b/sdk/python/pulumi_azure_native/sql/i_pv6_firewall_rule.py index cbe16fbd10e2..b60707499c31 100644 --- a/sdk/python/pulumi_azure_native/sql/i_pv6_firewall_rule.py +++ b/sdk/python/pulumi_azure_native/sql/i_pv6_firewall_rule.py @@ -201,7 +201,7 @@ def _internal_init(__self__, __props__.__dict__["start_i_pv6_address"] = start_i_pv6_address __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20210801preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20211101:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20211101preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20220201preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20220501preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20220801preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20221101preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230201preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230501preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230801:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230801preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20240501preview:IPv6FirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20221101preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230201preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230501preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230801preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native:sql/v20240501preview:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:IPv6FirewallRule"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:IPv6FirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IPv6FirewallRule, __self__).__init__( 'azure-native:sql:IPv6FirewallRule', diff --git a/sdk/python/pulumi_azure_native/sql/instance_failover_group.py b/sdk/python/pulumi_azure_native/sql/instance_failover_group.py index 3b9711de10bf..7ed080bbf3d9 100644 --- a/sdk/python/pulumi_azure_native/sql/instance_failover_group.py +++ b/sdk/python/pulumi_azure_native/sql/instance_failover_group.py @@ -250,7 +250,7 @@ def _internal_init(__self__, __props__.__dict__["replication_role"] = None __props__.__dict__["replication_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20171001preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20200202preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20200801preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20201101preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20210201preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20210501preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20210801preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20211101:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20211101preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20220201preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20220501preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20220801preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230801:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:InstanceFailoverGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20171001preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:InstanceFailoverGroup"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:InstanceFailoverGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InstanceFailoverGroup, __self__).__init__( 'azure-native:sql:InstanceFailoverGroup', diff --git a/sdk/python/pulumi_azure_native/sql/instance_pool.py b/sdk/python/pulumi_azure_native/sql/instance_pool.py index 9e9219763b28..253c58a6d88c 100644 --- a/sdk/python/pulumi_azure_native/sql/instance_pool.py +++ b/sdk/python/pulumi_azure_native/sql/instance_pool.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["dns_zone"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20180601preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20200202preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20200801preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20201101preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20210201preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20210501preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20210801preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20211101:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20211101preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20220201preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20220501preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20220801preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20221101preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20230201preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20230501preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20230801:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20230801preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20240501preview:InstancePool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20221101preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20230201preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20230501preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20230801preview:InstancePool"), pulumi.Alias(type_="azure-native:sql/v20240501preview:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20180601preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:InstancePool"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:InstancePool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(InstancePool, __self__).__init__( 'azure-native:sql:InstancePool', diff --git a/sdk/python/pulumi_azure_native/sql/job.py b/sdk/python/pulumi_azure_native/sql/job.py index 42fadfb6a77d..cc46e51028ee 100644 --- a/sdk/python/pulumi_azure_native/sql/job.py +++ b/sdk/python/pulumi_azure_native/sql/job.py @@ -211,7 +211,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:Job"), pulumi.Alias(type_="azure-native:sql/v20200202preview:Job"), pulumi.Alias(type_="azure-native:sql/v20200801preview:Job"), pulumi.Alias(type_="azure-native:sql/v20201101preview:Job"), pulumi.Alias(type_="azure-native:sql/v20210201preview:Job"), pulumi.Alias(type_="azure-native:sql/v20210501preview:Job"), pulumi.Alias(type_="azure-native:sql/v20210801preview:Job"), pulumi.Alias(type_="azure-native:sql/v20211101:Job"), pulumi.Alias(type_="azure-native:sql/v20211101preview:Job"), pulumi.Alias(type_="azure-native:sql/v20220201preview:Job"), pulumi.Alias(type_="azure-native:sql/v20220501preview:Job"), pulumi.Alias(type_="azure-native:sql/v20220801preview:Job"), pulumi.Alias(type_="azure-native:sql/v20221101preview:Job"), pulumi.Alias(type_="azure-native:sql/v20230201preview:Job"), pulumi.Alias(type_="azure-native:sql/v20230501preview:Job"), pulumi.Alias(type_="azure-native:sql/v20230801:Job"), pulumi.Alias(type_="azure-native:sql/v20230801preview:Job"), pulumi.Alias(type_="azure-native:sql/v20240501preview:Job")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:Job"), pulumi.Alias(type_="azure-native:sql/v20221101preview:Job"), pulumi.Alias(type_="azure-native:sql/v20230201preview:Job"), pulumi.Alias(type_="azure-native:sql/v20230501preview:Job"), pulumi.Alias(type_="azure-native:sql/v20230801preview:Job"), pulumi.Alias(type_="azure-native:sql/v20240501preview:Job"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:Job"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:Job")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Job, __self__).__init__( 'azure-native:sql:Job', diff --git a/sdk/python/pulumi_azure_native/sql/job_agent.py b/sdk/python/pulumi_azure_native/sql/job_agent.py index 8fbf6c33499e..ea0d38dc36ff 100644 --- a/sdk/python/pulumi_azure_native/sql/job_agent.py +++ b/sdk/python/pulumi_azure_native/sql/job_agent.py @@ -247,7 +247,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20200202preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20200801preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20201101preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20210201preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20210501preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20210801preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20211101:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20211101preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20220201preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20220501preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20220801preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20221101preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20230201preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20230501preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20230801:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20230801preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20240501preview:JobAgent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20221101preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20230201preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20230501preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20230801preview:JobAgent"), pulumi.Alias(type_="azure-native:sql/v20240501preview:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:JobAgent"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:JobAgent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JobAgent, __self__).__init__( 'azure-native:sql:JobAgent', diff --git a/sdk/python/pulumi_azure_native/sql/job_credential.py b/sdk/python/pulumi_azure_native/sql/job_credential.py index 2a4113a25ca4..c0ed39fffe26 100644 --- a/sdk/python/pulumi_azure_native/sql/job_credential.py +++ b/sdk/python/pulumi_azure_native/sql/job_credential.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20200202preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20200801preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20201101preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20210201preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20210501preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20210801preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20211101:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20211101preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20220201preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20220501preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20220801preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20221101preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20230201preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20230501preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20230801:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20230801preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20240501preview:JobCredential")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20221101preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20230201preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20230501preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20230801preview:JobCredential"), pulumi.Alias(type_="azure-native:sql/v20240501preview:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:JobCredential"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:JobCredential")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JobCredential, __self__).__init__( 'azure-native:sql:JobCredential', diff --git a/sdk/python/pulumi_azure_native/sql/job_private_endpoint.py b/sdk/python/pulumi_azure_native/sql/job_private_endpoint.py index 248bf86b4795..63374c329e0c 100644 --- a/sdk/python/pulumi_azure_native/sql/job_private_endpoint.py +++ b/sdk/python/pulumi_azure_native/sql/job_private_endpoint.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["private_endpoint_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20230501preview:JobPrivateEndpoint"), pulumi.Alias(type_="azure-native:sql/v20230801:JobPrivateEndpoint"), pulumi.Alias(type_="azure-native:sql/v20230801preview:JobPrivateEndpoint"), pulumi.Alias(type_="azure-native:sql/v20240501preview:JobPrivateEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20230501preview:JobPrivateEndpoint"), pulumi.Alias(type_="azure-native:sql/v20230801preview:JobPrivateEndpoint"), pulumi.Alias(type_="azure-native:sql/v20240501preview:JobPrivateEndpoint"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:JobPrivateEndpoint"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:JobPrivateEndpoint"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:JobPrivateEndpoint"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:JobPrivateEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JobPrivateEndpoint, __self__).__init__( 'azure-native:sql:JobPrivateEndpoint', diff --git a/sdk/python/pulumi_azure_native/sql/job_step.py b/sdk/python/pulumi_azure_native/sql/job_step.py index aec4a4edd0c4..225f6712eaa8 100644 --- a/sdk/python/pulumi_azure_native/sql/job_step.py +++ b/sdk/python/pulumi_azure_native/sql/job_step.py @@ -309,7 +309,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20200202preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20200801preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20201101preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20210201preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20210501preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20210801preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20211101:JobStep"), pulumi.Alias(type_="azure-native:sql/v20211101preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20220201preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20220501preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20220801preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20221101preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20230201preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20230501preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20230801:JobStep"), pulumi.Alias(type_="azure-native:sql/v20230801preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20240501preview:JobStep")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:JobStep"), pulumi.Alias(type_="azure-native:sql/v20221101preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20230201preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20230501preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20230801preview:JobStep"), pulumi.Alias(type_="azure-native:sql/v20240501preview:JobStep"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:JobStep"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:JobStep")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JobStep, __self__).__init__( 'azure-native:sql:JobStep', diff --git a/sdk/python/pulumi_azure_native/sql/job_target_group.py b/sdk/python/pulumi_azure_native/sql/job_target_group.py index 19c7ab6fa045..a95c2bbcf963 100644 --- a/sdk/python/pulumi_azure_native/sql/job_target_group.py +++ b/sdk/python/pulumi_azure_native/sql/job_target_group.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20200202preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20200801preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20201101preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20210201preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20210501preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20210801preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20211101:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20211101preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20220201preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20220501preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20220801preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20230801:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:JobTargetGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:JobTargetGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:JobTargetGroup"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:JobTargetGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JobTargetGroup, __self__).__init__( 'azure-native:sql:JobTargetGroup', diff --git a/sdk/python/pulumi_azure_native/sql/long_term_retention_policy.py b/sdk/python/pulumi_azure_native/sql/long_term_retention_policy.py index 526430487894..7df4a34244b5 100644 --- a/sdk/python/pulumi_azure_native/sql/long_term_retention_policy.py +++ b/sdk/python/pulumi_azure_native/sql/long_term_retention_policy.py @@ -243,7 +243,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20170301preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20200202preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20200801preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20201101preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210201preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210501preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20210801preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql:BackupLongTermRetentionPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql:BackupLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:LongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:LongTermRetentionPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LongTermRetentionPolicy, __self__).__init__( 'azure-native:sql:LongTermRetentionPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/managed_database.py b/sdk/python/pulumi_azure_native/sql/managed_database.py index 4214790d1b89..f659ca2ca350 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_database.py +++ b/sdk/python/pulumi_azure_native/sql/managed_database.py @@ -528,7 +528,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20180601preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20190601preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20211101:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedDatabase"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20180601preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20190601preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedDatabase"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedDatabase, __self__).__init__( 'azure-native:sql:ManagedDatabase', diff --git a/sdk/python/pulumi_azure_native/sql/managed_database_sensitivity_label.py b/sdk/python/pulumi_azure_native/sql/managed_database_sensitivity_label.py index 8f175da7d5f5..8c64ef6a92a9 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_database_sensitivity_label.py +++ b/sdk/python/pulumi_azure_native/sql/managed_database_sensitivity_label.py @@ -339,7 +339,7 @@ def _internal_init(__self__, __props__.__dict__["managed_by"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20180601preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20211101:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedDatabaseSensitivityLabel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20180601preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedDatabaseSensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedDatabaseSensitivityLabel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedDatabaseSensitivityLabel, __self__).__init__( 'azure-native:sql:ManagedDatabaseSensitivityLabel', diff --git a/sdk/python/pulumi_azure_native/sql/managed_database_vulnerability_assessment.py b/sdk/python/pulumi_azure_native/sql/managed_database_vulnerability_assessment.py index 999df1eccffc..5d81ad83796c 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_database_vulnerability_assessment.py +++ b/sdk/python/pulumi_azure_native/sql/managed_database_vulnerability_assessment.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20171001preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20171001preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedDatabaseVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedDatabaseVulnerabilityAssessment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedDatabaseVulnerabilityAssessment, __self__).__init__( 'azure-native:sql:ManagedDatabaseVulnerabilityAssessment', diff --git a/sdk/python/pulumi_azure_native/sql/managed_database_vulnerability_assessment_rule_baseline.py b/sdk/python/pulumi_azure_native/sql/managed_database_vulnerability_assessment_rule_baseline.py index 8ebdb6f15675..193484ed8097 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_database_vulnerability_assessment_rule_baseline.py +++ b/sdk/python/pulumi_azure_native/sql/managed_database_vulnerability_assessment_rule_baseline.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20171001preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20171001preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedDatabaseVulnerabilityAssessmentRuleBaseline, __self__).__init__( 'azure-native:sql:ManagedDatabaseVulnerabilityAssessmentRuleBaseline', diff --git a/sdk/python/pulumi_azure_native/sql/managed_instance.py b/sdk/python/pulumi_azure_native/sql/managed_instance.py index afa8b8cbb5e5..e069574e788d 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_instance.py +++ b/sdk/python/pulumi_azure_native/sql/managed_instance.py @@ -841,7 +841,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_cluster_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20150501preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20180601preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20210201preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstance"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20180601preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedInstance"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedInstance, __self__).__init__( 'azure-native:sql:ManagedInstance', diff --git a/sdk/python/pulumi_azure_native/sql/managed_instance_administrator.py b/sdk/python/pulumi_azure_native/sql/managed_instance_administrator.py index bfc55eabfe0b..f80bb9f5ce16 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_instance_administrator.py +++ b/sdk/python/pulumi_azure_native/sql/managed_instance_administrator.py @@ -221,7 +221,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstanceAdministrator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedInstanceAdministrator"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedInstanceAdministrator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedInstanceAdministrator, __self__).__init__( 'azure-native:sql:ManagedInstanceAdministrator', diff --git a/sdk/python/pulumi_azure_native/sql/managed_instance_azure_ad_only_authentication.py b/sdk/python/pulumi_azure_native/sql/managed_instance_azure_ad_only_authentication.py index 5cc8c6f46b4c..e2b7cec8cb4c 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_instance_azure_ad_only_authentication.py +++ b/sdk/python/pulumi_azure_native/sql/managed_instance_azure_ad_only_authentication.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20200202preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstanceAzureADOnlyAuthentication")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedInstanceAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedInstanceAzureADOnlyAuthentication")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedInstanceAzureADOnlyAuthentication, __self__).__init__( 'azure-native:sql:ManagedInstanceAzureADOnlyAuthentication', diff --git a/sdk/python/pulumi_azure_native/sql/managed_instance_key.py b/sdk/python/pulumi_azure_native/sql/managed_instance_key.py index b5f210ccaddc..6026fef5671e 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_instance_key.py +++ b/sdk/python/pulumi_azure_native/sql/managed_instance_key.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["thumbprint"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20171001preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstanceKey")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20171001preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedInstanceKey"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedInstanceKey")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedInstanceKey, __self__).__init__( 'azure-native:sql:ManagedInstanceKey', diff --git a/sdk/python/pulumi_azure_native/sql/managed_instance_long_term_retention_policy.py b/sdk/python/pulumi_azure_native/sql/managed_instance_long_term_retention_policy.py index a5974d541f2d..3b6b4ed4deac 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_instance_long_term_retention_policy.py +++ b/sdk/python/pulumi_azure_native/sql/managed_instance_long_term_retention_policy.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstanceLongTermRetentionPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedInstanceLongTermRetentionPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedInstanceLongTermRetentionPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedInstanceLongTermRetentionPolicy, __self__).__init__( 'azure-native:sql:ManagedInstanceLongTermRetentionPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/managed_instance_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/sql/managed_instance_private_endpoint_connection.py index 1922b81e41c3..b4ab5b2ec0d1 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_instance_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/sql/managed_instance_private_endpoint_connection.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20200202preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstancePrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedInstancePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedInstancePrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedInstancePrivateEndpointConnection, __self__).__init__( 'azure-native:sql:ManagedInstancePrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/sql/managed_instance_vulnerability_assessment.py b/sdk/python/pulumi_azure_native/sql/managed_instance_vulnerability_assessment.py index a3bcd7bbc1cc..3740871d224e 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_instance_vulnerability_assessment.py +++ b/sdk/python/pulumi_azure_native/sql/managed_instance_vulnerability_assessment.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20180601preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstanceVulnerabilityAssessment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20180601preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedInstanceVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedInstanceVulnerabilityAssessment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedInstanceVulnerabilityAssessment, __self__).__init__( 'azure-native:sql:ManagedInstanceVulnerabilityAssessment', diff --git a/sdk/python/pulumi_azure_native/sql/managed_server_dns_alias.py b/sdk/python/pulumi_azure_native/sql/managed_server_dns_alias.py index 3efbccdbe56f..bad19838012a 100644 --- a/sdk/python/pulumi_azure_native/sql/managed_server_dns_alias.py +++ b/sdk/python/pulumi_azure_native/sql/managed_server_dns_alias.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["public_azure_dns_record"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230801:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedServerDnsAlias")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ManagedServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ManagedServerDnsAlias")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagedServerDnsAlias, __self__).__init__( 'azure-native:sql:ManagedServerDnsAlias', diff --git a/sdk/python/pulumi_azure_native/sql/outbound_firewall_rule.py b/sdk/python/pulumi_azure_native/sql/outbound_firewall_rule.py index 8665d3b19c1e..31af2de30a4c 100644 --- a/sdk/python/pulumi_azure_native/sql/outbound_firewall_rule.py +++ b/sdk/python/pulumi_azure_native/sql/outbound_firewall_rule.py @@ -138,7 +138,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20210201preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20210501preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20210801preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20211101:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20211101preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20220201preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20220501preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20220801preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20221101preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230201preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230501preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230801:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230801preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20240501preview:OutboundFirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20221101preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230201preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230501preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20230801preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native:sql/v20240501preview:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:OutboundFirewallRule"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:OutboundFirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(OutboundFirewallRule, __self__).__init__( 'azure-native:sql:OutboundFirewallRule', diff --git a/sdk/python/pulumi_azure_native/sql/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/sql/private_endpoint_connection.py index 48786b753ae6..b6a3b4f5ee47 100644 --- a/sdk/python/pulumi_azure_native/sql/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/sql/private_endpoint_connection.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20180601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20200202preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20200801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20201101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20210201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20210501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20210801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20211101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20211101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20220201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20220501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20220801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20221101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20240501preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20221101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230201preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20230801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:sql/v20240501preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20180601preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:sql:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/sql/replication_link.py b/sdk/python/pulumi_azure_native/sql/replication_link.py index 6143fee88ea3..6f011d6971fe 100644 --- a/sdk/python/pulumi_azure_native/sql/replication_link.py +++ b/sdk/python/pulumi_azure_native/sql/replication_link.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["role"] = None __props__.__dict__["start_time"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20230501preview:ReplicationLink"), pulumi.Alias(type_="azure-native:sql/v20230801:ReplicationLink"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ReplicationLink"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ReplicationLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20230501preview:ReplicationLink"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ReplicationLink"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ReplicationLink"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ReplicationLink"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ReplicationLink"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ReplicationLink"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ReplicationLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReplicationLink, __self__).__init__( 'azure-native:sql:ReplicationLink', diff --git a/sdk/python/pulumi_azure_native/sql/sensitivity_label.py b/sdk/python/pulumi_azure_native/sql/sensitivity_label.py index f8b2bf92c72b..71d706eee2d9 100644 --- a/sdk/python/pulumi_azure_native/sql/sensitivity_label.py +++ b/sdk/python/pulumi_azure_native/sql/sensitivity_label.py @@ -339,7 +339,7 @@ def _internal_init(__self__, __props__.__dict__["managed_by"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20200202preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20200801preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20201101preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20210201preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20210501preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20210801preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20211101:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20211101preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20220201preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20220501preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20220801preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20221101preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230801:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SensitivityLabel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20221101preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SensitivityLabel"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:SensitivityLabel"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:SensitivityLabel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SensitivityLabel, __self__).__init__( 'azure-native:sql:SensitivityLabel', diff --git a/sdk/python/pulumi_azure_native/sql/server.py b/sdk/python/pulumi_azure_native/sql/server.py index f358f0a47dca..904cfe0348c8 100644 --- a/sdk/python/pulumi_azure_native/sql/server.py +++ b/sdk/python/pulumi_azure_native/sql/server.py @@ -430,7 +430,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["type"] = None __props__.__dict__["workspace_feature"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:Server"), pulumi.Alias(type_="azure-native:sql/v20150501preview:Server"), pulumi.Alias(type_="azure-native:sql/v20190601preview:Server"), pulumi.Alias(type_="azure-native:sql/v20200202preview:Server"), pulumi.Alias(type_="azure-native:sql/v20200801preview:Server"), pulumi.Alias(type_="azure-native:sql/v20201101preview:Server"), pulumi.Alias(type_="azure-native:sql/v20210201preview:Server"), pulumi.Alias(type_="azure-native:sql/v20210501preview:Server"), pulumi.Alias(type_="azure-native:sql/v20210801preview:Server"), pulumi.Alias(type_="azure-native:sql/v20211101:Server"), pulumi.Alias(type_="azure-native:sql/v20211101preview:Server"), pulumi.Alias(type_="azure-native:sql/v20220201preview:Server"), pulumi.Alias(type_="azure-native:sql/v20220501preview:Server"), pulumi.Alias(type_="azure-native:sql/v20220801preview:Server"), pulumi.Alias(type_="azure-native:sql/v20221101preview:Server"), pulumi.Alias(type_="azure-native:sql/v20230201preview:Server"), pulumi.Alias(type_="azure-native:sql/v20230501preview:Server"), pulumi.Alias(type_="azure-native:sql/v20230801:Server"), pulumi.Alias(type_="azure-native:sql/v20230801preview:Server"), pulumi.Alias(type_="azure-native:sql/v20240501preview:Server")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:Server"), pulumi.Alias(type_="azure-native:sql/v20211101:Server"), pulumi.Alias(type_="azure-native:sql/v20221101preview:Server"), pulumi.Alias(type_="azure-native:sql/v20230201preview:Server"), pulumi.Alias(type_="azure-native:sql/v20230501preview:Server"), pulumi.Alias(type_="azure-native:sql/v20230801preview:Server"), pulumi.Alias(type_="azure-native:sql/v20240501preview:Server"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20190601preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:Server"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:Server")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Server, __self__).__init__( 'azure-native:sql:Server', diff --git a/sdk/python/pulumi_azure_native/sql/server_advisor.py b/sdk/python/pulumi_azure_native/sql/server_advisor.py index 55e720a06c35..4fe349f36dfa 100644 --- a/sdk/python/pulumi_azure_native/sql/server_advisor.py +++ b/sdk/python/pulumi_azure_native/sql/server_advisor.py @@ -172,7 +172,7 @@ def _internal_init(__self__, __props__.__dict__["recommendations_status"] = None __props__.__dict__["recommended_actions"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20150501preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230801:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerAdvisor")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerAdvisor"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ServerAdvisor"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ServerAdvisor")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerAdvisor, __self__).__init__( 'azure-native:sql:ServerAdvisor', diff --git a/sdk/python/pulumi_azure_native/sql/server_azure_ad_administrator.py b/sdk/python/pulumi_azure_native/sql/server_azure_ad_administrator.py index b56a2d1ce55e..a6402dab5c0d 100644 --- a/sdk/python/pulumi_azure_native/sql/server_azure_ad_administrator.py +++ b/sdk/python/pulumi_azure_native/sql/server_azure_ad_administrator.py @@ -226,7 +226,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20180601preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20190601preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230801:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerAzureADAdministrator")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20180601preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20190601preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ServerAzureADAdministrator"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ServerAzureADAdministrator")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerAzureADAdministrator, __self__).__init__( 'azure-native:sql:ServerAzureADAdministrator', diff --git a/sdk/python/pulumi_azure_native/sql/server_azure_ad_only_authentication.py b/sdk/python/pulumi_azure_native/sql/server_azure_ad_only_authentication.py index f77b058e63cc..a70b1cb3dd36 100644 --- a/sdk/python/pulumi_azure_native/sql/server_azure_ad_only_authentication.py +++ b/sdk/python/pulumi_azure_native/sql/server_azure_ad_only_authentication.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20200202preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230801:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerAzureADOnlyAuthentication")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ServerAzureADOnlyAuthentication"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ServerAzureADOnlyAuthentication")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerAzureADOnlyAuthentication, __self__).__init__( 'azure-native:sql:ServerAzureADOnlyAuthentication', diff --git a/sdk/python/pulumi_azure_native/sql/server_blob_auditing_policy.py b/sdk/python/pulumi_azure_native/sql/server_blob_auditing_policy.py index c143c21f4a0f..5f70fc045916 100644 --- a/sdk/python/pulumi_azure_native/sql/server_blob_auditing_policy.py +++ b/sdk/python/pulumi_azure_native/sql/server_blob_auditing_policy.py @@ -619,7 +619,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerBlobAuditingPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ServerBlobAuditingPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ServerBlobAuditingPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerBlobAuditingPolicy, __self__).__init__( 'azure-native:sql:ServerBlobAuditingPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/server_communication_link.py b/sdk/python/pulumi_azure_native/sql/server_communication_link.py index f958513dcc5b..cef22a8b1400 100644 --- a/sdk/python/pulumi_azure_native/sql/server_communication_link.py +++ b/sdk/python/pulumi_azure_native/sql/server_communication_link.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:ServerCommunicationLink")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:ServerCommunicationLink"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:ServerCommunicationLink")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerCommunicationLink, __self__).__init__( 'azure-native:sql:ServerCommunicationLink', diff --git a/sdk/python/pulumi_azure_native/sql/server_dns_alias.py b/sdk/python/pulumi_azure_native/sql/server_dns_alias.py index eb828b7057f9..7dd6e8450339 100644 --- a/sdk/python/pulumi_azure_native/sql/server_dns_alias.py +++ b/sdk/python/pulumi_azure_native/sql/server_dns_alias.py @@ -143,7 +143,7 @@ def _internal_init(__self__, __props__.__dict__["azure_dns_record"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230801:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerDnsAlias")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ServerDnsAlias"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ServerDnsAlias")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerDnsAlias, __self__).__init__( 'azure-native:sql:ServerDnsAlias', diff --git a/sdk/python/pulumi_azure_native/sql/server_key.py b/sdk/python/pulumi_azure_native/sql/server_key.py index 81ad34a59c0c..7cba21aa55dc 100644 --- a/sdk/python/pulumi_azure_native/sql/server_key.py +++ b/sdk/python/pulumi_azure_native/sql/server_key.py @@ -190,7 +190,7 @@ def _internal_init(__self__, __props__.__dict__["subregion"] = None __props__.__dict__["thumbprint"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20150501preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20230801:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerKey")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20150501preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerKey"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ServerKey"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ServerKey")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerKey, __self__).__init__( 'azure-native:sql:ServerKey', diff --git a/sdk/python/pulumi_azure_native/sql/server_security_alert_policy.py b/sdk/python/pulumi_azure_native/sql/server_security_alert_policy.py index 316eb148491d..4064d154403a 100644 --- a/sdk/python/pulumi_azure_native/sql/server_security_alert_policy.py +++ b/sdk/python/pulumi_azure_native/sql/server_security_alert_policy.py @@ -287,7 +287,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerSecurityAlertPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20170301preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20170301preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ServerSecurityAlertPolicy"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ServerSecurityAlertPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerSecurityAlertPolicy, __self__).__init__( 'azure-native:sql:ServerSecurityAlertPolicy', diff --git a/sdk/python/pulumi_azure_native/sql/server_trust_certificate.py b/sdk/python/pulumi_azure_native/sql/server_trust_certificate.py index 7397226aab95..32017793eaa6 100644 --- a/sdk/python/pulumi_azure_native/sql/server_trust_certificate.py +++ b/sdk/python/pulumi_azure_native/sql/server_trust_certificate.py @@ -163,7 +163,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["thumbprint"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20210501preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20230801:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerTrustCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ServerTrustCertificate"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ServerTrustCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerTrustCertificate, __self__).__init__( 'azure-native:sql:ServerTrustCertificate', diff --git a/sdk/python/pulumi_azure_native/sql/server_trust_group.py b/sdk/python/pulumi_azure_native/sql/server_trust_group.py index dad70261c3f4..637097f8b9ec 100644 --- a/sdk/python/pulumi_azure_native/sql/server_trust_group.py +++ b/sdk/python/pulumi_azure_native/sql/server_trust_group.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20200202preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20230801:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerTrustGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ServerTrustGroup"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ServerTrustGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerTrustGroup, __self__).__init__( 'azure-native:sql:ServerTrustGroup', diff --git a/sdk/python/pulumi_azure_native/sql/server_vulnerability_assessment.py b/sdk/python/pulumi_azure_native/sql/server_vulnerability_assessment.py index bd69ffc0da0d..ae82d43da911 100644 --- a/sdk/python/pulumi_azure_native/sql/server_vulnerability_assessment.py +++ b/sdk/python/pulumi_azure_native/sql/server_vulnerability_assessment.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20180601preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20200202preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20200801preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20201101preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210201preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210501preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20210801preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20211101:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20211101preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220201preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220501preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20220801preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerVulnerabilityAssessment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20221101preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230201preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230501preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20230801preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:sql/v20240501preview:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20180601preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:ServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:ServerVulnerabilityAssessment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerVulnerabilityAssessment, __self__).__init__( 'azure-native:sql:ServerVulnerabilityAssessment', diff --git a/sdk/python/pulumi_azure_native/sql/sql_vulnerability_assessment_rule_baseline.py b/sdk/python/pulumi_azure_native/sql/sql_vulnerability_assessment_rule_baseline.py index b25e5dce9df3..1448eaa54abd 100644 --- a/sdk/python/pulumi_azure_native/sql/sql_vulnerability_assessment_rule_baseline.py +++ b/sdk/python/pulumi_azure_native/sql/sql_vulnerability_assessment_rule_baseline.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20220201preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20220501preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20220801preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentRuleBaseline")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:SqlVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:SqlVulnerabilityAssessmentRuleBaseline")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlVulnerabilityAssessmentRuleBaseline, __self__).__init__( 'azure-native:sql:SqlVulnerabilityAssessmentRuleBaseline', diff --git a/sdk/python/pulumi_azure_native/sql/sql_vulnerability_assessments_setting.py b/sdk/python/pulumi_azure_native/sql/sql_vulnerability_assessments_setting.py index 9d01977092b7..f7d0489bb7ee 100644 --- a/sdk/python/pulumi_azure_native/sql/sql_vulnerability_assessments_setting.py +++ b/sdk/python/pulumi_azure_native/sql/sql_vulnerability_assessments_setting.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20220201preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20220501preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20220801preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20230801:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentsSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20221101preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:SqlVulnerabilityAssessmentsSetting"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:SqlVulnerabilityAssessmentsSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlVulnerabilityAssessmentsSetting, __self__).__init__( 'azure-native:sql:SqlVulnerabilityAssessmentsSetting', diff --git a/sdk/python/pulumi_azure_native/sql/start_stop_managed_instance_schedule.py b/sdk/python/pulumi_azure_native/sql/start_stop_managed_instance_schedule.py index 5fa67cd29693..a38f8898f091 100644 --- a/sdk/python/pulumi_azure_native/sql/start_stop_managed_instance_schedule.py +++ b/sdk/python/pulumi_azure_native/sql/start_stop_managed_instance_schedule.py @@ -217,7 +217,7 @@ def _internal_init(__self__, __props__.__dict__["next_run_action"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20220801preview:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native:sql/v20221101preview:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native:sql/v20230201preview:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native:sql/v20230501preview:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native:sql/v20230801:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native:sql/v20230801preview:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native:sql/v20240501preview:StartStopManagedInstanceSchedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20221101preview:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native:sql/v20230201preview:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native:sql/v20230501preview:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native:sql/v20230801preview:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native:sql/v20240501preview:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:StartStopManagedInstanceSchedule"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:StartStopManagedInstanceSchedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StartStopManagedInstanceSchedule, __self__).__init__( 'azure-native:sql:StartStopManagedInstanceSchedule', diff --git a/sdk/python/pulumi_azure_native/sql/sync_agent.py b/sdk/python/pulumi_azure_native/sql/sync_agent.py index 29de40b38ba2..974dd506b5ca 100644 --- a/sdk/python/pulumi_azure_native/sql/sync_agent.py +++ b/sdk/python/pulumi_azure_native/sql/sync_agent.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20150501preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20200202preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20200801preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20201101preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20210201preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20210501preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20210801preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20211101:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20211101preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20220201preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20220501preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20220801preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20221101preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20230801:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SyncAgent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20221101preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SyncAgent"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:SyncAgent"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:SyncAgent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SyncAgent, __self__).__init__( 'azure-native:sql:SyncAgent', diff --git a/sdk/python/pulumi_azure_native/sql/sync_group.py b/sdk/python/pulumi_azure_native/sql/sync_group.py index 22decc034c5d..8fe9e2035774 100644 --- a/sdk/python/pulumi_azure_native/sql/sync_group.py +++ b/sdk/python/pulumi_azure_native/sql/sync_group.py @@ -369,7 +369,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint_name"] = None __props__.__dict__["sync_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20150501preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20190601preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20200202preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20200801preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20201101preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20210201preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20210501preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20210801preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20211101:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20211101preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20220201preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20220501preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20220801preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20230801:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SyncGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SyncGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20190601preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:SyncGroup"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:SyncGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SyncGroup, __self__).__init__( 'azure-native:sql:SyncGroup', diff --git a/sdk/python/pulumi_azure_native/sql/sync_member.py b/sdk/python/pulumi_azure_native/sql/sync_member.py index beee19d7f154..6e1b5edf6787 100644 --- a/sdk/python/pulumi_azure_native/sql/sync_member.py +++ b/sdk/python/pulumi_azure_native/sql/sync_member.py @@ -347,7 +347,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint_name"] = None __props__.__dict__["sync_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20150501preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20190601preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20200202preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20200801preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20201101preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20210201preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20210501preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20210801preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20211101:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20211101preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20220201preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20220501preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20220801preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20221101preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20230801:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SyncMember")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20221101preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20230201preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20230501preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20230801preview:SyncMember"), pulumi.Alias(type_="azure-native:sql/v20240501preview:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20190601preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:SyncMember"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:SyncMember")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SyncMember, __self__).__init__( 'azure-native:sql:SyncMember', diff --git a/sdk/python/pulumi_azure_native/sql/transparent_data_encryption.py b/sdk/python/pulumi_azure_native/sql/transparent_data_encryption.py index 73a7d6ae8cef..f1af29bfead4 100644 --- a/sdk/python/pulumi_azure_native/sql/transparent_data_encryption.py +++ b/sdk/python/pulumi_azure_native/sql/transparent_data_encryption.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20200202preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20200801preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20201101preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20210201preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20210501preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20210801preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20211101:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20211101preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20220201preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20220501preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20220801preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20221101preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20230201preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20230501preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20230801:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20230801preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20240501preview:TransparentDataEncryption")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20140401:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20211101:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20221101preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20230201preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20230501preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20230801preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native:sql/v20240501preview:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20140401:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:TransparentDataEncryption"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:TransparentDataEncryption")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TransparentDataEncryption, __self__).__init__( 'azure-native:sql:TransparentDataEncryption', diff --git a/sdk/python/pulumi_azure_native/sql/virtual_network_rule.py b/sdk/python/pulumi_azure_native/sql/virtual_network_rule.py index c92a7aedee36..ee40ff992465 100644 --- a/sdk/python/pulumi_azure_native/sql/virtual_network_rule.py +++ b/sdk/python/pulumi_azure_native/sql/virtual_network_rule.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20150501preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20200202preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20200801preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20201101preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20210201preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20210501preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20210801preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20211101:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20211101preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20220201preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20220501preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20220801preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20221101preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20230201preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20230501preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20230801:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20230801preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20240501preview:VirtualNetworkRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20221101preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20230201preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20230501preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20230801preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native:sql/v20240501preview:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20150501preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:VirtualNetworkRule"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:VirtualNetworkRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualNetworkRule, __self__).__init__( 'azure-native:sql:VirtualNetworkRule', diff --git a/sdk/python/pulumi_azure_native/sql/workload_classifier.py b/sdk/python/pulumi_azure_native/sql/workload_classifier.py index c24d65d0ad6f..fd8c57db8ed2 100644 --- a/sdk/python/pulumi_azure_native/sql/workload_classifier.py +++ b/sdk/python/pulumi_azure_native/sql/workload_classifier.py @@ -305,7 +305,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20190601preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20200202preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20200801preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20201101preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20210201preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20210501preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20210801preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20211101:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20211101preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20220201preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20220501preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20220801preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20221101preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20230201preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20230501preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20230801:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20230801preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20240501preview:WorkloadClassifier")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20221101preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20230201preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20230501preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20230801preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native:sql/v20240501preview:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20190601preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:WorkloadClassifier"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:WorkloadClassifier")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadClassifier, __self__).__init__( 'azure-native:sql:WorkloadClassifier', diff --git a/sdk/python/pulumi_azure_native/sql/workload_group.py b/sdk/python/pulumi_azure_native/sql/workload_group.py index b1d319cd5d6a..8fd62b4e2c1b 100644 --- a/sdk/python/pulumi_azure_native/sql/workload_group.py +++ b/sdk/python/pulumi_azure_native/sql/workload_group.py @@ -286,7 +286,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20190601preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20200202preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20200801preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20201101preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20210201preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20210501preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20210801preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20211101:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20211101preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20220201preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20220501preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20220801preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20230801:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:WorkloadGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sql/v20211101:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20221101preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20230201preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20230501preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20230801preview:WorkloadGroup"), pulumi.Alias(type_="azure-native:sql/v20240501preview:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20190601preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20200202preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20200801preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20201101preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20210201preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20210501preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20210801preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20211101:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20211101preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20220201preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20220501preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20220801preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20221101preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20230201preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20230501preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20230801:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20230801preview:sql:WorkloadGroup"), pulumi.Alias(type_="azure-native_sql_v20240501preview:sql:WorkloadGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkloadGroup, __self__).__init__( 'azure-native:sql:WorkloadGroup', diff --git a/sdk/python/pulumi_azure_native/sqlvirtualmachine/availability_group_listener.py b/sdk/python/pulumi_azure_native/sqlvirtualmachine/availability_group_listener.py index 9a0e35c6fd03..ae654a1b6e78 100644 --- a/sdk/python/pulumi_azure_native/sqlvirtualmachine/availability_group_listener.py +++ b/sdk/python/pulumi_azure_native/sqlvirtualmachine/availability_group_listener.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20170301preview:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20211101preview:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220201:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220201preview:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220701preview:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220801preview:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20230101preview:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20231001:AvailabilityGroupListener")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220201:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20230101preview:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20231001:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20170301preview:sqlvirtualmachine:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20211101preview:sqlvirtualmachine:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220201preview:sqlvirtualmachine:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:AvailabilityGroupListener"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:AvailabilityGroupListener")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AvailabilityGroupListener, __self__).__init__( 'azure-native:sqlvirtualmachine:AvailabilityGroupListener', diff --git a/sdk/python/pulumi_azure_native/sqlvirtualmachine/sql_virtual_machine.py b/sdk/python/pulumi_azure_native/sqlvirtualmachine/sql_virtual_machine.py index 2990e04d1cd7..0deb925cb8d3 100644 --- a/sdk/python/pulumi_azure_native/sqlvirtualmachine/sql_virtual_machine.py +++ b/sdk/python/pulumi_azure_native/sqlvirtualmachine/sql_virtual_machine.py @@ -537,7 +537,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["troubleshooting_status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20170301preview:SqlVirtualMachine"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20211101preview:SqlVirtualMachine"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachine"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220201preview:SqlVirtualMachine"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220701preview:SqlVirtualMachine"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220801preview:SqlVirtualMachine"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachine"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachine"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachine"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachine"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20170301preview:sqlvirtualmachine:SqlVirtualMachine"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20211101preview:sqlvirtualmachine:SqlVirtualMachine"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:SqlVirtualMachine"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220201preview:sqlvirtualmachine:SqlVirtualMachine"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:SqlVirtualMachine"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:SqlVirtualMachine"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:SqlVirtualMachine"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:SqlVirtualMachine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlVirtualMachine, __self__).__init__( 'azure-native:sqlvirtualmachine:SqlVirtualMachine', diff --git a/sdk/python/pulumi_azure_native/sqlvirtualmachine/sql_virtual_machine_group.py b/sdk/python/pulumi_azure_native/sqlvirtualmachine/sql_virtual_machine_group.py index 81c8a29e2913..cda1a6037d00 100644 --- a/sdk/python/pulumi_azure_native/sqlvirtualmachine/sql_virtual_machine_group.py +++ b/sdk/python/pulumi_azure_native/sqlvirtualmachine/sql_virtual_machine_group.py @@ -229,7 +229,7 @@ def _internal_init(__self__, __props__.__dict__["scale_type"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20170301preview:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20211101preview:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220201preview:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220701preview:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220801preview:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachineGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20220201:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20230101preview:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native:sqlvirtualmachine/v20231001:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20170301preview:sqlvirtualmachine:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20211101preview:sqlvirtualmachine:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220201:sqlvirtualmachine:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220201preview:sqlvirtualmachine:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220701preview:sqlvirtualmachine:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20220801preview:sqlvirtualmachine:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20230101preview:sqlvirtualmachine:SqlVirtualMachineGroup"), pulumi.Alias(type_="azure-native_sqlvirtualmachine_v20231001:sqlvirtualmachine:SqlVirtualMachineGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlVirtualMachineGroup, __self__).__init__( 'azure-native:sqlvirtualmachine:SqlVirtualMachineGroup', diff --git a/sdk/python/pulumi_azure_native/standbypool/standby_container_group_pool.py b/sdk/python/pulumi_azure_native/standbypool/standby_container_group_pool.py index 588da635ef76..4159860600ca 100644 --- a/sdk/python/pulumi_azure_native/standbypool/standby_container_group_pool.py +++ b/sdk/python/pulumi_azure_native/standbypool/standby_container_group_pool.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:standbypool/v20231201preview:StandbyContainerGroupPool"), pulumi.Alias(type_="azure-native:standbypool/v20240301:StandbyContainerGroupPool"), pulumi.Alias(type_="azure-native:standbypool/v20240301preview:StandbyContainerGroupPool"), pulumi.Alias(type_="azure-native:standbypool/v20250301:StandbyContainerGroupPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:standbypool/v20231201preview:StandbyContainerGroupPool"), pulumi.Alias(type_="azure-native:standbypool/v20240301:StandbyContainerGroupPool"), pulumi.Alias(type_="azure-native:standbypool/v20240301preview:StandbyContainerGroupPool"), pulumi.Alias(type_="azure-native_standbypool_v20231201preview:standbypool:StandbyContainerGroupPool"), pulumi.Alias(type_="azure-native_standbypool_v20240301:standbypool:StandbyContainerGroupPool"), pulumi.Alias(type_="azure-native_standbypool_v20240301preview:standbypool:StandbyContainerGroupPool"), pulumi.Alias(type_="azure-native_standbypool_v20250301:standbypool:StandbyContainerGroupPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StandbyContainerGroupPool, __self__).__init__( 'azure-native:standbypool:StandbyContainerGroupPool', diff --git a/sdk/python/pulumi_azure_native/standbypool/standby_virtual_machine_pool.py b/sdk/python/pulumi_azure_native/standbypool/standby_virtual_machine_pool.py index d1dee3a621e5..0eae3404f4bf 100644 --- a/sdk/python/pulumi_azure_native/standbypool/standby_virtual_machine_pool.py +++ b/sdk/python/pulumi_azure_native/standbypool/standby_virtual_machine_pool.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:standbypool/v20231201preview:StandbyVirtualMachinePool"), pulumi.Alias(type_="azure-native:standbypool/v20240301:StandbyVirtualMachinePool"), pulumi.Alias(type_="azure-native:standbypool/v20240301preview:StandbyVirtualMachinePool"), pulumi.Alias(type_="azure-native:standbypool/v20250301:StandbyVirtualMachinePool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:standbypool/v20231201preview:StandbyVirtualMachinePool"), pulumi.Alias(type_="azure-native:standbypool/v20240301:StandbyVirtualMachinePool"), pulumi.Alias(type_="azure-native:standbypool/v20240301preview:StandbyVirtualMachinePool"), pulumi.Alias(type_="azure-native_standbypool_v20231201preview:standbypool:StandbyVirtualMachinePool"), pulumi.Alias(type_="azure-native_standbypool_v20240301:standbypool:StandbyVirtualMachinePool"), pulumi.Alias(type_="azure-native_standbypool_v20240301preview:standbypool:StandbyVirtualMachinePool"), pulumi.Alias(type_="azure-native_standbypool_v20250301:standbypool:StandbyVirtualMachinePool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StandbyVirtualMachinePool, __self__).__init__( 'azure-native:standbypool:StandbyVirtualMachinePool', diff --git a/sdk/python/pulumi_azure_native/storage/blob_container.py b/sdk/python/pulumi_azure_native/storage/blob_container.py index 5c47cfbd23eb..98904adc0562 100644 --- a/sdk/python/pulumi_azure_native/storage/blob_container.py +++ b/sdk/python/pulumi_azure_native/storage/blob_container.py @@ -298,7 +298,7 @@ def _internal_init(__self__, __props__.__dict__["remaining_retention_days"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20180201:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20180301preview:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20180701:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20181101:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20190401:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20190601:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20200801preview:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20210101:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20210201:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20210401:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20210601:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20210801:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20210901:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20220501:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20220901:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20230101:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20230401:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20230501:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20240101:BlobContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20230101:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20230401:BlobContainer"), pulumi.Alias(type_="azure-native:storage/v20230501:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20180201:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20180301preview:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20180701:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20181101:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20190401:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:BlobContainer"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:BlobContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BlobContainer, __self__).__init__( 'azure-native:storage:BlobContainer', diff --git a/sdk/python/pulumi_azure_native/storage/blob_container_immutability_policy.py b/sdk/python/pulumi_azure_native/storage/blob_container_immutability_policy.py index 56118fbbcf56..9a7d9ff932a1 100644 --- a/sdk/python/pulumi_azure_native/storage/blob_container_immutability_policy.py +++ b/sdk/python/pulumi_azure_native/storage/blob_container_immutability_policy.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20180201:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20180301preview:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20180701:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20181101:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20190401:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20190601:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20200801preview:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20210101:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20210201:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20210401:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20210601:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20210801:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20210901:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20220501:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20220901:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20230101:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20230401:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20230501:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20240101:BlobContainerImmutabilityPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20230101:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20230401:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native:storage/v20230501:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20180201:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20180301preview:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20180701:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20181101:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20190401:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:BlobContainerImmutabilityPolicy"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:BlobContainerImmutabilityPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BlobContainerImmutabilityPolicy, __self__).__init__( 'azure-native:storage:BlobContainerImmutabilityPolicy', diff --git a/sdk/python/pulumi_azure_native/storage/blob_inventory_policy.py b/sdk/python/pulumi_azure_native/storage/blob_inventory_policy.py index f4f965581f3f..ebd455143ad6 100644 --- a/sdk/python/pulumi_azure_native/storage/blob_inventory_policy.py +++ b/sdk/python/pulumi_azure_native/storage/blob_inventory_policy.py @@ -168,7 +168,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20190601:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20200801preview:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20210101:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20210201:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20210401:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20210601:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20210801:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20210901:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20220501:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20220901:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20230101:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20230401:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20230501:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20240101:BlobInventoryPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20230101:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20230401:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native:storage/v20230501:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:BlobInventoryPolicy"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:BlobInventoryPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BlobInventoryPolicy, __self__).__init__( 'azure-native:storage:BlobInventoryPolicy', diff --git a/sdk/python/pulumi_azure_native/storage/blob_service_properties.py b/sdk/python/pulumi_azure_native/storage/blob_service_properties.py index 41cbecd7cfac..11673e795d03 100644 --- a/sdk/python/pulumi_azure_native/storage/blob_service_properties.py +++ b/sdk/python/pulumi_azure_native/storage/blob_service_properties.py @@ -326,7 +326,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["sku"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20180701:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20181101:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20190401:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20190601:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20200801preview:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210101:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210201:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210401:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210601:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210801:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210901:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20220501:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20220901:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230101:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230401:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230501:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20240101:BlobServiceProperties")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230101:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230401:BlobServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230501:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20180701:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20181101:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20190401:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:BlobServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:BlobServiceProperties")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BlobServiceProperties, __self__).__init__( 'azure-native:storage:BlobServiceProperties', diff --git a/sdk/python/pulumi_azure_native/storage/encryption_scope.py b/sdk/python/pulumi_azure_native/storage/encryption_scope.py index d534a77aa49c..63c4aecba727 100644 --- a/sdk/python/pulumi_azure_native/storage/encryption_scope.py +++ b/sdk/python/pulumi_azure_native/storage/encryption_scope.py @@ -227,7 +227,7 @@ def _internal_init(__self__, __props__.__dict__["last_modified_time"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20190601:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20200801preview:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20210101:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20210201:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20210401:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20210601:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20210801:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20210901:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20220501:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20220901:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20230101:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20230401:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20230501:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20240101:EncryptionScope")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20230101:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20230401:EncryptionScope"), pulumi.Alias(type_="azure-native:storage/v20230501:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:EncryptionScope"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:EncryptionScope")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EncryptionScope, __self__).__init__( 'azure-native:storage:EncryptionScope', diff --git a/sdk/python/pulumi_azure_native/storage/file_service_properties.py b/sdk/python/pulumi_azure_native/storage/file_service_properties.py index 4e21108be7ad..c97ad12efadd 100644 --- a/sdk/python/pulumi_azure_native/storage/file_service_properties.py +++ b/sdk/python/pulumi_azure_native/storage/file_service_properties.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["sku"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20190401:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20190601:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20200801preview:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210101:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210201:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210401:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210601:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210801:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210901:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20220501:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20220901:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230101:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230401:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230501:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20240101:FileServiceProperties")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230101:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230401:FileServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230501:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20190401:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:FileServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:FileServiceProperties")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FileServiceProperties, __self__).__init__( 'azure-native:storage:FileServiceProperties', diff --git a/sdk/python/pulumi_azure_native/storage/file_share.py b/sdk/python/pulumi_azure_native/storage/file_share.py index 09b883c15984..37b35a19e941 100644 --- a/sdk/python/pulumi_azure_native/storage/file_share.py +++ b/sdk/python/pulumi_azure_native/storage/file_share.py @@ -363,7 +363,7 @@ def _internal_init(__self__, __props__.__dict__["snapshot_time"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20190401:FileShare"), pulumi.Alias(type_="azure-native:storage/v20190601:FileShare"), pulumi.Alias(type_="azure-native:storage/v20200801preview:FileShare"), pulumi.Alias(type_="azure-native:storage/v20210101:FileShare"), pulumi.Alias(type_="azure-native:storage/v20210201:FileShare"), pulumi.Alias(type_="azure-native:storage/v20210401:FileShare"), pulumi.Alias(type_="azure-native:storage/v20210601:FileShare"), pulumi.Alias(type_="azure-native:storage/v20210801:FileShare"), pulumi.Alias(type_="azure-native:storage/v20210901:FileShare"), pulumi.Alias(type_="azure-native:storage/v20220501:FileShare"), pulumi.Alias(type_="azure-native:storage/v20220901:FileShare"), pulumi.Alias(type_="azure-native:storage/v20230101:FileShare"), pulumi.Alias(type_="azure-native:storage/v20230401:FileShare"), pulumi.Alias(type_="azure-native:storage/v20230501:FileShare"), pulumi.Alias(type_="azure-native:storage/v20240101:FileShare")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:FileShare"), pulumi.Alias(type_="azure-native:storage/v20230101:FileShare"), pulumi.Alias(type_="azure-native:storage/v20230401:FileShare"), pulumi.Alias(type_="azure-native:storage/v20230501:FileShare"), pulumi.Alias(type_="azure-native_storage_v20190401:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:FileShare"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:FileShare")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FileShare, __self__).__init__( 'azure-native:storage:FileShare', diff --git a/sdk/python/pulumi_azure_native/storage/local_user.py b/sdk/python/pulumi_azure_native/storage/local_user.py index 814e3704b3dc..a5bdf251d6d6 100644 --- a/sdk/python/pulumi_azure_native/storage/local_user.py +++ b/sdk/python/pulumi_azure_native/storage/local_user.py @@ -347,7 +347,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["user_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20210801:LocalUser"), pulumi.Alias(type_="azure-native:storage/v20210901:LocalUser"), pulumi.Alias(type_="azure-native:storage/v20220501:LocalUser"), pulumi.Alias(type_="azure-native:storage/v20220901:LocalUser"), pulumi.Alias(type_="azure-native:storage/v20230101:LocalUser"), pulumi.Alias(type_="azure-native:storage/v20230401:LocalUser"), pulumi.Alias(type_="azure-native:storage/v20230501:LocalUser"), pulumi.Alias(type_="azure-native:storage/v20240101:LocalUser")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:LocalUser"), pulumi.Alias(type_="azure-native:storage/v20230101:LocalUser"), pulumi.Alias(type_="azure-native:storage/v20230401:LocalUser"), pulumi.Alias(type_="azure-native:storage/v20230501:LocalUser"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:LocalUser"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:LocalUser"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:LocalUser"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:LocalUser"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:LocalUser"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:LocalUser"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:LocalUser"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:LocalUser")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LocalUser, __self__).__init__( 'azure-native:storage:LocalUser', diff --git a/sdk/python/pulumi_azure_native/storage/management_policy.py b/sdk/python/pulumi_azure_native/storage/management_policy.py index 909fe0081526..5426056e2b7d 100644 --- a/sdk/python/pulumi_azure_native/storage/management_policy.py +++ b/sdk/python/pulumi_azure_native/storage/management_policy.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["last_modified_time"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20180301preview:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20181101:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20190401:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20190601:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20200801preview:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20210101:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20210201:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20210401:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20210601:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20210801:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20210901:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20220501:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20220901:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20230101:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20230401:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20230501:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20240101:ManagementPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20230101:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20230401:ManagementPolicy"), pulumi.Alias(type_="azure-native:storage/v20230501:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20180301preview:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20181101:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20190401:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:ManagementPolicy"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:ManagementPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagementPolicy, __self__).__init__( 'azure-native:storage:ManagementPolicy', diff --git a/sdk/python/pulumi_azure_native/storage/object_replication_policy.py b/sdk/python/pulumi_azure_native/storage/object_replication_policy.py index 8cc1d82259e8..f22234e3cfb7 100644 --- a/sdk/python/pulumi_azure_native/storage/object_replication_policy.py +++ b/sdk/python/pulumi_azure_native/storage/object_replication_policy.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["policy_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20190601:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20200801preview:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20210101:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20210201:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20210401:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20210601:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20210801:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20210901:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20220501:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20220901:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20230101:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20230401:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20230501:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20240101:ObjectReplicationPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20230101:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20230401:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native:storage/v20230501:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:ObjectReplicationPolicy"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:ObjectReplicationPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ObjectReplicationPolicy, __self__).__init__( 'azure-native:storage:ObjectReplicationPolicy', diff --git a/sdk/python/pulumi_azure_native/storage/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/storage/private_endpoint_connection.py index e3a82781fba7..61a7664aeea7 100644 --- a/sdk/python/pulumi_azure_native/storage/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/storage/private_endpoint_connection.py @@ -168,7 +168,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20190601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20200801preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20210101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20210201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20210401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20210601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20210801:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20210901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20220501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20220901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20230101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20230401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20230501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20240101:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20230101:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20230401:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storage/v20230501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:storage:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/storage/queue.py b/sdk/python/pulumi_azure_native/storage/queue.py index f5d281be6a48..deb659405dae 100644 --- a/sdk/python/pulumi_azure_native/storage/queue.py +++ b/sdk/python/pulumi_azure_native/storage/queue.py @@ -159,7 +159,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20190601:Queue"), pulumi.Alias(type_="azure-native:storage/v20200801preview:Queue"), pulumi.Alias(type_="azure-native:storage/v20210101:Queue"), pulumi.Alias(type_="azure-native:storage/v20210201:Queue"), pulumi.Alias(type_="azure-native:storage/v20210401:Queue"), pulumi.Alias(type_="azure-native:storage/v20210601:Queue"), pulumi.Alias(type_="azure-native:storage/v20210801:Queue"), pulumi.Alias(type_="azure-native:storage/v20210901:Queue"), pulumi.Alias(type_="azure-native:storage/v20220501:Queue"), pulumi.Alias(type_="azure-native:storage/v20220901:Queue"), pulumi.Alias(type_="azure-native:storage/v20230101:Queue"), pulumi.Alias(type_="azure-native:storage/v20230401:Queue"), pulumi.Alias(type_="azure-native:storage/v20230501:Queue"), pulumi.Alias(type_="azure-native:storage/v20240101:Queue")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:Queue"), pulumi.Alias(type_="azure-native:storage/v20230101:Queue"), pulumi.Alias(type_="azure-native:storage/v20230401:Queue"), pulumi.Alias(type_="azure-native:storage/v20230501:Queue"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:Queue"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:Queue")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Queue, __self__).__init__( 'azure-native:storage:Queue', diff --git a/sdk/python/pulumi_azure_native/storage/queue_service_properties.py b/sdk/python/pulumi_azure_native/storage/queue_service_properties.py index edc709ace3b5..a3c420212d2e 100644 --- a/sdk/python/pulumi_azure_native/storage/queue_service_properties.py +++ b/sdk/python/pulumi_azure_native/storage/queue_service_properties.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20190601:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20200801preview:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210101:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210201:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210401:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210601:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210801:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210901:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20220501:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20220901:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230101:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230401:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230501:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20240101:QueueServiceProperties")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230101:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230401:QueueServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230501:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:QueueServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:QueueServiceProperties")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(QueueServiceProperties, __self__).__init__( 'azure-native:storage:QueueServiceProperties', diff --git a/sdk/python/pulumi_azure_native/storage/storage_account.py b/sdk/python/pulumi_azure_native/storage/storage_account.py index 204216516e0e..f14167d1e10a 100644 --- a/sdk/python/pulumi_azure_native/storage/storage_account.py +++ b/sdk/python/pulumi_azure_native/storage/storage_account.py @@ -743,7 +743,7 @@ def _internal_init(__self__, __props__.__dict__["status_of_secondary"] = None __props__.__dict__["storage_account_sku_conversion_status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20150501preview:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20150615:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20160101:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20160501:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20161201:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20170601:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20171001:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20180201:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20180301preview:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20180701:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20181101:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20190401:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20190601:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20200801preview:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20210101:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20210201:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20210401:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20210601:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20210801:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20210901:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20220501:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20220901:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20230101:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20230401:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20230501:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20240101:StorageAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20230101:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20230401:StorageAccount"), pulumi.Alias(type_="azure-native:storage/v20230501:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20150501preview:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20150615:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20160101:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20160501:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20161201:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20170601:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20171001:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20180201:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20180301preview:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20180701:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20181101:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20190401:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:StorageAccount"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:StorageAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageAccount, __self__).__init__( 'azure-native:storage:StorageAccount', diff --git a/sdk/python/pulumi_azure_native/storage/storage_task_assignment.py b/sdk/python/pulumi_azure_native/storage/storage_task_assignment.py index 74100df96961..5f44dcb6df2d 100644 --- a/sdk/python/pulumi_azure_native/storage/storage_task_assignment.py +++ b/sdk/python/pulumi_azure_native/storage/storage_task_assignment.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20230501:StorageTaskAssignment"), pulumi.Alias(type_="azure-native:storage/v20240101:StorageTaskAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20230501:StorageTaskAssignment"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:StorageTaskAssignment"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:StorageTaskAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageTaskAssignment, __self__).__init__( 'azure-native:storage:StorageTaskAssignment', diff --git a/sdk/python/pulumi_azure_native/storage/table.py b/sdk/python/pulumi_azure_native/storage/table.py index cf79cc79ee9a..aee932c182cf 100644 --- a/sdk/python/pulumi_azure_native/storage/table.py +++ b/sdk/python/pulumi_azure_native/storage/table.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20190601:Table"), pulumi.Alias(type_="azure-native:storage/v20200801preview:Table"), pulumi.Alias(type_="azure-native:storage/v20210101:Table"), pulumi.Alias(type_="azure-native:storage/v20210201:Table"), pulumi.Alias(type_="azure-native:storage/v20210401:Table"), pulumi.Alias(type_="azure-native:storage/v20210601:Table"), pulumi.Alias(type_="azure-native:storage/v20210801:Table"), pulumi.Alias(type_="azure-native:storage/v20210901:Table"), pulumi.Alias(type_="azure-native:storage/v20220501:Table"), pulumi.Alias(type_="azure-native:storage/v20220901:Table"), pulumi.Alias(type_="azure-native:storage/v20230101:Table"), pulumi.Alias(type_="azure-native:storage/v20230401:Table"), pulumi.Alias(type_="azure-native:storage/v20230501:Table"), pulumi.Alias(type_="azure-native:storage/v20240101:Table")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:Table"), pulumi.Alias(type_="azure-native:storage/v20230101:Table"), pulumi.Alias(type_="azure-native:storage/v20230401:Table"), pulumi.Alias(type_="azure-native:storage/v20230501:Table"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:Table"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:Table")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Table, __self__).__init__( 'azure-native:storage:Table', diff --git a/sdk/python/pulumi_azure_native/storage/table_service_properties.py b/sdk/python/pulumi_azure_native/storage/table_service_properties.py index 4000476aa273..4137abe457b0 100644 --- a/sdk/python/pulumi_azure_native/storage/table_service_properties.py +++ b/sdk/python/pulumi_azure_native/storage/table_service_properties.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20190601:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20200801preview:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210101:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210201:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210401:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210601:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210801:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20210901:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20220501:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20220901:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230101:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230401:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230501:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20240101:TableServiceProperties")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storage/v20220901:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230101:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230401:TableServiceProperties"), pulumi.Alias(type_="azure-native:storage/v20230501:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20190601:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20200801preview:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210101:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210201:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210401:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210601:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210801:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20210901:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20220501:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20220901:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230101:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230401:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20230501:storage:TableServiceProperties"), pulumi.Alias(type_="azure-native_storage_v20240101:storage:TableServiceProperties")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TableServiceProperties, __self__).__init__( 'azure-native:storage:TableServiceProperties', diff --git a/sdk/python/pulumi_azure_native/storageactions/storage_task.py b/sdk/python/pulumi_azure_native/storageactions/storage_task.py index cab04ce97c26..1f6efef19704 100644 --- a/sdk/python/pulumi_azure_native/storageactions/storage_task.py +++ b/sdk/python/pulumi_azure_native/storageactions/storage_task.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["task_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storageactions/v20230101:StorageTask")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storageactions/v20230101:StorageTask"), pulumi.Alias(type_="azure-native_storageactions_v20230101:storageactions:StorageTask")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageTask, __self__).__init__( 'azure-native:storageactions:StorageTask', diff --git a/sdk/python/pulumi_azure_native/storagecache/aml_filesystem.py b/sdk/python/pulumi_azure_native/storagecache/aml_filesystem.py index eaefd394331d..86a1ad796945 100644 --- a/sdk/python/pulumi_azure_native/storagecache/aml_filesystem.py +++ b/sdk/python/pulumi_azure_native/storagecache/aml_filesystem.py @@ -352,7 +352,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["throughput_provisioned_m_bps"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagecache/v20230301preview:AmlFilesystem"), pulumi.Alias(type_="azure-native:storagecache/v20230501:AmlFilesystem"), pulumi.Alias(type_="azure-native:storagecache/v20231101preview:AmlFilesystem"), pulumi.Alias(type_="azure-native:storagecache/v20240301:AmlFilesystem"), pulumi.Alias(type_="azure-native:storagecache/v20240701:AmlFilesystem")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagecache/v20230301preview:AmlFilesystem"), pulumi.Alias(type_="azure-native:storagecache/v20230501:AmlFilesystem"), pulumi.Alias(type_="azure-native:storagecache/v20231101preview:AmlFilesystem"), pulumi.Alias(type_="azure-native:storagecache/v20240301:AmlFilesystem"), pulumi.Alias(type_="azure-native_storagecache_v20230301preview:storagecache:AmlFilesystem"), pulumi.Alias(type_="azure-native_storagecache_v20230501:storagecache:AmlFilesystem"), pulumi.Alias(type_="azure-native_storagecache_v20231101preview:storagecache:AmlFilesystem"), pulumi.Alias(type_="azure-native_storagecache_v20240301:storagecache:AmlFilesystem"), pulumi.Alias(type_="azure-native_storagecache_v20240701:storagecache:AmlFilesystem")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AmlFilesystem, __self__).__init__( 'azure-native:storagecache:AmlFilesystem', diff --git a/sdk/python/pulumi_azure_native/storagecache/cache.py b/sdk/python/pulumi_azure_native/storagecache/cache.py index 647c82c1c979..dfebef4dbabd 100644 --- a/sdk/python/pulumi_azure_native/storagecache/cache.py +++ b/sdk/python/pulumi_azure_native/storagecache/cache.py @@ -371,7 +371,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["upgrade_status"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagecache/v20190801preview:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20191101:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20200301:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20201001:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20210301:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20210501:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20210901:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20220101:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20220501:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20230101:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20230301preview:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20230501:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20231101preview:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20240301:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20240701:Cache")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagecache/v20210301:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20230301preview:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20230501:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20231101preview:Cache"), pulumi.Alias(type_="azure-native:storagecache/v20240301:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20190801preview:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20191101:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20200301:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20201001:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20210301:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20210501:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20210901:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20220101:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20220501:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20230101:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20230301preview:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20230501:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20231101preview:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20240301:storagecache:Cache"), pulumi.Alias(type_="azure-native_storagecache_v20240701:storagecache:Cache")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cache, __self__).__init__( 'azure-native:storagecache:Cache', diff --git a/sdk/python/pulumi_azure_native/storagecache/import_job.py b/sdk/python/pulumi_azure_native/storagecache/import_job.py index 5c87e09bc117..ed4e0b165e3d 100644 --- a/sdk/python/pulumi_azure_native/storagecache/import_job.py +++ b/sdk/python/pulumi_azure_native/storagecache/import_job.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["total_conflicts"] = None __props__.__dict__["total_errors"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagecache/v20240301:ImportJob"), pulumi.Alias(type_="azure-native:storagecache/v20240701:ImportJob")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagecache/v20240301:ImportJob"), pulumi.Alias(type_="azure-native_storagecache_v20240301:storagecache:ImportJob"), pulumi.Alias(type_="azure-native_storagecache_v20240701:storagecache:ImportJob")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ImportJob, __self__).__init__( 'azure-native:storagecache:ImportJob', diff --git a/sdk/python/pulumi_azure_native/storagecache/storage_target.py b/sdk/python/pulumi_azure_native/storagecache/storage_target.py index 404d99e13266..1fc5c22b4eb7 100644 --- a/sdk/python/pulumi_azure_native/storagecache/storage_target.py +++ b/sdk/python/pulumi_azure_native/storagecache/storage_target.py @@ -290,7 +290,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagecache/v20190801preview:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20191101:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20200301:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20201001:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20210301:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20210501:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20210901:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20220101:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20220501:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20230101:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20230301preview:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20230501:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20231101preview:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20240301:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20240701:StorageTarget")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagecache/v20210301:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20230501:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20231101preview:StorageTarget"), pulumi.Alias(type_="azure-native:storagecache/v20240301:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20190801preview:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20191101:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20200301:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20201001:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20210301:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20210501:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20210901:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20220101:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20220501:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20230101:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20230301preview:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20230501:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20231101preview:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20240301:storagecache:StorageTarget"), pulumi.Alias(type_="azure-native_storagecache_v20240701:storagecache:StorageTarget")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageTarget, __self__).__init__( 'azure-native:storagecache:StorageTarget', diff --git a/sdk/python/pulumi_azure_native/storagemover/agent.py b/sdk/python/pulumi_azure_native/storagemover/agent.py index f0211392778d..ae74f78cfae6 100644 --- a/sdk/python/pulumi_azure_native/storagemover/agent.py +++ b/sdk/python/pulumi_azure_native/storagemover/agent.py @@ -238,7 +238,7 @@ def _internal_init(__self__, __props__.__dict__["time_zone"] = None __props__.__dict__["type"] = None __props__.__dict__["uptime_in_seconds"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagemover/v20220701preview:Agent"), pulumi.Alias(type_="azure-native:storagemover/v20230301:Agent"), pulumi.Alias(type_="azure-native:storagemover/v20230701preview:Agent"), pulumi.Alias(type_="azure-native:storagemover/v20231001:Agent"), pulumi.Alias(type_="azure-native:storagemover/v20240701:Agent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagemover/v20230301:Agent"), pulumi.Alias(type_="azure-native:storagemover/v20230701preview:Agent"), pulumi.Alias(type_="azure-native:storagemover/v20231001:Agent"), pulumi.Alias(type_="azure-native:storagemover/v20240701:Agent"), pulumi.Alias(type_="azure-native_storagemover_v20220701preview:storagemover:Agent"), pulumi.Alias(type_="azure-native_storagemover_v20230301:storagemover:Agent"), pulumi.Alias(type_="azure-native_storagemover_v20230701preview:storagemover:Agent"), pulumi.Alias(type_="azure-native_storagemover_v20231001:storagemover:Agent"), pulumi.Alias(type_="azure-native_storagemover_v20240701:storagemover:Agent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Agent, __self__).__init__( 'azure-native:storagemover:Agent', diff --git a/sdk/python/pulumi_azure_native/storagemover/endpoint.py b/sdk/python/pulumi_azure_native/storagemover/endpoint.py index 6447ce4a6843..e24ea4eaa728 100644 --- a/sdk/python/pulumi_azure_native/storagemover/endpoint.py +++ b/sdk/python/pulumi_azure_native/storagemover/endpoint.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagemover/v20220701preview:Endpoint"), pulumi.Alias(type_="azure-native:storagemover/v20230301:Endpoint"), pulumi.Alias(type_="azure-native:storagemover/v20230701preview:Endpoint"), pulumi.Alias(type_="azure-native:storagemover/v20231001:Endpoint"), pulumi.Alias(type_="azure-native:storagemover/v20240701:Endpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagemover/v20230301:Endpoint"), pulumi.Alias(type_="azure-native:storagemover/v20230701preview:Endpoint"), pulumi.Alias(type_="azure-native:storagemover/v20231001:Endpoint"), pulumi.Alias(type_="azure-native:storagemover/v20240701:Endpoint"), pulumi.Alias(type_="azure-native_storagemover_v20220701preview:storagemover:Endpoint"), pulumi.Alias(type_="azure-native_storagemover_v20230301:storagemover:Endpoint"), pulumi.Alias(type_="azure-native_storagemover_v20230701preview:storagemover:Endpoint"), pulumi.Alias(type_="azure-native_storagemover_v20231001:storagemover:Endpoint"), pulumi.Alias(type_="azure-native_storagemover_v20240701:storagemover:Endpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Endpoint, __self__).__init__( 'azure-native:storagemover:Endpoint', diff --git a/sdk/python/pulumi_azure_native/storagemover/job_definition.py b/sdk/python/pulumi_azure_native/storagemover/job_definition.py index b89cac27c536..5297089e55ce 100644 --- a/sdk/python/pulumi_azure_native/storagemover/job_definition.py +++ b/sdk/python/pulumi_azure_native/storagemover/job_definition.py @@ -316,7 +316,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["target_resource_id"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagemover/v20220701preview:JobDefinition"), pulumi.Alias(type_="azure-native:storagemover/v20230301:JobDefinition"), pulumi.Alias(type_="azure-native:storagemover/v20230701preview:JobDefinition"), pulumi.Alias(type_="azure-native:storagemover/v20231001:JobDefinition"), pulumi.Alias(type_="azure-native:storagemover/v20240701:JobDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagemover/v20230301:JobDefinition"), pulumi.Alias(type_="azure-native:storagemover/v20230701preview:JobDefinition"), pulumi.Alias(type_="azure-native:storagemover/v20231001:JobDefinition"), pulumi.Alias(type_="azure-native:storagemover/v20240701:JobDefinition"), pulumi.Alias(type_="azure-native_storagemover_v20220701preview:storagemover:JobDefinition"), pulumi.Alias(type_="azure-native_storagemover_v20230301:storagemover:JobDefinition"), pulumi.Alias(type_="azure-native_storagemover_v20230701preview:storagemover:JobDefinition"), pulumi.Alias(type_="azure-native_storagemover_v20231001:storagemover:JobDefinition"), pulumi.Alias(type_="azure-native_storagemover_v20240701:storagemover:JobDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(JobDefinition, __self__).__init__( 'azure-native:storagemover:JobDefinition', diff --git a/sdk/python/pulumi_azure_native/storagemover/project.py b/sdk/python/pulumi_azure_native/storagemover/project.py index 619a5cf5b385..a90b0c9c76a3 100644 --- a/sdk/python/pulumi_azure_native/storagemover/project.py +++ b/sdk/python/pulumi_azure_native/storagemover/project.py @@ -165,7 +165,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagemover/v20220701preview:Project"), pulumi.Alias(type_="azure-native:storagemover/v20230301:Project"), pulumi.Alias(type_="azure-native:storagemover/v20230701preview:Project"), pulumi.Alias(type_="azure-native:storagemover/v20231001:Project"), pulumi.Alias(type_="azure-native:storagemover/v20240701:Project")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagemover/v20230301:Project"), pulumi.Alias(type_="azure-native:storagemover/v20230701preview:Project"), pulumi.Alias(type_="azure-native:storagemover/v20231001:Project"), pulumi.Alias(type_="azure-native:storagemover/v20240701:Project"), pulumi.Alias(type_="azure-native_storagemover_v20220701preview:storagemover:Project"), pulumi.Alias(type_="azure-native_storagemover_v20230301:storagemover:Project"), pulumi.Alias(type_="azure-native_storagemover_v20230701preview:storagemover:Project"), pulumi.Alias(type_="azure-native_storagemover_v20231001:storagemover:Project"), pulumi.Alias(type_="azure-native_storagemover_v20240701:storagemover:Project")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Project, __self__).__init__( 'azure-native:storagemover:Project', diff --git a/sdk/python/pulumi_azure_native/storagemover/storage_mover.py b/sdk/python/pulumi_azure_native/storagemover/storage_mover.py index d01068c0b621..472921a1c2ec 100644 --- a/sdk/python/pulumi_azure_native/storagemover/storage_mover.py +++ b/sdk/python/pulumi_azure_native/storagemover/storage_mover.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagemover/v20220701preview:StorageMover"), pulumi.Alias(type_="azure-native:storagemover/v20230301:StorageMover"), pulumi.Alias(type_="azure-native:storagemover/v20230701preview:StorageMover"), pulumi.Alias(type_="azure-native:storagemover/v20231001:StorageMover"), pulumi.Alias(type_="azure-native:storagemover/v20240701:StorageMover")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagemover/v20230301:StorageMover"), pulumi.Alias(type_="azure-native:storagemover/v20230701preview:StorageMover"), pulumi.Alias(type_="azure-native:storagemover/v20231001:StorageMover"), pulumi.Alias(type_="azure-native:storagemover/v20240701:StorageMover"), pulumi.Alias(type_="azure-native_storagemover_v20220701preview:storagemover:StorageMover"), pulumi.Alias(type_="azure-native_storagemover_v20230301:storagemover:StorageMover"), pulumi.Alias(type_="azure-native_storagemover_v20230701preview:storagemover:StorageMover"), pulumi.Alias(type_="azure-native_storagemover_v20231001:storagemover:StorageMover"), pulumi.Alias(type_="azure-native_storagemover_v20240701:storagemover:StorageMover")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageMover, __self__).__init__( 'azure-native:storagemover:StorageMover', diff --git a/sdk/python/pulumi_azure_native/storagepool/disk_pool.py b/sdk/python/pulumi_azure_native/storagepool/disk_pool.py index 09bc206d45cb..25b4912fed9a 100644 --- a/sdk/python/pulumi_azure_native/storagepool/disk_pool.py +++ b/sdk/python/pulumi_azure_native/storagepool/disk_pool.py @@ -305,7 +305,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["tier"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagepool/v20200315preview:DiskPool"), pulumi.Alias(type_="azure-native:storagepool/v20210401preview:DiskPool"), pulumi.Alias(type_="azure-native:storagepool/v20210801:DiskPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagepool/v20200315preview:DiskPool"), pulumi.Alias(type_="azure-native:storagepool/v20210801:DiskPool"), pulumi.Alias(type_="azure-native_storagepool_v20200315preview:storagepool:DiskPool"), pulumi.Alias(type_="azure-native_storagepool_v20210401preview:storagepool:DiskPool"), pulumi.Alias(type_="azure-native_storagepool_v20210801:storagepool:DiskPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DiskPool, __self__).__init__( 'azure-native:storagepool:DiskPool', diff --git a/sdk/python/pulumi_azure_native/storagepool/iscsi_target.py b/sdk/python/pulumi_azure_native/storagepool/iscsi_target.py index b9eea9d4cae0..658398ebd98e 100644 --- a/sdk/python/pulumi_azure_native/storagepool/iscsi_target.py +++ b/sdk/python/pulumi_azure_native/storagepool/iscsi_target.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagepool/v20200315preview:IscsiTarget"), pulumi.Alias(type_="azure-native:storagepool/v20210401preview:IscsiTarget"), pulumi.Alias(type_="azure-native:storagepool/v20210801:IscsiTarget")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagepool/v20200315preview:IscsiTarget"), pulumi.Alias(type_="azure-native:storagepool/v20210801:IscsiTarget"), pulumi.Alias(type_="azure-native_storagepool_v20200315preview:storagepool:IscsiTarget"), pulumi.Alias(type_="azure-native_storagepool_v20210401preview:storagepool:IscsiTarget"), pulumi.Alias(type_="azure-native_storagepool_v20210801:storagepool:IscsiTarget")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IscsiTarget, __self__).__init__( 'azure-native:storagepool:IscsiTarget', diff --git a/sdk/python/pulumi_azure_native/storagesync/cloud_endpoint.py b/sdk/python/pulumi_azure_native/storagesync/cloud_endpoint.py index 1ffae659a6d9..e2c17448992b 100644 --- a/sdk/python/pulumi_azure_native/storagesync/cloud_endpoint.py +++ b/sdk/python/pulumi_azure_native/storagesync/cloud_endpoint.py @@ -251,7 +251,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20170605preview:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20180402:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20180701:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20181001:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20190201:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20190301:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20190601:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20191001:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20200301:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20200901:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20220601:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20220901:CloudEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20220601:CloudEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20220901:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20170605preview:storagesync:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20180402:storagesync:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20180701:storagesync:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20181001:storagesync:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20190201:storagesync:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20190301:storagesync:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20190601:storagesync:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20191001:storagesync:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20200301:storagesync:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20200901:storagesync:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20220601:storagesync:CloudEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20220901:storagesync:CloudEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CloudEndpoint, __self__).__init__( 'azure-native:storagesync:CloudEndpoint', diff --git a/sdk/python/pulumi_azure_native/storagesync/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/storagesync/private_endpoint_connection.py index 1c826e7f0413..d0997b85e393 100644 --- a/sdk/python/pulumi_azure_native/storagesync/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/storagesync/private_endpoint_connection.py @@ -170,7 +170,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20200301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storagesync/v20200901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storagesync/v20220601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storagesync/v20220901:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20220601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:storagesync/v20220901:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storagesync_v20200301:storagesync:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storagesync_v20200901:storagesync:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storagesync_v20220601:storagesync:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_storagesync_v20220901:storagesync:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:storagesync:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/storagesync/registered_server.py b/sdk/python/pulumi_azure_native/storagesync/registered_server.py index fbf64e5600a5..1f484824e070 100644 --- a/sdk/python/pulumi_azure_native/storagesync/registered_server.py +++ b/sdk/python/pulumi_azure_native/storagesync/registered_server.py @@ -360,7 +360,7 @@ def _internal_init(__self__, __props__.__dict__["storage_sync_service_uid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20170605preview:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20180402:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20180701:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20181001:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20190201:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20190301:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20190601:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20191001:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20200301:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20200901:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20220601:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20220901:RegisteredServer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20220601:RegisteredServer"), pulumi.Alias(type_="azure-native:storagesync/v20220901:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20170605preview:storagesync:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20180402:storagesync:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20180701:storagesync:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20181001:storagesync:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20190201:storagesync:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20190301:storagesync:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20190601:storagesync:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20191001:storagesync:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20200301:storagesync:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20200901:storagesync:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20220601:storagesync:RegisteredServer"), pulumi.Alias(type_="azure-native_storagesync_v20220901:storagesync:RegisteredServer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(RegisteredServer, __self__).__init__( 'azure-native:storagesync:RegisteredServer', diff --git a/sdk/python/pulumi_azure_native/storagesync/server_endpoint.py b/sdk/python/pulumi_azure_native/storagesync/server_endpoint.py index 6653f10a5ce7..e4c670affb0c 100644 --- a/sdk/python/pulumi_azure_native/storagesync/server_endpoint.py +++ b/sdk/python/pulumi_azure_native/storagesync/server_endpoint.py @@ -404,7 +404,7 @@ def _internal_init(__self__, __props__.__dict__["sync_status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20170605preview:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20180402:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20180701:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20181001:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20190201:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20190301:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20190601:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20191001:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20200301:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20200901:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20220601:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20220901:ServerEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20220601:ServerEndpoint"), pulumi.Alias(type_="azure-native:storagesync/v20220901:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20170605preview:storagesync:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20180402:storagesync:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20180701:storagesync:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20181001:storagesync:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20190201:storagesync:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20190301:storagesync:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20190601:storagesync:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20191001:storagesync:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20200301:storagesync:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20200901:storagesync:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20220601:storagesync:ServerEndpoint"), pulumi.Alias(type_="azure-native_storagesync_v20220901:storagesync:ServerEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerEndpoint, __self__).__init__( 'azure-native:storagesync:ServerEndpoint', diff --git a/sdk/python/pulumi_azure_native/storagesync/storage_sync_service.py b/sdk/python/pulumi_azure_native/storagesync/storage_sync_service.py index b433d446ed6f..5c7010677e90 100644 --- a/sdk/python/pulumi_azure_native/storagesync/storage_sync_service.py +++ b/sdk/python/pulumi_azure_native/storagesync/storage_sync_service.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["storage_sync_service_uid"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20170605preview:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20180402:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20180701:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20181001:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20190201:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20190301:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20190601:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20191001:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20200301:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20200901:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20220601:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20220901:StorageSyncService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20220601:StorageSyncService"), pulumi.Alias(type_="azure-native:storagesync/v20220901:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20170605preview:storagesync:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20180402:storagesync:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20180701:storagesync:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20181001:storagesync:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20190201:storagesync:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20190301:storagesync:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20190601:storagesync:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20191001:storagesync:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20200301:storagesync:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20200901:storagesync:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20220601:storagesync:StorageSyncService"), pulumi.Alias(type_="azure-native_storagesync_v20220901:storagesync:StorageSyncService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageSyncService, __self__).__init__( 'azure-native:storagesync:StorageSyncService', diff --git a/sdk/python/pulumi_azure_native/storagesync/sync_group.py b/sdk/python/pulumi_azure_native/storagesync/sync_group.py index 6ee9a0711670..c541b6da54db 100644 --- a/sdk/python/pulumi_azure_native/storagesync/sync_group.py +++ b/sdk/python/pulumi_azure_native/storagesync/sync_group.py @@ -146,7 +146,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["unique_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20170605preview:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20180402:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20180701:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20181001:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20190201:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20190301:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20190601:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20191001:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20200301:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20200901:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20220601:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20220901:SyncGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storagesync/v20220601:SyncGroup"), pulumi.Alias(type_="azure-native:storagesync/v20220901:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20170605preview:storagesync:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20180402:storagesync:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20180701:storagesync:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20181001:storagesync:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20190201:storagesync:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20190301:storagesync:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20190601:storagesync:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20191001:storagesync:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20200301:storagesync:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20200901:storagesync:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20220601:storagesync:SyncGroup"), pulumi.Alias(type_="azure-native_storagesync_v20220901:storagesync:SyncGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SyncGroup, __self__).__init__( 'azure-native:storagesync:SyncGroup', diff --git a/sdk/python/pulumi_azure_native/storsimple/access_control_record.py b/sdk/python/pulumi_azure_native/storsimple/access_control_record.py index d3dfad0befa6..d6b54b60edc0 100644 --- a/sdk/python/pulumi_azure_native/storsimple/access_control_record.py +++ b/sdk/python/pulumi_azure_native/storsimple/access_control_record.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["type"] = None __props__.__dict__["volume_count"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20161001:AccessControlRecord"), pulumi.Alias(type_="azure-native:storsimple/v20170601:AccessControlRecord")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:AccessControlRecord"), pulumi.Alias(type_="azure-native_storsimple_v20161001:storsimple:AccessControlRecord"), pulumi.Alias(type_="azure-native_storsimple_v20170601:storsimple:AccessControlRecord")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccessControlRecord, __self__).__init__( 'azure-native:storsimple:AccessControlRecord', diff --git a/sdk/python/pulumi_azure_native/storsimple/backup_policy.py b/sdk/python/pulumi_azure_native/storsimple/backup_policy.py index db7731785e77..a1f3c9ec911c 100644 --- a/sdk/python/pulumi_azure_native/storsimple/backup_policy.py +++ b/sdk/python/pulumi_azure_native/storsimple/backup_policy.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["schedules_count"] = None __props__.__dict__["ssm_host_name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:BackupPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:BackupPolicy"), pulumi.Alias(type_="azure-native_storsimple_v20170601:storsimple:BackupPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BackupPolicy, __self__).__init__( 'azure-native:storsimple:BackupPolicy', diff --git a/sdk/python/pulumi_azure_native/storsimple/backup_schedule.py b/sdk/python/pulumi_azure_native/storsimple/backup_schedule.py index db3ccd5d1e33..a736717bf6e1 100644 --- a/sdk/python/pulumi_azure_native/storsimple/backup_schedule.py +++ b/sdk/python/pulumi_azure_native/storsimple/backup_schedule.py @@ -309,7 +309,7 @@ def _internal_init(__self__, __props__.__dict__["last_successful_run"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:BackupSchedule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:BackupSchedule"), pulumi.Alias(type_="azure-native_storsimple_v20170601:storsimple:BackupSchedule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BackupSchedule, __self__).__init__( 'azure-native:storsimple:BackupSchedule', diff --git a/sdk/python/pulumi_azure_native/storsimple/bandwidth_setting.py b/sdk/python/pulumi_azure_native/storsimple/bandwidth_setting.py index f887c9c42dc6..2aa868d21e82 100644 --- a/sdk/python/pulumi_azure_native/storsimple/bandwidth_setting.py +++ b/sdk/python/pulumi_azure_native/storsimple/bandwidth_setting.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["type"] = None __props__.__dict__["volume_count"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:BandwidthSetting")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:BandwidthSetting"), pulumi.Alias(type_="azure-native_storsimple_v20170601:storsimple:BandwidthSetting")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BandwidthSetting, __self__).__init__( 'azure-native:storsimple:BandwidthSetting', diff --git a/sdk/python/pulumi_azure_native/storsimple/manager.py b/sdk/python/pulumi_azure_native/storsimple/manager.py index 2ec8772c6031..5aecfaaecf59 100644 --- a/sdk/python/pulumi_azure_native/storsimple/manager.py +++ b/sdk/python/pulumi_azure_native/storsimple/manager.py @@ -221,7 +221,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20161001:Manager"), pulumi.Alias(type_="azure-native:storsimple/v20170601:Manager")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:Manager"), pulumi.Alias(type_="azure-native_storsimple_v20161001:storsimple:Manager"), pulumi.Alias(type_="azure-native_storsimple_v20170601:storsimple:Manager")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Manager, __self__).__init__( 'azure-native:storsimple:Manager', diff --git a/sdk/python/pulumi_azure_native/storsimple/manager_extended_info.py b/sdk/python/pulumi_azure_native/storsimple/manager_extended_info.py index cf45bfd79de1..970a65bb5850 100644 --- a/sdk/python/pulumi_azure_native/storsimple/manager_extended_info.py +++ b/sdk/python/pulumi_azure_native/storsimple/manager_extended_info.py @@ -262,7 +262,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20161001:ManagerExtendedInfo"), pulumi.Alias(type_="azure-native:storsimple/v20170601:ManagerExtendedInfo")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:ManagerExtendedInfo"), pulumi.Alias(type_="azure-native_storsimple_v20161001:storsimple:ManagerExtendedInfo"), pulumi.Alias(type_="azure-native_storsimple_v20170601:storsimple:ManagerExtendedInfo")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ManagerExtendedInfo, __self__).__init__( 'azure-native:storsimple:ManagerExtendedInfo', diff --git a/sdk/python/pulumi_azure_native/storsimple/storage_account_credential.py b/sdk/python/pulumi_azure_native/storsimple/storage_account_credential.py index 67aaa1688300..63ecac8dbc81 100644 --- a/sdk/python/pulumi_azure_native/storsimple/storage_account_credential.py +++ b/sdk/python/pulumi_azure_native/storsimple/storage_account_credential.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["type"] = None __props__.__dict__["volumes_count"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20161001:StorageAccountCredential"), pulumi.Alias(type_="azure-native:storsimple/v20170601:StorageAccountCredential")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:StorageAccountCredential"), pulumi.Alias(type_="azure-native_storsimple_v20161001:storsimple:StorageAccountCredential"), pulumi.Alias(type_="azure-native_storsimple_v20170601:storsimple:StorageAccountCredential")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StorageAccountCredential, __self__).__init__( 'azure-native:storsimple:StorageAccountCredential', diff --git a/sdk/python/pulumi_azure_native/storsimple/volume.py b/sdk/python/pulumi_azure_native/storsimple/volume.py index f76976d02e81..56d230386093 100644 --- a/sdk/python/pulumi_azure_native/storsimple/volume.py +++ b/sdk/python/pulumi_azure_native/storsimple/volume.py @@ -310,7 +310,7 @@ def _internal_init(__self__, __props__.__dict__["operation_status"] = None __props__.__dict__["type"] = None __props__.__dict__["volume_container_id"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:Volume")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:Volume"), pulumi.Alias(type_="azure-native_storsimple_v20170601:storsimple:Volume")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Volume, __self__).__init__( 'azure-native:storsimple:Volume', diff --git a/sdk/python/pulumi_azure_native/storsimple/volume_container.py b/sdk/python/pulumi_azure_native/storsimple/volume_container.py index aa01fbcbef71..a9c086c6101e 100644 --- a/sdk/python/pulumi_azure_native/storsimple/volume_container.py +++ b/sdk/python/pulumi_azure_native/storsimple/volume_container.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["total_cloud_storage_usage_in_bytes"] = None __props__.__dict__["type"] = None __props__.__dict__["volume_count"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:VolumeContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:storsimple/v20170601:VolumeContainer"), pulumi.Alias(type_="azure-native_storsimple_v20170601:storsimple:VolumeContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VolumeContainer, __self__).__init__( 'azure-native:storsimple:VolumeContainer', diff --git a/sdk/python/pulumi_azure_native/streamanalytics/cluster.py b/sdk/python/pulumi_azure_native/streamanalytics/cluster.py index 84b4c5d77c16..cee35fbb1cfe 100644 --- a/sdk/python/pulumi_azure_native/streamanalytics/cluster.py +++ b/sdk/python/pulumi_azure_native/streamanalytics/cluster.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20200301:Cluster"), pulumi.Alias(type_="azure-native:streamanalytics/v20200301preview:Cluster")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20200301:Cluster"), pulumi.Alias(type_="azure-native:streamanalytics/v20200301preview:Cluster"), pulumi.Alias(type_="azure-native_streamanalytics_v20200301:streamanalytics:Cluster"), pulumi.Alias(type_="azure-native_streamanalytics_v20200301preview:streamanalytics:Cluster")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Cluster, __self__).__init__( 'azure-native:streamanalytics:Cluster', diff --git a/sdk/python/pulumi_azure_native/streamanalytics/function.py b/sdk/python/pulumi_azure_native/streamanalytics/function.py index be7a67a5b2e5..75c598b4be5d 100644 --- a/sdk/python/pulumi_azure_native/streamanalytics/function.py +++ b/sdk/python/pulumi_azure_native/streamanalytics/function.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20160301:Function"), pulumi.Alias(type_="azure-native:streamanalytics/v20170401preview:Function"), pulumi.Alias(type_="azure-native:streamanalytics/v20200301:Function"), pulumi.Alias(type_="azure-native:streamanalytics/v20211001preview:Function")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20160301:Function"), pulumi.Alias(type_="azure-native:streamanalytics/v20200301:Function"), pulumi.Alias(type_="azure-native:streamanalytics/v20211001preview:Function"), pulumi.Alias(type_="azure-native_streamanalytics_v20160301:streamanalytics:Function"), pulumi.Alias(type_="azure-native_streamanalytics_v20170401preview:streamanalytics:Function"), pulumi.Alias(type_="azure-native_streamanalytics_v20200301:streamanalytics:Function"), pulumi.Alias(type_="azure-native_streamanalytics_v20211001preview:streamanalytics:Function")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Function, __self__).__init__( 'azure-native:streamanalytics:Function', diff --git a/sdk/python/pulumi_azure_native/streamanalytics/input.py b/sdk/python/pulumi_azure_native/streamanalytics/input.py index ffa5f0c20920..cafa1184380f 100644 --- a/sdk/python/pulumi_azure_native/streamanalytics/input.py +++ b/sdk/python/pulumi_azure_native/streamanalytics/input.py @@ -184,7 +184,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20160301:Input"), pulumi.Alias(type_="azure-native:streamanalytics/v20170401preview:Input"), pulumi.Alias(type_="azure-native:streamanalytics/v20200301:Input"), pulumi.Alias(type_="azure-native:streamanalytics/v20211001preview:Input")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20200301:Input"), pulumi.Alias(type_="azure-native:streamanalytics/v20211001preview:Input"), pulumi.Alias(type_="azure-native_streamanalytics_v20160301:streamanalytics:Input"), pulumi.Alias(type_="azure-native_streamanalytics_v20170401preview:streamanalytics:Input"), pulumi.Alias(type_="azure-native_streamanalytics_v20200301:streamanalytics:Input"), pulumi.Alias(type_="azure-native_streamanalytics_v20211001preview:streamanalytics:Input")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Input, __self__).__init__( 'azure-native:streamanalytics:Input', diff --git a/sdk/python/pulumi_azure_native/streamanalytics/output.py b/sdk/python/pulumi_azure_native/streamanalytics/output.py index f01d626508d1..dbf382c1e006 100644 --- a/sdk/python/pulumi_azure_native/streamanalytics/output.py +++ b/sdk/python/pulumi_azure_native/streamanalytics/output.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["diagnostics"] = None __props__.__dict__["etag"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20160301:Output"), pulumi.Alias(type_="azure-native:streamanalytics/v20170401preview:Output"), pulumi.Alias(type_="azure-native:streamanalytics/v20200301:Output"), pulumi.Alias(type_="azure-native:streamanalytics/v20211001preview:Output")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20200301:Output"), pulumi.Alias(type_="azure-native:streamanalytics/v20211001preview:Output"), pulumi.Alias(type_="azure-native_streamanalytics_v20160301:streamanalytics:Output"), pulumi.Alias(type_="azure-native_streamanalytics_v20170401preview:streamanalytics:Output"), pulumi.Alias(type_="azure-native_streamanalytics_v20200301:streamanalytics:Output"), pulumi.Alias(type_="azure-native_streamanalytics_v20211001preview:streamanalytics:Output")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Output, __self__).__init__( 'azure-native:streamanalytics:Output', diff --git a/sdk/python/pulumi_azure_native/streamanalytics/private_endpoint.py b/sdk/python/pulumi_azure_native/streamanalytics/private_endpoint.py index c8a824088456..ce8e8bb287b1 100644 --- a/sdk/python/pulumi_azure_native/streamanalytics/private_endpoint.py +++ b/sdk/python/pulumi_azure_native/streamanalytics/private_endpoint.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20200301:PrivateEndpoint"), pulumi.Alias(type_="azure-native:streamanalytics/v20200301preview:PrivateEndpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20200301:PrivateEndpoint"), pulumi.Alias(type_="azure-native:streamanalytics/v20200301preview:PrivateEndpoint"), pulumi.Alias(type_="azure-native_streamanalytics_v20200301:streamanalytics:PrivateEndpoint"), pulumi.Alias(type_="azure-native_streamanalytics_v20200301preview:streamanalytics:PrivateEndpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpoint, __self__).__init__( 'azure-native:streamanalytics:PrivateEndpoint', diff --git a/sdk/python/pulumi_azure_native/streamanalytics/streaming_job.py b/sdk/python/pulumi_azure_native/streamanalytics/streaming_job.py index 0f79b4292879..6e45232a5cac 100644 --- a/sdk/python/pulumi_azure_native/streamanalytics/streaming_job.py +++ b/sdk/python/pulumi_azure_native/streamanalytics/streaming_job.py @@ -530,7 +530,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20160301:StreamingJob"), pulumi.Alias(type_="azure-native:streamanalytics/v20170401preview:StreamingJob"), pulumi.Alias(type_="azure-native:streamanalytics/v20200301:StreamingJob"), pulumi.Alias(type_="azure-native:streamanalytics/v20211001preview:StreamingJob")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:streamanalytics/v20170401preview:StreamingJob"), pulumi.Alias(type_="azure-native:streamanalytics/v20200301:StreamingJob"), pulumi.Alias(type_="azure-native:streamanalytics/v20211001preview:StreamingJob"), pulumi.Alias(type_="azure-native_streamanalytics_v20160301:streamanalytics:StreamingJob"), pulumi.Alias(type_="azure-native_streamanalytics_v20170401preview:streamanalytics:StreamingJob"), pulumi.Alias(type_="azure-native_streamanalytics_v20200301:streamanalytics:StreamingJob"), pulumi.Alias(type_="azure-native_streamanalytics_v20211001preview:streamanalytics:StreamingJob")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StreamingJob, __self__).__init__( 'azure-native:streamanalytics:StreamingJob', diff --git a/sdk/python/pulumi_azure_native/subscription/alias.py b/sdk/python/pulumi_azure_native/subscription/alias.py index d0f12c85dbb7..d837e6849a34 100644 --- a/sdk/python/pulumi_azure_native/subscription/alias.py +++ b/sdk/python/pulumi_azure_native/subscription/alias.py @@ -124,7 +124,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:subscription/v20191001preview:Alias"), pulumi.Alias(type_="azure-native:subscription/v20200901:Alias"), pulumi.Alias(type_="azure-native:subscription/v20211001:Alias"), pulumi.Alias(type_="azure-native:subscription/v20240801preview:Alias")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:subscription/v20200901:Alias"), pulumi.Alias(type_="azure-native:subscription/v20211001:Alias"), pulumi.Alias(type_="azure-native:subscription/v20240801preview:Alias"), pulumi.Alias(type_="azure-native_subscription_v20191001preview:subscription:Alias"), pulumi.Alias(type_="azure-native_subscription_v20200901:subscription:Alias"), pulumi.Alias(type_="azure-native_subscription_v20211001:subscription:Alias"), pulumi.Alias(type_="azure-native_subscription_v20240801preview:subscription:Alias")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Alias, __self__).__init__( 'azure-native:subscription:Alias', diff --git a/sdk/python/pulumi_azure_native/subscription/subscription_tar_directory.py b/sdk/python/pulumi_azure_native/subscription/subscription_tar_directory.py index 5c360acd9417..9a319f3cf24f 100644 --- a/sdk/python/pulumi_azure_native/subscription/subscription_tar_directory.py +++ b/sdk/python/pulumi_azure_native/subscription/subscription_tar_directory.py @@ -118,7 +118,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:subscription/v20240801preview:SubscriptionTarDirectory")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:subscription/v20240801preview:SubscriptionTarDirectory"), pulumi.Alias(type_="azure-native_subscription_v20240801preview:subscription:SubscriptionTarDirectory")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SubscriptionTarDirectory, __self__).__init__( 'azure-native:subscription:SubscriptionTarDirectory', diff --git a/sdk/python/pulumi_azure_native/synapse/big_data_pool.py b/sdk/python/pulumi_azure_native/synapse/big_data_pool.py index e92b7340f178..660e9ec0fc2d 100644 --- a/sdk/python/pulumi_azure_native/synapse/big_data_pool.py +++ b/sdk/python/pulumi_azure_native/synapse/big_data_pool.py @@ -547,7 +547,7 @@ def _internal_init(__self__, __props__.__dict__["last_succeeded_timestamp"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:BigDataPool"), pulumi.Alias(type_="azure-native:synapse/v20201201:BigDataPool"), pulumi.Alias(type_="azure-native:synapse/v20210301:BigDataPool"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:BigDataPool"), pulumi.Alias(type_="azure-native:synapse/v20210501:BigDataPool"), pulumi.Alias(type_="azure-native:synapse/v20210601:BigDataPool"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:BigDataPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210501:BigDataPool"), pulumi.Alias(type_="azure-native:synapse/v20210601:BigDataPool"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:BigDataPool"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:BigDataPool"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:BigDataPool"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:BigDataPool"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:BigDataPool"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:BigDataPool"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:BigDataPool"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:BigDataPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(BigDataPool, __self__).__init__( 'azure-native:synapse:BigDataPool', diff --git a/sdk/python/pulumi_azure_native/synapse/database_principal_assignment.py b/sdk/python/pulumi_azure_native/synapse/database_principal_assignment.py index 883834bd55c3..27791cab274b 100644 --- a/sdk/python/pulumi_azure_native/synapse/database_principal_assignment.py +++ b/sdk/python/pulumi_azure_native/synapse/database_principal_assignment.py @@ -269,7 +269,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["tenant_name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:KustoPoolDatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:synapse:KustoPoolDatabasePrincipalAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:KustoPoolDatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:synapse:KustoPoolDatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:DatabasePrincipalAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DatabasePrincipalAssignment, __self__).__init__( 'azure-native:synapse:DatabasePrincipalAssignment', diff --git a/sdk/python/pulumi_azure_native/synapse/event_grid_data_connection.py b/sdk/python/pulumi_azure_native/synapse/event_grid_data_connection.py index 4716e0eab42d..94852eafec93 100644 --- a/sdk/python/pulumi_azure_native/synapse/event_grid_data_connection.py +++ b/sdk/python/pulumi_azure_native/synapse/event_grid_data_connection.py @@ -391,7 +391,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:EventGridDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventGridDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventHubDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:IotHubDataConnection"), pulumi.Alias(type_="azure-native:synapse:EventHubDataConnection"), pulumi.Alias(type_="azure-native:synapse:IotHubDataConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventGridDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventHubDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:IotHubDataConnection"), pulumi.Alias(type_="azure-native:synapse:EventHubDataConnection"), pulumi.Alias(type_="azure-native:synapse:IotHubDataConnection"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:EventGridDataConnection"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:EventGridDataConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EventGridDataConnection, __self__).__init__( 'azure-native:synapse:EventGridDataConnection', diff --git a/sdk/python/pulumi_azure_native/synapse/event_hub_data_connection.py b/sdk/python/pulumi_azure_native/synapse/event_hub_data_connection.py index 86ab35472e97..07e3ffc6d0b6 100644 --- a/sdk/python/pulumi_azure_native/synapse/event_hub_data_connection.py +++ b/sdk/python/pulumi_azure_native/synapse/event_hub_data_connection.py @@ -390,7 +390,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:EventHubDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventGridDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventHubDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:IotHubDataConnection"), pulumi.Alias(type_="azure-native:synapse:EventGridDataConnection"), pulumi.Alias(type_="azure-native:synapse:IotHubDataConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventGridDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventHubDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:IotHubDataConnection"), pulumi.Alias(type_="azure-native:synapse:EventGridDataConnection"), pulumi.Alias(type_="azure-native:synapse:IotHubDataConnection"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:EventHubDataConnection"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:EventHubDataConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EventHubDataConnection, __self__).__init__( 'azure-native:synapse:EventHubDataConnection', diff --git a/sdk/python/pulumi_azure_native/synapse/integration_runtime.py b/sdk/python/pulumi_azure_native/synapse/integration_runtime.py index df2e92fffeb1..0f7b95d58ec2 100644 --- a/sdk/python/pulumi_azure_native/synapse/integration_runtime.py +++ b/sdk/python/pulumi_azure_native/synapse/integration_runtime.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:IntegrationRuntime"), pulumi.Alias(type_="azure-native:synapse/v20201201:IntegrationRuntime"), pulumi.Alias(type_="azure-native:synapse/v20210301:IntegrationRuntime"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:IntegrationRuntime"), pulumi.Alias(type_="azure-native:synapse/v20210501:IntegrationRuntime"), pulumi.Alias(type_="azure-native:synapse/v20210601:IntegrationRuntime"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:IntegrationRuntime")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:IntegrationRuntime"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:IntegrationRuntime"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:IntegrationRuntime"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:IntegrationRuntime"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:IntegrationRuntime"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:IntegrationRuntime"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:IntegrationRuntime"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:IntegrationRuntime"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:IntegrationRuntime")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IntegrationRuntime, __self__).__init__( 'azure-native:synapse:IntegrationRuntime', diff --git a/sdk/python/pulumi_azure_native/synapse/iot_hub_data_connection.py b/sdk/python/pulumi_azure_native/synapse/iot_hub_data_connection.py index acbb631d3bad..c52e259eeec5 100644 --- a/sdk/python/pulumi_azure_native/synapse/iot_hub_data_connection.py +++ b/sdk/python/pulumi_azure_native/synapse/iot_hub_data_connection.py @@ -371,7 +371,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:IotHubDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventGridDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventHubDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:IotHubDataConnection"), pulumi.Alias(type_="azure-native:synapse:EventGridDataConnection"), pulumi.Alias(type_="azure-native:synapse:EventHubDataConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventGridDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:EventHubDataConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:IotHubDataConnection"), pulumi.Alias(type_="azure-native:synapse:EventGridDataConnection"), pulumi.Alias(type_="azure-native:synapse:EventHubDataConnection"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:IotHubDataConnection"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:IotHubDataConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IotHubDataConnection, __self__).__init__( 'azure-native:synapse:IotHubDataConnection', diff --git a/sdk/python/pulumi_azure_native/synapse/ip_firewall_rule.py b/sdk/python/pulumi_azure_native/synapse/ip_firewall_rule.py index bb75291c661a..5cf81efcbd4c 100644 --- a/sdk/python/pulumi_azure_native/synapse/ip_firewall_rule.py +++ b/sdk/python/pulumi_azure_native/synapse/ip_firewall_rule.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:IpFirewallRule"), pulumi.Alias(type_="azure-native:synapse/v20201201:IpFirewallRule"), pulumi.Alias(type_="azure-native:synapse/v20210301:IpFirewallRule"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:IpFirewallRule"), pulumi.Alias(type_="azure-native:synapse/v20210501:IpFirewallRule"), pulumi.Alias(type_="azure-native:synapse/v20210601:IpFirewallRule"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:IpFirewallRule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:IpFirewallRule"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:IpFirewallRule"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:IpFirewallRule"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:IpFirewallRule"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:IpFirewallRule"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:IpFirewallRule"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:IpFirewallRule"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:IpFirewallRule"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:IpFirewallRule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IpFirewallRule, __self__).__init__( 'azure-native:synapse:IpFirewallRule', diff --git a/sdk/python/pulumi_azure_native/synapse/key.py b/sdk/python/pulumi_azure_native/synapse/key.py index 4ffbbb87e84d..64389cc405d4 100644 --- a/sdk/python/pulumi_azure_native/synapse/key.py +++ b/sdk/python/pulumi_azure_native/synapse/key.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:Key"), pulumi.Alias(type_="azure-native:synapse/v20201201:Key"), pulumi.Alias(type_="azure-native:synapse/v20210301:Key"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:Key"), pulumi.Alias(type_="azure-native:synapse/v20210501:Key"), pulumi.Alias(type_="azure-native:synapse/v20210601:Key"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:Key")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:Key"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:Key"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:Key"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:Key"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:Key"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:Key"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:Key"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:Key"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:Key")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Key, __self__).__init__( 'azure-native:synapse:Key', diff --git a/sdk/python/pulumi_azure_native/synapse/kusto_pool.py b/sdk/python/pulumi_azure_native/synapse/kusto_pool.py index a009ccc63da4..8f2c29bb2fce 100644 --- a/sdk/python/pulumi_azure_native/synapse/kusto_pool.py +++ b/sdk/python/pulumi_azure_native/synapse/kusto_pool.py @@ -302,7 +302,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["uri"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:KustoPool"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:KustoPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:KustoPool"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:KustoPool"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:KustoPool"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:KustoPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KustoPool, __self__).__init__( 'azure-native:synapse:KustoPool', diff --git a/sdk/python/pulumi_azure_native/synapse/kusto_pool_attached_database_configuration.py b/sdk/python/pulumi_azure_native/synapse/kusto_pool_attached_database_configuration.py index 58eef6051af6..e46f023bac6a 100644 --- a/sdk/python/pulumi_azure_native/synapse/kusto_pool_attached_database_configuration.py +++ b/sdk/python/pulumi_azure_native/synapse/kusto_pool_attached_database_configuration.py @@ -268,7 +268,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601preview:KustoPoolAttachedDatabaseConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601preview:KustoPoolAttachedDatabaseConfiguration"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:KustoPoolAttachedDatabaseConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KustoPoolAttachedDatabaseConfiguration, __self__).__init__( 'azure-native:synapse:KustoPoolAttachedDatabaseConfiguration', diff --git a/sdk/python/pulumi_azure_native/synapse/kusto_pool_database_principal_assignment.py b/sdk/python/pulumi_azure_native/synapse/kusto_pool_database_principal_assignment.py index c3896c273e38..6340ed3e3bba 100644 --- a/sdk/python/pulumi_azure_native/synapse/kusto_pool_database_principal_assignment.py +++ b/sdk/python/pulumi_azure_native/synapse/kusto_pool_database_principal_assignment.py @@ -270,7 +270,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["tenant_name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:KustoPoolDatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:KustoPoolDatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:synapse:DatabasePrincipalAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:KustoPoolDatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native:synapse:DatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:KustoPoolDatabasePrincipalAssignment"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:KustoPoolDatabasePrincipalAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KustoPoolDatabasePrincipalAssignment, __self__).__init__( 'azure-native:synapse:KustoPoolDatabasePrincipalAssignment', diff --git a/sdk/python/pulumi_azure_native/synapse/kusto_pool_principal_assignment.py b/sdk/python/pulumi_azure_native/synapse/kusto_pool_principal_assignment.py index a603c33eee0c..211327cf410a 100644 --- a/sdk/python/pulumi_azure_native/synapse/kusto_pool_principal_assignment.py +++ b/sdk/python/pulumi_azure_native/synapse/kusto_pool_principal_assignment.py @@ -253,7 +253,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["tenant_name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:KustoPoolPrincipalAssignment"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:KustoPoolPrincipalAssignment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601preview:KustoPoolPrincipalAssignment"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:KustoPoolPrincipalAssignment"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:KustoPoolPrincipalAssignment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KustoPoolPrincipalAssignment, __self__).__init__( 'azure-native:synapse:KustoPoolPrincipalAssignment', diff --git a/sdk/python/pulumi_azure_native/synapse/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/synapse/private_endpoint_connection.py index a50e2ca1e60e..cbcdd4bd50d8 100644 --- a/sdk/python/pulumi_azure_native/synapse/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/synapse/private_endpoint_connection.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:synapse/v20201201:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:synapse/v20210301:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:synapse/v20210501:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:synapse:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/synapse/private_link_hub.py b/sdk/python/pulumi_azure_native/synapse/private_link_hub.py index 88b205f2773b..af5d048e134d 100644 --- a/sdk/python/pulumi_azure_native/synapse/private_link_hub.py +++ b/sdk/python/pulumi_azure_native/synapse/private_link_hub.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["private_endpoint_connections"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:PrivateLinkHub"), pulumi.Alias(type_="azure-native:synapse/v20201201:PrivateLinkHub"), pulumi.Alias(type_="azure-native:synapse/v20210301:PrivateLinkHub"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:PrivateLinkHub"), pulumi.Alias(type_="azure-native:synapse/v20210501:PrivateLinkHub"), pulumi.Alias(type_="azure-native:synapse/v20210601:PrivateLinkHub"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:PrivateLinkHub")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:PrivateLinkHub"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:PrivateLinkHub"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:PrivateLinkHub"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:PrivateLinkHub"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:PrivateLinkHub"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:PrivateLinkHub"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:PrivateLinkHub"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:PrivateLinkHub"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:PrivateLinkHub")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateLinkHub, __self__).__init__( 'azure-native:synapse:PrivateLinkHub', diff --git a/sdk/python/pulumi_azure_native/synapse/read_only_following_database.py b/sdk/python/pulumi_azure_native/synapse/read_only_following_database.py index 3e5bf95a43d3..e609f350b74e 100644 --- a/sdk/python/pulumi_azure_native/synapse/read_only_following_database.py +++ b/sdk/python/pulumi_azure_native/synapse/read_only_following_database.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["statistics"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:synapse:ReadWriteDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601preview:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:synapse:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:ReadOnlyFollowingDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReadOnlyFollowingDatabase, __self__).__init__( 'azure-native:synapse:ReadOnlyFollowingDatabase', diff --git a/sdk/python/pulumi_azure_native/synapse/read_write_database.py b/sdk/python/pulumi_azure_native/synapse/read_write_database.py index 003653fb961c..79422920e2e6 100644 --- a/sdk/python/pulumi_azure_native/synapse/read_write_database.py +++ b/sdk/python/pulumi_azure_native/synapse/read_write_database.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["statistics"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210401preview:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:synapse:ReadOnlyFollowingDatabase")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601preview:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:ReadWriteDatabase"), pulumi.Alias(type_="azure-native:synapse:ReadOnlyFollowingDatabase"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:ReadWriteDatabase"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:ReadWriteDatabase")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReadWriteDatabase, __self__).__init__( 'azure-native:synapse:ReadWriteDatabase', diff --git a/sdk/python/pulumi_azure_native/synapse/sql_pool.py b/sdk/python/pulumi_azure_native/synapse/sql_pool.py index 70bf5403f253..bcea3685d2e8 100644 --- a/sdk/python/pulumi_azure_native/synapse/sql_pool.py +++ b/sdk/python/pulumi_azure_native/synapse/sql_pool.py @@ -419,7 +419,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:SqlPool"), pulumi.Alias(type_="azure-native:synapse/v20200401preview:SqlPool"), pulumi.Alias(type_="azure-native:synapse/v20201201:SqlPool"), pulumi.Alias(type_="azure-native:synapse/v20210301:SqlPool"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:SqlPool"), pulumi.Alias(type_="azure-native:synapse/v20210501:SqlPool"), pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPool"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPool")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210501:SqlPool"), pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPool"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPool"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:SqlPool"), pulumi.Alias(type_="azure-native_synapse_v20200401preview:synapse:SqlPool"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:SqlPool"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:SqlPool"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:SqlPool"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:SqlPool"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:SqlPool"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:SqlPool")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlPool, __self__).__init__( 'azure-native:synapse:SqlPool', diff --git a/sdk/python/pulumi_azure_native/synapse/sql_pool_sensitivity_label.py b/sdk/python/pulumi_azure_native/synapse/sql_pool_sensitivity_label.py index 65b6281aca4e..91e675f51250 100644 --- a/sdk/python/pulumi_azure_native/synapse/sql_pool_sensitivity_label.py +++ b/sdk/python/pulumi_azure_native/synapse/sql_pool_sensitivity_label.py @@ -324,7 +324,7 @@ def _internal_init(__self__, __props__.__dict__["managed_by"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native:synapse/v20201201:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native:synapse/v20210301:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native:synapse/v20210501:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolSensitivityLabel")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:SqlPoolSensitivityLabel"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:SqlPoolSensitivityLabel")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlPoolSensitivityLabel, __self__).__init__( 'azure-native:synapse:SqlPoolSensitivityLabel', diff --git a/sdk/python/pulumi_azure_native/synapse/sql_pool_transparent_data_encryption.py b/sdk/python/pulumi_azure_native/synapse/sql_pool_transparent_data_encryption.py index 93361742fdee..2861bb739d07 100644 --- a/sdk/python/pulumi_azure_native/synapse/sql_pool_transparent_data_encryption.py +++ b/sdk/python/pulumi_azure_native/synapse/sql_pool_transparent_data_encryption.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["location"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native:synapse/v20201201:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native:synapse/v20210301:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native:synapse/v20210501:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolTransparentDataEncryption")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:SqlPoolTransparentDataEncryption"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:SqlPoolTransparentDataEncryption")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlPoolTransparentDataEncryption, __self__).__init__( 'azure-native:synapse:SqlPoolTransparentDataEncryption', diff --git a/sdk/python/pulumi_azure_native/synapse/sql_pool_vulnerability_assessment.py b/sdk/python/pulumi_azure_native/synapse/sql_pool_vulnerability_assessment.py index 110609133b0e..52df6a5e7559 100644 --- a/sdk/python/pulumi_azure_native/synapse/sql_pool_vulnerability_assessment.py +++ b/sdk/python/pulumi_azure_native/synapse/sql_pool_vulnerability_assessment.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20201201:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210301:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210501:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:SqlPoolVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:SqlPoolVulnerabilityAssessment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlPoolVulnerabilityAssessment, __self__).__init__( 'azure-native:synapse:SqlPoolVulnerabilityAssessment', diff --git a/sdk/python/pulumi_azure_native/synapse/sql_pool_vulnerability_assessment_rule_baseline.py b/sdk/python/pulumi_azure_native/synapse/sql_pool_vulnerability_assessment_rule_baseline.py index 0d37b9c7a8ef..8fe1bcb491d8 100644 --- a/sdk/python/pulumi_azure_native/synapse/sql_pool_vulnerability_assessment_rule_baseline.py +++ b/sdk/python/pulumi_azure_native/synapse/sql_pool_vulnerability_assessment_rule_baseline.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:synapse/v20201201:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:synapse/v20210301:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:synapse/v20210501:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessmentRuleBaseline")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlPoolVulnerabilityAssessmentRuleBaseline, __self__).__init__( 'azure-native:synapse:SqlPoolVulnerabilityAssessmentRuleBaseline', diff --git a/sdk/python/pulumi_azure_native/synapse/sql_pool_workload_classifier.py b/sdk/python/pulumi_azure_native/synapse/sql_pool_workload_classifier.py index 9d5fd5f23ec3..aadf246e6f4f 100644 --- a/sdk/python/pulumi_azure_native/synapse/sql_pool_workload_classifier.py +++ b/sdk/python/pulumi_azure_native/synapse/sql_pool_workload_classifier.py @@ -305,7 +305,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native:synapse/v20201201:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native:synapse/v20210301:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native:synapse/v20210501:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolWorkloadClassifier")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:SqlPoolWorkloadClassifier"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:SqlPoolWorkloadClassifier")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlPoolWorkloadClassifier, __self__).__init__( 'azure-native:synapse:SqlPoolWorkloadClassifier', diff --git a/sdk/python/pulumi_azure_native/synapse/sql_pool_workload_group.py b/sdk/python/pulumi_azure_native/synapse/sql_pool_workload_group.py index b4d4246c5b32..45b0eeeb86a5 100644 --- a/sdk/python/pulumi_azure_native/synapse/sql_pool_workload_group.py +++ b/sdk/python/pulumi_azure_native/synapse/sql_pool_workload_group.py @@ -286,7 +286,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native:synapse/v20201201:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native:synapse/v20210301:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native:synapse/v20210501:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolWorkloadGroup")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:SqlPoolWorkloadGroup"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:SqlPoolWorkloadGroup")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SqlPoolWorkloadGroup, __self__).__init__( 'azure-native:synapse:SqlPoolWorkloadGroup', diff --git a/sdk/python/pulumi_azure_native/synapse/workspace.py b/sdk/python/pulumi_azure_native/synapse/workspace.py index c6bac945314c..1edd1ff928fe 100644 --- a/sdk/python/pulumi_azure_native/synapse/workspace.py +++ b/sdk/python/pulumi_azure_native/synapse/workspace.py @@ -501,7 +501,7 @@ def _internal_init(__self__, __props__.__dict__["settings"] = None __props__.__dict__["type"] = None __props__.__dict__["workspace_uid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:Workspace"), pulumi.Alias(type_="azure-native:synapse/v20201201:Workspace"), pulumi.Alias(type_="azure-native:synapse/v20210301:Workspace"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:Workspace"), pulumi.Alias(type_="azure-native:synapse/v20210501:Workspace"), pulumi.Alias(type_="azure-native:synapse/v20210601:Workspace"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:Workspace")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210501:Workspace"), pulumi.Alias(type_="azure-native:synapse/v20210601:Workspace"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:Workspace"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:Workspace"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:Workspace"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:Workspace"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:Workspace"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:Workspace"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:Workspace"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:Workspace")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Workspace, __self__).__init__( 'azure-native:synapse:Workspace', diff --git a/sdk/python/pulumi_azure_native/synapse/workspace_aad_admin.py b/sdk/python/pulumi_azure_native/synapse/workspace_aad_admin.py index 32d8df8bf35e..30dde1b50685 100644 --- a/sdk/python/pulumi_azure_native/synapse/workspace_aad_admin.py +++ b/sdk/python/pulumi_azure_native/synapse/workspace_aad_admin.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20201201:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210301:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210501:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210601:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:WorkspaceAadAdmin")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:WorkspaceAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:WorkspaceAadAdmin")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceAadAdmin, __self__).__init__( 'azure-native:synapse:WorkspaceAadAdmin', diff --git a/sdk/python/pulumi_azure_native/synapse/workspace_managed_sql_server_vulnerability_assessment.py b/sdk/python/pulumi_azure_native/synapse/workspace_managed_sql_server_vulnerability_assessment.py index 0157316a1ab7..054038b213a5 100644 --- a/sdk/python/pulumi_azure_native/synapse/workspace_managed_sql_server_vulnerability_assessment.py +++ b/sdk/python/pulumi_azure_native/synapse/workspace_managed_sql_server_vulnerability_assessment.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20201201:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210301:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210501:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210601:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:WorkspaceManagedSqlServerVulnerabilityAssessment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceManagedSqlServerVulnerabilityAssessment, __self__).__init__( 'azure-native:synapse:WorkspaceManagedSqlServerVulnerabilityAssessment', diff --git a/sdk/python/pulumi_azure_native/synapse/workspace_sql_aad_admin.py b/sdk/python/pulumi_azure_native/synapse/workspace_sql_aad_admin.py index f500121d61ad..502c8f6a929c 100644 --- a/sdk/python/pulumi_azure_native/synapse/workspace_sql_aad_admin.py +++ b/sdk/python/pulumi_azure_native/synapse/workspace_sql_aad_admin.py @@ -206,7 +206,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20190601preview:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20201201:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210301:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210401preview:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210501:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210601:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:WorkspaceSqlAadAdmin")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:synapse/v20210601:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native:synapse/v20210601preview:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20190601preview:synapse:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20201201:synapse:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20210301:synapse:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20210401preview:synapse:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20210501:synapse:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20210601:synapse:WorkspaceSqlAadAdmin"), pulumi.Alias(type_="azure-native_synapse_v20210601preview:synapse:WorkspaceSqlAadAdmin")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WorkspaceSqlAadAdmin, __self__).__init__( 'azure-native:synapse:WorkspaceSqlAadAdmin', diff --git a/sdk/python/pulumi_azure_native/syntex/document_processor.py b/sdk/python/pulumi_azure_native/syntex/document_processor.py index 064e53a94d25..f420bf7c4f6a 100644 --- a/sdk/python/pulumi_azure_native/syntex/document_processor.py +++ b/sdk/python/pulumi_azure_native/syntex/document_processor.py @@ -180,7 +180,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:syntex/v20220915preview:DocumentProcessor")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:syntex/v20220915preview:DocumentProcessor"), pulumi.Alias(type_="azure-native_syntex_v20220915preview:syntex:DocumentProcessor")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DocumentProcessor, __self__).__init__( 'azure-native:syntex:DocumentProcessor', diff --git a/sdk/python/pulumi_azure_native/testbase/action_request.py b/sdk/python/pulumi_azure_native/testbase/action_request.py index ca1fbc98e564..45f24e0c2a9e 100644 --- a/sdk/python/pulumi_azure_native/testbase/action_request.py +++ b/sdk/python/pulumi_azure_native/testbase/action_request.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20231101preview:ActionRequest")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20231101preview:ActionRequest"), pulumi.Alias(type_="azure-native_testbase_v20231101preview:testbase:ActionRequest")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ActionRequest, __self__).__init__( 'azure-native:testbase:ActionRequest', diff --git a/sdk/python/pulumi_azure_native/testbase/credential.py b/sdk/python/pulumi_azure_native/testbase/credential.py index 2923786aef23..5419382c7142 100644 --- a/sdk/python/pulumi_azure_native/testbase/credential.py +++ b/sdk/python/pulumi_azure_native/testbase/credential.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20231101preview:Credential")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20231101preview:Credential"), pulumi.Alias(type_="azure-native_testbase_v20231101preview:testbase:Credential")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Credential, __self__).__init__( 'azure-native:testbase:Credential', diff --git a/sdk/python/pulumi_azure_native/testbase/custom_image.py b/sdk/python/pulumi_azure_native/testbase/custom_image.py index e299f8427277..e188b83b5da5 100644 --- a/sdk/python/pulumi_azure_native/testbase/custom_image.py +++ b/sdk/python/pulumi_azure_native/testbase/custom_image.py @@ -237,7 +237,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["validation_results"] = None __props__.__dict__["vhd_file_name"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20231101preview:CustomImage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20231101preview:CustomImage"), pulumi.Alias(type_="azure-native_testbase_v20231101preview:testbase:CustomImage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomImage, __self__).__init__( 'azure-native:testbase:CustomImage', diff --git a/sdk/python/pulumi_azure_native/testbase/customer_event.py b/sdk/python/pulumi_azure_native/testbase/customer_event.py index b848f77dab09..35b3b481619c 100644 --- a/sdk/python/pulumi_azure_native/testbase/customer_event.py +++ b/sdk/python/pulumi_azure_native/testbase/customer_event.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20201216preview:CustomerEvent"), pulumi.Alias(type_="azure-native:testbase/v20220401preview:CustomerEvent"), pulumi.Alias(type_="azure-native:testbase/v20231101preview:CustomerEvent")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20220401preview:CustomerEvent"), pulumi.Alias(type_="azure-native:testbase/v20231101preview:CustomerEvent"), pulumi.Alias(type_="azure-native_testbase_v20201216preview:testbase:CustomerEvent"), pulumi.Alias(type_="azure-native_testbase_v20220401preview:testbase:CustomerEvent"), pulumi.Alias(type_="azure-native_testbase_v20231101preview:testbase:CustomerEvent")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomerEvent, __self__).__init__( 'azure-native:testbase:CustomerEvent', diff --git a/sdk/python/pulumi_azure_native/testbase/draft_package.py b/sdk/python/pulumi_azure_native/testbase/draft_package.py index 053c3ccebbc0..0449aaac3e80 100644 --- a/sdk/python/pulumi_azure_native/testbase/draft_package.py +++ b/sdk/python/pulumi_azure_native/testbase/draft_package.py @@ -614,7 +614,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["working_path"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20231101preview:DraftPackage")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20231101preview:DraftPackage"), pulumi.Alias(type_="azure-native_testbase_v20231101preview:testbase:DraftPackage")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DraftPackage, __self__).__init__( 'azure-native:testbase:DraftPackage', diff --git a/sdk/python/pulumi_azure_native/testbase/favorite_process.py b/sdk/python/pulumi_azure_native/testbase/favorite_process.py index ebe7dc1cb4ac..ee61d5bed066 100644 --- a/sdk/python/pulumi_azure_native/testbase/favorite_process.py +++ b/sdk/python/pulumi_azure_native/testbase/favorite_process.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20201216preview:FavoriteProcess"), pulumi.Alias(type_="azure-native:testbase/v20220401preview:FavoriteProcess"), pulumi.Alias(type_="azure-native:testbase/v20231101preview:FavoriteProcess")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20220401preview:FavoriteProcess"), pulumi.Alias(type_="azure-native:testbase/v20231101preview:FavoriteProcess"), pulumi.Alias(type_="azure-native_testbase_v20201216preview:testbase:FavoriteProcess"), pulumi.Alias(type_="azure-native_testbase_v20220401preview:testbase:FavoriteProcess"), pulumi.Alias(type_="azure-native_testbase_v20231101preview:testbase:FavoriteProcess")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(FavoriteProcess, __self__).__init__( 'azure-native:testbase:FavoriteProcess', diff --git a/sdk/python/pulumi_azure_native/testbase/image_definition.py b/sdk/python/pulumi_azure_native/testbase/image_definition.py index fcb3d2c105c4..6760fa9ea2ce 100644 --- a/sdk/python/pulumi_azure_native/testbase/image_definition.py +++ b/sdk/python/pulumi_azure_native/testbase/image_definition.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20231101preview:ImageDefinition")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20231101preview:ImageDefinition"), pulumi.Alias(type_="azure-native_testbase_v20231101preview:testbase:ImageDefinition")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ImageDefinition, __self__).__init__( 'azure-native:testbase:ImageDefinition', diff --git a/sdk/python/pulumi_azure_native/testbase/package.py b/sdk/python/pulumi_azure_native/testbase/package.py index 845adf379e75..db5d97178f76 100644 --- a/sdk/python/pulumi_azure_native/testbase/package.py +++ b/sdk/python/pulumi_azure_native/testbase/package.py @@ -395,7 +395,7 @@ def _internal_init(__self__, __props__.__dict__["test_types"] = None __props__.__dict__["type"] = None __props__.__dict__["validation_results"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20201216preview:Package"), pulumi.Alias(type_="azure-native:testbase/v20220401preview:Package"), pulumi.Alias(type_="azure-native:testbase/v20231101preview:Package")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20220401preview:Package"), pulumi.Alias(type_="azure-native:testbase/v20231101preview:Package"), pulumi.Alias(type_="azure-native_testbase_v20201216preview:testbase:Package"), pulumi.Alias(type_="azure-native_testbase_v20220401preview:testbase:Package"), pulumi.Alias(type_="azure-native_testbase_v20231101preview:testbase:Package")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Package, __self__).__init__( 'azure-native:testbase:Package', diff --git a/sdk/python/pulumi_azure_native/testbase/test_base_account.py b/sdk/python/pulumi_azure_native/testbase/test_base_account.py index d51e9690ba97..92a9acfba7ee 100644 --- a/sdk/python/pulumi_azure_native/testbase/test_base_account.py +++ b/sdk/python/pulumi_azure_native/testbase/test_base_account.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20201216preview:TestBaseAccount"), pulumi.Alias(type_="azure-native:testbase/v20220401preview:TestBaseAccount"), pulumi.Alias(type_="azure-native:testbase/v20231101preview:TestBaseAccount")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:testbase/v20220401preview:TestBaseAccount"), pulumi.Alias(type_="azure-native:testbase/v20231101preview:TestBaseAccount"), pulumi.Alias(type_="azure-native_testbase_v20201216preview:testbase:TestBaseAccount"), pulumi.Alias(type_="azure-native_testbase_v20220401preview:testbase:TestBaseAccount"), pulumi.Alias(type_="azure-native_testbase_v20231101preview:testbase:TestBaseAccount")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TestBaseAccount, __self__).__init__( 'azure-native:testbase:TestBaseAccount', diff --git a/sdk/python/pulumi_azure_native/timeseriesinsights/access_policy.py b/sdk/python/pulumi_azure_native/timeseriesinsights/access_policy.py index d91774bf3bf6..9f6439a63e54 100644 --- a/sdk/python/pulumi_azure_native/timeseriesinsights/access_policy.py +++ b/sdk/python/pulumi_azure_native/timeseriesinsights/access_policy.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20170228preview:AccessPolicy"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20171115:AccessPolicy"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20180815preview:AccessPolicy"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20200515:AccessPolicy"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210331preview:AccessPolicy"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:AccessPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20200515:AccessPolicy"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:AccessPolicy"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:AccessPolicy"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20171115:timeseriesinsights:AccessPolicy"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:AccessPolicy"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20200515:timeseriesinsights:AccessPolicy"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:AccessPolicy"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:AccessPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccessPolicy, __self__).__init__( 'azure-native:timeseriesinsights:AccessPolicy', diff --git a/sdk/python/pulumi_azure_native/timeseriesinsights/event_hub_event_source.py b/sdk/python/pulumi_azure_native/timeseriesinsights/event_hub_event_source.py index 7beb314ba5f1..a6739e600c6f 100644 --- a/sdk/python/pulumi_azure_native/timeseriesinsights/event_hub_event_source.py +++ b/sdk/python/pulumi_azure_native/timeseriesinsights/event_hub_event_source.py @@ -412,7 +412,7 @@ def _internal_init(__self__, __props__.__dict__["creation_time"] = None __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20170228preview:EventHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20171115:EventHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20180815preview:EventHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20200515:EventHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210331preview:EventHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:EventHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:IoTHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights:IoTHubEventSource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:EventHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:IoTHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights:IoTHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:EventHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20171115:timeseriesinsights:EventHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:EventHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20200515:timeseriesinsights:EventHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:EventHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:EventHubEventSource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EventHubEventSource, __self__).__init__( 'azure-native:timeseriesinsights:EventHubEventSource', diff --git a/sdk/python/pulumi_azure_native/timeseriesinsights/gen1_environment.py b/sdk/python/pulumi_azure_native/timeseriesinsights/gen1_environment.py index 2bcd43972d1d..528667fdd84f 100644 --- a/sdk/python/pulumi_azure_native/timeseriesinsights/gen1_environment.py +++ b/sdk/python/pulumi_azure_native/timeseriesinsights/gen1_environment.py @@ -271,7 +271,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20170228preview:Gen1Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20171115:Gen1Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20180815preview:Gen1Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20200515:Gen1Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210331preview:Gen1Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210331preview:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:Gen1Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights:Gen2Environment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20210331preview:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:Gen1Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights:Gen2Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:Gen1Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20171115:timeseriesinsights:Gen1Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:Gen1Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20200515:timeseriesinsights:Gen1Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:Gen1Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:Gen1Environment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Gen1Environment, __self__).__init__( 'azure-native:timeseriesinsights:Gen1Environment', diff --git a/sdk/python/pulumi_azure_native/timeseriesinsights/gen2_environment.py b/sdk/python/pulumi_azure_native/timeseriesinsights/gen2_environment.py index b823c7c20d2e..c89ee4c90fdb 100644 --- a/sdk/python/pulumi_azure_native/timeseriesinsights/gen2_environment.py +++ b/sdk/python/pulumi_azure_native/timeseriesinsights/gen2_environment.py @@ -272,7 +272,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["status"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20170228preview:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20171115:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20180815preview:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20200515:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210331preview:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:Gen1Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights:Gen1Environment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20210331preview:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:Gen1Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:Gen2Environment"), pulumi.Alias(type_="azure-native:timeseriesinsights:Gen1Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:Gen2Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20171115:timeseriesinsights:Gen2Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:Gen2Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20200515:timeseriesinsights:Gen2Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:Gen2Environment"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:Gen2Environment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Gen2Environment, __self__).__init__( 'azure-native:timeseriesinsights:Gen2Environment', diff --git a/sdk/python/pulumi_azure_native/timeseriesinsights/io_t_hub_event_source.py b/sdk/python/pulumi_azure_native/timeseriesinsights/io_t_hub_event_source.py index ded75a13d61e..fd7ffe545be8 100644 --- a/sdk/python/pulumi_azure_native/timeseriesinsights/io_t_hub_event_source.py +++ b/sdk/python/pulumi_azure_native/timeseriesinsights/io_t_hub_event_source.py @@ -391,7 +391,7 @@ def _internal_init(__self__, __props__.__dict__["creation_time"] = None __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20170228preview:IoTHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20171115:IoTHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20180815preview:IoTHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20200515:IoTHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210331preview:IoTHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:EventHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:IoTHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights:EventHubEventSource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:EventHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:IoTHubEventSource"), pulumi.Alias(type_="azure-native:timeseriesinsights:EventHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:IoTHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20171115:timeseriesinsights:IoTHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:IoTHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20200515:timeseriesinsights:IoTHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:IoTHubEventSource"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:IoTHubEventSource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(IoTHubEventSource, __self__).__init__( 'azure-native:timeseriesinsights:IoTHubEventSource', diff --git a/sdk/python/pulumi_azure_native/timeseriesinsights/reference_data_set.py b/sdk/python/pulumi_azure_native/timeseriesinsights/reference_data_set.py index 193cacffff68..2b561a091b48 100644 --- a/sdk/python/pulumi_azure_native/timeseriesinsights/reference_data_set.py +++ b/sdk/python/pulumi_azure_native/timeseriesinsights/reference_data_set.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20170228preview:ReferenceDataSet"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20171115:ReferenceDataSet"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20180815preview:ReferenceDataSet"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20200515:ReferenceDataSet"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210331preview:ReferenceDataSet"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:ReferenceDataSet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:timeseriesinsights/v20200515:ReferenceDataSet"), pulumi.Alias(type_="azure-native:timeseriesinsights/v20210630preview:ReferenceDataSet"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20170228preview:timeseriesinsights:ReferenceDataSet"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20171115:timeseriesinsights:ReferenceDataSet"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20180815preview:timeseriesinsights:ReferenceDataSet"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20200515:timeseriesinsights:ReferenceDataSet"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210331preview:timeseriesinsights:ReferenceDataSet"), pulumi.Alias(type_="azure-native_timeseriesinsights_v20210630preview:timeseriesinsights:ReferenceDataSet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ReferenceDataSet, __self__).__init__( 'azure-native:timeseriesinsights:ReferenceDataSet', diff --git a/sdk/python/pulumi_azure_native/trafficmanager/endpoint.py b/sdk/python/pulumi_azure_native/trafficmanager/endpoint.py index b0d0a9e1368b..30f47b45bc1c 100644 --- a/sdk/python/pulumi_azure_native/trafficmanager/endpoint.py +++ b/sdk/python/pulumi_azure_native/trafficmanager/endpoint.py @@ -504,7 +504,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = type __props__.__dict__["weight"] = weight __props__.__dict__["azure_api_version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220401:Endpoint"), pulumi.Alias(type_="azure-native:network/v20220401preview:Endpoint"), pulumi.Alias(type_="azure-native:network:Endpoint"), pulumi.Alias(type_="azure-native:trafficmanager/v20151101:Endpoint"), pulumi.Alias(type_="azure-native:trafficmanager/v20170301:Endpoint"), pulumi.Alias(type_="azure-native:trafficmanager/v20170501:Endpoint"), pulumi.Alias(type_="azure-native:trafficmanager/v20180201:Endpoint"), pulumi.Alias(type_="azure-native:trafficmanager/v20180301:Endpoint"), pulumi.Alias(type_="azure-native:trafficmanager/v20180401:Endpoint"), pulumi.Alias(type_="azure-native:trafficmanager/v20180801:Endpoint"), pulumi.Alias(type_="azure-native:trafficmanager/v20220401:Endpoint"), pulumi.Alias(type_="azure-native:trafficmanager/v20220401preview:Endpoint")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220401:Endpoint"), pulumi.Alias(type_="azure-native:network/v20220401preview:Endpoint"), pulumi.Alias(type_="azure-native:network:Endpoint"), pulumi.Alias(type_="azure-native_trafficmanager_v20151101:trafficmanager:Endpoint"), pulumi.Alias(type_="azure-native_trafficmanager_v20170301:trafficmanager:Endpoint"), pulumi.Alias(type_="azure-native_trafficmanager_v20170501:trafficmanager:Endpoint"), pulumi.Alias(type_="azure-native_trafficmanager_v20180201:trafficmanager:Endpoint"), pulumi.Alias(type_="azure-native_trafficmanager_v20180301:trafficmanager:Endpoint"), pulumi.Alias(type_="azure-native_trafficmanager_v20180401:trafficmanager:Endpoint"), pulumi.Alias(type_="azure-native_trafficmanager_v20180801:trafficmanager:Endpoint"), pulumi.Alias(type_="azure-native_trafficmanager_v20220401:trafficmanager:Endpoint"), pulumi.Alias(type_="azure-native_trafficmanager_v20220401preview:trafficmanager:Endpoint")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Endpoint, __self__).__init__( 'azure-native:trafficmanager:Endpoint', diff --git a/sdk/python/pulumi_azure_native/trafficmanager/profile.py b/sdk/python/pulumi_azure_native/trafficmanager/profile.py index a37062baf901..0fa21054e008 100644 --- a/sdk/python/pulumi_azure_native/trafficmanager/profile.py +++ b/sdk/python/pulumi_azure_native/trafficmanager/profile.py @@ -385,7 +385,7 @@ def _internal_init(__self__, __props__.__dict__["traffic_view_enrollment_status"] = traffic_view_enrollment_status __props__.__dict__["type"] = type __props__.__dict__["azure_api_version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220401:Profile"), pulumi.Alias(type_="azure-native:network/v20220401preview:Profile"), pulumi.Alias(type_="azure-native:network:Profile"), pulumi.Alias(type_="azure-native:trafficmanager/v20151101:Profile"), pulumi.Alias(type_="azure-native:trafficmanager/v20170301:Profile"), pulumi.Alias(type_="azure-native:trafficmanager/v20170501:Profile"), pulumi.Alias(type_="azure-native:trafficmanager/v20180201:Profile"), pulumi.Alias(type_="azure-native:trafficmanager/v20180301:Profile"), pulumi.Alias(type_="azure-native:trafficmanager/v20180401:Profile"), pulumi.Alias(type_="azure-native:trafficmanager/v20180801:Profile"), pulumi.Alias(type_="azure-native:trafficmanager/v20220401:Profile"), pulumi.Alias(type_="azure-native:trafficmanager/v20220401preview:Profile")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220401:Profile"), pulumi.Alias(type_="azure-native:network/v20220401preview:Profile"), pulumi.Alias(type_="azure-native:network:Profile"), pulumi.Alias(type_="azure-native_trafficmanager_v20151101:trafficmanager:Profile"), pulumi.Alias(type_="azure-native_trafficmanager_v20170301:trafficmanager:Profile"), pulumi.Alias(type_="azure-native_trafficmanager_v20170501:trafficmanager:Profile"), pulumi.Alias(type_="azure-native_trafficmanager_v20180201:trafficmanager:Profile"), pulumi.Alias(type_="azure-native_trafficmanager_v20180301:trafficmanager:Profile"), pulumi.Alias(type_="azure-native_trafficmanager_v20180401:trafficmanager:Profile"), pulumi.Alias(type_="azure-native_trafficmanager_v20180801:trafficmanager:Profile"), pulumi.Alias(type_="azure-native_trafficmanager_v20220401:trafficmanager:Profile"), pulumi.Alias(type_="azure-native_trafficmanager_v20220401preview:trafficmanager:Profile")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Profile, __self__).__init__( 'azure-native:trafficmanager:Profile', diff --git a/sdk/python/pulumi_azure_native/trafficmanager/traffic_manager_user_metrics_key.py b/sdk/python/pulumi_azure_native/trafficmanager/traffic_manager_user_metrics_key.py index e84cb008cdef..6ce3b1619b31 100644 --- a/sdk/python/pulumi_azure_native/trafficmanager/traffic_manager_user_metrics_key.py +++ b/sdk/python/pulumi_azure_native/trafficmanager/traffic_manager_user_metrics_key.py @@ -82,7 +82,7 @@ def _internal_init(__self__, __props__.__dict__["key"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220401:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native:network/v20220401preview:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native:network:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native:trafficmanager/v20180401:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native:trafficmanager/v20180801:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native:trafficmanager/v20220401:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native:trafficmanager/v20220401preview:TrafficManagerUserMetricsKey")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:network/v20220401:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native:network/v20220401preview:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native:network:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native_trafficmanager_v20180401:trafficmanager:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native_trafficmanager_v20180801:trafficmanager:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native_trafficmanager_v20220401:trafficmanager:TrafficManagerUserMetricsKey"), pulumi.Alias(type_="azure-native_trafficmanager_v20220401preview:trafficmanager:TrafficManagerUserMetricsKey")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TrafficManagerUserMetricsKey, __self__).__init__( 'azure-native:trafficmanager:TrafficManagerUserMetricsKey', diff --git a/sdk/python/pulumi_azure_native/verifiedid/authority.py b/sdk/python/pulumi_azure_native/verifiedid/authority.py index ad7f463bd971..f21b5666de40 100644 --- a/sdk/python/pulumi_azure_native/verifiedid/authority.py +++ b/sdk/python/pulumi_azure_native/verifiedid/authority.py @@ -160,7 +160,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:verifiedid/v20240126preview:Authority")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:verifiedid/v20240126preview:Authority"), pulumi.Alias(type_="azure-native_verifiedid_v20240126preview:verifiedid:Authority")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Authority, __self__).__init__( 'azure-native:verifiedid:Authority', diff --git a/sdk/python/pulumi_azure_native/videoanalyzer/access_policy.py b/sdk/python/pulumi_azure_native/videoanalyzer/access_policy.py index 3939a7bb8fb7..f47a3c58d0c1 100644 --- a/sdk/python/pulumi_azure_native/videoanalyzer/access_policy.py +++ b/sdk/python/pulumi_azure_native/videoanalyzer/access_policy.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20210501preview:AccessPolicy"), pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:AccessPolicy")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:AccessPolicy"), pulumi.Alias(type_="azure-native_videoanalyzer_v20210501preview:videoanalyzer:AccessPolicy"), pulumi.Alias(type_="azure-native_videoanalyzer_v20211101preview:videoanalyzer:AccessPolicy")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AccessPolicy, __self__).__init__( 'azure-native:videoanalyzer:AccessPolicy', diff --git a/sdk/python/pulumi_azure_native/videoanalyzer/edge_module.py b/sdk/python/pulumi_azure_native/videoanalyzer/edge_module.py index 8cfba3621fda..f82a18cc4aff 100644 --- a/sdk/python/pulumi_azure_native/videoanalyzer/edge_module.py +++ b/sdk/python/pulumi_azure_native/videoanalyzer/edge_module.py @@ -141,7 +141,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20210501preview:EdgeModule"), pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:EdgeModule")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:EdgeModule"), pulumi.Alias(type_="azure-native_videoanalyzer_v20210501preview:videoanalyzer:EdgeModule"), pulumi.Alias(type_="azure-native_videoanalyzer_v20211101preview:videoanalyzer:EdgeModule")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(EdgeModule, __self__).__init__( 'azure-native:videoanalyzer:EdgeModule', diff --git a/sdk/python/pulumi_azure_native/videoanalyzer/live_pipeline.py b/sdk/python/pulumi_azure_native/videoanalyzer/live_pipeline.py index 41d04c3ca38b..67cc55713725 100644 --- a/sdk/python/pulumi_azure_native/videoanalyzer/live_pipeline.py +++ b/sdk/python/pulumi_azure_native/videoanalyzer/live_pipeline.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:LivePipeline")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:LivePipeline"), pulumi.Alias(type_="azure-native_videoanalyzer_v20211101preview:videoanalyzer:LivePipeline")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(LivePipeline, __self__).__init__( 'azure-native:videoanalyzer:LivePipeline', diff --git a/sdk/python/pulumi_azure_native/videoanalyzer/pipeline_job.py b/sdk/python/pulumi_azure_native/videoanalyzer/pipeline_job.py index 46fe6e3e9b06..c416a048ae50 100644 --- a/sdk/python/pulumi_azure_native/videoanalyzer/pipeline_job.py +++ b/sdk/python/pulumi_azure_native/videoanalyzer/pipeline_job.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:PipelineJob")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:PipelineJob"), pulumi.Alias(type_="azure-native_videoanalyzer_v20211101preview:videoanalyzer:PipelineJob")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PipelineJob, __self__).__init__( 'azure-native:videoanalyzer:PipelineJob', diff --git a/sdk/python/pulumi_azure_native/videoanalyzer/pipeline_topology.py b/sdk/python/pulumi_azure_native/videoanalyzer/pipeline_topology.py index 656f6274b6b7..7d25f3324cde 100644 --- a/sdk/python/pulumi_azure_native/videoanalyzer/pipeline_topology.py +++ b/sdk/python/pulumi_azure_native/videoanalyzer/pipeline_topology.py @@ -296,7 +296,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:PipelineTopology")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:PipelineTopology"), pulumi.Alias(type_="azure-native_videoanalyzer_v20211101preview:videoanalyzer:PipelineTopology")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PipelineTopology, __self__).__init__( 'azure-native:videoanalyzer:PipelineTopology', diff --git a/sdk/python/pulumi_azure_native/videoanalyzer/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/videoanalyzer/private_endpoint_connection.py index 4f730d4c2233..fc7c8bee46c7 100644 --- a/sdk/python/pulumi_azure_native/videoanalyzer/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/videoanalyzer/private_endpoint_connection.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_videoanalyzer_v20211101preview:videoanalyzer:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:videoanalyzer:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/videoanalyzer/video.py b/sdk/python/pulumi_azure_native/videoanalyzer/video.py index 63b7181b19b3..e4b9bb988b8f 100644 --- a/sdk/python/pulumi_azure_native/videoanalyzer/video.py +++ b/sdk/python/pulumi_azure_native/videoanalyzer/video.py @@ -223,7 +223,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20210501preview:Video"), pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:Video")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20210501preview:Video"), pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:Video"), pulumi.Alias(type_="azure-native_videoanalyzer_v20210501preview:videoanalyzer:Video"), pulumi.Alias(type_="azure-native_videoanalyzer_v20211101preview:videoanalyzer:Video")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Video, __self__).__init__( 'azure-native:videoanalyzer:Video', diff --git a/sdk/python/pulumi_azure_native/videoanalyzer/video_analyzer.py b/sdk/python/pulumi_azure_native/videoanalyzer/video_analyzer.py index 957ac2fe51ed..aa314adde2c1 100644 --- a/sdk/python/pulumi_azure_native/videoanalyzer/video_analyzer.py +++ b/sdk/python/pulumi_azure_native/videoanalyzer/video_analyzer.py @@ -285,7 +285,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20210501preview:VideoAnalyzer"), pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:VideoAnalyzer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoanalyzer/v20210501preview:VideoAnalyzer"), pulumi.Alias(type_="azure-native:videoanalyzer/v20211101preview:VideoAnalyzer"), pulumi.Alias(type_="azure-native_videoanalyzer_v20210501preview:videoanalyzer:VideoAnalyzer"), pulumi.Alias(type_="azure-native_videoanalyzer_v20211101preview:videoanalyzer:VideoAnalyzer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VideoAnalyzer, __self__).__init__( 'azure-native:videoanalyzer:VideoAnalyzer', diff --git a/sdk/python/pulumi_azure_native/videoindexer/account.py b/sdk/python/pulumi_azure_native/videoindexer/account.py index d8024269880f..a52559ed3b29 100644 --- a/sdk/python/pulumi_azure_native/videoindexer/account.py +++ b/sdk/python/pulumi_azure_native/videoindexer/account.py @@ -232,7 +232,7 @@ def _internal_init(__self__, __props__.__dict__["tenant_id"] = None __props__.__dict__["total_seconds_indexed"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoindexer/v20211018preview:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20211027preview:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20211110preview:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20220413preview:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20220720preview:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20220801:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20240101:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20240401preview:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20240601preview:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20240923preview:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20250101:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20250301:Account")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoindexer/v20220801:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20240101:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20240401preview:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20240601preview:Account"), pulumi.Alias(type_="azure-native:videoindexer/v20240923preview:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20211018preview:videoindexer:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20211027preview:videoindexer:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20211110preview:videoindexer:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20220413preview:videoindexer:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20220720preview:videoindexer:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20220801:videoindexer:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20240101:videoindexer:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20240401preview:videoindexer:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20240601preview:videoindexer:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20240923preview:videoindexer:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20250101:videoindexer:Account"), pulumi.Alias(type_="azure-native_videoindexer_v20250301:videoindexer:Account")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Account, __self__).__init__( 'azure-native:videoindexer:Account', diff --git a/sdk/python/pulumi_azure_native/videoindexer/private_endpoint_connection.py b/sdk/python/pulumi_azure_native/videoindexer/private_endpoint_connection.py index b24bea5806ba..aabba68d7f0c 100644 --- a/sdk/python/pulumi_azure_native/videoindexer/private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/videoindexer/private_endpoint_connection.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoindexer/v20240601preview:PrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:videoindexer/v20240601preview:PrivateEndpointConnection"), pulumi.Alias(type_="azure-native_videoindexer_v20240601preview:videoindexer:PrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(PrivateEndpointConnection, __self__).__init__( 'azure-native:videoindexer:PrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/virtualmachineimages/trigger.py b/sdk/python/pulumi_azure_native/virtualmachineimages/trigger.py index 028d62395e4f..4660269e7550 100644 --- a/sdk/python/pulumi_azure_native/virtualmachineimages/trigger.py +++ b/sdk/python/pulumi_azure_native/virtualmachineimages/trigger.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:virtualmachineimages/v20220701:Trigger"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20230701:Trigger"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20240201:Trigger")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:virtualmachineimages/v20220701:Trigger"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20230701:Trigger"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20240201:Trigger"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20220701:virtualmachineimages:Trigger"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20230701:virtualmachineimages:Trigger"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20240201:virtualmachineimages:Trigger")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Trigger, __self__).__init__( 'azure-native:virtualmachineimages:Trigger', diff --git a/sdk/python/pulumi_azure_native/virtualmachineimages/virtual_machine_image_template.py b/sdk/python/pulumi_azure_native/virtualmachineimages/virtual_machine_image_template.py index 6f40f74a1b46..9a405844f6dc 100644 --- a/sdk/python/pulumi_azure_native/virtualmachineimages/virtual_machine_image_template.py +++ b/sdk/python/pulumi_azure_native/virtualmachineimages/virtual_machine_image_template.py @@ -416,7 +416,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:virtualmachineimages/v20180201preview:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20190201preview:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20190501preview:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20200214:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20211001:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20220214:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20220701:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20230701:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20240201:VirtualMachineImageTemplate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:virtualmachineimages/v20220701:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20230701:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native:virtualmachineimages/v20240201:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20180201preview:virtualmachineimages:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20190201preview:virtualmachineimages:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20190501preview:virtualmachineimages:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20200214:virtualmachineimages:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20211001:virtualmachineimages:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20220214:virtualmachineimages:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20220701:virtualmachineimages:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20230701:virtualmachineimages:VirtualMachineImageTemplate"), pulumi.Alias(type_="azure-native_virtualmachineimages_v20240201:virtualmachineimages:VirtualMachineImageTemplate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachineImageTemplate, __self__).__init__( 'azure-native:virtualmachineimages:VirtualMachineImageTemplate', diff --git a/sdk/python/pulumi_azure_native/vmwarecloudsimple/dedicated_cloud_node.py b/sdk/python/pulumi_azure_native/vmwarecloudsimple/dedicated_cloud_node.py index 79949e659a6c..0f27eaa5e8e0 100644 --- a/sdk/python/pulumi_azure_native/vmwarecloudsimple/dedicated_cloud_node.py +++ b/sdk/python/pulumi_azure_native/vmwarecloudsimple/dedicated_cloud_node.py @@ -305,7 +305,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["properties"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:vmwarecloudsimple/v20190401:DedicatedCloudNode")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:vmwarecloudsimple/v20190401:DedicatedCloudNode"), pulumi.Alias(type_="azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:DedicatedCloudNode")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DedicatedCloudNode, __self__).__init__( 'azure-native:vmwarecloudsimple:DedicatedCloudNode', diff --git a/sdk/python/pulumi_azure_native/vmwarecloudsimple/dedicated_cloud_service.py b/sdk/python/pulumi_azure_native/vmwarecloudsimple/dedicated_cloud_service.py index c51f367e8956..bbd465c5e58c 100644 --- a/sdk/python/pulumi_azure_native/vmwarecloudsimple/dedicated_cloud_service.py +++ b/sdk/python/pulumi_azure_native/vmwarecloudsimple/dedicated_cloud_service.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["nodes"] = None __props__.__dict__["service_url"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:vmwarecloudsimple/v20190401:DedicatedCloudService")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:vmwarecloudsimple/v20190401:DedicatedCloudService"), pulumi.Alias(type_="azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:DedicatedCloudService")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(DedicatedCloudService, __self__).__init__( 'azure-native:vmwarecloudsimple:DedicatedCloudService', diff --git a/sdk/python/pulumi_azure_native/vmwarecloudsimple/virtual_machine.py b/sdk/python/pulumi_azure_native/vmwarecloudsimple/virtual_machine.py index f90850e65902..c62a314a59ff 100644 --- a/sdk/python/pulumi_azure_native/vmwarecloudsimple/virtual_machine.py +++ b/sdk/python/pulumi_azure_native/vmwarecloudsimple/virtual_machine.py @@ -413,7 +413,7 @@ def _internal_init(__self__, __props__.__dict__["type"] = None __props__.__dict__["vm_id"] = None __props__.__dict__["vmwaretools"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:vmwarecloudsimple/v20190401:VirtualMachine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:vmwarecloudsimple/v20190401:VirtualMachine"), pulumi.Alias(type_="azure-native_vmwarecloudsimple_v20190401:vmwarecloudsimple:VirtualMachine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(VirtualMachine, __self__).__init__( 'azure-native:vmwarecloudsimple:VirtualMachine', diff --git a/sdk/python/pulumi_azure_native/voiceservices/communications_gateway.py b/sdk/python/pulumi_azure_native/voiceservices/communications_gateway.py index 4c28de45dd1c..c240761ea276 100644 --- a/sdk/python/pulumi_azure_native/voiceservices/communications_gateway.py +++ b/sdk/python/pulumi_azure_native/voiceservices/communications_gateway.py @@ -487,7 +487,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:voiceservices/v20221201preview:CommunicationsGateway"), pulumi.Alias(type_="azure-native:voiceservices/v20230131:CommunicationsGateway"), pulumi.Alias(type_="azure-native:voiceservices/v20230403:CommunicationsGateway"), pulumi.Alias(type_="azure-native:voiceservices/v20230901:CommunicationsGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:voiceservices/v20230403:CommunicationsGateway"), pulumi.Alias(type_="azure-native:voiceservices/v20230901:CommunicationsGateway"), pulumi.Alias(type_="azure-native_voiceservices_v20221201preview:voiceservices:CommunicationsGateway"), pulumi.Alias(type_="azure-native_voiceservices_v20230131:voiceservices:CommunicationsGateway"), pulumi.Alias(type_="azure-native_voiceservices_v20230403:voiceservices:CommunicationsGateway"), pulumi.Alias(type_="azure-native_voiceservices_v20230901:voiceservices:CommunicationsGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CommunicationsGateway, __self__).__init__( 'azure-native:voiceservices:CommunicationsGateway', diff --git a/sdk/python/pulumi_azure_native/voiceservices/contact.py b/sdk/python/pulumi_azure_native/voiceservices/contact.py index 7ad5e756e06a..6a7e79f86023 100644 --- a/sdk/python/pulumi_azure_native/voiceservices/contact.py +++ b/sdk/python/pulumi_azure_native/voiceservices/contact.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:voiceservices/v20221201preview:Contact")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:voiceservices/v20221201preview:Contact"), pulumi.Alias(type_="azure-native_voiceservices_v20221201preview:voiceservices:Contact")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Contact, __self__).__init__( 'azure-native:voiceservices:Contact', diff --git a/sdk/python/pulumi_azure_native/voiceservices/test_line.py b/sdk/python/pulumi_azure_native/voiceservices/test_line.py index 161e092dc0ff..0b24eee8b59f 100644 --- a/sdk/python/pulumi_azure_native/voiceservices/test_line.py +++ b/sdk/python/pulumi_azure_native/voiceservices/test_line.py @@ -228,7 +228,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:voiceservices/v20221201preview:TestLine"), pulumi.Alias(type_="azure-native:voiceservices/v20230131:TestLine"), pulumi.Alias(type_="azure-native:voiceservices/v20230403:TestLine"), pulumi.Alias(type_="azure-native:voiceservices/v20230901:TestLine")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:voiceservices/v20221201preview:TestLine"), pulumi.Alias(type_="azure-native:voiceservices/v20230403:TestLine"), pulumi.Alias(type_="azure-native:voiceservices/v20230901:TestLine"), pulumi.Alias(type_="azure-native_voiceservices_v20221201preview:voiceservices:TestLine"), pulumi.Alias(type_="azure-native_voiceservices_v20230131:voiceservices:TestLine"), pulumi.Alias(type_="azure-native_voiceservices_v20230403:voiceservices:TestLine"), pulumi.Alias(type_="azure-native_voiceservices_v20230901:voiceservices:TestLine")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(TestLine, __self__).__init__( 'azure-native:voiceservices:TestLine', diff --git a/sdk/python/pulumi_azure_native/web/app_service_environment.py b/sdk/python/pulumi_azure_native/web/app_service_environment.py index b8d74d6e5e72..0845a894900a 100644 --- a/sdk/python/pulumi_azure_native/web/app_service_environment.py +++ b/sdk/python/pulumi_azure_native/web/app_service_environment.py @@ -455,7 +455,7 @@ def _internal_init(__self__, __props__.__dict__["suspended"] = None __props__.__dict__["type"] = None __props__.__dict__["upgrade_availability"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20160901:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20180201:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20190801:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20200601:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20200901:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20201001:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20201201:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20210101:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20210115:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20210201:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20210301:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20220301:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20220901:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20230101:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20231201:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20240401:AppServiceEnvironment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20190801:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20201001:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20210115:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20220901:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20230101:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20231201:AppServiceEnvironment"), pulumi.Alias(type_="azure-native:web/v20240401:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20150801:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20160901:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20180201:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20190801:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20200601:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20200901:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20201001:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20201201:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20210101:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20210115:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20210201:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20210301:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20220301:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20220901:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20230101:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20231201:web:AppServiceEnvironment"), pulumi.Alias(type_="azure-native_web_v20240401:web:AppServiceEnvironment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AppServiceEnvironment, __self__).__init__( 'azure-native:web:AppServiceEnvironment', diff --git a/sdk/python/pulumi_azure_native/web/app_service_environment_ase_custom_dns_suffix_configuration.py b/sdk/python/pulumi_azure_native/web/app_service_environment_ase_custom_dns_suffix_configuration.py index 19ebd1fac2ce..8b00d6e626f3 100644 --- a/sdk/python/pulumi_azure_native/web/app_service_environment_ase_custom_dns_suffix_configuration.py +++ b/sdk/python/pulumi_azure_native/web/app_service_environment_ase_custom_dns_suffix_configuration.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_details"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220301:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native:web/v20220901:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native:web/v20230101:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native:web/v20231201:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native:web/v20240401:AppServiceEnvironmentAseCustomDnsSuffixConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native:web/v20230101:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native:web/v20231201:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native:web/v20240401:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native_web_v20220301:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native_web_v20220901:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native_web_v20230101:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native_web_v20231201:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration"), pulumi.Alias(type_="azure-native_web_v20240401:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AppServiceEnvironmentAseCustomDnsSuffixConfiguration, __self__).__init__( 'azure-native:web:AppServiceEnvironmentAseCustomDnsSuffixConfiguration', diff --git a/sdk/python/pulumi_azure_native/web/app_service_environment_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/web/app_service_environment_private_endpoint_connection.py index 9278ed01990f..6bf98d485bfb 100644 --- a/sdk/python/pulumi_azure_native/web/app_service_environment_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/web/app_service_environment_private_endpoint_connection.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201201:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210101:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210115:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210201:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210301:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20220301:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20220901:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20230101:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20231201:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20240401:AppServiceEnvironmentPrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20230101:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20231201:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20240401:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20201201:web:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210101:web:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210115:web:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210201:web:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210301:web:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20220301:web:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20220901:web:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20230101:web:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20231201:web:AppServiceEnvironmentPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20240401:web:AppServiceEnvironmentPrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AppServiceEnvironmentPrivateEndpointConnection, __self__).__init__( 'azure-native:web:AppServiceEnvironmentPrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/web/app_service_plan.py b/sdk/python/pulumi_azure_native/web/app_service_plan.py index 2f10b12a34f3..6e51bec005f5 100644 --- a/sdk/python/pulumi_azure_native/web/app_service_plan.py +++ b/sdk/python/pulumi_azure_native/web/app_service_plan.py @@ -556,7 +556,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["subscription"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20160901:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20180201:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20190801:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20200601:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20200901:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20201001:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20201201:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20210101:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20210115:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20210201:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20210301:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20220301:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20220901:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20230101:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20231201:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20240401:AppServicePlan")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160901:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20201001:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20220901:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20230101:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20231201:AppServicePlan"), pulumi.Alias(type_="azure-native:web/v20240401:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20150801:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20160901:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20180201:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20190801:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20200601:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20200901:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20201001:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20201201:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20210101:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20210115:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20210201:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20210301:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20220301:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20220901:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20230101:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20231201:web:AppServicePlan"), pulumi.Alias(type_="azure-native_web_v20240401:web:AppServicePlan")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AppServicePlan, __self__).__init__( 'azure-native:web:AppServicePlan', diff --git a/sdk/python/pulumi_azure_native/web/app_service_plan_route_for_vnet.py b/sdk/python/pulumi_azure_native/web/app_service_plan_route_for_vnet.py index 5c8040413a22..92286b519fc0 100644 --- a/sdk/python/pulumi_azure_native/web/app_service_plan_route_for_vnet.py +++ b/sdk/python/pulumi_azure_native/web/app_service_plan_route_for_vnet.py @@ -258,7 +258,7 @@ def _internal_init(__self__, __props__.__dict__["vnet_name"] = vnet_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20160901:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20180201:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20190801:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20200601:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20200901:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20201001:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20201201:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20210101:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20210115:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20210201:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20210301:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20220301:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20220901:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20230101:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20231201:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20240401:AppServicePlanRouteForVnet")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160901:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20201001:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20220901:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20230101:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20231201:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native:web/v20240401:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20150801:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20160901:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20180201:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20190801:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20200601:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20200901:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20201001:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20201201:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20210101:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20210115:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20210201:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20210301:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20220301:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20220901:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20230101:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20231201:web:AppServicePlanRouteForVnet"), pulumi.Alias(type_="azure-native_web_v20240401:web:AppServicePlanRouteForVnet")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(AppServicePlanRouteForVnet, __self__).__init__( 'azure-native:web:AppServicePlanRouteForVnet', diff --git a/sdk/python/pulumi_azure_native/web/certificate.py b/sdk/python/pulumi_azure_native/web/certificate.py index 807e257ef7af..4443546d0940 100644 --- a/sdk/python/pulumi_azure_native/web/certificate.py +++ b/sdk/python/pulumi_azure_native/web/certificate.py @@ -354,7 +354,7 @@ def _internal_init(__self__, __props__.__dict__["thumbprint"] = None __props__.__dict__["type"] = None __props__.__dict__["valid"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:Certificate"), pulumi.Alias(type_="azure-native:web/v20160301:Certificate"), pulumi.Alias(type_="azure-native:web/v20180201:Certificate"), pulumi.Alias(type_="azure-native:web/v20181101:Certificate"), pulumi.Alias(type_="azure-native:web/v20190801:Certificate"), pulumi.Alias(type_="azure-native:web/v20200601:Certificate"), pulumi.Alias(type_="azure-native:web/v20200901:Certificate"), pulumi.Alias(type_="azure-native:web/v20201001:Certificate"), pulumi.Alias(type_="azure-native:web/v20201201:Certificate"), pulumi.Alias(type_="azure-native:web/v20210101:Certificate"), pulumi.Alias(type_="azure-native:web/v20210115:Certificate"), pulumi.Alias(type_="azure-native:web/v20210201:Certificate"), pulumi.Alias(type_="azure-native:web/v20210301:Certificate"), pulumi.Alias(type_="azure-native:web/v20220301:Certificate"), pulumi.Alias(type_="azure-native:web/v20220901:Certificate"), pulumi.Alias(type_="azure-native:web/v20230101:Certificate"), pulumi.Alias(type_="azure-native:web/v20231201:Certificate"), pulumi.Alias(type_="azure-native:web/v20240401:Certificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160301:Certificate"), pulumi.Alias(type_="azure-native:web/v20201001:Certificate"), pulumi.Alias(type_="azure-native:web/v20220901:Certificate"), pulumi.Alias(type_="azure-native:web/v20230101:Certificate"), pulumi.Alias(type_="azure-native:web/v20231201:Certificate"), pulumi.Alias(type_="azure-native:web/v20240401:Certificate"), pulumi.Alias(type_="azure-native_web_v20150801:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20160301:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20180201:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20181101:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20190801:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20200601:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20200901:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20201001:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20201201:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20210101:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20210115:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20210201:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20210301:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20220301:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20220901:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20230101:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20231201:web:Certificate"), pulumi.Alias(type_="azure-native_web_v20240401:web:Certificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Certificate, __self__).__init__( 'azure-native:web:Certificate', diff --git a/sdk/python/pulumi_azure_native/web/connection.py b/sdk/python/pulumi_azure_native/web/connection.py index efdf77e68488..ef1a037f6f28 100644 --- a/sdk/python/pulumi_azure_native/web/connection.py +++ b/sdk/python/pulumi_azure_native/web/connection.py @@ -199,7 +199,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801preview:Connection"), pulumi.Alias(type_="azure-native:web/v20160601:Connection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801preview:Connection"), pulumi.Alias(type_="azure-native:web/v20160601:Connection"), pulumi.Alias(type_="azure-native_web_v20150801preview:web:Connection"), pulumi.Alias(type_="azure-native_web_v20160601:web:Connection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Connection, __self__).__init__( 'azure-native:web:Connection', diff --git a/sdk/python/pulumi_azure_native/web/connection_gateway.py b/sdk/python/pulumi_azure_native/web/connection_gateway.py index afece2f3f3f3..84ce1d068b2d 100644 --- a/sdk/python/pulumi_azure_native/web/connection_gateway.py +++ b/sdk/python/pulumi_azure_native/web/connection_gateway.py @@ -195,7 +195,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160601:ConnectionGateway")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160601:ConnectionGateway"), pulumi.Alias(type_="azure-native_web_v20160601:web:ConnectionGateway")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ConnectionGateway, __self__).__init__( 'azure-native:web:ConnectionGateway', diff --git a/sdk/python/pulumi_azure_native/web/custom_api.py b/sdk/python/pulumi_azure_native/web/custom_api.py index 9cf8b2eb3716..398637bd0838 100644 --- a/sdk/python/pulumi_azure_native/web/custom_api.py +++ b/sdk/python/pulumi_azure_native/web/custom_api.py @@ -201,7 +201,7 @@ def _internal_init(__self__, __props__.__dict__["etag"] = None __props__.__dict__["name"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160601:CustomApi")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160601:CustomApi"), pulumi.Alias(type_="azure-native_web_v20160601:web:CustomApi")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(CustomApi, __self__).__init__( 'azure-native:web:CustomApi', diff --git a/sdk/python/pulumi_azure_native/web/kube_environment.py b/sdk/python/pulumi_azure_native/web/kube_environment.py index e0cdaf604c1c..a7edb62418eb 100644 --- a/sdk/python/pulumi_azure_native/web/kube_environment.py +++ b/sdk/python/pulumi_azure_native/web/kube_environment.py @@ -353,7 +353,7 @@ def _internal_init(__self__, __props__.__dict__["deployment_errors"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20210101:KubeEnvironment"), pulumi.Alias(type_="azure-native:web/v20210115:KubeEnvironment"), pulumi.Alias(type_="azure-native:web/v20210201:KubeEnvironment"), pulumi.Alias(type_="azure-native:web/v20210301:KubeEnvironment"), pulumi.Alias(type_="azure-native:web/v20220301:KubeEnvironment"), pulumi.Alias(type_="azure-native:web/v20220901:KubeEnvironment"), pulumi.Alias(type_="azure-native:web/v20230101:KubeEnvironment"), pulumi.Alias(type_="azure-native:web/v20231201:KubeEnvironment"), pulumi.Alias(type_="azure-native:web/v20240401:KubeEnvironment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:KubeEnvironment"), pulumi.Alias(type_="azure-native:web/v20230101:KubeEnvironment"), pulumi.Alias(type_="azure-native:web/v20231201:KubeEnvironment"), pulumi.Alias(type_="azure-native:web/v20240401:KubeEnvironment"), pulumi.Alias(type_="azure-native_web_v20210101:web:KubeEnvironment"), pulumi.Alias(type_="azure-native_web_v20210115:web:KubeEnvironment"), pulumi.Alias(type_="azure-native_web_v20210201:web:KubeEnvironment"), pulumi.Alias(type_="azure-native_web_v20210301:web:KubeEnvironment"), pulumi.Alias(type_="azure-native_web_v20220301:web:KubeEnvironment"), pulumi.Alias(type_="azure-native_web_v20220901:web:KubeEnvironment"), pulumi.Alias(type_="azure-native_web_v20230101:web:KubeEnvironment"), pulumi.Alias(type_="azure-native_web_v20231201:web:KubeEnvironment"), pulumi.Alias(type_="azure-native_web_v20240401:web:KubeEnvironment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(KubeEnvironment, __self__).__init__( 'azure-native:web:KubeEnvironment', diff --git a/sdk/python/pulumi_azure_native/web/static_site.py b/sdk/python/pulumi_azure_native/web/static_site.py index e9799b5cb9af..ef9302e2a535 100644 --- a/sdk/python/pulumi_azure_native/web/static_site.py +++ b/sdk/python/pulumi_azure_native/web/static_site.py @@ -431,7 +431,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint_connections"] = None __props__.__dict__["type"] = None __props__.__dict__["user_provided_function_apps"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20190801:StaticSite"), pulumi.Alias(type_="azure-native:web/v20200601:StaticSite"), pulumi.Alias(type_="azure-native:web/v20200901:StaticSite"), pulumi.Alias(type_="azure-native:web/v20201001:StaticSite"), pulumi.Alias(type_="azure-native:web/v20201201:StaticSite"), pulumi.Alias(type_="azure-native:web/v20210101:StaticSite"), pulumi.Alias(type_="azure-native:web/v20210115:StaticSite"), pulumi.Alias(type_="azure-native:web/v20210201:StaticSite"), pulumi.Alias(type_="azure-native:web/v20210301:StaticSite"), pulumi.Alias(type_="azure-native:web/v20220301:StaticSite"), pulumi.Alias(type_="azure-native:web/v20220901:StaticSite"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSite"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSite"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSite")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:StaticSite"), pulumi.Alias(type_="azure-native:web/v20210201:StaticSite"), pulumi.Alias(type_="azure-native:web/v20220901:StaticSite"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSite"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSite"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSite"), pulumi.Alias(type_="azure-native_web_v20190801:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20200601:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20200901:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20201001:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20201201:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20210101:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20210115:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20210201:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20210301:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20220301:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20220901:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20230101:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20231201:web:StaticSite"), pulumi.Alias(type_="azure-native_web_v20240401:web:StaticSite")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StaticSite, __self__).__init__( 'azure-native:web:StaticSite', diff --git a/sdk/python/pulumi_azure_native/web/static_site_build_database_connection.py b/sdk/python/pulumi_azure_native/web/static_site_build_database_connection.py index 9de4b685a848..e0cfeda05009 100644 --- a/sdk/python/pulumi_azure_native/web/static_site_build_database_connection.py +++ b/sdk/python/pulumi_azure_native/web/static_site_build_database_connection.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["configuration_files"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteBuildDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteBuildDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteBuildDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteBuildDatabaseConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteBuildDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteBuildDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteBuildDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteBuildDatabaseConnection"), pulumi.Alias(type_="azure-native_web_v20220901:web:StaticSiteBuildDatabaseConnection"), pulumi.Alias(type_="azure-native_web_v20230101:web:StaticSiteBuildDatabaseConnection"), pulumi.Alias(type_="azure-native_web_v20231201:web:StaticSiteBuildDatabaseConnection"), pulumi.Alias(type_="azure-native_web_v20240401:web:StaticSiteBuildDatabaseConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StaticSiteBuildDatabaseConnection, __self__).__init__( 'azure-native:web:StaticSiteBuildDatabaseConnection', diff --git a/sdk/python/pulumi_azure_native/web/static_site_custom_domain.py b/sdk/python/pulumi_azure_native/web/static_site_custom_domain.py index 824db441054e..020acb77a52d 100644 --- a/sdk/python/pulumi_azure_native/web/static_site_custom_domain.py +++ b/sdk/python/pulumi_azure_native/web/static_site_custom_domain.py @@ -189,7 +189,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["type"] = None __props__.__dict__["validation_token"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201201:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20210101:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20210115:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20210201:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20210301:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20220301:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteCustomDomain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native_web_v20201201:web:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native_web_v20210101:web:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native_web_v20210115:web:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native_web_v20210201:web:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native_web_v20210301:web:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native_web_v20220301:web:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native_web_v20220901:web:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native_web_v20230101:web:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native_web_v20231201:web:StaticSiteCustomDomain"), pulumi.Alias(type_="azure-native_web_v20240401:web:StaticSiteCustomDomain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StaticSiteCustomDomain, __self__).__init__( 'azure-native:web:StaticSiteCustomDomain', diff --git a/sdk/python/pulumi_azure_native/web/static_site_database_connection.py b/sdk/python/pulumi_azure_native/web/static_site_database_connection.py index 99d192d8b7fb..d44a268179c7 100644 --- a/sdk/python/pulumi_azure_native/web/static_site_database_connection.py +++ b/sdk/python/pulumi_azure_native/web/static_site_database_connection.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["configuration_files"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteDatabaseConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteDatabaseConnection"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteDatabaseConnection"), pulumi.Alias(type_="azure-native_web_v20220901:web:StaticSiteDatabaseConnection"), pulumi.Alias(type_="azure-native_web_v20230101:web:StaticSiteDatabaseConnection"), pulumi.Alias(type_="azure-native_web_v20231201:web:StaticSiteDatabaseConnection"), pulumi.Alias(type_="azure-native_web_v20240401:web:StaticSiteDatabaseConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StaticSiteDatabaseConnection, __self__).__init__( 'azure-native:web:StaticSiteDatabaseConnection', diff --git a/sdk/python/pulumi_azure_native/web/static_site_linked_backend.py b/sdk/python/pulumi_azure_native/web/static_site_linked_backend.py index 93dba7aace9f..9b3f35a410e2 100644 --- a/sdk/python/pulumi_azure_native/web/static_site_linked_backend.py +++ b/sdk/python/pulumi_azure_native/web/static_site_linked_backend.py @@ -204,7 +204,7 @@ def _internal_init(__self__, __props__.__dict__["created_on"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220301:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteLinkedBackend")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native_web_v20220301:web:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native_web_v20220901:web:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native_web_v20230101:web:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native_web_v20231201:web:StaticSiteLinkedBackend"), pulumi.Alias(type_="azure-native_web_v20240401:web:StaticSiteLinkedBackend")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StaticSiteLinkedBackend, __self__).__init__( 'azure-native:web:StaticSiteLinkedBackend', diff --git a/sdk/python/pulumi_azure_native/web/static_site_linked_backend_for_build.py b/sdk/python/pulumi_azure_native/web/static_site_linked_backend_for_build.py index 4ebf36bc8e3c..0b34b06a2f27 100644 --- a/sdk/python/pulumi_azure_native/web/static_site_linked_backend_for_build.py +++ b/sdk/python/pulumi_azure_native/web/static_site_linked_backend_for_build.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["created_on"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220301:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteLinkedBackendForBuild")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native_web_v20220301:web:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native_web_v20220901:web:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native_web_v20230101:web:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native_web_v20231201:web:StaticSiteLinkedBackendForBuild"), pulumi.Alias(type_="azure-native_web_v20240401:web:StaticSiteLinkedBackendForBuild")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StaticSiteLinkedBackendForBuild, __self__).__init__( 'azure-native:web:StaticSiteLinkedBackendForBuild', diff --git a/sdk/python/pulumi_azure_native/web/static_site_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/web/static_site_private_endpoint_connection.py index 11f4217bd753..dfa6bc7ab78d 100644 --- a/sdk/python/pulumi_azure_native/web/static_site_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/web/static_site_private_endpoint_connection.py @@ -205,7 +205,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201201:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210101:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210115:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210201:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210301:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20220301:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20220901:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSitePrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20201201:web:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210101:web:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210115:web:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210201:web:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210301:web:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20220301:web:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20220901:web:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20230101:web:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20231201:web:StaticSitePrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20240401:web:StaticSitePrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StaticSitePrivateEndpointConnection, __self__).__init__( 'azure-native:web:StaticSitePrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/web/static_site_user_provided_function_app_for_static_site.py b/sdk/python/pulumi_azure_native/web/static_site_user_provided_function_app_for_static_site.py index eefffd6eaa51..62129a45e165 100644 --- a/sdk/python/pulumi_azure_native/web/static_site_user_provided_function_app_for_static_site.py +++ b/sdk/python/pulumi_azure_native/web/static_site_user_provided_function_app_for_static_site.py @@ -222,7 +222,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["created_on"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201201:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20210101:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20210115:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20210201:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20210301:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20220301:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSite")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native_web_v20201201:web:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native_web_v20210101:web:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native_web_v20210115:web:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native_web_v20210201:web:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native_web_v20210301:web:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native_web_v20220301:web:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native_web_v20220901:web:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native_web_v20230101:web:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native_web_v20231201:web:StaticSiteUserProvidedFunctionAppForStaticSite"), pulumi.Alias(type_="azure-native_web_v20240401:web:StaticSiteUserProvidedFunctionAppForStaticSite")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StaticSiteUserProvidedFunctionAppForStaticSite, __self__).__init__( 'azure-native:web:StaticSiteUserProvidedFunctionAppForStaticSite', diff --git a/sdk/python/pulumi_azure_native/web/static_site_user_provided_function_app_for_static_site_build.py b/sdk/python/pulumi_azure_native/web/static_site_user_provided_function_app_for_static_site_build.py index dfa0ad7030c5..19e7f0761725 100644 --- a/sdk/python/pulumi_azure_native/web/static_site_user_provided_function_app_for_static_site_build.py +++ b/sdk/python/pulumi_azure_native/web/static_site_user_provided_function_app_for_static_site_build.py @@ -243,7 +243,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["created_on"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20210101:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20210115:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20210201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20210301:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20220301:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSiteBuild")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20230101:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20231201:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native:web/v20240401:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native_web_v20201201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native_web_v20210101:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native_web_v20210115:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native_web_v20210201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native_web_v20210301:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native_web_v20220301:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native_web_v20220901:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native_web_v20230101:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native_web_v20231201:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild"), pulumi.Alias(type_="azure-native_web_v20240401:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(StaticSiteUserProvidedFunctionAppForStaticSiteBuild, __self__).__init__( 'azure-native:web:StaticSiteUserProvidedFunctionAppForStaticSiteBuild', diff --git a/sdk/python/pulumi_azure_native/web/web_app.py b/sdk/python/pulumi_azure_native/web/web_app.py index 64ba782e7467..7cfea7b6427d 100644 --- a/sdk/python/pulumi_azure_native/web/web_app.py +++ b/sdk/python/pulumi_azure_native/web/web_app.py @@ -1016,7 +1016,7 @@ def _internal_init(__self__, __props__.__dict__["traffic_manager_host_names"] = None __props__.__dict__["type"] = None __props__.__dict__["usage_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebApp"), pulumi.Alias(type_="azure-native:web/v20160801:WebApp"), pulumi.Alias(type_="azure-native:web/v20180201:WebApp"), pulumi.Alias(type_="azure-native:web/v20181101:WebApp"), pulumi.Alias(type_="azure-native:web/v20190801:WebApp"), pulumi.Alias(type_="azure-native:web/v20200601:WebApp"), pulumi.Alias(type_="azure-native:web/v20200901:WebApp"), pulumi.Alias(type_="azure-native:web/v20201001:WebApp"), pulumi.Alias(type_="azure-native:web/v20201201:WebApp"), pulumi.Alias(type_="azure-native:web/v20210101:WebApp"), pulumi.Alias(type_="azure-native:web/v20210115:WebApp"), pulumi.Alias(type_="azure-native:web/v20210201:WebApp"), pulumi.Alias(type_="azure-native:web/v20210301:WebApp"), pulumi.Alias(type_="azure-native:web/v20220301:WebApp"), pulumi.Alias(type_="azure-native:web/v20220901:WebApp"), pulumi.Alias(type_="azure-native:web/v20230101:WebApp"), pulumi.Alias(type_="azure-native:web/v20231201:WebApp"), pulumi.Alias(type_="azure-native:web/v20240401:WebApp")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebApp"), pulumi.Alias(type_="azure-native:web/v20181101:WebApp"), pulumi.Alias(type_="azure-native:web/v20201001:WebApp"), pulumi.Alias(type_="azure-native:web/v20220901:WebApp"), pulumi.Alias(type_="azure-native:web/v20230101:WebApp"), pulumi.Alias(type_="azure-native:web/v20231201:WebApp"), pulumi.Alias(type_="azure-native:web/v20240401:WebApp"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebApp"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebApp")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebApp, __self__).__init__( 'azure-native:web:WebApp', diff --git a/sdk/python/pulumi_azure_native/web/web_app_application_settings.py b/sdk/python/pulumi_azure_native/web/web_app_application_settings.py index cf230296a81f..4eaaa4c83475 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_application_settings.py +++ b/sdk/python/pulumi_azure_native/web/web_app_application_settings.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppApplicationSettings")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppApplicationSettings"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppApplicationSettings")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppApplicationSettings, __self__).__init__( 'azure-native:web:WebAppApplicationSettings', diff --git a/sdk/python/pulumi_azure_native/web/web_app_application_settings_slot.py b/sdk/python/pulumi_azure_native/web/web_app_application_settings_slot.py index 581cb3ad7a88..4e845be76831 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_application_settings_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_application_settings_slot.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["slot"] = slot __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppApplicationSettingsSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppApplicationSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppApplicationSettingsSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppApplicationSettingsSlot, __self__).__init__( 'azure-native:web:WebAppApplicationSettingsSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_auth_settings.py b/sdk/python/pulumi_azure_native/web/web_app_auth_settings.py index cc41ee53e508..9ec2c529c296 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_auth_settings.py +++ b/sdk/python/pulumi_azure_native/web/web_app_auth_settings.py @@ -1058,7 +1058,7 @@ def _internal_init(__self__, __props__.__dict__["validate_issuer"] = validate_issuer __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppAuthSettings")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppAuthSettings"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppAuthSettings"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppAuthSettings")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppAuthSettings, __self__).__init__( 'azure-native:web:WebAppAuthSettings', diff --git a/sdk/python/pulumi_azure_native/web/web_app_auth_settings_slot.py b/sdk/python/pulumi_azure_native/web/web_app_auth_settings_slot.py index a9c8d9252769..79f2aaa42c93 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_auth_settings_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_auth_settings_slot.py @@ -1079,7 +1079,7 @@ def _internal_init(__self__, __props__.__dict__["validate_issuer"] = validate_issuer __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppAuthSettingsSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppAuthSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppAuthSettingsSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppAuthSettingsSlot, __self__).__init__( 'azure-native:web:WebAppAuthSettingsSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_auth_settings_v2.py b/sdk/python/pulumi_azure_native/web/web_app_auth_settings_v2.py index 9ac899150265..146ba7c93ec3 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_auth_settings_v2.py +++ b/sdk/python/pulumi_azure_native/web/web_app_auth_settings_v2.py @@ -244,7 +244,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20200601:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppAuthSettingsV2")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppAuthSettingsV2"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppAuthSettingsV2")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppAuthSettingsV2, __self__).__init__( 'azure-native:web:WebAppAuthSettingsV2', diff --git a/sdk/python/pulumi_azure_native/web/web_app_auth_settings_v2_slot.py b/sdk/python/pulumi_azure_native/web/web_app_auth_settings_v2_slot.py index 7560ac26d3c9..f5ac21eec052 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_auth_settings_v2_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_auth_settings_v2_slot.py @@ -265,7 +265,7 @@ def _internal_init(__self__, __props__.__dict__["slot"] = slot __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20200601:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppAuthSettingsV2Slot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppAuthSettingsV2Slot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppAuthSettingsV2Slot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppAuthSettingsV2Slot, __self__).__init__( 'azure-native:web:WebAppAuthSettingsV2Slot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_azure_storage_accounts.py b/sdk/python/pulumi_azure_native/web/web_app_azure_storage_accounts.py index d91a8778c400..bee06fe8eabf 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_azure_storage_accounts.py +++ b/sdk/python/pulumi_azure_native/web/web_app_azure_storage_accounts.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20180201:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppAzureStorageAccounts")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppAzureStorageAccounts"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppAzureStorageAccounts")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppAzureStorageAccounts, __self__).__init__( 'azure-native:web:WebAppAzureStorageAccounts', diff --git a/sdk/python/pulumi_azure_native/web/web_app_azure_storage_accounts_slot.py b/sdk/python/pulumi_azure_native/web/web_app_azure_storage_accounts_slot.py index 0bea1476f22f..a49de8028a9a 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_azure_storage_accounts_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_azure_storage_accounts_slot.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["slot"] = slot __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20180201:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppAzureStorageAccountsSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppAzureStorageAccountsSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppAzureStorageAccountsSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppAzureStorageAccountsSlot, __self__).__init__( 'azure-native:web:WebAppAzureStorageAccountsSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_backup_configuration.py b/sdk/python/pulumi_azure_native/web/web_app_backup_configuration.py index c3c41b7cb81f..350782f016b3 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_backup_configuration.py +++ b/sdk/python/pulumi_azure_native/web/web_app_backup_configuration.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["storage_account_url"] = storage_account_url __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppBackupConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppBackupConfiguration"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppBackupConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppBackupConfiguration, __self__).__init__( 'azure-native:web:WebAppBackupConfiguration', diff --git a/sdk/python/pulumi_azure_native/web/web_app_backup_configuration_slot.py b/sdk/python/pulumi_azure_native/web/web_app_backup_configuration_slot.py index b4d752b1893b..635502eabdfb 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_backup_configuration_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_backup_configuration_slot.py @@ -266,7 +266,7 @@ def _internal_init(__self__, __props__.__dict__["storage_account_url"] = storage_account_url __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppBackupConfigurationSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppBackupConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppBackupConfigurationSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppBackupConfigurationSlot, __self__).__init__( 'azure-native:web:WebAppBackupConfigurationSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_connection_strings.py b/sdk/python/pulumi_azure_native/web/web_app_connection_strings.py index ee59be531e43..44ce7413b694 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_connection_strings.py +++ b/sdk/python/pulumi_azure_native/web/web_app_connection_strings.py @@ -164,7 +164,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppConnectionStrings")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppConnectionStrings"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppConnectionStrings")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppConnectionStrings, __self__).__init__( 'azure-native:web:WebAppConnectionStrings', diff --git a/sdk/python/pulumi_azure_native/web/web_app_connection_strings_slot.py b/sdk/python/pulumi_azure_native/web/web_app_connection_strings_slot.py index 5bd8c9ecc641..bd9821dcef16 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_connection_strings_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_connection_strings_slot.py @@ -185,7 +185,7 @@ def _internal_init(__self__, __props__.__dict__["slot"] = slot __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppConnectionStringsSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppConnectionStringsSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppConnectionStringsSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppConnectionStringsSlot, __self__).__init__( 'azure-native:web:WebAppConnectionStringsSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_deployment.py b/sdk/python/pulumi_azure_native/web/web_app_deployment.py index f3f2ffc4c7ac..5a9224b387dc 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_deployment.py +++ b/sdk/python/pulumi_azure_native/web/web_app_deployment.py @@ -341,7 +341,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = status __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDeployment")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDeployment"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppDeployment"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppDeployment")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppDeployment, __self__).__init__( 'azure-native:web:WebAppDeployment', diff --git a/sdk/python/pulumi_azure_native/web/web_app_deployment_slot.py b/sdk/python/pulumi_azure_native/web/web_app_deployment_slot.py index 2c3b61ddedf4..5ec0fe425d5f 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_deployment_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_deployment_slot.py @@ -362,7 +362,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = status __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDeploymentSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppDeploymentSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppDeploymentSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppDeploymentSlot, __self__).__init__( 'azure-native:web:WebAppDeploymentSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_diagnostic_logs_configuration.py b/sdk/python/pulumi_azure_native/web/web_app_diagnostic_logs_configuration.py index 7f2cf2c8063f..a601814e84b1 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_diagnostic_logs_configuration.py +++ b/sdk/python/pulumi_azure_native/web/web_app_diagnostic_logs_configuration.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDiagnosticLogsConfiguration")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppDiagnosticLogsConfiguration"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppDiagnosticLogsConfiguration")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppDiagnosticLogsConfiguration, __self__).__init__( 'azure-native:web:WebAppDiagnosticLogsConfiguration', diff --git a/sdk/python/pulumi_azure_native/web/web_app_diagnostic_logs_configuration_slot.py b/sdk/python/pulumi_azure_native/web/web_app_diagnostic_logs_configuration_slot.py index 03c952b95855..f16d35a3a1ff 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_diagnostic_logs_configuration_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_diagnostic_logs_configuration_slot.py @@ -245,7 +245,7 @@ def _internal_init(__self__, __props__.__dict__["slot"] = slot __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDiagnosticLogsConfigurationSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppDiagnosticLogsConfigurationSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppDiagnosticLogsConfigurationSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppDiagnosticLogsConfigurationSlot, __self__).__init__( 'azure-native:web:WebAppDiagnosticLogsConfigurationSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_domain_ownership_identifier.py b/sdk/python/pulumi_azure_native/web/web_app_domain_ownership_identifier.py index d798c5e2eb8c..ddddfb8929a9 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_domain_ownership_identifier.py +++ b/sdk/python/pulumi_azure_native/web/web_app_domain_ownership_identifier.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["value"] = value __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDomainOwnershipIdentifier")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20181101:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppDomainOwnershipIdentifier"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppDomainOwnershipIdentifier")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppDomainOwnershipIdentifier, __self__).__init__( 'azure-native:web:WebAppDomainOwnershipIdentifier', diff --git a/sdk/python/pulumi_azure_native/web/web_app_domain_ownership_identifier_slot.py b/sdk/python/pulumi_azure_native/web/web_app_domain_ownership_identifier_slot.py index 33e3599f4291..191a69fd4418 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_domain_ownership_identifier_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_domain_ownership_identifier_slot.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["value"] = value __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDomainOwnershipIdentifierSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20181101:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppDomainOwnershipIdentifierSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppDomainOwnershipIdentifierSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppDomainOwnershipIdentifierSlot, __self__).__init__( 'azure-native:web:WebAppDomainOwnershipIdentifierSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_ftp_allowed.py b/sdk/python/pulumi_azure_native/web/web_app_ftp_allowed.py index 584a6f3c3dea..da36c6f59ee2 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_ftp_allowed.py +++ b/sdk/python/pulumi_azure_native/web/web_app_ftp_allowed.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20190801:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppFtpAllowed")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20190801:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppFtpAllowed"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppFtpAllowed")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppFtpAllowed, __self__).__init__( 'azure-native:web:WebAppFtpAllowed', diff --git a/sdk/python/pulumi_azure_native/web/web_app_ftp_allowed_slot.py b/sdk/python/pulumi_azure_native/web/web_app_ftp_allowed_slot.py index 0f7b7fd424c8..3b9f07ebe07c 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_ftp_allowed_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_ftp_allowed_slot.py @@ -178,7 +178,7 @@ def _internal_init(__self__, __props__.__dict__["slot"] = slot __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201201:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppFtpAllowedSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201201:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppFtpAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppFtpAllowedSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppFtpAllowedSlot, __self__).__init__( 'azure-native:web:WebAppFtpAllowedSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_function.py b/sdk/python/pulumi_azure_native/web/web_app_function.py index 7493529e2851..f35cb672d38a 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_function.py +++ b/sdk/python/pulumi_azure_native/web/web_app_function.py @@ -421,7 +421,7 @@ def _internal_init(__self__, __props__.__dict__["test_data_href"] = test_data_href __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppFunction")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppFunction"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppFunction"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppFunction")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppFunction, __self__).__init__( 'azure-native:web:WebAppFunction', diff --git a/sdk/python/pulumi_azure_native/web/web_app_host_name_binding.py b/sdk/python/pulumi_azure_native/web/web_app_host_name_binding.py index 66ae7519d637..b08d128a8e02 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_host_name_binding.py +++ b/sdk/python/pulumi_azure_native/web/web_app_host_name_binding.py @@ -323,7 +323,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_ip"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppHostNameBinding")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppHostNameBinding"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppHostNameBinding")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppHostNameBinding, __self__).__init__( 'azure-native:web:WebAppHostNameBinding', diff --git a/sdk/python/pulumi_azure_native/web/web_app_host_name_binding_slot.py b/sdk/python/pulumi_azure_native/web/web_app_host_name_binding_slot.py index 41fde4d100bc..8b200b20839a 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_host_name_binding_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_host_name_binding_slot.py @@ -344,7 +344,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None __props__.__dict__["virtual_ip"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppHostNameBindingSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppHostNameBindingSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppHostNameBindingSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppHostNameBindingSlot, __self__).__init__( 'azure-native:web:WebAppHostNameBindingSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_hybrid_connection.py b/sdk/python/pulumi_azure_native/web/web_app_hybrid_connection.py index debd76787986..7473a0162809 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_hybrid_connection.py +++ b/sdk/python/pulumi_azure_native/web/web_app_hybrid_connection.py @@ -325,7 +325,7 @@ def _internal_init(__self__, __props__.__dict__["service_bus_suffix"] = service_bus_suffix __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppHybridConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppHybridConnection"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppHybridConnection"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppHybridConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppHybridConnection, __self__).__init__( 'azure-native:web:WebAppHybridConnection', diff --git a/sdk/python/pulumi_azure_native/web/web_app_hybrid_connection_slot.py b/sdk/python/pulumi_azure_native/web/web_app_hybrid_connection_slot.py index a54ba81eca49..3ca274cd42ea 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_hybrid_connection_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_hybrid_connection_slot.py @@ -346,7 +346,7 @@ def _internal_init(__self__, __props__.__dict__["slot"] = slot __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppHybridConnectionSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppHybridConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppHybridConnectionSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppHybridConnectionSlot, __self__).__init__( 'azure-native:web:WebAppHybridConnectionSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_instance_function_slot.py b/sdk/python/pulumi_azure_native/web/web_app_instance_function_slot.py index 0cda77c76c0e..1c34c1007d90 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_instance_function_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_instance_function_slot.py @@ -442,7 +442,7 @@ def _internal_init(__self__, __props__.__dict__["test_data_href"] = test_data_href __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppInstanceFunctionSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppInstanceFunctionSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppInstanceFunctionSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppInstanceFunctionSlot, __self__).__init__( 'azure-native:web:WebAppInstanceFunctionSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_metadata.py b/sdk/python/pulumi_azure_native/web/web_app_metadata.py index a075a8d8ecf6..ca0940abe98b 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_metadata.py +++ b/sdk/python/pulumi_azure_native/web/web_app_metadata.py @@ -161,7 +161,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppMetadata")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppMetadata"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppMetadata"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppMetadata")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppMetadata, __self__).__init__( 'azure-native:web:WebAppMetadata', diff --git a/sdk/python/pulumi_azure_native/web/web_app_metadata_slot.py b/sdk/python/pulumi_azure_native/web/web_app_metadata_slot.py index bd2ee465ee94..717ad5635bc8 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_metadata_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_metadata_slot.py @@ -182,7 +182,7 @@ def _internal_init(__self__, __props__.__dict__["slot"] = slot __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppMetadataSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppMetadataSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppMetadataSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppMetadataSlot, __self__).__init__( 'azure-native:web:WebAppMetadataSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_premier_add_on.py b/sdk/python/pulumi_azure_native/web/web_app_premier_add_on.py index 16cf11288476..556001e3098b 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_premier_add_on.py +++ b/sdk/python/pulumi_azure_native/web/web_app_premier_add_on.py @@ -301,7 +301,7 @@ def _internal_init(__self__, __props__.__dict__["vendor"] = vendor __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPremierAddOn")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppPremierAddOn"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppPremierAddOn")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppPremierAddOn, __self__).__init__( 'azure-native:web:WebAppPremierAddOn', diff --git a/sdk/python/pulumi_azure_native/web/web_app_premier_add_on_slot.py b/sdk/python/pulumi_azure_native/web/web_app_premier_add_on_slot.py index fd4e1bd63c27..701616939bd7 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_premier_add_on_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_premier_add_on_slot.py @@ -322,7 +322,7 @@ def _internal_init(__self__, __props__.__dict__["vendor"] = vendor __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPremierAddOnSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppPremierAddOnSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppPremierAddOnSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppPremierAddOnSlot, __self__).__init__( 'azure-native:web:WebAppPremierAddOnSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/web/web_app_private_endpoint_connection.py index cb9d08739a71..e20aab93635b 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/web/web_app_private_endpoint_connection.py @@ -200,7 +200,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20190801:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppPrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppPrivateEndpointConnection, __self__).__init__( 'azure-native:web:WebAppPrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/web/web_app_private_endpoint_connection_slot.py b/sdk/python/pulumi_azure_native/web/web_app_private_endpoint_connection_slot.py index 39f3fc823594..0cb1bf5132fd 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_private_endpoint_connection_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_private_endpoint_connection_slot.py @@ -216,7 +216,7 @@ def _internal_init(__self__, __props__.__dict__["private_endpoint"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201201:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPrivateEndpointConnectionSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20220901:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppPrivateEndpointConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppPrivateEndpointConnectionSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppPrivateEndpointConnectionSlot, __self__).__init__( 'azure-native:web:WebAppPrivateEndpointConnectionSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_public_certificate.py b/sdk/python/pulumi_azure_native/web/web_app_public_certificate.py index 0a8dc9e8490a..a7d1ba64cd8c 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_public_certificate.py +++ b/sdk/python/pulumi_azure_native/web/web_app_public_certificate.py @@ -203,7 +203,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["thumbprint"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPublicCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppPublicCertificate"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppPublicCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppPublicCertificate, __self__).__init__( 'azure-native:web:WebAppPublicCertificate', diff --git a/sdk/python/pulumi_azure_native/web/web_app_public_certificate_slot.py b/sdk/python/pulumi_azure_native/web/web_app_public_certificate_slot.py index 8eb941e0eb39..641995192c68 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_public_certificate_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_public_certificate_slot.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["azure_api_version"] = None __props__.__dict__["thumbprint"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPublicCertificateSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppPublicCertificateSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppPublicCertificateSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppPublicCertificateSlot, __self__).__init__( 'azure-native:web:WebAppPublicCertificateSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_relay_service_connection.py b/sdk/python/pulumi_azure_native/web/web_app_relay_service_connection.py index d799c2110676..efdd75c6a64a 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_relay_service_connection.py +++ b/sdk/python/pulumi_azure_native/web/web_app_relay_service_connection.py @@ -246,7 +246,7 @@ def _internal_init(__self__, __props__.__dict__["resource_type"] = resource_type __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppRelayServiceConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppRelayServiceConnection"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppRelayServiceConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppRelayServiceConnection, __self__).__init__( 'azure-native:web:WebAppRelayServiceConnection', diff --git a/sdk/python/pulumi_azure_native/web/web_app_relay_service_connection_slot.py b/sdk/python/pulumi_azure_native/web/web_app_relay_service_connection_slot.py index 127170355318..7a8b29c1a322 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_relay_service_connection_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_relay_service_connection_slot.py @@ -267,7 +267,7 @@ def _internal_init(__self__, __props__.__dict__["slot"] = slot __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppRelayServiceConnectionSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppRelayServiceConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppRelayServiceConnectionSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppRelayServiceConnectionSlot, __self__).__init__( 'azure-native:web:WebAppRelayServiceConnectionSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_scm_allowed.py b/sdk/python/pulumi_azure_native/web/web_app_scm_allowed.py index 75fa36e2b95f..932ebacc4a73 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_scm_allowed.py +++ b/sdk/python/pulumi_azure_native/web/web_app_scm_allowed.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20190801:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppScmAllowed")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20190801:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppScmAllowed"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppScmAllowed"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppScmAllowed")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppScmAllowed, __self__).__init__( 'azure-native:web:WebAppScmAllowed', diff --git a/sdk/python/pulumi_azure_native/web/web_app_scm_allowed_slot.py b/sdk/python/pulumi_azure_native/web/web_app_scm_allowed_slot.py index a9549b9ea12f..e7bb728b9300 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_scm_allowed_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_scm_allowed_slot.py @@ -178,7 +178,7 @@ def _internal_init(__self__, __props__.__dict__["slot"] = slot __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201201:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppScmAllowedSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201201:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppScmAllowedSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppScmAllowedSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppScmAllowedSlot, __self__).__init__( 'azure-native:web:WebAppScmAllowedSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_site_container.py b/sdk/python/pulumi_azure_native/web/web_app_site_container.py index 92dceb6bb07b..aa512af8a2c9 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_site_container.py +++ b/sdk/python/pulumi_azure_native/web/web_app_site_container.py @@ -368,7 +368,7 @@ def _internal_init(__self__, __props__.__dict__["created_time"] = None __props__.__dict__["last_modified_time"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20231201:WebAppSiteContainer"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSiteContainer")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20231201:WebAppSiteContainer"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSiteContainer"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSiteContainer"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSiteContainer")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSiteContainer, __self__).__init__( 'azure-native:web:WebAppSiteContainer', diff --git a/sdk/python/pulumi_azure_native/web/web_app_site_container_slot.py b/sdk/python/pulumi_azure_native/web/web_app_site_container_slot.py index d3f198fd5345..2c47f264bb07 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_site_container_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_site_container_slot.py @@ -389,7 +389,7 @@ def _internal_init(__self__, __props__.__dict__["created_time"] = None __props__.__dict__["last_modified_time"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20231201:WebAppSiteContainerSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSiteContainerSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20231201:WebAppSiteContainerSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSiteContainerSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSiteContainerSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSiteContainerSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSiteContainerSlot, __self__).__init__( 'azure-native:web:WebAppSiteContainerSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_site_extension.py b/sdk/python/pulumi_azure_native/web/web_app_site_extension.py index 7485ca417733..73e19889dbee 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_site_extension.py +++ b/sdk/python/pulumi_azure_native/web/web_app_site_extension.py @@ -162,7 +162,7 @@ def _internal_init(__self__, __props__.__dict__["title"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSiteExtension")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSiteExtension"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSiteExtension"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSiteExtension")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSiteExtension, __self__).__init__( 'azure-native:web:WebAppSiteExtension', diff --git a/sdk/python/pulumi_azure_native/web/web_app_site_extension_slot.py b/sdk/python/pulumi_azure_native/web/web_app_site_extension_slot.py index 6f7d22d8f620..032435744b0c 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_site_extension_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_site_extension_slot.py @@ -183,7 +183,7 @@ def _internal_init(__self__, __props__.__dict__["title"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSiteExtensionSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSiteExtensionSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSiteExtensionSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSiteExtensionSlot, __self__).__init__( 'azure-native:web:WebAppSiteExtensionSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_site_push_settings.py b/sdk/python/pulumi_azure_native/web/web_app_site_push_settings.py index 5ff22aebae14..3c4c44c68c10 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_site_push_settings.py +++ b/sdk/python/pulumi_azure_native/web/web_app_site_push_settings.py @@ -231,7 +231,7 @@ def _internal_init(__self__, __props__.__dict__["tags_requiring_auth"] = tags_requiring_auth __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSitePushSettings")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSitePushSettings"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSitePushSettings")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSitePushSettings, __self__).__init__( 'azure-native:web:WebAppSitePushSettings', diff --git a/sdk/python/pulumi_azure_native/web/web_app_site_push_settings_slot.py b/sdk/python/pulumi_azure_native/web/web_app_site_push_settings_slot.py index 53b88792daf4..2479bb24a835 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_site_push_settings_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_site_push_settings_slot.py @@ -252,7 +252,7 @@ def _internal_init(__self__, __props__.__dict__["tags_requiring_auth"] = tags_requiring_auth __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSitePushSettingsSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSitePushSettingsSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSitePushSettingsSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSitePushSettingsSlot, __self__).__init__( 'azure-native:web:WebAppSitePushSettingsSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_slot.py b/sdk/python/pulumi_azure_native/web/web_app_slot.py index 3d190eff5ce3..21029c4848d8 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_slot.py @@ -1037,7 +1037,7 @@ def _internal_init(__self__, __props__.__dict__["traffic_manager_host_names"] = None __props__.__dict__["type"] = None __props__.__dict__["usage_state"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20160801:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSlot, __self__).__init__( 'azure-native:web:WebAppSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_slot_configuration_names.py b/sdk/python/pulumi_azure_native/web/web_app_slot_configuration_names.py index cf6eca620c0d..cf7ce096b63a 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_slot_configuration_names.py +++ b/sdk/python/pulumi_azure_native/web/web_app_slot_configuration_names.py @@ -201,7 +201,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSlotConfigurationNames")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSlotConfigurationNames"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSlotConfigurationNames")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSlotConfigurationNames, __self__).__init__( 'azure-native:web:WebAppSlotConfigurationNames', diff --git a/sdk/python/pulumi_azure_native/web/web_app_source_control.py b/sdk/python/pulumi_azure_native/web/web_app_source_control.py index bdc246946e09..5e999b62f684 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_source_control.py +++ b/sdk/python/pulumi_azure_native/web/web_app_source_control.py @@ -283,7 +283,7 @@ def _internal_init(__self__, __props__.__dict__["resource_group_name"] = resource_group_name __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSourceControl")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSourceControl"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSourceControl"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSourceControl")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSourceControl, __self__).__init__( 'azure-native:web:WebAppSourceControl', diff --git a/sdk/python/pulumi_azure_native/web/web_app_source_control_slot.py b/sdk/python/pulumi_azure_native/web/web_app_source_control_slot.py index eacfbbe708dc..ffe48a1e5f7d 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_source_control_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_source_control_slot.py @@ -304,7 +304,7 @@ def _internal_init(__self__, __props__.__dict__["slot"] = slot __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSourceControlSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSourceControlSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSourceControlSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSourceControlSlot, __self__).__init__( 'azure-native:web:WebAppSourceControlSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_swift_virtual_network_connection.py b/sdk/python/pulumi_azure_native/web/web_app_swift_virtual_network_connection.py index 0eb8fc0476a1..9047aaf31e15 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_swift_virtual_network_connection.py +++ b/sdk/python/pulumi_azure_native/web/web_app_swift_virtual_network_connection.py @@ -181,7 +181,7 @@ def _internal_init(__self__, __props__.__dict__["swift_supported"] = swift_supported __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20180201:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSwiftVirtualNetworkConnection"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSwiftVirtualNetworkConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSwiftVirtualNetworkConnection, __self__).__init__( 'azure-native:web:WebAppSwiftVirtualNetworkConnection', diff --git a/sdk/python/pulumi_azure_native/web/web_app_swift_virtual_network_connection_slot.py b/sdk/python/pulumi_azure_native/web/web_app_swift_virtual_network_connection_slot.py index d0e37f215781..a4cac569eba6 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_swift_virtual_network_connection_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_swift_virtual_network_connection_slot.py @@ -202,7 +202,7 @@ def _internal_init(__self__, __props__.__dict__["swift_supported"] = swift_supported __props__.__dict__["azure_api_version"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20180201:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnectionSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppSwiftVirtualNetworkConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppSwiftVirtualNetworkConnectionSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppSwiftVirtualNetworkConnectionSlot, __self__).__init__( 'azure-native:web:WebAppSwiftVirtualNetworkConnectionSlot', diff --git a/sdk/python/pulumi_azure_native/web/web_app_vnet_connection.py b/sdk/python/pulumi_azure_native/web/web_app_vnet_connection.py index 541653b9829c..d7ed87520a33 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_vnet_connection.py +++ b/sdk/python/pulumi_azure_native/web/web_app_vnet_connection.py @@ -248,7 +248,7 @@ def _internal_init(__self__, __props__.__dict__["resync_required"] = None __props__.__dict__["routes"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppVnetConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppVnetConnection"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppVnetConnection"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppVnetConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppVnetConnection, __self__).__init__( 'azure-native:web:WebAppVnetConnection', diff --git a/sdk/python/pulumi_azure_native/web/web_app_vnet_connection_slot.py b/sdk/python/pulumi_azure_native/web/web_app_vnet_connection_slot.py index bf8014c73f63..7cc0ac077f3f 100644 --- a/sdk/python/pulumi_azure_native/web/web_app_vnet_connection_slot.py +++ b/sdk/python/pulumi_azure_native/web/web_app_vnet_connection_slot.py @@ -269,7 +269,7 @@ def _internal_init(__self__, __props__.__dict__["resync_required"] = None __props__.__dict__["routes"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20150801:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20160801:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20180201:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20181101:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20190801:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20200601:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20200901:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20201001:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20201201:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210101:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210115:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210201:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20210301:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220301:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppVnetConnectionSlot")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:web/v20201001:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20220901:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20230101:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20231201:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native:web/v20240401:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20150801:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20160801:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20180201:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20181101:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20190801:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20200601:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20200901:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20201001:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20201201:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210101:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210115:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210201:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20210301:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20220301:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20220901:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20230101:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20231201:web:WebAppVnetConnectionSlot"), pulumi.Alias(type_="azure-native_web_v20240401:web:WebAppVnetConnectionSlot")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebAppVnetConnectionSlot, __self__).__init__( 'azure-native:web:WebAppVnetConnectionSlot', diff --git a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub.py b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub.py index 3c1d29f96467..67dbcbb995e6 100644 --- a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub.py +++ b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub.py @@ -484,7 +484,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["version"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20210401preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20210601preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20210901preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20211001:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20220801preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSub")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20210401preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20210601preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20210901preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSub"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20210401preview:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20210601preview:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20210901preview:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20211001:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20220801preview:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20230201:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20230301preview:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20230601preview:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20230801preview:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20240101preview:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20240301:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20240401preview:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20240801preview:webpubsub:WebPubSub"), pulumi.Alias(type_="azure-native_webpubsub_v20241001preview:webpubsub:WebPubSub")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebPubSub, __self__).__init__( 'azure-native:webpubsub:WebPubSub', diff --git a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_custom_certificate.py b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_custom_certificate.py index f4516b978357..ceed0cb7036b 100644 --- a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_custom_certificate.py +++ b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_custom_certificate.py @@ -207,7 +207,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20220801preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubCustomCertificate")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native_webpubsub_v20230201:webpubsub:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native_webpubsub_v20240301:webpubsub:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubCustomCertificate"), pulumi.Alias(type_="azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubCustomCertificate")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebPubSubCustomCertificate, __self__).__init__( 'azure-native:webpubsub:WebPubSubCustomCertificate', diff --git a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_custom_domain.py b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_custom_domain.py index 2ac7eecc8408..77611e8665da 100644 --- a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_custom_domain.py +++ b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_custom_domain.py @@ -187,7 +187,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20220801preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubCustomDomain")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native_webpubsub_v20230201:webpubsub:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native_webpubsub_v20240301:webpubsub:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubCustomDomain"), pulumi.Alias(type_="azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubCustomDomain")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebPubSubCustomDomain, __self__).__init__( 'azure-native:webpubsub:WebPubSubCustomDomain', diff --git a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_hub.py b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_hub.py index 6bd6cfbc96ce..17e2f9d5e8e0 100644 --- a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_hub.py +++ b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_hub.py @@ -167,7 +167,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20211001:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20220801preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubHub")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubHub"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubHub"), pulumi.Alias(type_="azure-native_webpubsub_v20211001:webpubsub:WebPubSubHub"), pulumi.Alias(type_="azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubHub"), pulumi.Alias(type_="azure-native_webpubsub_v20230201:webpubsub:WebPubSubHub"), pulumi.Alias(type_="azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubHub"), pulumi.Alias(type_="azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubHub"), pulumi.Alias(type_="azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubHub"), pulumi.Alias(type_="azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubHub"), pulumi.Alias(type_="azure-native_webpubsub_v20240301:webpubsub:WebPubSubHub"), pulumi.Alias(type_="azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubHub"), pulumi.Alias(type_="azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubHub"), pulumi.Alias(type_="azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubHub")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebPubSubHub, __self__).__init__( 'azure-native:webpubsub:WebPubSubHub', diff --git a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_private_endpoint_connection.py b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_private_endpoint_connection.py index 72462108f6e2..9a05c104b7f2 100644 --- a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_private_endpoint_connection.py +++ b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_private_endpoint_connection.py @@ -188,7 +188,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20210401preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20210601preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20210901preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20211001:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20220801preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubPrivateEndpointConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20210401preview:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20210601preview:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20210901preview:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20211001:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20230201:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20240301:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubPrivateEndpointConnection"), pulumi.Alias(type_="azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubPrivateEndpointConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebPubSubPrivateEndpointConnection, __self__).__init__( 'azure-native:webpubsub:WebPubSubPrivateEndpointConnection', diff --git a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_replica.py b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_replica.py index 8fcaa09a2799..ec12bcc9d24b 100644 --- a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_replica.py +++ b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_replica.py @@ -264,7 +264,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubReplica")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubReplica"), pulumi.Alias(type_="azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubReplica"), pulumi.Alias(type_="azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubReplica"), pulumi.Alias(type_="azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubReplica"), pulumi.Alias(type_="azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubReplica"), pulumi.Alias(type_="azure-native_webpubsub_v20240301:webpubsub:WebPubSubReplica"), pulumi.Alias(type_="azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubReplica"), pulumi.Alias(type_="azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubReplica"), pulumi.Alias(type_="azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubReplica")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebPubSubReplica, __self__).__init__( 'azure-native:webpubsub:WebPubSubReplica', diff --git a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_shared_private_link_resource.py b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_shared_private_link_resource.py index e8eda0c4c60f..221fd04d1181 100644 --- a/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_shared_private_link_resource.py +++ b/sdk/python/pulumi_azure_native/webpubsub/web_pub_sub_shared_private_link_resource.py @@ -208,7 +208,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20210401preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20210601preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20210901preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20211001:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20220801preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubSharedPrivateLinkResource")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:webpubsub/v20230201:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20230301preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20230601preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20230801preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20240101preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20240301:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20240401preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20240801preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native:webpubsub/v20241001preview:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20210401preview:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20210601preview:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20210901preview:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20211001:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20220801preview:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20230201:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20230301preview:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20230601preview:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20230801preview:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20240101preview:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20240301:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20240401preview:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20240801preview:webpubsub:WebPubSubSharedPrivateLinkResource"), pulumi.Alias(type_="azure-native_webpubsub_v20241001preview:webpubsub:WebPubSubSharedPrivateLinkResource")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(WebPubSubSharedPrivateLinkResource, __self__).__init__( 'azure-native:webpubsub:WebPubSubSharedPrivateLinkResource', diff --git a/sdk/python/pulumi_azure_native/weightsandbiases/instance.py b/sdk/python/pulumi_azure_native/weightsandbiases/instance.py index ad506ee759b0..3590cac1a53a 100644 --- a/sdk/python/pulumi_azure_native/weightsandbiases/instance.py +++ b/sdk/python/pulumi_azure_native/weightsandbiases/instance.py @@ -201,7 +201,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:weightsandbiases/v20240918preview:Instance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native_weightsandbiases_v20240918preview:weightsandbiases:Instance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Instance, __self__).__init__( 'azure-native:weightsandbiases:Instance', diff --git a/sdk/python/pulumi_azure_native/windowsesu/multiple_activation_key.py b/sdk/python/pulumi_azure_native/windowsesu/multiple_activation_key.py index cf41f3992b26..d57ecc6e80a8 100644 --- a/sdk/python/pulumi_azure_native/windowsesu/multiple_activation_key.py +++ b/sdk/python/pulumi_azure_native/windowsesu/multiple_activation_key.py @@ -265,7 +265,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["provisioning_state"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:windowsesu/v20190916preview:MultipleActivationKey")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:windowsesu/v20190916preview:MultipleActivationKey"), pulumi.Alias(type_="azure-native_windowsesu_v20190916preview:windowsesu:MultipleActivationKey")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(MultipleActivationKey, __self__).__init__( 'azure-native:windowsesu:MultipleActivationKey', diff --git a/sdk/python/pulumi_azure_native/windowsiot/service.py b/sdk/python/pulumi_azure_native/windowsiot/service.py index 2d8c951ae4ed..8bdc66f1498e 100644 --- a/sdk/python/pulumi_azure_native/windowsiot/service.py +++ b/sdk/python/pulumi_azure_native/windowsiot/service.py @@ -239,7 +239,7 @@ def _internal_init(__self__, __props__.__dict__["name"] = None __props__.__dict__["start_date"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:windowsiot/v20180216preview:Service"), pulumi.Alias(type_="azure-native:windowsiot/v20190601:Service")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:windowsiot/v20190601:Service"), pulumi.Alias(type_="azure-native_windowsiot_v20180216preview:windowsiot:Service"), pulumi.Alias(type_="azure-native_windowsiot_v20190601:windowsiot:Service")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Service, __self__).__init__( 'azure-native:windowsiot:Service', diff --git a/sdk/python/pulumi_azure_native/workloads/acss_backup_connection.py b/sdk/python/pulumi_azure_native/workloads/acss_backup_connection.py index 2bb89e9a2464..cf5c06a756b2 100644 --- a/sdk/python/pulumi_azure_native/workloads/acss_backup_connection.py +++ b/sdk/python/pulumi_azure_native/workloads/acss_backup_connection.py @@ -204,7 +204,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20231001preview:ACSSBackupConnection")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20231001preview:ACSSBackupConnection"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:ACSSBackupConnection")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ACSSBackupConnection, __self__).__init__( 'azure-native:workloads:ACSSBackupConnection', diff --git a/sdk/python/pulumi_azure_native/workloads/alert.py b/sdk/python/pulumi_azure_native/workloads/alert.py index 212b425e1b7f..bf3e6b30e6c4 100644 --- a/sdk/python/pulumi_azure_native/workloads/alert.py +++ b/sdk/python/pulumi_azure_native/workloads/alert.py @@ -225,7 +225,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20240201preview:Alert")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20240201preview:Alert"), pulumi.Alias(type_="azure-native_workloads_v20240201preview:workloads:Alert")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Alert, __self__).__init__( 'azure-native:workloads:Alert', diff --git a/sdk/python/pulumi_azure_native/workloads/connector.py b/sdk/python/pulumi_azure_native/workloads/connector.py index 09d678d6add6..d89b3650579c 100644 --- a/sdk/python/pulumi_azure_native/workloads/connector.py +++ b/sdk/python/pulumi_azure_native/workloads/connector.py @@ -224,7 +224,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20231001preview:Connector")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20231001preview:Connector"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:Connector")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Connector, __self__).__init__( 'azure-native:workloads:Connector', diff --git a/sdk/python/pulumi_azure_native/workloads/monitor.py b/sdk/python/pulumi_azure_native/workloads/monitor.py index 138f1cdb75a3..2a17f3fb26d0 100644 --- a/sdk/python/pulumi_azure_native/workloads/monitor.py +++ b/sdk/python/pulumi_azure_native/workloads/monitor.py @@ -329,7 +329,7 @@ def _internal_init(__self__, __props__.__dict__["storage_account_arm_id"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20211201preview:Monitor"), pulumi.Alias(type_="azure-native:workloads/v20221101preview:Monitor"), pulumi.Alias(type_="azure-native:workloads/v20230401:Monitor"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:Monitor"), pulumi.Alias(type_="azure-native:workloads/v20231201preview:Monitor"), pulumi.Alias(type_="azure-native:workloads/v20240201preview:Monitor")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20230401:Monitor"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:Monitor"), pulumi.Alias(type_="azure-native:workloads/v20231201preview:Monitor"), pulumi.Alias(type_="azure-native:workloads/v20240201preview:Monitor"), pulumi.Alias(type_="azure-native_workloads_v20211201preview:workloads:Monitor"), pulumi.Alias(type_="azure-native_workloads_v20221101preview:workloads:Monitor"), pulumi.Alias(type_="azure-native_workloads_v20230401:workloads:Monitor"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:Monitor"), pulumi.Alias(type_="azure-native_workloads_v20231201preview:workloads:Monitor"), pulumi.Alias(type_="azure-native_workloads_v20240201preview:workloads:Monitor")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(Monitor, __self__).__init__( 'azure-native:workloads:Monitor', diff --git a/sdk/python/pulumi_azure_native/workloads/provider_instance.py b/sdk/python/pulumi_azure_native/workloads/provider_instance.py index 5f6bd7dfa297..0ca054b6df9f 100644 --- a/sdk/python/pulumi_azure_native/workloads/provider_instance.py +++ b/sdk/python/pulumi_azure_native/workloads/provider_instance.py @@ -169,7 +169,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20211201preview:ProviderInstance"), pulumi.Alias(type_="azure-native:workloads/v20221101preview:ProviderInstance"), pulumi.Alias(type_="azure-native:workloads/v20230401:ProviderInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:ProviderInstance"), pulumi.Alias(type_="azure-native:workloads/v20231201preview:ProviderInstance"), pulumi.Alias(type_="azure-native:workloads/v20240201preview:ProviderInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20230401:ProviderInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:ProviderInstance"), pulumi.Alias(type_="azure-native:workloads/v20231201preview:ProviderInstance"), pulumi.Alias(type_="azure-native:workloads/v20240201preview:ProviderInstance"), pulumi.Alias(type_="azure-native_workloads_v20211201preview:workloads:ProviderInstance"), pulumi.Alias(type_="azure-native_workloads_v20221101preview:workloads:ProviderInstance"), pulumi.Alias(type_="azure-native_workloads_v20230401:workloads:ProviderInstance"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:ProviderInstance"), pulumi.Alias(type_="azure-native_workloads_v20231201preview:workloads:ProviderInstance"), pulumi.Alias(type_="azure-native_workloads_v20240201preview:workloads:ProviderInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ProviderInstance, __self__).__init__( 'azure-native:workloads:ProviderInstance', diff --git a/sdk/python/pulumi_azure_native/workloads/sap_application_server_instance.py b/sdk/python/pulumi_azure_native/workloads/sap_application_server_instance.py index dcebb2b8bf57..bc1b910990dc 100644 --- a/sdk/python/pulumi_azure_native/workloads/sap_application_server_instance.py +++ b/sdk/python/pulumi_azure_native/workloads/sap_application_server_instance.py @@ -196,7 +196,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["vm_details"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20211201preview:SAPApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20211201preview:SapApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20221101preview:SapApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20230401:SAPApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20230401:SapApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SAPApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SapApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20240901:SapApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads:SAPApplicationServerInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20211201preview:SAPApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20230401:SAPApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SAPApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20240901:SapApplicationServerInstance"), pulumi.Alias(type_="azure-native:workloads:SAPApplicationServerInstance"), pulumi.Alias(type_="azure-native_workloads_v20211201preview:workloads:SapApplicationServerInstance"), pulumi.Alias(type_="azure-native_workloads_v20221101preview:workloads:SapApplicationServerInstance"), pulumi.Alias(type_="azure-native_workloads_v20230401:workloads:SapApplicationServerInstance"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:SapApplicationServerInstance"), pulumi.Alias(type_="azure-native_workloads_v20240901:workloads:SapApplicationServerInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SapApplicationServerInstance, __self__).__init__( 'azure-native:workloads:SapApplicationServerInstance', diff --git a/sdk/python/pulumi_azure_native/workloads/sap_central_server_instance.py b/sdk/python/pulumi_azure_native/workloads/sap_central_server_instance.py index bc31a96a96e1..a474a7ad26a9 100644 --- a/sdk/python/pulumi_azure_native/workloads/sap_central_server_instance.py +++ b/sdk/python/pulumi_azure_native/workloads/sap_central_server_instance.py @@ -194,7 +194,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["vm_details"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20211201preview:SapCentralServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20221101preview:SapCentralServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20230401:SAPCentralInstance"), pulumi.Alias(type_="azure-native:workloads/v20230401:SapCentralServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SAPCentralInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SapCentralServerInstance"), pulumi.Alias(type_="azure-native:workloads/v20240901:SapCentralServerInstance"), pulumi.Alias(type_="azure-native:workloads:SAPCentralInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20230401:SAPCentralInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SAPCentralInstance"), pulumi.Alias(type_="azure-native:workloads/v20240901:SapCentralServerInstance"), pulumi.Alias(type_="azure-native:workloads:SAPCentralInstance"), pulumi.Alias(type_="azure-native_workloads_v20211201preview:workloads:SapCentralServerInstance"), pulumi.Alias(type_="azure-native_workloads_v20221101preview:workloads:SapCentralServerInstance"), pulumi.Alias(type_="azure-native_workloads_v20230401:workloads:SapCentralServerInstance"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:SapCentralServerInstance"), pulumi.Alias(type_="azure-native_workloads_v20240901:workloads:SapCentralServerInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SapCentralServerInstance, __self__).__init__( 'azure-native:workloads:SapCentralServerInstance', diff --git a/sdk/python/pulumi_azure_native/workloads/sap_database_instance.py b/sdk/python/pulumi_azure_native/workloads/sap_database_instance.py index 5260ed9a51b4..6ac7d39a12fe 100644 --- a/sdk/python/pulumi_azure_native/workloads/sap_database_instance.py +++ b/sdk/python/pulumi_azure_native/workloads/sap_database_instance.py @@ -189,7 +189,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None __props__.__dict__["vm_details"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20211201preview:SapDatabaseInstance"), pulumi.Alias(type_="azure-native:workloads/v20221101preview:SapDatabaseInstance"), pulumi.Alias(type_="azure-native:workloads/v20230401:SAPDatabaseInstance"), pulumi.Alias(type_="azure-native:workloads/v20230401:SapDatabaseInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SAPDatabaseInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SapDatabaseInstance"), pulumi.Alias(type_="azure-native:workloads/v20240901:SapDatabaseInstance"), pulumi.Alias(type_="azure-native:workloads:SAPDatabaseInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20230401:SAPDatabaseInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SAPDatabaseInstance"), pulumi.Alias(type_="azure-native:workloads/v20240901:SapDatabaseInstance"), pulumi.Alias(type_="azure-native:workloads:SAPDatabaseInstance"), pulumi.Alias(type_="azure-native_workloads_v20211201preview:workloads:SapDatabaseInstance"), pulumi.Alias(type_="azure-native_workloads_v20221101preview:workloads:SapDatabaseInstance"), pulumi.Alias(type_="azure-native_workloads_v20230401:workloads:SapDatabaseInstance"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:SapDatabaseInstance"), pulumi.Alias(type_="azure-native_workloads_v20240901:workloads:SapDatabaseInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SapDatabaseInstance, __self__).__init__( 'azure-native:workloads:SapDatabaseInstance', diff --git a/sdk/python/pulumi_azure_native/workloads/sap_discovery_site.py b/sdk/python/pulumi_azure_native/workloads/sap_discovery_site.py index 51a7b6888166..0136b6f7c85a 100644 --- a/sdk/python/pulumi_azure_native/workloads/sap_discovery_site.py +++ b/sdk/python/pulumi_azure_native/workloads/sap_discovery_site.py @@ -222,7 +222,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20231001preview:SapDiscoverySite")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20231001preview:SapDiscoverySite"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:SapDiscoverySite")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SapDiscoverySite, __self__).__init__( 'azure-native:workloads:SapDiscoverySite', diff --git a/sdk/python/pulumi_azure_native/workloads/sap_instance.py b/sdk/python/pulumi_azure_native/workloads/sap_instance.py index 457db6defbf9..b0fe9babcd55 100644 --- a/sdk/python/pulumi_azure_native/workloads/sap_instance.py +++ b/sdk/python/pulumi_azure_native/workloads/sap_instance.py @@ -186,7 +186,7 @@ def _internal_init(__self__, __props__.__dict__["system_data"] = None __props__.__dict__["system_sid"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20231001preview:SapInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20231001preview:SapInstance"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:SapInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SapInstance, __self__).__init__( 'azure-native:workloads:SapInstance', diff --git a/sdk/python/pulumi_azure_native/workloads/sap_landscape_monitor.py b/sdk/python/pulumi_azure_native/workloads/sap_landscape_monitor.py index 60418d8c5593..a34dc55e7960 100644 --- a/sdk/python/pulumi_azure_native/workloads/sap_landscape_monitor.py +++ b/sdk/python/pulumi_azure_native/workloads/sap_landscape_monitor.py @@ -166,7 +166,7 @@ def _internal_init(__self__, __props__.__dict__["provisioning_state"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20221101preview:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native:workloads/v20230401:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native:workloads/v20231201preview:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native:workloads/v20240201preview:SapLandscapeMonitor")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20230401:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native:workloads/v20231201preview:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native:workloads/v20240201preview:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native_workloads_v20221101preview:workloads:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native_workloads_v20230401:workloads:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native_workloads_v20231201preview:workloads:SapLandscapeMonitor"), pulumi.Alias(type_="azure-native_workloads_v20240201preview:workloads:SapLandscapeMonitor")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SapLandscapeMonitor, __self__).__init__( 'azure-native:workloads:SapLandscapeMonitor', diff --git a/sdk/python/pulumi_azure_native/workloads/sap_virtual_instance.py b/sdk/python/pulumi_azure_native/workloads/sap_virtual_instance.py index fe5f0fefbe12..afb227125005 100644 --- a/sdk/python/pulumi_azure_native/workloads/sap_virtual_instance.py +++ b/sdk/python/pulumi_azure_native/workloads/sap_virtual_instance.py @@ -289,7 +289,7 @@ def _internal_init(__self__, __props__.__dict__["status"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20211201preview:SapVirtualInstance"), pulumi.Alias(type_="azure-native:workloads/v20221101preview:SapVirtualInstance"), pulumi.Alias(type_="azure-native:workloads/v20230401:SAPVirtualInstance"), pulumi.Alias(type_="azure-native:workloads/v20230401:SapVirtualInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SAPVirtualInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SapVirtualInstance"), pulumi.Alias(type_="azure-native:workloads/v20240901:SapVirtualInstance"), pulumi.Alias(type_="azure-native:workloads:SAPVirtualInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20230401:SAPVirtualInstance"), pulumi.Alias(type_="azure-native:workloads/v20231001preview:SAPVirtualInstance"), pulumi.Alias(type_="azure-native:workloads/v20240901:SapVirtualInstance"), pulumi.Alias(type_="azure-native:workloads:SAPVirtualInstance"), pulumi.Alias(type_="azure-native_workloads_v20211201preview:workloads:SapVirtualInstance"), pulumi.Alias(type_="azure-native_workloads_v20221101preview:workloads:SapVirtualInstance"), pulumi.Alias(type_="azure-native_workloads_v20230401:workloads:SapVirtualInstance"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:SapVirtualInstance"), pulumi.Alias(type_="azure-native_workloads_v20240901:workloads:SapVirtualInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(SapVirtualInstance, __self__).__init__( 'azure-native:workloads:SapVirtualInstance', diff --git a/sdk/python/pulumi_azure_native/workloads/server_instance.py b/sdk/python/pulumi_azure_native/workloads/server_instance.py index f7e469fd7e76..2fc914f9ac22 100644 --- a/sdk/python/pulumi_azure_native/workloads/server_instance.py +++ b/sdk/python/pulumi_azure_native/workloads/server_instance.py @@ -171,7 +171,7 @@ def _internal_init(__self__, __props__.__dict__["server_name"] = None __props__.__dict__["system_data"] = None __props__.__dict__["type"] = None - alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20231001preview:ServerInstance")]) + alias_opts = pulumi.ResourceOptions(aliases=[pulumi.Alias(type_="azure-native:workloads/v20231001preview:ServerInstance"), pulumi.Alias(type_="azure-native_workloads_v20231001preview:workloads:ServerInstance")]) opts = pulumi.ResourceOptions.merge(opts, alias_opts) super(ServerInstance, __self__).__init__( 'azure-native:workloads:ServerInstance', From 3a77bc5d51f6846c0ce7670996e722e488488611 Mon Sep 17 00:00:00 2001 From: Daniel Bradley Date: Mon, 7 Apr 2025 10:18:39 +0100 Subject: [PATCH 04/10] Update test snapshots --- .../__snapshots__/gen_aliases_test_v2.snap | 886 +- .../__snapshots__/gen_aliases_test_v3.snap | 907 +- .../gen/__snapshots__/gen_dashboard_test.snap | 888 +- .../pkg/gen/__snapshots__/gen_vnet_test.snap | 78172 +++++----------- 4 files changed, 22413 insertions(+), 58440 deletions(-) diff --git a/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap b/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap index c5dc961cacb2..ae47bd442a03 100755 --- a/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap +++ b/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap @@ -90,7 +90,7 @@ "description": "A native Pulumi package for creating and managing Azure resources.", "displayName": "Azure Native", "functions": { - "azure-native:aadiam/v20200301:getPrivateEndpointConnection": { + "azure-native:aadiam:getPrivateEndpointConnection": { "description": "Gets the specified private endpoint connection associated with the given policy.", "inputs": { "properties": { @@ -133,12 +133,12 @@ "type": "string" }, "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpointResponse", + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse", "description": "Properties of the private endpoint object.", "type": "object" }, "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse", + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse", "description": "Approval state of the private link connection.", "type": "object" }, @@ -161,7 +161,7 @@ "type": "object" } }, - "azure-native:aadiam/v20200301:getPrivateLinkForAzureAd": { + "azure-native:aadiam:getPrivateLinkForAzureAd": { "description": "Gets a private link policy with a given name.", "inputs": { "properties": { @@ -312,8 +312,7 @@ "language": { "csharp": { "namespaces": { - "aadiam": "AadIam", - "aadiam/v20200301": "AadIam.V20200301", + "aadiam": "AadIam.V20200301", "azure-native": "AzureNative" }, "packageReferences": { @@ -336,7 +335,7 @@ }, "java": { "packages": { - "aadiam/v20200301": "aadiam.v20200301", + "aadiam": "aadiam.v20200301", "azure-native": "azurenative" } }, @@ -347,7 +346,7 @@ "python": { "inputTypes": "classes-and-dicts", "moduleNameOverrides": { - "aadiam/v20200301": "aadiam/v20200301" + "aadiam": "aadiam" }, "pyproject": { "enabled": true @@ -447,189 +446,6 @@ "publisher": "Pulumi", "repository": "https://github.com/pulumi/pulumi-azure-native", "resources": { - "azure-native:aadiam/v20200301:PrivateEndpointConnection": { - "description": "Private endpoint connection resource.", - "inputProperties": { - "policyName": { - "description": "The name of the private link policy in Azure AD.", - "type": "string", - "willReplaceOnChanges": true - }, - "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpoint", - "description": "Properties of the private endpoint object.", - "type": "object" - }, - "privateEndpointConnectionName": { - "description": "The PrivateEndpointConnection name.", - "type": "string", - "willReplaceOnChanges": true - }, - "privateLinkConnectionTags": { - "$ref": "#/types/azure-native:aadiam/v20200301:TagsResource", - "description": "Updated tag information to set into the PrivateLinkConnection instance.", - "type": "object" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionState", - "description": "Approval state of the private link connection.", - "type": "object" - }, - "resourceGroupName": { - "description": "Name of an Azure resource group.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "properties": { - "azureApiVersion": { - "description": "The Azure API version of the resource.", - "type": "string" - }, - "name": { - "description": "The name of the resource", - "type": "string" - }, - "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpointResponse", - "description": "Properties of the private endpoint object.", - "type": "object" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse", - "description": "Approval state of the private link connection.", - "type": "object" - }, - "provisioningState": { - "description": "Provisioning state of the private endpoint connection.", - "type": "string" - }, - "type": { - "description": "The type of the resource. E.g. \"Microsoft.Compute/virtualMachines\" or \"Microsoft.Storage/storageAccounts\"", - "type": "string" - } - }, - "required": [ - "azureApiVersion", - "name", - "provisioningState", - "type" - ], - "requiredInputs": [ - "policyName", - "resourceGroupName" - ], - "type": "object" - }, - "azure-native:aadiam/v20200301:PrivateLinkForAzureAd": { - "description": "PrivateLink Policy configuration object.", - "inputProperties": { - "allTenants": { - "description": "Flag indicating whether all tenants are allowed", - "type": "boolean" - }, - "name": { - "description": "Name of this resource.", - "type": "string" - }, - "ownerTenantId": { - "description": "Guid of the owner tenant", - "type": "string" - }, - "policyName": { - "description": "The name of the private link policy in Azure AD.", - "type": "string", - "willReplaceOnChanges": true - }, - "resourceGroup": { - "description": "Name of the resource group", - "type": "string" - }, - "resourceGroupName": { - "description": "Name of an Azure resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "resourceName": { - "description": "Name of the private link policy resource", - "type": "string" - }, - "subscriptionId": { - "description": "Subscription Identifier", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "tenants": { - "description": "The list of tenantIds.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "properties": { - "allTenants": { - "description": "Flag indicating whether all tenants are allowed", - "type": "boolean" - }, - "azureApiVersion": { - "description": "The Azure API version of the resource.", - "type": "string" - }, - "name": { - "description": "Name of this resource.", - "type": "string" - }, - "ownerTenantId": { - "description": "Guid of the owner tenant", - "type": "string" - }, - "resourceGroup": { - "description": "Name of the resource group", - "type": "string" - }, - "resourceName": { - "description": "Name of the private link policy resource", - "type": "string" - }, - "subscriptionId": { - "description": "Subscription Identifier", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "tenants": { - "description": "The list of tenantIds.", - "items": { - "type": "string" - }, - "type": "array" - }, - "type": { - "description": "Type of this resource.", - "type": "string" - } - }, - "required": [ - "azureApiVersion", - "type" - ], - "requiredInputs": [ - "resourceGroupName" - ], - "type": "object" - }, "azure-native:keyvault:AccessPolicy": { "description": "Key Vault Access Policy for managing policies on existing vaults.", "inputProperties": { @@ -873,102 +689,209 @@ }, "azure-native:synapse:WorkspaceSqlAadAdmin": { "description": "\n\nNote: SQL AAD Admin is configured automatically during workspace creation and assigned to the current user. One can't add more admins with this resource unless you manually delete the current SQL AAD Admin." - } - }, - "types": { - "azure-native:aadiam/v20200301:PrivateEndpoint": { - "description": "Private endpoint object properties.", - "properties": { - "id": { - "description": "Full identifier of the private endpoint resource.", - "type": "string" - } - }, - "type": "object" }, - "azure-native:aadiam/v20200301:PrivateEndpointResponse": { - "description": "Private endpoint object properties.", - "properties": { - "id": { - "description": "Full identifier of the private endpoint resource.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:aadiam/v20200301:PrivateEndpointServiceConnectionStatus": { - "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", - "enum": [ - { - "value": "Approved" + "azure-native_aadiam_v20200301:aadiam:PrivateEndpointConnection": { + "description": "Private endpoint connection resource.", + "inputProperties": { + "policyName": { + "description": "The name of the private link policy in Azure AD.", + "type": "string", + "willReplaceOnChanges": true }, - { - "value": "Pending" + "privateEndpoint": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpoint", + "description": "Properties of the private endpoint object.", + "type": "object" }, - { - "value": "Rejected" + "privateEndpointConnectionName": { + "description": "The PrivateEndpointConnection name.", + "type": "string", + "willReplaceOnChanges": true }, - { - "value": "Disconnected" - } - ], - "type": "string" - }, - "azure-native:aadiam/v20200301:PrivateLinkServiceConnectionState": { - "description": "An object that represents the approval state of the private link connection.", - "properties": { - "actionsRequired": { - "description": "A message indicating if changes on the service provider require any updates on the consumer.", - "type": "string" + "privateLinkConnectionTags": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:TagsResource", + "description": "Updated tag information to set into the PrivateLinkConnection instance.", + "type": "object" }, - "description": { - "description": "The reason for approval or rejection.", - "type": "string" + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionState", + "description": "Approval state of the private link connection.", + "type": "object" }, - "status": { - "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpointServiceConnectionStatus" - } - ] + "resourceGroupName": { + "description": "Name of an Azure resource group.", + "type": "string", + "willReplaceOnChanges": true } }, - "type": "object" - }, - "azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse": { - "description": "An object that represents the approval state of the private link connection.", "properties": { - "actionsRequired": { - "description": "A message indicating if changes on the service provider require any updates on the consumer.", + "azureApiVersion": { + "description": "The Azure API version of the resource.", + "type": "string" + }, + "name": { + "description": "The name of the resource", "type": "string" }, - "description": { - "description": "The reason for approval or rejection.", + "privateEndpoint": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse", + "description": "Properties of the private endpoint object.", + "type": "object" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse", + "description": "Approval state of the private link connection.", + "type": "object" + }, + "provisioningState": { + "description": "Provisioning state of the private endpoint connection.", "type": "string" }, - "status": { - "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", + "type": { + "description": "The type of the resource. E.g. \"Microsoft.Compute/virtualMachines\" or \"Microsoft.Storage/storageAccounts\"", "type": "string" } }, - "type": "object" - }, - "azure-native:aadiam/v20200301:TagsResource": { - "description": "A container holding only the Tags for a resource, allowing the user to update the tags on a PrivateLinkConnection instance.", + "required": [ + "azureApiVersion", + "name", + "provisioningState", + "type" + ], + "requiredInputs": [ + "policyName", + "resourceGroupName" + ], + "type": "object" + }, + "azure-native_aadiam_v20200301:aadiam:PrivateLinkForAzureAd": { + "description": "PrivateLink Policy configuration object.", + "inputProperties": { + "allTenants": { + "description": "Flag indicating whether all tenants are allowed", + "type": "boolean" + }, + "name": { + "description": "Name of this resource.", + "type": "string" + }, + "ownerTenantId": { + "description": "Guid of the owner tenant", + "type": "string" + }, + "policyName": { + "description": "The name of the private link policy in Azure AD.", + "type": "string", + "willReplaceOnChanges": true + }, + "resourceGroup": { + "description": "Name of the resource group", + "type": "string" + }, + "resourceGroupName": { + "description": "Name of an Azure resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "resourceName": { + "description": "Name of the private link policy resource", + "type": "string" + }, + "subscriptionId": { + "description": "Subscription Identifier", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "tenants": { + "description": "The list of tenantIds.", + "items": { + "type": "string" + }, + "type": "array" + } + }, "properties": { + "allTenants": { + "description": "Flag indicating whether all tenants are allowed", + "type": "boolean" + }, + "azureApiVersion": { + "description": "The Azure API version of the resource.", + "type": "string" + }, + "name": { + "description": "Name of this resource.", + "type": "string" + }, + "ownerTenantId": { + "description": "Guid of the owner tenant", + "type": "string" + }, + "resourceGroup": { + "description": "Name of the resource group", + "type": "string" + }, + "resourceName": { + "description": "Name of the private link policy resource", + "type": "string" + }, + "subscriptionId": { + "description": "Subscription Identifier", + "type": "string" + }, "tags": { "additionalProperties": { "type": "string" }, - "description": "Resource tags", + "description": "Resource tags.", "type": "object" + }, + "tenants": { + "description": "The list of tenantIds.", + "items": { + "type": "string" + }, + "type": "array" + }, + "type": { + "description": "Type of this resource.", + "type": "string" } }, + "required": [ + "azureApiVersion", + "type" + ], + "requiredInputs": [ + "resourceGroupName" + ], "type": "object" + } + }, + "types": { + "azure-native:aadiam:PrivateEndpointServiceConnectionStatus": { + "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", + "enum": [ + { + "value": "Approved" + }, + { + "value": "Pending" + }, + { + "value": "Rejected" + }, + { + "value": "Disconnected" + } + ], + "type": "string" }, "azure-native:storage:BlobAccessTier": { "description": "The access tier of a storage blob.", @@ -1009,7 +932,7 @@ [TestAliasesGen/v2 - 2] { "invokes": { - "azure-native:aadiam/v20200301:getPrivateEndpointConnection": { + "azure-native:aadiam:getPrivateEndpointConnection": { "GET": [ { "location": "path", @@ -1050,175 +973,19 @@ ], "POST": null, "apiVersion": "2020-03-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}/privateEndpointConnections/{privateEndpointConnectionName}", - "response": { - "id": {}, - "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpointResponse", - "containers": [ - "properties" - ] - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:aadiam/v20200301:getPrivateLinkForAzureAd": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "maxLength": 90, - "minLength": 1, - "pattern": "^[-\\w\\._\\(\\)]+$", - "type": "string" - } - }, - { - "location": "path", - "name": "policyName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2020-03-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}", - "response": { - "allTenants": {}, - "id": {}, - "name": {}, - "ownerTenantId": {}, - "resourceGroup": {}, - "resourceName": {}, - "subscriptionId": {}, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "tenants": { - "items": { - "type": "string" - } - }, - "type": {} - } - } - }, - "resources": { - "azure-native:aadiam/v20200301:PrivateEndpointConnection": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "maxLength": 90, - "minLength": 1, - "pattern": "^[-\\w\\._\\(\\)]+$", - "type": "string" - } - }, - { - "location": "path", - "name": "policyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "privateEndpointConnectionName", - "required": true, - "value": { - "autoname": "copy", - "minLength": 1, - "type": "string" - } - }, - { - "body": { - "properties": { - "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpoint", - "containers": [ - "properties" - ], - "type": "object" - }, - "privateLinkConnectionTags": { - "$ref": "#/types/azure-native:aadiam/v20200301:TagsResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionState", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2020-03-01", - "defaultBody": null, - "deleteAsyncStyle": "azure-async-operation", + "isResourceGetter": true, "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}/privateEndpointConnections/{privateEndpointConnectionName}", - "putAsyncStyle": "azure-async-operation", "response": { "id": {}, "name": {}, "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpointResponse", + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse", "containers": [ "properties" ] }, "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse", + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse", "containers": [ "properties" ] @@ -1231,8 +998,8 @@ "type": {} } }, - "azure-native:aadiam/v20200301:PrivateLinkForAzureAd": { - "PUT": [ + "azure-native:aadiam:getPrivateLinkForAzureAd": { + "GET": [ { "location": "path", "name": "subscriptionId", @@ -1257,55 +1024,14 @@ "name": "policyName", "required": true, "value": { - "autoname": "random", "type": "string" } - }, - { - "body": { - "properties": { - "allTenants": { - "type": "boolean" - }, - "name": { - "type": "string" - }, - "ownerTenantId": { - "type": "string" - }, - "resourceGroup": { - "type": "string" - }, - "resourceName": { - "type": "string" - }, - "subscriptionId": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "tenants": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "privateLinkPolicy", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2020-03-01", - "defaultBody": null, + "isResourceGetter": true, "path": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}", - "putAsyncStyle": "azure-async-operation", "response": { "allTenants": {}, "id": {}, @@ -1326,7 +1052,9 @@ }, "type": {} } - }, + } + }, + "resources": { "azure-native:keyvault:AccessPolicy": { "PUT": [ { @@ -1582,51 +1310,203 @@ "defaultBody": null, "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/staticWebsite", "response": null - } - }, - "types": { - "azure-native:aadiam/v20200301:PrivateEndpoint": { - "properties": { - "id": { - "type": "string" - } - } - }, - "azure-native:aadiam/v20200301:PrivateEndpointResponse": { - "properties": { - "id": {} - } }, - "azure-native:aadiam/v20200301:PrivateLinkServiceConnectionState": { - "properties": { - "actionsRequired": { - "type": "string" + "azure-native_aadiam_v20200301:aadiam:PrivateEndpointConnection": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "description": { - "type": "string" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "maxLength": 90, + "minLength": 1, + "pattern": "^[-\\w\\._\\(\\)]+$", + "type": "string" + } }, - "status": { - "type": "string" + { + "location": "path", + "name": "policyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "privateEndpointConnectionName", + "required": true, + "value": { + "autoname": "copy", + "minLength": 1, + "type": "string" + } + }, + { + "body": { + "properties": { + "privateEndpoint": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpoint", + "containers": [ + "properties" + ], + "type": "object" + }, + "privateLinkConnectionTags": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:TagsResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionState", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} } + ], + "apiVersion": "2020-03-01", + "defaultBody": null, + "deleteAsyncStyle": "azure-async-operation", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}/privateEndpointConnections/{privateEndpointConnectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "id": {}, + "name": {}, + "privateEndpoint": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse", + "containers": [ + "properties" + ] + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} } }, - "azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse": { - "properties": { - "actionsRequired": {}, - "description": {}, - "status": {} - } - }, - "azure-native:aadiam/v20200301:TagsResource": { - "properties": { - "tags": { - "additionalProperties": { + "azure-native_aadiam_v20200301:aadiam:PrivateLinkForAzureAd": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "maxLength": 90, + "minLength": 1, + "pattern": "^[-\\w\\._\\(\\)]+$", + "type": "string" + } + }, + { + "location": "path", + "name": "policyName", + "required": true, + "value": { + "autoname": "random", "type": "string" + } + }, + { + "body": { + "properties": { + "allTenants": { + "type": "boolean" + }, + "name": { + "type": "string" + }, + "ownerTenantId": { + "type": "string" + }, + "resourceGroup": { + "type": "string" + }, + "resourceName": { + "type": "string" + }, + "subscriptionId": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "tenants": { + "items": { + "type": "string" + }, + "type": "array" + } + } }, - "type": "object" + "location": "body", + "name": "privateLinkPolicy", + "required": true, + "value": {} } + ], + "apiVersion": "2020-03-01", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allTenants": {}, + "id": {}, + "name": {}, + "ownerTenantId": {}, + "resourceGroup": {}, + "resourceName": {}, + "subscriptionId": {}, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "tenants": { + "items": { + "type": "string" + } + }, + "type": {} } } - } + }, + "types": {} } --- diff --git a/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap b/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap index 080f71952911..fd639604e3a2 100755 --- a/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap +++ b/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap @@ -90,7 +90,7 @@ "description": "A native Pulumi package for creating and managing Azure resources.", "displayName": "Azure Native", "functions": { - "azure-native:aadiam/v20200301:getPrivateEndpointConnection": { + "azure-native:aadiam:getPrivateEndpointConnection": { "description": "Gets the specified private endpoint connection associated with the given policy.", "inputs": { "properties": { @@ -133,12 +133,12 @@ "type": "string" }, "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpointResponse", + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse", "description": "Properties of the private endpoint object.", "type": "object" }, "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse", + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse", "description": "Approval state of the private link connection.", "type": "object" }, @@ -161,7 +161,7 @@ "type": "object" } }, - "azure-native:aadiam/v20200301:getPrivateLinkForAzureAd": { + "azure-native:aadiam:getPrivateLinkForAzureAd": { "description": "Gets a private link policy with a given name.", "inputs": { "properties": { @@ -312,8 +312,7 @@ "language": { "csharp": { "namespaces": { - "aadiam": "AadIam", - "aadiam/v20200301": "AadIam.V20200301", + "aadiam": "AadIam.V20200301", "azure-native": "AzureNative" }, "packageReferences": { @@ -336,7 +335,7 @@ }, "java": { "packages": { - "aadiam/v20200301": "aadiam.v20200301", + "aadiam": "aadiam.v20200301", "azure-native": "azurenative" } }, @@ -347,7 +346,7 @@ "python": { "inputTypes": "classes-and-dicts", "moduleNameOverrides": { - "aadiam/v20200301": "aadiam/v20200301" + "aadiam": "aadiam" }, "pyproject": { "enabled": true @@ -447,202 +446,6 @@ "publisher": "Pulumi", "repository": "https://github.com/pulumi/pulumi-azure-native", "resources": { - "azure-native:aadiam/v20200301:PrivateEndpointConnection": { - "aliases": [ - { - "type": "azure-native:aadiam:PrivateEndpointConnection" - } - ], - "description": "Private endpoint connection resource.", - "inputProperties": { - "policyName": { - "description": "The name of the private link policy in Azure AD.", - "type": "string", - "willReplaceOnChanges": true - }, - "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpoint", - "description": "Properties of the private endpoint object.", - "type": "object" - }, - "privateEndpointConnectionName": { - "description": "The PrivateEndpointConnection name.", - "type": "string", - "willReplaceOnChanges": true - }, - "privateLinkConnectionTags": { - "$ref": "#/types/azure-native:aadiam/v20200301:TagsResource", - "description": "Updated tag information to set into the PrivateLinkConnection instance.", - "type": "object" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionState", - "description": "Approval state of the private link connection.", - "type": "object" - }, - "resourceGroupName": { - "description": "Name of an Azure resource group.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "properties": { - "azureApiVersion": { - "description": "The Azure API version of the resource.", - "type": "string" - }, - "name": { - "description": "The name of the resource", - "type": "string" - }, - "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpointResponse", - "description": "Properties of the private endpoint object.", - "type": "object" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse", - "description": "Approval state of the private link connection.", - "type": "object" - }, - "provisioningState": { - "description": "Provisioning state of the private endpoint connection.", - "type": "string" - }, - "type": { - "description": "The type of the resource. E.g. \"Microsoft.Compute/virtualMachines\" or \"Microsoft.Storage/storageAccounts\"", - "type": "string" - } - }, - "required": [ - "azureApiVersion", - "name", - "provisioningState", - "type" - ], - "requiredInputs": [ - "policyName", - "resourceGroupName" - ], - "type": "object" - }, - "azure-native:aadiam/v20200301:PrivateLinkForAzureAd": { - "aliases": [ - { - "type": "azure-native:aadiam/v20200301preview:PrivateLinkForAzureAd" - }, - { - "type": "azure-native:aadiam:PrivateLinkForAzureAd" - } - ], - "description": "PrivateLink Policy configuration object.", - "inputProperties": { - "allTenants": { - "description": "Flag indicating whether all tenants are allowed", - "type": "boolean" - }, - "name": { - "description": "Name of this resource.", - "type": "string" - }, - "ownerTenantId": { - "description": "Guid of the owner tenant", - "type": "string" - }, - "policyName": { - "description": "The name of the private link policy in Azure AD.", - "type": "string", - "willReplaceOnChanges": true - }, - "resourceGroup": { - "description": "Name of the resource group", - "type": "string" - }, - "resourceGroupName": { - "description": "Name of an Azure resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "resourceName": { - "description": "Name of the private link policy resource", - "type": "string" - }, - "subscriptionId": { - "description": "Subscription Identifier", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "tenants": { - "description": "The list of tenantIds.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "properties": { - "allTenants": { - "description": "Flag indicating whether all tenants are allowed", - "type": "boolean" - }, - "azureApiVersion": { - "description": "The Azure API version of the resource.", - "type": "string" - }, - "name": { - "description": "Name of this resource.", - "type": "string" - }, - "ownerTenantId": { - "description": "Guid of the owner tenant", - "type": "string" - }, - "resourceGroup": { - "description": "Name of the resource group", - "type": "string" - }, - "resourceName": { - "description": "Name of the private link policy resource", - "type": "string" - }, - "subscriptionId": { - "description": "Subscription Identifier", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "tenants": { - "description": "The list of tenantIds.", - "items": { - "type": "string" - }, - "type": "array" - }, - "type": { - "description": "Type of this resource.", - "type": "string" - } - }, - "required": [ - "azureApiVersion", - "type" - ], - "requiredInputs": [ - "resourceGroupName" - ], - "type": "object" - }, "azure-native:keyvault:AccessPolicy": { "description": "Key Vault Access Policy for managing policies on existing vaults.", "inputProperties": { @@ -886,102 +689,225 @@ }, "azure-native:synapse:WorkspaceSqlAadAdmin": { "description": "\n\nNote: SQL AAD Admin is configured automatically during workspace creation and assigned to the current user. One can't add more admins with this resource unless you manually delete the current SQL AAD Admin." - } - }, - "types": { - "azure-native:aadiam/v20200301:PrivateEndpoint": { - "description": "Private endpoint object properties.", - "properties": { - "id": { - "description": "Full identifier of the private endpoint resource.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:aadiam/v20200301:PrivateEndpointResponse": { - "description": "Private endpoint object properties.", - "properties": { - "id": { - "description": "Full identifier of the private endpoint resource.", - "type": "string" - } - }, - "type": "object" }, - "azure-native:aadiam/v20200301:PrivateEndpointServiceConnectionStatus": { - "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", - "enum": [ - { - "value": "Approved" - }, - { - "value": "Pending" - }, + "azure-native_aadiam_v20200301:aadiam:PrivateEndpointConnection": { + "aliases": [ { - "value": "Rejected" + "type": "azure-native:aadiam/v20200301:PrivateEndpointConnection" }, { - "value": "Disconnected" + "type": "azure-native:aadiam:PrivateEndpointConnection" } ], - "type": "string" - }, - "azure-native:aadiam/v20200301:PrivateLinkServiceConnectionState": { - "description": "An object that represents the approval state of the private link connection.", - "properties": { - "actionsRequired": { - "description": "A message indicating if changes on the service provider require any updates on the consumer.", - "type": "string" + "description": "Private endpoint connection resource.", + "inputProperties": { + "policyName": { + "description": "The name of the private link policy in Azure AD.", + "type": "string", + "willReplaceOnChanges": true }, - "description": { - "description": "The reason for approval or rejection.", - "type": "string" + "privateEndpoint": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpoint", + "description": "Properties of the private endpoint object.", + "type": "object" }, - "status": { - "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpointServiceConnectionStatus" - } - ] + "privateEndpointConnectionName": { + "description": "The PrivateEndpointConnection name.", + "type": "string", + "willReplaceOnChanges": true + }, + "privateLinkConnectionTags": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:TagsResource", + "description": "Updated tag information to set into the PrivateLinkConnection instance.", + "type": "object" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionState", + "description": "Approval state of the private link connection.", + "type": "object" + }, + "resourceGroupName": { + "description": "Name of an Azure resource group.", + "type": "string", + "willReplaceOnChanges": true } }, - "type": "object" - }, - "azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse": { - "description": "An object that represents the approval state of the private link connection.", "properties": { - "actionsRequired": { - "description": "A message indicating if changes on the service provider require any updates on the consumer.", + "azureApiVersion": { + "description": "The Azure API version of the resource.", "type": "string" }, - "description": { - "description": "The reason for approval or rejection.", + "name": { + "description": "The name of the resource", "type": "string" }, - "status": { - "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", + "privateEndpoint": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse", + "description": "Properties of the private endpoint object.", + "type": "object" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse", + "description": "Approval state of the private link connection.", + "type": "object" + }, + "provisioningState": { + "description": "Provisioning state of the private endpoint connection.", + "type": "string" + }, + "type": { + "description": "The type of the resource. E.g. \"Microsoft.Compute/virtualMachines\" or \"Microsoft.Storage/storageAccounts\"", "type": "string" } }, + "required": [ + "azureApiVersion", + "name", + "provisioningState", + "type" + ], + "requiredInputs": [ + "policyName", + "resourceGroupName" + ], "type": "object" }, - "azure-native:aadiam/v20200301:TagsResource": { - "description": "A container holding only the Tags for a resource, allowing the user to update the tags on a PrivateLinkConnection instance.", + "azure-native_aadiam_v20200301:aadiam:PrivateLinkForAzureAd": { + "aliases": [ + { + "type": "azure-native:aadiam/v20200301preview:PrivateLinkForAzureAd" + }, + { + "type": "azure-native:aadiam:PrivateLinkForAzureAd" + } + ], + "description": "PrivateLink Policy configuration object.", + "inputProperties": { + "allTenants": { + "description": "Flag indicating whether all tenants are allowed", + "type": "boolean" + }, + "name": { + "description": "Name of this resource.", + "type": "string" + }, + "ownerTenantId": { + "description": "Guid of the owner tenant", + "type": "string" + }, + "policyName": { + "description": "The name of the private link policy in Azure AD.", + "type": "string", + "willReplaceOnChanges": true + }, + "resourceGroup": { + "description": "Name of the resource group", + "type": "string" + }, + "resourceGroupName": { + "description": "Name of an Azure resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "resourceName": { + "description": "Name of the private link policy resource", + "type": "string" + }, + "subscriptionId": { + "description": "Subscription Identifier", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "tenants": { + "description": "The list of tenantIds.", + "items": { + "type": "string" + }, + "type": "array" + } + }, "properties": { + "allTenants": { + "description": "Flag indicating whether all tenants are allowed", + "type": "boolean" + }, + "azureApiVersion": { + "description": "The Azure API version of the resource.", + "type": "string" + }, + "name": { + "description": "Name of this resource.", + "type": "string" + }, + "ownerTenantId": { + "description": "Guid of the owner tenant", + "type": "string" + }, + "resourceGroup": { + "description": "Name of the resource group", + "type": "string" + }, + "resourceName": { + "description": "Name of the private link policy resource", + "type": "string" + }, + "subscriptionId": { + "description": "Subscription Identifier", + "type": "string" + }, "tags": { "additionalProperties": { "type": "string" }, - "description": "Resource tags", + "description": "Resource tags.", "type": "object" + }, + "tenants": { + "description": "The list of tenantIds.", + "items": { + "type": "string" + }, + "type": "array" + }, + "type": { + "description": "Type of this resource.", + "type": "string" } }, + "required": [ + "azureApiVersion", + "type" + ], + "requiredInputs": [ + "resourceGroupName" + ], "type": "object" + } + }, + "types": { + "azure-native:aadiam:PrivateEndpointServiceConnectionStatus": { + "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", + "enum": [ + { + "value": "Approved" + }, + { + "value": "Pending" + }, + { + "value": "Rejected" + }, + { + "value": "Disconnected" + } + ], + "type": "string" }, "azure-native:storage:BlobAccessTier": { "description": "The access tier of a storage blob.", @@ -1022,7 +948,7 @@ [TestAliasesGen/v3 - 2] { "invokes": { - "azure-native:aadiam/v20200301:getPrivateEndpointConnection": { + "azure-native:aadiam:getPrivateEndpointConnection": { "GET": [ { "location": "path", @@ -1063,175 +989,19 @@ ], "POST": null, "apiVersion": "2020-03-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}/privateEndpointConnections/{privateEndpointConnectionName}", - "response": { - "id": {}, - "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpointResponse", - "containers": [ - "properties" - ] - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:aadiam/v20200301:getPrivateLinkForAzureAd": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "maxLength": 90, - "minLength": 1, - "pattern": "^[-\\w\\._\\(\\)]+$", - "type": "string" - } - }, - { - "location": "path", - "name": "policyName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2020-03-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}", - "response": { - "allTenants": {}, - "id": {}, - "name": {}, - "ownerTenantId": {}, - "resourceGroup": {}, - "resourceName": {}, - "subscriptionId": {}, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "tenants": { - "items": { - "type": "string" - } - }, - "type": {} - } - } - }, - "resources": { - "azure-native:aadiam/v20200301:PrivateEndpointConnection": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "maxLength": 90, - "minLength": 1, - "pattern": "^[-\\w\\._\\(\\)]+$", - "type": "string" - } - }, - { - "location": "path", - "name": "policyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "privateEndpointConnectionName", - "required": true, - "value": { - "autoname": "copy", - "minLength": 1, - "type": "string" - } - }, - { - "body": { - "properties": { - "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpoint", - "containers": [ - "properties" - ], - "type": "object" - }, - "privateLinkConnectionTags": { - "$ref": "#/types/azure-native:aadiam/v20200301:TagsResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionState", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2020-03-01", - "defaultBody": null, - "deleteAsyncStyle": "azure-async-operation", + "isResourceGetter": true, "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}/privateEndpointConnections/{privateEndpointConnectionName}", - "putAsyncStyle": "azure-async-operation", "response": { "id": {}, "name": {}, "privateEndpoint": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateEndpointResponse", + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse", "containers": [ "properties" ] }, "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse", + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse", "containers": [ "properties" ] @@ -1244,8 +1014,8 @@ "type": {} } }, - "azure-native:aadiam/v20200301:PrivateLinkForAzureAd": { - "PUT": [ + "azure-native:aadiam:getPrivateLinkForAzureAd": { + "GET": [ { "location": "path", "name": "subscriptionId", @@ -1270,55 +1040,14 @@ "name": "policyName", "required": true, "value": { - "autoname": "random", "type": "string" } - }, - { - "body": { - "properties": { - "allTenants": { - "type": "boolean" - }, - "name": { - "type": "string" - }, - "ownerTenantId": { - "type": "string" - }, - "resourceGroup": { - "type": "string" - }, - "resourceName": { - "type": "string" - }, - "subscriptionId": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "tenants": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "privateLinkPolicy", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2020-03-01", - "defaultBody": null, + "isResourceGetter": true, "path": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}", - "putAsyncStyle": "azure-async-operation", "response": { "allTenants": {}, "id": {}, @@ -1339,7 +1068,9 @@ }, "type": {} } - }, + } + }, + "resources": { "azure-native:keyvault:AccessPolicy": { "PUT": [ { @@ -1595,51 +1326,203 @@ "defaultBody": null, "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/staticWebsite", "response": null - } - }, - "types": { - "azure-native:aadiam/v20200301:PrivateEndpoint": { - "properties": { - "id": { - "type": "string" - } - } - }, - "azure-native:aadiam/v20200301:PrivateEndpointResponse": { - "properties": { - "id": {} - } }, - "azure-native:aadiam/v20200301:PrivateLinkServiceConnectionState": { - "properties": { - "actionsRequired": { - "type": "string" + "azure-native_aadiam_v20200301:aadiam:PrivateEndpointConnection": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "description": { - "type": "string" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "maxLength": 90, + "minLength": 1, + "pattern": "^[-\\w\\._\\(\\)]+$", + "type": "string" + } }, - "status": { - "type": "string" + { + "location": "path", + "name": "policyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "privateEndpointConnectionName", + "required": true, + "value": { + "autoname": "copy", + "minLength": 1, + "type": "string" + } + }, + { + "body": { + "properties": { + "privateEndpoint": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpoint", + "containers": [ + "properties" + ], + "type": "object" + }, + "privateLinkConnectionTags": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:TagsResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionState", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} } + ], + "apiVersion": "2020-03-01", + "defaultBody": null, + "deleteAsyncStyle": "azure-async-operation", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}/privateEndpointConnections/{privateEndpointConnectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "id": {}, + "name": {}, + "privateEndpoint": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse", + "containers": [ + "properties" + ] + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} } }, - "azure-native:aadiam/v20200301:PrivateLinkServiceConnectionStateResponse": { - "properties": { - "actionsRequired": {}, - "description": {}, - "status": {} - } - }, - "azure-native:aadiam/v20200301:TagsResource": { - "properties": { - "tags": { - "additionalProperties": { + "azure-native_aadiam_v20200301:aadiam:PrivateLinkForAzureAd": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "maxLength": 90, + "minLength": 1, + "pattern": "^[-\\w\\._\\(\\)]+$", + "type": "string" + } + }, + { + "location": "path", + "name": "policyName", + "required": true, + "value": { + "autoname": "random", "type": "string" + } + }, + { + "body": { + "properties": { + "allTenants": { + "type": "boolean" + }, + "name": { + "type": "string" + }, + "ownerTenantId": { + "type": "string" + }, + "resourceGroup": { + "type": "string" + }, + "resourceName": { + "type": "string" + }, + "subscriptionId": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "tenants": { + "items": { + "type": "string" + }, + "type": "array" + } + } }, - "type": "object" + "location": "body", + "name": "privateLinkPolicy", + "required": true, + "value": {} } + ], + "apiVersion": "2020-03-01", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourcegroups/{resourceGroupName}/providers/microsoft.aadiam/privateLinkForAzureAd/{policyName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allTenants": {}, + "id": {}, + "name": {}, + "ownerTenantId": {}, + "resourceGroup": {}, + "resourceName": {}, + "subscriptionId": {}, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "tenants": { + "items": { + "type": "string" + } + }, + "type": {} } } - } + }, + "types": {} } --- diff --git a/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap b/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap index 48318f484e94..2cc3547fd54c 100755 --- a/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap +++ b/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap @@ -10,6 +10,9 @@ }, { "type": "azure-native:portal/v20221201preview:Dashboard" + }, + { + "type": "azure-native_portal_v20200901preview:portal:Dashboard" } ], "description": "The shared dashboard resource definition.\n\nUses Azure REST API version 2020-09-01-preview.", @@ -178,34 +181,7 @@ [TestPortalDashboardGen - 3] { - "azure-native:portal/v20200901preview:ConfigurationProperties": { - "description": "Tenant Configuration Properties with Provisioning state", - "properties": { - "enforcePrivateMarkdownStorage": { - "description": "When flag is set to true Markdown tile will require external storage configuration (URI). The inline content configuration will be prohibited.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:portal/v20200901preview:ConfigurationPropertiesResponse": { - "description": "Tenant Configuration Properties with Provisioning state", - "properties": { - "enforcePrivateMarkdownStorage": { - "description": "When flag is set to true Markdown tile will require external storage configuration (URI). The inline content configuration will be prohibited.", - "type": "boolean" - }, - "provisioningState": { - "description": "The status of the last operation.", - "type": "string" - } - }, - "required": [ - "provisioningState" - ], - "type": "object" - }, - "azure-native:portal/v20200901preview:DashboardLens": { + "azure-native:portal:DashboardLens": { "description": "A dashboard lens.", "properties": { "metadata": { @@ -219,7 +195,7 @@ "parts": { "description": "The dashboard parts.", "items": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardParts", + "$ref": "#/types/azure-native:portal:DashboardParts", "type": "object" }, "type": "array" @@ -231,7 +207,7 @@ ], "type": "object" }, - "azure-native:portal/v20200901preview:DashboardLensResponse": { + "azure-native:portal:DashboardLensResponse": { "description": "A dashboard lens.", "properties": { "metadata": { @@ -245,7 +221,7 @@ "parts": { "description": "The dashboard parts.", "items": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardPartsResponse", + "$ref": "#/types/azure-native:portal:DashboardPartsResponse", "type": "object" }, "type": "array" @@ -257,7 +233,61 @@ ], "type": "object" }, - "azure-native:portal/v20200901preview:DashboardPartMetadataType": { + "azure-native:portal:DashboardPartMetadata": { + "description": "A dashboard part metadata.", + "properties": { + "inputs": { + "description": "Inputs to dashboard part.", + "items": { + "$ref": "pulumi.json#/Any" + }, + "type": "array" + }, + "settings": { + "additionalProperties": { + "$ref": "pulumi.json#/Any" + }, + "description": "Settings of dashboard part.", + "type": "object" + }, + "type": { + "description": "The type of dashboard part.", + "type": "string" + } + }, + "required": [ + "type" + ], + "type": "object" + }, + "azure-native:portal:DashboardPartMetadataResponse": { + "description": "A dashboard part metadata.", + "properties": { + "inputs": { + "description": "Inputs to dashboard part.", + "items": { + "$ref": "pulumi.json#/Any" + }, + "type": "array" + }, + "settings": { + "additionalProperties": { + "$ref": "pulumi.json#/Any" + }, + "description": "Settings of dashboard part.", + "type": "object" + }, + "type": { + "description": "The type of dashboard part.", + "type": "string" + } + }, + "required": [ + "type" + ], + "type": "object" + }, + "azure-native:portal:DashboardPartMetadataType": { "description": "The dashboard part metadata type.", "enum": [ { @@ -268,16 +298,16 @@ ], "type": "string" }, - "azure-native:portal/v20200901preview:DashboardParts": { + "azure-native:portal:DashboardParts": { "description": "A dashboard part.", "properties": { "metadata": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadata", - "description": "The dashboard part's metadata.", + "$ref": "#/types/azure-native:portal:DashboardPartMetadata", + "description": "The dashboard's part metadata.", "type": "object" }, "position": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardPartsPosition", + "$ref": "#/types/azure-native:portal:DashboardPartsPosition", "description": "The dashboard's part position.", "type": "object" } @@ -287,7 +317,7 @@ ], "type": "object" }, - "azure-native:portal/v20200901preview:DashboardPartsPosition": { + "azure-native:portal:DashboardPartsPosition": { "description": "The dashboard's part position.", "properties": { "colSpan": { @@ -319,7 +349,7 @@ ], "type": "object" }, - "azure-native:portal/v20200901preview:DashboardPartsPositionResponse": { + "azure-native:portal:DashboardPartsPositionResponse": { "description": "The dashboard's part position.", "properties": { "colSpan": { @@ -351,16 +381,16 @@ ], "type": "object" }, - "azure-native:portal/v20200901preview:DashboardPartsResponse": { + "azure-native:portal:DashboardPartsResponse": { "description": "A dashboard part.", "properties": { "metadata": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataResponse", - "description": "The dashboard part's metadata.", + "$ref": "#/types/azure-native:portal:DashboardPartMetadataResponse", + "description": "The dashboard's part metadata.", "type": "object" }, "position": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardPartsPositionResponse", + "$ref": "#/types/azure-native:portal:DashboardPartsPositionResponse", "description": "The dashboard's part position.", "type": "object" } @@ -370,13 +400,13 @@ ], "type": "object" }, - "azure-native:portal/v20200901preview:DashboardPropertiesWithProvisioningState": { + "azure-native:portal:DashboardPropertiesWithProvisioningState": { "description": "Dashboard Properties with Provisioning state", "properties": { "lenses": { "description": "The dashboard lenses.", "items": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardLens", + "$ref": "#/types/azure-native:portal:DashboardLens", "type": "object" }, "type": "array" @@ -388,13 +418,13 @@ }, "type": "object" }, - "azure-native:portal/v20200901preview:DashboardPropertiesWithProvisioningStateResponse": { + "azure-native:portal:DashboardPropertiesWithProvisioningStateResponse": { "description": "Dashboard Properties with Provisioning state", "properties": { "lenses": { "description": "The dashboard lenses.", "items": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardLensResponse", + "$ref": "#/types/azure-native:portal:DashboardLensResponse", "type": "object" }, "type": "array" @@ -413,155 +443,7 @@ ], "type": "object" }, - "azure-native:portal/v20200901preview:MarkdownPartMetadata": { - "description": "Markdown part metadata.", - "properties": { - "inputs": { - "description": "Input to dashboard part.", - "items": { - "$ref": "pulumi.json#/Any" - }, - "type": "array" - }, - "settings": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettings", - "description": "Markdown part settings.", - "type": "object" - }, - "type": { - "const": "Extension/HubsExtension/PartType/MarkdownPart", - "description": "The dashboard part metadata type.\nExpected value is 'Extension/HubsExtension/PartType/MarkdownPart'.", - "type": "string" - } - }, - "required": [ - "type" - ], - "type": "object" - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataResponse": { - "description": "Markdown part metadata.", - "properties": { - "inputs": { - "description": "Input to dashboard part.", - "items": { - "$ref": "pulumi.json#/Any" - }, - "type": "array" - }, - "settings": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsResponse", - "description": "Markdown part settings.", - "type": "object" - }, - "type": { - "const": "Extension/HubsExtension/PartType/MarkdownPart", - "description": "The dashboard part metadata type.\nExpected value is 'Extension/HubsExtension/PartType/MarkdownPart'.", - "type": "string" - } - }, - "required": [ - "type" - ], - "type": "object" - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettings": { - "description": "Markdown part settings.", - "properties": { - "content": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContent", - "description": "The content of markdown part.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContent": { - "description": "The content of markdown part.", - "properties": { - "settings": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentSettings", - "description": "The setting of the content of markdown part.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentResponse": { - "description": "The content of markdown part.", - "properties": { - "settings": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentSettingsResponse", - "description": "The setting of the content of markdown part.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentSettings": { - "description": "The setting of the content of markdown part.", - "properties": { - "content": { - "description": "The content of the markdown part.", - "type": "string" - }, - "markdownSource": { - "description": "The source of the content of the markdown part.", - "type": "integer" - }, - "markdownUri": { - "description": "The uri of markdown content.", - "type": "string" - }, - "subtitle": { - "description": "The subtitle of the markdown part.", - "type": "string" - }, - "title": { - "description": "The title of the markdown part.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentSettingsResponse": { - "description": "The setting of the content of markdown part.", - "properties": { - "content": { - "description": "The content of the markdown part.", - "type": "string" - }, - "markdownSource": { - "description": "The source of the content of the markdown part.", - "type": "integer" - }, - "markdownUri": { - "description": "The uri of markdown content.", - "type": "string" - }, - "subtitle": { - "description": "The subtitle of the markdown part.", - "type": "string" - }, - "title": { - "description": "The title of the markdown part.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsResponse": { - "description": "Markdown part settings.", - "properties": { - "content": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentResponse", - "description": "The content of markdown part.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:portal/v20200901preview:SystemDataResponse": { + "azure-native:portal:SystemDataResponse": { "description": "Metadata pertaining to creation and last modification of the resource.", "properties": { "createdAt": { @@ -591,349 +473,34 @@ }, "type": "object" }, - "azure-native:portal/v20200901preview:ViolationResponse": { - "description": "Violation information.", - "properties": { - "errorMessage": { - "description": "Error message.", - "type": "string" + "azure-native:storage:BlobAccessTier": { + "description": "The access tier of a storage blob.", + "enum": [ + { + "description": "Optimized for storing data that is accessed frequently.", + "value": "Hot" }, - "id": { - "description": "Id of the item that violates tenant configuration.", - "type": "string" + { + "description": "Optimized for storing data that is infrequently accessed and stored for at least 30 days.", + "value": "Cool" }, - "userId": { - "description": "Id of the user who owns violated item.", - "type": "string" + { + "description": "Optimized for storing data that is rarely accessed and stored for at least 180 days with flexible latency requirements, on the order of hours.", + "value": "Archive" } - }, - "required": [ - "errorMessage", - "id", - "userId" ], - "type": "object" + "type": "string" }, - "azure-native:portal:DashboardLens": { - "description": "A dashboard lens.", - "properties": { - "metadata": { - "$ref": "pulumi.json#/Any", - "description": "The dashboard len's metadata." - }, - "order": { - "description": "The lens order.", - "type": "integer" + "azure-native:storage:BlobType": { + "description": "The type of a storage blob to be created.", + "enum": [ + { + "description": "Block blobs store text and binary data. Block blobs are made up of blocks of data that can be managed individually.", + "value": "Block" }, - "parts": { - "description": "The dashboard parts.", - "items": { - "$ref": "#/types/azure-native:portal:DashboardParts", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "order", - "parts" - ], - "type": "object" - }, - "azure-native:portal:DashboardLensResponse": { - "description": "A dashboard lens.", - "properties": { - "metadata": { - "$ref": "pulumi.json#/Any", - "description": "The dashboard len's metadata." - }, - "order": { - "description": "The lens order.", - "type": "integer" - }, - "parts": { - "description": "The dashboard parts.", - "items": { - "$ref": "#/types/azure-native:portal:DashboardPartsResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "order", - "parts" - ], - "type": "object" - }, - "azure-native:portal:DashboardPartMetadata": { - "description": "A dashboard part metadata.", - "properties": { - "inputs": { - "description": "Inputs to dashboard part.", - "items": { - "$ref": "pulumi.json#/Any" - }, - "type": "array" - }, - "settings": { - "additionalProperties": { - "$ref": "pulumi.json#/Any" - }, - "description": "Settings of dashboard part.", - "type": "object" - }, - "type": { - "description": "The type of dashboard part.", - "type": "string" - } - }, - "required": [ - "type" - ], - "type": "object" - }, - "azure-native:portal:DashboardPartMetadataResponse": { - "description": "A dashboard part metadata.", - "properties": { - "inputs": { - "description": "Inputs to dashboard part.", - "items": { - "$ref": "pulumi.json#/Any" - }, - "type": "array" - }, - "settings": { - "additionalProperties": { - "$ref": "pulumi.json#/Any" - }, - "description": "Settings of dashboard part.", - "type": "object" - }, - "type": { - "description": "The type of dashboard part.", - "type": "string" - } - }, - "required": [ - "type" - ], - "type": "object" - }, - "azure-native:portal:DashboardPartMetadataType": { - "description": "The dashboard part metadata type.", - "enum": [ - { - "description": "The markdown part type.", - "name": "markdown", - "value": "Extension/HubsExtension/PartType/MarkdownPart" - } - ], - "type": "string" - }, - "azure-native:portal:DashboardParts": { - "description": "A dashboard part.", - "properties": { - "metadata": { - "$ref": "#/types/azure-native:portal:DashboardPartMetadata", - "description": "The dashboard's part metadata.", - "type": "object" - }, - "position": { - "$ref": "#/types/azure-native:portal:DashboardPartsPosition", - "description": "The dashboard's part position.", - "type": "object" - } - }, - "required": [ - "position" - ], - "type": "object" - }, - "azure-native:portal:DashboardPartsPosition": { - "description": "The dashboard's part position.", - "properties": { - "colSpan": { - "description": "The dashboard's part column span.", - "type": "integer" - }, - "metadata": { - "$ref": "pulumi.json#/Any", - "description": "The dashboard part's metadata." - }, - "rowSpan": { - "description": "The dashboard's part row span.", - "type": "integer" - }, - "x": { - "description": "The dashboard's part x coordinate.", - "type": "integer" - }, - "y": { - "description": "The dashboard's part y coordinate.", - "type": "integer" - } - }, - "required": [ - "colSpan", - "rowSpan", - "x", - "y" - ], - "type": "object" - }, - "azure-native:portal:DashboardPartsPositionResponse": { - "description": "The dashboard's part position.", - "properties": { - "colSpan": { - "description": "The dashboard's part column span.", - "type": "integer" - }, - "metadata": { - "$ref": "pulumi.json#/Any", - "description": "The dashboard part's metadata." - }, - "rowSpan": { - "description": "The dashboard's part row span.", - "type": "integer" - }, - "x": { - "description": "The dashboard's part x coordinate.", - "type": "integer" - }, - "y": { - "description": "The dashboard's part y coordinate.", - "type": "integer" - } - }, - "required": [ - "colSpan", - "rowSpan", - "x", - "y" - ], - "type": "object" - }, - "azure-native:portal:DashboardPartsResponse": { - "description": "A dashboard part.", - "properties": { - "metadata": { - "$ref": "#/types/azure-native:portal:DashboardPartMetadataResponse", - "description": "The dashboard's part metadata.", - "type": "object" - }, - "position": { - "$ref": "#/types/azure-native:portal:DashboardPartsPositionResponse", - "description": "The dashboard's part position.", - "type": "object" - } - }, - "required": [ - "position" - ], - "type": "object" - }, - "azure-native:portal:DashboardPropertiesWithProvisioningState": { - "description": "Dashboard Properties with Provisioning state", - "properties": { - "lenses": { - "description": "The dashboard lenses.", - "items": { - "$ref": "#/types/azure-native:portal:DashboardLens", - "type": "object" - }, - "type": "array" - }, - "metadata": { - "$ref": "pulumi.json#/Any", - "description": "The dashboard metadata." - } - }, - "type": "object" - }, - "azure-native:portal:DashboardPropertiesWithProvisioningStateResponse": { - "description": "Dashboard Properties with Provisioning state", - "properties": { - "lenses": { - "description": "The dashboard lenses.", - "items": { - "$ref": "#/types/azure-native:portal:DashboardLensResponse", - "type": "object" - }, - "type": "array" - }, - "metadata": { - "$ref": "pulumi.json#/Any", - "description": "The dashboard metadata." - }, - "provisioningState": { - "description": "The status of the last operation.", - "type": "string" - } - }, - "required": [ - "provisioningState" - ], - "type": "object" - }, - "azure-native:portal:SystemDataResponse": { - "description": "Metadata pertaining to creation and last modification of the resource.", - "properties": { - "createdAt": { - "description": "The timestamp of resource creation (UTC).", - "type": "string" - }, - "createdBy": { - "description": "The identity that created the resource.", - "type": "string" - }, - "createdByType": { - "description": "The type of identity that created the resource.", - "type": "string" - }, - "lastModifiedAt": { - "description": "The timestamp of resource last modification (UTC)", - "type": "string" - }, - "lastModifiedBy": { - "description": "The identity that last modified the resource.", - "type": "string" - }, - "lastModifiedByType": { - "description": "The type of identity that last modified the resource.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:storage:BlobAccessTier": { - "description": "The access tier of a storage blob.", - "enum": [ - { - "description": "Optimized for storing data that is accessed frequently.", - "value": "Hot" - }, - { - "description": "Optimized for storing data that is infrequently accessed and stored for at least 30 days.", - "value": "Cool" - }, - { - "description": "Optimized for storing data that is rarely accessed and stored for at least 180 days with flexible latency requirements, on the order of hours.", - "value": "Archive" - } - ], - "type": "string" - }, - "azure-native:storage:BlobType": { - "description": "The type of a storage blob to be created.", - "enum": [ - { - "description": "Block blobs store text and binary data. Block blobs are made up of blocks of data that can be managed individually.", - "value": "Block" - }, - { - "description": "Append blobs are made up of blocks like block blobs, but are optimized for append operations.", - "value": "Append" + { + "description": "Append blobs are made up of blocks like block blobs, but are optimized for append operations.", + "value": "Append" } ], "type": "string" @@ -943,263 +510,6 @@ [TestPortalDashboardGen - 4] { - "azure-native:portal/v20200901preview:ConfigurationProperties": { - "properties": { - "enforcePrivateMarkdownStorage": { - "type": "boolean" - } - } - }, - "azure-native:portal/v20200901preview:ConfigurationPropertiesResponse": { - "properties": { - "enforcePrivateMarkdownStorage": {}, - "provisioningState": {} - } - }, - "azure-native:portal/v20200901preview:DashboardLens": { - "properties": { - "metadata": { - "$ref": "pulumi.json#/Any" - }, - "order": { - "type": "integer" - }, - "parts": { - "items": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardParts", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "order", - "parts" - ] - }, - "azure-native:portal/v20200901preview:DashboardLensResponse": { - "properties": { - "metadata": { - "$ref": "pulumi.json#/Any" - }, - "order": {}, - "parts": { - "items": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardPartsResponse", - "type": "object" - } - } - }, - "required": [ - "order", - "parts" - ] - }, - "azure-native:portal/v20200901preview:DashboardParts": { - "properties": { - "metadata": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadata", - "type": "object" - }, - "position": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardPartsPosition", - "type": "object" - } - }, - "required": [ - "position" - ] - }, - "azure-native:portal/v20200901preview:DashboardPartsPosition": { - "properties": { - "colSpan": { - "type": "integer" - }, - "metadata": { - "$ref": "pulumi.json#/Any" - }, - "rowSpan": { - "type": "integer" - }, - "x": { - "type": "integer" - }, - "y": { - "type": "integer" - } - }, - "required": [ - "colSpan", - "rowSpan", - "x", - "y" - ] - }, - "azure-native:portal/v20200901preview:DashboardPartsPositionResponse": { - "properties": { - "colSpan": {}, - "metadata": { - "$ref": "pulumi.json#/Any" - }, - "rowSpan": {}, - "x": {}, - "y": {} - }, - "required": [ - "colSpan", - "rowSpan", - "x", - "y" - ] - }, - "azure-native:portal/v20200901preview:DashboardPartsResponse": { - "properties": { - "metadata": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataResponse" - }, - "position": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardPartsPositionResponse" - } - }, - "required": [ - "position" - ] - }, - "azure-native:portal/v20200901preview:DashboardPropertiesWithProvisioningState": { - "properties": { - "lenses": { - "items": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardLens", - "type": "object" - }, - "type": "array" - }, - "metadata": { - "$ref": "pulumi.json#/Any" - } - } - }, - "azure-native:portal/v20200901preview:DashboardPropertiesWithProvisioningStateResponse": { - "properties": { - "lenses": { - "items": { - "$ref": "#/types/azure-native:portal/v20200901preview:DashboardLensResponse", - "type": "object" - } - }, - "metadata": { - "$ref": "pulumi.json#/Any" - }, - "provisioningState": {} - } - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadata": { - "properties": { - "inputs": { - "type": "array" - }, - "settings": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettings", - "type": "object" - }, - "type": { - "const": "Extension/HubsExtension/PartType/MarkdownPart", - "type": "string" - } - }, - "required": [ - "type" - ] - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataResponse": { - "properties": { - "inputs": {}, - "settings": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsResponse" - }, - "type": { - "const": "Extension/HubsExtension/PartType/MarkdownPart" - } - }, - "required": [ - "type" - ] - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettings": { - "properties": { - "content": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContent", - "type": "object" - } - } - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContent": { - "properties": { - "settings": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentSettings", - "type": "object" - } - } - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentResponse": { - "properties": { - "settings": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentSettingsResponse" - } - } - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentSettings": { - "properties": { - "content": { - "type": "string" - }, - "markdownSource": { - "type": "integer" - }, - "markdownUri": { - "type": "string" - }, - "subtitle": { - "type": "string" - }, - "title": { - "type": "string" - } - } - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentSettingsResponse": { - "properties": { - "content": {}, - "markdownSource": {}, - "markdownUri": {}, - "subtitle": {}, - "title": {} - } - }, - "azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsResponse": { - "properties": { - "content": { - "$ref": "#/types/azure-native:portal/v20200901preview:MarkdownPartMetadataSettingsContentResponse" - } - } - }, - "azure-native:portal/v20200901preview:SystemDataResponse": { - "properties": { - "createdAt": {}, - "createdBy": {}, - "createdByType": {}, - "lastModifiedAt": {}, - "lastModifiedBy": {}, - "lastModifiedByType": {} - } - }, - "azure-native:portal/v20200901preview:ViolationResponse": { - "properties": { - "errorMessage": {}, - "id": {}, - "userId": {} - } - }, "azure-native:portal:DashboardLens": { "properties": { "metadata": { diff --git a/provider/pkg/gen/__snapshots__/gen_vnet_test.snap b/provider/pkg/gen/__snapshots__/gen_vnet_test.snap index 5d8138f0602e..124adc90b3fd 100755 --- a/provider/pkg/gen/__snapshots__/gen_vnet_test.snap +++ b/provider/pkg/gen/__snapshots__/gen_vnet_test.snap @@ -146,47 +146,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getActiveSessions": { - "description": "Returns the list of currently active sessions on the Bastion.", - "inputs": { - "properties": { - "bastionHostName": { - "description": "The name of the Bastion Host.", - "type": "string", - "willReplaceOnChanges": true - }, - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "required": [ - "bastionHostName", - "resourceGroupName" - ], - "type": "object" - }, - "outputs": { - "description": "Response for GetActiveSessions.", - "properties": { - "nextLink": { - "description": "The URL to get the next set of results.", - "type": "string" - }, - "value": { - "description": "List of active sessions on the bastion.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionActiveSessionResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - } - }, - "azure-native:network/v20230201:getAdminRule": { + "azure-native:network:getAdminRule": { "description": "Gets a network manager security configuration admin rule.", "inputs": { "properties": { @@ -250,7 +210,7 @@ "destinations": { "description": "The destination address prefixes. CIDR or destination IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" }, "type": "array" @@ -302,13 +262,13 @@ "sources": { "description": "The CIDR or source IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" }, "type": "array" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -335,7 +295,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getAdminRuleCollection": { + "azure-native:network:getAdminRuleCollection": { "description": "Gets a network manager security admin configuration rule collection.", "inputs": { "properties": { @@ -374,7 +334,7 @@ "appliesToGroups": { "description": "Groups for configuration", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", "type": "object" }, "type": "array" @@ -408,7 +368,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -431,7 +391,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getApplicationGateway": { + "azure-native:network:getApplicationGateway": { "description": "Gets the specified application gateway.", "inputs": { "properties": { @@ -458,13 +418,13 @@ "authenticationCertificates": { "description": "Authentication certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse", "type": "object" }, "type": "array" }, "autoscaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAutoscaleConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse", "description": "Autoscale Configuration.", "type": "object" }, @@ -475,7 +435,7 @@ "backendAddressPools": { "description": "Backend address pool of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", "type": "object" }, "type": "array" @@ -483,7 +443,7 @@ "backendHttpSettingsCollection": { "description": "Backend http settings of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHttpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse", "type": "object" }, "type": "array" @@ -491,7 +451,7 @@ "backendSettingsCollection": { "description": "Backend settings of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse", "type": "object" }, "type": "array" @@ -499,7 +459,7 @@ "customErrorConfigurations": { "description": "Custom error configurations of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomErrorResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", "type": "object" }, "type": "array" @@ -521,7 +481,7 @@ "type": "string" }, "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Reference to the FirewallPolicy resource.", "type": "object" }, @@ -532,7 +492,7 @@ "frontendIPConfigurations": { "description": "Frontend IP addresses of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse", "type": "object" }, "type": "array" @@ -540,7 +500,7 @@ "frontendPorts": { "description": "Frontend ports of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendPortResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse", "type": "object" }, "type": "array" @@ -548,20 +508,20 @@ "gatewayIPConfigurations": { "description": "Subnets of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", "type": "object" }, "type": "array" }, "globalConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayGlobalConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse", "description": "Global Configuration.", "type": "object" }, "httpListeners": { "description": "Http listeners of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHttpListenerResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse", "type": "object" }, "type": "array" @@ -571,14 +531,14 @@ "type": "string" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse", "description": "The identity of the application gateway, if configured.", "type": "object" }, "listeners": { "description": "Listeners of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayListenerResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListenerResponse", "type": "object" }, "type": "array" @@ -586,7 +546,7 @@ "loadDistributionPolicies": { "description": "Load distribution policies of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse", "type": "object" }, "type": "array" @@ -606,7 +566,7 @@ "privateEndpointConnections": { "description": "Private Endpoint connections on application gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse", "type": "object" }, "type": "array" @@ -614,7 +574,7 @@ "privateLinkConfigurations": { "description": "PrivateLink configurations on application gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse", "type": "object" }, "type": "array" @@ -622,7 +582,7 @@ "probes": { "description": "Probes of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeResponse", "type": "object" }, "type": "array" @@ -634,7 +594,7 @@ "redirectConfigurations": { "description": "Redirect configurations of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRedirectConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse", "type": "object" }, "type": "array" @@ -642,7 +602,7 @@ "requestRoutingRules": { "description": "Request routing rules of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRequestRoutingRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse", "type": "object" }, "type": "array" @@ -654,7 +614,7 @@ "rewriteRuleSets": { "description": "Rewrite rules for the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleSetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse", "type": "object" }, "type": "array" @@ -662,33 +622,33 @@ "routingRules": { "description": "Routing rules of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRoutingRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse", "type": "object" }, "type": "array" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySkuResponse", "description": "SKU of the application gateway resource.", "type": "object" }, "sslCertificates": { "description": "SSL certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse", "type": "object" }, "type": "array" }, "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", "description": "SSL policy of the application gateway resource.", "type": "object" }, "sslProfiles": { "description": "SSL profiles of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslProfileResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse", "type": "object" }, "type": "array" @@ -703,7 +663,7 @@ "trustedClientCertificates": { "description": "Trusted client certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse", "type": "object" }, "type": "array" @@ -711,7 +671,7 @@ "trustedRootCertificates": { "description": "Trusted Root certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse", "type": "object" }, "type": "array" @@ -723,13 +683,13 @@ "urlPathMaps": { "description": "URL path map of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlPathMapResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse", "type": "object" }, "type": "array" }, "webApplicationFirewallConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse", "description": "Web application firewall configuration.", "type": "object" }, @@ -755,91 +715,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getApplicationGatewayBackendHealthOnDemand": { - "description": "Gets the backend health for given combination of backend pool and http setting of the specified application gateway in a resource group.", - "inputs": { - "properties": { - "applicationGatewayName": { - "description": "The name of the application gateway.", - "type": "string", - "willReplaceOnChanges": true - }, - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to backend pool of application gateway to which probe request will be sent.", - "type": "object" - }, - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to backend http setting of application gateway to be used for test probe.", - "type": "object" - }, - "expand": { - "description": "Expands BackendAddressPool and BackendHttpSettings referenced in backend health.", - "type": "string" - }, - "host": { - "description": "Host name to send the probe to.", - "type": "string" - }, - "match": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeHealthResponseMatch", - "description": "Criterion for classifying a healthy probe response.", - "type": "object" - }, - "path": { - "description": "Relative path of probe. Valid path starts from '/'. Probe is sent to \u003cProtocol\u003e://\u003chost\u003e:\u003cport\u003e\u003cpath\u003e.", - "type": "string" - }, - "pickHostNameFromBackendHttpSettings": { - "description": "Whether the host header should be picked from the backend http settings. Default value is false.", - "type": "boolean" - }, - "protocol": { - "description": "The protocol used for the probe.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProtocol" - } - ] - }, - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "timeout": { - "description": "The probe timeout in seconds. Probe marked as failed if valid response is not received with this timeout period. Acceptable values are from 1 second to 86400 seconds.", - "type": "integer" - } - }, - "required": [ - "applicationGatewayName", - "resourceGroupName" - ], - "type": "object" - }, - "outputs": { - "description": "Result of on demand test probe.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse", - "description": "Reference to an ApplicationGatewayBackendAddressPool resource.", - "type": "object" - }, - "backendHealthHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHealthHttpSettingsResponse", - "description": "Application gateway BackendHealthHttp settings.", - "type": "object" - } - }, - "type": "object" - } - }, - "azure-native:network/v20230201:getApplicationGatewayPrivateEndpointConnection": { + "azure-native:network:getApplicationGatewayPrivateEndpointConnection": { "description": "Gets the specified private endpoint connection on application gateway.", "inputs": { "properties": { @@ -890,12 +766,12 @@ "type": "string" }, "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "description": "The resource of private end point.", "type": "object" }, "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", "description": "A collection of information about the state of the connection between service consumer and provider.", "type": "object" }, @@ -919,7 +795,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getApplicationSecurityGroup": { + "azure-native:network:getApplicationSecurityGroup": { "description": "Gets information about the specified application security group.", "inputs": { "properties": { @@ -994,7 +870,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getAzureFirewall": { + "azure-native:network:getAzureFirewall": { "description": "Gets the specified Azure Firewall.", "inputs": { "properties": { @@ -1028,7 +904,7 @@ "applicationRuleCollections": { "description": "Collection of application rule collections used by Azure Firewall.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollectionResponse", "type": "object" }, "type": "array" @@ -1042,12 +918,12 @@ "type": "string" }, "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The firewallPolicy associated with this azure firewall.", "type": "object" }, "hubIPAddresses": { - "$ref": "#/types/azure-native:network/v20230201:HubIPAddressesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddressesResponse", "description": "IP addresses associated with AzureFirewall.", "type": "object" }, @@ -1058,7 +934,7 @@ "ipConfigurations": { "description": "IP configuration of the Azure Firewall resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", "type": "object" }, "type": "array" @@ -1066,7 +942,7 @@ "ipGroups": { "description": "IpGroups associated with AzureFirewall.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIpGroupsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIpGroupsResponse", "type": "object" }, "type": "array" @@ -1076,7 +952,7 @@ "type": "string" }, "managementIpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", "description": "IP configuration of the Azure Firewall used for management traffic.", "type": "object" }, @@ -1087,7 +963,7 @@ "natRuleCollections": { "description": "Collection of NAT rule collections used by Azure Firewall.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollectionResponse", "type": "object" }, "type": "array" @@ -1095,7 +971,7 @@ "networkRuleCollections": { "description": "Collection of network rule collections used by Azure Firewall.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollectionResponse", "type": "object" }, "type": "array" @@ -1105,7 +981,7 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallSkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSkuResponse", "description": "The Azure Firewall Resource SKU.", "type": "object" }, @@ -1125,7 +1001,7 @@ "type": "string" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The virtualHub to which the firewall belongs.", "type": "object" }, @@ -1148,7 +1024,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getBastionHost": { + "azure-native:network:getBastionHost": { "description": "Gets the specified Bastion Host.", "inputs": { "properties": { @@ -1221,7 +1097,7 @@ "ipConfigurations": { "description": "IP configuration of the Bastion Host resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionHostIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfigurationResponse", "type": "object" }, "type": "array" @@ -1243,7 +1119,7 @@ "type": "integer" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:SkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SkuResponse", "description": "The sku of this Bastion Host.", "type": "object" }, @@ -1269,55 +1145,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getBastionShareableLink": { - "description": "Return the Bastion Shareable Links for all the VMs specified in the request.", - "inputs": { - "properties": { - "bastionHostName": { - "description": "The name of the Bastion Host.", - "type": "string", - "willReplaceOnChanges": true - }, - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "vms": { - "description": "List of VM references.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionShareableLink", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "bastionHostName", - "resourceGroupName" - ], - "type": "object" - }, - "outputs": { - "description": "Response for all the Bastion Shareable Link endpoints.", - "properties": { - "nextLink": { - "description": "The URL to get the next set of results.", - "type": "string" - }, - "value": { - "description": "List of Bastion Shareable Links for the request.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionShareableLinkResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - } - }, - "azure-native:network/v20230201:getConfigurationPolicyGroup": { + "azure-native:network:getConfigurationPolicyGroup": { "description": "Retrieves the details of a ConfigurationPolicyGroup.", "inputs": { "properties": { @@ -1370,7 +1198,7 @@ "p2SConnectionConfigurations": { "description": "List of references to P2SConnectionConfigurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -1378,7 +1206,7 @@ "policyMembers": { "description": "Multiple PolicyMembers for VpnServerConfigurationPolicyGroup.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMemberResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse", "type": "object" }, "type": "array" @@ -1406,7 +1234,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getConnectionMonitor": { + "azure-native:network:getConnectionMonitor": { "description": "Gets a connection monitor by name.", "inputs": { "properties": { @@ -1450,14 +1278,14 @@ "type": "string" }, "destination": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorDestinationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestinationResponse", "description": "Describes the destination of connection monitor.", "type": "object" }, "endpoints": { "description": "List of connection monitor endpoints.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointResponse", "type": "object" }, "type": "array" @@ -1494,7 +1322,7 @@ "outputs": { "description": "List of connection monitor outputs.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorOutputResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutputResponse", "type": "object" }, "type": "array" @@ -1504,7 +1332,7 @@ "type": "string" }, "source": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorSourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSourceResponse", "description": "Describes the source of connection monitor.", "type": "object" }, @@ -1522,7 +1350,7 @@ "testConfigurations": { "description": "List of connection monitor test configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationResponse", "type": "object" }, "type": "array" @@ -1530,7 +1358,7 @@ "testGroups": { "description": "List of connection monitor test groups.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroupResponse", "type": "object" }, "type": "array" @@ -1554,7 +1382,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getConnectivityConfiguration": { + "azure-native:network:getConnectivityConfiguration": { "description": "Gets a Network Connectivity Configuration, specified by the resource group, network manager name, and connectivity Configuration name", "inputs": { "properties": { @@ -1587,7 +1415,7 @@ "appliesToGroups": { "description": "Groups for configuration", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectivityGroupItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", "type": "object" }, "type": "array" @@ -1615,7 +1443,7 @@ "hubs": { "description": "List of hubItems", "items": { - "$ref": "#/types/azure-native:network/v20230201:HubResponse", + "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", "type": "object" }, "type": "array" @@ -1641,7 +1469,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -1665,7 +1493,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getCustomIPPrefix": { + "azure-native:network:getCustomIPPrefix": { "description": "Gets the specified custom IP prefix in a specified resource group.", "inputs": { "properties": { @@ -1708,7 +1536,7 @@ "childCustomIpPrefixes": { "description": "The list of all Children for IPv6 /48 CustomIpPrefix.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -1722,7 +1550,7 @@ "type": "string" }, "customIpPrefixParent": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Parent CustomIpPrefix for IPv6 /64 CustomIpPrefix.", "type": "object" }, @@ -1735,7 +1563,7 @@ "type": "boolean" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the custom IP prefix.", "type": "object" }, @@ -1774,7 +1602,7 @@ "publicIpPrefixes": { "description": "The list of all referenced PublicIpPrefixes.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -1820,7 +1648,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getDdosCustomPolicy": { + "azure-native:network:getDdosCustomPolicy": { "description": "Gets information about the specified DDoS custom policy.", "inputs": { "properties": { @@ -1895,7 +1723,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getDdosProtectionPlan": { + "azure-native:network:getDdosProtectionPlan": { "description": "Gets information about the specified DDoS protection plan.", "inputs": { "properties": { @@ -1946,7 +1774,7 @@ "publicIPAddresses": { "description": "The list of public IPs associated with the DDoS protection plan resource. This list is read-only.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -1969,7 +1797,7 @@ "virtualNetworks": { "description": "The list of virtual networks associated with the DDoS protection plan resource. This list is read-only.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -1989,7 +1817,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getDefaultAdminRule": { + "azure-native:network:getDefaultAdminRule": { "description": "Gets a network manager security configuration admin rule.", "inputs": { "properties": { @@ -2053,7 +1881,7 @@ "destinations": { "description": "The destination address prefixes. CIDR or destination IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" }, "type": "array" @@ -2109,13 +1937,13 @@ "sources": { "description": "The CIDR or source IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" }, "type": "array" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -2147,7 +1975,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getDscpConfiguration": { + "azure-native:network:getDscpConfiguration": { "description": "Gets a DSCP Configuration.", "inputs": { "properties": { @@ -2174,7 +2002,7 @@ "associatedNetworkInterfaces": { "description": "Associated Network Interfaces to the DSCP Configuration.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" }, "type": "array" @@ -2186,7 +2014,7 @@ "destinationIpRanges": { "description": "Destination IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", "type": "object" }, "type": "array" @@ -2194,7 +2022,7 @@ "destinationPortRanges": { "description": "Destination port ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", "type": "object" }, "type": "array" @@ -2237,7 +2065,7 @@ "qosDefinitionCollection": { "description": "QoS object definitions", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosDefinitionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosDefinitionResponse", "type": "object" }, "type": "array" @@ -2249,7 +2077,7 @@ "sourceIpRanges": { "description": "Source IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", "type": "object" }, "type": "array" @@ -2257,7 +2085,7 @@ "sourcePortRanges": { "description": "Sources port ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", "type": "object" }, "type": "array" @@ -2287,7 +2115,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getExpressRouteCircuit": { + "azure-native:network:getExpressRouteCircuit": { "description": "Gets information about the specified express route circuit.", "inputs": { "properties": { @@ -2326,7 +2154,7 @@ "authorizations": { "description": "The list of authorizations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitAuthorizationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorizationResponse", "type": "object" }, "type": "array" @@ -2348,7 +2176,7 @@ "type": "string" }, "expressRoutePort": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to the ExpressRoutePort resource when the circuit is provisioned on an ExpressRoutePort resource.", "type": "object" }, @@ -2375,7 +2203,7 @@ "peerings": { "description": "The list of peerings.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", "type": "object" }, "type": "array" @@ -2393,7 +2221,7 @@ "type": "string" }, "serviceProviderProperties": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitServiceProviderPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderPropertiesResponse", "description": "The ServiceProviderProperties.", "type": "object" }, @@ -2402,7 +2230,7 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitSkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSkuResponse", "description": "The SKU.", "type": "object" }, @@ -2434,7 +2262,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getExpressRouteCircuitAuthorization": { + "azure-native:network:getExpressRouteCircuitAuthorization": { "description": "Gets the specified authorization from the specified express route circuit.", "inputs": { "properties": { @@ -2506,7 +2334,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getExpressRouteCircuitConnection": { + "azure-native:network:getExpressRouteCircuitConnection": { "description": "Gets the specified Express Route Circuit Connection from the specified express route circuit.", "inputs": { "properties": { @@ -2563,7 +2391,7 @@ "type": "string" }, "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Reference to Express Route Circuit Private Peering Resource of the circuit initiating connection.", "type": "object" }, @@ -2572,7 +2400,7 @@ "type": "string" }, "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6CircuitConnectionConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse", "description": "IPv6 Address PrefixProperties of the express route circuit connection.", "type": "object" }, @@ -2581,7 +2409,7 @@ "type": "string" }, "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Reference to Express Route Circuit Private Peering Resource of the peered circuit.", "type": "object" }, @@ -2604,7 +2432,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getExpressRouteCircuitPeering": { + "azure-native:network:getExpressRouteCircuitPeering": { "description": "Gets the specified peering for the express route circuit.", "inputs": { "properties": { @@ -2645,7 +2473,7 @@ "connections": { "description": "The list of circuit connections associated with Azure Private Peering for this circuit.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse", "type": "object" }, "type": "array" @@ -2655,7 +2483,7 @@ "type": "string" }, "expressRouteConnection": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnectionIdResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse", "description": "The ExpressRoute connection.", "type": "object" }, @@ -2668,7 +2496,7 @@ "type": "string" }, "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", "description": "The IPv6 peering configuration.", "type": "object" }, @@ -2677,7 +2505,7 @@ "type": "string" }, "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", "description": "The Microsoft peering configuration.", "type": "object" }, @@ -2692,7 +2520,7 @@ "peeredConnections": { "description": "The list of peered circuit connections associated with Azure Private Peering for this circuit.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PeerExpressRouteCircuitConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse", "type": "object" }, "type": "array" @@ -2714,7 +2542,7 @@ "type": "string" }, "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to the RouteFilter resource.", "type": "object" }, @@ -2735,7 +2563,7 @@ "type": "string" }, "stats": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitStatsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse", "description": "The peering stats of express route circuit.", "type": "object" }, @@ -2759,7 +2587,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getExpressRouteConnection": { + "azure-native:network:getExpressRouteConnection": { "description": "Gets the specified ExpressRouteConnection.", "inputs": { "properties": { @@ -2806,7 +2634,7 @@ "type": "boolean" }, "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringIdResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse", "description": "The ExpressRoute circuit peering.", "type": "object" }, @@ -2827,7 +2655,7 @@ "type": "string" }, "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", "type": "object" }, @@ -2845,7 +2673,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getExpressRouteCrossConnectionPeering": { + "azure-native:network:getExpressRouteCrossConnectionPeering": { "description": "Gets the specified peering for the ExpressRouteCrossConnection.", "inputs": { "properties": { @@ -2896,7 +2724,7 @@ "type": "string" }, "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", "description": "The IPv6 peering configuration.", "type": "object" }, @@ -2905,7 +2733,7 @@ "type": "string" }, "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", "description": "The Microsoft peering configuration.", "type": "object" }, @@ -2966,7 +2794,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getExpressRouteGateway": { + "azure-native:network:getExpressRouteGateway": { "description": "Fetches the details of a ExpressRoute gateway in a resource group.", "inputs": { "properties": { @@ -2995,7 +2823,7 @@ "type": "boolean" }, "autoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", "description": "Configuration for auto scaling.", "type": "object" }, @@ -3010,7 +2838,7 @@ "expressRouteConnections": { "description": "List of ExpressRoute connections to the ExpressRoute gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionResponse", "type": "object" }, "type": "array" @@ -3043,7 +2871,7 @@ "type": "string" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubIdResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubIdResponse", "description": "The Virtual Hub where the ExpressRoute gateway is or will be deployed.", "type": "object" } @@ -3059,7 +2887,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getExpressRoutePort": { + "azure-native:network:getExpressRoutePort": { "description": "Retrieves the requested ExpressRoutePort resource.", "inputs": { "properties": { @@ -3102,7 +2930,7 @@ "circuits": { "description": "Reference the ExpressRoute circuit(s) that are provisioned on this ExpressRoutePort resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -3124,14 +2952,14 @@ "type": "string" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse", "description": "The identity of ExpressRoutePort, if configured.", "type": "object" }, "links": { "description": "The set of physical links of the ExpressRoutePort resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkResponse", "type": "object" }, "type": "array" @@ -3192,7 +3020,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getExpressRoutePortAuthorization": { + "azure-native:network:getExpressRoutePortAuthorization": { "description": "Gets the specified authorization from the specified express route port.", "inputs": { "properties": { @@ -3271,7 +3099,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getFirewallPolicy": { + "azure-native:network:getFirewallPolicy": { "description": "Gets the specified Firewall Policy.", "inputs": { "properties": { @@ -3304,20 +3132,20 @@ "type": "string" }, "basePolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The parent firewall policy from which rules are inherited.", "type": "object" }, "childPolicies": { "description": "List of references to Child Firewall Policies.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" }, "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:DnsSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DnsSettingsResponse", "description": "DNS Proxy Settings definition.", "type": "object" }, @@ -3326,14 +3154,14 @@ "type": "string" }, "explicitProxy": { - "$ref": "#/types/azure-native:network/v20230201:ExplicitProxyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxyResponse", "description": "Explicit Proxy Settings definition.", "type": "object" }, "firewalls": { "description": "List of references to Azure Firewalls that this Firewall Policy is associated with.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -3343,17 +3171,17 @@ "type": "string" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse", "description": "The identity of the firewall policy.", "type": "object" }, "insights": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyInsightsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsightsResponse", "description": "Insights on Firewall Policy.", "type": "object" }, "intrusionDetection": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionResponse", "description": "The configuration for Intrusion detection.", "type": "object" }, @@ -3372,23 +3200,23 @@ "ruleCollectionGroups": { "description": "List of references to FirewallPolicyRuleCollectionGroups.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySkuResponse", "description": "The Firewall Policy SKU.", "type": "object" }, "snat": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySNATResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNATResponse", "description": "The private IP addresses/IP ranges to which traffic will not be SNAT.", "type": "object" }, "sql": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySQLResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQLResponse", "description": "SQL Settings definition.", "type": "object" }, @@ -3404,12 +3232,12 @@ "type": "string" }, "threatIntelWhitelist": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyThreatIntelWhitelistResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelistResponse", "description": "ThreatIntel Whitelist for Firewall Policy.", "type": "object" }, "transportSecurity": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyTransportSecurityResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurityResponse", "description": "TLS Configuration definition.", "type": "object" }, @@ -3431,7 +3259,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getFirewallPolicyRuleCollectionGroup": { + "azure-native:network:getFirewallPolicyRuleCollectionGroup": { "description": "Gets the specified FirewallPolicyRuleCollectionGroup.", "inputs": { "properties": { @@ -3490,18 +3318,18 @@ "items": { "discriminator": { "mapping": { - "FirewallPolicyFilterRuleCollection": "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionResponse", - "FirewallPolicyNatRuleCollection": "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollectionResponse" + "FirewallPolicyFilterRuleCollection": "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse", + "FirewallPolicyNatRuleCollection": "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse" }, "propertyName": "ruleCollectionType" }, "oneOf": [ { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse", "type": "object" }, { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse", "type": "object" } ] @@ -3522,7 +3350,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getFlowLog": { + "azure-native:network:getFlowLog": { "description": "Gets a flow log resource by name.", "inputs": { "properties": { @@ -3565,12 +3393,12 @@ "type": "string" }, "flowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse", "description": "Parameters that define the configuration of traffic analytics.", "type": "object" }, "format": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogFormatParametersResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParametersResponse", "description": "Parameters that define the flow log format.", "type": "object" }, @@ -3591,7 +3419,7 @@ "type": "string" }, "retentionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:RetentionPolicyParametersResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParametersResponse", "description": "Parameters that define the retention policy for flow log.", "type": "object" }, @@ -3632,7 +3460,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getHubRouteTable": { + "azure-native:network:getHubRouteTable": { "description": "Retrieves the details of a RouteTable.", "inputs": { "properties": { @@ -3706,7 +3534,7 @@ "routes": { "description": "List of all routes.", "items": { - "$ref": "#/types/azure-native:network/v20230201:HubRouteResponse", + "$ref": "#/types/azure-native_network_v20230201:network:HubRouteResponse", "type": "object" }, "type": "array" @@ -3727,7 +3555,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getHubVirtualNetworkConnection": { + "azure-native:network:getHubVirtualNetworkConnection": { "description": "Retrieves the details of a HubVirtualNetworkConnection.", "inputs": { "properties": { @@ -3790,12 +3618,12 @@ "type": "string" }, "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Reference to the remote virtual network.", "type": "object" }, "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", "type": "object" } @@ -3808,7 +3636,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getInboundNatRule": { + "azure-native:network:getInboundNatRule": { "description": "Gets the specified load balancer inbound NAT rule.", "inputs": { "properties": { @@ -3847,12 +3675,12 @@ "type": "string" }, "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "A reference to backendAddressPool resource.", "type": "object" }, "backendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "description": "A reference to a private IP address defined on a network interface of a VM. Traffic sent to the frontend port of each of the frontend IP configurations is forwarded to the backend IP.", "type": "object" }, @@ -3873,7 +3701,7 @@ "type": "string" }, "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "A reference to frontend IP addresses.", "type": "object" }, @@ -3924,7 +3752,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getIpAllocation": { + "azure-native:network:getIpAllocation": { "description": "Gets the specified IpAllocation by resource group.", "inputs": { "properties": { @@ -3997,7 +3825,7 @@ "type": "string" }, "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Subnet that using the prefix of this IpAllocation resource.", "type": "object" }, @@ -4013,7 +3841,7 @@ "type": "string" }, "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VirtualNetwork that using the prefix of this IpAllocation resource.", "type": "object" } @@ -4029,7 +3857,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getIpGroup": { + "azure-native:network:getIpGroup": { "description": "Gets the specified ipGroups.", "inputs": { "properties": { @@ -4068,7 +3896,7 @@ "firewallPolicies": { "description": "List of references to Firewall Policies resources that this IpGroups is associated with.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -4076,7 +3904,7 @@ "firewalls": { "description": "List of references to Firewall resources that this IpGroups is associated with.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -4128,7 +3956,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getLoadBalancer": { + "azure-native:network:getLoadBalancer": { "description": "Gets the specified load balancer.", "inputs": { "properties": { @@ -4163,7 +3991,7 @@ "backendAddressPools": { "description": "Collection of backend address pools used by a load balancer.", "items": { - "$ref": "#/types/azure-native:network/v20230201:BackendAddressPoolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPoolResponse", "type": "object" }, "type": "array" @@ -4173,14 +4001,14 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the load balancer.", "type": "object" }, "frontendIPConfigurations": { "description": "Object representing the frontend IPs to be used for the load balancer.", "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", "type": "object" }, "type": "array" @@ -4192,7 +4020,7 @@ "inboundNatPools": { "description": "Defines an external port range for inbound NAT to a single backend port on NICs associated with a load balancer. Inbound NAT rules are created automatically for each NIC associated with the Load Balancer using an external port from this range. Defining an Inbound NAT pool on your Load Balancer is mutually exclusive with defining inbound NAT rules. Inbound NAT pools are referenced from virtual machine scale sets. NICs that are associated with individual virtual machines cannot reference an inbound NAT pool. They have to reference individual inbound NAT rules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatPoolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPoolResponse", "type": "object" }, "type": "array" @@ -4200,7 +4028,7 @@ "inboundNatRules": { "description": "Collection of inbound NAT Rules used by a load balancer. Defining inbound NAT rules on your load balancer is mutually exclusive with defining an inbound NAT pool. Inbound NAT pools are referenced from virtual machine scale sets. NICs that are associated with individual virtual machines cannot reference an Inbound NAT pool. They have to reference individual inbound NAT rules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRuleResponse", "type": "object" }, "type": "array" @@ -4208,7 +4036,7 @@ "loadBalancingRules": { "description": "Object collection representing the load balancing rules Gets the provisioning.", "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancingRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRuleResponse", "type": "object" }, "type": "array" @@ -4224,7 +4052,7 @@ "outboundRules": { "description": "The outbound rules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:OutboundRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:OutboundRuleResponse", "type": "object" }, "type": "array" @@ -4232,7 +4060,7 @@ "probes": { "description": "Collection of probe objects used in the load balancer.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ProbeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ProbeResponse", "type": "object" }, "type": "array" @@ -4246,7 +4074,7 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerSkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSkuResponse", "description": "The load balancer SKU.", "type": "object" }, @@ -4273,7 +4101,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getLoadBalancerBackendAddressPool": { + "azure-native:network:getLoadBalancerBackendAddressPool": { "description": "Gets load balancer backend address pool.", "inputs": { "properties": { @@ -4310,7 +4138,7 @@ "backendIPConfigurations": { "description": "An array of references to IP addresses defined in network interfaces.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "type": "object" }, "type": "array" @@ -4330,7 +4158,7 @@ "inboundNatRules": { "description": "An array of references to inbound NAT rules that use this backend address pool.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -4338,7 +4166,7 @@ "loadBalancerBackendAddresses": { "description": "An array of backend addresses.", "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerBackendAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse", "type": "object" }, "type": "array" @@ -4346,7 +4174,7 @@ "loadBalancingRules": { "description": "An array of references to load balancing rules that use this backend address pool.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -4360,14 +4188,14 @@ "type": "string" }, "outboundRule": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "A reference to an outbound rule that uses this backend address pool.", "type": "object" }, "outboundRules": { "description": "An array of references to outbound rules that use this backend address pool.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -4379,7 +4207,7 @@ "tunnelInterfaces": { "description": "An array of gateway load balancer tunnel interfaces.", "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse", "type": "object" }, "type": "array" @@ -4389,7 +4217,7 @@ "type": "string" }, "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "A reference to a virtual network.", "type": "object" } @@ -4408,7 +4236,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getLocalNetworkGateway": { + "azure-native:network:getLocalNetworkGateway": { "description": "Gets the specified local network gateway in a resource group.", "inputs": { "properties": { @@ -4437,7 +4265,7 @@ "type": "string" }, "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "description": "Local network gateway's BGP speaker settings.", "type": "object" }, @@ -4458,7 +4286,7 @@ "type": "string" }, "localNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "Local network site address space.", "type": "object" }, @@ -4501,7 +4329,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getManagementGroupNetworkManagerConnection": { + "azure-native:network:getManagementGroupNetworkManagerConnection": { "description": "Get a specified connection created by this management group.", "inputs": { "properties": { @@ -4550,7 +4378,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -4570,7 +4398,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getNatGateway": { + "azure-native:network:getNatGateway": { "description": "Gets the specified nat gateway in a specified resource group.", "inputs": { "properties": { @@ -4629,7 +4457,7 @@ "publicIpAddresses": { "description": "An array of public ip addresses associated with the nat gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -4637,7 +4465,7 @@ "publicIpPrefixes": { "description": "An array of public ip prefixes associated with the nat gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -4647,14 +4475,14 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewaySkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySkuResponse", "description": "The nat gateway SKU.", "type": "object" }, "subnets": { "description": "An array of references to the subnets using this nat gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -4690,7 +4518,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getNatRule": { + "azure-native:network:getNatRule": { "description": "Retrieves the details of a nat ruleGet.", "inputs": { "properties": { @@ -4727,7 +4555,7 @@ "egressVpnSiteLinkConnections": { "description": "List of egress VpnSiteLinkConnections.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -4739,7 +4567,7 @@ "externalMappings": { "description": "The private IP address external mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", "type": "object" }, "type": "array" @@ -4751,7 +4579,7 @@ "ingressVpnSiteLinkConnections": { "description": "List of ingress VpnSiteLinkConnections.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -4759,7 +4587,7 @@ "internalMappings": { "description": "The private IP address internal mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", "type": "object" }, "type": "array" @@ -4796,7 +4624,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getNetworkGroup": { + "azure-native:network:getNetworkGroup": { "description": "Gets the specified network group.", "inputs": { "properties": { @@ -4855,7 +4683,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -4877,7 +4705,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getNetworkInterface": { + "azure-native:network:getNetworkInterface": { "description": "Gets information about the specified network interface.", "inputs": { "properties": { @@ -4922,12 +4750,12 @@ "type": "boolean" }, "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceDnsSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse", "description": "The DNS settings in network interface.", "type": "object" }, "dscpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "A reference to the dscp configuration to which the network interface is linked.", "type": "object" }, @@ -4944,7 +4772,7 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the network interface.", "type": "object" }, @@ -4962,7 +4790,7 @@ "ipConfigurations": { "description": "A list of IPConfigurations of the network interface.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "type": "object" }, "type": "array" @@ -4984,7 +4812,7 @@ "type": "string" }, "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", "description": "The reference to the NetworkSecurityGroup resource.", "type": "object" }, @@ -4997,12 +4825,12 @@ "type": "boolean" }, "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "description": "A reference to the private endpoint to which the network interface is linked.", "type": "object" }, "privateLinkService": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceResponse", "description": "Privatelinkservice of the network interface resource.", "type": "object" }, @@ -5024,7 +4852,7 @@ "tapConfigurations": { "description": "A list of TapConfigurations of the network interface.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", "type": "object" }, "type": "array" @@ -5034,7 +4862,7 @@ "type": "string" }, "virtualMachine": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to a virtual machine.", "type": "object" }, @@ -5066,7 +4894,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getNetworkInterfaceTapConfiguration": { + "azure-native:network:getNetworkInterfaceTapConfiguration": { "description": "Get the specified tap configuration on a network interface.", "inputs": { "properties": { @@ -5121,7 +4949,7 @@ "type": "string" }, "virtualNetworkTap": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTapResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", "description": "The reference to the Virtual Network Tap resource.", "type": "object" } @@ -5135,7 +4963,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getNetworkManager": { + "azure-native:network:getNetworkManager": { "description": "Gets the specified Network Manager.", "inputs": { "properties": { @@ -5191,7 +5019,7 @@ "type": "array" }, "networkManagerScopes": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerPropertiesResponseNetworkManagerScopes", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesResponseNetworkManagerScopes", "description": "Scope of Network Manager.", "type": "object" }, @@ -5204,7 +5032,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -5234,7 +5062,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getNetworkProfile": { + "azure-native:network:getNetworkProfile": { "description": "Gets the specified network profile in a specified resource group.", "inputs": { "properties": { @@ -5269,7 +5097,7 @@ "containerNetworkInterfaceConfigurations": { "description": "List of chid container network interface configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse", "type": "object" }, "type": "array" @@ -5277,7 +5105,7 @@ "containerNetworkInterfaces": { "description": "List of child container network interfaces.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceResponse", "type": "object" }, "type": "array" @@ -5330,7 +5158,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getNetworkSecurityGroup": { + "azure-native:network:getNetworkSecurityGroup": { "description": "Gets the specified network security group.", "inputs": { "properties": { @@ -5365,7 +5193,7 @@ "defaultSecurityRules": { "description": "The default security rules of network security group.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", "type": "object" }, "type": "array" @@ -5377,7 +5205,7 @@ "flowLogs": { "description": "A collection of references to flow log resources.", "items": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", "type": "object" }, "type": "array" @@ -5401,7 +5229,7 @@ "networkInterfaces": { "description": "A collection of references to network interfaces.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" }, "type": "array" @@ -5417,7 +5245,7 @@ "securityRules": { "description": "A collection of security rules of the network security group.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", "type": "object" }, "type": "array" @@ -5425,7 +5253,7 @@ "subnets": { "description": "A collection of references to subnets.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" }, "type": "array" @@ -5457,7 +5285,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getNetworkVirtualAppliance": { + "azure-native:network:getNetworkVirtualAppliance": { "description": "Gets the specified Network Virtual Appliance.", "inputs": { "properties": { @@ -5488,7 +5316,7 @@ "additionalNics": { "description": "Details required for Additional Network Interface.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceAdditionalNicPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicPropertiesResponse", "type": "object" }, "type": "array" @@ -5520,7 +5348,7 @@ "type": "array" }, "delegation": { - "$ref": "#/types/azure-native:network/v20230201:DelegationPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DelegationPropertiesResponse", "description": "The delegation for the Virtual Appliance", "type": "object" }, @@ -5537,14 +5365,14 @@ "type": "string" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse", "description": "The service principal that has read access to cloud-init and config blob.", "type": "object" }, "inboundSecurityRules": { "description": "List of references to InboundSecurityRules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -5558,12 +5386,12 @@ "type": "string" }, "nvaSku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceSkuPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuPropertiesResponse", "description": "Network Virtual Appliance SKU.", "type": "object" }, "partnerManagedResource": { - "$ref": "#/types/azure-native:network/v20230201:PartnerManagedResourcePropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PartnerManagedResourcePropertiesResponse", "description": "The delegation for the Virtual Appliance", "type": "object" }, @@ -5593,7 +5421,7 @@ "virtualApplianceConnections": { "description": "List of references to VirtualApplianceConnections.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -5601,7 +5429,7 @@ "virtualApplianceNics": { "description": "List of Virtual Appliance Network Interfaces.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceNicPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceNicPropertiesResponse", "type": "object" }, "type": "array" @@ -5609,13 +5437,13 @@ "virtualApplianceSites": { "description": "List of references to VirtualApplianceSite.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Virtual Hub where Network Virtual Appliance is being deployed.", "type": "object" } @@ -5636,7 +5464,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getNetworkVirtualApplianceConnection": { + "azure-native:network:getNetworkVirtualApplianceConnection": { "description": "Retrieves the details of specified NVA connection.", "inputs": { "properties": { @@ -5679,7 +5507,7 @@ "type": "string" }, "properties": { - "$ref": "#/types/azure-native:network/v20230201:NetworkVirtualApplianceConnectionPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionPropertiesResponse", "description": "Properties of the express route connection.", "type": "object" } @@ -5691,7 +5519,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getNetworkWatcher": { + "azure-native:network:getNetworkWatcher": { "description": "Gets the specified network watcher by resource group.", "inputs": { "properties": { @@ -5761,7 +5589,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getP2sVpnGateway": { + "azure-native:network:getP2sVpnGateway": { "description": "Retrieves the details of a virtual wan p2s vpn gateway.", "inputs": { "properties": { @@ -5819,7 +5647,7 @@ "p2SConnectionConfigurations": { "description": "List of all p2s connection configurations of the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SConnectionConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", "type": "object" }, "type": "array" @@ -5840,12 +5668,12 @@ "type": "string" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VirtualHub to which the gateway belongs.", "type": "object" }, "vpnClientConnectionHealth": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConnectionHealthResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", "description": "All P2S VPN clients' connection health status.", "type": "object" }, @@ -5854,7 +5682,7 @@ "type": "integer" }, "vpnServerConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VpnServerConfiguration to which the p2sVpnGateway is attached to.", "type": "object" } @@ -5871,155 +5699,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getP2sVpnGatewayP2sVpnConnectionHealth": { - "description": "Gets the connection health of P2S clients of the virtual wan P2SVpnGateway in the specified resource group.", - "inputs": { - "properties": { - "gatewayName": { - "description": "The name of the P2SVpnGateway.", - "type": "string", - "willReplaceOnChanges": true - }, - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "required": [ - "gatewayName", - "resourceGroupName" - ], - "type": "object" - }, - "outputs": { - "description": "P2SVpnGateway Resource.", - "properties": { - "customDnsServers": { - "description": "List of all customer specified DNS servers IP addresses.", - "items": { - "type": "string" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "isRoutingPreferenceInternet": { - "description": "Enable Routing Preference property for the Public IP Interface of the P2SVpnGateway.", - "type": "boolean" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "p2SConnectionConfigurations": { - "description": "List of all p2s connection configurations of the gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SConnectionConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the P2S VPN gateway resource.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The VirtualHub to which the gateway belongs.", - "type": "object" - }, - "vpnClientConnectionHealth": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConnectionHealthResponse", - "description": "All P2S VPN clients' connection health status.", - "type": "object" - }, - "vpnGatewayScaleUnit": { - "description": "The scale unit for this p2s vpn gateway.", - "type": "integer" - }, - "vpnServerConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The VpnServerConfiguration to which the p2sVpnGateway is attached to.", - "type": "object" - } - }, - "required": [ - "etag", - "location", - "name", - "provisioningState", - "type", - "vpnClientConnectionHealth" - ], - "type": "object" - } - }, - "azure-native:network/v20230201:getP2sVpnGatewayP2sVpnConnectionHealthDetailed": { - "description": "Gets the sas url to get the connection health detail of P2S clients of the virtual wan P2SVpnGateway in the specified resource group.", - "inputs": { - "properties": { - "gatewayName": { - "description": "The name of the P2SVpnGateway.", - "type": "string", - "willReplaceOnChanges": true - }, - "outputBlobSasUrl": { - "description": "The sas-url to download the P2S Vpn connection health detail.", - "type": "string" - }, - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "vpnUserNamesFilter": { - "description": "The list of p2s vpn user names whose p2s vpn connection detailed health to retrieve for.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "gatewayName", - "resourceGroupName" - ], - "type": "object" - }, - "outputs": { - "description": "P2S Vpn connection detailed health written to sas url.", - "properties": { - "sasUrl": { - "description": "Returned sas url of the blob to which the p2s vpn connection detailed health will be written.", - "type": "string" - } - }, - "type": "object" - } - }, - "azure-native:network/v20230201:getPacketCapture": { + "azure-native:network:getPacketCapture": { "description": "Gets a packet capture session by name.", "inputs": { "properties": { @@ -6065,7 +5745,7 @@ "filters": { "description": "A list of packet capture filters.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureFilterResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilterResponse", "type": "object" }, "type": "array" @@ -6083,12 +5763,12 @@ "type": "string" }, "scope": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureMachineScopeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScopeResponse", "description": "A list of AzureVMSS instances which can be included or excluded to run packet capture. If both included and excluded are empty, then the packet capture will run on all instances of AzureVMSS.", "type": "object" }, "storageLocation": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureStorageLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocationResponse", "description": "The storage location for a packet capture session.", "type": "object" }, @@ -6123,7 +5803,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getPrivateDnsZoneGroup": { + "azure-native:network:getPrivateDnsZoneGroup": { "description": "Gets the private dns zone group resource by specified private dns zone group name.", "inputs": { "properties": { @@ -6172,7 +5852,7 @@ "privateDnsZoneConfigs": { "description": "A collection of private dns zone configurations of the private dns zone group.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateDnsZoneConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfigResponse", "type": "object" }, "type": "array" @@ -6190,7 +5870,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getPrivateEndpoint": { + "azure-native:network:getPrivateEndpoint": { "description": "Gets the specified private endpoint by resource group.", "inputs": { "properties": { @@ -6221,7 +5901,7 @@ "applicationSecurityGroups": { "description": "Application security groups in which the private endpoint IP configuration is included.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", "type": "object" }, "type": "array" @@ -6233,7 +5913,7 @@ "customDnsConfigs": { "description": "An array of custom dns configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:CustomDnsConfigPropertiesFormatResponse", + "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse", "type": "object" }, "type": "array" @@ -6247,7 +5927,7 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the load balancer.", "type": "object" }, @@ -6258,7 +5938,7 @@ "ipConfigurations": { "description": "A list of IP configurations of the private endpoint. This will be used to map to the First Party Service's endpoints.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse", "type": "object" }, "type": "array" @@ -6270,7 +5950,7 @@ "manualPrivateLinkServiceConnections": { "description": "A grouping of information about the connection to the remote resource. Used when the network admin does not have access to approve connections to the remote resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", "type": "object" }, "type": "array" @@ -6282,7 +5962,7 @@ "networkInterfaces": { "description": "An array of references to the network interfaces created for this private endpoint.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" }, "type": "array" @@ -6290,7 +5970,7 @@ "privateLinkServiceConnections": { "description": "A grouping of information about the connection to the remote resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", "type": "object" }, "type": "array" @@ -6300,7 +5980,7 @@ "type": "string" }, "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "description": "The ID of the subnet from which the private IP will be allocated.", "type": "object" }, @@ -6327,7 +6007,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getPrivateLinkService": { + "azure-native:network:getPrivateLinkService": { "description": "Gets the specified private link service by resource group.", "inputs": { "properties": { @@ -6360,7 +6040,7 @@ "type": "string" }, "autoApproval": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseAutoApproval", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval", "description": "The auto-approval list of the private link service.", "type": "object" }, @@ -6377,7 +6057,7 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the load balancer.", "type": "object" }, @@ -6395,7 +6075,7 @@ "ipConfigurations": { "description": "An array of private link service IP configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse", "type": "object" }, "type": "array" @@ -6403,7 +6083,7 @@ "loadBalancerFrontendIpConfigurations": { "description": "An array of references to the load balancer IP configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", "type": "object" }, "type": "array" @@ -6419,7 +6099,7 @@ "networkInterfaces": { "description": "An array of references to the network interfaces created for this private link service.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" }, "type": "array" @@ -6427,7 +6107,7 @@ "privateEndpointConnections": { "description": "An array of list about connections to the private endpoint.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointConnectionResponse", "type": "object" }, "type": "array" @@ -6448,7 +6128,7 @@ "type": "string" }, "visibility": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseVisibility", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility", "description": "The visibility list of the private link service.", "type": "object" } @@ -6466,7 +6146,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getPrivateLinkServicePrivateEndpointConnection": { + "azure-native:network:getPrivateLinkServicePrivateEndpointConnection": { "description": "Get the specific private end point connection by specific private link service in the resource group.", "inputs": { "properties": { @@ -6521,7 +6201,7 @@ "type": "string" }, "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "description": "The resource of private end point.", "type": "object" }, @@ -6530,7 +6210,7 @@ "type": "string" }, "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", "description": "A collection of information about the state of the connection between service consumer and provider.", "type": "object" }, @@ -6555,7 +6235,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getPublicIPAddress": { + "azure-native:network:getPublicIPAddress": { "description": "Gets the specified public IP address in a specified resource group.", "inputs": { "properties": { @@ -6588,7 +6268,7 @@ "type": "string" }, "ddosSettings": { - "$ref": "#/types/azure-native:network/v20230201:DdosSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettingsResponse", "description": "The DDoS protection custom policy associated with the public IP address.", "type": "object" }, @@ -6597,7 +6277,7 @@ "type": "string" }, "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressDnsSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse", "description": "The FQDN of the DNS record associated with the public IP address.", "type": "object" }, @@ -6606,7 +6286,7 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the public ip address.", "type": "object" }, @@ -6623,20 +6303,20 @@ "type": "string" }, "ipConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", "description": "The IP configuration associated with the public IP address.", "type": "object" }, "ipTags": { "description": "The list of tags associated with the public IP address.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTagResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", "type": "object" }, "type": "array" }, "linkedPublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "description": "The linked public IP address of the public IP address resource.", "type": "object" }, @@ -6653,7 +6333,7 @@ "type": "string" }, "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", "description": "The NatGateway for the Public IP address.", "type": "object" }, @@ -6670,7 +6350,7 @@ "type": "string" }, "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Public IP Prefix this Public IP Address should be allocated from.", "type": "object" }, @@ -6679,12 +6359,12 @@ "type": "string" }, "servicePublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "description": "The service public IP address of the public IP address resource.", "type": "object" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuResponse", "description": "The public IP address SKU.", "type": "object" }, @@ -6719,7 +6399,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getPublicIPPrefix": { + "azure-native:network:getPublicIPPrefix": { "description": "Gets the specified public IP prefix in a specified resource group.", "inputs": { "properties": { @@ -6752,7 +6432,7 @@ "type": "string" }, "customIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The customIpPrefix that this prefix is associated with.", "type": "object" }, @@ -6761,7 +6441,7 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the public ip address.", "type": "object" }, @@ -6776,13 +6456,13 @@ "ipTags": { "description": "The list of tags associated with the public IP prefix.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTagResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", "type": "object" }, "type": "array" }, "loadBalancerFrontendIpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to load balancer frontend IP configuration associated with the public IP prefix.", "type": "object" }, @@ -6795,7 +6475,7 @@ "type": "string" }, "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", "description": "NatGateway of Public IP Prefix.", "type": "object" }, @@ -6814,7 +6494,7 @@ "publicIPAddresses": { "description": "The list of all referenced PublicIPAddresses.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ReferencedPublicIpAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ReferencedPublicIpAddressResponse", "type": "object" }, "type": "array" @@ -6824,7 +6504,7 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPPrefixSkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSkuResponse", "description": "The public IP prefix SKU.", "type": "object" }, @@ -6861,7 +6541,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getRoute": { + "azure-native:network:getRoute": { "description": "Gets the specified route from a route table.", "inputs": { "properties": { @@ -6941,7 +6621,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getRouteFilter": { + "azure-native:network:getRouteFilter": { "description": "Gets the specified route filter.", "inputs": { "properties": { @@ -6984,7 +6664,7 @@ "ipv6Peerings": { "description": "A collection of references to express route circuit ipv6 peerings.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", "type": "object" }, "type": "array" @@ -7000,7 +6680,7 @@ "peerings": { "description": "A collection of references to express route circuit peerings.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", "type": "object" }, "type": "array" @@ -7012,7 +6692,7 @@ "rules": { "description": "Collection of RouteFilterRules contained within a route filter.", "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteFilterRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRuleResponse", "type": "object" }, "type": "array" @@ -7042,7 +6722,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getRouteFilterRule": { + "azure-native:network:getRouteFilterRule": { "description": "Gets the specified rule from a route filter.", "inputs": { "properties": { @@ -7123,7 +6803,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getRouteMap": { + "azure-native:network:getRouteMap": { "description": "Retrieves the details of a RouteMap.", "inputs": { "properties": { @@ -7190,7 +6870,7 @@ "rules": { "description": "List of RouteMap rules to be applied.", "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteMapRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRuleResponse", "type": "object" }, "type": "array" @@ -7211,7 +6891,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getRouteTable": { + "azure-native:network:getRouteTable": { "description": "Gets the specified route table.", "inputs": { "properties": { @@ -7274,7 +6954,7 @@ "routes": { "description": "Collection of routes contained within a route table.", "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteResponse", "type": "object" }, "type": "array" @@ -7282,7 +6962,7 @@ "subnets": { "description": "A collection of references to subnets.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" }, "type": "array" @@ -7311,7 +6991,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getRoutingIntent": { + "azure-native:network:getRoutingIntent": { "description": "Retrieves the details of a RoutingIntent.", "inputs": { "properties": { @@ -7364,7 +7044,7 @@ "routingPolicies": { "description": "List of routing policies.", "items": { - "$ref": "#/types/azure-native:network/v20230201:RoutingPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicyResponse", "type": "object" }, "type": "array" @@ -7383,7 +7063,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getScopeConnection": { + "azure-native:network:getScopeConnection": { "description": "Get specified scope connection created by this Network Manager.", "inputs": { "properties": { @@ -7438,7 +7118,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -7462,7 +7142,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getSecurityAdminConfiguration": { + "azure-native:network:getSecurityAdminConfiguration": { "description": "Retrieves a network manager security admin configuration.", "inputs": { "properties": { @@ -7528,7 +7208,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -7550,7 +7230,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getSecurityPartnerProvider": { + "azure-native:network:getSecurityPartnerProvider": { "description": "Gets the specified Security Partner Provider.", "inputs": { "properties": { @@ -7618,7 +7298,7 @@ "type": "string" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The virtualHub to which the Security Partner Provider belongs.", "type": "object" } @@ -7634,7 +7314,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getSecurityRule": { + "azure-native:network:getSecurityRule": { "description": "Get the specified network security rule.", "inputs": { "properties": { @@ -7690,7 +7370,7 @@ "destinationApplicationSecurityGroups": { "description": "The application security group specified as destination.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", "type": "object" }, "type": "array" @@ -7748,7 +7428,7 @@ "sourceApplicationSecurityGroups": { "description": "The application security group specified as source.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", "type": "object" }, "type": "array" @@ -7781,7 +7461,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getServiceEndpointPolicy": { + "azure-native:network:getServiceEndpointPolicy": { "description": "Gets the specified service Endpoint Policies in a specified resource group.", "inputs": { "properties": { @@ -7855,7 +7535,7 @@ "serviceEndpointPolicyDefinitions": { "description": "A collection of service endpoint policy definitions of the service endpoint policy.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyDefinitionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse", "type": "object" }, "type": "array" @@ -7863,7 +7543,7 @@ "subnets": { "description": "A collection of references to subnets.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" }, "type": "array" @@ -7893,7 +7573,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getServiceEndpointPolicyDefinition": { + "azure-native:network:getServiceEndpointPolicyDefinition": { "description": "Get the specified service endpoint policy definitions from service endpoint policy.", "inputs": { "properties": { @@ -7971,7 +7651,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getStaticMember": { + "azure-native:network:getStaticMember": { "description": "Gets the specified static member.", "inputs": { "properties": { @@ -8036,7 +7716,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -8058,7 +7738,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getSubnet": { + "azure-native:network:getSubnet": { "description": "Gets the specified subnet by virtual network and resource group.", "inputs": { "properties": { @@ -8106,7 +7786,7 @@ "applicationGatewayIPConfigurations": { "description": "Application gateway IP configurations of virtual network resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", "type": "object" }, "type": "array" @@ -8118,7 +7798,7 @@ "delegations": { "description": "An array of references to the delegations on the subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:DelegationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DelegationResponse", "type": "object" }, "type": "array" @@ -8134,7 +7814,7 @@ "ipAllocations": { "description": "Array of IpAllocation which reference this subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -8142,7 +7822,7 @@ "ipConfigurationProfiles": { "description": "Array of IP configuration profiles which reference this subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationProfileResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", "type": "object" }, "type": "array" @@ -8150,7 +7830,7 @@ "ipConfigurations": { "description": "An array of references to the network interface IP configurations using subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", "type": "object" }, "type": "array" @@ -8160,12 +7840,12 @@ "type": "string" }, "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Nat gateway associated with this subnet.", "type": "object" }, "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", "description": "The reference to the NetworkSecurityGroup resource.", "type": "object" }, @@ -8177,7 +7857,7 @@ "privateEndpoints": { "description": "An array of references to private endpoints.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "type": "object" }, "type": "array" @@ -8198,20 +7878,20 @@ "resourceNavigationLinks": { "description": "An array of references to the external resources using subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ResourceNavigationLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ResourceNavigationLinkResponse", "type": "object" }, "type": "array" }, "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:RouteTableResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteTableResponse", "description": "The reference to the RouteTable resource.", "type": "object" }, "serviceAssociationLinks": { "description": "An array of references to services injecting into this subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceAssociationLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceAssociationLinkResponse", "type": "object" }, "type": "array" @@ -8219,7 +7899,7 @@ "serviceEndpointPolicies": { "description": "An array of service endpoint policies.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyResponse", "type": "object" }, "type": "array" @@ -8227,7 +7907,7 @@ "serviceEndpoints": { "description": "An array of service endpoints.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPropertiesFormatResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse", "type": "object" }, "type": "array" @@ -8251,7 +7931,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getSubscriptionNetworkManagerConnection": { + "azure-native:network:getSubscriptionNetworkManagerConnection": { "description": "Get a specified connection created by this subscription.", "inputs": { "properties": { @@ -8294,7 +7974,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -8314,7 +7994,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualApplianceSite": { + "azure-native:network:getVirtualApplianceSite": { "description": "Gets the specified Virtual Appliance Site.", "inputs": { "properties": { @@ -8365,7 +8045,7 @@ "type": "string" }, "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:Office365PolicyPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyPropertiesResponse", "description": "Office 365 Policy.", "type": "object" }, @@ -8387,7 +8067,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualHub": { + "azure-native:network:getVirtualHub": { "description": "Retrieves the details of a VirtualHub.", "inputs": { "properties": { @@ -8424,14 +8104,14 @@ "type": "string" }, "azureFirewall": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The azureFirewall associated with this VirtualHub.", "type": "object" }, "bgpConnections": { "description": "List of references to Bgp Connections.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -8441,7 +8121,7 @@ "type": "string" }, "expressRouteGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The expressRouteGateway associated with this VirtualHub.", "type": "object" }, @@ -8456,7 +8136,7 @@ "ipConfigurations": { "description": "List of references to IpConfigurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -8474,7 +8154,7 @@ "type": "string" }, "p2SVpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The P2SVpnGateway associated with this VirtualHub.", "type": "object" }, @@ -8489,13 +8169,13 @@ "routeMaps": { "description": "List of references to RouteMaps.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" }, "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTableResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableResponse", "description": "The routeTable associated with this virtual hub.", "type": "object" }, @@ -8504,7 +8184,7 @@ "type": "string" }, "securityPartnerProvider": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The securityPartnerProvider associated with this VirtualHub.", "type": "object" }, @@ -8530,7 +8210,7 @@ "virtualHubRouteTableV2s": { "description": "List of all virtual hub route table v2s associated with this VirtualHub.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTableV2Response", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2Response", "type": "object" }, "type": "array" @@ -8540,7 +8220,7 @@ "type": "number" }, "virtualRouterAutoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VirtualRouterAutoScaleConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfigurationResponse", "description": "The VirtualHub Router autoscale configuration.", "type": "object" }, @@ -8552,12 +8232,12 @@ "type": "array" }, "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VirtualWAN to which the VirtualHub belongs.", "type": "object" }, "vpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VpnGateway associated with this VirtualHub.", "type": "object" } @@ -8578,7 +8258,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualHubBgpConnection": { + "azure-native:network:getVirtualHubBgpConnection": { "description": "Retrieves the details of a Virtual Hub Bgp Connection.", "inputs": { "properties": { @@ -8621,7 +8301,7 @@ "type": "string" }, "hubVirtualNetworkConnection": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to the HubVirtualNetworkConnection resource.", "type": "object" }, @@ -8660,7 +8340,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualHubIpConfiguration": { + "azure-native:network:getVirtualHubIpConfiguration": { "description": "Retrieves the details of a Virtual Hub Ip configuration.", "inputs": { "properties": { @@ -8719,12 +8399,12 @@ "type": "string" }, "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "description": "The reference to the public IP resource.", "type": "object" }, "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "description": "The reference to the subnet resource.", "type": "object" }, @@ -8742,7 +8422,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualHubRouteTableV2": { + "azure-native:network:getVirtualHubRouteTableV2": { "description": "Retrieves the details of a VirtualHubRouteTableV2.", "inputs": { "properties": { @@ -8802,7 +8482,7 @@ "routes": { "description": "List of all routes.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteV2Response", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2Response", "type": "object" }, "type": "array" @@ -8816,7 +8496,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualNetwork": { + "azure-native:network:getVirtualNetwork": { "description": "Gets the specified virtual network by resource group.", "inputs": { "properties": { @@ -8845,7 +8525,7 @@ "description": "Virtual Network resource.", "properties": { "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "The AddressSpace that contains an array of IP address ranges that can be used by subnets.", "type": "object" }, @@ -8854,17 +8534,17 @@ "type": "string" }, "bgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", "description": "Bgp Communities sent over ExpressRoute with each route corresponding to a prefix in this VNET.", "type": "object" }, "ddosProtectionPlan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The DDoS protection plan associated with the virtual network.", "type": "object" }, "dhcpOptions": { - "$ref": "#/types/azure-native:network/v20230201:DhcpOptionsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptionsResponse", "description": "The dhcpOptions that contains an array of DNS servers available to VMs deployed in the virtual network.", "type": "object" }, @@ -8879,7 +8559,7 @@ "type": "boolean" }, "encryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryptionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", "description": "Indicates if encryption is enabled on virtual network and if VM without encryption is allowed in encrypted VNet.", "type": "object" }, @@ -8888,14 +8568,14 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the virtual network.", "type": "object" }, "flowLogs": { "description": "A collection of references to flow log resources.", "items": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", "type": "object" }, "type": "array" @@ -8911,7 +8591,7 @@ "ipAllocations": { "description": "Array of IpAllocation which reference this VNET.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -8935,7 +8615,7 @@ "subnets": { "description": "A list of subnets in a Virtual Network.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" }, "type": "array" @@ -8954,7 +8634,7 @@ "virtualNetworkPeerings": { "description": "A list of peerings in a Virtual Network.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringResponse", "type": "object" }, "type": "array" @@ -8972,7 +8652,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualNetworkGateway": { + "azure-native:network:getVirtualNetworkGateway": { "description": "Gets the specified virtual network gateway by resource group.", "inputs": { "properties": { @@ -9017,12 +8697,12 @@ "type": "string" }, "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "description": "Virtual network gateway's BGP speaker settings.", "type": "object" }, "customRoutes": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "The reference to the address space resource which represents the custom routes address space specified by the customer for virtual network gateway and VpnClient.", "type": "object" }, @@ -9051,12 +8731,12 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of type local virtual network gateway.", "type": "object" }, "gatewayDefaultSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to the LocalNetworkGateway resource which represents local network site having default routes. Assign Null value in case of removing existing default site setting.", "type": "object" }, @@ -9075,7 +8755,7 @@ "ipConfigurations": { "description": "IP configurations for virtual network gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse", "type": "object" }, "type": "array" @@ -9091,7 +8771,7 @@ "natRules": { "description": "NatRules for virtual network gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayNatRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse", "type": "object" }, "type": "array" @@ -9105,7 +8785,7 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse", "description": "The reference to the VirtualNetworkGatewaySku resource which represents the SKU selected for Virtual network gateway.", "type": "object" }, @@ -9127,13 +8807,13 @@ "virtualNetworkGatewayPolicyGroups": { "description": "The reference to the VirtualNetworkGatewayPolicyGroup resource which represents the available VirtualNetworkGatewayPolicyGroup for the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse", "type": "object" }, "type": "array" }, "vpnClientConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfigurationResponse", "description": "The reference to the VpnClientConfiguration resource which represents the P2S VpnClient configurations.", "type": "object" }, @@ -9158,88 +8838,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualNetworkGatewayAdvertisedRoutes": { - "description": "This operation retrieves a list of routes the virtual network gateway is advertising to the specified peer.", - "inputs": { - "properties": { - "peer": { - "description": "The IP address of the peer.", - "type": "string" - }, - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "virtualNetworkGatewayName": { - "description": "The name of the virtual network gateway.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "required": [ - "peer", - "resourceGroupName", - "virtualNetworkGatewayName" - ], - "type": "object" - }, - "outputs": { - "description": "List of virtual network gateway routes.", - "properties": { - "value": { - "description": "List of gateway routes.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayRouteResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayBgpPeerStatus": { - "description": "The GetBgpPeerStatus operation retrieves the status of all BGP peers.", - "inputs": { - "properties": { - "peer": { - "description": "The IP address of the peer to retrieve the status of.", - "type": "string" - }, - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "virtualNetworkGatewayName": { - "description": "The name of the virtual network gateway.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "required": [ - "resourceGroupName", - "virtualNetworkGatewayName" - ], - "type": "object" - }, - "outputs": { - "description": "Response for list BGP peer status API service call.", - "properties": { - "value": { - "description": "List of BGP peers.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:BgpPeerStatusResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayConnection": { + "azure-native:network:getVirtualNetworkGatewayConnection": { "description": "Gets the specified virtual network gateway connection by resource group.", "inputs": { "properties": { @@ -9298,7 +8897,7 @@ "egressNatRules": { "description": "List of egress NatRules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -9322,7 +8921,7 @@ "gatewayCustomBgpIpAddresses": { "description": "GatewayCustomBgpIpAddresses to be used for virtual network gateway Connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse", "type": "object" }, "type": "array" @@ -9338,7 +8937,7 @@ "ingressNatRules": { "description": "List of ingress NatRules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -9346,13 +8945,13 @@ "ipsecPolicies": { "description": "The IPSec Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", "type": "object" }, "type": "array" }, "localNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:LocalNetworkGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGatewayResponse", "description": "The reference to local network gateway resource.", "type": "object" }, @@ -9365,7 +8964,7 @@ "type": "string" }, "peer": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to peerings resource.", "type": "object" }, @@ -9395,7 +8994,7 @@ "trafficSelectorPolicies": { "description": "The Traffic Selector Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", "type": "object" }, "type": "array" @@ -9403,7 +9002,7 @@ "tunnelConnectionStatus": { "description": "Collection of all tunnels' connection health status.", "items": { - "$ref": "#/types/azure-native:network/v20230201:TunnelConnectionHealthResponse", + "$ref": "#/types/azure-native_network_v20230201:network:TunnelConnectionHealthResponse", "type": "object" }, "type": "array" @@ -9421,12 +9020,12 @@ "type": "boolean" }, "virtualNetworkGateway1": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", "description": "The reference to virtual network gateway resource.", "type": "object" }, "virtualNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", "description": "The reference to virtual network gateway resource.", "type": "object" } @@ -9448,73 +9047,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualNetworkGatewayConnectionIkeSas": { - "description": "Lists IKE Security Associations for the virtual network gateway connection in the specified resource group.", - "inputs": { - "properties": { - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "virtualNetworkGatewayConnectionName": { - "description": "The name of the virtual network gateway Connection.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "required": [ - "resourceGroupName", - "virtualNetworkGatewayConnectionName" - ], - "type": "object" - }, - "outputs": { - "properties": { - "value": { - "type": "string" - } - }, - "type": "object" - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayLearnedRoutes": { - "description": "This operation retrieves a list of routes the virtual network gateway has learned, including routes learned from BGP peers.", - "inputs": { - "properties": { - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "virtualNetworkGatewayName": { - "description": "The name of the virtual network gateway.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "required": [ - "resourceGroupName", - "virtualNetworkGatewayName" - ], - "type": "object" - }, - "outputs": { - "description": "List of virtual network gateway routes.", - "properties": { - "value": { - "description": "List of gateway routes.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayRouteResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayNatRule": { + "azure-native:network:getVirtualNetworkGatewayNatRule": { "description": "Retrieves the details of a nat rule.", "inputs": { "properties": { @@ -9555,7 +9088,7 @@ "externalMappings": { "description": "The private IP address external mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", "type": "object" }, "type": "array" @@ -9567,7 +9100,7 @@ "internalMappings": { "description": "The private IP address internal mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", "type": "object" }, "type": "array" @@ -9602,143 +9135,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualNetworkGatewayVpnProfilePackageUrl": { - "description": "Gets pre-generated VPN profile for P2S client of the virtual network gateway in the specified resource group. The profile needs to be generated first using generateVpnProfile.", - "inputs": { - "properties": { - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "virtualNetworkGatewayName": { - "description": "The name of the virtual network gateway.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "required": [ - "resourceGroupName", - "virtualNetworkGatewayName" - ], - "type": "object" - }, - "outputs": { - "properties": { - "value": { - "type": "string" - } - }, - "type": "object" - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayVpnclientConnectionHealth": { - "description": "Get VPN client connection health detail per P2S client connection of the virtual network gateway in the specified resource group.", - "inputs": { - "properties": { - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "virtualNetworkGatewayName": { - "description": "The name of the virtual network gateway.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "required": [ - "resourceGroupName", - "virtualNetworkGatewayName" - ], - "type": "object" - }, - "outputs": { - "description": "List of virtual network gateway vpn client connection health.", - "properties": { - "value": { - "description": "List of vpn client connection health.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConnectionHealthDetailResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayVpnclientIpsecParameters": { - "description": "The Get VpnclientIpsecParameters operation retrieves information about the vpnclient ipsec policy for P2S client of virtual network gateway in the specified resource group through Network resource provider.", - "inputs": { - "properties": { - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "virtualNetworkGatewayName": { - "description": "The virtual network gateway name.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "required": [ - "resourceGroupName", - "virtualNetworkGatewayName" - ], - "type": "object" - }, - "outputs": { - "description": "An IPSec parameters for a virtual network gateway P2S connection.", - "properties": { - "dhGroup": { - "description": "The DH Group used in IKE Phase 1 for initial SA.", - "type": "string" - }, - "ikeEncryption": { - "description": "The IKE encryption algorithm (IKE phase 2).", - "type": "string" - }, - "ikeIntegrity": { - "description": "The IKE integrity algorithm (IKE phase 2).", - "type": "string" - }, - "ipsecEncryption": { - "description": "The IPSec encryption algorithm (IKE phase 1).", - "type": "string" - }, - "ipsecIntegrity": { - "description": "The IPSec integrity algorithm (IKE phase 1).", - "type": "string" - }, - "pfsGroup": { - "description": "The Pfs Group used in IKE Phase 2 for new child SA.", - "type": "string" - }, - "saDataSizeKilobytes": { - "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) payload size in KB for P2S client..", - "type": "integer" - }, - "saLifeTimeSeconds": { - "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) lifetime in seconds for P2S client.", - "type": "integer" - } - }, - "required": [ - "dhGroup", - "ikeEncryption", - "ikeIntegrity", - "ipsecEncryption", - "ipsecIntegrity", - "pfsGroup", - "saDataSizeKilobytes", - "saLifeTimeSeconds" - ], - "type": "object" - } - }, - "azure-native:network/v20230201:getVirtualNetworkPeering": { + "azure-native:network:getVirtualNetworkPeering": { "description": "Gets the specified virtual network peering.", "inputs": { "properties": { @@ -9813,27 +9210,27 @@ "type": "string" }, "remoteAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "The reference to the address space peered with the remote virtual network.", "type": "object" }, "remoteBgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", "description": "The reference to the remote virtual network's Bgp Communities.", "type": "object" }, "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to the remote virtual network. The remote virtual network can be in the same or different region (preview). See here to register for the preview and learn more (https://docs.microsoft.com/en-us/azure/virtual-network/virtual-network-create-peering).", "type": "object" }, "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "The reference to the current address space of the remote virtual network.", "type": "object" }, "remoteVirtualNetworkEncryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryptionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", "description": "The reference to the remote virtual network's encryption", "type": "object" }, @@ -9860,7 +9257,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualNetworkTap": { + "azure-native:network:getVirtualNetworkTap": { "description": "Gets information about the specified virtual network tap.", "inputs": { "properties": { @@ -9889,12 +9286,12 @@ "type": "string" }, "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", "description": "The reference to the private IP address on the internal Load Balancer that will receive the tap.", "type": "object" }, "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "description": "The reference to the private IP Address of the collector nic that will receive the tap.", "type": "object" }, @@ -9921,7 +9318,7 @@ "networkInterfaceTapConfigurations": { "description": "Specifies the list of resource IDs for the network interface IP configuration that needs to be tapped.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", "type": "object" }, "type": "array" @@ -9958,7 +9355,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualRouter": { + "azure-native:network:getVirtualRouter": { "description": "Gets the specified Virtual Router.", "inputs": { "properties": { @@ -9995,12 +9392,12 @@ "type": "string" }, "hostedGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Gateway on which VirtualRouter is hosted.", "type": "object" }, "hostedSubnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Subnet on which VirtualRouter is hosted.", "type": "object" }, @@ -10019,7 +9416,7 @@ "peerings": { "description": "List of references to VirtualRouterPeerings.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -10062,7 +9459,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualRouterPeering": { + "azure-native:network:getVirtualRouterPeering": { "description": "Gets the specified Virtual Router Peering.", "inputs": { "properties": { @@ -10134,7 +9531,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVirtualWan": { + "azure-native:network:getVirtualWan": { "description": "Retrieves the details of a VirtualWAN.", "inputs": { "properties": { @@ -10212,7 +9609,7 @@ "virtualHubs": { "description": "List of VirtualHubs in the VirtualWAN.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -10220,7 +9617,7 @@ "vpnSites": { "description": "List of VpnSites in the VirtualWAN.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -10240,7 +9637,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVpnConnection": { + "azure-native:network:getVpnConnection": { "description": "Retrieves the details of a vpn connection.", "inputs": { "properties": { @@ -10317,7 +9714,7 @@ "ipsecPolicies": { "description": "The IPSec Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", "type": "object" }, "type": "array" @@ -10331,12 +9728,12 @@ "type": "string" }, "remoteVpnSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Id of the connected vpn site.", "type": "object" }, "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", "type": "object" }, @@ -10351,7 +9748,7 @@ "trafficSelectorPolicies": { "description": "The Traffic Selector Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", "type": "object" }, "type": "array" @@ -10371,7 +9768,7 @@ "vpnLinkConnections": { "description": "List of all vpn site link connections to the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse", "type": "object" }, "type": "array" @@ -10388,7 +9785,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVpnGateway": { + "azure-native:network:getVpnGateway": { "description": "Retrieves the details of a virtual wan vpn gateway.", "inputs": { "properties": { @@ -10417,14 +9814,14 @@ "type": "string" }, "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "description": "Local network gateway's BGP speaker settings.", "type": "object" }, "connections": { "description": "List of all vpn connections to the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnConnectionResponse", "type": "object" }, "type": "array" @@ -10444,7 +9841,7 @@ "ipConfigurations": { "description": "List of all IPs configured on the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayIpConfigurationResponse", "type": "object" }, "type": "array" @@ -10464,7 +9861,7 @@ "natRules": { "description": "List of all the nat Rules associated with the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayNatRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRuleResponse", "type": "object" }, "type": "array" @@ -10485,7 +9882,7 @@ "type": "string" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VirtualHub to which the gateway belongs.", "type": "object" }, @@ -10506,49 +9903,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVpnLinkConnectionIkeSas": { - "description": "Lists IKE Security Associations for Vpn Site Link Connection in the specified resource group.", - "inputs": { - "properties": { - "connectionName": { - "description": "The name of the vpn connection.", - "type": "string", - "willReplaceOnChanges": true - }, - "gatewayName": { - "description": "The name of the gateway.", - "type": "string", - "willReplaceOnChanges": true - }, - "linkConnectionName": { - "description": "The name of the vpn link connection.", - "type": "string", - "willReplaceOnChanges": true - }, - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - } - }, - "required": [ - "connectionName", - "gatewayName", - "linkConnectionName", - "resourceGroupName" - ], - "type": "object" - }, - "outputs": { - "properties": { - "value": { - "type": "string" - } - }, - "type": "object" - } - }, - "azure-native:network/v20230201:getVpnServerConfiguration": { + "azure-native:network:getVpnServerConfiguration": { "description": "Retrieves the details of a VpnServerConfiguration.", "inputs": { "properties": { @@ -10593,7 +9948,7 @@ "type": "string" }, "properties": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPropertiesResponse", "description": "Properties of the P2SVpnServer configuration.", "type": "object" }, @@ -10619,7 +9974,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getVpnSite": { + "azure-native:network:getVpnSite": { "description": "Retrieves the details of a VPN site.", "inputs": { "properties": { @@ -10644,7 +9999,7 @@ "description": "VpnSite Resource.", "properties": { "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "The AddressSpace that contains an array of IP address ranges.", "type": "object" }, @@ -10653,12 +10008,12 @@ "type": "string" }, "bgpProperties": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "description": "The set of bgp properties.", "type": "object" }, "deviceProperties": { - "$ref": "#/types/azure-native:network/v20230201:DevicePropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DevicePropertiesResponse", "description": "The device properties.", "type": "object" }, @@ -10687,7 +10042,7 @@ "type": "string" }, "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:O365PolicyPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyPropertiesResponse", "description": "Office365 Policy.", "type": "object" }, @@ -10711,14 +10066,14 @@ "type": "string" }, "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VirtualWAN to which the vpnSite belongs.", "type": "object" }, "vpnSiteLinks": { "description": "List of all vpn site links.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkResponse", "type": "object" }, "type": "array" @@ -10735,7 +10090,7 @@ "type": "object" } }, - "azure-native:network/v20230201:getWebApplicationFirewallPolicy": { + "azure-native:network:getWebApplicationFirewallPolicy": { "description": "Retrieve protection policy with specified name within a resource group.", "inputs": { "properties": { @@ -10762,7 +10117,7 @@ "applicationGateways": { "description": "A collection of references to application gateways.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayResponse", "type": "object" }, "type": "array" @@ -10774,7 +10129,7 @@ "customRules": { "description": "The custom rules inside the policy.", "items": { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallCustomRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRuleResponse", "type": "object" }, "type": "array" @@ -10786,7 +10141,7 @@ "httpListeners": { "description": "A collection of references to application gateway http listeners.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -10800,7 +10155,7 @@ "type": "string" }, "managedRules": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRulesDefinitionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinitionResponse", "description": "Describes the managedRules structure.", "type": "object" }, @@ -10811,13 +10166,13 @@ "pathBasedRules": { "description": "A collection of references to application gateway path rules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" }, "policySettings": { - "$ref": "#/types/azure-native:network/v20230201:PolicySettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsResponse", "description": "The PolicySettings for policy.", "type": "object" }, @@ -10856,53 +10211,38 @@ "type": "object" } }, - "azure-native:network/v20230201:listActiveConnectivityConfigurations": { - "description": "Lists active connectivity configurations in a network manager.", + "azure-native_network_v20230201:network:getActiveSessions": { + "description": "Returns the list of currently active sessions on the Bastion.", "inputs": { "properties": { - "networkManagerName": { - "description": "The name of the network manager.", + "bastionHostName": { + "description": "The name of the Bastion Host.", "type": "string", "willReplaceOnChanges": true }, - "regions": { - "description": "List of regions.", - "items": { - "type": "string" - }, - "type": "array" - }, "resourceGroupName": { "description": "The name of the resource group.", "type": "string", "willReplaceOnChanges": true - }, - "skipToken": { - "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", - "type": "string" - }, - "top": { - "description": "An optional query parameter which specifies the maximum number of records to be returned by the server.", - "type": "integer" } }, "required": [ - "networkManagerName", + "bastionHostName", "resourceGroupName" ], "type": "object" }, "outputs": { - "description": "Result of the request to list active connectivity configurations. It contains a list of active connectivity configurations and a skiptoken to get the next set of results.", + "description": "Response for GetActiveSessions.", "properties": { - "skipToken": { - "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", + "nextLink": { + "description": "The URL to get the next set of results.", "type": "string" }, "value": { - "description": "Gets a page of active connectivity configurations.", + "description": "List of active sessions on the bastion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ActiveConnectivityConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BastionActiveSessionResponse", "type": "object" }, "type": "array" @@ -10911,133 +10251,130 @@ "type": "object" } }, - "azure-native:network/v20230201:listActiveSecurityAdminRules": { - "description": "Lists active security admin rules in a network manager.", + "azure-native_network_v20230201:network:getApplicationGatewayBackendHealthOnDemand": { + "description": "Gets the backend health for given combination of backend pool and http setting of the specified application gateway in a resource group.", "inputs": { "properties": { - "networkManagerName": { - "description": "The name of the network manager.", + "applicationGatewayName": { + "description": "The name of the application gateway.", "type": "string", "willReplaceOnChanges": true }, - "regions": { - "description": "List of regions.", - "items": { - "type": "string" - }, - "type": "array" + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to backend pool of application gateway to which probe request will be sent.", + "type": "object" + }, + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to backend http setting of application gateway to be used for test probe.", + "type": "object" + }, + "expand": { + "description": "Expands BackendAddressPool and BackendHttpSettings referenced in backend health.", + "type": "string" + }, + "host": { + "description": "Host name to send the probe to.", + "type": "string" + }, + "match": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatch", + "description": "Criterion for classifying a healthy probe response.", + "type": "object" + }, + "path": { + "description": "Relative path of probe. Valid path starts from '/'. Probe is sent to \u003cProtocol\u003e://\u003chost\u003e:\u003cport\u003e\u003cpath\u003e.", + "type": "string" + }, + "pickHostNameFromBackendHttpSettings": { + "description": "Whether the host header should be picked from the backend http settings. Default value is false.", + "type": "boolean" + }, + "protocol": { + "description": "The protocol used for the probe.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + } + ] }, "resourceGroupName": { "description": "The name of the resource group.", "type": "string", "willReplaceOnChanges": true }, - "skipToken": { - "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", - "type": "string" - }, - "top": { - "description": "An optional query parameter which specifies the maximum number of records to be returned by the server.", + "timeout": { + "description": "The probe timeout in seconds. Probe marked as failed if valid response is not received with this timeout period. Acceptable values are from 1 second to 86400 seconds.", "type": "integer" } }, "required": [ - "networkManagerName", + "applicationGatewayName", "resourceGroupName" ], "type": "object" }, "outputs": { - "description": "Result of the request to list active security admin rules. It contains a list of active security admin rules and a skiptoken to get the next set of results.", + "description": "Result of on demand test probe.", "properties": { - "skipToken": { - "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", - "type": "string" + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", + "description": "Reference to an ApplicationGatewayBackendAddressPool resource.", + "type": "object" }, - "value": { - "description": "Gets a page of active security admin rules.", - "items": { - "discriminator": { - "mapping": { - "Custom": "#/types/azure-native:network/v20230201:ActiveSecurityAdminRuleResponse", - "Default": "#/types/azure-native:network/v20230201:ActiveDefaultSecurityAdminRuleResponse" - }, - "propertyName": "kind" - }, - "oneOf": [ - { - "$ref": "#/types/azure-native:network/v20230201:ActiveDefaultSecurityAdminRuleResponse", - "type": "object" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ActiveSecurityAdminRuleResponse", - "type": "object" - } - ] - }, - "type": "array" + "backendHealthHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHealthHttpSettingsResponse", + "description": "Application gateway BackendHealthHttp settings.", + "type": "object" } }, "type": "object" } }, - "azure-native:network/v20230201:listFirewallPolicyIdpsSignature": { - "description": "Retrieves the current status of IDPS signatures for the relevant policy", + "azure-native_network_v20230201:network:getBastionShareableLink": { + "description": "Return the Bastion Shareable Links for all the VMs specified in the request.", "inputs": { "properties": { - "filters": { - "description": "Contain all filters names and values", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FilterItems", - "type": "object" - }, - "type": "array" - }, - "firewallPolicyName": { - "description": "The name of the Firewall Policy.", + "bastionHostName": { + "description": "The name of the Bastion Host.", "type": "string", "willReplaceOnChanges": true }, - "orderBy": { - "$ref": "#/types/azure-native:network/v20230201:OrderBy", - "description": "Column to sort response by", - "type": "object" - }, "resourceGroupName": { "description": "The name of the resource group.", "type": "string", "willReplaceOnChanges": true }, - "resultsPerPage": { - "description": "The number of the results to return in each page", - "type": "integer" - }, - "search": { - "description": "Search term in all columns", - "type": "string" - }, - "skip": { - "description": "The number of records matching the filter to skip", - "type": "integer" + "vms": { + "description": "List of VM references.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BastionShareableLink", + "type": "object" + }, + "type": "array" } }, "required": [ - "firewallPolicyName", + "bastionHostName", "resourceGroupName" ], "type": "object" }, "outputs": { - "description": "Query result", + "description": "Response for all the Bastion Shareable Link endpoints.", "properties": { - "matchingRecordsCount": { - "description": "Number of total records matching the query.", - "type": "number" + "nextLink": { + "description": "The URL to get the next set of results.", + "type": "string" }, - "signatures": { - "description": "Array containing the results of the query", + "value": { + "description": "List of Bastion Shareable Links for the request.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SingleQueryResultResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BastionShareableLinkResponse", "type": "object" }, "type": "array" @@ -11046,16 +10383,12 @@ "type": "object" } }, - "azure-native:network/v20230201:listFirewallPolicyIdpsSignaturesFilterValue": { - "description": "Retrieves the current filter values for the signatures overrides", + "azure-native_network_v20230201:network:getP2sVpnGatewayP2sVpnConnectionHealth": { + "description": "Gets the connection health of P2S clients of the virtual wan P2SVpnGateway in the specified resource group.", "inputs": { "properties": { - "filterName": { - "description": "Describes the name of the column which values will be returned", - "type": "string" - }, - "firewallPolicyName": { - "description": "The name of the Firewall Policy.", + "gatewayName": { + "description": "The name of the P2SVpnGateway.", "type": "string", "willReplaceOnChanges": true }, @@ -11066,86 +10399,171 @@ } }, "required": [ - "firewallPolicyName", + "gatewayName", "resourceGroupName" ], "type": "object" }, "outputs": { - "description": "Describes the list of all possible values for a specific filter value", + "description": "P2SVpnGateway Resource.", "properties": { - "filterValues": { - "description": "Describes the possible values", + "customDnsServers": { + "description": "List of all customer specified DNS servers IP addresses.", "items": { "type": "string" }, "type": "array" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "isRoutingPreferenceInternet": { + "description": "Enable Routing Preference property for the Public IP Interface of the P2SVpnGateway.", + "type": "boolean" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "p2SConnectionConfigurations": { + "description": "List of all p2s connection configurations of the gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the P2S VPN gateway resource.", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The VirtualHub to which the gateway belongs.", + "type": "object" + }, + "vpnClientConnectionHealth": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", + "description": "All P2S VPN clients' connection health status.", + "type": "object" + }, + "vpnGatewayScaleUnit": { + "description": "The scale unit for this p2s vpn gateway.", + "type": "integer" + }, + "vpnServerConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The VpnServerConfiguration to which the p2sVpnGateway is attached to.", + "type": "object" } }, + "required": [ + "etag", + "location", + "name", + "provisioningState", + "type", + "vpnClientConnectionHealth" + ], "type": "object" } }, - "azure-native:network/v20230201:listNetworkManagerDeploymentStatus": { - "description": "Post to List of Network Manager Deployment Status.", + "azure-native_network_v20230201:network:getP2sVpnGatewayP2sVpnConnectionHealthDetailed": { + "description": "Gets the sas url to get the connection health detail of P2S clients of the virtual wan P2SVpnGateway in the specified resource group.", "inputs": { "properties": { - "deploymentTypes": { - "description": "List of deployment types.", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationType" - } - ] - }, - "type": "array" + "gatewayName": { + "description": "The name of the P2SVpnGateway.", + "type": "string", + "willReplaceOnChanges": true }, - "networkManagerName": { - "description": "The name of the network manager.", + "outputBlobSasUrl": { + "description": "The sas-url to download the P2S Vpn connection health detail.", + "type": "string" + }, + "resourceGroupName": { + "description": "The name of the resource group.", "type": "string", "willReplaceOnChanges": true }, - "regions": { - "description": "List of locations.", + "vpnUserNamesFilter": { + "description": "The list of p2s vpn user names whose p2s vpn connection detailed health to retrieve for.", "items": { "type": "string" }, "type": "array" + } + }, + "required": [ + "gatewayName", + "resourceGroupName" + ], + "type": "object" + }, + "outputs": { + "description": "P2S Vpn connection detailed health written to sas url.", + "properties": { + "sasUrl": { + "description": "Returned sas url of the blob to which the p2s vpn connection detailed health will be written.", + "type": "string" + } + }, + "type": "object" + } + }, + "azure-native_network_v20230201:network:getVirtualNetworkGatewayAdvertisedRoutes": { + "description": "This operation retrieves a list of routes the virtual network gateway is advertising to the specified peer.", + "inputs": { + "properties": { + "peer": { + "description": "The IP address of the peer.", + "type": "string" }, "resourceGroupName": { "description": "The name of the resource group.", "type": "string", "willReplaceOnChanges": true }, - "skipToken": { - "description": "Continuation token for pagination, capturing the next page size and offset, as well as the context of the query.", - "type": "string" - }, - "top": { - "description": "An optional query parameter which specifies the maximum number of records to be returned by the server.", - "type": "integer" + "virtualNetworkGatewayName": { + "description": "The name of the virtual network gateway.", + "type": "string", + "willReplaceOnChanges": true } }, "required": [ - "networkManagerName", - "resourceGroupName" + "peer", + "resourceGroupName", + "virtualNetworkGatewayName" ], "type": "object" }, "outputs": { - "description": "A list of Network Manager Deployment Status", + "description": "List of virtual network gateway routes.", "properties": { - "skipToken": { - "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", - "type": "string" - }, "value": { - "description": "Gets a page of Network Manager Deployment Status", + "description": "List of gateway routes.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerDeploymentStatusResponse", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayRouteResponse", "type": "object" }, "type": "array" @@ -11154,46 +10572,38 @@ "type": "object" } }, - "azure-native:network/v20230201:listNetworkManagerEffectiveConnectivityConfigurations": { - "description": "List all effective connectivity configurations applied on a virtual network.", + "azure-native_network_v20230201:network:getVirtualNetworkGatewayBgpPeerStatus": { + "description": "The GetBgpPeerStatus operation retrieves the status of all BGP peers.", "inputs": { "properties": { + "peer": { + "description": "The IP address of the peer to retrieve the status of.", + "type": "string" + }, "resourceGroupName": { "description": "The name of the resource group.", "type": "string", "willReplaceOnChanges": true }, - "skipToken": { - "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", - "type": "string" - }, - "top": { - "description": "An optional query parameter which specifies the maximum number of records to be returned by the server.", - "type": "integer" - }, - "virtualNetworkName": { - "description": "The name of the virtual network.", + "virtualNetworkGatewayName": { + "description": "The name of the virtual network gateway.", "type": "string", "willReplaceOnChanges": true } }, "required": [ "resourceGroupName", - "virtualNetworkName" + "virtualNetworkGatewayName" ], "type": "object" }, "outputs": { - "description": "Result of the request to list networkManagerEffectiveConnectivityConfiguration. It contains a list of groups and a skiptoken to get the next set of results.", + "description": "Response for list BGP peer status API service call.", "properties": { - "skipToken": { - "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", - "type": "string" - }, "value": { - "description": "Gets a page of NetworkManagerEffectiveConnectivityConfiguration", + "description": "List of BGP peers.", "items": { - "$ref": "#/types/azure-native:network/v20230201:EffectiveConnectivityConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpPeerStatusResponse", "type": "object" }, "type": "array" @@ -11202,8 +10612,8 @@ "type": "object" } }, - "azure-native:network/v20230201:listNetworkManagerEffectiveSecurityAdminRules": { - "description": "List all effective security admin rules applied on a virtual network.", + "azure-native_network_v20230201:network:getVirtualNetworkGatewayConnectionIkeSas": { + "description": "Lists IKE Security Associations for the virtual network gateway connection in the specified resource group.", "inputs": { "properties": { "resourceGroupName": { @@ -11211,513 +10621,1309 @@ "type": "string", "willReplaceOnChanges": true }, - "skipToken": { - "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", - "type": "string" - }, - "top": { - "description": "An optional query parameter which specifies the maximum number of records to be returned by the server.", - "type": "integer" - }, - "virtualNetworkName": { - "description": "The name of the virtual network.", + "virtualNetworkGatewayConnectionName": { + "description": "The name of the virtual network gateway Connection.", "type": "string", "willReplaceOnChanges": true } }, "required": [ "resourceGroupName", - "virtualNetworkName" + "virtualNetworkGatewayConnectionName" ], "type": "object" }, "outputs": { - "description": "Result of the request to list networkManagerEffectiveSecurityAdminRules. It contains a list of groups and a skiptoken to get the next set of results.", "properties": { - "skipToken": { - "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", + "value": { "type": "string" + } + }, + "type": "object" + } + }, + "azure-native_network_v20230201:network:getVirtualNetworkGatewayLearnedRoutes": { + "description": "This operation retrieves a list of routes the virtual network gateway has learned, including routes learned from BGP peers.", + "inputs": { + "properties": { + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true }, + "virtualNetworkGatewayName": { + "description": "The name of the virtual network gateway.", + "type": "string", + "willReplaceOnChanges": true + } + }, + "required": [ + "resourceGroupName", + "virtualNetworkGatewayName" + ], + "type": "object" + }, + "outputs": { + "description": "List of virtual network gateway routes.", + "properties": { "value": { - "description": "Gets a page of NetworkManagerEffectiveSecurityAdminRules", + "description": "List of gateway routes.", "items": { - "discriminator": { - "mapping": { - "Custom": "#/types/azure-native:network/v20230201:EffectiveSecurityAdminRuleResponse", - "Default": "#/types/azure-native:network/v20230201:EffectiveDefaultSecurityAdminRuleResponse" - }, - "propertyName": "kind" - }, - "oneOf": [ - { - "$ref": "#/types/azure-native:network/v20230201:EffectiveDefaultSecurityAdminRuleResponse", - "type": "object" - }, - { - "$ref": "#/types/azure-native:network/v20230201:EffectiveSecurityAdminRuleResponse", - "type": "object" - } - ] + "$ref": "#/types/azure-native_network_v20230201:network:GatewayRouteResponse", + "type": "object" }, "type": "array" } }, "type": "object" } - } - }, - "homepage": "https://pulumi.com", - "keywords": [ - "pulumi", - "azure", - "azure-native", - "category/cloud", - "kind/native" - ], - "language": { - "csharp": { - "namespaces": { - "azure-native": "AzureNative", - "network": "Network", - "network/v20230201": "Network.V20230201" - }, - "packageReferences": { - "Pulumi": "3.*", - "System.Collections.Immutable": "5.0.0" - }, - "respectSchemaVersion": true }, - "go": { - "disableInputTypeRegistrations": true, - "generateResourceContainerTypes": false, - "importBasePath": "github.com/pulumi/pulumi-azure-native-sdk/v3", - "importPathPattern": "github.com/pulumi/pulumi-azure-native-sdk/{module}/v3", - "internalModuleName": "utilities", - "packageImportAliases": { - "github.com/pulumi/pulumi-azure-native-sdk/network/v3/v20230201": "network" + "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnProfilePackageUrl": { + "description": "Gets pre-generated VPN profile for P2S client of the virtual network gateway in the specified resource group. The profile needs to be generated first using generateVpnProfile.", + "inputs": { + "properties": { + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "virtualNetworkGatewayName": { + "description": "The name of the virtual network gateway.", + "type": "string", + "willReplaceOnChanges": true + } + }, + "required": [ + "resourceGroupName", + "virtualNetworkGatewayName" + ], + "type": "object" }, - "respectSchemaVersion": true, - "rootPackageName": "pulumiazurenativesdk" - }, - "java": { - "packages": { - "azure-native": "azurenative", - "network/v20230201": "network.v20230201" + "outputs": { + "properties": { + "value": { + "type": "string" + } + }, + "type": "object" } }, - "nodejs": { - "readme": "The native Azure provider package offers support for all Azure Resource Manager (ARM)\nresources and their properties. Resources are exposed as types from modules based on Azure Resource\nProviders such as 'compute', 'network', 'storage', and 'web', among many others. Using this package\nallows you to programmatically declare instances of any Azure resource and any supported resource\nversion using infrastructure as code, which Pulumi then uses to drive the ARM API.", - "respectSchemaVersion": true - }, - "python": { - "inputTypes": "classes-and-dicts", - "moduleNameOverrides": { - "network/v20230201": "network/v20230201" - }, - "pyproject": { - "enabled": true - }, - "readme": "The native Azure provider package offers support for all Azure Resource Manager (ARM)\nresources and their properties. Resources are exposed as types from modules based on Azure Resource\nProviders such as 'compute', 'network', 'storage', and 'web', among many others. Using this package\nallows you to programmatically declare instances of any Azure resource and any supported resource\nversion using infrastructure as code, which Pulumi then uses to drive the ARM API.", - "respectSchemaVersion": true, - "usesIOClasses": true - } - }, - "license": "Apache-2.0", - "name": "azure-native", - "provider": { - "description": "The provider type for the native Azure package.", - "inputProperties": { - "auxiliaryTenantIds": { - "description": "Any additional Tenant IDs which should be used for authentication.", - "items": { - "type": "string" + "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnclientConnectionHealth": { + "description": "Get VPN client connection health detail per P2S client connection of the virtual network gateway in the specified resource group.", + "inputs": { + "properties": { + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "virtualNetworkGatewayName": { + "description": "The name of the virtual network gateway.", + "type": "string", + "willReplaceOnChanges": true + } }, - "type": "array" - }, - "clientCertificatePassword": { - "description": "The password associated with the Client Certificate. For use when authenticating as a Service Principal using a Client Certificate", - "secret": true, - "type": "string" - }, - "clientCertificatePath": { - "description": "The path to the Client Certificate associated with the Service Principal for use when authenticating as a Service Principal using a Client Certificate.", - "type": "string" - }, - "clientId": { - "description": "The Client ID which should be used.", - "secret": true, - "type": "string" - }, - "clientSecret": { - "description": "The Client Secret which should be used. For use When authenticating as a Service Principal using a Client Secret.", - "secret": true, - "type": "string" - }, - "disablePulumiPartnerId": { - "description": "This will disable the Pulumi Partner ID which is used if a custom `partnerId` isn't specified.", - "type": "boolean" - }, - "environment": { - "default": "public", - "description": "The Cloud Environment which should be used. Possible values are public, usgovernment, and china. Defaults to public.", - "type": "string" - }, - "location": { - "description": "The location to use. ResourceGroups will consult this property for a default location, if one was not supplied explicitly when defining the resource.", - "type": "string" - }, - "metadataHost": { - "description": "The Hostname of the Azure Metadata Service.", - "type": "string" - }, - "msiEndpoint": { - "description": "The path to a custom endpoint for Managed Service Identity - in most circumstances this should be detected automatically.", - "type": "string" - }, - "oidcRequestToken": { - "description": "Your cloud service or provider’s bearer token to exchange for an OIDC ID token.", - "type": "string" - }, - "oidcRequestUrl": { - "description": "The URL to initiate the `oidcRequestToken` OIDC token exchange.", - "type": "string" - }, - "oidcToken": { - "description": "The OIDC token to exchange for an Azure token.", - "type": "string" - }, - "partnerId": { - "description": "A GUID/UUID that is registered with Microsoft to facilitate partner resource usage attribution.", - "type": "string" - }, - "subscriptionId": { - "description": "The Subscription ID which should be used.", - "type": "string" - }, - "tenantId": { - "description": "The Tenant ID which should be used.", - "type": "string" - }, - "useMsi": { - "description": "Allow Managed Service Identity to be used for Authentication.", - "type": "boolean" + "required": [ + "resourceGroupName", + "virtualNetworkGatewayName" + ], + "type": "object" }, - "useOidc": { - "description": "Allow OpenID Connect (OIDC) to be used for Authentication.", - "type": "boolean" + "outputs": { + "description": "List of virtual network gateway vpn client connection health.", + "properties": { + "value": { + "description": "List of vpn client connection health.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthDetailResponse", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" } }, - "type": "object" - }, - "publisher": "Pulumi", - "repository": "https://github.com/pulumi/pulumi-azure-native", - "resources": { - "azure-native:keyvault:AccessPolicy": { - "description": "Key Vault Access Policy for managing policies on existing vaults.", - "inputProperties": { - "policy": { - "$ref": "#/types/azure-native:keyvault:AccessPolicyEntry", - "description": "The definition of the access policy." - }, - "resourceGroupName": { - "description": "Name of the resource group that contains the vault.", - "type": "string" + "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnclientIpsecParameters": { + "description": "The Get VpnclientIpsecParameters operation retrieves information about the vpnclient ipsec policy for P2S client of virtual network gateway in the specified resource group through Network resource provider.", + "inputs": { + "properties": { + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "virtualNetworkGatewayName": { + "description": "The virtual network gateway name.", + "type": "string", + "willReplaceOnChanges": true + } }, - "vaultName": { - "description": "Name of the Key Vault.", - "type": "string" - } + "required": [ + "resourceGroupName", + "virtualNetworkGatewayName" + ], + "type": "object" }, - "properties": { - "policy": { - "$ref": "#/types/azure-native:keyvault:AccessPolicyEntry", - "description": "The definition of the access policy." + "outputs": { + "description": "An IPSec parameters for a virtual network gateway P2S connection.", + "properties": { + "dhGroup": { + "description": "The DH Group used in IKE Phase 1 for initial SA.", + "type": "string" + }, + "ikeEncryption": { + "description": "The IKE encryption algorithm (IKE phase 2).", + "type": "string" + }, + "ikeIntegrity": { + "description": "The IKE integrity algorithm (IKE phase 2).", + "type": "string" + }, + "ipsecEncryption": { + "description": "The IPSec encryption algorithm (IKE phase 1).", + "type": "string" + }, + "ipsecIntegrity": { + "description": "The IPSec integrity algorithm (IKE phase 1).", + "type": "string" + }, + "pfsGroup": { + "description": "The Pfs Group used in IKE Phase 2 for new child SA.", + "type": "string" + }, + "saDataSizeKilobytes": { + "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) payload size in KB for P2S client..", + "type": "integer" + }, + "saLifeTimeSeconds": { + "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) lifetime in seconds for P2S client.", + "type": "integer" + } }, - "resourceGroupName": { - "description": "Name of the resource group that contains the vault.", - "type": "string" + "required": [ + "dhGroup", + "ikeEncryption", + "ikeIntegrity", + "ipsecEncryption", + "ipsecIntegrity", + "pfsGroup", + "saDataSizeKilobytes", + "saLifeTimeSeconds" + ], + "type": "object" + } + }, + "azure-native_network_v20230201:network:getVpnLinkConnectionIkeSas": { + "description": "Lists IKE Security Associations for Vpn Site Link Connection in the specified resource group.", + "inputs": { + "properties": { + "connectionName": { + "description": "The name of the vpn connection.", + "type": "string", + "willReplaceOnChanges": true + }, + "gatewayName": { + "description": "The name of the gateway.", + "type": "string", + "willReplaceOnChanges": true + }, + "linkConnectionName": { + "description": "The name of the vpn link connection.", + "type": "string", + "willReplaceOnChanges": true + }, + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + } }, - "vaultName": { - "description": "Name of the Key Vault.", - "type": "string" - } + "required": [ + "connectionName", + "gatewayName", + "linkConnectionName", + "resourceGroupName" + ], + "type": "object" }, - "requiredInputs": [ - "resourceGroupName", - "vaultName", - "policy" - ], - "type": "object" + "outputs": { + "properties": { + "value": { + "type": "string" + } + }, + "type": "object" + } }, - "azure-native:network/v20230201:AdminRule": { - "description": "Network admin rule.", - "inputProperties": { - "access": { - "description": "Indicates the access allowed for this particular rule", - "oneOf": [ - { + "azure-native_network_v20230201:network:listActiveConnectivityConfigurations": { + "description": "Lists active connectivity configurations in a network manager.", + "inputs": { + "properties": { + "networkManagerName": { + "description": "The name of the network manager.", + "type": "string", + "willReplaceOnChanges": true + }, + "regions": { + "description": "List of regions.", + "items": { "type": "string" }, - { - "$ref": "#/types/azure-native:network/v20230201:SecurityConfigurationRuleAccess" - } - ] - }, - "configurationName": { - "description": "The name of the network manager Security Configuration.", - "type": "string", - "willReplaceOnChanges": true - }, - "description": { - "description": "A description for this rule. Restricted to 140 chars.", - "type": "string" - }, - "destinationPortRanges": { - "description": "The destination port ranges.", - "items": { + "type": "array" + }, + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "skipToken": { + "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", "type": "string" }, - "type": "array" + "top": { + "description": "An optional query parameter which specifies the maximum number of records to be returned by the server.", + "type": "integer" + } }, - "destinations": { - "description": "The destination address prefixes. CIDR or destination IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItem", - "type": "object" + "required": [ + "networkManagerName", + "resourceGroupName" + ], + "type": "object" + }, + "outputs": { + "description": "Result of the request to list active connectivity configurations. It contains a list of active connectivity configurations and a skiptoken to get the next set of results.", + "properties": { + "skipToken": { + "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", + "type": "string" }, - "type": "array" - }, - "direction": { - "description": "Indicates if the traffic matched against the rule in inbound or outbound.", - "oneOf": [ - { - "type": "string" + "value": { + "description": "Gets a page of active connectivity configurations.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ActiveConnectivityConfigurationResponse", + "type": "object" }, - { - "$ref": "#/types/azure-native:network/v20230201:SecurityConfigurationRuleDirection" - } - ] - }, - "kind": { - "const": "Custom", - "description": "Whether the rule is custom or default.\nExpected value is 'Custom'.", - "type": "string" - }, - "networkManagerName": { - "description": "The name of the network manager.", - "type": "string", - "willReplaceOnChanges": true - }, - "priority": { - "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", - "type": "integer" + "type": "array" + } }, - "protocol": { - "description": "Network protocol this rule applies to.", - "oneOf": [ - { + "type": "object" + } + }, + "azure-native_network_v20230201:network:listActiveSecurityAdminRules": { + "description": "Lists active security admin rules in a network manager.", + "inputs": { + "properties": { + "networkManagerName": { + "description": "The name of the network manager.", + "type": "string", + "willReplaceOnChanges": true + }, + "regions": { + "description": "List of regions.", + "items": { "type": "string" }, - { - "$ref": "#/types/azure-native:network/v20230201:SecurityConfigurationRuleProtocol" - } - ] - }, - "resourceGroupName": { - "description": "The name of the resource group.", - "type": "string", - "willReplaceOnChanges": true - }, - "ruleCollectionName": { - "description": "The name of the network manager security Configuration rule collection.", - "type": "string", - "willReplaceOnChanges": true - }, - "ruleName": { - "description": "The name of the rule.", - "type": "string", - "willReplaceOnChanges": true - }, - "sourcePortRanges": { - "description": "The source port ranges.", - "items": { + "type": "array" + }, + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "skipToken": { + "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", "type": "string" }, - "type": "array" + "top": { + "description": "An optional query parameter which specifies the maximum number of records to be returned by the server.", + "type": "integer" + } }, - "sources": { - "description": "The CIDR or source IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItem", - "type": "object" - }, - "type": "array" - } + "required": [ + "networkManagerName", + "resourceGroupName" + ], + "type": "object" }, - "properties": { - "access": { - "description": "Indicates the access allowed for this particular rule", - "type": "string" - }, - "azureApiVersion": { - "description": "The Azure API version of the resource.", - "type": "string" - }, - "description": { - "description": "A description for this rule. Restricted to 140 chars.", - "type": "string" - }, - "destinationPortRanges": { - "description": "The destination port ranges.", - "items": { + "outputs": { + "description": "Result of the request to list active security admin rules. It contains a list of active security admin rules and a skiptoken to get the next set of results.", + "properties": { + "skipToken": { + "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", "type": "string" }, - "type": "array" + "value": { + "description": "Gets a page of active security admin rules.", + "items": { + "discriminator": { + "mapping": { + "Custom": "#/types/azure-native_network_v20230201:network:ActiveSecurityAdminRuleResponse", + "Default": "#/types/azure-native_network_v20230201:network:ActiveDefaultSecurityAdminRuleResponse" + }, + "propertyName": "kind" + }, + "oneOf": [ + { + "$ref": "#/types/azure-native_network_v20230201:network:ActiveDefaultSecurityAdminRuleResponse", + "type": "object" + }, + { + "$ref": "#/types/azure-native_network_v20230201:network:ActiveSecurityAdminRuleResponse", + "type": "object" + } + ] + }, + "type": "array" + } }, - "destinations": { - "description": "The destination address prefixes. CIDR or destination IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", + "type": "object" + } + }, + "azure-native_network_v20230201:network:listFirewallPolicyIdpsSignature": { + "description": "Retrieves the current status of IDPS signatures for the relevant policy", + "inputs": { + "properties": { + "filters": { + "description": "Contain all filters names and values", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FilterItems", + "type": "object" + }, + "type": "array" + }, + "firewallPolicyName": { + "description": "The name of the Firewall Policy.", + "type": "string", + "willReplaceOnChanges": true + }, + "orderBy": { + "$ref": "#/types/azure-native_network_v20230201:network:OrderBy", + "description": "Column to sort response by", "type": "object" }, - "type": "array" - }, - "direction": { - "description": "Indicates if the traffic matched against the rule in inbound or outbound.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "kind": { - "const": "Custom", - "description": "Whether the rule is custom or default.\nExpected value is 'Custom'.", - "type": "string" + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "resultsPerPage": { + "description": "The number of the results to return in each page", + "type": "integer" + }, + "search": { + "description": "Search term in all columns", + "type": "string" + }, + "skip": { + "description": "The number of records matching the filter to skip", + "type": "integer" + } }, - "name": { - "description": "Resource name.", - "type": "string" + "required": [ + "firewallPolicyName", + "resourceGroupName" + ], + "type": "object" + }, + "outputs": { + "description": "Query result", + "properties": { + "matchingRecordsCount": { + "description": "Number of total records matching the query.", + "type": "number" + }, + "signatures": { + "description": "Array containing the results of the query", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SingleQueryResultResponse", + "type": "object" + }, + "type": "array" + } }, - "priority": { - "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", - "type": "integer" + "type": "object" + } + }, + "azure-native_network_v20230201:network:listFirewallPolicyIdpsSignaturesFilterValue": { + "description": "Retrieves the current filter values for the signatures overrides", + "inputs": { + "properties": { + "filterName": { + "description": "Describes the name of the column which values will be returned", + "type": "string" + }, + "firewallPolicyName": { + "description": "The name of the Firewall Policy.", + "type": "string", + "willReplaceOnChanges": true + }, + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + } }, - "protocol": { - "description": "Network protocol this rule applies to.", - "type": "string" + "required": [ + "firewallPolicyName", + "resourceGroupName" + ], + "type": "object" + }, + "outputs": { + "description": "Describes the list of all possible values for a specific filter value", + "properties": { + "filterValues": { + "description": "Describes the possible values", + "items": { + "type": "string" + }, + "type": "array" + } }, - "provisioningState": { - "description": "The provisioning state of the resource.", - "type": "string" + "type": "object" + } + }, + "azure-native_network_v20230201:network:listNetworkManagerDeploymentStatus": { + "description": "Post to List of Network Manager Deployment Status.", + "inputs": { + "properties": { + "deploymentTypes": { + "description": "List of deployment types.", + "items": { + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ConfigurationType" + } + ] + }, + "type": "array" + }, + "networkManagerName": { + "description": "The name of the network manager.", + "type": "string", + "willReplaceOnChanges": true + }, + "regions": { + "description": "List of locations.", + "items": { + "type": "string" + }, + "type": "array" + }, + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "skipToken": { + "description": "Continuation token for pagination, capturing the next page size and offset, as well as the context of the query.", + "type": "string" + }, + "top": { + "description": "An optional query parameter which specifies the maximum number of records to be returned by the server.", + "type": "integer" + } }, - "resourceGuid": { - "description": "Unique identifier for this resource.", - "type": "string" + "required": [ + "networkManagerName", + "resourceGroupName" + ], + "type": "object" + }, + "outputs": { + "description": "A list of Network Manager Deployment Status", + "properties": { + "skipToken": { + "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", + "type": "string" + }, + "value": { + "description": "Gets a page of Network Manager Deployment Status", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerDeploymentStatusResponse", + "type": "object" + }, + "type": "array" + } }, - "sourcePortRanges": { - "description": "The source port ranges.", - "items": { + "type": "object" + } + }, + "azure-native_network_v20230201:network:listNetworkManagerEffectiveConnectivityConfigurations": { + "description": "List all effective connectivity configurations applied on a virtual network.", + "inputs": { + "properties": { + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "skipToken": { + "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", "type": "string" }, - "type": "array" + "top": { + "description": "An optional query parameter which specifies the maximum number of records to be returned by the server.", + "type": "integer" + }, + "virtualNetworkName": { + "description": "The name of the virtual network.", + "type": "string", + "willReplaceOnChanges": true + } }, - "sources": { - "description": "The CIDR or source IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" + "required": [ + "resourceGroupName", + "virtualNetworkName" + ], + "type": "object" + }, + "outputs": { + "description": "Result of the request to list networkManagerEffectiveConnectivityConfiguration. It contains a list of groups and a skiptoken to get the next set of results.", + "properties": { + "skipToken": { + "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", + "type": "string" }, - "type": "array" + "value": { + "description": "Gets a page of NetworkManagerEffectiveConnectivityConfiguration", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:EffectiveConnectivityConfigurationResponse", + "type": "object" + }, + "type": "array" + } }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", - "description": "The system metadata related to this resource.", - "type": "object" + "type": "object" + } + }, + "azure-native_network_v20230201:network:listNetworkManagerEffectiveSecurityAdminRules": { + "description": "List all effective security admin rules applied on a virtual network.", + "inputs": { + "properties": { + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "skipToken": { + "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", + "type": "string" + }, + "top": { + "description": "An optional query parameter which specifies the maximum number of records to be returned by the server.", + "type": "integer" + }, + "virtualNetworkName": { + "description": "The name of the virtual network.", + "type": "string", + "willReplaceOnChanges": true + } }, - "type": { - "description": "Resource type.", + "required": [ + "resourceGroupName", + "virtualNetworkName" + ], + "type": "object" + }, + "outputs": { + "description": "Result of the request to list networkManagerEffectiveSecurityAdminRules. It contains a list of groups and a skiptoken to get the next set of results.", + "properties": { + "skipToken": { + "description": "When present, the value can be passed to a subsequent query call (together with the same query and scopes used in the current request) to retrieve the next page of data.", + "type": "string" + }, + "value": { + "description": "Gets a page of NetworkManagerEffectiveSecurityAdminRules", + "items": { + "discriminator": { + "mapping": { + "Custom": "#/types/azure-native_network_v20230201:network:EffectiveSecurityAdminRuleResponse", + "Default": "#/types/azure-native_network_v20230201:network:EffectiveDefaultSecurityAdminRuleResponse" + }, + "propertyName": "kind" + }, + "oneOf": [ + { + "$ref": "#/types/azure-native_network_v20230201:network:EffectiveDefaultSecurityAdminRuleResponse", + "type": "object" + }, + { + "$ref": "#/types/azure-native_network_v20230201:network:EffectiveSecurityAdminRuleResponse", + "type": "object" + } + ] + }, + "type": "array" + } + }, + "type": "object" + } + } + }, + "homepage": "https://pulumi.com", + "keywords": [ + "pulumi", + "azure", + "azure-native", + "category/cloud", + "kind/native" + ], + "language": { + "csharp": { + "namespaces": { + "azure-native": "AzureNative", + "network": "Network.V20230201" + }, + "packageReferences": { + "Pulumi": "3.*", + "System.Collections.Immutable": "5.0.0" + }, + "respectSchemaVersion": true + }, + "go": { + "disableInputTypeRegistrations": true, + "generateResourceContainerTypes": false, + "importBasePath": "github.com/pulumi/pulumi-azure-native-sdk/v3", + "importPathPattern": "github.com/pulumi/pulumi-azure-native-sdk/{module}/v3", + "internalModuleName": "utilities", + "packageImportAliases": { + "github.com/pulumi/pulumi-azure-native-sdk/network/v3/v20230201": "network" + }, + "respectSchemaVersion": true, + "rootPackageName": "pulumiazurenativesdk" + }, + "java": { + "packages": { + "azure-native": "azurenative", + "network": "network.v20230201" + } + }, + "nodejs": { + "readme": "The native Azure provider package offers support for all Azure Resource Manager (ARM)\nresources and their properties. Resources are exposed as types from modules based on Azure Resource\nProviders such as 'compute', 'network', 'storage', and 'web', among many others. Using this package\nallows you to programmatically declare instances of any Azure resource and any supported resource\nversion using infrastructure as code, which Pulumi then uses to drive the ARM API.", + "respectSchemaVersion": true + }, + "python": { + "inputTypes": "classes-and-dicts", + "moduleNameOverrides": { + "network": "network" + }, + "pyproject": { + "enabled": true + }, + "readme": "The native Azure provider package offers support for all Azure Resource Manager (ARM)\nresources and their properties. Resources are exposed as types from modules based on Azure Resource\nProviders such as 'compute', 'network', 'storage', and 'web', among many others. Using this package\nallows you to programmatically declare instances of any Azure resource and any supported resource\nversion using infrastructure as code, which Pulumi then uses to drive the ARM API.", + "respectSchemaVersion": true, + "usesIOClasses": true + } + }, + "license": "Apache-2.0", + "name": "azure-native", + "provider": { + "description": "The provider type for the native Azure package.", + "inputProperties": { + "auxiliaryTenantIds": { + "description": "Any additional Tenant IDs which should be used for authentication.", + "items": { + "type": "string" + }, + "type": "array" + }, + "clientCertificatePassword": { + "description": "The password associated with the Client Certificate. For use when authenticating as a Service Principal using a Client Certificate", + "secret": true, + "type": "string" + }, + "clientCertificatePath": { + "description": "The path to the Client Certificate associated with the Service Principal for use when authenticating as a Service Principal using a Client Certificate.", + "type": "string" + }, + "clientId": { + "description": "The Client ID which should be used.", + "secret": true, + "type": "string" + }, + "clientSecret": { + "description": "The Client Secret which should be used. For use When authenticating as a Service Principal using a Client Secret.", + "secret": true, + "type": "string" + }, + "disablePulumiPartnerId": { + "description": "This will disable the Pulumi Partner ID which is used if a custom `partnerId` isn't specified.", + "type": "boolean" + }, + "environment": { + "default": "public", + "description": "The Cloud Environment which should be used. Possible values are public, usgovernment, and china. Defaults to public.", + "type": "string" + }, + "location": { + "description": "The location to use. ResourceGroups will consult this property for a default location, if one was not supplied explicitly when defining the resource.", + "type": "string" + }, + "metadataHost": { + "description": "The Hostname of the Azure Metadata Service.", + "type": "string" + }, + "msiEndpoint": { + "description": "The path to a custom endpoint for Managed Service Identity - in most circumstances this should be detected automatically.", + "type": "string" + }, + "oidcRequestToken": { + "description": "Your cloud service or provider’s bearer token to exchange for an OIDC ID token.", + "type": "string" + }, + "oidcRequestUrl": { + "description": "The URL to initiate the `oidcRequestToken` OIDC token exchange.", + "type": "string" + }, + "oidcToken": { + "description": "The OIDC token to exchange for an Azure token.", + "type": "string" + }, + "partnerId": { + "description": "A GUID/UUID that is registered with Microsoft to facilitate partner resource usage attribution.", + "type": "string" + }, + "subscriptionId": { + "description": "The Subscription ID which should be used.", + "type": "string" + }, + "tenantId": { + "description": "The Tenant ID which should be used.", + "type": "string" + }, + "useMsi": { + "description": "Allow Managed Service Identity to be used for Authentication.", + "type": "boolean" + }, + "useOidc": { + "description": "Allow OpenID Connect (OIDC) to be used for Authentication.", + "type": "boolean" + } + }, + "type": "object" + }, + "publisher": "Pulumi", + "repository": "https://github.com/pulumi/pulumi-azure-native", + "resources": { + "azure-native:keyvault:AccessPolicy": { + "description": "Key Vault Access Policy for managing policies on existing vaults.", + "inputProperties": { + "policy": { + "$ref": "#/types/azure-native:keyvault:AccessPolicyEntry", + "description": "The definition of the access policy." + }, + "resourceGroupName": { + "description": "Name of the resource group that contains the vault.", + "type": "string" + }, + "vaultName": { + "description": "Name of the Key Vault.", + "type": "string" + } + }, + "properties": { + "policy": { + "$ref": "#/types/azure-native:keyvault:AccessPolicyEntry", + "description": "The definition of the access policy." + }, + "resourceGroupName": { + "description": "Name of the resource group that contains the vault.", + "type": "string" + }, + "vaultName": { + "description": "Name of the Key Vault.", "type": "string" } }, - "required": [ - "access", - "azureApiVersion", - "direction", - "etag", - "kind", - "name", - "priority", - "protocol", - "provisioningState", - "resourceGuid", - "systemData", - "type" - ], "requiredInputs": [ - "access", - "configurationName", - "direction", - "kind", - "networkManagerName", - "priority", - "protocol", "resourceGroupName", - "ruleCollectionName" + "vaultName", + "policy" ], "type": "object" }, - "azure-native:network/v20230201:AdminRuleCollection": { - "description": "Defines the admin rule collection.", + "azure-native:storage:Blob": { + "description": "Manages a Blob within a Storage Container. For the supported combinations of properties and features please see [here](https://learn.microsoft.com/en-us/azure/storage/blobs/storage-feature-support-in-storage-accounts).", "inputProperties": { - "appliesToGroups": { - "description": "Groups for configuration", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItem", - "type": "object" - }, - "type": "array" + "accessTier": { + "$ref": "#/types/azure-native:storage:BlobAccessTier", + "description": "The access tier of the storage blob. Only supported for standard storage accounts, not premium." }, - "configurationName": { - "description": "The name of the network manager Security Configuration.", + "accountName": { + "description": "Specifies the storage account in which to create the storage container.", "type": "string", "willReplaceOnChanges": true }, - "description": { - "description": "A description of the admin rule collection.", - "type": "string" - }, - "networkManagerName": { - "description": "The name of the network manager.", + "blobName": { + "description": "The name of the storage blob. Must be unique within the storage container the blob is located. If this property is not specified it will be set to the name of the resource.", "type": "string", "willReplaceOnChanges": true }, - "resourceGroupName": { - "description": "The name of the resource group.", + "containerName": { + "description": "The name of the storage container in which this blob should be created.", "type": "string", "willReplaceOnChanges": true }, - "ruleCollectionName": { - "description": "The name of the network manager security Configuration rule collection.", + "contentMd5": { + "description": "The MD5 sum of the blob contents, base64-encoded. Cannot be defined if blob type is Append.", "type": "string", "willReplaceOnChanges": true - } - }, - "properties": { - "appliesToGroups": { - "description": "Groups for configuration", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", - "type": "object" - }, - "type": "array" }, - "azureApiVersion": { - "description": "The Azure API version of the resource.", - "type": "string" - }, - "description": { - "description": "A description of the admin rule collection.", + "contentType": { + "description": "The content type of the storage blob. Defaults to `application/octet-stream`.", + "type": "string" + }, + "metadata": { + "additionalProperties": { + "type": "string" + }, + "description": "A map of custom blob metadata.", + "type": "object" + }, + "resourceGroupName": { + "description": "The name of the resource group within the user's subscription.", + "type": "string", + "willReplaceOnChanges": true + }, + "source": { + "$ref": "pulumi.json#/Asset", + "description": "An asset to copy to the blob contents. This field cannot be specified for Append blobs.", + "willReplaceOnChanges": true + }, + "type": { + "$ref": "#/types/azure-native:storage:BlobType", + "default": "Block", + "description": "The type of the storage blob to be created. Defaults to 'Block'.", + "willReplaceOnChanges": true + } + }, + "properties": { + "accessTier": { + "$ref": "#/types/azure-native:storage:BlobAccessTier", + "description": "The access tier of the storage blob. Only supported for standard storage accounts, not premium." + }, + "contentMd5": { + "description": "The MD5 sum of the blob contents.", + "type": "string" + }, + "contentType": { + "description": "The content type of the storage blob.", + "type": "string" + }, + "metadata": { + "additionalProperties": { + "type": "string" + }, + "description": "A map of custom blob metadata.", + "type": "object" + }, + "name": { + "description": "The name of the storage blob.", + "type": "string" + }, + "type": { + "$ref": "#/types/azure-native:storage:BlobType", + "description": "The type of the storage blob to be created." + }, + "url": { + "description": "The URL of the blob.", + "type": "string" + } + }, + "required": [ + "metadata", + "name", + "type", + "url" + ], + "requiredInputs": [ + "resourceGroupName", + "accountName", + "containerName" + ], + "type": "object" + }, + "azure-native:storage:BlobContainerLegalHold": { + "description": ".", + "inputProperties": { + "accountName": { + "description": "Name of the Storage Account.", + "type": "string" + }, + "allowProtectedAppendWritesAll": { + "description": "When enabled, new blocks can be written to both 'Append and Bock Blobs' while maintaining legal hold protection and compliance. Only new blocks can be added and any existing blocks cannot be modified or deleted.", + "type": "boolean" + }, + "containerName": { + "description": "Name of the Blob Container.", + "type": "string" + }, + "resourceGroupName": { + "description": "Name of the resource group that contains the storage account.", + "type": "string" + }, + "tags": { + "description": "List of legal hold tags. Each tag should be 3 to 23 alphanumeric characters and is normalized to lower case at SRP.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "properties": { + "accountName": { + "description": "Name of the Storage Account.", + "type": "string" + }, + "allowProtectedAppendWritesAll": { + "description": "When enabled, new blocks can be written to both 'Append and Bock Blobs' while maintaining legal hold protection and compliance. Only new blocks can be added and any existing blocks cannot be modified or deleted.", + "type": "boolean" + }, + "containerName": { + "description": "Name of the Blob Container.", + "type": "string" + }, + "resourceGroupName": { + "description": "Name of the resource group that contains the storage account.", + "type": "string" + }, + "tags": { + "description": "List of legal hold tags. Each tag should be 3 to 23 alphanumeric characters and is normalized to lower case at SRP.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "requiredInputs": [ + "resourceGroupName", + "accountName", + "containerName", + "tags" + ], + "type": "object" + }, + "azure-native:storage:StorageAccountStaticWebsite": { + "description": "Enables the static website feature of a storage account.", + "inputProperties": { + "accountName": { + "description": "The name of the storage account within the specified resource group.", + "type": "string" + }, + "error404Document": { + "description": "The absolute path to a custom webpage that should be used when a request is made which does not correspond to an existing file.", + "type": "string" + }, + "indexDocument": { + "description": "The webpage that Azure Storage serves for requests to the root of a website or any sub-folder. For example, 'index.html'. The value is case-sensitive.", + "type": "string" + }, + "resourceGroupName": { + "description": "The name of the resource group within the user's subscription. The name is case insensitive.", + "type": "string" + } + }, + "properties": { + "containerName": { + "description": "The name of the container to upload blobs to.", + "type": "string" + }, + "error404Document": { + "description": "The absolute path to a custom webpage that should be used when a request is made which does not correspond to an existing file.", + "type": "string" + }, + "indexDocument": { + "description": "The webpage that Azure Storage serves for requests to the root of a website or any sub-folder. For example, 'index.html'. The value is case-sensitive.", + "type": "string" + } + }, + "required": [ + "containerName" + ], + "requiredInputs": [ + "resourceGroupName", + "accountName" + ], + "type": "object" + }, + "azure-native:synapse:WorkspaceSqlAadAdmin": { + "description": "\n\nNote: SQL AAD Admin is configured automatically during workspace creation and assigned to the current user. One can't add more admins with this resource unless you manually delete the current SQL AAD Admin." + }, + "azure-native_network_v20230201:network:AdminRule": { + "description": "Network admin rule.", + "inputProperties": { + "access": { + "description": "Indicates the access allowed for this particular rule", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:SecurityConfigurationRuleAccess" + } + ] + }, + "configurationName": { + "description": "The name of the network manager Security Configuration.", + "type": "string", + "willReplaceOnChanges": true + }, + "description": { + "description": "A description for this rule. Restricted to 140 chars.", + "type": "string" + }, + "destinationPortRanges": { + "description": "The destination port ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinations": { + "description": "The destination address prefixes. CIDR or destination IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItem", + "type": "object" + }, + "type": "array" + }, + "direction": { + "description": "Indicates if the traffic matched against the rule in inbound or outbound.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:SecurityConfigurationRuleDirection" + } + ] + }, + "kind": { + "const": "Custom", + "description": "Whether the rule is custom or default.\nExpected value is 'Custom'.", + "type": "string" + }, + "networkManagerName": { + "description": "The name of the network manager.", + "type": "string", + "willReplaceOnChanges": true + }, + "priority": { + "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", + "type": "integer" + }, + "protocol": { + "description": "Network protocol this rule applies to.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:SecurityConfigurationRuleProtocol" + } + ] + }, + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "ruleCollectionName": { + "description": "The name of the network manager security Configuration rule collection.", + "type": "string", + "willReplaceOnChanges": true + }, + "ruleName": { + "description": "The name of the rule.", + "type": "string", + "willReplaceOnChanges": true + }, + "sourcePortRanges": { + "description": "The source port ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "sources": { + "description": "The CIDR or source IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItem", + "type": "object" + }, + "type": "array" + } + }, + "properties": { + "access": { + "description": "Indicates the access allowed for this particular rule", + "type": "string" + }, + "azureApiVersion": { + "description": "The Azure API version of the resource.", + "type": "string" + }, + "description": { + "description": "A description for this rule. Restricted to 140 chars.", + "type": "string" + }, + "destinationPortRanges": { + "description": "The destination port ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinations": { + "description": "The destination address prefixes. CIDR or destination IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + }, + "type": "array" + }, + "direction": { + "description": "Indicates if the traffic matched against the rule in inbound or outbound.", + "type": "string" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "kind": { + "const": "Custom", + "description": "Whether the rule is custom or default.\nExpected value is 'Custom'.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "priority": { + "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", + "type": "integer" + }, + "protocol": { + "description": "Network protocol this rule applies to.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the resource.", + "type": "string" + }, + "resourceGuid": { + "description": "Unique identifier for this resource.", + "type": "string" + }, + "sourcePortRanges": { + "description": "The source port ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "sources": { + "description": "The CIDR or source IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + }, + "type": "array" + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", + "description": "The system metadata related to this resource.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "access", + "azureApiVersion", + "direction", + "etag", + "kind", + "name", + "priority", + "protocol", + "provisioningState", + "resourceGuid", + "systemData", + "type" + ], + "requiredInputs": [ + "access", + "configurationName", + "direction", + "kind", + "networkManagerName", + "priority", + "protocol", + "resourceGroupName", + "ruleCollectionName" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:AdminRuleCollection": { + "description": "Defines the admin rule collection.", + "inputProperties": { + "appliesToGroups": { + "description": "Groups for configuration", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItem", + "type": "object" + }, + "type": "array" + }, + "configurationName": { + "description": "The name of the network manager Security Configuration.", + "type": "string", + "willReplaceOnChanges": true + }, + "description": { + "description": "A description of the admin rule collection.", + "type": "string" + }, + "networkManagerName": { + "description": "The name of the network manager.", + "type": "string", + "willReplaceOnChanges": true + }, + "resourceGroupName": { + "description": "The name of the resource group.", + "type": "string", + "willReplaceOnChanges": true + }, + "ruleCollectionName": { + "description": "The name of the network manager security Configuration rule collection.", + "type": "string", + "willReplaceOnChanges": true + } + }, + "properties": { + "appliesToGroups": { + "description": "Groups for configuration", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "type": "object" + }, + "type": "array" + }, + "azureApiVersion": { + "description": "The Azure API version of the resource.", + "type": "string" + }, + "description": { + "description": "A description of the admin rule collection.", "type": "string" }, "etag": { @@ -11737,7 +11943,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -11764,7 +11970,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ApplicationGateway": { + "azure-native_network_v20230201:network:ApplicationGateway": { "description": "Application gateway resource.", "inputProperties": { "applicationGatewayName": { @@ -11775,20 +11981,20 @@ "authenticationCertificates": { "description": "Authentication certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificate", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificate", "type": "object" }, "type": "array" }, "autoscaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAutoscaleConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfiguration", "description": "Autoscale Configuration.", "type": "object" }, "backendAddressPools": { "description": "Backend address pool of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPool", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPool", "type": "object" }, "type": "array" @@ -11796,7 +12002,7 @@ "backendHttpSettingsCollection": { "description": "Backend http settings of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHttpSettings", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettings", "type": "object" }, "type": "array" @@ -11804,7 +12010,7 @@ "backendSettingsCollection": { "description": "Backend settings of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendSettings", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettings", "type": "object" }, "type": "array" @@ -11812,7 +12018,7 @@ "customErrorConfigurations": { "description": "Custom error configurations of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomError", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomError", "type": "object" }, "type": "array" @@ -11826,7 +12032,7 @@ "type": "boolean" }, "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "Reference to the FirewallPolicy resource.", "type": "object" }, @@ -11837,7 +12043,7 @@ "frontendIPConfigurations": { "description": "Frontend IP addresses of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfiguration", "type": "object" }, "type": "array" @@ -11845,7 +12051,7 @@ "frontendPorts": { "description": "Frontend ports of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendPort", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPort", "type": "object" }, "type": "array" @@ -11853,20 +12059,20 @@ "gatewayIPConfigurations": { "description": "Subnets of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration", "type": "object" }, "type": "array" }, "globalConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayGlobalConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfiguration", "description": "Global Configuration.", "type": "object" }, "httpListeners": { "description": "Http listeners of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHttpListener", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListener", "type": "object" }, "type": "array" @@ -11876,14 +12082,14 @@ "type": "string" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentity", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", "description": "The identity of the application gateway, if configured.", "type": "object" }, "listeners": { "description": "Listeners of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayListener", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListener", "type": "object" }, "type": "array" @@ -11891,7 +12097,7 @@ "loadDistributionPolicies": { "description": "Load distribution policies of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicy", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicy", "type": "object" }, "type": "array" @@ -11903,7 +12109,7 @@ "privateLinkConfigurations": { "description": "PrivateLink configurations on application gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfiguration", "type": "object" }, "type": "array" @@ -11911,7 +12117,7 @@ "probes": { "description": "Probes of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbe", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbe", "type": "object" }, "type": "array" @@ -11919,7 +12125,7 @@ "redirectConfigurations": { "description": "Redirect configurations of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRedirectConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfiguration", "type": "object" }, "type": "array" @@ -11927,7 +12133,7 @@ "requestRoutingRules": { "description": "Request routing rules of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRequestRoutingRule", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRule", "type": "object" }, "type": "array" @@ -11940,7 +12146,7 @@ "rewriteRuleSets": { "description": "Rewrite rules for the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleSet", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSet", "type": "object" }, "type": "array" @@ -11948,33 +12154,33 @@ "routingRules": { "description": "Routing rules of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRoutingRule", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRule", "type": "object" }, "type": "array" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySku", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySku", "description": "SKU of the application gateway resource.", "type": "object" }, "sslCertificates": { "description": "SSL certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslCertificate", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificate", "type": "object" }, "type": "array" }, "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicy", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicy", "description": "SSL policy of the application gateway resource.", "type": "object" }, "sslProfiles": { "description": "SSL profiles of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslProfile", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfile", "type": "object" }, "type": "array" @@ -11989,7 +12195,7 @@ "trustedClientCertificates": { "description": "Trusted client certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificate", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificate", "type": "object" }, "type": "array" @@ -11997,7 +12203,7 @@ "trustedRootCertificates": { "description": "Trusted Root certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificate", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificate", "type": "object" }, "type": "array" @@ -12005,13 +12211,13 @@ "urlPathMaps": { "description": "URL path map of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlPathMap", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMap", "type": "object" }, "type": "array" }, "webApplicationFirewallConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfiguration", "description": "Web application firewall configuration.", "type": "object" }, @@ -12027,13 +12233,13 @@ "authenticationCertificates": { "description": "Authentication certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse", "type": "object" }, "type": "array" }, "autoscaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAutoscaleConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse", "description": "Autoscale Configuration.", "type": "object" }, @@ -12044,7 +12250,7 @@ "backendAddressPools": { "description": "Backend address pool of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", "type": "object" }, "type": "array" @@ -12052,7 +12258,7 @@ "backendHttpSettingsCollection": { "description": "Backend http settings of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHttpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse", "type": "object" }, "type": "array" @@ -12060,7 +12266,7 @@ "backendSettingsCollection": { "description": "Backend settings of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse", "type": "object" }, "type": "array" @@ -12068,7 +12274,7 @@ "customErrorConfigurations": { "description": "Custom error configurations of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomErrorResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", "type": "object" }, "type": "array" @@ -12090,7 +12296,7 @@ "type": "string" }, "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Reference to the FirewallPolicy resource.", "type": "object" }, @@ -12101,7 +12307,7 @@ "frontendIPConfigurations": { "description": "Frontend IP addresses of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse", "type": "object" }, "type": "array" @@ -12109,7 +12315,7 @@ "frontendPorts": { "description": "Frontend ports of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendPortResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse", "type": "object" }, "type": "array" @@ -12117,33 +12323,33 @@ "gatewayIPConfigurations": { "description": "Subnets of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", "type": "object" }, "type": "array" }, "globalConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayGlobalConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse", "description": "Global Configuration.", "type": "object" }, "httpListeners": { "description": "Http listeners of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHttpListenerResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse", "type": "object" }, "type": "array" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse", "description": "The identity of the application gateway, if configured.", "type": "object" }, "listeners": { "description": "Listeners of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayListenerResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListenerResponse", "type": "object" }, "type": "array" @@ -12151,7 +12357,7 @@ "loadDistributionPolicies": { "description": "Load distribution policies of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse", "type": "object" }, "type": "array" @@ -12171,7 +12377,7 @@ "privateEndpointConnections": { "description": "Private Endpoint connections on application gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse", "type": "object" }, "type": "array" @@ -12179,7 +12385,7 @@ "privateLinkConfigurations": { "description": "PrivateLink configurations on application gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse", "type": "object" }, "type": "array" @@ -12187,7 +12393,7 @@ "probes": { "description": "Probes of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeResponse", "type": "object" }, "type": "array" @@ -12199,7 +12405,7 @@ "redirectConfigurations": { "description": "Redirect configurations of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRedirectConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse", "type": "object" }, "type": "array" @@ -12207,7 +12413,7 @@ "requestRoutingRules": { "description": "Request routing rules of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRequestRoutingRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse", "type": "object" }, "type": "array" @@ -12219,7 +12425,7 @@ "rewriteRuleSets": { "description": "Rewrite rules for the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleSetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse", "type": "object" }, "type": "array" @@ -12227,33 +12433,33 @@ "routingRules": { "description": "Routing rules of the application gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRoutingRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse", "type": "object" }, "type": "array" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySkuResponse", "description": "SKU of the application gateway resource.", "type": "object" }, "sslCertificates": { "description": "SSL certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse", "type": "object" }, "type": "array" }, "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", "description": "SSL policy of the application gateway resource.", "type": "object" }, "sslProfiles": { "description": "SSL profiles of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslProfileResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse", "type": "object" }, "type": "array" @@ -12268,7 +12474,7 @@ "trustedClientCertificates": { "description": "Trusted client certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse", "type": "object" }, "type": "array" @@ -12276,7 +12482,7 @@ "trustedRootCertificates": { "description": "Trusted Root certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse", "type": "object" }, "type": "array" @@ -12288,13 +12494,13 @@ "urlPathMaps": { "description": "URL path map of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlPathMapResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse", "type": "object" }, "type": "array" }, "webApplicationFirewallConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse", "description": "Web application firewall configuration.", "type": "object" }, @@ -12322,7 +12528,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnection": { + "azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnection": { "description": "Private Endpoint connection on an application gateway.", "inputProperties": { "applicationGatewayName": { @@ -12344,7 +12550,7 @@ "type": "string" }, "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionState", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionState", "description": "A collection of information about the state of the connection between service consumer and provider.", "type": "object" }, @@ -12372,12 +12578,12 @@ "type": "string" }, "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "description": "The resource of private end point.", "type": "object" }, "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", "description": "A collection of information about the state of the connection between service consumer and provider.", "type": "object" }, @@ -12404,7 +12610,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ApplicationSecurityGroup": { + "azure-native_network_v20230201:network:ApplicationSecurityGroup": { "description": "An application security group in a resource group.", "inputProperties": { "applicationSecurityGroupName": { @@ -12483,7 +12689,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:AzureFirewall": { + "azure-native_network_v20230201:network:AzureFirewall": { "description": "Azure Firewall resource.", "inputProperties": { "additionalProperties": { @@ -12496,7 +12702,7 @@ "applicationRuleCollections": { "description": "Collection of application rule collections used by Azure Firewall.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleCollection", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollection", "type": "object" }, "type": "array" @@ -12507,12 +12713,12 @@ "willReplaceOnChanges": true }, "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The firewallPolicy associated with this azure firewall.", "type": "object" }, "hubIPAddresses": { - "$ref": "#/types/azure-native:network/v20230201:HubIPAddresses", + "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddresses", "description": "IP addresses associated with AzureFirewall.", "type": "object" }, @@ -12523,7 +12729,7 @@ "ipConfigurations": { "description": "IP configuration of the Azure Firewall resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfiguration", "type": "object" }, "type": "array" @@ -12533,14 +12739,14 @@ "type": "string" }, "managementIpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfiguration", "description": "IP configuration of the Azure Firewall used for management traffic.", "type": "object" }, "natRuleCollections": { "description": "Collection of NAT rule collections used by Azure Firewall.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRuleCollection", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollection", "type": "object" }, "type": "array" @@ -12548,7 +12754,7 @@ "networkRuleCollections": { "description": "Collection of network rule collections used by Azure Firewall.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRuleCollection", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollection", "type": "object" }, "type": "array" @@ -12559,7 +12765,7 @@ "willReplaceOnChanges": true }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallSku", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSku", "description": "The Azure Firewall Resource SKU.", "type": "object" }, @@ -12577,12 +12783,12 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallThreatIntelMode" + "$ref": "#/types/azure-native:network:AzureFirewallThreatIntelMode" } ] }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The virtualHub to which the firewall belongs.", "type": "object" }, @@ -12605,7 +12811,7 @@ "applicationRuleCollections": { "description": "Collection of application rule collections used by Azure Firewall.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollectionResponse", "type": "object" }, "type": "array" @@ -12619,19 +12825,19 @@ "type": "string" }, "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The firewallPolicy associated with this azure firewall.", "type": "object" }, "hubIPAddresses": { - "$ref": "#/types/azure-native:network/v20230201:HubIPAddressesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddressesResponse", "description": "IP addresses associated with AzureFirewall.", "type": "object" }, "ipConfigurations": { "description": "IP configuration of the Azure Firewall resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", "type": "object" }, "type": "array" @@ -12639,7 +12845,7 @@ "ipGroups": { "description": "IpGroups associated with AzureFirewall.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIpGroupsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIpGroupsResponse", "type": "object" }, "type": "array" @@ -12649,7 +12855,7 @@ "type": "string" }, "managementIpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", "description": "IP configuration of the Azure Firewall used for management traffic.", "type": "object" }, @@ -12660,7 +12866,7 @@ "natRuleCollections": { "description": "Collection of NAT rule collections used by Azure Firewall.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollectionResponse", "type": "object" }, "type": "array" @@ -12668,7 +12874,7 @@ "networkRuleCollections": { "description": "Collection of network rule collections used by Azure Firewall.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollectionResponse", "type": "object" }, "type": "array" @@ -12678,7 +12884,7 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallSkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSkuResponse", "description": "The Azure Firewall Resource SKU.", "type": "object" }, @@ -12698,7 +12904,7 @@ "type": "string" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The virtualHub to which the firewall belongs.", "type": "object" }, @@ -12723,7 +12929,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:BastionHost": { + "azure-native_network_v20230201:network:BastionHost": { "description": "Bastion Host resource.", "inputProperties": { "bastionHostName": { @@ -12772,7 +12978,7 @@ "ipConfigurations": { "description": "IP configuration of the Bastion Host resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionHostIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfiguration", "type": "object" }, "type": "array" @@ -12791,7 +12997,7 @@ "type": "integer" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:Sku", + "$ref": "#/types/azure-native_network_v20230201:network:Sku", "description": "The sku of this Bastion Host.", "type": "object" }, @@ -12849,7 +13055,7 @@ "ipConfigurations": { "description": "IP configuration of the Bastion Host resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionHostIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfigurationResponse", "type": "object" }, "type": "array" @@ -12871,7 +13077,7 @@ "type": "integer" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:SkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SkuResponse", "description": "The sku of this Bastion Host.", "type": "object" }, @@ -12899,7 +13105,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ConfigurationPolicyGroup": { + "azure-native_network_v20230201:network:ConfigurationPolicyGroup": { "description": "VpnServerConfigurationPolicyGroup Resource.", "inputProperties": { "configurationPolicyGroupName": { @@ -12922,7 +13128,7 @@ "policyMembers": { "description": "Multiple PolicyMembers for VpnServerConfigurationPolicyGroup.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMember", + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMember", "type": "object" }, "type": "array" @@ -12962,7 +13168,7 @@ "p2SConnectionConfigurations": { "description": "List of references to P2SConnectionConfigurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -12970,7 +13176,7 @@ "policyMembers": { "description": "Multiple PolicyMembers for VpnServerConfigurationPolicyGroup.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMemberResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse", "type": "object" }, "type": "array" @@ -13001,7 +13207,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ConnectionMonitor": { + "azure-native_network_v20230201:network:ConnectionMonitor": { "description": "Information about the connection monitor.", "inputProperties": { "autoStart": { @@ -13015,14 +13221,14 @@ "willReplaceOnChanges": true }, "destination": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorDestination", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestination", "description": "Describes the destination of connection monitor.", "type": "object" }, "endpoints": { "description": "List of connection monitor endpoints.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpoint", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpoint", "type": "object" }, "type": "array" @@ -13052,7 +13258,7 @@ "outputs": { "description": "List of connection monitor outputs.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorOutput", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutput", "type": "object" }, "type": "array" @@ -13063,7 +13269,7 @@ "willReplaceOnChanges": true }, "source": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorSource", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSource", "description": "Describes the source of connection monitor.", "type": "object" }, @@ -13077,7 +13283,7 @@ "testConfigurations": { "description": "List of connection monitor test configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfiguration", "type": "object" }, "type": "array" @@ -13085,7 +13291,7 @@ "testGroups": { "description": "List of connection monitor test groups.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestGroup", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroup", "type": "object" }, "type": "array" @@ -13106,14 +13312,14 @@ "type": "string" }, "destination": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorDestinationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestinationResponse", "description": "Describes the destination of connection monitor.", "type": "object" }, "endpoints": { "description": "List of connection monitor endpoints.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointResponse", "type": "object" }, "type": "array" @@ -13146,7 +13352,7 @@ "outputs": { "description": "List of connection monitor outputs.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorOutputResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutputResponse", "type": "object" }, "type": "array" @@ -13156,7 +13362,7 @@ "type": "string" }, "source": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorSourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSourceResponse", "description": "Describes the source of connection monitor.", "type": "object" }, @@ -13174,7 +13380,7 @@ "testConfigurations": { "description": "List of connection monitor test configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationResponse", "type": "object" }, "type": "array" @@ -13182,7 +13388,7 @@ "testGroups": { "description": "List of connection monitor test groups.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroupResponse", "type": "object" }, "type": "array" @@ -13208,13 +13414,13 @@ ], "type": "object" }, - "azure-native:network/v20230201:ConnectivityConfiguration": { + "azure-native_network_v20230201:network:ConnectivityConfiguration": { "description": "The network manager connectivity configuration resource", "inputProperties": { "appliesToGroups": { "description": "Groups for configuration", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectivityGroupItem", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItem", "type": "object" }, "type": "array" @@ -13231,7 +13437,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:ConnectivityTopology" + "$ref": "#/types/azure-native:network:ConnectivityTopology" } ] }, @@ -13242,7 +13448,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:DeleteExistingPeering" + "$ref": "#/types/azure-native:network:DeleteExistingPeering" } ] }, @@ -13253,7 +13459,7 @@ "hubs": { "description": "List of hubItems", "items": { - "$ref": "#/types/azure-native:network/v20230201:Hub", + "$ref": "#/types/azure-native_network_v20230201:network:Hub", "type": "object" }, "type": "array" @@ -13265,7 +13471,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:IsGlobal" + "$ref": "#/types/azure-native:network:IsGlobal" } ] }, @@ -13284,7 +13490,7 @@ "appliesToGroups": { "description": "Groups for configuration", "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectivityGroupItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", "type": "object" }, "type": "array" @@ -13312,7 +13518,7 @@ "hubs": { "description": "List of hubItems", "items": { - "$ref": "#/types/azure-native:network/v20230201:HubResponse", + "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", "type": "object" }, "type": "array" @@ -13334,7 +13540,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -13362,7 +13568,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:CustomIPPrefix": { + "azure-native_network_v20230201:network:CustomIPPrefix": { "description": "Custom IP prefix resource.", "inputProperties": { "asn": { @@ -13384,7 +13590,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:CommissionedState" + "$ref": "#/types/azure-native:network:CommissionedState" } ] }, @@ -13394,7 +13600,7 @@ "willReplaceOnChanges": true }, "customIpPrefixParent": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The Parent CustomIpPrefix for IPv6 /64 CustomIpPrefix.", "type": "object" }, @@ -13403,7 +13609,7 @@ "type": "boolean" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", "description": "The extended location of the custom IP prefix.", "type": "object" }, @@ -13414,7 +13620,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:Geo" + "$ref": "#/types/azure-native:network:Geo" } ] }, @@ -13437,7 +13643,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:CustomIpPrefixType" + "$ref": "#/types/azure-native:network:CustomIpPrefixType" } ] }, @@ -13481,7 +13687,7 @@ "childCustomIpPrefixes": { "description": "The list of all Children for IPv6 /48 CustomIpPrefix.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -13495,7 +13701,7 @@ "type": "string" }, "customIpPrefixParent": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Parent CustomIpPrefix for IPv6 /64 CustomIpPrefix.", "type": "object" }, @@ -13508,7 +13714,7 @@ "type": "boolean" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the custom IP prefix.", "type": "object" }, @@ -13543,7 +13749,7 @@ "publicIpPrefixes": { "description": "The list of all referenced PublicIpPrefixes.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -13591,7 +13797,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:DdosCustomPolicy": { + "azure-native_network_v20230201:network:DdosCustomPolicy": { "description": "A DDoS custom policy in a resource group.", "inputProperties": { "ddosCustomPolicyName": { @@ -13670,7 +13876,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:DdosProtectionPlan": { + "azure-native_network_v20230201:network:DdosProtectionPlan": { "description": "A DDoS protection plan in a resource group.", "inputProperties": { "ddosProtectionPlanName": { @@ -13719,7 +13925,7 @@ "publicIPAddresses": { "description": "The list of public IPs associated with the DDoS protection plan resource. This list is read-only.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -13742,7 +13948,7 @@ "virtualNetworks": { "description": "The list of virtual networks associated with the DDoS protection plan resource. This list is read-only.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -13763,7 +13969,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:DefaultAdminRule": { + "azure-native_network_v20230201:network:DefaultAdminRule": { "description": "Network default admin rule.", "inputProperties": { "configurationName": { @@ -13824,7 +14030,7 @@ "destinations": { "description": "The destination address prefixes. CIDR or destination IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" }, "type": "array" @@ -13876,13 +14082,13 @@ "sources": { "description": "The CIDR or source IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" }, "type": "array" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -13919,13 +14125,13 @@ ], "type": "object" }, - "azure-native:network/v20230201:DscpConfiguration": { + "azure-native_network_v20230201:network:DscpConfiguration": { "description": "Differentiated Services Code Point configuration for any given network interface", "inputProperties": { "destinationIpRanges": { "description": "Destination IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRange", + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", "type": "object" }, "type": "array" @@ -13933,7 +14139,7 @@ "destinationPortRanges": { "description": "Destination port ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRange", + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", "type": "object" }, "type": "array" @@ -13965,14 +14171,14 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:ProtocolType" + "$ref": "#/types/azure-native:network:ProtocolType" } ] }, "qosDefinitionCollection": { "description": "QoS object definitions", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosDefinition", + "$ref": "#/types/azure-native_network_v20230201:network:QosDefinition", "type": "object" }, "type": "array" @@ -13985,7 +14191,7 @@ "sourceIpRanges": { "description": "Source IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRange", + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", "type": "object" }, "type": "array" @@ -13993,7 +14199,7 @@ "sourcePortRanges": { "description": "Sources port ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRange", + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", "type": "object" }, "type": "array" @@ -14010,7 +14216,7 @@ "associatedNetworkInterfaces": { "description": "Associated Network Interfaces to the DSCP Configuration.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" }, "type": "array" @@ -14022,7 +14228,7 @@ "destinationIpRanges": { "description": "Destination IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", "type": "object" }, "type": "array" @@ -14030,7 +14236,7 @@ "destinationPortRanges": { "description": "Destination port ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", "type": "object" }, "type": "array" @@ -14069,7 +14275,7 @@ "qosDefinitionCollection": { "description": "QoS object definitions", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosDefinitionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosDefinitionResponse", "type": "object" }, "type": "array" @@ -14081,7 +14287,7 @@ "sourceIpRanges": { "description": "Source IP ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", "type": "object" }, "type": "array" @@ -14089,7 +14295,7 @@ "sourcePortRanges": { "description": "Sources port ranges.", "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", "type": "object" }, "type": "array" @@ -14121,7 +14327,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ExpressRouteCircuit": { + "azure-native_network_v20230201:network:ExpressRouteCircuit": { "description": "ExpressRouteCircuit resource.", "inputProperties": { "allowClassicOperations": { @@ -14135,7 +14341,7 @@ "authorizations": { "description": "The list of authorizations.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitAuthorization", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization", "type": "object" }, "type": "array" @@ -14154,7 +14360,7 @@ "type": "string" }, "expressRoutePort": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The reference to the ExpressRoutePort resource when the circuit is provisioned on an ExpressRoutePort resource.", "type": "object" }, @@ -14177,7 +14383,7 @@ "peerings": { "description": "The list of peerings.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeering", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeering", "type": "object" }, "type": "array" @@ -14196,7 +14402,7 @@ "type": "string" }, "serviceProviderProperties": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitServiceProviderProperties", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderProperties", "description": "The ServiceProviderProperties.", "type": "object" }, @@ -14207,12 +14413,12 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:ServiceProviderProvisioningState" + "$ref": "#/types/azure-native:network:ServiceProviderProvisioningState" } ] }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitSku", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSku", "description": "The SKU.", "type": "object" }, @@ -14240,7 +14446,7 @@ "authorizations": { "description": "The list of authorizations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitAuthorizationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorizationResponse", "type": "object" }, "type": "array" @@ -14262,7 +14468,7 @@ "type": "string" }, "expressRoutePort": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to the ExpressRoutePort resource when the circuit is provisioned on an ExpressRoutePort resource.", "type": "object" }, @@ -14285,7 +14491,7 @@ "peerings": { "description": "The list of peerings.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", "type": "object" }, "type": "array" @@ -14303,7 +14509,7 @@ "type": "string" }, "serviceProviderProperties": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitServiceProviderPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderPropertiesResponse", "description": "The ServiceProviderProperties.", "type": "object" }, @@ -14312,7 +14518,7 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitSkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSkuResponse", "description": "The SKU.", "type": "object" }, @@ -14346,7 +14552,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ExpressRouteCircuitAuthorization": { + "azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization": { "description": "Authorization in an ExpressRouteCircuit resource.", "inputProperties": { "authorizationKey": { @@ -14365,7 +14571,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:AuthorizationUseStatus" + "$ref": "#/types/azure-native:network:AuthorizationUseStatus" } ] }, @@ -14430,7 +14636,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ExpressRouteCircuitConnection": { + "azure-native_network_v20230201:network:ExpressRouteCircuitConnection": { "description": "Express Route Circuit Connection in an ExpressRouteCircuitPeering resource.", "inputProperties": { "addressPrefix": { @@ -14452,7 +14658,7 @@ "willReplaceOnChanges": true }, "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "Reference to Express Route Circuit Private Peering Resource of the circuit initiating connection.", "type": "object" }, @@ -14461,7 +14667,7 @@ "type": "string" }, "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6CircuitConnectionConfig", + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfig", "description": "IPv6 Address PrefixProperties of the express route circuit connection.", "type": "object" }, @@ -14470,7 +14676,7 @@ "type": "string" }, "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "Reference to Express Route Circuit Private Peering Resource of the peered circuit.", "type": "object" }, @@ -14507,12 +14713,12 @@ "type": "string" }, "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Reference to Express Route Circuit Private Peering Resource of the circuit initiating connection.", "type": "object" }, "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6CircuitConnectionConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse", "description": "IPv6 Address PrefixProperties of the express route circuit connection.", "type": "object" }, @@ -14521,7 +14727,7 @@ "type": "string" }, "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Reference to Express Route Circuit Private Peering Resource of the peered circuit.", "type": "object" }, @@ -14548,7 +14754,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ExpressRouteCircuitPeering": { + "azure-native_network_v20230201:network:ExpressRouteCircuitPeering": { "description": "Peering in an ExpressRouteCircuit resource.", "inputProperties": { "azureASN": { @@ -14563,7 +14769,7 @@ "connections": { "description": "The list of circuit connections associated with Azure Private Peering for this circuit.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitConnection", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnection", "type": "object" }, "type": "array" @@ -14577,12 +14783,12 @@ "type": "string" }, "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfig", + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig", "description": "The IPv6 peering configuration.", "type": "object" }, "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfig", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", "description": "The Microsoft peering configuration.", "type": "object" }, @@ -14606,7 +14812,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:ExpressRoutePeeringType" + "$ref": "#/types/azure-native:network:ExpressRoutePeeringType" } ] }, @@ -14624,7 +14830,7 @@ "willReplaceOnChanges": true }, "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The reference to the RouteFilter resource.", "type": "object" }, @@ -14647,12 +14853,12 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:ExpressRoutePeeringState" + "$ref": "#/types/azure-native:network:ExpressRoutePeeringState" } ] }, "stats": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitStats", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStats", "description": "The peering stats of express route circuit.", "type": "object" }, @@ -14673,7 +14879,7 @@ "connections": { "description": "The list of circuit connections associated with Azure Private Peering for this circuit.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse", "type": "object" }, "type": "array" @@ -14683,7 +14889,7 @@ "type": "string" }, "expressRouteConnection": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnectionIdResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse", "description": "The ExpressRoute connection.", "type": "object" }, @@ -14692,7 +14898,7 @@ "type": "string" }, "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", "description": "The IPv6 peering configuration.", "type": "object" }, @@ -14701,7 +14907,7 @@ "type": "string" }, "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", "description": "The Microsoft peering configuration.", "type": "object" }, @@ -14716,7 +14922,7 @@ "peeredConnections": { "description": "The list of peered circuit connections associated with Azure Private Peering for this circuit.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PeerExpressRouteCircuitConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse", "type": "object" }, "type": "array" @@ -14738,7 +14944,7 @@ "type": "string" }, "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to the RouteFilter resource.", "type": "object" }, @@ -14759,7 +14965,7 @@ "type": "string" }, "stats": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitStatsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse", "description": "The peering stats of express route circuit.", "type": "object" }, @@ -14786,7 +14992,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ExpressRouteConnection": { + "azure-native_network_v20230201:network:ExpressRouteConnection": { "description": "ExpressRouteConnection resource.", "inputProperties": { "authorizationKey": { @@ -14807,7 +15013,7 @@ "type": "boolean" }, "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringId", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringId", "description": "The ExpressRoute circuit peering.", "type": "object" }, @@ -14834,7 +15040,7 @@ "willReplaceOnChanges": true }, "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", "type": "object" }, @@ -14861,7 +15067,7 @@ "type": "boolean" }, "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringIdResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse", "description": "The ExpressRoute circuit peering.", "type": "object" }, @@ -14878,7 +15084,7 @@ "type": "string" }, "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", "type": "object" }, @@ -14901,7 +15107,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ExpressRouteCrossConnectionPeering": { + "azure-native_network_v20230201:network:ExpressRouteCrossConnectionPeering": { "description": "Peering in an ExpressRoute Cross Connection resource.", "inputProperties": { "crossConnectionName": { @@ -14918,12 +15124,12 @@ "type": "string" }, "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfig", + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig", "description": "The IPv6 peering configuration.", "type": "object" }, "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfig", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", "description": "The Microsoft peering configuration.", "type": "object" }, @@ -14947,7 +15153,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:ExpressRoutePeeringType" + "$ref": "#/types/azure-native:network:ExpressRoutePeeringType" } ] }, @@ -14975,7 +15181,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:ExpressRoutePeeringState" + "$ref": "#/types/azure-native:network:ExpressRoutePeeringState" } ] }, @@ -15002,7 +15208,7 @@ "type": "string" }, "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", "description": "The IPv6 peering configuration.", "type": "object" }, @@ -15011,7 +15217,7 @@ "type": "string" }, "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", "description": "The Microsoft peering configuration.", "type": "object" }, @@ -15075,7 +15281,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ExpressRouteGateway": { + "azure-native_network_v20230201:network:ExpressRouteGateway": { "description": "ExpressRoute gateway resource.", "inputProperties": { "allowNonVirtualWanTraffic": { @@ -15083,14 +15289,14 @@ "type": "boolean" }, "autoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteGatewayPropertiesAutoScaleConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesAutoScaleConfiguration", "description": "Configuration for auto scaling.", "type": "object" }, "expressRouteConnections": { "description": "List of ExpressRoute connections to the ExpressRoute gateway.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnection", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnection", "type": "object" }, "type": "array" @@ -15121,7 +15327,7 @@ "type": "object" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubId", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubId", "description": "The Virtual Hub where the ExpressRoute gateway is or will be deployed.", "type": "object" } @@ -15132,7 +15338,7 @@ "type": "boolean" }, "autoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", "description": "Configuration for auto scaling.", "type": "object" }, @@ -15147,7 +15353,7 @@ "expressRouteConnections": { "description": "List of ExpressRoute connections to the ExpressRoute gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionResponse", "type": "object" }, "type": "array" @@ -15176,7 +15382,7 @@ "type": "string" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubIdResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubIdResponse", "description": "The Virtual Hub where the ExpressRoute gateway is or will be deployed.", "type": "object" } @@ -15195,7 +15401,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ExpressRoutePort": { + "azure-native_network_v20230201:network:ExpressRoutePort": { "description": "ExpressRoutePort resource definition.", "inputProperties": { "bandwidthInGbps": { @@ -15209,7 +15415,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:ExpressRoutePortsBillingType" + "$ref": "#/types/azure-native:network:ExpressRoutePortsBillingType" } ] }, @@ -15220,7 +15426,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:ExpressRoutePortsEncapsulation" + "$ref": "#/types/azure-native:network:ExpressRoutePortsEncapsulation" } ] }, @@ -15234,14 +15440,14 @@ "type": "string" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentity", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", "description": "The identity of ExpressRoutePort, if configured.", "type": "object" }, "links": { "description": "The set of physical links of the ExpressRoutePort resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLink", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLink", "type": "object" }, "type": "array" @@ -15287,7 +15493,7 @@ "circuits": { "description": "Reference the ExpressRoute circuit(s) that are provisioned on this ExpressRoutePort resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -15305,14 +15511,14 @@ "type": "string" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse", "description": "The identity of ExpressRoutePort, if configured.", "type": "object" }, "links": { "description": "The set of physical links of the ExpressRoutePort resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkResponse", "type": "object" }, "type": "array" @@ -15375,7 +15581,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ExpressRoutePortAuthorization": { + "azure-native_network_v20230201:network:ExpressRoutePortAuthorization": { "description": "ExpressRoutePort Authorization resource definition.", "inputProperties": { "authorizationName": { @@ -15451,21 +15657,21 @@ ], "type": "object" }, - "azure-native:network/v20230201:FirewallPolicy": { + "azure-native_network_v20230201:network:FirewallPolicy": { "description": "FirewallPolicy Resource.", "inputProperties": { "basePolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The parent firewall policy from which rules are inherited.", "type": "object" }, "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:DnsSettings", + "$ref": "#/types/azure-native_network_v20230201:network:DnsSettings", "description": "DNS Proxy Settings definition.", "type": "object" }, "explicitProxy": { - "$ref": "#/types/azure-native:network/v20230201:ExplicitProxy", + "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxy", "description": "Explicit Proxy Settings definition.", "type": "object" }, @@ -15479,17 +15685,17 @@ "type": "string" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentity", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", "description": "The identity of the firewall policy.", "type": "object" }, "insights": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyInsights", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsights", "description": "Insights on Firewall Policy.", "type": "object" }, "intrusionDetection": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetection", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetection", "description": "The configuration for Intrusion detection.", "type": "object" }, @@ -15503,17 +15709,17 @@ "willReplaceOnChanges": true }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySku", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySku", "description": "The Firewall Policy SKU.", "type": "object" }, "snat": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySNAT", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNAT", "description": "The private IP addresses/IP ranges to which traffic will not be SNAT.", "type": "object" }, "sql": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySQL", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQL", "description": "SQL Settings definition.", "type": "object" }, @@ -15531,17 +15737,17 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallThreatIntelMode" + "$ref": "#/types/azure-native:network:AzureFirewallThreatIntelMode" } ] }, "threatIntelWhitelist": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyThreatIntelWhitelist", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelist", "description": "ThreatIntel Whitelist for Firewall Policy.", "type": "object" }, "transportSecurity": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyTransportSecurity", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurity", "description": "TLS Configuration definition.", "type": "object" } @@ -15552,20 +15758,20 @@ "type": "string" }, "basePolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The parent firewall policy from which rules are inherited.", "type": "object" }, "childPolicies": { "description": "List of references to Child Firewall Policies.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" }, "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:DnsSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DnsSettingsResponse", "description": "DNS Proxy Settings definition.", "type": "object" }, @@ -15574,30 +15780,30 @@ "type": "string" }, "explicitProxy": { - "$ref": "#/types/azure-native:network/v20230201:ExplicitProxyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxyResponse", "description": "Explicit Proxy Settings definition.", "type": "object" }, "firewalls": { "description": "List of references to Azure Firewalls that this Firewall Policy is associated with.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse", "description": "The identity of the firewall policy.", "type": "object" }, "insights": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyInsightsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsightsResponse", "description": "Insights on Firewall Policy.", "type": "object" }, "intrusionDetection": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionResponse", "description": "The configuration for Intrusion detection.", "type": "object" }, @@ -15616,23 +15822,23 @@ "ruleCollectionGroups": { "description": "List of references to FirewallPolicyRuleCollectionGroups.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySkuResponse", "description": "The Firewall Policy SKU.", "type": "object" }, "snat": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySNATResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNATResponse", "description": "The private IP addresses/IP ranges to which traffic will not be SNAT.", "type": "object" }, "sql": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySQLResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQLResponse", "description": "SQL Settings definition.", "type": "object" }, @@ -15648,12 +15854,12 @@ "type": "string" }, "threatIntelWhitelist": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyThreatIntelWhitelistResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelistResponse", "description": "ThreatIntel Whitelist for Firewall Policy.", "type": "object" }, "transportSecurity": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyTransportSecurityResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurityResponse", "description": "TLS Configuration definition.", "type": "object" }, @@ -15677,7 +15883,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:FirewallPolicyRuleCollectionGroup": { + "azure-native_network_v20230201:network:FirewallPolicyRuleCollectionGroup": { "description": "Rule Collection Group resource.", "inputProperties": { "firewallPolicyName": { @@ -15712,18 +15918,18 @@ "items": { "discriminator": { "mapping": { - "FirewallPolicyFilterRuleCollection": "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollection", - "FirewallPolicyNatRuleCollection": "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollection" + "FirewallPolicyFilterRuleCollection": "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollection", + "FirewallPolicyNatRuleCollection": "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollection" }, "propertyName": "ruleCollectionType" }, "oneOf": [ { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollection", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollection", "type": "object" }, { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollection", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollection", "type": "object" } ] @@ -15757,18 +15963,18 @@ "items": { "discriminator": { "mapping": { - "FirewallPolicyFilterRuleCollection": "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionResponse", - "FirewallPolicyNatRuleCollection": "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollectionResponse" + "FirewallPolicyFilterRuleCollection": "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse", + "FirewallPolicyNatRuleCollection": "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse" }, "propertyName": "ruleCollectionType" }, "oneOf": [ { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse", "type": "object" }, { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse", "type": "object" } ] @@ -15792,7 +15998,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:FlowLog": { + "azure-native_network_v20230201:network:FlowLog": { "description": "A flow log resource.", "inputProperties": { "enabled": { @@ -15800,7 +16006,7 @@ "type": "boolean" }, "flowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsProperties", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsProperties", "description": "Parameters that define the configuration of traffic analytics.", "type": "object" }, @@ -15810,7 +16016,7 @@ "willReplaceOnChanges": true }, "format": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogFormatParameters", + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParameters", "description": "Parameters that define the flow log format.", "type": "object" }, @@ -15833,7 +16039,7 @@ "willReplaceOnChanges": true }, "retentionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:RetentionPolicyParameters", + "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParameters", "description": "Parameters that define the retention policy for flow log.", "type": "object" }, @@ -15867,12 +16073,12 @@ "type": "string" }, "flowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse", "description": "Parameters that define the configuration of traffic analytics.", "type": "object" }, "format": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogFormatParametersResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParametersResponse", "description": "Parameters that define the flow log format.", "type": "object" }, @@ -15889,7 +16095,7 @@ "type": "string" }, "retentionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:RetentionPolicyParametersResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParametersResponse", "description": "Parameters that define the retention policy for flow log.", "type": "object" }, @@ -15935,7 +16141,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:HubRouteTable": { + "azure-native_network_v20230201:network:HubRouteTable": { "description": "RouteTable resource in a virtual hub.", "inputProperties": { "id": { @@ -15966,7 +16172,7 @@ "routes": { "description": "List of all routes.", "items": { - "$ref": "#/types/azure-native:network/v20230201:HubRoute", + "$ref": "#/types/azure-native_network_v20230201:network:HubRoute", "type": "object" }, "type": "array" @@ -16018,7 +16224,7 @@ "routes": { "description": "List of all routes.", "items": { - "$ref": "#/types/azure-native:network/v20230201:HubRouteResponse", + "$ref": "#/types/azure-native_network_v20230201:network:HubRouteResponse", "type": "object" }, "type": "array" @@ -16042,7 +16248,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:HubVirtualNetworkConnection": { + "azure-native_network_v20230201:network:HubVirtualNetworkConnection": { "description": "HubVirtualNetworkConnection Resource.", "inputProperties": { "allowHubToRemoteVnetTransit": { @@ -16071,7 +16277,7 @@ "type": "string" }, "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "Reference to the remote virtual network.", "type": "object" }, @@ -16081,7 +16287,7 @@ "willReplaceOnChanges": true }, "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", "type": "object" }, @@ -16121,12 +16327,12 @@ "type": "string" }, "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Reference to the remote virtual network.", "type": "object" }, "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", "type": "object" } @@ -16142,11 +16348,11 @@ ], "type": "object" }, - "azure-native:network/v20230201:InboundNatRule": { + "azure-native_network_v20230201:network:InboundNatRule": { "description": "Inbound NAT rule of the load balancer.", "inputProperties": { "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "A reference to backendAddressPool resource.", "type": "object" }, @@ -16163,7 +16369,7 @@ "type": "boolean" }, "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "A reference to frontend IP addresses.", "type": "object" }, @@ -16208,7 +16414,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:TransportProtocol" + "$ref": "#/types/azure-native:network:TransportProtocol" } ] }, @@ -16224,12 +16430,12 @@ "type": "string" }, "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "A reference to backendAddressPool resource.", "type": "object" }, "backendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "description": "A reference to a private IP address defined on a network interface of a VM. Traffic sent to the frontend port of each of the frontend IP configurations is forwarded to the backend IP.", "type": "object" }, @@ -16250,7 +16456,7 @@ "type": "string" }, "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "A reference to frontend IP addresses.", "type": "object" }, @@ -16300,7 +16506,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:IpAllocation": { + "azure-native_network_v20230201:network:IpAllocation": { "description": "IpAllocation resource.", "inputProperties": { "allocationTags": { @@ -16343,7 +16549,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:IPVersion" + "$ref": "#/types/azure-native:network:IPVersion" } ] }, @@ -16366,7 +16572,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:IpAllocationType" + "$ref": "#/types/azure-native:network:IpAllocationType" } ] } @@ -16413,7 +16619,7 @@ "type": "string" }, "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Subnet that using the prefix of this IpAllocation resource.", "type": "object" }, @@ -16429,7 +16635,7 @@ "type": "string" }, "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VirtualNetwork that using the prefix of this IpAllocation resource.", "type": "object" } @@ -16447,7 +16653,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:IpGroup": { + "azure-native_network_v20230201:network:IpGroup": { "description": "The IpGroups resource information.", "inputProperties": { "id": { @@ -16495,7 +16701,7 @@ "firewallPolicies": { "description": "List of references to Firewall Policies resources that this IpGroups is associated with.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -16503,7 +16709,7 @@ "firewalls": { "description": "List of references to Firewall resources that this IpGroups is associated with.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -16553,26 +16759,26 @@ ], "type": "object" }, - "azure-native:network/v20230201:LoadBalancer": { + "azure-native_network_v20230201:network:LoadBalancer": { "description": "LoadBalancer resource.", "inputProperties": { "backendAddressPools": { "description": "Collection of backend address pools used by a load balancer.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:BackendAddressPool", + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPool", "type": "object" }, "type": "array" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", "description": "The extended location of the load balancer.", "type": "object" }, "frontendIPConfigurations": { "description": "Object representing the frontend IPs to be used for the load balancer.", "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", "type": "object" }, "type": "array" @@ -16584,7 +16790,7 @@ "inboundNatPools": { "description": "Defines an external port range for inbound NAT to a single backend port on NICs associated with a load balancer. Inbound NAT rules are created automatically for each NIC associated with the Load Balancer using an external port from this range. Defining an Inbound NAT pool on your Load Balancer is mutually exclusive with defining inbound NAT rules. Inbound NAT pools are referenced from virtual machine scale sets. NICs that are associated with individual virtual machines cannot reference an inbound NAT pool. They have to reference individual inbound NAT rules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatPool", + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPool", "type": "object" }, "type": "array" @@ -16592,7 +16798,7 @@ "inboundNatRules": { "description": "Collection of inbound NAT Rules used by a load balancer. Defining inbound NAT rules on your load balancer is mutually exclusive with defining an inbound NAT pool. Inbound NAT pools are referenced from virtual machine scale sets. NICs that are associated with individual virtual machines cannot reference an Inbound NAT pool. They have to reference individual inbound NAT rules.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatRule", + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRule", "type": "object" }, "type": "array" @@ -16605,7 +16811,7 @@ "loadBalancingRules": { "description": "Object collection representing the load balancing rules Gets the provisioning.", "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancingRule", + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRule", "type": "object" }, "type": "array" @@ -16617,7 +16823,7 @@ "outboundRules": { "description": "The outbound rules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:OutboundRule", + "$ref": "#/types/azure-native_network_v20230201:network:OutboundRule", "type": "object" }, "type": "array" @@ -16625,7 +16831,7 @@ "probes": { "description": "Collection of probe objects used in the load balancer.", "items": { - "$ref": "#/types/azure-native:network/v20230201:Probe", + "$ref": "#/types/azure-native_network_v20230201:network:Probe", "type": "object" }, "type": "array" @@ -16636,7 +16842,7 @@ "willReplaceOnChanges": true }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerSku", + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSku", "description": "The load balancer SKU.", "type": "object" }, @@ -16656,7 +16862,7 @@ "backendAddressPools": { "description": "Collection of backend address pools used by a load balancer.", "items": { - "$ref": "#/types/azure-native:network/v20230201:BackendAddressPoolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPoolResponse", "type": "object" }, "type": "array" @@ -16666,14 +16872,14 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the load balancer.", "type": "object" }, "frontendIPConfigurations": { "description": "Object representing the frontend IPs to be used for the load balancer.", "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", "type": "object" }, "type": "array" @@ -16681,7 +16887,7 @@ "inboundNatPools": { "description": "Defines an external port range for inbound NAT to a single backend port on NICs associated with a load balancer. Inbound NAT rules are created automatically for each NIC associated with the Load Balancer using an external port from this range. Defining an Inbound NAT pool on your Load Balancer is mutually exclusive with defining inbound NAT rules. Inbound NAT pools are referenced from virtual machine scale sets. NICs that are associated with individual virtual machines cannot reference an inbound NAT pool. They have to reference individual inbound NAT rules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatPoolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPoolResponse", "type": "object" }, "type": "array" @@ -16689,7 +16895,7 @@ "inboundNatRules": { "description": "Collection of inbound NAT Rules used by a load balancer. Defining inbound NAT rules on your load balancer is mutually exclusive with defining an inbound NAT pool. Inbound NAT pools are referenced from virtual machine scale sets. NICs that are associated with individual virtual machines cannot reference an Inbound NAT pool. They have to reference individual inbound NAT rules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRuleResponse", "type": "object" }, "type": "array" @@ -16697,7 +16903,7 @@ "loadBalancingRules": { "description": "Object collection representing the load balancing rules Gets the provisioning.", "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancingRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRuleResponse", "type": "object" }, "type": "array" @@ -16713,7 +16919,7 @@ "outboundRules": { "description": "The outbound rules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:OutboundRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:OutboundRuleResponse", "type": "object" }, "type": "array" @@ -16721,7 +16927,7 @@ "probes": { "description": "Collection of probe objects used in the load balancer.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ProbeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ProbeResponse", "type": "object" }, "type": "array" @@ -16735,7 +16941,7 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerSkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSkuResponse", "description": "The load balancer SKU.", "type": "object" }, @@ -16764,7 +16970,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:LoadBalancerBackendAddressPool": { + "azure-native_network_v20230201:network:LoadBalancerBackendAddressPool": { "description": "Pool of backend IP addresses.", "inputProperties": { "backendAddressPoolName": { @@ -16783,7 +16989,7 @@ "loadBalancerBackendAddresses": { "description": "An array of backend addresses.", "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerBackendAddress", + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddress", "type": "object" }, "type": "array" @@ -16809,13 +17015,13 @@ "tunnelInterfaces": { "description": "An array of gateway load balancer tunnel interfaces.", "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelInterface", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterface", "type": "object" }, "type": "array" }, "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "A reference to a virtual network.", "type": "object" } @@ -16828,7 +17034,7 @@ "backendIPConfigurations": { "description": "An array of references to IP addresses defined in network interfaces.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "type": "object" }, "type": "array" @@ -16844,7 +17050,7 @@ "inboundNatRules": { "description": "An array of references to inbound NAT rules that use this backend address pool.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -16852,7 +17058,7 @@ "loadBalancerBackendAddresses": { "description": "An array of backend addresses.", "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerBackendAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse", "type": "object" }, "type": "array" @@ -16860,7 +17066,7 @@ "loadBalancingRules": { "description": "An array of references to load balancing rules that use this backend address pool.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -16874,14 +17080,14 @@ "type": "string" }, "outboundRule": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "A reference to an outbound rule that uses this backend address pool.", "type": "object" }, "outboundRules": { "description": "An array of references to outbound rules that use this backend address pool.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -16893,7 +17099,7 @@ "tunnelInterfaces": { "description": "An array of gateway load balancer tunnel interfaces.", "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse", "type": "object" }, "type": "array" @@ -16903,7 +17109,7 @@ "type": "string" }, "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "A reference to a virtual network.", "type": "object" } @@ -16925,11 +17131,11 @@ ], "type": "object" }, - "azure-native:network/v20230201:LocalNetworkGateway": { + "azure-native_network_v20230201:network:LocalNetworkGateway": { "description": "A common class for general resource information.", "inputProperties": { "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", "description": "Local network gateway's BGP speaker settings.", "type": "object" }, @@ -16946,7 +17152,7 @@ "type": "string" }, "localNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", "description": "Local network site address space.", "type": "object" }, @@ -16978,7 +17184,7 @@ "type": "string" }, "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "description": "Local network gateway's BGP speaker settings.", "type": "object" }, @@ -16995,7 +17201,7 @@ "type": "string" }, "localNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "Local network site address space.", "type": "object" }, @@ -17040,7 +17246,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ManagementGroupNetworkManagerConnection": { + "azure-native_network_v20230201:network:ManagementGroupNetworkManagerConnection": { "description": "The Network Manager Connection resource", "inputProperties": { "description": { @@ -17084,7 +17290,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -17105,7 +17311,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:NatGateway": { + "azure-native_network_v20230201:network:NatGateway": { "description": "Nat Gateway resource.", "inputProperties": { "id": { @@ -17128,7 +17334,7 @@ "publicIpAddresses": { "description": "An array of public ip addresses associated with the nat gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" }, "type": "array" @@ -17136,7 +17342,7 @@ "publicIpPrefixes": { "description": "An array of public ip prefixes associated with the nat gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" }, "type": "array" @@ -17147,7 +17353,7 @@ "willReplaceOnChanges": true }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewaySku", + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySku", "description": "The nat gateway SKU.", "type": "object" }, @@ -17194,7 +17400,7 @@ "publicIpAddresses": { "description": "An array of public ip addresses associated with the nat gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -17202,7 +17408,7 @@ "publicIpPrefixes": { "description": "An array of public ip prefixes associated with the nat gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -17212,14 +17418,14 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewaySkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySkuResponse", "description": "The nat gateway SKU.", "type": "object" }, "subnets": { "description": "An array of references to the subnets using this nat gateway resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -17257,13 +17463,13 @@ ], "type": "object" }, - "azure-native:network/v20230201:NatRule": { + "azure-native_network_v20230201:network:NatRule": { "description": "VpnGatewayNatRule Resource.", "inputProperties": { "externalMappings": { "description": "The private IP address external mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", "type": "object" }, "type": "array" @@ -17280,7 +17486,7 @@ "internalMappings": { "description": "The private IP address internal mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", "type": "object" }, "type": "array" @@ -17296,7 +17502,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMode" + "$ref": "#/types/azure-native:network:VpnNatRuleMode" } ] }, @@ -17321,7 +17527,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleType" + "$ref": "#/types/azure-native:network:VpnNatRuleType" } ] } @@ -17334,7 +17540,7 @@ "egressVpnSiteLinkConnections": { "description": "List of egress VpnSiteLinkConnections.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -17346,7 +17552,7 @@ "externalMappings": { "description": "The private IP address external mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", "type": "object" }, "type": "array" @@ -17354,7 +17560,7 @@ "ingressVpnSiteLinkConnections": { "description": "List of ingress VpnSiteLinkConnections.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -17362,7 +17568,7 @@ "internalMappings": { "description": "The private IP address internal mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", "type": "object" }, "type": "array" @@ -17402,7 +17608,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:NetworkGroup": { + "azure-native_network_v20230201:network:NetworkGroup": { "description": "The network group resource", "inputProperties": { "description": { @@ -17451,7 +17657,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -17475,7 +17681,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:NetworkInterface": { + "azure-native_network_v20230201:network:NetworkInterface": { "description": "A network interface in a resource group.", "inputProperties": { "auxiliaryMode": { @@ -17485,7 +17691,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceAuxiliaryMode" + "$ref": "#/types/azure-native:network:NetworkInterfaceAuxiliaryMode" } ] }, @@ -17496,7 +17702,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceAuxiliarySku" + "$ref": "#/types/azure-native:network:NetworkInterfaceAuxiliarySku" } ] }, @@ -17505,7 +17711,7 @@ "type": "boolean" }, "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceDnsSettings", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettings", "description": "The DNS settings in network interface.", "type": "object" }, @@ -17518,7 +17724,7 @@ "type": "boolean" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", "description": "The extended location of the network interface.", "type": "object" }, @@ -17529,7 +17735,7 @@ "ipConfigurations": { "description": "A list of IPConfigurations of the network interface.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration", "type": "object" }, "type": "array" @@ -17545,7 +17751,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceMigrationPhase" + "$ref": "#/types/azure-native:network:NetworkInterfaceMigrationPhase" } ] }, @@ -17555,7 +17761,7 @@ "willReplaceOnChanges": true }, "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroup", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroup", "description": "The reference to the NetworkSecurityGroup resource.", "type": "object" }, @@ -17566,12 +17772,12 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceNicType" + "$ref": "#/types/azure-native:network:NetworkInterfaceNicType" } ] }, "privateLinkService": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkService", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkService", "description": "Privatelinkservice of the network interface resource.", "type": "object" }, @@ -17610,12 +17816,12 @@ "type": "boolean" }, "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceDnsSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse", "description": "The DNS settings in network interface.", "type": "object" }, "dscpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "A reference to the dscp configuration to which the network interface is linked.", "type": "object" }, @@ -17632,7 +17838,7 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the network interface.", "type": "object" }, @@ -17646,7 +17852,7 @@ "ipConfigurations": { "description": "A list of IPConfigurations of the network interface.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "type": "object" }, "type": "array" @@ -17668,7 +17874,7 @@ "type": "string" }, "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", "description": "The reference to the NetworkSecurityGroup resource.", "type": "object" }, @@ -17681,12 +17887,12 @@ "type": "boolean" }, "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "description": "A reference to the private endpoint to which the network interface is linked.", "type": "object" }, "privateLinkService": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceResponse", "description": "Privatelinkservice of the network interface resource.", "type": "object" }, @@ -17708,7 +17914,7 @@ "tapConfigurations": { "description": "A list of TapConfigurations of the network interface.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", "type": "object" }, "type": "array" @@ -17718,7 +17924,7 @@ "type": "string" }, "virtualMachine": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to a virtual machine.", "type": "object" }, @@ -17752,7 +17958,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:NetworkInterfaceTapConfiguration": { + "azure-native_network_v20230201:network:NetworkInterfaceTapConfiguration": { "description": "Tap configuration in a Network Interface.", "inputProperties": { "id": { @@ -17779,7 +17985,7 @@ "willReplaceOnChanges": true }, "virtualNetworkTap": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTap", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTap", "description": "The reference to the Virtual Network Tap resource.", "type": "object" } @@ -17806,7 +18012,7 @@ "type": "string" }, "virtualNetworkTap": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTapResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", "description": "The reference to the Virtual Network Tap resource.", "type": "object" } @@ -17823,7 +18029,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:NetworkManager": { + "azure-native_network_v20230201:network:NetworkManager": { "description": "The Managed Network resource", "inputProperties": { "description": { @@ -17851,14 +18057,14 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationType" + "$ref": "#/types/azure-native:network:ConfigurationType" } ] }, "type": "array" }, "networkManagerScopes": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerPropertiesNetworkManagerScopes", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesNetworkManagerScopes", "description": "Scope of Network Manager.", "type": "object" }, @@ -17904,7 +18110,7 @@ "type": "array" }, "networkManagerScopes": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerPropertiesResponseNetworkManagerScopes", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesResponseNetworkManagerScopes", "description": "Scope of Network Manager.", "type": "object" }, @@ -17917,7 +18123,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -17951,13 +18157,13 @@ ], "type": "object" }, - "azure-native:network/v20230201:NetworkProfile": { + "azure-native_network_v20230201:network:NetworkProfile": { "description": "Network profile resource.", "inputProperties": { "containerNetworkInterfaceConfigurations": { "description": "List of chid container network interface configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfiguration", "type": "object" }, "type": "array" @@ -17996,7 +18202,7 @@ "containerNetworkInterfaceConfigurations": { "description": "List of chid container network interface configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse", "type": "object" }, "type": "array" @@ -18004,7 +18210,7 @@ "containerNetworkInterfaces": { "description": "List of child container network interfaces.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceResponse", "type": "object" }, "type": "array" @@ -18055,7 +18261,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:NetworkSecurityGroup": { + "azure-native_network_v20230201:network:NetworkSecurityGroup": { "description": "NetworkSecurityGroup resource.", "inputProperties": { "flushConnection": { @@ -18083,7 +18289,7 @@ "securityRules": { "description": "A collection of security rules of the network security group.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRule", + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRule", "type": "object" }, "type": "array" @@ -18104,7 +18310,7 @@ "defaultSecurityRules": { "description": "The default security rules of network security group.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", "type": "object" }, "type": "array" @@ -18116,7 +18322,7 @@ "flowLogs": { "description": "A collection of references to flow log resources.", "items": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", "type": "object" }, "type": "array" @@ -18136,7 +18342,7 @@ "networkInterfaces": { "description": "A collection of references to network interfaces.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" }, "type": "array" @@ -18152,7 +18358,7 @@ "securityRules": { "description": "A collection of security rules of the network security group.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", "type": "object" }, "type": "array" @@ -18160,7 +18366,7 @@ "subnets": { "description": "A collection of references to subnets.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" }, "type": "array" @@ -18194,13 +18400,13 @@ ], "type": "object" }, - "azure-native:network/v20230201:NetworkVirtualAppliance": { + "azure-native_network_v20230201:network:NetworkVirtualAppliance": { "description": "NetworkVirtualAppliance Resource.", "inputProperties": { "additionalNics": { "description": "Details required for Additional Network Interface.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceAdditionalNicProperties", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicProperties", "type": "object" }, "type": "array" @@ -18224,7 +18430,7 @@ "type": "array" }, "delegation": { - "$ref": "#/types/azure-native:network/v20230201:DelegationProperties", + "$ref": "#/types/azure-native_network_v20230201:network:DelegationProperties", "description": "The delegation for the Virtual Appliance", "type": "object" }, @@ -18233,7 +18439,7 @@ "type": "string" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentity", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", "description": "The service principal that has read access to cloud-init and config blob.", "type": "object" }, @@ -18247,7 +18453,7 @@ "willReplaceOnChanges": true }, "nvaSku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceSkuProperties", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuProperties", "description": "Network Virtual Appliance SKU.", "type": "object" }, @@ -18272,7 +18478,7 @@ "type": "number" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The Virtual Hub where Network Virtual Appliance is being deployed.", "type": "object" } @@ -18281,7 +18487,7 @@ "additionalNics": { "description": "Details required for Additional Network Interface.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceAdditionalNicPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicPropertiesResponse", "type": "object" }, "type": "array" @@ -18313,7 +18519,7 @@ "type": "array" }, "delegation": { - "$ref": "#/types/azure-native:network/v20230201:DelegationPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DelegationPropertiesResponse", "description": "The delegation for the Virtual Appliance", "type": "object" }, @@ -18326,14 +18532,14 @@ "type": "string" }, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse", "description": "The service principal that has read access to cloud-init and config blob.", "type": "object" }, "inboundSecurityRules": { "description": "List of references to InboundSecurityRules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -18347,12 +18553,12 @@ "type": "string" }, "nvaSku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceSkuPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuPropertiesResponse", "description": "Network Virtual Appliance SKU.", "type": "object" }, "partnerManagedResource": { - "$ref": "#/types/azure-native:network/v20230201:PartnerManagedResourcePropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PartnerManagedResourcePropertiesResponse", "description": "The delegation for the Virtual Appliance", "type": "object" }, @@ -18382,7 +18588,7 @@ "virtualApplianceConnections": { "description": "List of references to VirtualApplianceConnections.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -18390,7 +18596,7 @@ "virtualApplianceNics": { "description": "List of Virtual Appliance Network Interfaces.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceNicPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceNicPropertiesResponse", "type": "object" }, "type": "array" @@ -18398,13 +18604,13 @@ "virtualApplianceSites": { "description": "List of references to VirtualApplianceSite.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Virtual Hub where Network Virtual Appliance is being deployed.", "type": "object" } @@ -18427,7 +18633,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:NetworkVirtualApplianceConnection": { + "azure-native_network_v20230201:network:NetworkVirtualApplianceConnection": { "description": "NetworkVirtualApplianceConnection resource.", "inputProperties": { "connectionName": { @@ -18449,7 +18655,7 @@ "willReplaceOnChanges": true }, "properties": { - "$ref": "#/types/azure-native:network/v20230201:NetworkVirtualApplianceConnectionProperties", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionProperties", "description": "Properties of the express route connection.", "type": "object" }, @@ -18469,7 +18675,7 @@ "type": "string" }, "properties": { - "$ref": "#/types/azure-native:network/v20230201:NetworkVirtualApplianceConnectionPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionPropertiesResponse", "description": "Properties of the express route connection.", "type": "object" } @@ -18484,7 +18690,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:NetworkWatcher": { + "azure-native_network_v20230201:network:NetworkWatcher": { "description": "Network watcher in a resource group.", "inputProperties": { "id": { @@ -18558,7 +18764,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:P2sVpnGateway": { + "azure-native_network_v20230201:network:P2sVpnGateway": { "description": "P2SVpnGateway Resource.", "inputProperties": { "customDnsServers": { @@ -18588,7 +18794,7 @@ "p2SConnectionConfigurations": { "description": "List of all p2s connection configurations of the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SConnectionConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfiguration", "type": "object" }, "type": "array" @@ -18606,7 +18812,7 @@ "type": "object" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The VirtualHub to which the gateway belongs.", "type": "object" }, @@ -18615,7 +18821,7 @@ "type": "integer" }, "vpnServerConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The VpnServerConfiguration to which the p2sVpnGateway is attached to.", "type": "object" } @@ -18651,7 +18857,7 @@ "p2SConnectionConfigurations": { "description": "List of all p2s connection configurations of the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SConnectionConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", "type": "object" }, "type": "array" @@ -18672,12 +18878,12 @@ "type": "string" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VirtualHub to which the gateway belongs.", "type": "object" }, "vpnClientConnectionHealth": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConnectionHealthResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", "description": "All P2S VPN clients' connection health status.", "type": "object" }, @@ -18686,7 +18892,7 @@ "type": "integer" }, "vpnServerConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VpnServerConfiguration to which the p2sVpnGateway is attached to.", "type": "object" } @@ -18705,7 +18911,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:PacketCapture": { + "azure-native_network_v20230201:network:PacketCapture": { "description": "Information about packet capture session.", "inputProperties": { "bytesToCapturePerPacket": { @@ -18716,7 +18922,7 @@ "filters": { "description": "A list of packet capture filters.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureFilter", + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilter", "type": "object" }, "type": "array" @@ -18737,12 +18943,12 @@ "willReplaceOnChanges": true }, "scope": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureMachineScope", + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScope", "description": "A list of AzureVMSS instances which can be included or excluded to run packet capture. If both included and excluded are empty, then the packet capture will run on all instances of AzureVMSS.", "type": "object" }, "storageLocation": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureStorageLocation", + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocation", "description": "The storage location for a packet capture session.", "type": "object" }, @@ -18751,7 +18957,7 @@ "type": "string" }, "targetType": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureTargetType", + "$ref": "#/types/azure-native:network:PacketCaptureTargetType", "description": "Target type of the resource provided." }, "timeLimitInSeconds": { @@ -18782,7 +18988,7 @@ "filters": { "description": "A list of packet capture filters.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureFilterResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilterResponse", "type": "object" }, "type": "array" @@ -18796,12 +19002,12 @@ "type": "string" }, "scope": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureMachineScopeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScopeResponse", "description": "A list of AzureVMSS instances which can be included or excluded to run packet capture. If both included and excluded are empty, then the packet capture will run on all instances of AzureVMSS.", "type": "object" }, "storageLocation": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureStorageLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocationResponse", "description": "The storage location for a packet capture session.", "type": "object" }, @@ -18840,7 +19046,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:PrivateDnsZoneGroup": { + "azure-native_network_v20230201:network:PrivateDnsZoneGroup": { "description": "Private dns zone group resource.", "inputProperties": { "id": { @@ -18854,7 +19060,7 @@ "privateDnsZoneConfigs": { "description": "A collection of private dns zone configurations of the private dns zone group.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateDnsZoneConfig", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfig", "type": "object" }, "type": "array" @@ -18891,7 +19097,7 @@ "privateDnsZoneConfigs": { "description": "A collection of private dns zone configurations of the private dns zone group.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateDnsZoneConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfigResponse", "type": "object" }, "type": "array" @@ -18912,13 +19118,13 @@ ], "type": "object" }, - "azure-native:network/v20230201:PrivateEndpoint": { + "azure-native_network_v20230201:network:PrivateEndpoint": { "description": "Private endpoint resource.", "inputProperties": { "applicationSecurityGroups": { "description": "Application security groups in which the private endpoint IP configuration is included.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", "type": "object" }, "type": "array" @@ -18926,7 +19132,7 @@ "customDnsConfigs": { "description": "An array of custom dns configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:CustomDnsConfigPropertiesFormat", + "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormat", "type": "object" }, "type": "array" @@ -18936,7 +19142,7 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", "description": "The extended location of the load balancer.", "type": "object" }, @@ -18947,7 +19153,7 @@ "ipConfigurations": { "description": "A list of IP configurations of the private endpoint. This will be used to map to the First Party Service's endpoints.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfiguration", "type": "object" }, "type": "array" @@ -18959,7 +19165,7 @@ "manualPrivateLinkServiceConnections": { "description": "A grouping of information about the connection to the remote resource. Used when the network admin does not have access to approve connections to the remote resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnection", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnection", "type": "object" }, "type": "array" @@ -18972,7 +19178,7 @@ "privateLinkServiceConnections": { "description": "A grouping of information about the connection to the remote resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnection", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnection", "type": "object" }, "type": "array" @@ -18983,7 +19189,7 @@ "willReplaceOnChanges": true }, "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", "description": "The ID of the subnet from which the private IP will be allocated.", "type": "object", "willReplaceOnChanges": true @@ -19000,7 +19206,7 @@ "applicationSecurityGroups": { "description": "Application security groups in which the private endpoint IP configuration is included.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", "type": "object" }, "type": "array" @@ -19012,7 +19218,7 @@ "customDnsConfigs": { "description": "An array of custom dns configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:CustomDnsConfigPropertiesFormatResponse", + "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse", "type": "object" }, "type": "array" @@ -19026,14 +19232,14 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the load balancer.", "type": "object" }, "ipConfigurations": { "description": "A list of IP configurations of the private endpoint. This will be used to map to the First Party Service's endpoints.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse", "type": "object" }, "type": "array" @@ -19045,7 +19251,7 @@ "manualPrivateLinkServiceConnections": { "description": "A grouping of information about the connection to the remote resource. Used when the network admin does not have access to approve connections to the remote resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", "type": "object" }, "type": "array" @@ -19057,7 +19263,7 @@ "networkInterfaces": { "description": "An array of references to the network interfaces created for this private endpoint.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" }, "type": "array" @@ -19065,7 +19271,7 @@ "privateLinkServiceConnections": { "description": "A grouping of information about the connection to the remote resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", "type": "object" }, "type": "array" @@ -19075,7 +19281,7 @@ "type": "string" }, "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "description": "The ID of the subnet from which the private IP will be allocated.", "type": "object" }, @@ -19104,11 +19310,11 @@ ], "type": "object" }, - "azure-native:network/v20230201:PrivateLinkService": { + "azure-native_network_v20230201:network:PrivateLinkService": { "description": "Private link service resource.", "inputProperties": { "autoApproval": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesAutoApproval", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesAutoApproval", "description": "The auto-approval list of the private link service.", "type": "object" }, @@ -19117,7 +19323,7 @@ "type": "boolean" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", "description": "The extended location of the load balancer.", "type": "object" }, @@ -19135,7 +19341,7 @@ "ipConfigurations": { "description": "An array of private link service IP configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceIpConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfiguration", "type": "object" }, "type": "array" @@ -19143,7 +19349,7 @@ "loadBalancerFrontendIpConfigurations": { "description": "An array of references to the load balancer IP configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", "type": "object" }, "type": "array" @@ -19170,7 +19376,7 @@ "type": "object" }, "visibility": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesVisibility", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesVisibility", "description": "The visibility list of the private link service.", "type": "object" } @@ -19181,7 +19387,7 @@ "type": "string" }, "autoApproval": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseAutoApproval", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval", "description": "The auto-approval list of the private link service.", "type": "object" }, @@ -19198,7 +19404,7 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the load balancer.", "type": "object" }, @@ -19212,7 +19418,7 @@ "ipConfigurations": { "description": "An array of private link service IP configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse", "type": "object" }, "type": "array" @@ -19220,7 +19426,7 @@ "loadBalancerFrontendIpConfigurations": { "description": "An array of references to the load balancer IP configurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", "type": "object" }, "type": "array" @@ -19236,7 +19442,7 @@ "networkInterfaces": { "description": "An array of references to the network interfaces created for this private link service.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" }, "type": "array" @@ -19244,7 +19450,7 @@ "privateEndpointConnections": { "description": "An array of list about connections to the private endpoint.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointConnectionResponse", "type": "object" }, "type": "array" @@ -19265,7 +19471,7 @@ "type": "string" }, "visibility": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseVisibility", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility", "description": "The visibility list of the private link service.", "type": "object" } @@ -19285,7 +19491,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:PrivateLinkServicePrivateEndpointConnection": { + "azure-native_network_v20230201:network:PrivateLinkServicePrivateEndpointConnection": { "description": "PrivateEndpointConnection resource.", "inputProperties": { "id": { @@ -19302,7 +19508,7 @@ "willReplaceOnChanges": true }, "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionState", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionState", "description": "A collection of information about the state of the connection between service consumer and provider.", "type": "object" }, @@ -19335,7 +19541,7 @@ "type": "string" }, "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "description": "The resource of private end point.", "type": "object" }, @@ -19344,7 +19550,7 @@ "type": "string" }, "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", "description": "A collection of information about the state of the connection between service consumer and provider.", "type": "object" }, @@ -19372,11 +19578,11 @@ ], "type": "object" }, - "azure-native:network/v20230201:PublicIPAddress": { + "azure-native_network_v20230201:network:PublicIPAddress": { "description": "Public IP address resource.", "inputProperties": { "ddosSettings": { - "$ref": "#/types/azure-native:network/v20230201:DdosSettings", + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettings", "description": "The DDoS protection custom policy associated with the public IP address.", "type": "object" }, @@ -19387,17 +19593,17 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:DeleteOptions" + "$ref": "#/types/azure-native:network:DeleteOptions" } ] }, "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressDnsSettings", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettings", "description": "The FQDN of the DNS record associated with the public IP address.", "type": "object" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", "description": "The extended location of the public ip address.", "type": "object" }, @@ -19416,13 +19622,13 @@ "ipTags": { "description": "The list of tags associated with the public IP address.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTag", + "$ref": "#/types/azure-native_network_v20230201:network:IpTag", "type": "object" }, "type": "array" }, "linkedPublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", "description": "The linked public IP address of the public IP address resource.", "type": "object" }, @@ -19438,12 +19644,12 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressMigrationPhase" + "$ref": "#/types/azure-native:network:PublicIPAddressMigrationPhase" } ] }, "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGateway", + "$ref": "#/types/azure-native_network_v20230201:network:NatGateway", "description": "The NatGateway for the Public IP address.", "type": "object" }, @@ -19454,7 +19660,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:IPVersion" + "$ref": "#/types/azure-native:network:IPVersion" } ], "willReplaceOnChanges": true @@ -19466,12 +19672,12 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:IPAllocationMethod" + "$ref": "#/types/azure-native:network:IPAllocationMethod" } ] }, "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The Public IP Prefix this Public IP Address should be allocated from.", "type": "object", "willReplaceOnChanges": true @@ -19487,12 +19693,12 @@ "willReplaceOnChanges": true }, "servicePublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", "description": "The service public IP address of the public IP address resource.", "type": "object" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSku", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSku", "description": "The public IP address SKU.", "type": "object", "willReplaceOnChanges": true @@ -19518,7 +19724,7 @@ "type": "string" }, "ddosSettings": { - "$ref": "#/types/azure-native:network/v20230201:DdosSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettingsResponse", "description": "The DDoS protection custom policy associated with the public IP address.", "type": "object" }, @@ -19527,7 +19733,7 @@ "type": "string" }, "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressDnsSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse", "description": "The FQDN of the DNS record associated with the public IP address.", "type": "object" }, @@ -19536,7 +19742,7 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the public ip address.", "type": "object" }, @@ -19549,20 +19755,20 @@ "type": "string" }, "ipConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", "description": "The IP configuration associated with the public IP address.", "type": "object" }, "ipTags": { "description": "The list of tags associated with the public IP address.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTagResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", "type": "object" }, "type": "array" }, "linkedPublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "description": "The linked public IP address of the public IP address resource.", "type": "object" }, @@ -19579,7 +19785,7 @@ "type": "string" }, "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", "description": "The NatGateway for the Public IP address.", "type": "object" }, @@ -19596,7 +19802,7 @@ "type": "string" }, "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Public IP Prefix this Public IP Address should be allocated from.", "type": "object" }, @@ -19605,12 +19811,12 @@ "type": "string" }, "servicePublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "description": "The service public IP address of the public IP address resource.", "type": "object" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuResponse", "description": "The public IP address SKU.", "type": "object" }, @@ -19647,16 +19853,16 @@ ], "type": "object" }, - "azure-native:network/v20230201:PublicIPPrefix": { + "azure-native_network_v20230201:network:PublicIPPrefix": { "description": "Public IP prefix resource.", "inputProperties": { "customIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The customIpPrefix that this prefix is associated with.", "type": "object" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", "description": "The extended location of the public ip address.", "type": "object" }, @@ -19667,7 +19873,7 @@ "ipTags": { "description": "The list of tags associated with the public IP prefix.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTag", + "$ref": "#/types/azure-native_network_v20230201:network:IpTag", "type": "object" }, "type": "array" @@ -19677,7 +19883,7 @@ "type": "string" }, "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGateway", + "$ref": "#/types/azure-native_network_v20230201:network:NatGateway", "description": "NatGateway of Public IP Prefix.", "type": "object" }, @@ -19692,7 +19898,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:IPVersion" + "$ref": "#/types/azure-native:network:IPVersion" } ] }, @@ -19707,7 +19913,7 @@ "willReplaceOnChanges": true }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPPrefixSku", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSku", "description": "The public IP prefix SKU.", "type": "object" }, @@ -19732,7 +19938,7 @@ "type": "string" }, "customIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The customIpPrefix that this prefix is associated with.", "type": "object" }, @@ -19741,7 +19947,7 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the public ip address.", "type": "object" }, @@ -19752,13 +19958,13 @@ "ipTags": { "description": "The list of tags associated with the public IP prefix.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTagResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", "type": "object" }, "type": "array" }, "loadBalancerFrontendIpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to load balancer frontend IP configuration associated with the public IP prefix.", "type": "object" }, @@ -19771,7 +19977,7 @@ "type": "string" }, "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", "description": "NatGateway of Public IP Prefix.", "type": "object" }, @@ -19790,7 +19996,7 @@ "publicIPAddresses": { "description": "The list of all referenced PublicIPAddresses.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ReferencedPublicIpAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ReferencedPublicIpAddressResponse", "type": "object" }, "type": "array" @@ -19800,7 +20006,7 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPPrefixSkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSkuResponse", "description": "The public IP prefix SKU.", "type": "object" }, @@ -19839,7 +20045,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:Route": { + "azure-native_network_v20230201:network:Route": { "description": "Route resource.", "inputProperties": { "addressPrefix": { @@ -19869,7 +20075,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:RouteNextHopType" + "$ref": "#/types/azure-native:network:RouteNextHopType" } ] }, @@ -19944,7 +20150,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:RouteFilter": { + "azure-native_network_v20230201:network:RouteFilter": { "description": "Route Filter Resource.", "inputProperties": { "id": { @@ -19968,7 +20174,7 @@ "rules": { "description": "Collection of RouteFilterRules contained within a route filter.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteFilterRule", + "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRule", "type": "object" }, "type": "array" @@ -19993,7 +20199,7 @@ "ipv6Peerings": { "description": "A collection of references to express route circuit ipv6 peerings.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", "type": "object" }, "type": "array" @@ -20009,7 +20215,7 @@ "peerings": { "description": "A collection of references to express route circuit peerings.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", "type": "object" }, "type": "array" @@ -20021,7 +20227,7 @@ "rules": { "description": "Collection of RouteFilterRules contained within a route filter.", "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteFilterRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRuleResponse", "type": "object" }, "type": "array" @@ -20053,7 +20259,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:RouteFilterRule": { + "azure-native_network_v20230201:network:RouteFilterRule": { "description": "Route Filter Rule Resource.", "inputProperties": { "access": { @@ -20063,7 +20269,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:Access" + "$ref": "#/types/azure-native:network:Access" } ] }, @@ -20103,7 +20309,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:RouteFilterRuleType" + "$ref": "#/types/azure-native:network:RouteFilterRuleType" } ] }, @@ -20167,7 +20373,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:RouteMap": { + "azure-native_network_v20230201:network:RouteMap": { "description": "The RouteMap child resource of a Virtual hub.", "inputProperties": { "associatedInboundConnections": { @@ -20201,7 +20407,7 @@ "rules": { "description": "List of RouteMap rules to be applied.", "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteMapRule", + "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRule", "type": "object" }, "type": "array" @@ -20246,7 +20452,7 @@ "rules": { "description": "List of RouteMap rules to be applied.", "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteMapRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRuleResponse", "type": "object" }, "type": "array" @@ -20269,7 +20475,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:RouteTable": { + "azure-native_network_v20230201:network:RouteTable": { "description": "Route table resource.", "inputProperties": { "disableBgpRoutePropagation": { @@ -20297,7 +20503,7 @@ "routes": { "description": "Collection of routes contained within a route table.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:Route", + "$ref": "#/types/azure-native_network_v20230201:network:Route", "type": "object" }, "type": "array" @@ -20342,7 +20548,7 @@ "routes": { "description": "Collection of routes contained within a route table.", "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteResponse", "type": "object" }, "type": "array" @@ -20350,7 +20556,7 @@ "subnets": { "description": "A collection of references to subnets.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" }, "type": "array" @@ -20381,7 +20587,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:RoutingIntent": { + "azure-native_network_v20230201:network:RoutingIntent": { "description": "The routing intent child resource of a Virtual hub.", "inputProperties": { "id": { @@ -20405,7 +20611,7 @@ "routingPolicies": { "description": "List of routing policies.", "items": { - "$ref": "#/types/azure-native:network/v20230201:RoutingPolicy", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicy", "type": "object" }, "type": "array" @@ -20436,7 +20642,7 @@ "routingPolicies": { "description": "List of routing policies.", "items": { - "$ref": "#/types/azure-native:network/v20230201:RoutingPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicyResponse", "type": "object" }, "type": "array" @@ -20458,7 +20664,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ScopeConnection": { + "azure-native_network_v20230201:network:ScopeConnection": { "description": "The Scope Connections resource", "inputProperties": { "description": { @@ -20511,7 +20717,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -20537,7 +20743,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:SecurityAdminConfiguration": { + "azure-native_network_v20230201:network:SecurityAdminConfiguration": { "description": "Defines the security admin configuration", "inputProperties": { "applyOnNetworkIntentPolicyBasedServices": { @@ -20548,7 +20754,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:NetworkIntentPolicyBasedService" + "$ref": "#/types/azure-native:network:NetworkIntentPolicyBasedService" } ] }, @@ -20607,7 +20813,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -20631,7 +20837,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:SecurityPartnerProvider": { + "azure-native_network_v20230201:network:SecurityPartnerProvider": { "description": "Security Partner Provider resource.", "inputProperties": { "id": { @@ -20659,7 +20865,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:SecurityProviderName" + "$ref": "#/types/azure-native:network:SecurityProviderName" } ] }, @@ -20671,7 +20877,7 @@ "type": "object" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The virtualHub to which the Security Partner Provider belongs.", "type": "object" } @@ -20717,7 +20923,7 @@ "type": "string" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The virtualHub to which the Security Partner Provider belongs.", "type": "object" } @@ -20735,7 +20941,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:SecurityRule": { + "azure-native_network_v20230201:network:SecurityRule": { "description": "Network security rule.", "inputProperties": { "access": { @@ -20745,7 +20951,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleAccess" + "$ref": "#/types/azure-native:network:SecurityRuleAccess" } ] }, @@ -20767,7 +20973,7 @@ "destinationApplicationSecurityGroups": { "description": "The application security group specified as destination.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", "type": "object" }, "type": "array" @@ -20790,7 +20996,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleDirection" + "$ref": "#/types/azure-native:network:SecurityRuleDirection" } ] }, @@ -20818,7 +21024,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleProtocol" + "$ref": "#/types/azure-native:network:SecurityRuleProtocol" } ] }, @@ -20846,7 +21052,7 @@ "sourceApplicationSecurityGroups": { "description": "The application security group specified as source.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", "type": "object" }, "type": "array" @@ -20894,7 +21100,7 @@ "destinationApplicationSecurityGroups": { "description": "The application security group specified as destination.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", "type": "object" }, "type": "array" @@ -20948,7 +21154,7 @@ "sourceApplicationSecurityGroups": { "description": "The application security group specified as source.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", "type": "object" }, "type": "array" @@ -20988,7 +21194,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ServiceEndpointPolicy": { + "azure-native_network_v20230201:network:ServiceEndpointPolicy": { "description": "Service End point policy resource.", "inputProperties": { "contextualServiceEndpointPolicies": { @@ -21018,7 +21224,7 @@ "serviceEndpointPolicyDefinitions": { "description": "A collection of service endpoint policy definitions of the service endpoint policy.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyDefinition", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition", "type": "object" }, "type": "array" @@ -21079,7 +21285,7 @@ "serviceEndpointPolicyDefinitions": { "description": "A collection of service endpoint policy definitions of the service endpoint policy.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyDefinitionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse", "type": "object" }, "type": "array" @@ -21087,7 +21293,7 @@ "subnets": { "description": "A collection of references to subnets.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" }, "type": "array" @@ -21119,7 +21325,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:ServiceEndpointPolicyDefinition": { + "azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition": { "description": "Service Endpoint policy definitions.", "inputProperties": { "description": { @@ -21213,7 +21419,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:StaticMember": { + "azure-native_network_v20230201:network:StaticMember": { "description": "StaticMember Item.", "inputProperties": { "networkGroupName": { @@ -21267,7 +21473,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -21292,7 +21498,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:Subnet": { + "azure-native_network_v20230201:network:Subnet": { "description": "Subnet in a virtual network resource.", "inputProperties": { "addressPrefix": { @@ -21309,7 +21515,7 @@ "applicationGatewayIPConfigurations": { "description": "Application gateway IP configurations of virtual network resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration", "type": "object" }, "type": "array" @@ -21317,7 +21523,7 @@ "delegations": { "description": "An array of references to the delegations on the subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:Delegation", + "$ref": "#/types/azure-native_network_v20230201:network:Delegation", "type": "object" }, "type": "array" @@ -21329,7 +21535,7 @@ "ipAllocations": { "description": "Array of IpAllocation which reference this subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" }, "type": "array" @@ -21339,12 +21545,12 @@ "type": "string" }, "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "Nat gateway associated with this subnet.", "type": "object" }, "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroup", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroup", "description": "The reference to the NetworkSecurityGroup resource.", "type": "object" }, @@ -21356,7 +21562,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPrivateEndpointNetworkPolicies" + "$ref": "#/types/azure-native:network:VirtualNetworkPrivateEndpointNetworkPolicies" } ] }, @@ -21368,7 +21574,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPrivateLinkServiceNetworkPolicies" + "$ref": "#/types/azure-native:network:VirtualNetworkPrivateLinkServiceNetworkPolicies" } ] }, @@ -21378,14 +21584,14 @@ "willReplaceOnChanges": true }, "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:RouteTable", + "$ref": "#/types/azure-native_network_v20230201:network:RouteTable", "description": "The reference to the RouteTable resource.", "type": "object" }, "serviceEndpointPolicies": { "description": "An array of service endpoint policies.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicy", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicy", "type": "object" }, "type": "array" @@ -21393,7 +21599,7 @@ "serviceEndpoints": { "description": "An array of service endpoints.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPropertiesFormat", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormat", "type": "object" }, "type": "array" @@ -21428,7 +21634,7 @@ "applicationGatewayIPConfigurations": { "description": "Application gateway IP configurations of virtual network resource.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", "type": "object" }, "type": "array" @@ -21440,7 +21646,7 @@ "delegations": { "description": "An array of references to the delegations on the subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:DelegationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DelegationResponse", "type": "object" }, "type": "array" @@ -21452,7 +21658,7 @@ "ipAllocations": { "description": "Array of IpAllocation which reference this subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -21460,7 +21666,7 @@ "ipConfigurationProfiles": { "description": "Array of IP configuration profiles which reference this subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationProfileResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", "type": "object" }, "type": "array" @@ -21468,7 +21674,7 @@ "ipConfigurations": { "description": "An array of references to the network interface IP configurations using subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", "type": "object" }, "type": "array" @@ -21478,12 +21684,12 @@ "type": "string" }, "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Nat gateway associated with this subnet.", "type": "object" }, "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", "description": "The reference to the NetworkSecurityGroup resource.", "type": "object" }, @@ -21495,7 +21701,7 @@ "privateEndpoints": { "description": "An array of references to private endpoints.", "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "type": "object" }, "type": "array" @@ -21516,20 +21722,20 @@ "resourceNavigationLinks": { "description": "An array of references to the external resources using subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ResourceNavigationLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ResourceNavigationLinkResponse", "type": "object" }, "type": "array" }, "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:RouteTableResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteTableResponse", "description": "The reference to the RouteTable resource.", "type": "object" }, "serviceAssociationLinks": { "description": "An array of references to services injecting into this subnet.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceAssociationLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceAssociationLinkResponse", "type": "object" }, "type": "array" @@ -21537,7 +21743,7 @@ "serviceEndpointPolicies": { "description": "An array of service endpoint policies.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyResponse", "type": "object" }, "type": "array" @@ -21545,7 +21751,7 @@ "serviceEndpoints": { "description": "An array of service endpoints.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPropertiesFormatResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse", "type": "object" }, "type": "array" @@ -21572,7 +21778,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:SubscriptionNetworkManagerConnection": { + "azure-native_network_v20230201:network:SubscriptionNetworkManagerConnection": { "description": "The Network Manager Connection resource", "inputProperties": { "description": { @@ -21611,7 +21817,7 @@ "type": "string" }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse", "description": "The system metadata related to this resource.", "type": "object" }, @@ -21629,7 +21835,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualApplianceSite": { + "azure-native_network_v20230201:network:VirtualApplianceSite": { "description": "Virtual Appliance Site resource.", "inputProperties": { "addressPrefix": { @@ -21650,7 +21856,7 @@ "willReplaceOnChanges": true }, "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:Office365PolicyProperties", + "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyProperties", "description": "Office 365 Policy.", "type": "object" }, @@ -21683,7 +21889,7 @@ "type": "string" }, "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:Office365PolicyPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyPropertiesResponse", "description": "Office 365 Policy.", "type": "object" }, @@ -21708,7 +21914,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualHub": { + "azure-native_network_v20230201:network:VirtualHub": { "description": "VirtualHub Resource.", "inputProperties": { "addressPrefix": { @@ -21720,12 +21926,12 @@ "type": "boolean" }, "azureFirewall": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The azureFirewall associated with this VirtualHub.", "type": "object" }, "expressRouteGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The expressRouteGateway associated with this VirtualHub.", "type": "object" }, @@ -21736,7 +21942,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:HubRoutingPreference" + "$ref": "#/types/azure-native:network:HubRoutingPreference" } ] }, @@ -21749,7 +21955,7 @@ "type": "string" }, "p2SVpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The P2SVpnGateway associated with this VirtualHub.", "type": "object" }, @@ -21760,7 +21966,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:PreferredRoutingGateway" + "$ref": "#/types/azure-native:network:PreferredRoutingGateway" } ] }, @@ -21770,12 +21976,12 @@ "willReplaceOnChanges": true }, "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTable", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTable", "description": "The routeTable associated with this virtual hub.", "type": "object" }, "securityPartnerProvider": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The securityPartnerProvider associated with this VirtualHub.", "type": "object" }, @@ -21802,7 +22008,7 @@ "virtualHubRouteTableV2s": { "description": "List of all virtual hub route table v2s associated with this VirtualHub.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTableV2", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2", "type": "object" }, "type": "array" @@ -21812,7 +22018,7 @@ "type": "number" }, "virtualRouterAutoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VirtualRouterAutoScaleConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfiguration", "description": "The VirtualHub Router autoscale configuration.", "type": "object" }, @@ -21824,12 +22030,12 @@ "type": "array" }, "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The VirtualWAN to which the VirtualHub belongs.", "type": "object" }, "vpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The VpnGateway associated with this VirtualHub.", "type": "object" } @@ -21848,14 +22054,14 @@ "type": "string" }, "azureFirewall": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The azureFirewall associated with this VirtualHub.", "type": "object" }, "bgpConnections": { "description": "List of references to Bgp Connections.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -21865,7 +22071,7 @@ "type": "string" }, "expressRouteGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The expressRouteGateway associated with this VirtualHub.", "type": "object" }, @@ -21876,7 +22082,7 @@ "ipConfigurations": { "description": "List of references to IpConfigurations.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -21894,7 +22100,7 @@ "type": "string" }, "p2SVpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The P2SVpnGateway associated with this VirtualHub.", "type": "object" }, @@ -21909,13 +22115,13 @@ "routeMaps": { "description": "List of references to RouteMaps.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" }, "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTableResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableResponse", "description": "The routeTable associated with this virtual hub.", "type": "object" }, @@ -21924,7 +22130,7 @@ "type": "string" }, "securityPartnerProvider": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The securityPartnerProvider associated with this VirtualHub.", "type": "object" }, @@ -21950,7 +22156,7 @@ "virtualHubRouteTableV2s": { "description": "List of all virtual hub route table v2s associated with this VirtualHub.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTableV2Response", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2Response", "type": "object" }, "type": "array" @@ -21960,7 +22166,7 @@ "type": "number" }, "virtualRouterAutoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VirtualRouterAutoScaleConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfigurationResponse", "description": "The VirtualHub Router autoscale configuration.", "type": "object" }, @@ -21972,12 +22178,12 @@ "type": "array" }, "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VirtualWAN to which the VirtualHub belongs.", "type": "object" }, "vpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VpnGateway associated with this VirtualHub.", "type": "object" } @@ -22000,7 +22206,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualHubBgpConnection": { + "azure-native_network_v20230201:network:VirtualHubBgpConnection": { "description": "Virtual Appliance Site resource.", "inputProperties": { "connectionName": { @@ -22009,7 +22215,7 @@ "willReplaceOnChanges": true }, "hubVirtualNetworkConnection": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The reference to the HubVirtualNetworkConnection resource.", "type": "object" }, @@ -22054,7 +22260,7 @@ "type": "string" }, "hubVirtualNetworkConnection": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to the HubVirtualNetworkConnection resource.", "type": "object" }, @@ -22092,7 +22298,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualHubIpConfiguration": { + "azure-native_network_v20230201:network:VirtualHubIpConfiguration": { "description": "IpConfigurations.", "inputProperties": { "id": { @@ -22119,12 +22325,12 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:IPAllocationMethod" + "$ref": "#/types/azure-native:network:IPAllocationMethod" } ] }, "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", "description": "The reference to the public IP resource.", "type": "object" }, @@ -22134,7 +22340,7 @@ "willReplaceOnChanges": true }, "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", "description": "The reference to the subnet resource.", "type": "object" }, @@ -22170,12 +22376,12 @@ "type": "string" }, "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "description": "The reference to the public IP resource.", "type": "object" }, "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "description": "The reference to the subnet resource.", "type": "object" }, @@ -22196,7 +22402,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualHubRouteTableV2": { + "azure-native_network_v20230201:network:VirtualHubRouteTableV2": { "description": "VirtualHubRouteTableV2 Resource.", "inputProperties": { "attachedConnections": { @@ -22227,7 +22433,7 @@ "routes": { "description": "List of all routes.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteV2", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2", "type": "object" }, "type": "array" @@ -22265,7 +22471,7 @@ "routes": { "description": "List of all routes.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteV2Response", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2Response", "type": "object" }, "type": "array" @@ -22282,26 +22488,26 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualNetwork": { + "azure-native_network_v20230201:network:VirtualNetwork": { "description": "Virtual Network resource.", "inputProperties": { "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", "description": "The AddressSpace that contains an array of IP address ranges that can be used by subnets.", "type": "object" }, "bgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunities", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunities", "description": "Bgp Communities sent over ExpressRoute with each route corresponding to a prefix in this VNET.", "type": "object" }, "ddosProtectionPlan": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The DDoS protection plan associated with the virtual network.", "type": "object" }, "dhcpOptions": { - "$ref": "#/types/azure-native:network/v20230201:DhcpOptions", + "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptions", "description": "The dhcpOptions that contains an array of DNS servers available to VMs deployed in the virtual network.", "type": "object" }, @@ -22316,12 +22522,12 @@ "type": "boolean" }, "encryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryption", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryption", "description": "Indicates if encryption is enabled on virtual network and if VM without encryption is allowed in encrypted VNet.", "type": "object" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", "description": "The extended location of the virtual network.", "type": "object" }, @@ -22336,7 +22542,7 @@ "ipAllocations": { "description": "Array of IpAllocation which reference this VNET.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" }, "type": "array" @@ -22354,7 +22560,7 @@ "subnets": { "description": "A list of subnets in a Virtual Network.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", "type": "object" }, "type": "array" @@ -22374,7 +22580,7 @@ "virtualNetworkPeerings": { "description": "A list of peerings in a Virtual Network.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPeering", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeering", "type": "object" }, "type": "array" @@ -22382,7 +22588,7 @@ }, "properties": { "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "The AddressSpace that contains an array of IP address ranges that can be used by subnets.", "type": "object" }, @@ -22391,17 +22597,17 @@ "type": "string" }, "bgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", "description": "Bgp Communities sent over ExpressRoute with each route corresponding to a prefix in this VNET.", "type": "object" }, "ddosProtectionPlan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The DDoS protection plan associated with the virtual network.", "type": "object" }, "dhcpOptions": { - "$ref": "#/types/azure-native:network/v20230201:DhcpOptionsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptionsResponse", "description": "The dhcpOptions that contains an array of DNS servers available to VMs deployed in the virtual network.", "type": "object" }, @@ -22416,7 +22622,7 @@ "type": "boolean" }, "encryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryptionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", "description": "Indicates if encryption is enabled on virtual network and if VM without encryption is allowed in encrypted VNet.", "type": "object" }, @@ -22425,14 +22631,14 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of the virtual network.", "type": "object" }, "flowLogs": { "description": "A collection of references to flow log resources.", "items": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", "type": "object" }, "type": "array" @@ -22444,7 +22650,7 @@ "ipAllocations": { "description": "Array of IpAllocation which reference this VNET.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -22468,7 +22674,7 @@ "subnets": { "description": "A list of subnets in a Virtual Network.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" }, "type": "array" @@ -22487,7 +22693,7 @@ "virtualNetworkPeerings": { "description": "A list of peerings in a Virtual Network.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringResponse", "type": "object" }, "type": "array" @@ -22507,7 +22713,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualNetworkGateway": { + "azure-native_network_v20230201:network:VirtualNetworkGateway": { "description": "A common class for general resource information.", "inputProperties": { "activeActive": { @@ -22521,7 +22727,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:AdminState" + "$ref": "#/types/azure-native:network:AdminState" } ] }, @@ -22534,12 +22740,12 @@ "type": "boolean" }, "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", "description": "Virtual network gateway's BGP speaker settings.", "type": "object" }, "customRoutes": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", "description": "The reference to the address space resource which represents the custom routes address space specified by the customer for virtual network gateway and VpnClient.", "type": "object" }, @@ -22564,12 +22770,12 @@ "type": "boolean" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", "description": "The extended location of type local virtual network gateway.", "type": "object" }, "gatewayDefaultSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The reference to the LocalNetworkGateway resource which represents local network site having default routes. Assign Null value in case of removing existing default site setting.", "type": "object" }, @@ -22580,7 +22786,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayType" + "$ref": "#/types/azure-native:network:VirtualNetworkGatewayType" } ] }, @@ -22591,7 +22797,7 @@ "ipConfigurations": { "description": "IP configurations for virtual network gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfiguration", "type": "object" }, "type": "array" @@ -22603,7 +22809,7 @@ "natRules": { "description": "NatRules for virtual network gateway.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayNatRule", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule", "type": "object" }, "type": "array" @@ -22614,7 +22820,7 @@ "willReplaceOnChanges": true }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySku", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySku", "description": "The reference to the VirtualNetworkGatewaySku resource which represents the SKU selected for Virtual network gateway.", "type": "object" }, @@ -22637,13 +22843,13 @@ "virtualNetworkGatewayPolicyGroups": { "description": "The reference to the VirtualNetworkGatewayPolicyGroup resource which represents the available VirtualNetworkGatewayPolicyGroup for the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroup", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroup", "type": "object" }, "type": "array" }, "vpnClientConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfiguration", "description": "The reference to the VpnClientConfiguration resource which represents the P2S VpnClient configurations.", "type": "object" }, @@ -22654,7 +22860,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayGeneration" + "$ref": "#/types/azure-native:network:VpnGatewayGeneration" } ] }, @@ -22665,7 +22871,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VpnType" + "$ref": "#/types/azure-native:network:VpnType" } ] } @@ -22692,12 +22898,12 @@ "type": "string" }, "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "description": "Virtual network gateway's BGP speaker settings.", "type": "object" }, "customRoutes": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "The reference to the address space resource which represents the custom routes address space specified by the customer for virtual network gateway and VpnClient.", "type": "object" }, @@ -22726,12 +22932,12 @@ "type": "string" }, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", "description": "The extended location of type local virtual network gateway.", "type": "object" }, "gatewayDefaultSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to the LocalNetworkGateway resource which represents local network site having default routes. Assign Null value in case of removing existing default site setting.", "type": "object" }, @@ -22746,7 +22952,7 @@ "ipConfigurations": { "description": "IP configurations for virtual network gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse", "type": "object" }, "type": "array" @@ -22762,7 +22968,7 @@ "natRules": { "description": "NatRules for virtual network gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayNatRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse", "type": "object" }, "type": "array" @@ -22776,7 +22982,7 @@ "type": "string" }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse", "description": "The reference to the VirtualNetworkGatewaySku resource which represents the SKU selected for Virtual network gateway.", "type": "object" }, @@ -22798,13 +23004,13 @@ "virtualNetworkGatewayPolicyGroups": { "description": "The reference to the VirtualNetworkGatewayPolicyGroup resource which represents the available VirtualNetworkGatewayPolicyGroup for the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse", "type": "object" }, "type": "array" }, "vpnClientConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfigurationResponse", "description": "The reference to the VpnClientConfiguration resource which represents the P2S VpnClient configurations.", "type": "object" }, @@ -22831,7 +23037,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualNetworkGatewayConnection": { + "azure-native_network_v20230201:network:VirtualNetworkGatewayConnection": { "description": "A common class for general resource information.", "inputProperties": { "authorizationKey": { @@ -22845,7 +23051,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayConnectionMode" + "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionMode" } ] }, @@ -22856,7 +23062,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayConnectionProtocol" + "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionProtocol" } ] }, @@ -22867,7 +23073,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayConnectionType" + "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionType" } ] }, @@ -22878,7 +23084,7 @@ "egressNatRules": { "description": "List of egress NatRules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" }, "type": "array" @@ -22898,7 +23104,7 @@ "gatewayCustomBgpIpAddresses": { "description": "GatewayCustomBgpIpAddresses to be used for virtual network gateway Connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfiguration", "type": "object" }, "type": "array" @@ -22910,7 +23116,7 @@ "ingressNatRules": { "description": "List of ingress NatRules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" }, "type": "array" @@ -22918,13 +23124,13 @@ "ipsecPolicies": { "description": "The IPSec Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", "type": "object" }, "type": "array" }, "localNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:LocalNetworkGateway", + "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGateway", "description": "The reference to local network gateway resource.", "type": "object" }, @@ -22933,7 +23139,7 @@ "type": "string" }, "peer": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The reference to peerings resource.", "type": "object" }, @@ -22960,7 +23166,7 @@ "trafficSelectorPolicies": { "description": "The Traffic Selector Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicy", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicy", "type": "object" }, "type": "array" @@ -22974,12 +23180,12 @@ "type": "boolean" }, "virtualNetworkGateway1": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGateway", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGateway", "description": "The reference to virtual network gateway resource.", "type": "object" }, "virtualNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGateway", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGateway", "description": "The reference to virtual network gateway resource.", "type": "object" }, @@ -23025,7 +23231,7 @@ "egressNatRules": { "description": "List of egress NatRules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -23049,7 +23255,7 @@ "gatewayCustomBgpIpAddresses": { "description": "GatewayCustomBgpIpAddresses to be used for virtual network gateway Connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse", "type": "object" }, "type": "array" @@ -23061,7 +23267,7 @@ "ingressNatRules": { "description": "List of ingress NatRules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -23069,13 +23275,13 @@ "ipsecPolicies": { "description": "The IPSec Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", "type": "object" }, "type": "array" }, "localNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:LocalNetworkGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGatewayResponse", "description": "The reference to local network gateway resource.", "type": "object" }, @@ -23088,7 +23294,7 @@ "type": "string" }, "peer": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to peerings resource.", "type": "object" }, @@ -23118,7 +23324,7 @@ "trafficSelectorPolicies": { "description": "The Traffic Selector Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", "type": "object" }, "type": "array" @@ -23126,7 +23332,7 @@ "tunnelConnectionStatus": { "description": "Collection of all tunnels' connection health status.", "items": { - "$ref": "#/types/azure-native:network/v20230201:TunnelConnectionHealthResponse", + "$ref": "#/types/azure-native_network_v20230201:network:TunnelConnectionHealthResponse", "type": "object" }, "type": "array" @@ -23144,12 +23350,12 @@ "type": "boolean" }, "virtualNetworkGateway1": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", "description": "The reference to virtual network gateway resource.", "type": "object" }, "virtualNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", "description": "The reference to virtual network gateway resource.", "type": "object" } @@ -23175,13 +23381,13 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualNetworkGatewayNatRule": { + "azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule": { "description": "VirtualNetworkGatewayNatRule Resource.", "inputProperties": { "externalMappings": { "description": "The private IP address external mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", "type": "object" }, "type": "array" @@ -23193,7 +23399,7 @@ "internalMappings": { "description": "The private IP address internal mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", "type": "object" }, "type": "array" @@ -23209,7 +23415,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMode" + "$ref": "#/types/azure-native:network:VpnNatRuleMode" } ] }, @@ -23234,7 +23440,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleType" + "$ref": "#/types/azure-native:network:VpnNatRuleType" } ] }, @@ -23256,7 +23462,7 @@ "externalMappings": { "description": "The private IP address external mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", "type": "object" }, "type": "array" @@ -23264,7 +23470,7 @@ "internalMappings": { "description": "The private IP address internal mapping for NAT.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", "type": "object" }, "type": "array" @@ -23302,7 +23508,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualNetworkPeering": { + "azure-native_network_v20230201:network:VirtualNetworkPeering": { "description": "Peerings in a virtual network resource.", "inputProperties": { "allowForwardedTraffic": { @@ -23336,7 +23542,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPeeringState" + "$ref": "#/types/azure-native:network:VirtualNetworkPeeringState" } ] }, @@ -23347,27 +23553,27 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPeeringLevel" + "$ref": "#/types/azure-native:network:VirtualNetworkPeeringLevel" } ] }, "remoteAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", "description": "The reference to the address space peered with the remote virtual network.", "type": "object" }, "remoteBgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunities", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunities", "description": "The reference to the remote virtual network's Bgp Communities.", "type": "object" }, "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The reference to the remote virtual network. The remote virtual network can be in the same or different region (preview). See here to register for the preview and learn more (https://docs.microsoft.com/en-us/azure/virtual-network/virtual-network-create-peering).", "type": "object" }, "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", "description": "The reference to the current address space of the remote virtual network.", "type": "object" }, @@ -23441,27 +23647,27 @@ "type": "string" }, "remoteAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "The reference to the address space peered with the remote virtual network.", "type": "object" }, "remoteBgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", "description": "The reference to the remote virtual network's Bgp Communities.", "type": "object" }, "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The reference to the remote virtual network. The remote virtual network can be in the same or different region (preview). See here to register for the preview and learn more (https://docs.microsoft.com/en-us/azure/virtual-network/virtual-network-create-peering).", "type": "object" }, "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "The reference to the current address space of the remote virtual network.", "type": "object" }, "remoteVirtualNetworkEncryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryptionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", "description": "The reference to the remote virtual network's encryption", "type": "object" }, @@ -23491,16 +23697,16 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualNetworkTap": { + "azure-native_network_v20230201:network:VirtualNetworkTap": { "description": "Virtual Network Tap resource.", "inputProperties": { "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", "description": "The reference to the private IP address on the internal Load Balancer that will receive the tap.", "type": "object" }, "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration", "description": "The reference to the private IP Address of the collector nic that will receive the tap.", "type": "object" }, @@ -23540,12 +23746,12 @@ "type": "string" }, "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", "description": "The reference to the private IP address on the internal Load Balancer that will receive the tap.", "type": "object" }, "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "description": "The reference to the private IP Address of the collector nic that will receive the tap.", "type": "object" }, @@ -23568,7 +23774,7 @@ "networkInterfaceTapConfigurations": { "description": "Specifies the list of resource IDs for the network interface IP configuration that needs to be tapped.", "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", "type": "object" }, "type": "array" @@ -23607,16 +23813,16 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualRouter": { + "azure-native_network_v20230201:network:VirtualRouter": { "description": "VirtualRouter Resource.", "inputProperties": { "hostedGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The Gateway on which VirtualRouter is hosted.", "type": "object" }, "hostedSubnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The Subnet on which VirtualRouter is hosted.", "type": "object" }, @@ -23667,12 +23873,12 @@ "type": "string" }, "hostedGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Gateway on which VirtualRouter is hosted.", "type": "object" }, "hostedSubnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The Subnet on which VirtualRouter is hosted.", "type": "object" }, @@ -23687,7 +23893,7 @@ "peerings": { "description": "List of references to VirtualRouterPeerings.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -23732,7 +23938,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualRouterPeering": { + "azure-native_network_v20230201:network:VirtualRouterPeering": { "description": "Virtual Router Peering resource.", "inputProperties": { "id": { @@ -23809,7 +24015,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VirtualWan": { + "azure-native_network_v20230201:network:VirtualWan": { "description": "VirtualWAN Resource.", "inputProperties": { "allowBranchToBranchTraffic": { @@ -23905,7 +24111,7 @@ "virtualHubs": { "description": "List of VirtualHubs in the VirtualWAN.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -23913,7 +24119,7 @@ "vpnSites": { "description": "List of VpnSites in the VirtualWAN.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -23935,7 +24141,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VpnConnection": { + "azure-native_network_v20230201:network:VpnConnection": { "description": "VpnConnection Resource.", "inputProperties": { "connectionBandwidth": { @@ -23975,7 +24181,7 @@ "ipsecPolicies": { "description": "The IPSec Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", "type": "object" }, "type": "array" @@ -23985,7 +24191,7 @@ "type": "string" }, "remoteVpnSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "Id of the connected vpn site.", "type": "object" }, @@ -23995,7 +24201,7 @@ "willReplaceOnChanges": true }, "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", "type": "object" }, @@ -24010,7 +24216,7 @@ "trafficSelectorPolicies": { "description": "The Traffic Selector Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicy", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicy", "type": "object" }, "type": "array" @@ -24030,14 +24236,14 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayConnectionProtocol" + "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionProtocol" } ] }, "vpnLinkConnections": { "description": "List of all vpn site link connections to the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkConnection", + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnection", "type": "object" }, "type": "array" @@ -24087,7 +24293,7 @@ "ipsecPolicies": { "description": "The IPSec Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", "type": "object" }, "type": "array" @@ -24101,12 +24307,12 @@ "type": "string" }, "remoteVpnSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "Id of the connected vpn site.", "type": "object" }, "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", "type": "object" }, @@ -24121,7 +24327,7 @@ "trafficSelectorPolicies": { "description": "The Traffic Selector Policies to be considered by this connection.", "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", "type": "object" }, "type": "array" @@ -24141,7 +24347,7 @@ "vpnLinkConnections": { "description": "List of all vpn site link connections to the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse", "type": "object" }, "type": "array" @@ -24161,18 +24367,18 @@ ], "type": "object" }, - "azure-native:network/v20230201:VpnGateway": { + "azure-native_network_v20230201:network:VpnGateway": { "description": "VpnGateway Resource.", "inputProperties": { "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", "description": "Local network gateway's BGP speaker settings.", "type": "object" }, "connections": { "description": "List of all vpn connections to the gateway.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnConnection", + "$ref": "#/types/azure-native_network_v20230201:network:VpnConnection", "type": "object" }, "type": "array" @@ -24201,7 +24407,7 @@ "natRules": { "description": "List of all the nat Rules associated with the gateway.\nThese are also available as standalone resources. Do not mix inline and standalone resource as they will conflict with each other, leading to resources deletion.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayNatRule", + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRule", "type": "object" }, "type": "array" @@ -24219,7 +24425,7 @@ "type": "object" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The VirtualHub to which the gateway belongs.", "type": "object" }, @@ -24234,14 +24440,14 @@ "type": "string" }, "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "description": "Local network gateway's BGP speaker settings.", "type": "object" }, "connections": { "description": "List of all vpn connections to the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnConnectionResponse", "type": "object" }, "type": "array" @@ -24257,7 +24463,7 @@ "ipConfigurations": { "description": "List of all IPs configured on the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayIpConfigurationResponse", "type": "object" }, "type": "array" @@ -24277,7 +24483,7 @@ "natRules": { "description": "List of all the nat Rules associated with the gateway.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayNatRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRuleResponse", "type": "object" }, "type": "array" @@ -24298,7 +24504,7 @@ "type": "string" }, "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VirtualHub to which the gateway belongs.", "type": "object" }, @@ -24321,7 +24527,7 @@ ], "type": "object" }, - "azure-native:network/v20230201:VpnServerConfiguration": { + "azure-native_network_v20230201:network:VpnServerConfiguration": { "description": "VpnServerConfiguration Resource.", "inputProperties": { "id": { @@ -24337,7 +24543,7 @@ "type": "string" }, "properties": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationProperties", + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationProperties", "description": "Properties of the P2SVpnServer configuration.", "type": "object" }, @@ -24377,7 +24583,7 @@ "type": "string" }, "properties": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPropertiesResponse", "description": "Properties of the P2SVpnServer configuration.", "type": "object" }, @@ -24405,21 +24611,21 @@ ], "type": "object" }, - "azure-native:network/v20230201:VpnSite": { + "azure-native_network_v20230201:network:VpnSite": { "description": "VpnSite Resource.", "inputProperties": { "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", "description": "The AddressSpace that contains an array of IP address ranges.", "type": "object" }, "bgpProperties": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", "description": "The set of bgp properties.", "type": "object" }, "deviceProperties": { - "$ref": "#/types/azure-native:network/v20230201:DeviceProperties", + "$ref": "#/types/azure-native_network_v20230201:network:DeviceProperties", "description": "The device properties.", "type": "object" }, @@ -24440,7 +24646,7 @@ "type": "string" }, "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:O365PolicyProperties", + "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyProperties", "description": "Office365 Policy.", "type": "object" }, @@ -24461,14 +24667,14 @@ "type": "object" }, "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "description": "The VirtualWAN to which the vpnSite belongs.", "type": "object" }, "vpnSiteLinks": { "description": "List of all vpn site links.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLink", + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLink", "type": "object" }, "type": "array" @@ -24481,7 +24687,7 @@ }, "properties": { "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "description": "The AddressSpace that contains an array of IP address ranges.", "type": "object" }, @@ -24490,12 +24696,12 @@ "type": "string" }, "bgpProperties": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "description": "The set of bgp properties.", "type": "object" }, "deviceProperties": { - "$ref": "#/types/azure-native:network/v20230201:DevicePropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DevicePropertiesResponse", "description": "The device properties.", "type": "object" }, @@ -24520,7 +24726,7 @@ "type": "string" }, "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:O365PolicyPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyPropertiesResponse", "description": "Office365 Policy.", "type": "object" }, @@ -24544,14 +24750,14 @@ "type": "string" }, "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "description": "The VirtualWAN to which the vpnSite belongs.", "type": "object" }, "vpnSiteLinks": { "description": "List of all vpn site links.", "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkResponse", "type": "object" }, "type": "array" @@ -24570,13 +24776,13 @@ ], "type": "object" }, - "azure-native:network/v20230201:WebApplicationFirewallPolicy": { + "azure-native_network_v20230201:network:WebApplicationFirewallPolicy": { "description": "Defines web application firewall policy.", "inputProperties": { "customRules": { "description": "The custom rules inside the policy.", "items": { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallCustomRule", + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRule", "type": "object" }, "type": "array" @@ -24590,7 +24796,7 @@ "type": "string" }, "managedRules": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRulesDefinition", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinition", "description": "Describes the managedRules structure.", "type": "object" }, @@ -24600,7 +24806,7 @@ "willReplaceOnChanges": true }, "policySettings": { - "$ref": "#/types/azure-native:network/v20230201:PolicySettings", + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettings", "description": "The PolicySettings for policy.", "type": "object" }, @@ -24621,7 +24827,7 @@ "applicationGateways": { "description": "A collection of references to application gateways.", "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayResponse", "type": "object" }, "type": "array" @@ -24633,7 +24839,7 @@ "customRules": { "description": "The custom rules inside the policy.", "items": { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallCustomRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRuleResponse", "type": "object" }, "type": "array" @@ -24645,7 +24851,7 @@ "httpListeners": { "description": "A collection of references to application gateway http listeners.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" @@ -24655,7 +24861,7 @@ "type": "string" }, "managedRules": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRulesDefinitionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinitionResponse", "description": "Describes the managedRules structure.", "type": "object" }, @@ -24666,13 +24872,13 @@ "pathBasedRules": { "description": "A collection of references to application gateway path rules.", "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" }, "type": "array" }, "policySettings": { - "$ref": "#/types/azure-native:network/v20230201:PolicySettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsResponse", "description": "The PolicySettings for policy.", "type": "object" }, @@ -24713,253 +24919,10 @@ "resourceGroupName" ], "type": "object" - }, - "azure-native:storage:Blob": { - "description": "Manages a Blob within a Storage Container. For the supported combinations of properties and features please see [here](https://learn.microsoft.com/en-us/azure/storage/blobs/storage-feature-support-in-storage-accounts).", - "inputProperties": { - "accessTier": { - "$ref": "#/types/azure-native:storage:BlobAccessTier", - "description": "The access tier of the storage blob. Only supported for standard storage accounts, not premium." - }, - "accountName": { - "description": "Specifies the storage account in which to create the storage container.", - "type": "string", - "willReplaceOnChanges": true - }, - "blobName": { - "description": "The name of the storage blob. Must be unique within the storage container the blob is located. If this property is not specified it will be set to the name of the resource.", - "type": "string", - "willReplaceOnChanges": true - }, - "containerName": { - "description": "The name of the storage container in which this blob should be created.", - "type": "string", - "willReplaceOnChanges": true - }, - "contentMd5": { - "description": "The MD5 sum of the blob contents, base64-encoded. Cannot be defined if blob type is Append.", - "type": "string", - "willReplaceOnChanges": true - }, - "contentType": { - "description": "The content type of the storage blob. Defaults to `application/octet-stream`.", - "type": "string" - }, - "metadata": { - "additionalProperties": { - "type": "string" - }, - "description": "A map of custom blob metadata.", - "type": "object" - }, - "resourceGroupName": { - "description": "The name of the resource group within the user's subscription.", - "type": "string", - "willReplaceOnChanges": true - }, - "source": { - "$ref": "pulumi.json#/Asset", - "description": "An asset to copy to the blob contents. This field cannot be specified for Append blobs.", - "willReplaceOnChanges": true - }, - "type": { - "$ref": "#/types/azure-native:storage:BlobType", - "default": "Block", - "description": "The type of the storage blob to be created. Defaults to 'Block'.", - "willReplaceOnChanges": true - } - }, - "properties": { - "accessTier": { - "$ref": "#/types/azure-native:storage:BlobAccessTier", - "description": "The access tier of the storage blob. Only supported for standard storage accounts, not premium." - }, - "contentMd5": { - "description": "The MD5 sum of the blob contents.", - "type": "string" - }, - "contentType": { - "description": "The content type of the storage blob.", - "type": "string" - }, - "metadata": { - "additionalProperties": { - "type": "string" - }, - "description": "A map of custom blob metadata.", - "type": "object" - }, - "name": { - "description": "The name of the storage blob.", - "type": "string" - }, - "type": { - "$ref": "#/types/azure-native:storage:BlobType", - "description": "The type of the storage blob to be created." - }, - "url": { - "description": "The URL of the blob.", - "type": "string" - } - }, - "required": [ - "metadata", - "name", - "type", - "url" - ], - "requiredInputs": [ - "resourceGroupName", - "accountName", - "containerName" - ], - "type": "object" - }, - "azure-native:storage:BlobContainerLegalHold": { - "description": ".", - "inputProperties": { - "accountName": { - "description": "Name of the Storage Account.", - "type": "string" - }, - "allowProtectedAppendWritesAll": { - "description": "When enabled, new blocks can be written to both 'Append and Bock Blobs' while maintaining legal hold protection and compliance. Only new blocks can be added and any existing blocks cannot be modified or deleted.", - "type": "boolean" - }, - "containerName": { - "description": "Name of the Blob Container.", - "type": "string" - }, - "resourceGroupName": { - "description": "Name of the resource group that contains the storage account.", - "type": "string" - }, - "tags": { - "description": "List of legal hold tags. Each tag should be 3 to 23 alphanumeric characters and is normalized to lower case at SRP.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "properties": { - "accountName": { - "description": "Name of the Storage Account.", - "type": "string" - }, - "allowProtectedAppendWritesAll": { - "description": "When enabled, new blocks can be written to both 'Append and Bock Blobs' while maintaining legal hold protection and compliance. Only new blocks can be added and any existing blocks cannot be modified or deleted.", - "type": "boolean" - }, - "containerName": { - "description": "Name of the Blob Container.", - "type": "string" - }, - "resourceGroupName": { - "description": "Name of the resource group that contains the storage account.", - "type": "string" - }, - "tags": { - "description": "List of legal hold tags. Each tag should be 3 to 23 alphanumeric characters and is normalized to lower case at SRP.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "requiredInputs": [ - "resourceGroupName", - "accountName", - "containerName", - "tags" - ], - "type": "object" - }, - "azure-native:storage:StorageAccountStaticWebsite": { - "description": "Enables the static website feature of a storage account.", - "inputProperties": { - "accountName": { - "description": "The name of the storage account within the specified resource group.", - "type": "string" - }, - "error404Document": { - "description": "The absolute path to a custom webpage that should be used when a request is made which does not correspond to an existing file.", - "type": "string" - }, - "indexDocument": { - "description": "The webpage that Azure Storage serves for requests to the root of a website or any sub-folder. For example, 'index.html'. The value is case-sensitive.", - "type": "string" - }, - "resourceGroupName": { - "description": "The name of the resource group within the user's subscription. The name is case insensitive.", - "type": "string" - } - }, - "properties": { - "containerName": { - "description": "The name of the container to upload blobs to.", - "type": "string" - }, - "error404Document": { - "description": "The absolute path to a custom webpage that should be used when a request is made which does not correspond to an existing file.", - "type": "string" - }, - "indexDocument": { - "description": "The webpage that Azure Storage serves for requests to the root of a website or any sub-folder. For example, 'index.html'. The value is case-sensitive.", - "type": "string" - } - }, - "required": [ - "containerName" - ], - "requiredInputs": [ - "resourceGroupName", - "accountName" - ], - "type": "object" - }, - "azure-native:synapse:WorkspaceSqlAadAdmin": { - "description": "\n\nNote: SQL AAD Admin is configured automatically during workspace creation and assigned to the current user. One can't add more admins with this resource unless you manually delete the current SQL AAD Admin." } }, "types": { - "azure-native:network/v20230201:AadAuthenticationParameters": { - "description": "AAD Vpn authentication type related parameters.", - "properties": { - "aadAudience": { - "description": "AAD Vpn authentication parameter AAD audience.", - "type": "string" - }, - "aadIssuer": { - "description": "AAD Vpn authentication parameter AAD issuer.", - "type": "string" - }, - "aadTenant": { - "description": "AAD Vpn authentication parameter AAD tenant.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AadAuthenticationParametersResponse": { - "description": "AAD Vpn authentication type related parameters.", - "properties": { - "aadAudience": { - "description": "AAD Vpn authentication parameter AAD audience.", - "type": "string" - }, - "aadIssuer": { - "description": "AAD Vpn authentication parameter AAD issuer.", - "type": "string" - }, - "aadTenant": { - "description": "AAD Vpn authentication parameter AAD tenant.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:Access": { + "azure-native:network:Access": { "description": "The access type of the rule.", "enum": [ { @@ -24971,50 +24934,7 @@ ], "type": "string" }, - "azure-native:network/v20230201:Action": { - "description": "Action to be taken on a route matching a RouteMap criterion.", - "properties": { - "parameters": { - "description": "List of parameters relevant to the action.For instance if type is drop then parameters has list of prefixes to be dropped.If type is add, parameters would have list of ASN numbers to be added", - "items": { - "$ref": "#/types/azure-native:network/v20230201:Parameter", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "Type of action to be taken. Supported types are 'Remove', 'Add', 'Replace', and 'Drop.'", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:RouteMapActionType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ActionResponse": { - "description": "Action to be taken on a route matching a RouteMap criterion.", - "properties": { - "parameters": { - "description": "List of parameters relevant to the action.For instance if type is drop then parameters has list of prefixes to be dropped.If type is add, parameters would have list of ASN numbers to be added", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ParameterResponse", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "Type of action to be taken. Supported types are 'Remove', 'Add', 'Replace', and 'Drop.'", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ActionType": { + "azure-native:network:ActionType": { "description": "Describes the override action to be applied when rule matches.", "enum": [ { @@ -25032,37722 +24952,2681 @@ ], "type": "string" }, - "azure-native:network/v20230201:ActiveConnectivityConfigurationResponse": { - "description": "Active connectivity configuration.", - "properties": { - "appliesToGroups": { - "description": "Groups for configuration", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectivityGroupItemResponse", - "type": "object" - }, - "type": "array" - }, - "commitTime": { - "description": "Deployment time string.", - "type": "string" - }, - "configurationGroups": { - "description": "Effective configuration groups.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" - }, - "type": "array" - }, - "connectivityTopology": { - "description": "Connectivity topology type.", - "type": "string" - }, - "deleteExistingPeering": { - "description": "Flag if need to remove current existing peerings.", - "type": "string" - }, - "description": { - "description": "A description of the connectivity configuration.", - "type": "string" - }, - "hubs": { - "description": "List of hubItems", - "items": { - "$ref": "#/types/azure-native:network/v20230201:HubResponse", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Connectivity configuration ID.", - "type": "string" - }, - "isGlobal": { - "description": "Flag if global mesh is supported.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the connectivity configuration resource.", - "type": "string" - }, - "region": { - "description": "Deployment region.", - "type": "string" + "azure-native:network:AddressPrefixType": { + "description": "Address prefix type.", + "enum": [ + { + "value": "IPPrefix" }, - "resourceGuid": { - "description": "Unique identifier for this resource.", - "type": "string" + { + "value": "ServiceTag" } - }, - "required": [ - "appliesToGroups", - "connectivityTopology", - "provisioningState", - "resourceGuid" ], - "type": "object" + "type": "string" }, - "azure-native:network/v20230201:ActiveDefaultSecurityAdminRuleResponse": { - "description": "Network default admin rule.", - "properties": { - "access": { - "description": "Indicates the access allowed for this particular rule", - "type": "string" - }, - "commitTime": { - "description": "Deployment time string.", - "type": "string" + "azure-native:network:AdminRuleKind": { + "description": "Whether the rule is custom or default.", + "enum": [ + { + "value": "Custom" }, - "configurationDescription": { - "description": "A description of the security admin configuration.", - "type": "string" + { + "value": "Default" + } + ], + "type": "string" + }, + "azure-native:network:AdminState": { + "description": "Property to indicate if the Express Route Gateway serves traffic when there are multiple Express Route Gateways in the vnet", + "enum": [ + { + "value": "Enabled" }, - "description": { - "description": "A description for this rule. Restricted to 140 chars.", - "type": "string" + { + "value": "Disabled" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewayClientRevocationOptions": { + "description": "Verify client certificate revocation status.", + "enum": [ + { + "value": "None" }, - "destinationPortRanges": { - "description": "The destination port ranges.", - "items": { - "type": "string" - }, - "type": "array" + { + "value": "OCSP" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewayCookieBasedAffinity": { + "description": "Cookie based affinity.", + "enum": [ + { + "value": "Enabled" }, - "destinations": { - "description": "The destination address prefixes. CIDR or destination IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - }, - "type": "array" + { + "value": "Disabled" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewayCustomErrorStatusCode": { + "description": "Status code of the application gateway custom error.", + "enum": [ + { + "value": "HttpStatus400" }, - "direction": { - "description": "Indicates if the traffic matched against the rule in inbound or outbound.", - "type": "string" + { + "value": "HttpStatus403" }, - "flag": { - "description": "Default rule flag.", - "type": "string" + { + "value": "HttpStatus404" }, - "id": { - "description": "Resource ID.", - "type": "string" + { + "value": "HttpStatus405" }, - "kind": { - "const": "Default", - "description": "Whether the rule is custom or default.\nExpected value is 'Default'.", - "type": "string" + { + "value": "HttpStatus408" }, - "priority": { - "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", - "type": "integer" + { + "value": "HttpStatus500" }, - "protocol": { - "description": "Network protocol this rule applies to.", - "type": "string" + { + "value": "HttpStatus502" }, - "provisioningState": { - "description": "The provisioning state of the resource.", - "type": "string" + { + "value": "HttpStatus503" }, - "region": { - "description": "Deployment region.", - "type": "string" + { + "value": "HttpStatus504" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewayFirewallMode": { + "description": "Web application firewall mode.", + "enum": [ + { + "value": "Detection" }, - "resourceGuid": { - "description": "Unique identifier for this resource.", - "type": "string" + { + "value": "Prevention" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewayFirewallRateLimitDuration": { + "description": "Duration over which Rate Limit policy will be applied. Applies only when ruleType is RateLimitRule.", + "enum": [ + { + "value": "OneMin" }, - "ruleCollectionAppliesToGroups": { - "description": "Groups for rule collection", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", - "type": "object" - }, - "type": "array" + { + "value": "FiveMins" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewayFirewallUserSessionVariable": { + "description": "User Session clause variable.", + "enum": [ + { + "value": "ClientAddr" }, - "ruleCollectionDescription": { - "description": "A description of the rule collection.", - "type": "string" + { + "value": "GeoLocation" }, - "ruleGroups": { - "description": "Effective configuration groups.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" - }, - "type": "array" + { + "value": "None" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewayLoadDistributionAlgorithm": { + "description": "Load Distribution Targets resource of an application gateway.", + "enum": [ + { + "value": "RoundRobin" }, - "sourcePortRanges": { - "description": "The source port ranges.", - "items": { - "type": "string" - }, - "type": "array" + { + "value": "LeastConnections" }, - "sources": { - "description": "The CIDR or source IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - }, - "type": "array" + { + "value": "IpHash" } - }, - "required": [ - "access", - "description", - "destinationPortRanges", - "destinations", - "direction", - "kind", - "priority", - "protocol", - "provisioningState", - "resourceGuid", - "sourcePortRanges", - "sources" ], - "type": "object" + "type": "string" }, - "azure-native:network/v20230201:ActiveSecurityAdminRuleResponse": { - "description": "Network admin rule.", - "properties": { - "access": { - "description": "Indicates the access allowed for this particular rule", - "type": "string" - }, - "commitTime": { - "description": "Deployment time string.", - "type": "string" - }, - "configurationDescription": { - "description": "A description of the security admin configuration.", - "type": "string" - }, - "description": { - "description": "A description for this rule. Restricted to 140 chars.", - "type": "string" - }, - "destinationPortRanges": { - "description": "The destination port ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinations": { - "description": "The destination address prefixes. CIDR or destination IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - }, - "type": "array" - }, - "direction": { - "description": "Indicates if the traffic matched against the rule in inbound or outbound.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "kind": { - "const": "Custom", - "description": "Whether the rule is custom or default.\nExpected value is 'Custom'.", - "type": "string" - }, - "priority": { - "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", - "type": "integer" - }, - "protocol": { - "description": "Network protocol this rule applies to.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the resource.", - "type": "string" - }, - "region": { - "description": "Deployment region.", - "type": "string" - }, - "resourceGuid": { - "description": "Unique identifier for this resource.", - "type": "string" - }, - "ruleCollectionAppliesToGroups": { - "description": "Groups for rule collection", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", - "type": "object" - }, - "type": "array" - }, - "ruleCollectionDescription": { - "description": "A description of the rule collection.", - "type": "string" - }, - "ruleGroups": { - "description": "Effective configuration groups.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" - }, - "type": "array" - }, - "sourcePortRanges": { - "description": "The source port ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sources": { - "description": "The CIDR or source IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "access", - "direction", - "kind", - "priority", - "protocol", - "provisioningState", - "resourceGuid" - ], - "type": "object" - }, - "azure-native:network/v20230201:AddressPrefixItem": { - "description": "Address prefix item.", - "properties": { - "addressPrefix": { - "description": "Address prefix.", - "type": "string" - }, - "addressPrefixType": { - "description": "Address prefix type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AddressPrefixItemResponse": { - "description": "Address prefix item.", - "properties": { - "addressPrefix": { - "description": "Address prefix.", - "type": "string" - }, - "addressPrefixType": { - "description": "Address prefix type.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AddressPrefixType": { - "description": "Address prefix type.", - "enum": [ - { - "value": "IPPrefix" - }, - { - "value": "ServiceTag" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:AddressSpace": { - "description": "AddressSpace contains an array of IP address ranges that can be used by subnets of the virtual network.", - "properties": { - "addressPrefixes": { - "description": "A list of address blocks reserved for this virtual network in CIDR notation.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AddressSpaceResponse": { - "description": "AddressSpace contains an array of IP address ranges that can be used by subnets of the virtual network.", - "properties": { - "addressPrefixes": { - "description": "A list of address blocks reserved for this virtual network in CIDR notation.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AdminRuleKind": { - "description": "Whether the rule is custom or default.", - "enum": [ - { - "value": "Custom" - }, - { - "value": "Default" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:AdminState": { - "description": "Property to indicate if the Express Route Gateway serves traffic when there are multiple Express Route Gateways in the vnet", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificate": { - "description": "Authentication certificates of an application gateway.", - "properties": { - "data": { - "description": "Certificate public data.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the authentication certificate that is unique within an Application Gateway.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificateResponse": { - "description": "Authentication certificates of an application gateway.", - "properties": { - "data": { - "description": "Certificate public data.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the authentication certificate that is unique within an Application Gateway.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the authentication certificate resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayAutoscaleConfiguration": { - "description": "Application Gateway autoscale configuration.", - "properties": { - "maxCapacity": { - "description": "Upper bound on number of Application Gateway capacity.", - "type": "integer" - }, - "minCapacity": { - "description": "Lower bound on number of Application Gateway capacity.", - "type": "integer" - } - }, - "required": [ - "minCapacity" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayAutoscaleConfigurationResponse": { - "description": "Application Gateway autoscale configuration.", - "properties": { - "maxCapacity": { - "description": "Upper bound on number of Application Gateway capacity.", - "type": "integer" - }, - "minCapacity": { - "description": "Lower bound on number of Application Gateway capacity.", - "type": "integer" - } - }, - "required": [ - "minCapacity" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayBackendAddress": { - "description": "Backend address of an application gateway.", - "properties": { - "fqdn": { - "description": "Fully qualified domain name (FQDN).", - "type": "string" - }, - "ipAddress": { - "description": "IP address.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayBackendAddressPool": { - "description": "Backend Address Pool of an application gateway.", - "properties": { - "backendAddresses": { - "description": "Backend addresses.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddress", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the backend address pool that is unique within an Application Gateway.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse": { - "description": "Backend Address Pool of an application gateway.", - "properties": { - "backendAddresses": { - "description": "Backend addresses.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressResponse", - "type": "object" - }, - "type": "array" - }, - "backendIPConfigurations": { - "description": "Collection of references to IPs defined in network interfaces.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the backend address pool that is unique within an Application Gateway.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the backend address pool resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "backendIPConfigurations", - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayBackendAddressResponse": { - "description": "Backend address of an application gateway.", - "properties": { - "fqdn": { - "description": "Fully qualified domain name (FQDN).", - "type": "string" - }, - "ipAddress": { - "description": "IP address.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayBackendHealthHttpSettingsResponse": { - "description": "Application gateway BackendHealthHttp settings.", - "properties": { - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHttpSettingsResponse", - "description": "Reference to an ApplicationGatewayBackendHttpSettings resource.", - "type": "object" - }, - "servers": { - "description": "List of ApplicationGatewayBackendHealthServer resources.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHealthServerResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayBackendHealthServerResponse": { - "description": "Application gateway backendhealth http settings.", - "properties": { - "address": { - "description": "IP address or FQDN of backend server.", - "type": "string" - }, - "health": { - "description": "Health of backend server.", - "type": "string" - }, - "healthProbeLog": { - "description": "Health Probe Log.", - "type": "string" - }, - "ipConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "description": "Reference to IP configuration of backend server.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayBackendHttpSettings": { - "description": "Backend address pool settings of an application gateway.", - "properties": { - "affinityCookieName": { - "description": "Cookie name to use for the affinity cookie.", - "type": "string" - }, - "authenticationCertificates": { - "description": "Array of references to application gateway authentication certificates.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "connectionDraining": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayConnectionDraining", - "description": "Connection draining of the backend http settings resource.", - "type": "object" - }, - "cookieBasedAffinity": { - "description": "Cookie based affinity.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCookieBasedAffinity" - } - ] - }, - "hostName": { - "description": "Host header to be sent to the backend servers.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the backend http settings that is unique within an Application Gateway.", - "type": "string" - }, - "path": { - "description": "Path which should be used as a prefix for all HTTP requests. Null means no path will be prefixed. Default value is null.", - "type": "string" - }, - "pickHostNameFromBackendAddress": { - "description": "Whether to pick host header should be picked from the host name of the backend server. Default value is false.", - "type": "boolean" - }, - "port": { - "description": "The destination port on the backend.", - "type": "integer" - }, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Probe resource of an application gateway.", - "type": "object" - }, - "probeEnabled": { - "description": "Whether the probe is enabled. Default value is false.", - "type": "boolean" - }, - "protocol": { - "description": "The protocol used to communicate with the backend.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProtocol" - } - ] - }, - "requestTimeout": { - "description": "Request timeout in seconds. Application Gateway will fail the request if response is not received within RequestTimeout. Acceptable values are from 1 second to 86400 seconds.", - "type": "integer" - }, - "trustedRootCertificates": { - "description": "Array of references to application gateway trusted root certificates.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayBackendHttpSettingsResponse": { - "description": "Backend address pool settings of an application gateway.", - "properties": { - "affinityCookieName": { - "description": "Cookie name to use for the affinity cookie.", - "type": "string" - }, - "authenticationCertificates": { - "description": "Array of references to application gateway authentication certificates.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "connectionDraining": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayConnectionDrainingResponse", - "description": "Connection draining of the backend http settings resource.", - "type": "object" - }, - "cookieBasedAffinity": { - "description": "Cookie based affinity.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "hostName": { - "description": "Host header to be sent to the backend servers.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the backend http settings that is unique within an Application Gateway.", - "type": "string" - }, - "path": { - "description": "Path which should be used as a prefix for all HTTP requests. Null means no path will be prefixed. Default value is null.", - "type": "string" - }, - "pickHostNameFromBackendAddress": { - "description": "Whether to pick host header should be picked from the host name of the backend server. Default value is false.", - "type": "boolean" - }, - "port": { - "description": "The destination port on the backend.", - "type": "integer" - }, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Probe resource of an application gateway.", - "type": "object" - }, - "probeEnabled": { - "description": "Whether the probe is enabled. Default value is false.", - "type": "boolean" - }, - "protocol": { - "description": "The protocol used to communicate with the backend.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the backend HTTP settings resource.", - "type": "string" - }, - "requestTimeout": { - "description": "Request timeout in seconds. Application Gateway will fail the request if response is not received within RequestTimeout. Acceptable values are from 1 second to 86400 seconds.", - "type": "integer" - }, - "trustedRootCertificates": { - "description": "Array of references to application gateway trusted root certificates.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayBackendSettings": { - "description": "Backend address pool settings of an application gateway.", - "properties": { - "hostName": { - "description": "Server name indication to be sent to the backend servers for Tls protocol.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the backend settings that is unique within an Application Gateway.", - "type": "string" - }, - "pickHostNameFromBackendAddress": { - "description": "Whether to pick server name indication from the host name of the backend server for Tls protocol. Default value is false.", - "type": "boolean" - }, - "port": { - "description": "The destination port on the backend.", - "type": "integer" - }, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Probe resource of an application gateway.", - "type": "object" - }, - "protocol": { - "description": "The protocol used to communicate with the backend.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProtocol" - } - ] - }, - "timeout": { - "description": "Connection timeout in seconds. Application Gateway will fail the request if response is not received within ConnectionTimeout. Acceptable values are from 1 second to 86400 seconds.", - "type": "integer" - }, - "trustedRootCertificates": { - "description": "Array of references to application gateway trusted root certificates.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayBackendSettingsResponse": { - "description": "Backend address pool settings of an application gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "hostName": { - "description": "Server name indication to be sent to the backend servers for Tls protocol.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the backend settings that is unique within an Application Gateway.", - "type": "string" - }, - "pickHostNameFromBackendAddress": { - "description": "Whether to pick server name indication from the host name of the backend server for Tls protocol. Default value is false.", - "type": "boolean" - }, - "port": { - "description": "The destination port on the backend.", - "type": "integer" - }, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Probe resource of an application gateway.", - "type": "object" - }, - "protocol": { - "description": "The protocol used to communicate with the backend.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the backend HTTP settings resource.", - "type": "string" - }, - "timeout": { - "description": "Connection timeout in seconds. Application Gateway will fail the request if response is not received within ConnectionTimeout. Acceptable values are from 1 second to 86400 seconds.", - "type": "integer" - }, - "trustedRootCertificates": { - "description": "Array of references to application gateway trusted root certificates.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayClientAuthConfiguration": { - "description": "Application gateway client authentication configuration.", - "properties": { - "verifyClientCertIssuerDN": { - "description": "Verify client certificate issuer name on the application gateway.", - "type": "boolean" - }, - "verifyClientRevocation": { - "description": "Verify client certificate revocation status.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayClientRevocationOptions" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayClientAuthConfigurationResponse": { - "description": "Application gateway client authentication configuration.", - "properties": { - "verifyClientCertIssuerDN": { - "description": "Verify client certificate issuer name on the application gateway.", - "type": "boolean" - }, - "verifyClientRevocation": { - "description": "Verify client certificate revocation status.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayClientRevocationOptions": { - "description": "Verify client certificate revocation status.", - "enum": [ - { - "value": "None" - }, - { - "value": "OCSP" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayConnectionDraining": { - "description": "Connection draining allows open connections to a backend server to be active for a specified time after the backend server got removed from the configuration.", - "properties": { - "drainTimeoutInSec": { - "description": "The number of seconds connection draining is active. Acceptable values are from 1 second to 3600 seconds.", - "type": "integer" - }, - "enabled": { - "description": "Whether connection draining is enabled or not.", - "type": "boolean" - } - }, - "required": [ - "drainTimeoutInSec", - "enabled" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayConnectionDrainingResponse": { - "description": "Connection draining allows open connections to a backend server to be active for a specified time after the backend server got removed from the configuration.", - "properties": { - "drainTimeoutInSec": { - "description": "The number of seconds connection draining is active. Acceptable values are from 1 second to 3600 seconds.", - "type": "integer" - }, - "enabled": { - "description": "Whether connection draining is enabled or not.", - "type": "boolean" - } - }, - "required": [ - "drainTimeoutInSec", - "enabled" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayCookieBasedAffinity": { - "description": "Cookie based affinity.", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayCustomError": { - "description": "Custom error of an application gateway.", - "properties": { - "customErrorPageUrl": { - "description": "Error page URL of the application gateway custom error.", - "type": "string" - }, - "statusCode": { - "description": "Status code of the application gateway custom error.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomErrorStatusCode" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayCustomErrorResponse": { - "description": "Custom error of an application gateway.", - "properties": { - "customErrorPageUrl": { - "description": "Error page URL of the application gateway custom error.", - "type": "string" - }, - "statusCode": { - "description": "Status code of the application gateway custom error.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayCustomErrorStatusCode": { - "description": "Status code of the application gateway custom error.", - "enum": [ - { - "value": "HttpStatus400" - }, - { - "value": "HttpStatus403" - }, - { - "value": "HttpStatus404" - }, - { - "value": "HttpStatus405" - }, - { - "value": "HttpStatus408" - }, - { - "value": "HttpStatus500" - }, - { - "value": "HttpStatus502" - }, - { - "value": "HttpStatus503" - }, - { - "value": "HttpStatus504" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayFirewallDisabledRuleGroup": { - "description": "Allows to disable rules within a rule group or an entire rule group.", - "properties": { - "ruleGroupName": { - "description": "The name of the rule group that will be disabled.", - "type": "string" - }, - "rules": { - "description": "The list of rules that will be disabled. If null, all rules of the rule group will be disabled.", - "items": { - "type": "integer" - }, - "type": "array" - } - }, - "required": [ - "ruleGroupName" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayFirewallDisabledRuleGroupResponse": { - "description": "Allows to disable rules within a rule group or an entire rule group.", - "properties": { - "ruleGroupName": { - "description": "The name of the rule group that will be disabled.", - "type": "string" - }, - "rules": { - "description": "The list of rules that will be disabled. If null, all rules of the rule group will be disabled.", - "items": { - "type": "integer" - }, - "type": "array" - } - }, - "required": [ - "ruleGroupName" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayFirewallExclusion": { - "description": "Allow to exclude some variable satisfy the condition for the WAF check.", - "properties": { - "matchVariable": { - "description": "The variable to be excluded.", - "type": "string" - }, - "selector": { - "description": "When matchVariable is a collection, operator used to specify which elements in the collection this exclusion applies to.", - "type": "string" - }, - "selectorMatchOperator": { - "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", - "type": "string" - } - }, - "required": [ - "matchVariable", - "selector", - "selectorMatchOperator" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayFirewallExclusionResponse": { - "description": "Allow to exclude some variable satisfy the condition for the WAF check.", - "properties": { - "matchVariable": { - "description": "The variable to be excluded.", - "type": "string" - }, - "selector": { - "description": "When matchVariable is a collection, operator used to specify which elements in the collection this exclusion applies to.", - "type": "string" - }, - "selectorMatchOperator": { - "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", - "type": "string" - } - }, - "required": [ - "matchVariable", - "selector", - "selectorMatchOperator" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayFirewallMode": { - "description": "Web application firewall mode.", - "enum": [ - { - "value": "Detection" - }, - { - "value": "Prevention" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayFirewallRateLimitDuration": { - "description": "Duration over which Rate Limit policy will be applied. Applies only when ruleType is RateLimitRule.", - "enum": [ - { - "value": "OneMin" - }, - { - "value": "FiveMins" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayFirewallUserSessionVariable": { - "description": "User Session clause variable.", - "enum": [ - { - "value": "ClientAddr" - }, - { - "value": "GeoLocation" - }, - { - "value": "None" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayFrontendIPConfiguration": { - "description": "Frontend IP configuration of an application gateway.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the frontend IP configuration that is unique within an Application Gateway.", - "type": "string" - }, - "privateIPAddress": { - "description": "PrivateIPAddress of the network interface IP Configuration.", - "type": "string" - }, - "privateIPAllocationMethod": { - "description": "The private IP address allocation method.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPAllocationMethod" - } - ] - }, - "privateLinkConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to the application gateway private link configuration.", - "type": "object" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to the PublicIP resource.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to the subnet resource.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayFrontendIPConfigurationResponse": { - "description": "Frontend IP configuration of an application gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the frontend IP configuration that is unique within an Application Gateway.", - "type": "string" - }, - "privateIPAddress": { - "description": "PrivateIPAddress of the network interface IP Configuration.", - "type": "string" - }, - "privateIPAllocationMethod": { - "description": "The private IP address allocation method.", - "type": "string" - }, - "privateLinkConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to the application gateway private link configuration.", - "type": "object" - }, - "provisioningState": { - "description": "The provisioning state of the frontend IP configuration resource.", - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to the PublicIP resource.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to the subnet resource.", - "type": "object" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayFrontendPort": { - "description": "Frontend port of an application gateway.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the frontend port that is unique within an Application Gateway.", - "type": "string" - }, - "port": { - "description": "Frontend port.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayFrontendPortResponse": { - "description": "Frontend port of an application gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the frontend port that is unique within an Application Gateway.", - "type": "string" - }, - "port": { - "description": "Frontend port.", - "type": "integer" - }, - "provisioningState": { - "description": "The provisioning state of the frontend port resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayGlobalConfiguration": { - "description": "Application Gateway global configuration.", - "properties": { - "enableRequestBuffering": { - "description": "Enable request buffering.", - "type": "boolean" - }, - "enableResponseBuffering": { - "description": "Enable response buffering.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayGlobalConfigurationResponse": { - "description": "Application Gateway global configuration.", - "properties": { - "enableRequestBuffering": { - "description": "Enable request buffering.", - "type": "boolean" - }, - "enableResponseBuffering": { - "description": "Enable response buffering.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayHeaderConfiguration": { - "description": "Header configuration of the Actions set in Application Gateway.", - "properties": { - "headerName": { - "description": "Header name of the header configuration.", - "type": "string" - }, - "headerValue": { - "description": "Header value of the header configuration.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayHeaderConfigurationResponse": { - "description": "Header configuration of the Actions set in Application Gateway.", - "properties": { - "headerName": { - "description": "Header name of the header configuration.", - "type": "string" - }, - "headerValue": { - "description": "Header value of the header configuration.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayHttpListener": { - "description": "Http listener of an application gateway.", - "properties": { - "customErrorConfigurations": { - "description": "Custom error configurations of the HTTP listener.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomError", - "type": "object" - }, - "type": "array" - }, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to the FirewallPolicy resource.", - "type": "object" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Frontend IP configuration resource of an application gateway.", - "type": "object" - }, - "frontendPort": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Frontend port resource of an application gateway.", - "type": "object" - }, - "hostName": { - "description": "Host name of HTTP listener.", - "type": "string" - }, - "hostNames": { - "description": "List of Host names for HTTP Listener that allows special wildcard characters as well.", - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the HTTP listener that is unique within an Application Gateway.", - "type": "string" - }, - "protocol": { - "description": "Protocol of the HTTP listener.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProtocol" - } - ] - }, - "requireServerNameIndication": { - "description": "Applicable only if protocol is https. Enables SNI for multi-hosting.", - "type": "boolean" - }, - "sslCertificate": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "SSL certificate resource of an application gateway.", - "type": "object" - }, - "sslProfile": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "SSL profile resource of the application gateway.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayHttpListenerResponse": { - "description": "Http listener of an application gateway.", - "properties": { - "customErrorConfigurations": { - "description": "Custom error configurations of the HTTP listener.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomErrorResponse", - "type": "object" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to the FirewallPolicy resource.", - "type": "object" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Frontend IP configuration resource of an application gateway.", - "type": "object" - }, - "frontendPort": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Frontend port resource of an application gateway.", - "type": "object" - }, - "hostName": { - "description": "Host name of HTTP listener.", - "type": "string" - }, - "hostNames": { - "description": "List of Host names for HTTP Listener that allows special wildcard characters as well.", - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the HTTP listener that is unique within an Application Gateway.", - "type": "string" - }, - "protocol": { - "description": "Protocol of the HTTP listener.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the HTTP listener resource.", - "type": "string" - }, - "requireServerNameIndication": { - "description": "Applicable only if protocol is https. Enables SNI for multi-hosting.", - "type": "boolean" - }, - "sslCertificate": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "SSL certificate resource of an application gateway.", - "type": "object" - }, - "sslProfile": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "SSL profile resource of the application gateway.", - "type": "object" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayIPConfiguration": { - "description": "IP configuration of an application gateway. Currently 1 public and 1 private IP configuration is allowed.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the IP configuration that is unique within an Application Gateway.", - "type": "string" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to the subnet resource. A subnet from where application gateway gets its private address.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse": { - "description": "IP configuration of an application gateway. Currently 1 public and 1 private IP configuration is allowed.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the IP configuration that is unique within an Application Gateway.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the application gateway IP configuration resource.", - "type": "string" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to the subnet resource. A subnet from where application gateway gets its private address.", - "type": "object" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayListener": { - "description": "Listener of an application gateway.", - "properties": { - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Frontend IP configuration resource of an application gateway.", - "type": "object" - }, - "frontendPort": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Frontend port resource of an application gateway.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the listener that is unique within an Application Gateway.", - "type": "string" - }, - "protocol": { - "description": "Protocol of the listener.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProtocol" - } - ] - }, - "sslCertificate": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "SSL certificate resource of an application gateway.", - "type": "object" - }, - "sslProfile": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "SSL profile resource of the application gateway.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayListenerResponse": { - "description": "Listener of an application gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Frontend IP configuration resource of an application gateway.", - "type": "object" - }, - "frontendPort": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Frontend port resource of an application gateway.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the listener that is unique within an Application Gateway.", - "type": "string" - }, - "protocol": { - "description": "Protocol of the listener.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the listener resource.", - "type": "string" - }, - "sslCertificate": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "SSL certificate resource of an application gateway.", - "type": "object" - }, - "sslProfile": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "SSL profile resource of the application gateway.", - "type": "object" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayLoadDistributionAlgorithm": { - "description": "Load Distribution Targets resource of an application gateway.", - "enum": [ - { - "value": "RoundRobin" - }, - { - "value": "LeastConnections" - }, - { - "value": "IpHash" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicy": { - "description": "Load Distribution Policy of an application gateway.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "loadDistributionAlgorithm": { - "description": "Load Distribution Targets resource of an application gateway.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionAlgorithm" - } - ] - }, - "loadDistributionTargets": { - "description": "Load Distribution Targets resource of an application gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionTarget", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "Name of the load distribution policy that is unique within an Application Gateway.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicyResponse": { - "description": "Load Distribution Policy of an application gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "loadDistributionAlgorithm": { - "description": "Load Distribution Targets resource of an application gateway.", - "type": "string" - }, - "loadDistributionTargets": { - "description": "Load Distribution Targets resource of an application gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionTargetResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "Name of the load distribution policy that is unique within an Application Gateway.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the Load Distribution Policy resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayLoadDistributionTarget": { - "description": "Load Distribution Target of an application gateway.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Backend address pool resource of the application gateway.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the load distribution policy that is unique within an Application Gateway.", - "type": "string" - }, - "weightPerServer": { - "description": "Weight per server. Range between 1 and 100.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayLoadDistributionTargetResponse": { - "description": "Load Distribution Target of an application gateway.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Backend address pool resource of the application gateway.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the load distribution policy that is unique within an Application Gateway.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - }, - "weightPerServer": { - "description": "Weight per server. Range between 1 and 100.", - "type": "integer" - } - }, - "required": [ - "etag", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayPathRule": { - "description": "Path rule of URL path map of an application gateway.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Backend address pool resource of URL path map path rule.", - "type": "object" - }, - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Backend http settings resource of URL path map path rule.", - "type": "object" - }, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to the FirewallPolicy resource.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "loadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Load Distribution Policy resource of URL path map path rule.", - "type": "object" - }, - "name": { - "description": "Name of the path rule that is unique within an Application Gateway.", - "type": "string" - }, - "paths": { - "description": "Path rules of URL path map.", - "items": { - "type": "string" - }, - "type": "array" - }, - "redirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Redirect configuration resource of URL path map path rule.", - "type": "object" - }, - "rewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Rewrite rule set resource of URL path map path rule.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayPathRuleResponse": { - "description": "Path rule of URL path map of an application gateway.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Backend address pool resource of URL path map path rule.", - "type": "object" - }, - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Backend http settings resource of URL path map path rule.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to the FirewallPolicy resource.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "loadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Load Distribution Policy resource of URL path map path rule.", - "type": "object" - }, - "name": { - "description": "Name of the path rule that is unique within an Application Gateway.", - "type": "string" - }, - "paths": { - "description": "Path rules of URL path map.", - "items": { - "type": "string" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the path rule resource.", - "type": "string" - }, - "redirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Redirect configuration resource of URL path map path rule.", - "type": "object" - }, - "rewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Rewrite rule set resource of URL path map path rule.", - "type": "object" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnectionResponse": { - "description": "Private Endpoint connection on an application gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "linkIdentifier": { - "description": "The consumer link id.", - "type": "string" - }, - "name": { - "description": "Name of the private endpoint connection on an application gateway.", - "type": "string" - }, - "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", - "description": "The resource of private end point.", - "type": "object" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", - "description": "A collection of information about the state of the connection between service consumer and provider.", - "type": "object" - }, - "provisioningState": { - "description": "The provisioning state of the application gateway private endpoint connection resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "linkIdentifier", - "privateEndpoint", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfiguration": { - "description": "Private Link Configuration on an application gateway.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipConfigurations": { - "description": "An array of application gateway private link ip configurations.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkIpConfiguration", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "Name of the private link configuration that is unique within an Application Gateway.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfigurationResponse": { - "description": "Private Link Configuration on an application gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipConfigurations": { - "description": "An array of application gateway private link ip configurations.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkIpConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "Name of the private link configuration that is unique within an Application Gateway.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the application gateway private link configuration.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayPrivateLinkIpConfiguration": { - "description": "The application gateway private link ip configuration.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of application gateway private link ip configuration.", - "type": "string" - }, - "primary": { - "description": "Whether the ip configuration is primary or not.", - "type": "boolean" - }, - "privateIPAddress": { - "description": "The private IP address of the IP configuration.", - "type": "string" - }, - "privateIPAllocationMethod": { - "description": "The private IP address allocation method.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPAllocationMethod" - } - ] - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to the subnet resource.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayPrivateLinkIpConfigurationResponse": { - "description": "The application gateway private link ip configuration.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of application gateway private link ip configuration.", - "type": "string" - }, - "primary": { - "description": "Whether the ip configuration is primary or not.", - "type": "boolean" - }, - "privateIPAddress": { - "description": "The private IP address of the IP configuration.", - "type": "string" - }, - "privateIPAllocationMethod": { - "description": "The private IP address allocation method.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the application gateway private link IP configuration.", - "type": "string" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to the subnet resource.", - "type": "object" - }, - "type": { - "description": "The resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayProbe": { - "description": "Probe of the application gateway.", - "properties": { - "host": { - "description": "Host name to send the probe to.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "interval": { - "description": "The probing interval in seconds. This is the time interval between two consecutive probes. Acceptable values are from 1 second to 86400 seconds.", - "type": "integer" - }, - "match": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeHealthResponseMatch", - "description": "Criterion for classifying a healthy probe response.", - "type": "object" - }, - "minServers": { - "description": "Minimum number of servers that are always marked healthy. Default value is 0.", - "type": "integer" - }, - "name": { - "description": "Name of the probe that is unique within an Application Gateway.", - "type": "string" - }, - "path": { - "description": "Relative path of probe. Valid path starts from '/'. Probe is sent to \u003cProtocol\u003e://\u003chost\u003e:\u003cport\u003e\u003cpath\u003e.", - "type": "string" - }, - "pickHostNameFromBackendHttpSettings": { - "description": "Whether the host header should be picked from the backend http settings. Default value is false.", - "type": "boolean" - }, - "pickHostNameFromBackendSettings": { - "description": "Whether the server name indication should be picked from the backend settings for Tls protocol. Default value is false.", - "type": "boolean" - }, - "port": { - "description": "Custom port which will be used for probing the backend servers. The valid value ranges from 1 to 65535. In case not set, port from http settings will be used. This property is valid for Standard_v2 and WAF_v2 only.", - "type": "integer" - }, - "protocol": { - "description": "The protocol used for the probe.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProtocol" - } - ] - }, - "timeout": { - "description": "The probe timeout in seconds. Probe marked as failed if valid response is not received with this timeout period. Acceptable values are from 1 second to 86400 seconds.", - "type": "integer" - }, - "unhealthyThreshold": { - "description": "The probe retry count. Backend server is marked down after consecutive probe failure count reaches UnhealthyThreshold. Acceptable values are from 1 second to 20.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayProbeHealthResponseMatch": { - "description": "Application gateway probe health response match.", - "properties": { - "body": { - "description": "Body that must be contained in the health response. Default value is empty.", - "type": "string" - }, - "statusCodes": { - "description": "Allowed ranges of healthy status codes. Default range of healthy status codes is 200-399.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayProbeHealthResponseMatchResponse": { - "description": "Application gateway probe health response match.", - "properties": { - "body": { - "description": "Body that must be contained in the health response. Default value is empty.", - "type": "string" - }, - "statusCodes": { - "description": "Allowed ranges of healthy status codes. Default range of healthy status codes is 200-399.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayProbeResponse": { - "description": "Probe of the application gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "host": { - "description": "Host name to send the probe to.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "interval": { - "description": "The probing interval in seconds. This is the time interval between two consecutive probes. Acceptable values are from 1 second to 86400 seconds.", - "type": "integer" - }, - "match": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeHealthResponseMatchResponse", - "description": "Criterion for classifying a healthy probe response.", - "type": "object" - }, - "minServers": { - "description": "Minimum number of servers that are always marked healthy. Default value is 0.", - "type": "integer" - }, - "name": { - "description": "Name of the probe that is unique within an Application Gateway.", - "type": "string" - }, - "path": { - "description": "Relative path of probe. Valid path starts from '/'. Probe is sent to \u003cProtocol\u003e://\u003chost\u003e:\u003cport\u003e\u003cpath\u003e.", - "type": "string" - }, - "pickHostNameFromBackendHttpSettings": { - "description": "Whether the host header should be picked from the backend http settings. Default value is false.", - "type": "boolean" - }, - "pickHostNameFromBackendSettings": { - "description": "Whether the server name indication should be picked from the backend settings for Tls protocol. Default value is false.", - "type": "boolean" - }, - "port": { - "description": "Custom port which will be used for probing the backend servers. The valid value ranges from 1 to 65535. In case not set, port from http settings will be used. This property is valid for Standard_v2 and WAF_v2 only.", - "type": "integer" - }, - "protocol": { - "description": "The protocol used for the probe.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the probe resource.", - "type": "string" - }, - "timeout": { - "description": "The probe timeout in seconds. Probe marked as failed if valid response is not received with this timeout period. Acceptable values are from 1 second to 86400 seconds.", - "type": "integer" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - }, - "unhealthyThreshold": { - "description": "The probe retry count. Backend server is marked down after consecutive probe failure count reaches UnhealthyThreshold. Acceptable values are from 1 second to 20.", - "type": "integer" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayProtocol": { - "description": "The protocol used for the probe.", - "enum": [ - { - "value": "Http" - }, - { - "value": "Https" - }, - { - "value": "Tcp" - }, - { - "value": "Tls" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayRedirectConfiguration": { - "description": "Redirect configuration of an application gateway.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "includePath": { - "description": "Include path in the redirected url.", - "type": "boolean" - }, - "includeQueryString": { - "description": "Include query string in the redirected url.", - "type": "boolean" - }, - "name": { - "description": "Name of the redirect configuration that is unique within an Application Gateway.", - "type": "string" - }, - "pathRules": { - "description": "Path rules specifying redirect configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "redirectType": { - "description": "HTTP redirection type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRedirectType" - } - ] - }, - "requestRoutingRules": { - "description": "Request routing specifying redirect configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "targetListener": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to a listener to redirect the request to.", - "type": "object" - }, - "targetUrl": { - "description": "Url to redirect the request to.", - "type": "string" - }, - "urlPathMaps": { - "description": "Url path maps specifying default redirect configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRedirectConfigurationResponse": { - "description": "Redirect configuration of an application gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "includePath": { - "description": "Include path in the redirected url.", - "type": "boolean" - }, - "includeQueryString": { - "description": "Include query string in the redirected url.", - "type": "boolean" - }, - "name": { - "description": "Name of the redirect configuration that is unique within an Application Gateway.", - "type": "string" - }, - "pathRules": { - "description": "Path rules specifying redirect configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "redirectType": { - "description": "HTTP redirection type.", - "type": "string" - }, - "requestRoutingRules": { - "description": "Request routing specifying redirect configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "targetListener": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to a listener to redirect the request to.", - "type": "object" - }, - "targetUrl": { - "description": "Url to redirect the request to.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - }, - "urlPathMaps": { - "description": "Url path maps specifying default redirect configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "etag", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRedirectType": { - "description": "HTTP redirection type.", - "enum": [ - { - "value": "Permanent" - }, - { - "value": "Found" - }, - { - "value": "SeeOther" - }, - { - "value": "Temporary" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayRequestRoutingRule": { - "description": "Request routing rule of an application gateway.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Backend address pool resource of the application gateway.", - "type": "object" - }, - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Backend http settings resource of the application gateway.", - "type": "object" - }, - "httpListener": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Http listener resource of the application gateway.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "loadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Load Distribution Policy resource of the application gateway.", - "type": "object" - }, - "name": { - "description": "Name of the request routing rule that is unique within an Application Gateway.", - "type": "string" - }, - "priority": { - "description": "Priority of the request routing rule.", - "type": "integer" - }, - "redirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Redirect configuration resource of the application gateway.", - "type": "object" - }, - "rewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Rewrite Rule Set resource in Basic rule of the application gateway.", - "type": "object" - }, - "ruleType": { - "description": "Rule type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRequestRoutingRuleType" - } - ] - }, - "urlPathMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "URL path map resource of the application gateway.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRequestRoutingRuleResponse": { - "description": "Request routing rule of an application gateway.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Backend address pool resource of the application gateway.", - "type": "object" - }, - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Backend http settings resource of the application gateway.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "httpListener": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Http listener resource of the application gateway.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "loadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Load Distribution Policy resource of the application gateway.", - "type": "object" - }, - "name": { - "description": "Name of the request routing rule that is unique within an Application Gateway.", - "type": "string" - }, - "priority": { - "description": "Priority of the request routing rule.", - "type": "integer" - }, - "provisioningState": { - "description": "The provisioning state of the request routing rule resource.", - "type": "string" - }, - "redirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Redirect configuration resource of the application gateway.", - "type": "object" - }, - "rewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Rewrite Rule Set resource in Basic rule of the application gateway.", - "type": "object" - }, - "ruleType": { - "description": "Rule type.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - }, - "urlPathMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "URL path map resource of the application gateway.", - "type": "object" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRequestRoutingRuleType": { - "description": "Rule type.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "PathBasedRouting" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayResponse": { - "description": "Application gateway resource.", - "properties": { - "authenticationCertificates": { - "description": "Authentication certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificateResponse", - "type": "object" - }, - "type": "array" - }, - "autoscaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAutoscaleConfigurationResponse", - "description": "Autoscale Configuration.", - "type": "object" - }, - "backendAddressPools": { - "description": "Backend address pool of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse", - "type": "object" - }, - "type": "array" - }, - "backendHttpSettingsCollection": { - "description": "Backend http settings of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHttpSettingsResponse", - "type": "object" - }, - "type": "array" - }, - "backendSettingsCollection": { - "description": "Backend settings of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendSettingsResponse", - "type": "object" - }, - "type": "array" - }, - "customErrorConfigurations": { - "description": "Custom error configurations of the application gateway resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomErrorResponse", - "type": "object" - }, - "type": "array" - }, - "defaultPredefinedSslPolicy": { - "description": "The default predefined SSL Policy applied on the application gateway resource.", - "type": "string" - }, - "enableFips": { - "description": "Whether FIPS is enabled on the application gateway resource.", - "type": "boolean" - }, - "enableHttp2": { - "description": "Whether HTTP2 is enabled on the application gateway resource.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to the FirewallPolicy resource.", - "type": "object" - }, - "forceFirewallPolicyAssociation": { - "description": "If true, associates a firewall policy with an application gateway regardless whether the policy differs from the WAF Config.", - "type": "boolean" - }, - "frontendIPConfigurations": { - "description": "Frontend IP addresses of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendIPConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "frontendPorts": { - "description": "Frontend ports of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendPortResponse", - "type": "object" - }, - "type": "array" - }, - "gatewayIPConfigurations": { - "description": "Subnets of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "globalConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayGlobalConfigurationResponse", - "description": "Global Configuration.", - "type": "object" - }, - "httpListeners": { - "description": "Http listeners of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHttpListenerResponse", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse", - "description": "The identity of the application gateway, if configured.", - "type": "object" - }, - "listeners": { - "description": "Listeners of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayListenerResponse", - "type": "object" - }, - "type": "array" - }, - "loadDistributionPolicies": { - "description": "Load distribution policies of the application gateway resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicyResponse", - "type": "object" - }, - "type": "array" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "operationalState": { - "description": "Operational state of the application gateway resource.", - "type": "string" - }, - "privateEndpointConnections": { - "description": "Private Endpoint connections on application gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnectionResponse", - "type": "object" - }, - "type": "array" - }, - "privateLinkConfigurations": { - "description": "PrivateLink configurations on application gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "probes": { - "description": "Probes of the application gateway resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the application gateway resource.", - "type": "string" - }, - "redirectConfigurations": { - "description": "Redirect configurations of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRedirectConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "requestRoutingRules": { - "description": "Request routing rules of the application gateway resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRequestRoutingRuleResponse", - "type": "object" - }, - "type": "array" - }, - "resourceGuid": { - "description": "The resource GUID property of the application gateway resource.", - "type": "string" - }, - "rewriteRuleSets": { - "description": "Rewrite rules for the application gateway resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleSetResponse", - "type": "object" - }, - "type": "array" - }, - "routingRules": { - "description": "Routing rules of the application gateway resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRoutingRuleResponse", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySkuResponse", - "description": "SKU of the application gateway resource.", - "type": "object" - }, - "sslCertificates": { - "description": "SSL certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslCertificateResponse", - "type": "object" - }, - "type": "array" - }, - "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicyResponse", - "description": "SSL policy of the application gateway resource.", - "type": "object" - }, - "sslProfiles": { - "description": "SSL profiles of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslProfileResponse", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "trustedClientCertificates": { - "description": "Trusted client certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificateResponse", - "type": "object" - }, - "type": "array" - }, - "trustedRootCertificates": { - "description": "Trusted Root certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificateResponse", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "urlPathMaps": { - "description": "URL path map of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlPathMapResponse", - "type": "object" - }, - "type": "array" - }, - "webApplicationFirewallConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfigurationResponse", - "description": "Web application firewall configuration.", - "type": "object" - }, - "zones": { - "description": "A list of availability zones denoting where the resource needs to come from.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "defaultPredefinedSslPolicy", - "etag", - "name", - "operationalState", - "privateEndpointConnections", - "provisioningState", - "resourceGuid", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRule": { - "description": "Rewrite rule of an application gateway.", - "properties": { - "actionSet": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleActionSet", - "description": "Set of actions to be done as part of the rewrite Rule.", - "type": "object" - }, - "conditions": { - "description": "Conditions based on which the action set execution will be evaluated.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleCondition", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "Name of the rewrite rule that is unique within an Application Gateway.", - "type": "string" - }, - "ruleSequence": { - "description": "Rule Sequence of the rewrite rule that determines the order of execution of a particular rule in a RewriteRuleSet.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleActionSet": { - "description": "Set of actions in the Rewrite Rule in Application Gateway.", - "properties": { - "requestHeaderConfigurations": { - "description": "Request Header Actions in the Action Set.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHeaderConfiguration", - "type": "object" - }, - "type": "array" - }, - "responseHeaderConfigurations": { - "description": "Response Header Actions in the Action Set.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHeaderConfiguration", - "type": "object" - }, - "type": "array" - }, - "urlConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlConfiguration", - "description": "Url Configuration Action in the Action Set.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleActionSetResponse": { - "description": "Set of actions in the Rewrite Rule in Application Gateway.", - "properties": { - "requestHeaderConfigurations": { - "description": "Request Header Actions in the Action Set.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHeaderConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "responseHeaderConfigurations": { - "description": "Response Header Actions in the Action Set.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHeaderConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "urlConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlConfigurationResponse", - "description": "Url Configuration Action in the Action Set.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleCondition": { - "description": "Set of conditions in the Rewrite Rule in Application Gateway.", - "properties": { - "ignoreCase": { - "description": "Setting this parameter to truth value with force the pattern to do a case in-sensitive comparison.", - "type": "boolean" - }, - "negate": { - "description": "Setting this value as truth will force to check the negation of the condition given by the user.", - "type": "boolean" - }, - "pattern": { - "description": "The pattern, either fixed string or regular expression, that evaluates the truthfulness of the condition.", - "type": "string" - }, - "variable": { - "description": "The condition parameter of the RewriteRuleCondition.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleConditionResponse": { - "description": "Set of conditions in the Rewrite Rule in Application Gateway.", - "properties": { - "ignoreCase": { - "description": "Setting this parameter to truth value with force the pattern to do a case in-sensitive comparison.", - "type": "boolean" - }, - "negate": { - "description": "Setting this value as truth will force to check the negation of the condition given by the user.", - "type": "boolean" - }, - "pattern": { - "description": "The pattern, either fixed string or regular expression, that evaluates the truthfulness of the condition.", - "type": "string" - }, - "variable": { - "description": "The condition parameter of the RewriteRuleCondition.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleResponse": { - "description": "Rewrite rule of an application gateway.", - "properties": { - "actionSet": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleActionSetResponse", - "description": "Set of actions to be done as part of the rewrite Rule.", - "type": "object" - }, - "conditions": { - "description": "Conditions based on which the action set execution will be evaluated.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleConditionResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "Name of the rewrite rule that is unique within an Application Gateway.", - "type": "string" - }, - "ruleSequence": { - "description": "Rule Sequence of the rewrite rule that determines the order of execution of a particular rule in a RewriteRuleSet.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleSet": { - "description": "Rewrite rule set of an application gateway.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the rewrite rule set that is unique within an Application Gateway.", - "type": "string" - }, - "rewriteRules": { - "description": "Rewrite rules in the rewrite rule set.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRule", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleSetResponse": { - "description": "Rewrite rule set of an application gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the rewrite rule set that is unique within an Application Gateway.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the rewrite rule set resource.", - "type": "string" - }, - "rewriteRules": { - "description": "Rewrite rules in the rewrite rule set.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "etag", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRoutingRule": { - "description": "Routing rule of an application gateway.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Backend address pool resource of the application gateway.", - "type": "object" - }, - "backendSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Backend settings resource of the application gateway.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "listener": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Listener resource of the application gateway.", - "type": "object" - }, - "name": { - "description": "Name of the routing rule that is unique within an Application Gateway.", - "type": "string" - }, - "priority": { - "description": "Priority of the routing rule.", - "type": "integer" - }, - "ruleType": { - "description": "Rule type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRequestRoutingRuleType" - } - ] - } - }, - "required": [ - "priority" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayRoutingRuleResponse": { - "description": "Routing rule of an application gateway.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Backend address pool resource of the application gateway.", - "type": "object" - }, - "backendSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Backend settings resource of the application gateway.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "listener": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Listener resource of the application gateway.", - "type": "object" - }, - "name": { - "description": "Name of the routing rule that is unique within an Application Gateway.", - "type": "string" - }, - "priority": { - "description": "Priority of the routing rule.", - "type": "integer" - }, - "provisioningState": { - "description": "The provisioning state of the request routing rule resource.", - "type": "string" - }, - "ruleType": { - "description": "Rule type.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "priority", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewaySku": { - "description": "SKU of an application gateway.", - "properties": { - "capacity": { - "description": "Capacity (instance count) of an application gateway.", - "type": "integer" - }, - "name": { - "description": "Name of an application gateway SKU.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySkuName" - } - ] - }, - "tier": { - "description": "Tier of an application gateway.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTier" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewaySkuName": { - "description": "Name of an application gateway SKU.", - "enum": [ - { - "value": "Standard_Small" - }, - { - "value": "Standard_Medium" - }, - { - "value": "Standard_Large" - }, - { - "value": "WAF_Medium" - }, - { - "value": "WAF_Large" - }, - { - "value": "Standard_v2" - }, - { - "value": "WAF_v2" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewaySkuResponse": { - "description": "SKU of an application gateway.", - "properties": { - "capacity": { - "description": "Capacity (instance count) of an application gateway.", - "type": "integer" - }, - "name": { - "description": "Name of an application gateway SKU.", - "type": "string" - }, - "tier": { - "description": "Tier of an application gateway.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewaySslCertificate": { - "description": "SSL certificates of an application gateway.", - "properties": { - "data": { - "description": "Base-64 encoded pfx certificate. Only applicable in PUT Request.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "keyVaultSecretId": { - "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", - "type": "string" - }, - "name": { - "description": "Name of the SSL certificate that is unique within an Application Gateway.", - "type": "string" - }, - "password": { - "description": "Password for the pfx file specified in data. Only applicable in PUT request.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewaySslCertificateResponse": { - "description": "SSL certificates of an application gateway.", - "properties": { - "data": { - "description": "Base-64 encoded pfx certificate. Only applicable in PUT Request.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "keyVaultSecretId": { - "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", - "type": "string" - }, - "name": { - "description": "Name of the SSL certificate that is unique within an Application Gateway.", - "type": "string" - }, - "password": { - "description": "Password for the pfx file specified in data. Only applicable in PUT request.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the SSL certificate resource.", - "type": "string" - }, - "publicCertData": { - "description": "Base-64 encoded Public cert data corresponding to pfx specified in data. Only applicable in GET request.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "publicCertData", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewaySslCipherSuite": { - "description": "Ssl cipher suites enums.", - "enum": [ - { - "value": "TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384" - }, - { - "value": "TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256" - }, - { - "value": "TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA" - }, - { - "value": "TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA" - }, - { - "value": "TLS_DHE_RSA_WITH_AES_256_GCM_SHA384" - }, - { - "value": "TLS_DHE_RSA_WITH_AES_128_GCM_SHA256" - }, - { - "value": "TLS_DHE_RSA_WITH_AES_256_CBC_SHA" - }, - { - "value": "TLS_DHE_RSA_WITH_AES_128_CBC_SHA" - }, - { - "value": "TLS_RSA_WITH_AES_256_GCM_SHA384" - }, - { - "value": "TLS_RSA_WITH_AES_128_GCM_SHA256" - }, - { - "value": "TLS_RSA_WITH_AES_256_CBC_SHA256" - }, - { - "value": "TLS_RSA_WITH_AES_128_CBC_SHA256" - }, - { - "value": "TLS_RSA_WITH_AES_256_CBC_SHA" - }, - { - "value": "TLS_RSA_WITH_AES_128_CBC_SHA" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_256_GCM_SHA384" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA384" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA" - }, - { - "value": "TLS_DHE_DSS_WITH_AES_256_CBC_SHA256" - }, - { - "value": "TLS_DHE_DSS_WITH_AES_128_CBC_SHA256" - }, - { - "value": "TLS_DHE_DSS_WITH_AES_256_CBC_SHA" - }, - { - "value": "TLS_DHE_DSS_WITH_AES_128_CBC_SHA" - }, - { - "value": "TLS_RSA_WITH_3DES_EDE_CBC_SHA" - }, - { - "value": "TLS_DHE_DSS_WITH_3DES_EDE_CBC_SHA" - }, - { - "value": "TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256" - }, - { - "value": "TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewaySslPolicy": { - "description": "Application Gateway Ssl policy.", - "properties": { - "cipherSuites": { - "description": "Ssl cipher suites to be enabled in the specified order to application gateway.", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslCipherSuite" - } - ] - }, - "type": "array" - }, - "disabledSslProtocols": { - "description": "Ssl protocols to be disabled on application gateway.", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslProtocol" - } - ] - }, - "type": "array" - }, - "minProtocolVersion": { - "description": "Minimum version of Ssl protocol to be supported on application gateway.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslProtocol" - } - ] - }, - "policyName": { - "description": "Name of Ssl predefined policy.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicyName" - } - ] - }, - "policyType": { - "description": "Type of Ssl Policy.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicyType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewaySslPolicyName": { - "description": "Name of Ssl predefined policy.", - "enum": [ - { - "value": "AppGwSslPolicy20150501" - }, - { - "value": "AppGwSslPolicy20170401" - }, - { - "value": "AppGwSslPolicy20170401S" - }, - { - "value": "AppGwSslPolicy20220101" - }, - { - "value": "AppGwSslPolicy20220101S" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewaySslPolicyResponse": { - "description": "Application Gateway Ssl policy.", - "properties": { - "cipherSuites": { - "description": "Ssl cipher suites to be enabled in the specified order to application gateway.", - "items": { - "type": "string" - }, - "type": "array" - }, - "disabledSslProtocols": { - "description": "Ssl protocols to be disabled on application gateway.", - "items": { - "type": "string" - }, - "type": "array" - }, - "minProtocolVersion": { - "description": "Minimum version of Ssl protocol to be supported on application gateway.", - "type": "string" - }, - "policyName": { - "description": "Name of Ssl predefined policy.", - "type": "string" - }, - "policyType": { - "description": "Type of Ssl Policy.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewaySslPolicyType": { - "description": "Type of Ssl Policy.", - "enum": [ - { - "value": "Predefined" - }, - { - "value": "Custom" - }, - { - "value": "CustomV2" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewaySslProfile": { - "description": "SSL profile of an application gateway.", - "properties": { - "clientAuthConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayClientAuthConfiguration", - "description": "Client authentication configuration of the application gateway resource.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the SSL profile that is unique within an Application Gateway.", - "type": "string" - }, - "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicy", - "description": "SSL policy of the application gateway resource.", - "type": "object" - }, - "trustedClientCertificates": { - "description": "Array of references to application gateway trusted client certificates.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewaySslProfileResponse": { - "description": "SSL profile of an application gateway.", - "properties": { - "clientAuthConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayClientAuthConfigurationResponse", - "description": "Client authentication configuration of the application gateway resource.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the SSL profile that is unique within an Application Gateway.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the HTTP listener resource.", - "type": "string" - }, - "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicyResponse", - "description": "SSL policy of the application gateway resource.", - "type": "object" - }, - "trustedClientCertificates": { - "description": "Array of references to application gateway trusted client certificates.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewaySslProtocol": { - "description": "Minimum version of Ssl protocol to be supported on application gateway.", - "enum": [ - { - "value": "TLSv1_0" - }, - { - "value": "TLSv1_1" - }, - { - "value": "TLSv1_2" - }, - { - "value": "TLSv1_3" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayTier": { - "description": "Tier of an application gateway.", - "enum": [ - { - "value": "Standard" - }, - { - "value": "WAF" - }, - { - "value": "Standard_v2" - }, - { - "value": "WAF_v2" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificate": { - "description": "Trusted client certificates of an application gateway.", - "properties": { - "data": { - "description": "Certificate public data.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the trusted client certificate that is unique within an Application Gateway.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificateResponse": { - "description": "Trusted client certificates of an application gateway.", - "properties": { - "clientCertIssuerDN": { - "description": "Distinguished name of client certificate issuer.", - "type": "string" - }, - "data": { - "description": "Certificate public data.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the trusted client certificate that is unique within an Application Gateway.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the trusted client certificate resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - }, - "validatedCertData": { - "description": "Validated certificate data.", - "type": "string" - } - }, - "required": [ - "clientCertIssuerDN", - "etag", - "provisioningState", - "type", - "validatedCertData" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificate": { - "description": "Trusted Root certificates of an application gateway.", - "properties": { - "data": { - "description": "Certificate public data.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "keyVaultSecretId": { - "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", - "type": "string" - }, - "name": { - "description": "Name of the trusted root certificate that is unique within an Application Gateway.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificateResponse": { - "description": "Trusted Root certificates of an application gateway.", - "properties": { - "data": { - "description": "Certificate public data.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "keyVaultSecretId": { - "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", - "type": "string" - }, - "name": { - "description": "Name of the trusted root certificate that is unique within an Application Gateway.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the trusted root certificate resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayUrlConfiguration": { - "description": "Url configuration of the Actions set in Application Gateway.", - "properties": { - "modifiedPath": { - "description": "Url path which user has provided for url rewrite. Null means no path will be updated. Default value is null.", - "type": "string" - }, - "modifiedQueryString": { - "description": "Query string which user has provided for url rewrite. Null means no query string will be updated. Default value is null.", - "type": "string" - }, - "reroute": { - "description": "If set as true, it will re-evaluate the url path map provided in path based request routing rules using modified path. Default value is false.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayUrlConfigurationResponse": { - "description": "Url configuration of the Actions set in Application Gateway.", - "properties": { - "modifiedPath": { - "description": "Url path which user has provided for url rewrite. Null means no path will be updated. Default value is null.", - "type": "string" - }, - "modifiedQueryString": { - "description": "Query string which user has provided for url rewrite. Null means no query string will be updated. Default value is null.", - "type": "string" - }, - "reroute": { - "description": "If set as true, it will re-evaluate the url path map provided in path based request routing rules using modified path. Default value is false.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayUrlPathMap": { - "description": "UrlPathMaps give a url path to the backend mapping information for PathBasedRouting.", - "properties": { - "defaultBackendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Default backend address pool resource of URL path map.", - "type": "object" - }, - "defaultBackendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Default backend http settings resource of URL path map.", - "type": "object" - }, - "defaultLoadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Default Load Distribution Policy resource of URL path map.", - "type": "object" - }, - "defaultRedirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Default redirect configuration resource of URL path map.", - "type": "object" - }, - "defaultRewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Default Rewrite rule set resource of URL path map.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the URL path map that is unique within an Application Gateway.", - "type": "string" - }, - "pathRules": { - "description": "Path rule of URL path map resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPathRule", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayUrlPathMapResponse": { - "description": "UrlPathMaps give a url path to the backend mapping information for PathBasedRouting.", - "properties": { - "defaultBackendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Default backend address pool resource of URL path map.", - "type": "object" - }, - "defaultBackendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Default backend http settings resource of URL path map.", - "type": "object" - }, - "defaultLoadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Default Load Distribution Policy resource of URL path map.", - "type": "object" - }, - "defaultRedirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Default redirect configuration resource of URL path map.", - "type": "object" - }, - "defaultRewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Default Rewrite rule set resource of URL path map.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the URL path map that is unique within an Application Gateway.", - "type": "string" - }, - "pathRules": { - "description": "Path rule of URL path map resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPathRuleResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the URL path map resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfiguration": { - "description": "Application gateway web application firewall configuration.", - "properties": { - "disabledRuleGroups": { - "description": "The disabled rule groups.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFirewallDisabledRuleGroup", - "type": "object" - }, - "type": "array" - }, - "enabled": { - "description": "Whether the web application firewall is enabled or not.", - "type": "boolean" - }, - "exclusions": { - "description": "The exclusion list.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFirewallExclusion", - "type": "object" - }, - "type": "array" - }, - "fileUploadLimitInMb": { - "description": "Maximum file upload size in Mb for WAF.", - "type": "integer" - }, - "firewallMode": { - "description": "Web application firewall mode.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFirewallMode" - } - ] - }, - "maxRequestBodySize": { - "description": "Maximum request body size for WAF.", - "type": "integer" - }, - "maxRequestBodySizeInKb": { - "description": "Maximum request body size in Kb for WAF.", - "type": "integer" - }, - "requestBodyCheck": { - "description": "Whether allow WAF to check request Body.", - "type": "boolean" - }, - "ruleSetType": { - "description": "The type of the web application firewall rule set. Possible values are: 'OWASP'.", - "type": "string" - }, - "ruleSetVersion": { - "description": "The version of the rule set type.", - "type": "string" - } - }, - "required": [ - "enabled", - "firewallMode", - "ruleSetType", - "ruleSetVersion" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfigurationResponse": { - "description": "Application gateway web application firewall configuration.", - "properties": { - "disabledRuleGroups": { - "description": "The disabled rule groups.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFirewallDisabledRuleGroupResponse", - "type": "object" - }, - "type": "array" - }, - "enabled": { - "description": "Whether the web application firewall is enabled or not.", - "type": "boolean" - }, - "exclusions": { - "description": "The exclusion list.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFirewallExclusionResponse", - "type": "object" - }, - "type": "array" - }, - "fileUploadLimitInMb": { - "description": "Maximum file upload size in Mb for WAF.", - "type": "integer" - }, - "firewallMode": { - "description": "Web application firewall mode.", - "type": "string" - }, - "maxRequestBodySize": { - "description": "Maximum request body size for WAF.", - "type": "integer" - }, - "maxRequestBodySizeInKb": { - "description": "Maximum request body size in Kb for WAF.", - "type": "integer" - }, - "requestBodyCheck": { - "description": "Whether allow WAF to check request Body.", - "type": "boolean" - }, - "ruleSetType": { - "description": "The type of the web application firewall rule set. Possible values are: 'OWASP'.", - "type": "string" - }, - "ruleSetVersion": { - "description": "The version of the rule set type.", - "type": "string" - } - }, - "required": [ - "enabled", - "firewallMode", - "ruleSetType", - "ruleSetVersion" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationRule": { - "description": "Rule of type application.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses or Service Tags.", - "items": { - "type": "string" - }, - "type": "array" - }, - "fqdnTags": { - "description": "List of FQDN Tags for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "httpHeadersToInsert": { - "description": "List of HTTP/S headers to insert.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyHttpHeaderToInsert", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "Name of the rule.", - "type": "string" - }, - "protocols": { - "description": "Array of Application Protocols.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyRuleApplicationProtocol", - "type": "object" - }, - "type": "array" - }, - "ruleType": { - "const": "ApplicationRule", - "description": "Rule Type.\nExpected value is 'ApplicationRule'.", - "type": "string" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "targetFqdns": { - "description": "List of FQDNs for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "targetUrls": { - "description": "List of Urls for this rule condition.", - "items": { - "type": "string" - }, - "type": "array" - }, - "terminateTLS": { - "description": "Terminate TLS connections for this rule.", - "type": "boolean" - }, - "webCategories": { - "description": "List of destination azure web categories.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "ruleType" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationRuleResponse": { - "description": "Rule of type application.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses or Service Tags.", - "items": { - "type": "string" - }, - "type": "array" - }, - "fqdnTags": { - "description": "List of FQDN Tags for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "httpHeadersToInsert": { - "description": "List of HTTP/S headers to insert.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyHttpHeaderToInsertResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "Name of the rule.", - "type": "string" - }, - "protocols": { - "description": "Array of Application Protocols.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyRuleApplicationProtocolResponse", - "type": "object" - }, - "type": "array" - }, - "ruleType": { - "const": "ApplicationRule", - "description": "Rule Type.\nExpected value is 'ApplicationRule'.", - "type": "string" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "targetFqdns": { - "description": "List of FQDNs for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "targetUrls": { - "description": "List of Urls for this rule condition.", - "items": { - "type": "string" - }, - "type": "array" - }, - "terminateTLS": { - "description": "Terminate TLS connections for this rule.", - "type": "boolean" - }, - "webCategories": { - "description": "List of destination azure web categories.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "ruleType" - ], - "type": "object" - }, - "azure-native:network/v20230201:ApplicationSecurityGroup": { - "description": "An application security group in a resource group.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ApplicationSecurityGroupResponse": { - "description": "An application security group in a resource group.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the application security group resource.", - "type": "string" - }, - "resourceGuid": { - "description": "The resource GUID property of the application security group resource. It uniquely identifies a resource, even if the user changes its name or migrate the resource across subscriptions or resource groups.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "name", - "provisioningState", - "resourceGuid", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:AuthorizationUseStatus": { - "description": "The authorization use status.", - "enum": [ - { - "value": "Available" - }, - { - "value": "InUse" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:AutoLearnPrivateRangesMode": { - "description": "The operation mode for automatically learning private ranges to not be SNAT", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:AzureFirewallApplicationRule": { - "description": "Properties of an application rule.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "fqdnTags": { - "description": "List of FQDN Tags for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "Name of the application rule.", - "type": "string" - }, - "protocols": { - "description": "Array of ApplicationRuleProtocols.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleProtocol", - "type": "object" - }, - "type": "array" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "targetFqdns": { - "description": "List of FQDNs for this rule.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallApplicationRuleCollection": { - "description": "Application rule collection resource.", - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallRCAction", - "description": "The action type of a rule collection.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", - "type": "string" - }, - "priority": { - "description": "Priority of the application rule collection resource.", - "type": "integer" - }, - "rules": { - "description": "Collection of rules used by a application rule collection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRule", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallApplicationRuleCollectionResponse": { - "description": "Application rule collection resource.", - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallRCActionResponse", - "description": "The action type of a rule collection.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", - "type": "string" - }, - "priority": { - "description": "Priority of the application rule collection resource.", - "type": "integer" - }, - "provisioningState": { - "description": "The provisioning state of the application rule collection resource.", - "type": "string" - }, - "rules": { - "description": "Collection of rules used by a application rule collection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "etag", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallApplicationRuleProtocol": { - "description": "Properties of the application rule protocol.", - "properties": { - "port": { - "description": "Port number for the protocol, cannot be greater than 64000. This field is optional.", - "type": "integer" - }, - "protocolType": { - "description": "Protocol type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleProtocolType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallApplicationRuleProtocolResponse": { - "description": "Properties of the application rule protocol.", - "properties": { - "port": { - "description": "Port number for the protocol, cannot be greater than 64000. This field is optional.", - "type": "integer" - }, - "protocolType": { - "description": "Protocol type.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallApplicationRuleProtocolType": { - "description": "Protocol type.", - "enum": [ - { - "value": "Http" - }, - { - "value": "Https" - }, - { - "value": "Mssql" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:AzureFirewallApplicationRuleResponse": { - "description": "Properties of an application rule.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "fqdnTags": { - "description": "List of FQDN Tags for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "Name of the application rule.", - "type": "string" - }, - "protocols": { - "description": "Array of ApplicationRuleProtocols.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleProtocolResponse", - "type": "object" - }, - "type": "array" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "targetFqdns": { - "description": "List of FQDNs for this rule.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallIPConfiguration": { - "description": "IP configuration of an Azure Firewall.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to the PublicIP resource. This field is a mandatory input if subnet is not null.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to the subnet resource. This resource must be named 'AzureFirewallSubnet' or 'AzureFirewallManagementSubnet'.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallIPConfigurationResponse": { - "description": "IP configuration of an Azure Firewall.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "privateIPAddress": { - "description": "The Firewall Internal Load Balancer IP to be used as the next hop in User Defined Routes.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the Azure firewall IP configuration resource.", - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to the PublicIP resource. This field is a mandatory input if subnet is not null.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to the subnet resource. This resource must be named 'AzureFirewallSubnet' or 'AzureFirewallManagementSubnet'.", - "type": "object" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "privateIPAddress", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallIpGroupsResponse": { - "description": "IpGroups associated with azure firewall.", - "properties": { - "changeNumber": { - "description": "The iteration number.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - } - }, - "required": [ - "changeNumber", - "id" - ], - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallNatRCAction": { - "description": "AzureFirewall NAT Rule Collection Action.", - "properties": { - "type": { - "description": "The type of action.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRCActionType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallNatRCActionResponse": { - "description": "AzureFirewall NAT Rule Collection Action.", - "properties": { - "type": { - "description": "The type of action.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallNatRCActionType": { - "description": "The type of action.", - "enum": [ - { - "value": "Snat" - }, - { - "value": "Dnat" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:AzureFirewallNatRule": { - "description": "Properties of a NAT rule.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses for this rule. Supports IP ranges, prefixes, and service tags.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "description": "List of destination ports.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "Name of the NAT rule.", - "type": "string" - }, - "protocols": { - "description": "Array of AzureFirewallNetworkRuleProtocols applicable to this NAT rule.", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRuleProtocol" - } - ] - }, - "type": "array" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "translatedAddress": { - "description": "The translated address for this NAT rule.", - "type": "string" - }, - "translatedFqdn": { - "description": "The translated FQDN for this NAT rule.", - "type": "string" - }, - "translatedPort": { - "description": "The translated port for this NAT rule.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallNatRuleCollection": { - "description": "NAT rule collection resource.", - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRCAction", - "description": "The action type of a NAT rule collection.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", - "type": "string" - }, - "priority": { - "description": "Priority of the NAT rule collection resource.", - "type": "integer" - }, - "rules": { - "description": "Collection of rules used by a NAT rule collection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRule", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallNatRuleCollectionResponse": { - "description": "NAT rule collection resource.", - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRCActionResponse", - "description": "The action type of a NAT rule collection.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", - "type": "string" - }, - "priority": { - "description": "Priority of the NAT rule collection resource.", - "type": "integer" - }, - "provisioningState": { - "description": "The provisioning state of the NAT rule collection resource.", - "type": "string" - }, - "rules": { - "description": "Collection of rules used by a NAT rule collection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRuleResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "etag", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallNatRuleResponse": { - "description": "Properties of a NAT rule.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses for this rule. Supports IP ranges, prefixes, and service tags.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "description": "List of destination ports.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "Name of the NAT rule.", - "type": "string" - }, - "protocols": { - "description": "Array of AzureFirewallNetworkRuleProtocols applicable to this NAT rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "translatedAddress": { - "description": "The translated address for this NAT rule.", - "type": "string" - }, - "translatedFqdn": { - "description": "The translated FQDN for this NAT rule.", - "type": "string" - }, - "translatedPort": { - "description": "The translated port for this NAT rule.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallNetworkRule": { - "description": "Properties of the network rule.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationFqdns": { - "description": "List of destination FQDNs.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationIpGroups": { - "description": "List of destination IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "description": "List of destination ports.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "Name of the network rule.", - "type": "string" - }, - "protocols": { - "description": "Array of AzureFirewallNetworkRuleProtocols.", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRuleProtocol" - } - ] - }, - "type": "array" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallNetworkRuleCollection": { - "description": "Network rule collection resource.", - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallRCAction", - "description": "The action type of a rule collection.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", - "type": "string" - }, - "priority": { - "description": "Priority of the network rule collection resource.", - "type": "integer" - }, - "rules": { - "description": "Collection of rules used by a network rule collection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRule", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallNetworkRuleCollectionResponse": { - "description": "Network rule collection resource.", - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallRCActionResponse", - "description": "The action type of a rule collection.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", - "type": "string" - }, - "priority": { - "description": "Priority of the network rule collection resource.", - "type": "integer" - }, - "provisioningState": { - "description": "The provisioning state of the network rule collection resource.", - "type": "string" - }, - "rules": { - "description": "Collection of rules used by a network rule collection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRuleResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "etag", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallNetworkRuleProtocol": { - "description": "The protocol of a Network Rule resource.", - "enum": [ - { - "value": "TCP" - }, - { - "value": "UDP" - }, - { - "value": "Any" - }, - { - "value": "ICMP" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:AzureFirewallNetworkRuleResponse": { - "description": "Properties of the network rule.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationFqdns": { - "description": "List of destination FQDNs.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationIpGroups": { - "description": "List of destination IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "description": "List of destination ports.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "Name of the network rule.", - "type": "string" - }, - "protocols": { - "description": "Array of AzureFirewallNetworkRuleProtocols.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallPublicIPAddress": { - "description": "Public IP Address associated with azure firewall.", - "properties": { - "address": { - "description": "Public IP Address value.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallPublicIPAddressResponse": { - "description": "Public IP Address associated with azure firewall.", - "properties": { - "address": { - "description": "Public IP Address value.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallRCAction": { - "description": "Properties of the AzureFirewallRCAction.", - "properties": { - "type": { - "description": "The type of action.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallRCActionType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallRCActionResponse": { - "description": "Properties of the AzureFirewallRCAction.", - "properties": { - "type": { - "description": "The type of action.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallRCActionType": { - "description": "The type of action.", - "enum": [ - { - "value": "Allow" - }, - { - "value": "Deny" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:AzureFirewallSku": { - "description": "SKU of an Azure Firewall.", - "properties": { - "name": { - "description": "Name of an Azure Firewall SKU.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallSkuName" - } - ] - }, - "tier": { - "description": "Tier of an Azure Firewall.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallSkuTier" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallSkuName": { - "description": "Name of an Azure Firewall SKU.", - "enum": [ - { - "value": "AZFW_VNet" - }, - { - "value": "AZFW_Hub" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:AzureFirewallSkuResponse": { - "description": "SKU of an Azure Firewall.", - "properties": { - "name": { - "description": "Name of an Azure Firewall SKU.", - "type": "string" - }, - "tier": { - "description": "Tier of an Azure Firewall.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:AzureFirewallSkuTier": { - "description": "Tier of an Azure Firewall.", - "enum": [ - { - "value": "Standard" - }, - { - "value": "Premium" - }, - { - "value": "Basic" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:AzureFirewallThreatIntelMode": { - "description": "The operation mode for Threat Intelligence.", - "enum": [ - { - "value": "Alert" - }, - { - "value": "Deny" - }, - { - "value": "Off" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:BackendAddressPool": { - "description": "Pool of backend IP addresses.", - "properties": { - "drainPeriodInSeconds": { - "description": "Amount of seconds Load Balancer waits for before sending RESET to client and backend address.", - "type": "integer" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "loadBalancerBackendAddresses": { - "description": "An array of backend addresses.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerBackendAddress", - "type": "object" - }, - "type": "array" - }, - "location": { - "description": "The location of the backend address pool.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within the set of backend address pools used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "tunnelInterfaces": { - "description": "An array of gateway load balancer tunnel interfaces.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelInterface", - "type": "object" - }, - "type": "array" - }, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "A reference to a virtual network.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:BackendAddressPoolResponse": { - "description": "Pool of backend IP addresses.", - "properties": { - "backendIPConfigurations": { - "description": "An array of references to IP addresses defined in network interfaces.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "drainPeriodInSeconds": { - "description": "Amount of seconds Load Balancer waits for before sending RESET to client and backend address.", - "type": "integer" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "inboundNatRules": { - "description": "An array of references to inbound NAT rules that use this backend address pool.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "loadBalancerBackendAddresses": { - "description": "An array of backend addresses.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerBackendAddressResponse", - "type": "object" - }, - "type": "array" - }, - "loadBalancingRules": { - "description": "An array of references to load balancing rules that use this backend address pool.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "location": { - "description": "The location of the backend address pool.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within the set of backend address pools used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "outboundRule": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "A reference to an outbound rule that uses this backend address pool.", - "type": "object" - }, - "outboundRules": { - "description": "An array of references to outbound rules that use this backend address pool.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the backend address pool resource.", - "type": "string" - }, - "tunnelInterfaces": { - "description": "An array of gateway load balancer tunnel interfaces.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelInterfaceResponse", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - }, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "A reference to a virtual network.", - "type": "object" - } - }, - "required": [ - "backendIPConfigurations", - "etag", - "inboundNatRules", - "loadBalancingRules", - "outboundRule", - "outboundRules", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:BastionActiveSessionResponse": { - "description": "The session detail for a target.", - "properties": { - "protocol": { - "description": "The protocol used to connect to the target.", - "type": "string" - }, - "resourceType": { - "description": "The type of the resource.", - "type": "string" - }, - "sessionDurationInMins": { - "description": "Duration in mins the session has been active.", - "type": "number" - }, - "sessionId": { - "description": "A unique id for the session.", - "type": "string" - }, - "startTime": { - "$ref": "pulumi.json#/Any", - "description": "The time when the session started." - }, - "targetHostName": { - "description": "The host name of the target.", - "type": "string" - }, - "targetIpAddress": { - "description": "The IP Address of the target.", - "type": "string" - }, - "targetResourceGroup": { - "description": "The resource group of the target.", - "type": "string" - }, - "targetResourceId": { - "description": "The resource id of the target.", - "type": "string" - }, - "targetSubscriptionId": { - "description": "The subscription id for the target virtual machine.", - "type": "string" - }, - "userName": { - "description": "The user name who is active on this session.", - "type": "string" - } - }, - "required": [ - "protocol", - "resourceType", - "sessionDurationInMins", - "sessionId", - "startTime", - "targetHostName", - "targetIpAddress", - "targetResourceGroup", - "targetResourceId", - "targetSubscriptionId", - "userName" - ], - "type": "object" - }, - "azure-native:network/v20230201:BastionHostIPConfiguration": { - "description": "IP configuration of an Bastion Host.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "privateIPAllocationMethod": { - "description": "Private IP allocation method.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPAllocationMethod" - } - ] - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference of the PublicIP resource.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference of the subnet resource.", - "type": "object" - } - }, - "required": [ - "publicIPAddress", - "subnet" - ], - "type": "object" - }, - "azure-native:network/v20230201:BastionHostIPConfigurationResponse": { - "description": "IP configuration of an Bastion Host.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "privateIPAllocationMethod": { - "description": "Private IP allocation method.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the bastion host IP configuration resource.", - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference of the PublicIP resource.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference of the subnet resource.", - "type": "object" - }, - "type": { - "description": "Ip configuration type.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "publicIPAddress", - "subnet", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:BastionHostSkuName": { - "description": "The name of this Bastion Host.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "Standard" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:BastionShareableLink": { - "description": "Bastion Shareable Link.", - "properties": { - "vm": { - "$ref": "#/types/azure-native:network/v20230201:VM", - "description": "Reference of the virtual machine resource.", - "type": "object" - } - }, - "required": [ - "vm" - ], - "type": "object" - }, - "azure-native:network/v20230201:BastionShareableLinkResponse": { - "description": "Bastion Shareable Link.", - "properties": { - "bsl": { - "description": "The unique Bastion Shareable Link to the virtual machine.", - "type": "string" - }, - "createdAt": { - "description": "The time when the link was created.", - "type": "string" - }, - "message": { - "description": "Optional field indicating the warning or error message related to the vm in case of partial failure.", - "type": "string" - }, - "vm": { - "$ref": "#/types/azure-native:network/v20230201:VMResponse", - "description": "Reference of the virtual machine resource.", - "type": "object" - } - }, - "required": [ - "bsl", - "createdAt", - "message", - "vm" - ], - "type": "object" - }, - "azure-native:network/v20230201:BgpPeerStatusResponse": { - "description": "BGP peer status details.", - "properties": { - "asn": { - "description": "The autonomous system number of the remote BGP peer.", - "type": "number" - }, - "connectedDuration": { - "description": "For how long the peering has been up.", - "type": "string" - }, - "localAddress": { - "description": "The virtual network gateway's local address.", - "type": "string" - }, - "messagesReceived": { - "description": "The number of BGP messages received.", - "type": "number" - }, - "messagesSent": { - "description": "The number of BGP messages sent.", - "type": "number" - }, - "neighbor": { - "description": "The remote BGP peer.", - "type": "string" - }, - "routesReceived": { - "description": "The number of routes learned from this peer.", - "type": "number" - }, - "state": { - "description": "The BGP peer state.", - "type": "string" - } - }, - "required": [ - "asn", - "connectedDuration", - "localAddress", - "messagesReceived", - "messagesSent", - "neighbor", - "routesReceived", - "state" - ], - "type": "object" - }, - "azure-native:network/v20230201:BgpSettings": { - "description": "BGP settings details.", - "properties": { - "asn": { - "description": "The BGP speaker's ASN.", - "type": "number" - }, - "bgpPeeringAddress": { - "description": "The BGP peering address and BGP identifier of this BGP speaker.", - "type": "string" - }, - "bgpPeeringAddresses": { - "description": "BGP peering address with IP configuration ID for virtual network gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationBgpPeeringAddress", - "type": "object" - }, - "type": "array" - }, - "peerWeight": { - "description": "The weight added to routes learned from this BGP speaker.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:BgpSettingsResponse": { - "description": "BGP settings details.", - "properties": { - "asn": { - "description": "The BGP speaker's ASN.", - "type": "number" - }, - "bgpPeeringAddress": { - "description": "The BGP peering address and BGP identifier of this BGP speaker.", - "type": "string" - }, - "bgpPeeringAddresses": { - "description": "BGP peering address with IP configuration ID for virtual network gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationBgpPeeringAddressResponse", - "type": "object" - }, - "type": "array" - }, - "peerWeight": { - "description": "The weight added to routes learned from this BGP speaker.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:BreakOutCategoryPolicies": { - "description": "Network Virtual Appliance Sku Properties.", - "properties": { - "allow": { - "description": "Flag to control breakout of o365 allow category.", - "type": "boolean" - }, - "default": { - "description": "Flag to control breakout of o365 default category.", - "type": "boolean" - }, - "optimize": { - "description": "Flag to control breakout of o365 optimize category.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:BreakOutCategoryPoliciesResponse": { - "description": "Network Virtual Appliance Sku Properties.", - "properties": { - "allow": { - "description": "Flag to control breakout of o365 allow category.", - "type": "boolean" - }, - "default": { - "description": "Flag to control breakout of o365 default category.", - "type": "boolean" - }, - "optimize": { - "description": "Flag to control breakout of o365 optimize category.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:CommissionedState": { - "description": "The commissioned state of the Custom IP Prefix.", - "enum": [ - { - "value": "Provisioning" - }, - { - "value": "Provisioned" - }, - { - "value": "Commissioning" - }, - { - "value": "CommissionedNoInternetAdvertise" - }, - { - "value": "Commissioned" - }, - { - "value": "Decommissioning" - }, - { - "value": "Deprovisioning" - }, - { - "value": "Deprovisioned" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ConfigurationGroupResponse": { - "description": "The network configuration group resource", - "properties": { - "description": { - "description": "A description of the network group.", - "type": "string" - }, - "id": { - "description": "Network group ID.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the scope assignment resource.", - "type": "string" - }, - "resourceGuid": { - "description": "Unique identifier for this resource.", - "type": "string" - } - }, - "required": [ - "provisioningState", - "resourceGuid" - ], - "type": "object" - }, - "azure-native:network/v20230201:ConfigurationType": { - "description": "Configuration Deployment Type.", - "enum": [ - { - "value": "SecurityAdmin" - }, - { - "value": "Connectivity" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ConnectionMonitorDestination": { - "description": "Describes the destination of connection monitor.", - "properties": { - "address": { - "description": "Address of the connection monitor destination (IP or domain name).", - "type": "string" - }, - "port": { - "description": "The destination port used by connection monitor.", - "type": "integer" - }, - "resourceId": { - "description": "The ID of the resource used as the destination by connection monitor.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorDestinationResponse": { - "description": "Describes the destination of connection monitor.", - "properties": { - "address": { - "description": "Address of the connection monitor destination (IP or domain name).", - "type": "string" - }, - "port": { - "description": "The destination port used by connection monitor.", - "type": "integer" - }, - "resourceId": { - "description": "The ID of the resource used as the destination by connection monitor.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpoint": { - "description": "Describes the connection monitor endpoint.", - "properties": { - "address": { - "description": "Address of the connection monitor endpoint (IP or domain name).", - "type": "string" - }, - "coverageLevel": { - "description": "Test coverage for the endpoint.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:CoverageLevel" - } - ] - }, - "filter": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointFilter", - "description": "Filter for sub-items within the endpoint.", - "type": "object" - }, - "name": { - "description": "The name of the connection monitor endpoint.", - "type": "string" - }, - "resourceId": { - "description": "Resource ID of the connection monitor endpoint.", - "type": "string" - }, - "scope": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScope", - "description": "Endpoint scope.", - "type": "object" - }, - "type": { - "description": "The endpoint type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:EndpointType" - } - ] - } - }, - "required": [ - "name" - ], - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointFilter": { - "description": "Describes the connection monitor endpoint filter.", - "properties": { - "items": { - "description": "List of items in the filter.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointFilterItem", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "The behavior of the endpoint filter. Currently only 'Include' is supported.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointFilterType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointFilterItem": { - "description": "Describes the connection monitor endpoint filter item.", - "properties": { - "address": { - "description": "The address of the filter item.", - "type": "string" - }, - "type": { - "description": "The type of item included in the filter. Currently only 'AgentAddress' is supported.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointFilterItemType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointFilterItemResponse": { - "description": "Describes the connection monitor endpoint filter item.", - "properties": { - "address": { - "description": "The address of the filter item.", - "type": "string" - }, - "type": { - "description": "The type of item included in the filter. Currently only 'AgentAddress' is supported.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointFilterItemType": { - "description": "The type of item included in the filter. Currently only 'AgentAddress' is supported.", - "enum": [ - { - "value": "AgentAddress" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointFilterResponse": { - "description": "Describes the connection monitor endpoint filter.", - "properties": { - "items": { - "description": "List of items in the filter.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointFilterItemResponse", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "The behavior of the endpoint filter. Currently only 'Include' is supported.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointFilterType": { - "description": "The behavior of the endpoint filter. Currently only 'Include' is supported.", - "enum": [ - { - "value": "Include" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointResponse": { - "description": "Describes the connection monitor endpoint.", - "properties": { - "address": { - "description": "Address of the connection monitor endpoint (IP or domain name).", - "type": "string" - }, - "coverageLevel": { - "description": "Test coverage for the endpoint.", - "type": "string" - }, - "filter": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointFilterResponse", - "description": "Filter for sub-items within the endpoint.", - "type": "object" - }, - "name": { - "description": "The name of the connection monitor endpoint.", - "type": "string" - }, - "resourceId": { - "description": "Resource ID of the connection monitor endpoint.", - "type": "string" - }, - "scope": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScopeResponse", - "description": "Endpoint scope.", - "type": "object" - }, - "type": { - "description": "The endpoint type.", - "type": "string" - } - }, - "required": [ - "name" - ], - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointScope": { - "description": "Describes the connection monitor endpoint scope.", - "properties": { - "exclude": { - "description": "List of items which needs to be excluded from the endpoint scope.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScopeItem", - "type": "object" - }, - "type": "array" - }, - "include": { - "description": "List of items which needs to be included to the endpoint scope.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScopeItem", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointScopeItem": { - "description": "Describes the connection monitor endpoint scope item.", - "properties": { - "address": { - "description": "The address of the endpoint item. Supported types are IPv4/IPv6 subnet mask or IPv4/IPv6 IP address.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointScopeItemResponse": { - "description": "Describes the connection monitor endpoint scope item.", - "properties": { - "address": { - "description": "The address of the endpoint item. Supported types are IPv4/IPv6 subnet mask or IPv4/IPv6 IP address.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointScopeResponse": { - "description": "Describes the connection monitor endpoint scope.", - "properties": { - "exclude": { - "description": "List of items which needs to be excluded from the endpoint scope.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScopeItemResponse", - "type": "object" - }, - "type": "array" - }, - "include": { - "description": "List of items which needs to be included to the endpoint scope.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScopeItemResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorHttpConfiguration": { - "description": "Describes the HTTP configuration.", - "properties": { - "method": { - "description": "The HTTP method to use.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:HTTPConfigurationMethod" - } - ] - }, - "path": { - "description": "The path component of the URI. For instance, \"/dir1/dir2\".", - "type": "string" - }, - "port": { - "description": "The port to connect to.", - "type": "integer" - }, - "preferHTTPS": { - "description": "Value indicating whether HTTPS is preferred over HTTP in cases where the choice is not explicit.", - "type": "boolean" - }, - "requestHeaders": { - "description": "The HTTP headers to transmit with the request.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:HTTPHeader", - "type": "object" - }, - "type": "array" - }, - "validStatusCodeRanges": { - "description": "HTTP status codes to consider successful. For instance, \"2xx,301-304,418\".", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorHttpConfigurationResponse": { - "description": "Describes the HTTP configuration.", - "properties": { - "method": { - "description": "The HTTP method to use.", - "type": "string" - }, - "path": { - "description": "The path component of the URI. For instance, \"/dir1/dir2\".", - "type": "string" - }, - "port": { - "description": "The port to connect to.", - "type": "integer" - }, - "preferHTTPS": { - "description": "Value indicating whether HTTPS is preferred over HTTP in cases where the choice is not explicit.", - "type": "boolean" - }, - "requestHeaders": { - "description": "The HTTP headers to transmit with the request.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:HTTPHeaderResponse", - "type": "object" - }, - "type": "array" - }, - "validStatusCodeRanges": { - "description": "HTTP status codes to consider successful. For instance, \"2xx,301-304,418\".", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorIcmpConfiguration": { - "description": "Describes the ICMP configuration.", - "properties": { - "disableTraceRoute": { - "description": "Value indicating whether path evaluation with trace route should be disabled.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorIcmpConfigurationResponse": { - "description": "Describes the ICMP configuration.", - "properties": { - "disableTraceRoute": { - "description": "Value indicating whether path evaluation with trace route should be disabled.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorOutput": { - "description": "Describes a connection monitor output destination.", - "properties": { - "type": { - "description": "Connection monitor output destination type. Currently, only \"Workspace\" is supported.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:OutputType" - } - ] - }, - "workspaceSettings": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorWorkspaceSettings", - "description": "Describes the settings for producing output into a log analytics workspace.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorOutputResponse": { - "description": "Describes a connection monitor output destination.", - "properties": { - "type": { - "description": "Connection monitor output destination type. Currently, only \"Workspace\" is supported.", - "type": "string" - }, - "workspaceSettings": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorWorkspaceSettingsResponse", - "description": "Describes the settings for producing output into a log analytics workspace.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorSource": { - "description": "Describes the source of connection monitor.", - "properties": { - "port": { - "description": "The source port used by connection monitor.", - "type": "integer" - }, - "resourceId": { - "description": "The ID of the resource used as the source by connection monitor.", - "type": "string" - } - }, - "required": [ - "resourceId" - ], - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorSourceResponse": { - "description": "Describes the source of connection monitor.", - "properties": { - "port": { - "description": "The source port used by connection monitor.", - "type": "integer" - }, - "resourceId": { - "description": "The ID of the resource used as the source by connection monitor.", - "type": "string" - } - }, - "required": [ - "resourceId" - ], - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorSuccessThreshold": { - "description": "Describes the threshold for declaring a test successful.", - "properties": { - "checksFailedPercent": { - "description": "The maximum percentage of failed checks permitted for a test to evaluate as successful.", - "type": "integer" - }, - "roundTripTimeMs": { - "description": "The maximum round-trip time in milliseconds permitted for a test to evaluate as successful.", - "type": "number" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorSuccessThresholdResponse": { - "description": "Describes the threshold for declaring a test successful.", - "properties": { - "checksFailedPercent": { - "description": "The maximum percentage of failed checks permitted for a test to evaluate as successful.", - "type": "integer" - }, - "roundTripTimeMs": { - "description": "The maximum round-trip time in milliseconds permitted for a test to evaluate as successful.", - "type": "number" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorTcpConfiguration": { - "description": "Describes the TCP configuration.", - "properties": { - "destinationPortBehavior": { - "description": "Destination port behavior.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:DestinationPortBehavior" - } - ] - }, - "disableTraceRoute": { - "description": "Value indicating whether path evaluation with trace route should be disabled.", - "type": "boolean" - }, - "port": { - "description": "The port to connect to.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorTcpConfigurationResponse": { - "description": "Describes the TCP configuration.", - "properties": { - "destinationPortBehavior": { - "description": "Destination port behavior.", - "type": "string" - }, - "disableTraceRoute": { - "description": "Value indicating whether path evaluation with trace route should be disabled.", - "type": "boolean" - }, - "port": { - "description": "The port to connect to.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorTestConfiguration": { - "description": "Describes a connection monitor test configuration.", - "properties": { - "httpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorHttpConfiguration", - "description": "The parameters used to perform test evaluation over HTTP.", - "type": "object" - }, - "icmpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorIcmpConfiguration", - "description": "The parameters used to perform test evaluation over ICMP.", - "type": "object" - }, - "name": { - "description": "The name of the connection monitor test configuration.", - "type": "string" - }, - "preferredIPVersion": { - "description": "The preferred IP version to use in test evaluation. The connection monitor may choose to use a different version depending on other parameters.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:PreferredIPVersion" - } - ] - }, - "protocol": { - "description": "The protocol to use in test evaluation.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestConfigurationProtocol" - } - ] - }, - "successThreshold": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorSuccessThreshold", - "description": "The threshold for declaring a test successful.", - "type": "object" - }, - "tcpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTcpConfiguration", - "description": "The parameters used to perform test evaluation over TCP.", - "type": "object" - }, - "testFrequencySec": { - "description": "The frequency of test evaluation, in seconds.", - "type": "integer" - } - }, - "required": [ - "name", - "protocol" - ], - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorTestConfigurationProtocol": { - "description": "The protocol to use in test evaluation.", - "enum": [ - { - "value": "Tcp" - }, - { - "value": "Http" - }, - { - "value": "Icmp" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ConnectionMonitorTestConfigurationResponse": { - "description": "Describes a connection monitor test configuration.", - "properties": { - "httpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorHttpConfigurationResponse", - "description": "The parameters used to perform test evaluation over HTTP.", - "type": "object" - }, - "icmpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorIcmpConfigurationResponse", - "description": "The parameters used to perform test evaluation over ICMP.", - "type": "object" - }, - "name": { - "description": "The name of the connection monitor test configuration.", - "type": "string" - }, - "preferredIPVersion": { - "description": "The preferred IP version to use in test evaluation. The connection monitor may choose to use a different version depending on other parameters.", - "type": "string" - }, - "protocol": { - "description": "The protocol to use in test evaluation.", - "type": "string" - }, - "successThreshold": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorSuccessThresholdResponse", - "description": "The threshold for declaring a test successful.", - "type": "object" - }, - "tcpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTcpConfigurationResponse", - "description": "The parameters used to perform test evaluation over TCP.", - "type": "object" - }, - "testFrequencySec": { - "description": "The frequency of test evaluation, in seconds.", - "type": "integer" - } - }, - "required": [ - "name", - "protocol" - ], - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorTestGroup": { - "description": "Describes the connection monitor test group.", - "properties": { - "destinations": { - "description": "List of destination endpoint names.", - "items": { - "type": "string" - }, - "type": "array" - }, - "disable": { - "description": "Value indicating whether test group is disabled.", - "type": "boolean" - }, - "name": { - "description": "The name of the connection monitor test group.", - "type": "string" - }, - "sources": { - "description": "List of source endpoint names.", - "items": { - "type": "string" - }, - "type": "array" - }, - "testConfigurations": { - "description": "List of test configuration names.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "destinations", - "name", - "sources", - "testConfigurations" - ], - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorTestGroupResponse": { - "description": "Describes the connection monitor test group.", - "properties": { - "destinations": { - "description": "List of destination endpoint names.", - "items": { - "type": "string" - }, - "type": "array" - }, - "disable": { - "description": "Value indicating whether test group is disabled.", - "type": "boolean" - }, - "name": { - "description": "The name of the connection monitor test group.", - "type": "string" - }, - "sources": { - "description": "List of source endpoint names.", - "items": { - "type": "string" - }, - "type": "array" - }, - "testConfigurations": { - "description": "List of test configuration names.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "destinations", - "name", - "sources", - "testConfigurations" - ], - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorWorkspaceSettings": { - "description": "Describes the settings for producing output into a log analytics workspace.", - "properties": { - "workspaceResourceId": { - "description": "Log analytics workspace resource ID.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectionMonitorWorkspaceSettingsResponse": { - "description": "Describes the settings for producing output into a log analytics workspace.", - "properties": { - "workspaceResourceId": { - "description": "Log analytics workspace resource ID.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ConnectivityGroupItem": { - "description": "Connectivity group item.", - "properties": { - "groupConnectivity": { - "description": "Group connectivity type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:GroupConnectivity" - } - ] - }, - "isGlobal": { - "description": "Flag if global is supported.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IsGlobal" - } - ] - }, - "networkGroupId": { - "description": "Network group Id.", - "type": "string" - }, - "useHubGateway": { - "description": "Flag if need to use hub gateway.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:UseHubGateway" - } - ] - } - }, - "required": [ - "groupConnectivity", - "networkGroupId" - ], - "type": "object" - }, - "azure-native:network/v20230201:ConnectivityGroupItemResponse": { - "description": "Connectivity group item.", - "properties": { - "groupConnectivity": { - "description": "Group connectivity type.", - "type": "string" - }, - "isGlobal": { - "description": "Flag if global is supported.", - "type": "string" - }, - "networkGroupId": { - "description": "Network group Id.", - "type": "string" - }, - "useHubGateway": { - "description": "Flag if need to use hub gateway.", - "type": "string" - } - }, - "required": [ - "groupConnectivity", - "networkGroupId" - ], - "type": "object" - }, - "azure-native:network/v20230201:ConnectivityTopology": { - "description": "Connectivity topology type.", - "enum": [ - { - "value": "HubAndSpoke" - }, - { - "value": "Mesh" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ContainerNetworkInterfaceConfiguration": { - "description": "Container network interface configuration child resource.", - "properties": { - "containerNetworkInterfaces": { - "description": "A list of container network interfaces created from this container network interface configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipConfigurations": { - "description": "A list of ip configurations of the container network interface configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationProfile", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource. This name can be used to access the resource.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ContainerNetworkInterfaceConfigurationResponse": { - "description": "Container network interface configuration child resource.", - "properties": { - "containerNetworkInterfaces": { - "description": "A list of container network interfaces created from this container network interface configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipConfigurations": { - "description": "A list of ip configurations of the container network interface configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationProfileResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the container network interface configuration resource.", - "type": "string" - }, - "type": { - "description": "Sub Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ContainerNetworkInterfaceIpConfigurationResponse": { - "description": "The ip configuration for a container network interface.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "name": { - "description": "The name of the resource. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the container network interface IP configuration resource.", - "type": "string" - }, - "type": { - "description": "Sub Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ContainerNetworkInterfaceResponse": { - "description": "Container network interface child resource.", - "properties": { - "container": { - "$ref": "#/types/azure-native:network/v20230201:ContainerResponse", - "description": "Reference to the container to which this container network interface is attached.", - "type": "object" - }, - "containerNetworkInterfaceConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceConfigurationResponse", - "description": "Container network interface configuration from which this container network interface is created.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipConfigurations": { - "description": "Reference to the ip configuration on this container nic.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceIpConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the container network interface resource.", - "type": "string" - }, - "type": { - "description": "Sub Resource type.", - "type": "string" - } - }, - "required": [ - "containerNetworkInterfaceConfiguration", - "etag", - "ipConfigurations", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ContainerResponse": { - "description": "Reference to container resource in remote resource provider.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:CoverageLevel": { - "description": "Test coverage for the endpoint.", - "enum": [ - { - "value": "Default" - }, - { - "value": "Low" - }, - { - "value": "BelowAverage" - }, - { - "value": "Average" - }, - { - "value": "AboveAverage" - }, - { - "value": "Full" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:Criterion": { - "description": "A matching criteria which matches routes based on route prefix, community, and AS path.", - "properties": { - "asPath": { - "description": "List of AS paths which this criteria matches.", - "items": { - "type": "string" - }, - "type": "array" - }, - "community": { - "description": "List of BGP communities which this criteria matches.", - "items": { - "type": "string" - }, - "type": "array" - }, - "matchCondition": { - "description": "Match condition to apply RouteMap rules.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:RouteMapMatchCondition" - } - ] - }, - "routePrefix": { - "description": "List of route prefixes which this criteria matches.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:CriterionResponse": { - "description": "A matching criteria which matches routes based on route prefix, community, and AS path.", - "properties": { - "asPath": { - "description": "List of AS paths which this criteria matches.", - "items": { - "type": "string" - }, - "type": "array" - }, - "community": { - "description": "List of BGP communities which this criteria matches.", - "items": { - "type": "string" - }, - "type": "array" - }, - "matchCondition": { - "description": "Match condition to apply RouteMap rules.", - "type": "string" - }, - "routePrefix": { - "description": "List of route prefixes which this criteria matches.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:CrossTenantScopesResponse": { - "description": "Cross tenant scopes.", - "properties": { - "managementGroups": { - "description": "List of management groups.", - "items": { - "type": "string" - }, - "type": "array" - }, - "subscriptions": { - "description": "List of subscriptions.", - "items": { - "type": "string" - }, - "type": "array" - }, - "tenantId": { - "description": "Tenant ID.", - "type": "string" - } - }, - "required": [ - "managementGroups", - "subscriptions", - "tenantId" - ], - "type": "object" - }, - "azure-native:network/v20230201:CustomDnsConfigPropertiesFormat": { - "description": "Contains custom Dns resolution configuration from customer.", - "properties": { - "fqdn": { - "description": "Fqdn that resolves to private endpoint ip address.", - "type": "string" - }, - "ipAddresses": { - "description": "A list of private ip addresses of the private endpoint.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:CustomDnsConfigPropertiesFormatResponse": { - "description": "Contains custom Dns resolution configuration from customer.", - "properties": { - "fqdn": { - "description": "Fqdn that resolves to private endpoint ip address.", - "type": "string" - }, - "ipAddresses": { - "description": "A list of private ip addresses of the private endpoint.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:CustomIpPrefixType": { - "description": "Type of custom IP prefix. Should be Singular, Parent, or Child.", - "enum": [ - { - "value": "Singular" - }, - { - "value": "Parent" - }, - { - "value": "Child" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:DdosSettings": { - "description": "Contains the DDoS protection settings of the public IP.", - "properties": { - "ddosProtectionPlan": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The DDoS protection plan associated with the public IP. Can only be set if ProtectionMode is Enabled", - "type": "object" - }, - "protectionMode": { - "description": "The DDoS protection mode of the public IP", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:DdosSettingsProtectionMode" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:DdosSettingsProtectionMode": { - "description": "The DDoS protection mode of the public IP", - "enum": [ - { - "value": "VirtualNetworkInherited" - }, - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:DdosSettingsResponse": { - "description": "Contains the DDoS protection settings of the public IP.", - "properties": { - "ddosProtectionPlan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The DDoS protection plan associated with the public IP. Can only be set if ProtectionMode is Enabled", - "type": "object" - }, - "protectionMode": { - "description": "The DDoS protection mode of the public IP", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:Delegation": { - "description": "Details the service to which the subnet is delegated.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a subnet. This name can be used to access the resource.", - "type": "string" - }, - "serviceName": { - "description": "The name of the service to whom the subnet should be delegated (e.g. Microsoft.Sql/servers).", - "type": "string" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:DelegationProperties": { - "description": "Properties of the delegation.", - "properties": { - "serviceName": { - "description": "The service name to which the NVA is delegated.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:DelegationPropertiesResponse": { - "description": "Properties of the delegation.", - "properties": { - "provisioningState": { - "description": "The current provisioning state.", - "type": "string" - }, - "serviceName": { - "description": "The service name to which the NVA is delegated.", - "type": "string" - } - }, - "required": [ - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:DelegationResponse": { - "description": "Details the service to which the subnet is delegated.", - "properties": { - "actions": { - "description": "The actions permitted to the service upon delegation.", - "items": { - "type": "string" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a subnet. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the service delegation resource.", - "type": "string" - }, - "serviceName": { - "description": "The name of the service to whom the subnet should be delegated (e.g. Microsoft.Sql/servers).", - "type": "string" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "actions", - "etag", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:DeleteExistingPeering": { - "description": "Flag if need to remove current existing peerings.", - "enum": [ - { - "value": "False" - }, - { - "value": "True" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:DeleteOptions": { - "description": "Specify what happens to the public IP address when the VM using it is deleted", - "enum": [ - { - "value": "Delete" - }, - { - "value": "Detach" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:DestinationPortBehavior": { - "description": "Destination port behavior.", - "enum": [ - { - "value": "None" - }, - { - "value": "ListenIfAvailable" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:DeviceProperties": { - "description": "List of properties of the device.", - "properties": { - "deviceModel": { - "description": "Model of the device.", - "type": "string" - }, - "deviceVendor": { - "description": "Name of the device Vendor.", - "type": "string" - }, - "linkSpeedInMbps": { - "description": "Link speed.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:DevicePropertiesResponse": { - "description": "List of properties of the device.", - "properties": { - "deviceModel": { - "description": "Model of the device.", - "type": "string" - }, - "deviceVendor": { - "description": "Name of the device Vendor.", - "type": "string" - }, - "linkSpeedInMbps": { - "description": "Link speed.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:DhGroup": { - "description": "The DH Group used in IKE Phase 1 for initial SA.", - "enum": [ - { - "value": "None" - }, - { - "value": "DHGroup1" - }, - { - "value": "DHGroup2" - }, - { - "value": "DHGroup14" - }, - { - "value": "DHGroup2048" - }, - { - "value": "ECP256" - }, - { - "value": "ECP384" - }, - { - "value": "DHGroup24" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:DhcpOptions": { - "description": "DhcpOptions contains an array of DNS servers available to VMs deployed in the virtual network. Standard DHCP option for a subnet overrides VNET DHCP options.", - "properties": { - "dnsServers": { - "description": "The list of DNS servers IP addresses.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:DhcpOptionsResponse": { - "description": "DhcpOptions contains an array of DNS servers available to VMs deployed in the virtual network. Standard DHCP option for a subnet overrides VNET DHCP options.", - "properties": { - "dnsServers": { - "description": "The list of DNS servers IP addresses.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:DnsSettings": { - "description": "DNS Proxy Settings in Firewall Policy.", - "properties": { - "enableProxy": { - "description": "Enable DNS Proxy on Firewalls attached to the Firewall Policy.", - "type": "boolean" - }, - "requireProxyForNetworkRules": { - "description": "FQDNs in Network Rules are supported when set to true.", - "type": "boolean" - }, - "servers": { - "description": "List of Custom DNS Servers.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:DnsSettingsResponse": { - "description": "DNS Proxy Settings in Firewall Policy.", - "properties": { - "enableProxy": { - "description": "Enable DNS Proxy on Firewalls attached to the Firewall Policy.", - "type": "boolean" - }, - "requireProxyForNetworkRules": { - "description": "FQDNs in Network Rules are supported when set to true.", - "type": "boolean" - }, - "servers": { - "description": "List of Custom DNS Servers.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:EffectiveConnectivityConfigurationResponse": { - "description": "The network manager effective connectivity configuration", - "properties": { - "appliesToGroups": { - "description": "Groups for configuration", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectivityGroupItemResponse", - "type": "object" - }, - "type": "array" - }, - "configurationGroups": { - "description": "Effective configuration groups.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" - }, - "type": "array" - }, - "connectivityTopology": { - "description": "Connectivity topology type.", - "type": "string" - }, - "deleteExistingPeering": { - "description": "Flag if need to remove current existing peerings.", - "type": "string" - }, - "description": { - "description": "A description of the connectivity configuration.", - "type": "string" - }, - "hubs": { - "description": "List of hubItems", - "items": { - "$ref": "#/types/azure-native:network/v20230201:HubResponse", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Connectivity configuration ID.", - "type": "string" - }, - "isGlobal": { - "description": "Flag if global mesh is supported.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the connectivity configuration resource.", - "type": "string" - }, - "resourceGuid": { - "description": "Unique identifier for this resource.", - "type": "string" - } - }, - "required": [ - "appliesToGroups", - "connectivityTopology", - "provisioningState", - "resourceGuid" - ], - "type": "object" - }, - "azure-native:network/v20230201:EffectiveDefaultSecurityAdminRuleResponse": { - "description": "Network default admin rule.", - "properties": { - "access": { - "description": "Indicates the access allowed for this particular rule", - "type": "string" - }, - "configurationDescription": { - "description": "A description of the security admin configuration.", - "type": "string" - }, - "description": { - "description": "A description for this rule. Restricted to 140 chars.", - "type": "string" - }, - "destinationPortRanges": { - "description": "The destination port ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinations": { - "description": "The destination address prefixes. CIDR or destination IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - }, - "type": "array" - }, - "direction": { - "description": "Indicates if the traffic matched against the rule in inbound or outbound.", - "type": "string" - }, - "flag": { - "description": "Default rule flag.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "kind": { - "const": "Default", - "description": "Whether the rule is custom or default.\nExpected value is 'Default'.", - "type": "string" - }, - "priority": { - "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", - "type": "integer" - }, - "protocol": { - "description": "Network protocol this rule applies to.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the resource.", - "type": "string" - }, - "resourceGuid": { - "description": "Unique identifier for this resource.", - "type": "string" - }, - "ruleCollectionAppliesToGroups": { - "description": "Groups for rule collection", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", - "type": "object" - }, - "type": "array" - }, - "ruleCollectionDescription": { - "description": "A description of the rule collection.", - "type": "string" - }, - "ruleGroups": { - "description": "Effective configuration groups.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" - }, - "type": "array" - }, - "sourcePortRanges": { - "description": "The source port ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sources": { - "description": "The CIDR or source IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "access", - "description", - "destinationPortRanges", - "destinations", - "direction", - "kind", - "priority", - "protocol", - "provisioningState", - "resourceGuid", - "sourcePortRanges", - "sources" - ], - "type": "object" - }, - "azure-native:network/v20230201:EffectiveSecurityAdminRuleResponse": { - "description": "Network admin rule.", - "properties": { - "access": { - "description": "Indicates the access allowed for this particular rule", - "type": "string" - }, - "configurationDescription": { - "description": "A description of the security admin configuration.", - "type": "string" - }, - "description": { - "description": "A description for this rule. Restricted to 140 chars.", - "type": "string" - }, - "destinationPortRanges": { - "description": "The destination port ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinations": { - "description": "The destination address prefixes. CIDR or destination IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - }, - "type": "array" - }, - "direction": { - "description": "Indicates if the traffic matched against the rule in inbound or outbound.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "kind": { - "const": "Custom", - "description": "Whether the rule is custom or default.\nExpected value is 'Custom'.", - "type": "string" - }, - "priority": { - "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", - "type": "integer" - }, - "protocol": { - "description": "Network protocol this rule applies to.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the resource.", - "type": "string" - }, - "resourceGuid": { - "description": "Unique identifier for this resource.", - "type": "string" - }, - "ruleCollectionAppliesToGroups": { - "description": "Groups for rule collection", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", - "type": "object" - }, - "type": "array" - }, - "ruleCollectionDescription": { - "description": "A description of the rule collection.", - "type": "string" - }, - "ruleGroups": { - "description": "Effective configuration groups.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" - }, - "type": "array" - }, - "sourcePortRanges": { - "description": "The source port ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sources": { - "description": "The CIDR or source IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "access", - "direction", - "kind", - "priority", - "protocol", - "provisioningState", - "resourceGuid" - ], - "type": "object" - }, - "azure-native:network/v20230201:EndpointType": { - "description": "The endpoint type.", - "enum": [ - { - "value": "AzureVM" - }, - { - "value": "AzureVNet" - }, - { - "value": "AzureSubnet" - }, - { - "value": "ExternalAddress" - }, - { - "value": "MMAWorkspaceMachine" - }, - { - "value": "MMAWorkspaceNetwork" - }, - { - "value": "AzureArcVM" - }, - { - "value": "AzureVMSS" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ExclusionManagedRule": { - "description": "Defines a managed rule to use for exclusion.", - "properties": { - "ruleId": { - "description": "Identifier for the managed rule.", - "type": "string" - } - }, - "required": [ - "ruleId" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExclusionManagedRuleGroup": { - "description": "Defines a managed rule group to use for exclusion.", - "properties": { - "ruleGroupName": { - "description": "The managed rule group for exclusion.", - "type": "string" - }, - "rules": { - "description": "List of rules that will be excluded. If none specified, all rules in the group will be excluded.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRule", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "ruleGroupName" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExclusionManagedRuleGroupResponse": { - "description": "Defines a managed rule group to use for exclusion.", - "properties": { - "ruleGroupName": { - "description": "The managed rule group for exclusion.", - "type": "string" - }, - "rules": { - "description": "List of rules that will be excluded. If none specified, all rules in the group will be excluded.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRuleResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "ruleGroupName" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExclusionManagedRuleResponse": { - "description": "Defines a managed rule to use for exclusion.", - "properties": { - "ruleId": { - "description": "Identifier for the managed rule.", - "type": "string" - } - }, - "required": [ - "ruleId" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExclusionManagedRuleSet": { - "description": "Defines a managed rule set for Exclusions.", - "properties": { - "ruleGroups": { - "description": "Defines the rule groups to apply to the rule set.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRuleGroup", - "type": "object" - }, - "type": "array" - }, - "ruleSetType": { - "description": "Defines the rule set type to use.", - "type": "string" - }, - "ruleSetVersion": { - "description": "Defines the version of the rule set to use.", - "type": "string" - } - }, - "required": [ - "ruleSetType", - "ruleSetVersion" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExclusionManagedRuleSetResponse": { - "description": "Defines a managed rule set for Exclusions.", - "properties": { - "ruleGroups": { - "description": "Defines the rule groups to apply to the rule set.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRuleGroupResponse", - "type": "object" - }, - "type": "array" - }, - "ruleSetType": { - "description": "Defines the rule set type to use.", - "type": "string" - }, - "ruleSetVersion": { - "description": "Defines the version of the rule set to use.", - "type": "string" - } - }, - "required": [ - "ruleSetType", - "ruleSetVersion" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExplicitProxy": { - "description": "Explicit Proxy Settings in Firewall Policy.", - "properties": { - "enableExplicitProxy": { - "description": "When set to true, explicit proxy mode is enabled.", - "type": "boolean" - }, - "enablePacFile": { - "description": "When set to true, pac file port and url needs to be provided.", - "type": "boolean" - }, - "httpPort": { - "description": "Port number for explicit proxy http protocol, cannot be greater than 64000.", - "type": "integer" - }, - "httpsPort": { - "description": "Port number for explicit proxy https protocol, cannot be greater than 64000.", - "type": "integer" - }, - "pacFile": { - "description": "SAS URL for PAC file.", - "type": "string" - }, - "pacFilePort": { - "description": "Port number for firewall to serve PAC file.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExplicitProxyResponse": { - "description": "Explicit Proxy Settings in Firewall Policy.", - "properties": { - "enableExplicitProxy": { - "description": "When set to true, explicit proxy mode is enabled.", - "type": "boolean" - }, - "enablePacFile": { - "description": "When set to true, pac file port and url needs to be provided.", - "type": "boolean" - }, - "httpPort": { - "description": "Port number for explicit proxy http protocol, cannot be greater than 64000.", - "type": "integer" - }, - "httpsPort": { - "description": "Port number for explicit proxy https protocol, cannot be greater than 64000.", - "type": "integer" - }, - "pacFile": { - "description": "SAS URL for PAC file.", - "type": "string" - }, - "pacFilePort": { - "description": "Port number for firewall to serve PAC file.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitAuthorization": { - "description": "Authorization in an ExpressRouteCircuit resource.", - "properties": { - "authorizationKey": { - "description": "The authorization key.", - "type": "string" - }, - "authorizationUseStatus": { - "description": "The authorization use status.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:AuthorizationUseStatus" - } - ] - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitAuthorizationResponse": { - "description": "Authorization in an ExpressRouteCircuit resource.", - "properties": { - "authorizationKey": { - "description": "The authorization key.", - "type": "string" - }, - "authorizationUseStatus": { - "description": "The authorization use status.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the authorization resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitConnection": { - "description": "Express Route Circuit Connection in an ExpressRouteCircuitPeering resource.", - "properties": { - "addressPrefix": { - "description": "/29 IP address space to carve out Customer addresses for tunnels.", - "type": "string" - }, - "authorizationKey": { - "description": "The authorization key.", - "type": "string" - }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to Express Route Circuit Private Peering Resource of the circuit initiating connection.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6CircuitConnectionConfig", - "description": "IPv6 Address PrefixProperties of the express route circuit connection.", - "type": "object" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to Express Route Circuit Private Peering Resource of the peered circuit.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitConnectionResponse": { - "description": "Express Route Circuit Connection in an ExpressRouteCircuitPeering resource.", - "properties": { - "addressPrefix": { - "description": "/29 IP address space to carve out Customer addresses for tunnels.", - "type": "string" - }, - "authorizationKey": { - "description": "The authorization key.", - "type": "string" - }, - "circuitConnectionStatus": { - "description": "Express Route Circuit connection state.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to Express Route Circuit Private Peering Resource of the circuit initiating connection.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6CircuitConnectionConfigResponse", - "description": "IPv6 Address PrefixProperties of the express route circuit connection.", - "type": "object" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to Express Route Circuit Private Peering Resource of the peered circuit.", - "type": "object" - }, - "provisioningState": { - "description": "The provisioning state of the express route circuit connection resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "circuitConnectionStatus", - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeering": { - "description": "Peering in an ExpressRouteCircuit resource.", - "properties": { - "azureASN": { - "description": "The Azure ASN.", - "type": "integer" - }, - "connections": { - "description": "The list of circuit connections associated with Azure Private Peering for this circuit.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitConnection", - "type": "object" - }, - "type": "array" - }, - "gatewayManagerEtag": { - "description": "The GatewayManager Etag.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfig", - "description": "The IPv6 peering configuration.", - "type": "object" - }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfig", - "description": "The Microsoft peering configuration.", - "type": "object" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "peerASN": { - "description": "The peer ASN.", - "type": "number" - }, - "peeringType": { - "description": "The peering type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ExpressRoutePeeringType" - } - ] - }, - "primaryAzurePort": { - "description": "The primary port.", - "type": "string" - }, - "primaryPeerAddressPrefix": { - "description": "The primary address prefix.", - "type": "string" - }, - "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The reference to the RouteFilter resource.", - "type": "object" - }, - "secondaryAzurePort": { - "description": "The secondary port.", - "type": "string" - }, - "secondaryPeerAddressPrefix": { - "description": "The secondary address prefix.", - "type": "string" - }, - "sharedKey": { - "description": "The shared key.", - "type": "string" - }, - "state": { - "description": "The peering state.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ExpressRoutePeeringState" - } - ] - }, - "stats": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitStats", - "description": "The peering stats of express route circuit.", - "type": "object" - }, - "vlanId": { - "description": "The VLAN ID.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeeringConfig": { - "description": "Specifies the peering configuration.", - "properties": { - "advertisedCommunities": { - "description": "The communities of bgp peering. Specified for microsoft peering.", - "items": { - "type": "string" - }, - "type": "array" - }, - "advertisedPublicPrefixes": { - "description": "The reference to AdvertisedPublicPrefixes.", - "items": { - "type": "string" - }, - "type": "array" - }, - "customerASN": { - "description": "The CustomerASN of the peering.", - "type": "integer" - }, - "legacyMode": { - "description": "The legacy mode of the peering.", - "type": "integer" - }, - "routingRegistryName": { - "description": "The RoutingRegistryName of the configuration.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse": { - "description": "Specifies the peering configuration.", - "properties": { - "advertisedCommunities": { - "description": "The communities of bgp peering. Specified for microsoft peering.", - "items": { - "type": "string" - }, - "type": "array" - }, - "advertisedPublicPrefixes": { - "description": "The reference to AdvertisedPublicPrefixes.", - "items": { - "type": "string" - }, - "type": "array" - }, - "advertisedPublicPrefixesState": { - "description": "The advertised public prefix state of the Peering resource.", - "type": "string" - }, - "customerASN": { - "description": "The CustomerASN of the peering.", - "type": "integer" - }, - "legacyMode": { - "description": "The legacy mode of the peering.", - "type": "integer" - }, - "routingRegistryName": { - "description": "The RoutingRegistryName of the configuration.", - "type": "string" - } - }, - "required": [ - "advertisedPublicPrefixesState" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeeringId": { - "description": "ExpressRoute circuit peering identifier.", - "properties": { - "id": { - "description": "The ID of the ExpressRoute circuit peering.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeeringIdResponse": { - "description": "ExpressRoute circuit peering identifier.", - "properties": { - "id": { - "description": "The ID of the ExpressRoute circuit peering.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse": { - "description": "Peering in an ExpressRouteCircuit resource.", - "properties": { - "azureASN": { - "description": "The Azure ASN.", - "type": "integer" - }, - "connections": { - "description": "The list of circuit connections associated with Azure Private Peering for this circuit.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitConnectionResponse", - "type": "object" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "expressRouteConnection": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnectionIdResponse", - "description": "The ExpressRoute connection.", - "type": "object" - }, - "gatewayManagerEtag": { - "description": "The GatewayManager Etag.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse", - "description": "The IPv6 peering configuration.", - "type": "object" - }, - "lastModifiedBy": { - "description": "Who was the last to modify the peering.", - "type": "string" - }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse", - "description": "The Microsoft peering configuration.", - "type": "object" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "peerASN": { - "description": "The peer ASN.", - "type": "number" - }, - "peeredConnections": { - "description": "The list of peered circuit connections associated with Azure Private Peering for this circuit.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:PeerExpressRouteCircuitConnectionResponse", - "type": "object" - }, - "type": "array" - }, - "peeringType": { - "description": "The peering type.", - "type": "string" - }, - "primaryAzurePort": { - "description": "The primary port.", - "type": "string" - }, - "primaryPeerAddressPrefix": { - "description": "The primary address prefix.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the express route circuit peering resource.", - "type": "string" - }, - "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The reference to the RouteFilter resource.", - "type": "object" - }, - "secondaryAzurePort": { - "description": "The secondary port.", - "type": "string" - }, - "secondaryPeerAddressPrefix": { - "description": "The secondary address prefix.", - "type": "string" - }, - "sharedKey": { - "description": "The shared key.", - "type": "string" - }, - "state": { - "description": "The peering state.", - "type": "string" - }, - "stats": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitStatsResponse", - "description": "The peering stats of express route circuit.", - "type": "object" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - }, - "vlanId": { - "description": "The VLAN ID.", - "type": "integer" - } - }, - "required": [ - "etag", - "lastModifiedBy", - "peeredConnections", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeeringState": { - "description": "The state of peering.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ExpressRouteCircuitServiceProviderProperties": { - "description": "Contains ServiceProviderProperties in an ExpressRouteCircuit.", - "properties": { - "bandwidthInMbps": { - "description": "The BandwidthInMbps.", - "type": "integer" - }, - "peeringLocation": { - "description": "The peering location.", - "type": "string" - }, - "serviceProviderName": { - "description": "The serviceProviderName.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitServiceProviderPropertiesResponse": { - "description": "Contains ServiceProviderProperties in an ExpressRouteCircuit.", - "properties": { - "bandwidthInMbps": { - "description": "The BandwidthInMbps.", - "type": "integer" - }, - "peeringLocation": { - "description": "The peering location.", - "type": "string" - }, - "serviceProviderName": { - "description": "The serviceProviderName.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitSku": { - "description": "Contains SKU in an ExpressRouteCircuit.", - "properties": { - "family": { - "description": "The family of the SKU.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitSkuFamily" - } - ] - }, - "name": { - "description": "The name of the SKU.", - "type": "string" - }, - "tier": { - "description": "The tier of the SKU.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitSkuTier" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitSkuFamily": { - "description": "The family of the SKU.", - "enum": [ - { - "value": "UnlimitedData" - }, - { - "value": "MeteredData" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ExpressRouteCircuitSkuResponse": { - "description": "Contains SKU in an ExpressRouteCircuit.", - "properties": { - "family": { - "description": "The family of the SKU.", - "type": "string" - }, - "name": { - "description": "The name of the SKU.", - "type": "string" - }, - "tier": { - "description": "The tier of the SKU.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitSkuTier": { - "description": "The tier of the SKU.", - "enum": [ - { - "value": "Standard" - }, - { - "value": "Premium" - }, - { - "value": "Basic" - }, - { - "value": "Local" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ExpressRouteCircuitStats": { - "description": "Contains stats associated with the peering.", - "properties": { - "primarybytesIn": { - "description": "The Primary BytesIn of the peering.", - "type": "number" - }, - "primarybytesOut": { - "description": "The primary BytesOut of the peering.", - "type": "number" - }, - "secondarybytesIn": { - "description": "The secondary BytesIn of the peering.", - "type": "number" - }, - "secondarybytesOut": { - "description": "The secondary BytesOut of the peering.", - "type": "number" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteCircuitStatsResponse": { - "description": "Contains stats associated with the peering.", - "properties": { - "primarybytesIn": { - "description": "The Primary BytesIn of the peering.", - "type": "number" - }, - "primarybytesOut": { - "description": "The primary BytesOut of the peering.", - "type": "number" - }, - "secondarybytesIn": { - "description": "The secondary BytesIn of the peering.", - "type": "number" - }, - "secondarybytesOut": { - "description": "The secondary BytesOut of the peering.", - "type": "number" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteConnection": { - "description": "ExpressRouteConnection resource.", - "properties": { - "authorizationKey": { - "description": "Authorization key to establish the connection.", - "type": "string" - }, - "enableInternetSecurity": { - "description": "Enable internet security.", - "type": "boolean" - }, - "enablePrivateLinkFastPath": { - "description": "Bypass the ExpressRoute gateway when accessing private-links. ExpressRoute FastPath (expressRouteGatewayBypass) must be enabled.", - "type": "boolean" - }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringId", - "description": "The ExpressRoute circuit peering.", - "type": "object" - }, - "expressRouteGatewayBypass": { - "description": "Enable FastPath to vWan Firewall hub.", - "type": "boolean" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource.", - "type": "string" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", - "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", - "type": "object" - }, - "routingWeight": { - "description": "The routing weight associated to the connection.", - "type": "integer" - } - }, - "required": [ - "expressRouteCircuitPeering", - "name" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteConnectionIdResponse": { - "description": "The ID of the ExpressRouteConnection.", - "properties": { - "id": { - "description": "The ID of the ExpressRouteConnection.", - "type": "string" - } - }, - "required": [ - "id" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteConnectionResponse": { - "description": "ExpressRouteConnection resource.", - "properties": { - "authorizationKey": { - "description": "Authorization key to establish the connection.", - "type": "string" - }, - "enableInternetSecurity": { - "description": "Enable internet security.", - "type": "boolean" - }, - "enablePrivateLinkFastPath": { - "description": "Bypass the ExpressRoute gateway when accessing private-links. ExpressRoute FastPath (expressRouteGatewayBypass) must be enabled.", - "type": "boolean" - }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringIdResponse", - "description": "The ExpressRoute circuit peering.", - "type": "object" - }, - "expressRouteGatewayBypass": { - "description": "Enable FastPath to vWan Firewall hub.", - "type": "boolean" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the express route connection resource.", - "type": "string" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", - "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", - "type": "object" - }, - "routingWeight": { - "description": "The routing weight associated to the connection.", - "type": "integer" - } - }, - "required": [ - "expressRouteCircuitPeering", - "name", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteGatewayPropertiesAutoScaleConfiguration": { - "description": "Configuration for auto scaling.", - "properties": { - "bounds": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteGatewayPropertiesBounds", - "description": "Minimum and maximum number of scale units to deploy.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteGatewayPropertiesBounds": { - "description": "Minimum and maximum number of scale units to deploy.", - "properties": { - "max": { - "description": "Maximum number of scale units deployed for ExpressRoute gateway.", - "type": "integer" - }, - "min": { - "description": "Minimum number of scale units deployed for ExpressRoute gateway.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration": { - "description": "Configuration for auto scaling.", - "properties": { - "bounds": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteGatewayPropertiesResponseBounds", - "description": "Minimum and maximum number of scale units to deploy.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteGatewayPropertiesResponseBounds": { - "description": "Minimum and maximum number of scale units to deploy.", - "properties": { - "max": { - "description": "Maximum number of scale units deployed for ExpressRoute gateway.", - "type": "integer" - }, - "min": { - "description": "Minimum number of scale units deployed for ExpressRoute gateway.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteLink": { - "description": "ExpressRouteLink child resource definition.", - "properties": { - "adminState": { - "description": "Administrative state of the physical port.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLinkAdminState" - } - ] - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "macSecConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLinkMacSecConfig", - "description": "MacSec configuration.", - "type": "object" - }, - "name": { - "description": "Name of child port resource that is unique among child port resources of the parent.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteLinkAdminState": { - "description": "Administrative state of the physical port.", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ExpressRouteLinkMacSecCipher": { - "description": "Mac security cipher.", - "enum": [ - { - "value": "GcmAes256" - }, - { - "value": "GcmAes128" - }, - { - "value": "GcmAesXpn128" - }, - { - "value": "GcmAesXpn256" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ExpressRouteLinkMacSecConfig": { - "description": "ExpressRouteLink Mac Security Configuration.", - "properties": { - "cakSecretIdentifier": { - "description": "Keyvault Secret Identifier URL containing Mac security CAK key.", - "type": "string" - }, - "cipher": { - "description": "Mac security cipher.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLinkMacSecCipher" - } - ] - }, - "cknSecretIdentifier": { - "description": "Keyvault Secret Identifier URL containing Mac security CKN key.", - "type": "string" - }, - "sciState": { - "description": "Sci mode enabled/disabled.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLinkMacSecSciState" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteLinkMacSecConfigResponse": { - "description": "ExpressRouteLink Mac Security Configuration.", - "properties": { - "cakSecretIdentifier": { - "description": "Keyvault Secret Identifier URL containing Mac security CAK key.", - "type": "string" - }, - "cipher": { - "description": "Mac security cipher.", - "type": "string" - }, - "cknSecretIdentifier": { - "description": "Keyvault Secret Identifier URL containing Mac security CKN key.", - "type": "string" - }, - "sciState": { - "description": "Sci mode enabled/disabled.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExpressRouteLinkMacSecSciState": { - "description": "Sci mode enabled/disabled.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ExpressRouteLinkResponse": { - "description": "ExpressRouteLink child resource definition.", - "properties": { - "adminState": { - "description": "Administrative state of the physical port.", - "type": "string" - }, - "coloLocation": { - "description": "Cololocation for ExpressRoute Hybrid Direct.", - "type": "string" - }, - "connectorType": { - "description": "Physical fiber port type.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "interfaceName": { - "description": "Name of Azure router interface.", - "type": "string" - }, - "macSecConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLinkMacSecConfigResponse", - "description": "MacSec configuration.", - "type": "object" - }, - "name": { - "description": "Name of child port resource that is unique among child port resources of the parent.", - "type": "string" - }, - "patchPanelId": { - "description": "Mapping between physical port to patch panel port.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the express route link resource.", - "type": "string" - }, - "rackId": { - "description": "Mapping of physical patch panel to rack.", - "type": "string" - }, - "routerName": { - "description": "Name of Azure router associated with physical port.", - "type": "string" - } - }, - "required": [ - "coloLocation", - "connectorType", - "etag", - "interfaceName", - "patchPanelId", - "provisioningState", - "rackId", - "routerName" - ], - "type": "object" - }, - "azure-native:network/v20230201:ExpressRoutePeeringState": { - "description": "The peering state.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ExpressRoutePeeringType": { - "description": "The peering type.", - "enum": [ - { - "value": "AzurePublicPeering" - }, - { - "value": "AzurePrivatePeering" - }, - { - "value": "MicrosoftPeering" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ExpressRoutePortsBillingType": { - "description": "The billing type of the ExpressRoutePort resource.", - "enum": [ - { - "value": "MeteredData" - }, - { - "value": "UnlimitedData" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ExpressRoutePortsEncapsulation": { - "description": "Encapsulation method on physical ports.", - "enum": [ - { - "value": "Dot1Q" - }, - { - "value": "QinQ" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ExtendedLocation": { - "description": "ExtendedLocation complex type.", - "properties": { - "name": { - "description": "The name of the extended location.", - "type": "string" - }, - "type": { - "description": "The type of the extended location.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationTypes" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExtendedLocationResponse": { - "description": "ExtendedLocation complex type.", - "properties": { - "name": { - "description": "The name of the extended location.", - "type": "string" - }, - "type": { - "description": "The type of the extended location.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ExtendedLocationTypes": { - "description": "The type of the extended location.", - "enum": [ - { - "value": "EdgeZone" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FilterItems": { - "description": "Will contain the filter name and values to operate on", - "properties": { - "field": { - "description": "The name of the field we would like to filter", - "type": "string" - }, - "values": { - "description": "List of values to filter the current field by", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyCertificateAuthority": { - "description": "Trusted Root certificates properties for tls.", - "properties": { - "keyVaultSecretId": { - "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", - "type": "string" - }, - "name": { - "description": "Name of the CA certificate.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyCertificateAuthorityResponse": { - "description": "Trusted Root certificates properties for tls.", - "properties": { - "keyVaultSecretId": { - "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", - "type": "string" - }, - "name": { - "description": "Name of the CA certificate.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyFilterRuleCollection": { - "description": "Firewall Policy Filter Rule Collection.", - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionAction", - "description": "The action type of a Filter rule collection.", - "type": "object" - }, - "name": { - "description": "The name of the rule collection.", - "type": "string" - }, - "priority": { - "description": "Priority of the Firewall Policy Rule Collection resource.", - "type": "integer" - }, - "ruleCollectionType": { - "const": "FirewallPolicyFilterRuleCollection", - "description": "The type of the rule collection.\nExpected value is 'FirewallPolicyFilterRuleCollection'.", - "type": "string" - }, - "rules": { - "description": "List of rules included in a rule collection.", - "items": { - "discriminator": { - "mapping": { - "ApplicationRule": "#/types/azure-native:network/v20230201:ApplicationRule", - "NatRule": "#/types/azure-native:network/v20230201:NatRule", - "NetworkRule": "#/types/azure-native:network/v20230201:NetworkRule" - }, - "propertyName": "ruleType" - }, - "oneOf": [ - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationRule", - "type": "object" - }, - { - "$ref": "#/types/azure-native:network/v20230201:NatRule", - "type": "object" - }, - { - "$ref": "#/types/azure-native:network/v20230201:NetworkRule", - "type": "object" - } - ] - }, - "type": "array" - } - }, - "required": [ - "ruleCollectionType" - ], - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionAction": { - "description": "Properties of the FirewallPolicyFilterRuleCollectionAction.", - "properties": { - "type": { - "description": "The type of action.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionActionType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionActionResponse": { - "description": "Properties of the FirewallPolicyFilterRuleCollectionAction.", - "properties": { - "type": { - "description": "The type of action.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionActionType": { - "description": "The type of action.", - "enum": [ - { - "value": "Allow" - }, - { - "value": "Deny" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionResponse": { - "description": "Firewall Policy Filter Rule Collection.", - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionActionResponse", - "description": "The action type of a Filter rule collection.", - "type": "object" - }, - "name": { - "description": "The name of the rule collection.", - "type": "string" - }, - "priority": { - "description": "Priority of the Firewall Policy Rule Collection resource.", - "type": "integer" - }, - "ruleCollectionType": { - "const": "FirewallPolicyFilterRuleCollection", - "description": "The type of the rule collection.\nExpected value is 'FirewallPolicyFilterRuleCollection'.", - "type": "string" - }, - "rules": { - "description": "List of rules included in a rule collection.", - "items": { - "discriminator": { - "mapping": { - "ApplicationRule": "#/types/azure-native:network/v20230201:ApplicationRuleResponse", - "NatRule": "#/types/azure-native:network/v20230201:NatRuleResponse", - "NetworkRule": "#/types/azure-native:network/v20230201:NetworkRuleResponse" - }, - "propertyName": "ruleType" - }, - "oneOf": [ - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationRuleResponse", - "type": "object" - }, - { - "$ref": "#/types/azure-native:network/v20230201:NatRuleResponse", - "type": "object" - }, - { - "$ref": "#/types/azure-native:network/v20230201:NetworkRuleResponse", - "type": "object" - } - ] - }, - "type": "array" - } - }, - "required": [ - "ruleCollectionType" - ], - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyHttpHeaderToInsert": { - "description": "name and value of HTTP/S header to insert", - "properties": { - "headerName": { - "description": "Contains the name of the header", - "type": "string" - }, - "headerValue": { - "description": "Contains the value of the header", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyHttpHeaderToInsertResponse": { - "description": "name and value of HTTP/S header to insert", - "properties": { - "headerName": { - "description": "Contains the name of the header", - "type": "string" - }, - "headerValue": { - "description": "Contains the value of the header", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyIDPSQuerySortOrder": { - "description": "Describes if results should be in ascending/descending order", - "enum": [ - { - "value": "Ascending" - }, - { - "value": "Descending" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FirewallPolicyInsights": { - "description": "Firewall Policy Insights.", - "properties": { - "isEnabled": { - "description": "A flag to indicate if the insights are enabled on the policy.", - "type": "boolean" - }, - "logAnalyticsResources": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyLogAnalyticsResources", - "description": "Workspaces needed to configure the Firewall Policy Insights.", - "type": "object" - }, - "retentionDays": { - "description": "Number of days the insights should be enabled on the policy.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyInsightsResponse": { - "description": "Firewall Policy Insights.", - "properties": { - "isEnabled": { - "description": "A flag to indicate if the insights are enabled on the policy.", - "type": "boolean" - }, - "logAnalyticsResources": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyLogAnalyticsResourcesResponse", - "description": "Workspaces needed to configure the Firewall Policy Insights.", - "type": "object" - }, - "retentionDays": { - "description": "Number of days the insights should be enabled on the policy.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetection": { - "description": "Configuration for intrusion detection mode and rules.", - "properties": { - "configuration": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionConfiguration", - "description": "Intrusion detection configuration properties.", - "type": "object" - }, - "mode": { - "description": "Intrusion detection general state.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionStateType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionBypassTrafficSpecifications": { - "description": "Intrusion detection bypass traffic specification.", - "properties": { - "description": { - "description": "Description of the bypass traffic rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses or ranges for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationIpGroups": { - "description": "List of destination IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "description": "List of destination ports or ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "Name of the bypass traffic rule.", - "type": "string" - }, - "protocol": { - "description": "The rule bypass protocol.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionProtocol" - } - ] - }, - "sourceAddresses": { - "description": "List of source IP addresses or ranges for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionBypassTrafficSpecificationsResponse": { - "description": "Intrusion detection bypass traffic specification.", - "properties": { - "description": { - "description": "Description of the bypass traffic rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses or ranges for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationIpGroups": { - "description": "List of destination IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "description": "List of destination ports or ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "Name of the bypass traffic rule.", - "type": "string" - }, - "protocol": { - "description": "The rule bypass protocol.", - "type": "string" - }, - "sourceAddresses": { - "description": "List of source IP addresses or ranges for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionConfiguration": { - "description": "The operation for configuring intrusion detection.", - "properties": { - "bypassTrafficSettings": { - "description": "List of rules for traffic to bypass.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionBypassTrafficSpecifications", - "type": "object" - }, - "type": "array" - }, - "privateRanges": { - "description": "IDPS Private IP address ranges are used to identify traffic direction (i.e. inbound, outbound, etc.). By default, only ranges defined by IANA RFC 1918 are considered private IP addresses. To modify default ranges, specify your Private IP address ranges with this property", - "items": { - "type": "string" - }, - "type": "array" - }, - "signatureOverrides": { - "description": "List of specific signatures states.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionSignatureSpecification", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionConfigurationResponse": { - "description": "The operation for configuring intrusion detection.", - "properties": { - "bypassTrafficSettings": { - "description": "List of rules for traffic to bypass.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionBypassTrafficSpecificationsResponse", - "type": "object" - }, - "type": "array" - }, - "privateRanges": { - "description": "IDPS Private IP address ranges are used to identify traffic direction (i.e. inbound, outbound, etc.). By default, only ranges defined by IANA RFC 1918 are considered private IP addresses. To modify default ranges, specify your Private IP address ranges with this property", - "items": { - "type": "string" - }, - "type": "array" - }, - "signatureOverrides": { - "description": "List of specific signatures states.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionSignatureSpecificationResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionProtocol": { - "description": "The rule bypass protocol.", - "enum": [ - { - "value": "TCP" - }, - { - "value": "UDP" - }, - { - "value": "ICMP" - }, - { - "value": "ANY" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionResponse": { - "description": "Configuration for intrusion detection mode and rules.", - "properties": { - "configuration": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionConfigurationResponse", - "description": "Intrusion detection configuration properties.", - "type": "object" - }, - "mode": { - "description": "Intrusion detection general state.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionSignatureSpecification": { - "description": "Intrusion detection signatures specification states.", - "properties": { - "id": { - "description": "Signature id.", - "type": "string" - }, - "mode": { - "description": "The signature state.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionStateType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionSignatureSpecificationResponse": { - "description": "Intrusion detection signatures specification states.", - "properties": { - "id": { - "description": "Signature id.", - "type": "string" - }, - "mode": { - "description": "The signature state.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionStateType": { - "description": "Intrusion detection general state.", - "enum": [ - { - "value": "Off" - }, - { - "value": "Alert" - }, - { - "value": "Deny" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FirewallPolicyLogAnalyticsResources": { - "description": "Log Analytics Resources for Firewall Policy Insights.", - "properties": { - "defaultWorkspaceId": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The default workspace Id for Firewall Policy Insights.", - "type": "object" - }, - "workspaces": { - "description": "List of workspaces for Firewall Policy Insights.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyLogAnalyticsWorkspace", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyLogAnalyticsResourcesResponse": { - "description": "Log Analytics Resources for Firewall Policy Insights.", - "properties": { - "defaultWorkspaceId": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The default workspace Id for Firewall Policy Insights.", - "type": "object" - }, - "workspaces": { - "description": "List of workspaces for Firewall Policy Insights.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyLogAnalyticsWorkspaceResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyLogAnalyticsWorkspace": { - "description": "Log Analytics Workspace for Firewall Policy Insights.", - "properties": { - "region": { - "description": "Region to configure the Workspace.", - "type": "string" - }, - "workspaceId": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The workspace Id for Firewall Policy Insights.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyLogAnalyticsWorkspaceResponse": { - "description": "Log Analytics Workspace for Firewall Policy Insights.", - "properties": { - "region": { - "description": "Region to configure the Workspace.", - "type": "string" - }, - "workspaceId": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The workspace Id for Firewall Policy Insights.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyNatRuleCollection": { - "description": "Firewall Policy NAT Rule Collection.", - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollectionAction", - "description": "The action type of a Nat rule collection.", - "type": "object" - }, - "name": { - "description": "The name of the rule collection.", - "type": "string" - }, - "priority": { - "description": "Priority of the Firewall Policy Rule Collection resource.", - "type": "integer" - }, - "ruleCollectionType": { - "const": "FirewallPolicyNatRuleCollection", - "description": "The type of the rule collection.\nExpected value is 'FirewallPolicyNatRuleCollection'.", - "type": "string" - }, - "rules": { - "description": "List of rules included in a rule collection.", - "items": { - "discriminator": { - "mapping": { - "ApplicationRule": "#/types/azure-native:network/v20230201:ApplicationRule", - "NatRule": "#/types/azure-native:network/v20230201:NatRule", - "NetworkRule": "#/types/azure-native:network/v20230201:NetworkRule" - }, - "propertyName": "ruleType" - }, - "oneOf": [ - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationRule", - "type": "object" - }, - { - "$ref": "#/types/azure-native:network/v20230201:NatRule", - "type": "object" - }, - { - "$ref": "#/types/azure-native:network/v20230201:NetworkRule", - "type": "object" - } - ] - }, - "type": "array" - } - }, - "required": [ - "ruleCollectionType" - ], - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyNatRuleCollectionAction": { - "description": "Properties of the FirewallPolicyNatRuleCollectionAction.", - "properties": { - "type": { - "description": "The type of action.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollectionActionType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyNatRuleCollectionActionResponse": { - "description": "Properties of the FirewallPolicyNatRuleCollectionAction.", - "properties": { - "type": { - "description": "The type of action.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyNatRuleCollectionActionType": { - "description": "The type of action.", - "enum": [ - { - "value": "DNAT" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FirewallPolicyNatRuleCollectionResponse": { - "description": "Firewall Policy NAT Rule Collection.", - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollectionActionResponse", - "description": "The action type of a Nat rule collection.", - "type": "object" - }, - "name": { - "description": "The name of the rule collection.", - "type": "string" - }, - "priority": { - "description": "Priority of the Firewall Policy Rule Collection resource.", - "type": "integer" - }, - "ruleCollectionType": { - "const": "FirewallPolicyNatRuleCollection", - "description": "The type of the rule collection.\nExpected value is 'FirewallPolicyNatRuleCollection'.", - "type": "string" - }, - "rules": { - "description": "List of rules included in a rule collection.", - "items": { - "discriminator": { - "mapping": { - "ApplicationRule": "#/types/azure-native:network/v20230201:ApplicationRuleResponse", - "NatRule": "#/types/azure-native:network/v20230201:NatRuleResponse", - "NetworkRule": "#/types/azure-native:network/v20230201:NetworkRuleResponse" - }, - "propertyName": "ruleType" - }, - "oneOf": [ - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationRuleResponse", - "type": "object" - }, - { - "$ref": "#/types/azure-native:network/v20230201:NatRuleResponse", - "type": "object" - }, - { - "$ref": "#/types/azure-native:network/v20230201:NetworkRuleResponse", - "type": "object" - } - ] - }, - "type": "array" - } - }, - "required": [ - "ruleCollectionType" - ], - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyRuleApplicationProtocol": { - "description": "Properties of the application rule protocol.", - "properties": { - "port": { - "description": "Port number for the protocol, cannot be greater than 64000.", - "type": "integer" - }, - "protocolType": { - "description": "Protocol type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyRuleApplicationProtocolType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyRuleApplicationProtocolResponse": { - "description": "Properties of the application rule protocol.", - "properties": { - "port": { - "description": "Port number for the protocol, cannot be greater than 64000.", - "type": "integer" - }, - "protocolType": { - "description": "Protocol type.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyRuleApplicationProtocolType": { - "description": "Protocol type.", - "enum": [ - { - "value": "Http" - }, - { - "value": "Https" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FirewallPolicyRuleCollectionType": { - "description": "The type of the rule collection.", - "enum": [ - { - "value": "FirewallPolicyNatRuleCollection" - }, - { - "value": "FirewallPolicyFilterRuleCollection" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FirewallPolicyRuleNetworkProtocol": { - "description": "The Network protocol of a Rule.", - "enum": [ - { - "value": "TCP" - }, - { - "value": "UDP" - }, - { - "value": "Any" - }, - { - "value": "ICMP" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FirewallPolicyRuleType": { - "description": "Rule Type.", - "enum": [ - { - "value": "ApplicationRule" - }, - { - "value": "NetworkRule" - }, - { - "value": "NatRule" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FirewallPolicySNAT": { - "description": "The private IP addresses/IP ranges to which traffic will not be SNAT.", - "properties": { - "autoLearnPrivateRanges": { - "description": "The operation mode for automatically learning private ranges to not be SNAT", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:AutoLearnPrivateRangesMode" - } - ] - }, - "privateRanges": { - "description": "List of private IP addresses/IP address ranges to not be SNAT.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicySNATResponse": { - "description": "The private IP addresses/IP ranges to which traffic will not be SNAT.", - "properties": { - "autoLearnPrivateRanges": { - "description": "The operation mode for automatically learning private ranges to not be SNAT", - "type": "string" - }, - "privateRanges": { - "description": "List of private IP addresses/IP address ranges to not be SNAT.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicySQL": { - "description": "SQL Settings in Firewall Policy.", - "properties": { - "allowSqlRedirect": { - "description": "A flag to indicate if SQL Redirect traffic filtering is enabled. Turning on the flag requires no rule using port 11000-11999.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicySQLResponse": { - "description": "SQL Settings in Firewall Policy.", - "properties": { - "allowSqlRedirect": { - "description": "A flag to indicate if SQL Redirect traffic filtering is enabled. Turning on the flag requires no rule using port 11000-11999.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicySku": { - "description": "SKU of Firewall policy.", - "properties": { - "tier": { - "description": "Tier of Firewall Policy.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySkuTier" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicySkuResponse": { - "description": "SKU of Firewall policy.", - "properties": { - "tier": { - "description": "Tier of Firewall Policy.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicySkuTier": { - "description": "Tier of Firewall Policy.", - "enum": [ - { - "value": "Standard" - }, - { - "value": "Premium" - }, - { - "value": "Basic" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FirewallPolicyThreatIntelWhitelist": { - "description": "ThreatIntel Whitelist for Firewall Policy.", - "properties": { - "fqdns": { - "description": "List of FQDNs for the ThreatIntel Whitelist.", - "items": { - "type": "string" - }, - "type": "array" - }, - "ipAddresses": { - "description": "List of IP addresses for the ThreatIntel Whitelist.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyThreatIntelWhitelistResponse": { - "description": "ThreatIntel Whitelist for Firewall Policy.", - "properties": { - "fqdns": { - "description": "List of FQDNs for the ThreatIntel Whitelist.", - "items": { - "type": "string" - }, - "type": "array" - }, - "ipAddresses": { - "description": "List of IP addresses for the ThreatIntel Whitelist.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyTransportSecurity": { - "description": "Configuration needed to perform TLS termination \u0026 initiation.", - "properties": { - "certificateAuthority": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyCertificateAuthority", - "description": "The CA used for intermediate CA generation.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FirewallPolicyTransportSecurityResponse": { - "description": "Configuration needed to perform TLS termination \u0026 initiation.", - "properties": { - "certificateAuthority": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyCertificateAuthorityResponse", - "description": "The CA used for intermediate CA generation.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FlowLogFormatParameters": { - "description": "Parameters that define the flow log format.", - "properties": { - "type": { - "description": "The file type of flow log.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:FlowLogFormatType" - } - ] - }, - "version": { - "default": 0, - "description": "The version (revision) of the flow log.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FlowLogFormatParametersResponse": { - "description": "Parameters that define the flow log format.", - "properties": { - "type": { - "description": "The file type of flow log.", - "type": "string" - }, - "version": { - "default": 0, - "description": "The version (revision) of the flow log.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FlowLogFormatType": { - "description": "The file type of flow log.", - "enum": [ - { - "value": "JSON" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:FlowLogResponse": { - "description": "A flow log resource.", - "properties": { - "enabled": { - "description": "Flag to enable/disable flow logging.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "flowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsPropertiesResponse", - "description": "Parameters that define the configuration of traffic analytics.", - "type": "object" - }, - "format": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogFormatParametersResponse", - "description": "Parameters that define the flow log format.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the flow log.", - "type": "string" - }, - "retentionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:RetentionPolicyParametersResponse", - "description": "Parameters that define the retention policy for flow log.", - "type": "object" - }, - "storageId": { - "description": "ID of the storage account which is used to store the flow log.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "targetResourceGuid": { - "description": "Guid of network security group to which flow log will be applied.", - "type": "string" - }, - "targetResourceId": { - "description": "ID of network security group to which flow log will be applied.", - "type": "string" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "name", - "provisioningState", - "storageId", - "targetResourceGuid", - "targetResourceId", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:FrontendIPConfiguration": { - "description": "Frontend IP address of the load balancer.", - "properties": { - "gatewayLoadBalancer": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The reference to gateway load balancer frontend IP.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within the set of frontend IP configurations used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "privateIPAddress": { - "description": "The private IP address of the IP configuration.", - "type": "string" - }, - "privateIPAddressVersion": { - "description": "Whether the specific ipconfiguration is IPv4 or IPv6. Default is taken as IPv4.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPVersion" - } - ] - }, - "privateIPAllocationMethod": { - "description": "The Private IP allocation method.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPAllocationMethod" - } - ] - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", - "description": "The reference to the Public IP resource.", - "type": "object" - }, - "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The reference to the Public IP Prefix resource.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", - "description": "The reference to the subnet resource.", - "type": "object" - }, - "zones": { - "description": "A list of availability zones denoting the IP allocated for the resource needs to come from.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:FrontendIPConfigurationResponse": { - "description": "Frontend IP address of the load balancer.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "gatewayLoadBalancer": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The reference to gateway load balancer frontend IP.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "inboundNatPools": { - "description": "An array of references to inbound pools that use this frontend IP.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "inboundNatRules": { - "description": "An array of references to inbound rules that use this frontend IP.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "loadBalancingRules": { - "description": "An array of references to load balancing rules that use this frontend IP.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within the set of frontend IP configurations used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "outboundRules": { - "description": "An array of references to outbound rules that use this frontend IP.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "privateIPAddress": { - "description": "The private IP address of the IP configuration.", - "type": "string" - }, - "privateIPAddressVersion": { - "description": "Whether the specific ipconfiguration is IPv4 or IPv6. Default is taken as IPv4.", - "type": "string" - }, - "privateIPAllocationMethod": { - "description": "The Private IP allocation method.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the frontend IP configuration resource.", - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", - "description": "The reference to the Public IP resource.", - "type": "object" - }, - "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The reference to the Public IP Prefix resource.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "description": "The reference to the subnet resource.", - "type": "object" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - }, - "zones": { - "description": "A list of availability zones denoting the IP allocated for the resource needs to come from.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "etag", - "inboundNatPools", - "inboundNatRules", - "loadBalancingRules", - "outboundRules", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfiguration": { - "description": "GatewayCustomBgpIpAddressIpConfiguration for a virtual network gateway connection.", - "properties": { - "customBgpIpAddress": { - "description": "The custom BgpPeeringAddress which belongs to IpconfigurationId.", - "type": "string" - }, - "ipConfigurationId": { - "description": "The IpconfigurationId of ipconfiguration which belongs to gateway.", - "type": "string" - } - }, - "required": [ - "customBgpIpAddress", - "ipConfigurationId" - ], - "type": "object" - }, - "azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfigurationResponse": { - "description": "GatewayCustomBgpIpAddressIpConfiguration for a virtual network gateway connection.", - "properties": { - "customBgpIpAddress": { - "description": "The custom BgpPeeringAddress which belongs to IpconfigurationId.", - "type": "string" - }, - "ipConfigurationId": { - "description": "The IpconfigurationId of ipconfiguration which belongs to gateway.", - "type": "string" - } - }, - "required": [ - "customBgpIpAddress", - "ipConfigurationId" - ], - "type": "object" - }, - "azure-native:network/v20230201:GatewayLoadBalancerTunnelInterface": { - "description": "Gateway load balancer tunnel interface of a load balancer backend address pool.", - "properties": { - "identifier": { - "description": "Identifier of gateway load balancer tunnel interface.", - "type": "integer" - }, - "port": { - "description": "Port of gateway load balancer tunnel interface.", - "type": "integer" - }, - "protocol": { - "description": "Protocol of gateway load balancer tunnel interface.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelProtocol" - } - ] - }, - "type": { - "description": "Traffic type of gateway load balancer tunnel interface.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelInterfaceType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:GatewayLoadBalancerTunnelInterfaceResponse": { - "description": "Gateway load balancer tunnel interface of a load balancer backend address pool.", - "properties": { - "identifier": { - "description": "Identifier of gateway load balancer tunnel interface.", - "type": "integer" - }, - "port": { - "description": "Port of gateway load balancer tunnel interface.", - "type": "integer" - }, - "protocol": { - "description": "Protocol of gateway load balancer tunnel interface.", - "type": "string" - }, - "type": { - "description": "Traffic type of gateway load balancer tunnel interface.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:GatewayLoadBalancerTunnelInterfaceType": { - "description": "Traffic type of gateway load balancer tunnel interface.", - "enum": [ - { - "value": "None" - }, - { - "value": "Internal" - }, - { - "value": "External" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:GatewayLoadBalancerTunnelProtocol": { - "description": "Protocol of gateway load balancer tunnel interface.", - "enum": [ - { - "value": "None" - }, - { - "value": "Native" - }, - { - "value": "VXLAN" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:GatewayRouteResponse": { - "description": "Gateway routing details.", - "properties": { - "asPath": { - "description": "The route's AS path sequence.", - "type": "string" - }, - "localAddress": { - "description": "The gateway's local address.", - "type": "string" - }, - "network": { - "description": "The route's network prefix.", - "type": "string" - }, - "nextHop": { - "description": "The route's next hop.", - "type": "string" - }, - "origin": { - "description": "The source this route was learned from.", - "type": "string" - }, - "sourcePeer": { - "description": "The peer this route was learned from.", - "type": "string" - }, - "weight": { - "description": "The route's weight.", - "type": "integer" - } - }, - "required": [ - "asPath", - "localAddress", - "network", - "nextHop", - "origin", - "sourcePeer", - "weight" - ], - "type": "object" - }, - "azure-native:network/v20230201:Geo": { - "description": "The Geo for CIDR advertising. Should be an Geo code.", - "enum": [ - { - "value": "GLOBAL" - }, - { - "value": "AFRI" - }, - { - "value": "APAC" - }, - { - "value": "EURO" - }, - { - "value": "LATAM" - }, - { - "value": "NAM" - }, - { - "value": "ME" - }, - { - "value": "OCEANIA" - }, - { - "value": "AQ" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:GroupByUserSession": { - "description": "Define user session identifier group by clauses.", - "properties": { - "groupByVariables": { - "description": "List of group by clause variables.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:GroupByVariable", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "groupByVariables" - ], - "type": "object" - }, - "azure-native:network/v20230201:GroupByUserSessionResponse": { - "description": "Define user session identifier group by clauses.", - "properties": { - "groupByVariables": { - "description": "List of group by clause variables.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:GroupByVariableResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "groupByVariables" - ], - "type": "object" - }, - "azure-native:network/v20230201:GroupByVariable": { - "description": "Define user session group by clause variables.", - "properties": { - "variableName": { - "description": "User Session clause variable.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFirewallUserSessionVariable" - } - ] - } - }, - "required": [ - "variableName" - ], - "type": "object" - }, - "azure-native:network/v20230201:GroupByVariableResponse": { - "description": "Define user session group by clause variables.", - "properties": { - "variableName": { - "description": "User Session clause variable.", - "type": "string" - } - }, - "required": [ - "variableName" - ], - "type": "object" - }, - "azure-native:network/v20230201:GroupConnectivity": { - "description": "Group connectivity type.", - "enum": [ - { - "value": "None" - }, - { - "value": "DirectlyConnected" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:HTTPConfigurationMethod": { - "description": "The HTTP method to use.", - "enum": [ - { - "value": "Get" - }, - { - "value": "Post" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:HTTPHeader": { - "description": "The HTTP header.", - "properties": { - "name": { - "description": "The name in HTTP header.", - "type": "string" - }, - "value": { - "description": "The value in HTTP header.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:HTTPHeaderResponse": { - "description": "The HTTP header.", - "properties": { - "name": { - "description": "The name in HTTP header.", - "type": "string" - }, - "value": { - "description": "The value in HTTP header.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:Hub": { - "description": "Hub Item.", - "properties": { - "resourceId": { - "description": "Resource Id.", - "type": "string" - }, - "resourceType": { - "description": "Resource Type.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:HubIPAddresses": { - "description": "IP addresses associated with azure firewall.", - "properties": { - "privateIPAddress": { - "description": "Private IP Address associated with azure firewall.", - "type": "string" - }, - "publicIPs": { - "$ref": "#/types/azure-native:network/v20230201:HubPublicIPAddresses", - "description": "Public IP addresses associated with azure firewall.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:HubIPAddressesResponse": { - "description": "IP addresses associated with azure firewall.", - "properties": { - "privateIPAddress": { - "description": "Private IP Address associated with azure firewall.", - "type": "string" - }, - "publicIPs": { - "$ref": "#/types/azure-native:network/v20230201:HubPublicIPAddressesResponse", - "description": "Public IP addresses associated with azure firewall.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:HubPublicIPAddresses": { - "description": "Public IP addresses associated with azure firewall.", - "properties": { - "addresses": { - "description": "The list of Public IP addresses associated with azure firewall or IP addresses to be retained.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallPublicIPAddress", - "type": "object" - }, - "type": "array" - }, - "count": { - "description": "The number of Public IP addresses associated with azure firewall.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:HubPublicIPAddressesResponse": { - "description": "Public IP addresses associated with azure firewall.", - "properties": { - "addresses": { - "description": "The list of Public IP addresses associated with azure firewall or IP addresses to be retained.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallPublicIPAddressResponse", - "type": "object" - }, - "type": "array" - }, - "count": { - "description": "The number of Public IP addresses associated with azure firewall.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:HubResponse": { - "description": "Hub Item.", - "properties": { - "resourceId": { - "description": "Resource Id.", - "type": "string" - }, - "resourceType": { - "description": "Resource Type.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:HubRoute": { - "description": "RouteTable route.", - "properties": { - "destinationType": { - "description": "The type of destinations (eg: CIDR, ResourceId, Service).", - "type": "string" - }, - "destinations": { - "description": "List of all destinations.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "The name of the Route that is unique within a RouteTable. This name can be used to access this route.", - "type": "string" - }, - "nextHop": { - "description": "NextHop resource ID.", - "type": "string" - }, - "nextHopType": { - "description": "The type of next hop (eg: ResourceId).", - "type": "string" - } - }, - "required": [ - "destinationType", - "destinations", - "name", - "nextHop", - "nextHopType" - ], - "type": "object" - }, - "azure-native:network/v20230201:HubRouteResponse": { - "description": "RouteTable route.", - "properties": { - "destinationType": { - "description": "The type of destinations (eg: CIDR, ResourceId, Service).", - "type": "string" - }, - "destinations": { - "description": "List of all destinations.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "The name of the Route that is unique within a RouteTable. This name can be used to access this route.", - "type": "string" - }, - "nextHop": { - "description": "NextHop resource ID.", - "type": "string" - }, - "nextHopType": { - "description": "The type of next hop (eg: ResourceId).", - "type": "string" - } - }, - "required": [ - "destinationType", - "destinations", - "name", - "nextHop", - "nextHopType" - ], - "type": "object" - }, - "azure-native:network/v20230201:HubRoutingPreference": { - "description": "The hubRoutingPreference of this VirtualHub.", - "enum": [ - { - "value": "ExpressRoute" - }, - { - "value": "VpnGateway" - }, - { - "value": "ASPath" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:IPAllocationMethod": { - "description": "The private IP address allocation method.", - "enum": [ - { - "value": "Static" - }, - { - "value": "Dynamic" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:IPConfigurationBgpPeeringAddress": { - "description": "Properties of IPConfigurationBgpPeeringAddress.", - "properties": { - "customBgpIpAddresses": { - "description": "The list of custom BGP peering addresses which belong to IP configuration.", - "items": { - "type": "string" - }, - "type": "array" - }, - "ipconfigurationId": { - "description": "The ID of IP configuration which belongs to gateway.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:IPConfigurationBgpPeeringAddressResponse": { - "description": "Properties of IPConfigurationBgpPeeringAddress.", - "properties": { - "customBgpIpAddresses": { - "description": "The list of custom BGP peering addresses which belong to IP configuration.", - "items": { - "type": "string" - }, - "type": "array" - }, - "defaultBgpIpAddresses": { - "description": "The list of default BGP peering addresses which belong to IP configuration.", - "items": { - "type": "string" - }, - "type": "array" - }, - "ipconfigurationId": { - "description": "The ID of IP configuration which belongs to gateway.", - "type": "string" - }, - "tunnelIpAddresses": { - "description": "The list of tunnel public IP addresses which belong to IP configuration.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "defaultBgpIpAddresses", - "tunnelIpAddresses" - ], - "type": "object" - }, - "azure-native:network/v20230201:IPConfigurationProfile": { - "description": "IP configuration profile child resource.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource. This name can be used to access the resource.", - "type": "string" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", - "description": "The reference to the subnet resource to create a container network interface ip configuration.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:IPConfigurationProfileResponse": { - "description": "IP configuration profile child resource.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the IP configuration profile resource.", - "type": "string" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "description": "The reference to the subnet resource to create a container network interface ip configuration.", - "type": "object" - }, - "type": { - "description": "Sub Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:IPConfigurationResponse": { - "description": "IP configuration.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "privateIPAddress": { - "description": "The private IP address of the IP configuration.", - "type": "string" - }, - "privateIPAllocationMethod": { - "default": "Dynamic", - "description": "The private IP address allocation method.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the IP configuration resource.", - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", - "description": "The reference to the public IP resource.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "description": "The reference to the subnet resource.", - "type": "object" - } - }, - "required": [ - "etag", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:IPVersion": { - "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", - "enum": [ - { - "value": "IPv4" - }, - { - "value": "IPv6" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:IkeEncryption": { - "description": "The IKE encryption algorithm (IKE phase 2).", - "enum": [ - { - "value": "DES" - }, - { - "value": "DES3" - }, - { - "value": "AES128" - }, - { - "value": "AES192" - }, - { - "value": "AES256" - }, - { - "value": "GCMAES256" - }, - { - "value": "GCMAES128" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:IkeIntegrity": { - "description": "The IKE integrity algorithm (IKE phase 2).", - "enum": [ - { - "value": "MD5" - }, - { - "value": "SHA1" - }, - { - "value": "SHA256" - }, - { - "value": "SHA384" - }, - { - "value": "GCMAES256" - }, - { - "value": "GCMAES128" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:InboundNatPool": { - "description": "Inbound NAT pool of the load balancer.", - "properties": { - "backendPort": { - "description": "The port used for internal connections on the endpoint. Acceptable values are between 1 and 65535.", - "type": "integer" - }, - "enableFloatingIP": { - "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", - "type": "boolean" - }, - "enableTcpReset": { - "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", - "type": "boolean" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "A reference to frontend IP addresses.", - "type": "object" - }, - "frontendPortRangeEnd": { - "description": "The last port number in the range of external ports that will be used to provide Inbound Nat to NICs associated with a load balancer. Acceptable values range between 1 and 65535.", - "type": "integer" - }, - "frontendPortRangeStart": { - "description": "The first port number in the range of external ports that will be used to provide Inbound Nat to NICs associated with a load balancer. Acceptable values range between 1 and 65534.", - "type": "integer" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", - "type": "integer" - }, - "name": { - "description": "The name of the resource that is unique within the set of inbound NAT pools used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "protocol": { - "description": "The reference to the transport protocol used by the inbound NAT pool.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:TransportProtocol" - } - ] - } - }, - "required": [ - "backendPort", - "frontendPortRangeEnd", - "frontendPortRangeStart", - "protocol" - ], - "type": "object" - }, - "azure-native:network/v20230201:InboundNatPoolResponse": { - "description": "Inbound NAT pool of the load balancer.", - "properties": { - "backendPort": { - "description": "The port used for internal connections on the endpoint. Acceptable values are between 1 and 65535.", - "type": "integer" - }, - "enableFloatingIP": { - "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", - "type": "boolean" - }, - "enableTcpReset": { - "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "A reference to frontend IP addresses.", - "type": "object" - }, - "frontendPortRangeEnd": { - "description": "The last port number in the range of external ports that will be used to provide Inbound Nat to NICs associated with a load balancer. Acceptable values range between 1 and 65535.", - "type": "integer" - }, - "frontendPortRangeStart": { - "description": "The first port number in the range of external ports that will be used to provide Inbound Nat to NICs associated with a load balancer. Acceptable values range between 1 and 65534.", - "type": "integer" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", - "type": "integer" - }, - "name": { - "description": "The name of the resource that is unique within the set of inbound NAT pools used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "protocol": { - "description": "The reference to the transport protocol used by the inbound NAT pool.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the inbound NAT pool resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "backendPort", - "etag", - "frontendPortRangeEnd", - "frontendPortRangeStart", - "protocol", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:InboundNatRule": { - "description": "Inbound NAT rule of the load balancer.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "A reference to backendAddressPool resource.", - "type": "object" - }, - "backendPort": { - "description": "The port used for the internal endpoint. Acceptable values range from 1 to 65535.", - "type": "integer" - }, - "enableFloatingIP": { - "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", - "type": "boolean" - }, - "enableTcpReset": { - "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", - "type": "boolean" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "A reference to frontend IP addresses.", - "type": "object" - }, - "frontendPort": { - "description": "The port for the external endpoint. Port numbers for each rule must be unique within the Load Balancer. Acceptable values range from 1 to 65534.", - "type": "integer" - }, - "frontendPortRangeEnd": { - "description": "The port range end for the external endpoint. This property is used together with BackendAddressPool and FrontendPortRangeStart. Individual inbound NAT rule port mappings will be created for each backend address from BackendAddressPool. Acceptable values range from 1 to 65534.", - "type": "integer" - }, - "frontendPortRangeStart": { - "description": "The port range start for the external endpoint. This property is used together with BackendAddressPool and FrontendPortRangeEnd. Individual inbound NAT rule port mappings will be created for each backend address from BackendAddressPool. Acceptable values range from 1 to 65534.", - "type": "integer" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", - "type": "integer" - }, - "name": { - "description": "The name of the resource that is unique within the set of inbound NAT rules used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "protocol": { - "description": "The reference to the transport protocol used by the load balancing rule.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:TransportProtocol" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:InboundNatRuleResponse": { - "description": "Inbound NAT rule of the load balancer.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "A reference to backendAddressPool resource.", - "type": "object" - }, - "backendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "description": "A reference to a private IP address defined on a network interface of a VM. Traffic sent to the frontend port of each of the frontend IP configurations is forwarded to the backend IP.", - "type": "object" - }, - "backendPort": { - "description": "The port used for the internal endpoint. Acceptable values range from 1 to 65535.", - "type": "integer" - }, - "enableFloatingIP": { - "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", - "type": "boolean" - }, - "enableTcpReset": { - "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "A reference to frontend IP addresses.", - "type": "object" - }, - "frontendPort": { - "description": "The port for the external endpoint. Port numbers for each rule must be unique within the Load Balancer. Acceptable values range from 1 to 65534.", - "type": "integer" - }, - "frontendPortRangeEnd": { - "description": "The port range end for the external endpoint. This property is used together with BackendAddressPool and FrontendPortRangeStart. Individual inbound NAT rule port mappings will be created for each backend address from BackendAddressPool. Acceptable values range from 1 to 65534.", - "type": "integer" - }, - "frontendPortRangeStart": { - "description": "The port range start for the external endpoint. This property is used together with BackendAddressPool and FrontendPortRangeEnd. Individual inbound NAT rule port mappings will be created for each backend address from BackendAddressPool. Acceptable values range from 1 to 65534.", - "type": "integer" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", - "type": "integer" - }, - "name": { - "description": "The name of the resource that is unique within the set of inbound NAT rules used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "protocol": { - "description": "The reference to the transport protocol used by the load balancing rule.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the inbound NAT rule resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "backendIPConfiguration", - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:IpAllocationType": { - "description": "The type for the IpAllocation.", - "enum": [ - { - "value": "Undefined" - }, - { - "value": "Hypernet" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:IpTag": { - "description": "Contains the IpTag associated with the object.", - "properties": { - "ipTagType": { - "description": "The IP tag type. Example: FirstPartyUsage.", - "type": "string" - }, - "tag": { - "description": "The value of the IP tag associated with the public IP. Example: SQL.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:IpTagResponse": { - "description": "Contains the IpTag associated with the object.", - "properties": { - "ipTagType": { - "description": "The IP tag type. Example: FirstPartyUsage.", - "type": "string" - }, - "tag": { - "description": "The value of the IP tag associated with the public IP. Example: SQL.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:IpsecEncryption": { - "description": "The IPSec encryption algorithm (IKE phase 1).", - "enum": [ - { - "value": "None" - }, - { - "value": "DES" - }, - { - "value": "DES3" - }, - { - "value": "AES128" - }, - { - "value": "AES192" - }, - { - "value": "AES256" - }, - { - "value": "GCMAES128" - }, - { - "value": "GCMAES192" - }, - { - "value": "GCMAES256" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:IpsecIntegrity": { - "description": "The IPSec integrity algorithm (IKE phase 1).", - "enum": [ - { - "value": "MD5" - }, - { - "value": "SHA1" - }, - { - "value": "SHA256" - }, - { - "value": "GCMAES128" - }, - { - "value": "GCMAES192" - }, - { - "value": "GCMAES256" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:IpsecPolicy": { - "description": "An IPSec Policy configuration for a virtual network gateway connection.", - "properties": { - "dhGroup": { - "description": "The DH Group used in IKE Phase 1 for initial SA.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:DhGroup" - } - ] - }, - "ikeEncryption": { - "description": "The IKE encryption algorithm (IKE phase 2).", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IkeEncryption" - } - ] - }, - "ikeIntegrity": { - "description": "The IKE integrity algorithm (IKE phase 2).", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IkeIntegrity" - } - ] - }, - "ipsecEncryption": { - "description": "The IPSec encryption algorithm (IKE phase 1).", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IpsecEncryption" - } - ] - }, - "ipsecIntegrity": { - "description": "The IPSec integrity algorithm (IKE phase 1).", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IpsecIntegrity" - } - ] - }, - "pfsGroup": { - "description": "The Pfs Group used in IKE Phase 2 for new child SA.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:PfsGroup" - } - ] - }, - "saDataSizeKilobytes": { - "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) payload size in KB for a site to site VPN tunnel.", - "type": "integer" - }, - "saLifeTimeSeconds": { - "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) lifetime in seconds for a site to site VPN tunnel.", - "type": "integer" - } - }, - "required": [ - "dhGroup", - "ikeEncryption", - "ikeIntegrity", - "ipsecEncryption", - "ipsecIntegrity", - "pfsGroup", - "saDataSizeKilobytes", - "saLifeTimeSeconds" - ], - "type": "object" - }, - "azure-native:network/v20230201:IpsecPolicyResponse": { - "description": "An IPSec Policy configuration for a virtual network gateway connection.", - "properties": { - "dhGroup": { - "description": "The DH Group used in IKE Phase 1 for initial SA.", - "type": "string" - }, - "ikeEncryption": { - "description": "The IKE encryption algorithm (IKE phase 2).", - "type": "string" - }, - "ikeIntegrity": { - "description": "The IKE integrity algorithm (IKE phase 2).", - "type": "string" - }, - "ipsecEncryption": { - "description": "The IPSec encryption algorithm (IKE phase 1).", - "type": "string" - }, - "ipsecIntegrity": { - "description": "The IPSec integrity algorithm (IKE phase 1).", - "type": "string" - }, - "pfsGroup": { - "description": "The Pfs Group used in IKE Phase 2 for new child SA.", - "type": "string" - }, - "saDataSizeKilobytes": { - "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) payload size in KB for a site to site VPN tunnel.", - "type": "integer" - }, - "saLifeTimeSeconds": { - "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) lifetime in seconds for a site to site VPN tunnel.", - "type": "integer" - } - }, - "required": [ - "dhGroup", - "ikeEncryption", - "ikeIntegrity", - "ipsecEncryption", - "ipsecIntegrity", - "pfsGroup", - "saDataSizeKilobytes", - "saLifeTimeSeconds" - ], - "type": "object" - }, - "azure-native:network/v20230201:Ipv6CircuitConnectionConfig": { - "description": "IPv6 Circuit Connection properties for global reach.", - "properties": { - "addressPrefix": { - "description": "/125 IP address space to carve out customer addresses for global reach.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:Ipv6CircuitConnectionConfigResponse": { - "description": "IPv6 Circuit Connection properties for global reach.", - "properties": { - "addressPrefix": { - "description": "/125 IP address space to carve out customer addresses for global reach.", - "type": "string" - }, - "circuitConnectionStatus": { - "description": "Express Route Circuit connection state.", - "type": "string" - } - }, - "required": [ - "circuitConnectionStatus" - ], - "type": "object" - }, - "azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfig": { - "description": "Contains IPv6 peering config.", - "properties": { - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfig", - "description": "The Microsoft peering configuration.", - "type": "object" - }, - "primaryPeerAddressPrefix": { - "description": "The primary address prefix.", - "type": "string" - }, - "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The reference to the RouteFilter resource.", - "type": "object" - }, - "secondaryPeerAddressPrefix": { - "description": "The secondary address prefix.", - "type": "string" - }, - "state": { - "description": "The state of peering.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringState" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse": { - "description": "Contains IPv6 peering config.", - "properties": { - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse", - "description": "The Microsoft peering configuration.", - "type": "object" - }, - "primaryPeerAddressPrefix": { - "description": "The primary address prefix.", - "type": "string" - }, - "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The reference to the RouteFilter resource.", - "type": "object" - }, - "secondaryPeerAddressPrefix": { - "description": "The secondary address prefix.", - "type": "string" - }, - "state": { - "description": "The state of peering.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:IsGlobal": { - "description": "Flag if global mesh is supported.", - "enum": [ - { - "value": "False" - }, - { - "value": "True" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:LoadBalancerBackendAddress": { - "description": "Load balancer backend addresses.", - "properties": { - "adminState": { - "description": "A list of administrative states which once set can override health probe so that Load Balancer will always forward new connections to backend, or deny new connections and reset existing connections.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerBackendAddressAdminState" - } - ] - }, - "ipAddress": { - "description": "IP Address belonging to the referenced virtual network.", - "type": "string" - }, - "loadBalancerFrontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to the frontend ip address configuration defined in regional loadbalancer.", - "type": "object" - }, - "name": { - "description": "Name of the backend address.", - "type": "string" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to an existing subnet.", - "type": "object" - }, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Reference to an existing virtual network.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:LoadBalancerBackendAddressAdminState": { - "description": "A list of administrative states which once set can override health probe so that Load Balancer will always forward new connections to backend, or deny new connections and reset existing connections.", - "enum": [ - { - "value": "None" - }, - { - "value": "Up" - }, - { - "value": "Down" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:LoadBalancerBackendAddressResponse": { - "description": "Load balancer backend addresses.", - "properties": { - "adminState": { - "description": "A list of administrative states which once set can override health probe so that Load Balancer will always forward new connections to backend, or deny new connections and reset existing connections.", - "type": "string" - }, - "inboundNatRulesPortMapping": { - "description": "Collection of inbound NAT rule port mappings.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NatRulePortMappingResponse", - "type": "object" - }, - "type": "array" - }, - "ipAddress": { - "description": "IP Address belonging to the referenced virtual network.", - "type": "string" - }, - "loadBalancerFrontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to the frontend ip address configuration defined in regional loadbalancer.", - "type": "object" - }, - "name": { - "description": "Name of the backend address.", - "type": "string" - }, - "networkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to IP address defined in network interfaces.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to an existing subnet.", - "type": "object" - }, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to an existing virtual network.", - "type": "object" - } - }, - "required": [ - "inboundNatRulesPortMapping", - "networkInterfaceIPConfiguration" - ], - "type": "object" - }, - "azure-native:network/v20230201:LoadBalancerOutboundRuleProtocol": { - "description": "The protocol for the outbound rule in load balancer.", - "enum": [ - { - "value": "Tcp" - }, - { - "value": "Udp" - }, - { - "value": "All" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:LoadBalancerSku": { - "description": "SKU of a load balancer.", - "properties": { - "name": { - "description": "Name of a load balancer SKU.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerSkuName" - } - ] - }, - "tier": { - "description": "Tier of a load balancer SKU.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerSkuTier" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:LoadBalancerSkuName": { - "description": "Name of a load balancer SKU.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "Standard" - }, - { - "value": "Gateway" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:LoadBalancerSkuResponse": { - "description": "SKU of a load balancer.", - "properties": { - "name": { - "description": "Name of a load balancer SKU.", - "type": "string" - }, - "tier": { - "description": "Tier of a load balancer SKU.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:LoadBalancerSkuTier": { - "description": "Tier of a load balancer SKU.", - "enum": [ - { - "value": "Regional" - }, - { - "value": "Global" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:LoadBalancingRule": { - "description": "A load balancing rule for a load balancer.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "A reference to a pool of DIPs. Inbound traffic is randomly load balanced across IPs in the backend IPs.", - "type": "object" - }, - "backendAddressPools": { - "description": "An array of references to pool of DIPs.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "backendPort": { - "description": "The port used for internal connections on the endpoint. Acceptable values are between 0 and 65535. Note that value 0 enables \"Any Port\".", - "type": "integer" - }, - "disableOutboundSnat": { - "description": "Configures SNAT for the VMs in the backend pool to use the publicIP address specified in the frontend of the load balancing rule.", - "type": "boolean" - }, - "enableFloatingIP": { - "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", - "type": "boolean" - }, - "enableTcpReset": { - "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", - "type": "boolean" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "A reference to frontend IP addresses.", - "type": "object" - }, - "frontendPort": { - "description": "The port for the external endpoint. Port numbers for each rule must be unique within the Load Balancer. Acceptable values are between 0 and 65534. Note that value 0 enables \"Any Port\".", - "type": "integer" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", - "type": "integer" - }, - "loadDistribution": { - "description": "The load distribution policy for this rule.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:LoadDistribution" - } - ] - }, - "name": { - "description": "The name of the resource that is unique within the set of load balancing rules used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The reference to the load balancer probe used by the load balancing rule.", - "type": "object" - }, - "protocol": { - "description": "The reference to the transport protocol used by the load balancing rule.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:TransportProtocol" - } - ] - } - }, - "required": [ - "frontendPort", - "protocol" - ], - "type": "object" - }, - "azure-native:network/v20230201:LoadBalancingRuleResponse": { - "description": "A load balancing rule for a load balancer.", - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "A reference to a pool of DIPs. Inbound traffic is randomly load balanced across IPs in the backend IPs.", - "type": "object" - }, - "backendAddressPools": { - "description": "An array of references to pool of DIPs.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "backendPort": { - "description": "The port used for internal connections on the endpoint. Acceptable values are between 0 and 65535. Note that value 0 enables \"Any Port\".", - "type": "integer" - }, - "disableOutboundSnat": { - "description": "Configures SNAT for the VMs in the backend pool to use the publicIP address specified in the frontend of the load balancing rule.", - "type": "boolean" - }, - "enableFloatingIP": { - "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", - "type": "boolean" - }, - "enableTcpReset": { - "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "A reference to frontend IP addresses.", - "type": "object" - }, - "frontendPort": { - "description": "The port for the external endpoint. Port numbers for each rule must be unique within the Load Balancer. Acceptable values are between 0 and 65534. Note that value 0 enables \"Any Port\".", - "type": "integer" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", - "type": "integer" - }, - "loadDistribution": { - "description": "The load distribution policy for this rule.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within the set of load balancing rules used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The reference to the load balancer probe used by the load balancing rule.", - "type": "object" - }, - "protocol": { - "description": "The reference to the transport protocol used by the load balancing rule.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the load balancing rule resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "frontendPort", - "protocol", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:LoadDistribution": { - "description": "The load distribution policy for this rule.", - "enum": [ - { - "value": "Default" - }, - { - "value": "SourceIP" - }, - { - "value": "SourceIPProtocol" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:LocalNetworkGateway": { - "description": "A common class for general resource information.", - "properties": { - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", - "description": "Local network gateway's BGP speaker settings.", - "type": "object" - }, - "fqdn": { - "description": "FQDN of local network gateway.", - "type": "string" - }, - "gatewayIpAddress": { - "description": "IP address of local network gateway.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "localNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "description": "Local network site address space.", - "type": "object" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:LocalNetworkGatewayResponse": { - "description": "A common class for general resource information.", - "properties": { - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", - "description": "Local network gateway's BGP speaker settings.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "fqdn": { - "description": "FQDN of local network gateway.", - "type": "string" - }, - "gatewayIpAddress": { - "description": "IP address of local network gateway.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "localNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "description": "Local network site address space.", - "type": "object" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the local network gateway resource.", - "type": "string" - }, - "resourceGuid": { - "description": "The resource GUID property of the local network gateway resource.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "name", - "provisioningState", - "resourceGuid", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ManagedRuleEnabledState": { - "description": "The state of the managed rule. Defaults to Disabled if not specified.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ManagedRuleGroupOverride": { - "description": "Defines a managed rule group override setting.", - "properties": { - "ruleGroupName": { - "description": "The managed rule group to override.", - "type": "string" - }, - "rules": { - "description": "List of rules that will be disabled. If none specified, all rules in the group will be disabled.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleOverride", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "ruleGroupName" - ], - "type": "object" - }, - "azure-native:network/v20230201:ManagedRuleGroupOverrideResponse": { - "description": "Defines a managed rule group override setting.", - "properties": { - "ruleGroupName": { - "description": "The managed rule group to override.", - "type": "string" - }, - "rules": { - "description": "List of rules that will be disabled. If none specified, all rules in the group will be disabled.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleOverrideResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "ruleGroupName" - ], - "type": "object" - }, - "azure-native:network/v20230201:ManagedRuleOverride": { - "description": "Defines a managed rule group override setting.", - "properties": { - "action": { - "description": "Describes the override action to be applied when rule matches.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ActionType" - } - ] - }, - "ruleId": { - "description": "Identifier for the managed rule.", - "type": "string" - }, - "state": { - "description": "The state of the managed rule. Defaults to Disabled if not specified.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleEnabledState" - } - ] - } - }, - "required": [ - "ruleId" - ], - "type": "object" - }, - "azure-native:network/v20230201:ManagedRuleOverrideResponse": { - "description": "Defines a managed rule group override setting.", - "properties": { - "action": { - "description": "Describes the override action to be applied when rule matches.", - "type": "string" - }, - "ruleId": { - "description": "Identifier for the managed rule.", - "type": "string" - }, - "state": { - "description": "The state of the managed rule. Defaults to Disabled if not specified.", - "type": "string" - } - }, - "required": [ - "ruleId" - ], - "type": "object" - }, - "azure-native:network/v20230201:ManagedRuleSet": { - "description": "Defines a managed rule set.", - "properties": { - "ruleGroupOverrides": { - "description": "Defines the rule group overrides to apply to the rule set.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleGroupOverride", - "type": "object" - }, - "type": "array" - }, - "ruleSetType": { - "description": "Defines the rule set type to use.", - "type": "string" - }, - "ruleSetVersion": { - "description": "Defines the version of the rule set to use.", - "type": "string" - } - }, - "required": [ - "ruleSetType", - "ruleSetVersion" - ], - "type": "object" - }, - "azure-native:network/v20230201:ManagedRuleSetResponse": { - "description": "Defines a managed rule set.", - "properties": { - "ruleGroupOverrides": { - "description": "Defines the rule group overrides to apply to the rule set.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleGroupOverrideResponse", - "type": "object" - }, - "type": "array" - }, - "ruleSetType": { - "description": "Defines the rule set type to use.", - "type": "string" - }, - "ruleSetVersion": { - "description": "Defines the version of the rule set to use.", - "type": "string" - } - }, - "required": [ - "ruleSetType", - "ruleSetVersion" - ], - "type": "object" - }, - "azure-native:network/v20230201:ManagedRulesDefinition": { - "description": "Allow to exclude some variable satisfy the condition for the WAF check.", - "properties": { - "exclusions": { - "description": "The Exclusions that are applied on the policy.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:OwaspCrsExclusionEntry", - "type": "object" - }, - "type": "array" - }, - "managedRuleSets": { - "description": "The managed rule sets that are associated with the policy.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleSet", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "managedRuleSets" - ], - "type": "object" - }, - "azure-native:network/v20230201:ManagedRulesDefinitionResponse": { - "description": "Allow to exclude some variable satisfy the condition for the WAF check.", - "properties": { - "exclusions": { - "description": "The Exclusions that are applied on the policy.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:OwaspCrsExclusionEntryResponse", - "type": "object" - }, - "type": "array" - }, - "managedRuleSets": { - "description": "The managed rule sets that are associated with the policy.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleSetResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "managedRuleSets" - ], - "type": "object" - }, - "azure-native:network/v20230201:ManagedServiceIdentity": { - "description": "Identity for the resource.", - "properties": { - "type": { - "$ref": "#/types/azure-native:network/v20230201:ResourceIdentityType", - "description": "The type of identity used for the resource. The type 'SystemAssigned, UserAssigned' includes both an implicitly created identity and a set of user assigned identities. The type 'None' will remove any identities from the virtual machine." - }, - "userAssignedIdentities": { - "description": "The list of user identities associated with resource. The user identity dictionary key references will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}'.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ManagedServiceIdentityResponse": { - "description": "Identity for the resource.", - "properties": { - "principalId": { - "description": "The principal id of the system assigned identity. This property will only be provided for a system assigned identity.", - "type": "string" - }, - "tenantId": { - "description": "The tenant id of the system assigned identity. This property will only be provided for a system assigned identity.", - "type": "string" - }, - "type": { - "description": "The type of identity used for the resource. The type 'SystemAssigned, UserAssigned' includes both an implicitly created identity and a set of user assigned identities. The type 'None' will remove any identities from the virtual machine.", - "type": "string" - }, - "userAssignedIdentities": { - "additionalProperties": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponseUserAssignedIdentities", - "type": "object" - }, - "description": "The list of user identities associated with resource. The user identity dictionary key references will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}'.", - "type": "object" - } - }, - "required": [ - "principalId", - "tenantId" - ], - "type": "object" - }, - "azure-native:network/v20230201:ManagedServiceIdentityResponseUserAssignedIdentities": { - "properties": { - "clientId": { - "description": "The client id of user assigned identity.", - "type": "string" - }, - "principalId": { - "description": "The principal id of user assigned identity.", - "type": "string" - } - }, - "required": [ - "clientId", - "principalId" - ], - "type": "object" - }, - "azure-native:network/v20230201:MatchCondition": { - "description": "Define match conditions.", - "properties": { - "matchValues": { - "description": "Match value.", - "items": { - "type": "string" - }, - "type": "array" - }, - "matchVariables": { - "description": "List of match variables.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:MatchVariable", - "type": "object" - }, - "type": "array" - }, - "negationConditon": { - "description": "Whether this is negate condition or not.", - "type": "boolean" - }, - "operator": { - "description": "The operator to be matched.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallOperator" - } - ] - }, - "transforms": { - "description": "List of transforms.", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallTransform" - } - ] - }, - "type": "array" - } - }, - "required": [ - "matchValues", - "matchVariables", - "operator" - ], - "type": "object" - }, - "azure-native:network/v20230201:MatchConditionResponse": { - "description": "Define match conditions.", - "properties": { - "matchValues": { - "description": "Match value.", - "items": { - "type": "string" - }, - "type": "array" - }, - "matchVariables": { - "description": "List of match variables.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:MatchVariableResponse", - "type": "object" - }, - "type": "array" - }, - "negationConditon": { - "description": "Whether this is negate condition or not.", - "type": "boolean" - }, - "operator": { - "description": "The operator to be matched.", - "type": "string" - }, - "transforms": { - "description": "List of transforms.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "matchValues", - "matchVariables", - "operator" - ], - "type": "object" - }, - "azure-native:network/v20230201:MatchVariable": { - "description": "Define match variables.", - "properties": { - "selector": { - "description": "The selector of match variable.", - "type": "string" - }, - "variableName": { - "description": "Match Variable.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallMatchVariable" - } - ] - } - }, - "required": [ - "variableName" - ], - "type": "object" - }, - "azure-native:network/v20230201:MatchVariableResponse": { - "description": "Define match variables.", - "properties": { - "selector": { - "description": "The selector of match variable.", - "type": "string" - }, - "variableName": { - "description": "Match Variable.", - "type": "string" - } - }, - "required": [ - "variableName" - ], - "type": "object" - }, - "azure-native:network/v20230201:NatGateway": { - "description": "Nat Gateway resource.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The idle timeout of the nat gateway.", - "type": "integer" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "publicIpAddresses": { - "description": "An array of public ip addresses associated with the nat gateway resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "publicIpPrefixes": { - "description": "An array of public ip prefixes associated with the nat gateway resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewaySku", - "description": "The nat gateway SKU.", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "zones": { - "description": "A list of availability zones denoting the zone in which Nat Gateway should be deployed.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:NatGatewayResponse": { - "description": "Nat Gateway resource.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The idle timeout of the nat gateway.", - "type": "integer" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the NAT gateway resource.", - "type": "string" - }, - "publicIpAddresses": { - "description": "An array of public ip addresses associated with the nat gateway resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "publicIpPrefixes": { - "description": "An array of public ip prefixes associated with the nat gateway resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "resourceGuid": { - "description": "The resource GUID property of the NAT gateway resource.", - "type": "string" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewaySkuResponse", - "description": "The nat gateway SKU.", - "type": "object" - }, - "subnets": { - "description": "An array of references to the subnets using this nat gateway resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "zones": { - "description": "A list of availability zones denoting the zone in which Nat Gateway should be deployed.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "etag", - "name", - "provisioningState", - "resourceGuid", - "subnets", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:NatGatewaySku": { - "description": "SKU of nat gateway.", - "properties": { - "name": { - "description": "Name of Nat Gateway SKU.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:NatGatewaySkuName" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:NatGatewaySkuName": { - "description": "Name of Nat Gateway SKU.", - "enum": [ - { - "value": "Standard" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:NatGatewaySkuResponse": { - "description": "SKU of nat gateway.", - "properties": { - "name": { - "description": "Name of Nat Gateway SKU.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:NatRule": { - "description": "Rule of type nat.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses or Service Tags.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "description": "List of destination ports.", - "items": { - "type": "string" - }, - "type": "array" - }, - "ipProtocols": { - "description": "Array of FirewallPolicyRuleNetworkProtocols.", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyRuleNetworkProtocol" - } - ] - }, - "type": "array" - }, - "name": { - "description": "Name of the rule.", - "type": "string" - }, - "ruleType": { - "const": "NatRule", - "description": "Rule Type.\nExpected value is 'NatRule'.", - "type": "string" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "translatedAddress": { - "description": "The translated address for this NAT rule.", - "type": "string" - }, - "translatedFqdn": { - "description": "The translated FQDN for this NAT rule.", - "type": "string" - }, - "translatedPort": { - "description": "The translated port for this NAT rule.", - "type": "string" - } - }, - "required": [ - "ruleType" - ], - "type": "object" - }, - "azure-native:network/v20230201:NatRulePortMappingResponse": { - "description": "Individual port mappings for inbound NAT rule created for backend pool.", - "properties": { - "backendPort": { - "description": "Backend port.", - "type": "integer" - }, - "frontendPort": { - "description": "Frontend port.", - "type": "integer" - }, - "inboundNatRuleName": { - "description": "Name of inbound NAT rule.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:NatRuleResponse": { - "description": "Rule of type nat.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses or Service Tags.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "description": "List of destination ports.", - "items": { - "type": "string" - }, - "type": "array" - }, - "ipProtocols": { - "description": "Array of FirewallPolicyRuleNetworkProtocols.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "Name of the rule.", - "type": "string" - }, - "ruleType": { - "const": "NatRule", - "description": "Rule Type.\nExpected value is 'NatRule'.", - "type": "string" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "translatedAddress": { - "description": "The translated address for this NAT rule.", - "type": "string" - }, - "translatedFqdn": { - "description": "The translated FQDN for this NAT rule.", - "type": "string" - }, - "translatedPort": { - "description": "The translated port for this NAT rule.", - "type": "string" - } - }, - "required": [ - "ruleType" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkIntentPolicyBasedService": { - "description": "Network intent policy based services.", - "enum": [ - { - "value": "None" - }, - { - "value": "All" - }, - { - "value": "AllowRulesOnly" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:NetworkInterfaceAuxiliaryMode": { - "description": "Auxiliary mode of Network Interface resource.", - "enum": [ - { - "value": "None" - }, - { - "value": "MaxConnections" - }, - { - "value": "Floating" - }, - { - "value": "AcceleratedConnections" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:NetworkInterfaceAuxiliarySku": { - "description": "Auxiliary sku of Network Interface resource.", - "enum": [ - { - "value": "None" - }, - { - "value": "A1" - }, - { - "value": "A2" - }, - { - "value": "A4" - }, - { - "value": "A8" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:NetworkInterfaceDnsSettings": { - "description": "DNS settings of a network interface.", - "properties": { - "dnsServers": { - "description": "List of DNS servers IP addresses. Use 'AzureProvidedDNS' to switch to azure provided DNS resolution. 'AzureProvidedDNS' value cannot be combined with other IPs, it must be the only value in dnsServers collection.", - "items": { - "type": "string" - }, - "type": "array" - }, - "internalDnsNameLabel": { - "description": "Relative DNS name for this NIC used for internal communications between VMs in the same virtual network.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:NetworkInterfaceDnsSettingsResponse": { - "description": "DNS settings of a network interface.", - "properties": { - "appliedDnsServers": { - "description": "If the VM that uses this NIC is part of an Availability Set, then this list will have the union of all DNS servers from all NICs that are part of the Availability Set. This property is what is configured on each of those VMs.", - "items": { - "type": "string" - }, - "type": "array" - }, - "dnsServers": { - "description": "List of DNS servers IP addresses. Use 'AzureProvidedDNS' to switch to azure provided DNS resolution. 'AzureProvidedDNS' value cannot be combined with other IPs, it must be the only value in dnsServers collection.", - "items": { - "type": "string" - }, - "type": "array" - }, - "internalDnsNameLabel": { - "description": "Relative DNS name for this NIC used for internal communications between VMs in the same virtual network.", - "type": "string" - }, - "internalDomainNameSuffix": { - "description": "Even if internalDnsNameLabel is not specified, a DNS entry is created for the primary NIC of the VM. This DNS name can be constructed by concatenating the VM name with the value of internalDomainNameSuffix.", - "type": "string" - }, - "internalFqdn": { - "description": "Fully qualified DNS name supporting internal communications between VMs in the same virtual network.", - "type": "string" - } - }, - "required": [ - "appliedDnsServers", - "internalDomainNameSuffix", - "internalFqdn" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkInterfaceIPConfiguration": { - "description": "IPConfiguration in a network interface.", - "properties": { - "applicationGatewayBackendAddressPools": { - "description": "The reference to ApplicationGatewayBackendAddressPool resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPool", - "type": "object" - }, - "type": "array" - }, - "applicationSecurityGroups": { - "description": "Application security groups in which the IP configuration is included.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" - }, - "gatewayLoadBalancer": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The reference to gateway load balancer frontend IP.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "loadBalancerBackendAddressPools": { - "description": "The reference to LoadBalancerBackendAddressPool resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:BackendAddressPool", - "type": "object" - }, - "type": "array" - }, - "loadBalancerInboundNatRules": { - "description": "A list of references of LoadBalancerInboundNatRules.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatRule", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "primary": { - "description": "Whether this is a primary customer address on the network interface.", - "type": "boolean" - }, - "privateIPAddress": { - "description": "Private IP address of the IP configuration.", - "type": "string" - }, - "privateIPAddressVersion": { - "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPVersion" - } - ] - }, - "privateIPAllocationMethod": { - "description": "The private IP address allocation method.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPAllocationMethod" - } - ] - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", - "description": "Public IP address bound to the IP configuration.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", - "description": "Subnet bound to the IP configuration.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "virtualNetworkTaps": { - "description": "The reference to Virtual Network Taps.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTap", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:NetworkInterfaceIPConfigurationPrivateLinkConnectionPropertiesResponse": { - "description": "PrivateLinkConnection properties for the network interface.", - "properties": { - "fqdns": { - "description": "List of FQDNs for current private link connection.", - "items": { - "type": "string" - }, - "type": "array" - }, - "groupId": { - "description": "The group ID for current private link connection.", - "type": "string" - }, - "requiredMemberName": { - "description": "The required member name for current private link connection.", - "type": "string" - } - }, - "required": [ - "fqdns", - "groupId", - "requiredMemberName" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse": { - "description": "IPConfiguration in a network interface.", - "properties": { - "applicationGatewayBackendAddressPools": { - "description": "The reference to ApplicationGatewayBackendAddressPool resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse", - "type": "object" - }, - "type": "array" - }, - "applicationSecurityGroups": { - "description": "Application security groups in which the IP configuration is included.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", - "type": "object" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "gatewayLoadBalancer": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The reference to gateway load balancer frontend IP.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "loadBalancerBackendAddressPools": { - "description": "The reference to LoadBalancerBackendAddressPool resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:BackendAddressPoolResponse", - "type": "object" - }, - "type": "array" - }, - "loadBalancerInboundNatRules": { - "description": "A list of references of LoadBalancerInboundNatRules.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatRuleResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "primary": { - "description": "Whether this is a primary customer address on the network interface.", - "type": "boolean" - }, - "privateIPAddress": { - "description": "Private IP address of the IP configuration.", - "type": "string" - }, - "privateIPAddressVersion": { - "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", - "type": "string" - }, - "privateIPAllocationMethod": { - "description": "The private IP address allocation method.", - "type": "string" - }, - "privateLinkConnectionProperties": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationPrivateLinkConnectionPropertiesResponse", - "description": "PrivateLinkConnection properties for the network interface.", - "type": "object" - }, - "provisioningState": { - "description": "The provisioning state of the network interface IP configuration.", - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", - "description": "Public IP address bound to the IP configuration.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "description": "Subnet bound to the IP configuration.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "virtualNetworkTaps": { - "description": "The reference to Virtual Network Taps.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTapResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "etag", - "privateLinkConnectionProperties", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkInterfaceMigrationPhase": { - "description": "Migration phase of Network Interface resource.", - "enum": [ - { - "value": "None" - }, - { - "value": "Prepare" - }, - { - "value": "Commit" - }, - { - "value": "Abort" - }, - { - "value": "Committed" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:NetworkInterfaceNicType": { - "description": "Type of Network Interface resource.", - "enum": [ - { - "value": "Standard" - }, - { - "value": "Elastic" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:NetworkInterfaceResponse": { - "description": "A network interface in a resource group.", - "properties": { - "auxiliaryMode": { - "description": "Auxiliary mode of Network Interface resource.", - "type": "string" - }, - "auxiliarySku": { - "description": "Auxiliary sku of Network Interface resource.", - "type": "string" - }, - "disableTcpStateTracking": { - "description": "Indicates whether to disable tcp state tracking.", - "type": "boolean" - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceDnsSettingsResponse", - "description": "The DNS settings in network interface.", - "type": "object" - }, - "dscpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "A reference to the dscp configuration to which the network interface is linked.", - "type": "object" - }, - "enableAcceleratedNetworking": { - "description": "If the network interface is configured for accelerated networking. Not applicable to VM sizes which require accelerated networking.", - "type": "boolean" - }, - "enableIPForwarding": { - "description": "Indicates whether IP forwarding is enabled on this network interface.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", - "description": "The extended location of the network interface.", - "type": "object" - }, - "hostedWorkloads": { - "description": "A list of references to linked BareMetal resources.", - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipConfigurations": { - "description": "A list of IPConfigurations of the network interface.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "macAddress": { - "description": "The MAC address of the network interface.", - "type": "string" - }, - "migrationPhase": { - "description": "Migration phase of Network Interface resource.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", - "description": "The reference to the NetworkSecurityGroup resource.", - "type": "object" - }, - "nicType": { - "description": "Type of Network Interface resource.", - "type": "string" - }, - "primary": { - "description": "Whether this is a primary network interface on a virtual machine.", - "type": "boolean" - }, - "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", - "description": "A reference to the private endpoint to which the network interface is linked.", - "type": "object" - }, - "privateLinkService": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceResponse", - "description": "Privatelinkservice of the network interface resource.", - "type": "object" - }, - "provisioningState": { - "description": "The provisioning state of the network interface resource.", - "type": "string" - }, - "resourceGuid": { - "description": "The resource GUID property of the network interface resource.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "tapConfigurations": { - "description": "A list of TapConfigurations of the network interface.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "virtualMachine": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The reference to a virtual machine.", - "type": "object" - }, - "vnetEncryptionSupported": { - "description": "Whether the virtual machine this nic is attached to supports encryption.", - "type": "boolean" - }, - "workloadType": { - "description": "WorkloadType of the NetworkInterface for BareMetal resources", - "type": "string" - } - }, - "required": [ - "dscpConfiguration", - "etag", - "hostedWorkloads", - "macAddress", - "name", - "primary", - "privateEndpoint", - "provisioningState", - "resourceGuid", - "tapConfigurations", - "type", - "virtualMachine", - "vnetEncryptionSupported" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse": { - "description": "Tap configuration in a Network Interface.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the network interface tap configuration resource.", - "type": "string" - }, - "type": { - "description": "Sub Resource type.", - "type": "string" - }, - "virtualNetworkTap": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTapResponse", - "description": "The reference to the Virtual Network Tap resource.", - "type": "object" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkManagerDeploymentStatusResponse": { - "description": "Network Manager Deployment Status.", - "properties": { - "commitTime": { - "description": "Commit Time.", - "type": "string" - }, - "configurationIds": { - "description": "List of configuration ids.", - "items": { - "type": "string" - }, - "type": "array" - }, - "deploymentStatus": { - "description": "Deployment Status.", - "type": "string" - }, - "deploymentType": { - "description": "Configuration Deployment Type.", - "type": "string" - }, - "errorMessage": { - "description": "Error Message.", - "type": "string" - }, - "region": { - "description": "Region Name.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:NetworkManagerPropertiesNetworkManagerScopes": { - "description": "Scope of Network Manager.", - "properties": { - "managementGroups": { - "description": "List of management groups.", - "items": { - "type": "string" - }, - "type": "array" - }, - "subscriptions": { - "description": "List of subscriptions.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:NetworkManagerPropertiesResponseNetworkManagerScopes": { - "description": "Scope of Network Manager.", - "properties": { - "crossTenantScopes": { - "description": "List of cross tenant scopes.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:CrossTenantScopesResponse", - "type": "object" - }, - "type": "array" - }, - "managementGroups": { - "description": "List of management groups.", - "items": { - "type": "string" - }, - "type": "array" - }, - "subscriptions": { - "description": "List of subscriptions.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "crossTenantScopes" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkManagerSecurityGroupItem": { - "description": "Network manager security group item.", - "properties": { - "networkGroupId": { - "description": "Network manager group Id.", - "type": "string" - } - }, - "required": [ - "networkGroupId" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse": { - "description": "Network manager security group item.", - "properties": { - "networkGroupId": { - "description": "Network manager group Id.", - "type": "string" - } - }, - "required": [ - "networkGroupId" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkRule": { - "description": "Rule of type network.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses or Service Tags.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationFqdns": { - "description": "List of destination FQDNs.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationIpGroups": { - "description": "List of destination IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "description": "List of destination ports.", - "items": { - "type": "string" - }, - "type": "array" - }, - "ipProtocols": { - "description": "Array of FirewallPolicyRuleNetworkProtocols.", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyRuleNetworkProtocol" - } - ] - }, - "type": "array" - }, - "name": { - "description": "Name of the rule.", - "type": "string" - }, - "ruleType": { - "const": "NetworkRule", - "description": "Rule Type.\nExpected value is 'NetworkRule'.", - "type": "string" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "ruleType" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkRuleResponse": { - "description": "Rule of type network.", - "properties": { - "description": { - "description": "Description of the rule.", - "type": "string" - }, - "destinationAddresses": { - "description": "List of destination IP addresses or Service Tags.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationFqdns": { - "description": "List of destination FQDNs.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationIpGroups": { - "description": "List of destination IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "description": "List of destination ports.", - "items": { - "type": "string" - }, - "type": "array" - }, - "ipProtocols": { - "description": "Array of FirewallPolicyRuleNetworkProtocols.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "Name of the rule.", - "type": "string" - }, - "ruleType": { - "const": "NetworkRule", - "description": "Rule Type.\nExpected value is 'NetworkRule'.", - "type": "string" - }, - "sourceAddresses": { - "description": "List of source IP addresses for this rule.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "description": "List of source IpGroups for this rule.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "ruleType" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkSecurityGroup": { - "description": "NetworkSecurityGroup resource.", - "properties": { - "flushConnection": { - "description": "When enabled, flows created from Network Security Group connections will be re-evaluated when rules are updates. Initial enablement will trigger re-evaluation.", - "type": "boolean" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "securityRules": { - "description": "A collection of security rules of the network security group.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRule", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:NetworkSecurityGroupResponse": { - "description": "NetworkSecurityGroup resource.", - "properties": { - "defaultSecurityRules": { - "description": "The default security rules of network security group.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", - "type": "object" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "flowLogs": { - "description": "A collection of references to flow log resources.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogResponse", - "type": "object" - }, - "type": "array" - }, - "flushConnection": { - "description": "When enabled, flows created from Network Security Group connections will be re-evaluated when rules are updates. Initial enablement will trigger re-evaluation.", - "type": "boolean" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "networkInterfaces": { - "description": "A collection of references to network interfaces.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the network security group resource.", - "type": "string" - }, - "resourceGuid": { - "description": "The resource GUID property of the network security group resource.", - "type": "string" - }, - "securityRules": { - "description": "A collection of security rules of the network security group.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", - "type": "object" - }, - "type": "array" - }, - "subnets": { - "description": "A collection of references to subnets.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "defaultSecurityRules", - "etag", - "flowLogs", - "name", - "networkInterfaces", - "provisioningState", - "resourceGuid", - "subnets", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:NetworkVirtualApplianceConnectionProperties": { - "description": "Properties of the NetworkVirtualApplianceConnection subresource.", - "properties": { - "asn": { - "description": "Network Virtual Appliance ASN.", - "type": "number" - }, - "bgpPeerAddress": { - "description": "List of bgpPeerAddresses for the NVA instances", - "items": { - "type": "string" - }, - "type": "array" - }, - "enableInternetSecurity": { - "description": "Enable internet security.", - "type": "boolean" - }, - "name": { - "description": "The name of the resource.", - "type": "string" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfv", - "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", - "type": "object" - }, - "tunnelIdentifier": { - "description": "Unique identifier for the connection.", - "type": "number" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:NetworkVirtualApplianceConnectionPropertiesResponse": { - "description": "Properties of the NetworkVirtualApplianceConnection subresource.", - "properties": { - "asn": { - "description": "Network Virtual Appliance ASN.", - "type": "number" - }, - "bgpPeerAddress": { - "description": "List of bgpPeerAddresses for the NVA instances", - "items": { - "type": "string" - }, - "type": "array" - }, - "enableInternetSecurity": { - "description": "Enable internet security.", - "type": "boolean" - }, - "name": { - "description": "The name of the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the NetworkVirtualApplianceConnection resource.", - "type": "string" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvResponse", - "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", - "type": "object" - }, - "tunnelIdentifier": { - "description": "Unique identifier for the connection.", - "type": "number" - } - }, - "required": [ - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:NextStep": { - "description": "Next step after rule is evaluated. Current supported behaviors are 'Continue'(to next rule) and 'Terminate'.", - "enum": [ - { - "value": "Unknown" - }, - { - "value": "Continue" - }, - { - "value": "Terminate" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:O365BreakOutCategoryPolicies": { - "description": "Office365 breakout categories.", - "properties": { - "allow": { - "description": "Flag to control allow category.", - "type": "boolean" - }, - "default": { - "description": "Flag to control default category.", - "type": "boolean" - }, - "optimize": { - "description": "Flag to control optimize category.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:O365BreakOutCategoryPoliciesResponse": { - "description": "Office365 breakout categories.", - "properties": { - "allow": { - "description": "Flag to control allow category.", - "type": "boolean" - }, - "default": { - "description": "Flag to control default category.", - "type": "boolean" - }, - "optimize": { - "description": "Flag to control optimize category.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:O365PolicyProperties": { - "description": "The Office365 breakout policy.", - "properties": { - "breakOutCategories": { - "$ref": "#/types/azure-native:network/v20230201:O365BreakOutCategoryPolicies", - "description": "Office365 breakout categories.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:O365PolicyPropertiesResponse": { - "description": "The Office365 breakout policy.", - "properties": { - "breakOutCategories": { - "$ref": "#/types/azure-native:network/v20230201:O365BreakOutCategoryPoliciesResponse", - "description": "Office365 breakout categories.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:Office365PolicyProperties": { - "description": "Network Virtual Appliance Sku Properties.", - "properties": { - "breakOutCategories": { - "$ref": "#/types/azure-native:network/v20230201:BreakOutCategoryPolicies", - "description": "Office 365 breakout categories.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:Office365PolicyPropertiesResponse": { - "description": "Network Virtual Appliance Sku Properties.", - "properties": { - "breakOutCategories": { - "$ref": "#/types/azure-native:network/v20230201:BreakOutCategoryPoliciesResponse", - "description": "Office 365 breakout categories.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:OrderBy": { - "description": "Describes a column to sort", - "properties": { - "field": { - "description": "Describes the actual column name to sort by", - "type": "string" - }, - "order": { - "description": "Describes if results should be in ascending/descending order", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIDPSQuerySortOrder" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:OutboundRule": { - "description": "Outbound rule of the load balancer.", - "properties": { - "allocatedOutboundPorts": { - "description": "The number of outbound ports to be used for NAT.", - "type": "integer" - }, - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "A reference to a pool of DIPs. Outbound traffic is randomly load balanced across IPs in the backend IPs.", - "type": "object" - }, - "enableTcpReset": { - "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", - "type": "boolean" - }, - "frontendIPConfigurations": { - "description": "The Frontend IP addresses of the load balancer.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The timeout for the TCP idle connection.", - "type": "integer" - }, - "name": { - "description": "The name of the resource that is unique within the set of outbound rules used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "protocol": { - "description": "The protocol for the outbound rule in load balancer.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerOutboundRuleProtocol" - } - ] - } - }, - "required": [ - "backendAddressPool", - "frontendIPConfigurations", - "protocol" - ], - "type": "object" - }, - "azure-native:network/v20230201:OutboundRuleResponse": { - "description": "Outbound rule of the load balancer.", - "properties": { - "allocatedOutboundPorts": { - "description": "The number of outbound ports to be used for NAT.", - "type": "integer" - }, - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "A reference to a pool of DIPs. Outbound traffic is randomly load balanced across IPs in the backend IPs.", - "type": "object" - }, - "enableTcpReset": { - "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "frontendIPConfigurations": { - "description": "The Frontend IP addresses of the load balancer.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The timeout for the TCP idle connection.", - "type": "integer" - }, - "name": { - "description": "The name of the resource that is unique within the set of outbound rules used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "protocol": { - "description": "The protocol for the outbound rule in load balancer.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the outbound rule resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "backendAddressPool", - "etag", - "frontendIPConfigurations", - "protocol", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:OutputType": { - "description": "Connection monitor output destination type. Currently, only \"Workspace\" is supported.", - "enum": [ - { - "value": "Workspace" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:OwaspCrsExclusionEntry": { - "description": "Allow to exclude some variable satisfy the condition for the WAF check.", - "properties": { - "exclusionManagedRuleSets": { - "description": "The managed rule sets that are associated with the exclusion.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRuleSet", - "type": "object" - }, - "type": "array" - }, - "matchVariable": { - "description": "The variable to be excluded.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:OwaspCrsExclusionEntryMatchVariable" - } - ] - }, - "selector": { - "description": "When matchVariable is a collection, operator used to specify which elements in the collection this exclusion applies to.", - "type": "string" - }, - "selectorMatchOperator": { - "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:OwaspCrsExclusionEntrySelectorMatchOperator" - } - ] - } - }, - "required": [ - "matchVariable", - "selector", - "selectorMatchOperator" - ], - "type": "object" - }, - "azure-native:network/v20230201:OwaspCrsExclusionEntryMatchVariable": { - "description": "The variable to be excluded.", - "enum": [ - { - "value": "RequestHeaderNames" - }, - { - "value": "RequestCookieNames" - }, - { - "value": "RequestArgNames" - }, - { - "value": "RequestHeaderKeys" - }, - { - "value": "RequestHeaderValues" - }, - { - "value": "RequestCookieKeys" - }, - { - "value": "RequestCookieValues" - }, - { - "value": "RequestArgKeys" - }, - { - "value": "RequestArgValues" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:OwaspCrsExclusionEntryResponse": { - "description": "Allow to exclude some variable satisfy the condition for the WAF check.", - "properties": { - "exclusionManagedRuleSets": { - "description": "The managed rule sets that are associated with the exclusion.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRuleSetResponse", - "type": "object" - }, - "type": "array" - }, - "matchVariable": { - "description": "The variable to be excluded.", - "type": "string" - }, - "selector": { - "description": "When matchVariable is a collection, operator used to specify which elements in the collection this exclusion applies to.", - "type": "string" - }, - "selectorMatchOperator": { - "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", - "type": "string" - } - }, - "required": [ - "matchVariable", - "selector", - "selectorMatchOperator" - ], - "type": "object" - }, - "azure-native:network/v20230201:OwaspCrsExclusionEntrySelectorMatchOperator": { - "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", - "enum": [ - { - "value": "Equals" - }, - { - "value": "Contains" - }, - { - "value": "StartsWith" - }, - { - "value": "EndsWith" - }, - { - "value": "EqualsAny" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:P2SConnectionConfiguration": { - "description": "P2SConnectionConfiguration Resource.", - "properties": { - "enableInternetSecurity": { - "description": "Flag indicating whether the enable internet security flag is turned on for the P2S Connections or not.", - "type": "boolean" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", - "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", - "type": "object" - }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:P2SConnectionConfigurationResponse": { - "description": "P2SConnectionConfiguration Resource.", - "properties": { - "configurationPolicyGroupAssociations": { - "description": "List of Configuration Policy Groups that this P2SConnectionConfiguration is attached to.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "enableInternetSecurity": { - "description": "Flag indicating whether the enable internet security flag is turned on for the P2S Connections or not.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "previousConfigurationPolicyGroupAssociations": { - "description": "List of previous Configuration Policy Groups that this P2SConnectionConfiguration was attached to.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the P2SConnectionConfiguration resource.", - "type": "string" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", - "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", - "type": "object" - }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", - "type": "object" - } - }, - "required": [ - "configurationPolicyGroupAssociations", - "etag", - "previousConfigurationPolicyGroupAssociations", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:P2SVpnGatewayResponse": { - "description": "P2SVpnGateway Resource.", - "properties": { - "customDnsServers": { - "description": "List of all customer specified DNS servers IP addresses.", - "items": { - "type": "string" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "isRoutingPreferenceInternet": { - "description": "Enable Routing Preference property for the Public IP Interface of the P2SVpnGateway.", - "type": "boolean" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "p2SConnectionConfigurations": { - "description": "List of all p2s connection configurations of the gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SConnectionConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the P2S VPN gateway resource.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The VirtualHub to which the gateway belongs.", - "type": "object" - }, - "vpnClientConnectionHealth": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConnectionHealthResponse", - "description": "All P2S VPN clients' connection health status.", - "type": "object" - }, - "vpnGatewayScaleUnit": { - "description": "The scale unit for this p2s vpn gateway.", - "type": "integer" - }, - "vpnServerConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The VpnServerConfiguration to which the p2sVpnGateway is attached to.", - "type": "object" - } - }, - "required": [ - "etag", - "location", - "name", - "provisioningState", - "type", - "vpnClientConnectionHealth" - ], - "type": "object" - }, - "azure-native:network/v20230201:PacketCaptureFilter": { - "description": "Filter that is applied to packet capture request. Multiple filters can be applied.", - "properties": { - "localIPAddress": { - "description": "Local IP Address to be filtered on. Notation: \"127.0.0.1\" for single address entry. \"127.0.0.1-127.0.0.255\" for range. \"127.0.0.1;127.0.0.5\"? for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", - "type": "string" - }, - "localPort": { - "description": "Local port to be filtered on. Notation: \"80\" for single port entry.\"80-85\" for range. \"80;443;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", - "type": "string" - }, - "protocol": { - "default": "Any", - "description": "Protocol to be filtered on.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:PcProtocol" - } - ] - }, - "remoteIPAddress": { - "description": "Local IP Address to be filtered on. Notation: \"127.0.0.1\" for single address entry. \"127.0.0.1-127.0.0.255\" for range. \"127.0.0.1;127.0.0.5;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", - "type": "string" - }, - "remotePort": { - "description": "Remote port to be filtered on. Notation: \"80\" for single port entry.\"80-85\" for range. \"80;443;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PacketCaptureFilterResponse": { - "description": "Filter that is applied to packet capture request. Multiple filters can be applied.", - "properties": { - "localIPAddress": { - "description": "Local IP Address to be filtered on. Notation: \"127.0.0.1\" for single address entry. \"127.0.0.1-127.0.0.255\" for range. \"127.0.0.1;127.0.0.5\"? for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", - "type": "string" - }, - "localPort": { - "description": "Local port to be filtered on. Notation: \"80\" for single port entry.\"80-85\" for range. \"80;443;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", - "type": "string" - }, - "protocol": { - "default": "Any", - "description": "Protocol to be filtered on.", - "type": "string" - }, - "remoteIPAddress": { - "description": "Local IP Address to be filtered on. Notation: \"127.0.0.1\" for single address entry. \"127.0.0.1-127.0.0.255\" for range. \"127.0.0.1;127.0.0.5;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", - "type": "string" - }, - "remotePort": { - "description": "Remote port to be filtered on. Notation: \"80\" for single port entry.\"80-85\" for range. \"80;443;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PacketCaptureMachineScope": { - "description": "A list of AzureVMSS instances which can be included or excluded to run packet capture. If both included and excluded are empty, then the packet capture will run on all instances of AzureVMSS.", - "properties": { - "exclude": { - "description": "List of AzureVMSS instances which has to be excluded from the AzureVMSS from running packet capture.", - "items": { - "type": "string" - }, - "type": "array" - }, - "include": { - "description": "List of AzureVMSS instances to run packet capture on.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PacketCaptureMachineScopeResponse": { - "description": "A list of AzureVMSS instances which can be included or excluded to run packet capture. If both included and excluded are empty, then the packet capture will run on all instances of AzureVMSS.", - "properties": { - "exclude": { - "description": "List of AzureVMSS instances which has to be excluded from the AzureVMSS from running packet capture.", - "items": { - "type": "string" - }, - "type": "array" - }, - "include": { - "description": "List of AzureVMSS instances to run packet capture on.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PacketCaptureStorageLocation": { - "description": "The storage location for a packet capture session.", - "properties": { - "filePath": { - "description": "A valid local path on the targeting VM. Must include the name of the capture file (*.cap). For linux virtual machine it must start with /var/captures. Required if no storage ID is provided, otherwise optional.", - "type": "string" - }, - "storageId": { - "description": "The ID of the storage account to save the packet capture session. Required if no local file path is provided.", - "type": "string" - }, - "storagePath": { - "description": "The URI of the storage path to save the packet capture. Must be a well-formed URI describing the location to save the packet capture.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PacketCaptureStorageLocationResponse": { - "description": "The storage location for a packet capture session.", - "properties": { - "filePath": { - "description": "A valid local path on the targeting VM. Must include the name of the capture file (*.cap). For linux virtual machine it must start with /var/captures. Required if no storage ID is provided, otherwise optional.", - "type": "string" - }, - "storageId": { - "description": "The ID of the storage account to save the packet capture session. Required if no local file path is provided.", - "type": "string" - }, - "storagePath": { - "description": "The URI of the storage path to save the packet capture. Must be a well-formed URI describing the location to save the packet capture.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PacketCaptureTargetType": { - "description": "Target type of the resource provided.", - "enum": [ - { - "value": "AzureVM" - }, - { - "value": "AzureVMSS" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:Parameter": { - "description": "Parameters for an Action.", - "properties": { - "asPath": { - "description": "List of AS paths.", - "items": { - "type": "string" - }, - "type": "array" - }, - "community": { - "description": "List of BGP communities.", - "items": { - "type": "string" - }, - "type": "array" - }, - "routePrefix": { - "description": "List of route prefixes.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ParameterResponse": { - "description": "Parameters for an Action.", - "properties": { - "asPath": { - "description": "List of AS paths.", - "items": { - "type": "string" - }, - "type": "array" - }, - "community": { - "description": "List of BGP communities.", - "items": { - "type": "string" - }, - "type": "array" - }, - "routePrefix": { - "description": "List of route prefixes.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PartnerManagedResourcePropertiesResponse": { - "description": "Properties of the partner managed resource.", - "properties": { - "id": { - "description": "The partner managed resource id.", - "type": "string" - }, - "internalLoadBalancerId": { - "description": "The partner managed ILB resource id", - "type": "string" - }, - "standardLoadBalancerId": { - "description": "The partner managed SLB resource id", - "type": "string" - } - }, - "required": [ - "id", - "internalLoadBalancerId", - "standardLoadBalancerId" - ], - "type": "object" - }, - "azure-native:network/v20230201:PcProtocol": { - "description": "Protocol to be filtered on.", - "enum": [ - { - "value": "TCP" - }, - { - "value": "UDP" - }, - { - "value": "Any" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:PeerExpressRouteCircuitConnectionResponse": { - "description": "Peer Express Route Circuit Connection in an ExpressRouteCircuitPeering resource.", - "properties": { - "addressPrefix": { - "description": "/29 IP address space to carve out Customer addresses for tunnels.", - "type": "string" - }, - "authResourceGuid": { - "description": "The resource guid of the authorization used for the express route circuit connection.", - "type": "string" - }, - "circuitConnectionStatus": { - "description": "Express Route Circuit connection state.", - "type": "string" - }, - "connectionName": { - "description": "The name of the express route circuit connection resource.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to Express Route Circuit Private Peering Resource of the circuit.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Reference to Express Route Circuit Private Peering Resource of the peered circuit.", - "type": "object" - }, - "provisioningState": { - "description": "The provisioning state of the peer express route circuit connection resource.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "circuitConnectionStatus", - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:PfsGroup": { - "description": "The Pfs Group used in IKE Phase 2 for new child SA.", - "enum": [ - { - "value": "None" - }, - { - "value": "PFS1" - }, - { - "value": "PFS2" - }, - { - "value": "PFS2048" - }, - { - "value": "ECP256" - }, - { - "value": "ECP384" - }, - { - "value": "PFS24" - }, - { - "value": "PFS14" - }, - { - "value": "PFSMM" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:PolicySettings": { - "description": "Defines contents of a web application firewall global configuration.", - "properties": { - "customBlockResponseBody": { - "description": "If the action type is block, customer can override the response body. The body must be specified in base64 encoding.", - "type": "string" - }, - "customBlockResponseStatusCode": { - "description": "If the action type is block, customer can override the response status code.", - "type": "integer" - }, - "fileUploadEnforcement": { - "default": true, - "description": "Whether allow WAF to enforce file upload limits.", - "type": "boolean" - }, - "fileUploadLimitInMb": { - "description": "Maximum file upload size in Mb for WAF.", - "type": "integer" - }, - "logScrubbing": { - "$ref": "#/types/azure-native:network/v20230201:PolicySettingsLogScrubbing", - "description": "To scrub sensitive log fields", - "type": "object" - }, - "maxRequestBodySizeInKb": { - "description": "Maximum request body size in Kb for WAF.", - "type": "integer" - }, - "mode": { - "description": "The mode of the policy.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallMode" - } - ] - }, - "requestBodyCheck": { - "description": "Whether to allow WAF to check request Body.", - "type": "boolean" - }, - "requestBodyEnforcement": { - "default": true, - "description": "Whether allow WAF to enforce request body limits.", - "type": "boolean" - }, - "requestBodyInspectLimitInKB": { - "description": "Max inspection limit in KB for request body inspection for WAF.", - "type": "integer" - }, - "state": { - "description": "The state of the policy.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallEnabledState" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PolicySettingsLogScrubbing": { - "description": "To scrub sensitive log fields", - "properties": { - "scrubbingRules": { - "description": "The rules that are applied to the logs for scrubbing.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallScrubbingRules", - "type": "object" - }, - "type": "array" - }, - "state": { - "description": "State of the log scrubbing config. Default value is Enabled.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallScrubbingState" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PolicySettingsResponse": { - "description": "Defines contents of a web application firewall global configuration.", - "properties": { - "customBlockResponseBody": { - "description": "If the action type is block, customer can override the response body. The body must be specified in base64 encoding.", - "type": "string" - }, - "customBlockResponseStatusCode": { - "description": "If the action type is block, customer can override the response status code.", - "type": "integer" - }, - "fileUploadEnforcement": { - "default": true, - "description": "Whether allow WAF to enforce file upload limits.", - "type": "boolean" - }, - "fileUploadLimitInMb": { - "description": "Maximum file upload size in Mb for WAF.", - "type": "integer" - }, - "logScrubbing": { - "$ref": "#/types/azure-native:network/v20230201:PolicySettingsResponseLogScrubbing", - "description": "To scrub sensitive log fields", - "type": "object" - }, - "maxRequestBodySizeInKb": { - "description": "Maximum request body size in Kb for WAF.", - "type": "integer" - }, - "mode": { - "description": "The mode of the policy.", - "type": "string" - }, - "requestBodyCheck": { - "description": "Whether to allow WAF to check request Body.", - "type": "boolean" - }, - "requestBodyEnforcement": { - "default": true, - "description": "Whether allow WAF to enforce request body limits.", - "type": "boolean" - }, - "requestBodyInspectLimitInKB": { - "description": "Max inspection limit in KB for request body inspection for WAF.", - "type": "integer" - }, - "state": { - "description": "The state of the policy.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PolicySettingsResponseLogScrubbing": { - "description": "To scrub sensitive log fields", - "properties": { - "scrubbingRules": { - "description": "The rules that are applied to the logs for scrubbing.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallScrubbingRulesResponse", - "type": "object" - }, - "type": "array" - }, - "state": { - "description": "State of the log scrubbing config. Default value is Enabled.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PreferredIPVersion": { - "description": "The preferred IP version to use in test evaluation. The connection monitor may choose to use a different version depending on other parameters.", - "enum": [ - { - "value": "IPv4" - }, - { - "value": "IPv6" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:PreferredRoutingGateway": { - "description": "The preferred gateway to route on-prem traffic", - "enum": [ - { - "value": "ExpressRoute" - }, - { - "value": "VpnGateway" - }, - { - "value": "None" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:PrivateDnsZoneConfig": { - "description": "PrivateDnsZoneConfig resource.", - "properties": { - "name": { - "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "privateDnsZoneId": { - "description": "The resource id of the private dns zone.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PrivateDnsZoneConfigResponse": { - "description": "PrivateDnsZoneConfig resource.", - "properties": { - "name": { - "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "privateDnsZoneId": { - "description": "The resource id of the private dns zone.", - "type": "string" - }, - "recordSets": { - "description": "A collection of information regarding a recordSet, holding information to identify private resources.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:RecordSetResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "recordSets" - ], - "type": "object" - }, - "azure-native:network/v20230201:PrivateEndpointConnectionResponse": { - "description": "PrivateEndpointConnection resource.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "linkIdentifier": { - "description": "The consumer link id.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", - "description": "The resource of private end point.", - "type": "object" - }, - "privateEndpointLocation": { - "description": "The location of the private endpoint.", - "type": "string" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", - "description": "A collection of information about the state of the connection between service consumer and provider.", - "type": "object" - }, - "provisioningState": { - "description": "The provisioning state of the private endpoint connection resource.", - "type": "string" - }, - "type": { - "description": "The resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "linkIdentifier", - "privateEndpoint", - "privateEndpointLocation", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:PrivateEndpointIPConfiguration": { - "description": "An IP Configuration of the private endpoint.", - "properties": { - "groupId": { - "description": "The ID of a group obtained from the remote resource that this private endpoint should connect to.", - "type": "string" - }, - "memberName": { - "description": "The member name of a group obtained from the remote resource that this private endpoint should connect to.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group.", - "type": "string" - }, - "privateIPAddress": { - "description": "A private ip address obtained from the private endpoint's subnet.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PrivateEndpointIPConfigurationResponse": { - "description": "An IP Configuration of the private endpoint.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "groupId": { - "description": "The ID of a group obtained from the remote resource that this private endpoint should connect to.", - "type": "string" - }, - "memberName": { - "description": "The member name of a group obtained from the remote resource that this private endpoint should connect to.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group.", - "type": "string" - }, - "privateIPAddress": { - "description": "A private ip address obtained from the private endpoint's subnet.", - "type": "string" - }, - "type": { - "description": "The resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:PrivateEndpointResponse": { - "description": "Private endpoint resource.", - "properties": { - "applicationSecurityGroups": { - "description": "Application security groups in which the private endpoint IP configuration is included.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", - "type": "object" - }, - "type": "array" - }, - "customDnsConfigs": { - "description": "An array of custom dns configurations.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:CustomDnsConfigPropertiesFormatResponse", - "type": "object" - }, - "type": "array" - }, - "customNetworkInterfaceName": { - "description": "The custom name of the network interface attached to the private endpoint.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", - "description": "The extended location of the load balancer.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipConfigurations": { - "description": "A list of IP configurations of the private endpoint. This will be used to map to the First Party Service's endpoints.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointIPConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "manualPrivateLinkServiceConnections": { - "description": "A grouping of information about the connection to the remote resource. Used when the network admin does not have access to approve connections to the remote resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "networkInterfaces": { - "description": "An array of references to the network interfaces created for this private endpoint.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" - }, - "type": "array" - }, - "privateLinkServiceConnections": { - "description": "A grouping of information about the connection to the remote resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the private endpoint resource.", - "type": "string" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "description": "The ID of the subnet from which the private IP will be allocated.", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "name", - "networkInterfaces", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkService": { - "description": "Private link service resource.", - "properties": { - "autoApproval": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesAutoApproval", - "description": "The auto-approval list of the private link service.", - "type": "object" - }, - "enableProxyProtocol": { - "description": "Whether the private link service is enabled for proxy protocol or not.", - "type": "boolean" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "description": "The extended location of the load balancer.", - "type": "object" - }, - "fqdns": { - "description": "The list of Fqdn.", - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipConfigurations": { - "description": "An array of private link service IP configurations.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceIpConfiguration", - "type": "object" - }, - "type": "array" - }, - "loadBalancerFrontendIpConfigurations": { - "description": "An array of references to the load balancer IP configurations.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "visibility": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesVisibility", - "description": "The visibility list of the private link service.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkServiceConnection": { - "description": "PrivateLinkServiceConnection resource.", - "properties": { - "groupIds": { - "description": "The ID(s) of the group(s) obtained from the remote resource that this private endpoint should connect to.", - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionState", - "description": "A collection of read-only information about the state of the connection to the remote resource.", - "type": "object" - }, - "privateLinkServiceId": { - "description": "The resource id of private link service.", - "type": "string" - }, - "requestMessage": { - "description": "A message passed to the owner of the remote resource with this connection request. Restricted to 140 chars.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkServiceConnectionResponse": { - "description": "PrivateLinkServiceConnection resource.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "groupIds": { - "description": "The ID(s) of the group(s) obtained from the remote resource that this private endpoint should connect to.", - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", - "description": "A collection of read-only information about the state of the connection to the remote resource.", - "type": "object" - }, - "privateLinkServiceId": { - "description": "The resource id of private link service.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the private link service connection resource.", - "type": "string" - }, - "requestMessage": { - "description": "A message passed to the owner of the remote resource with this connection request. Restricted to 140 chars.", - "type": "string" - }, - "type": { - "description": "The resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkServiceConnectionState": { - "description": "A collection of information about the state of the connection between service consumer and provider.", - "properties": { - "actionsRequired": { - "description": "A message indicating if changes on the service provider require any updates on the consumer.", - "type": "string" - }, - "description": { - "description": "The reason for approval/rejection of the connection.", - "type": "string" - }, - "status": { - "description": "Indicates whether the connection has been Approved/Rejected/Removed by the owner of the service.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse": { - "description": "A collection of information about the state of the connection between service consumer and provider.", - "properties": { - "actionsRequired": { - "description": "A message indicating if changes on the service provider require any updates on the consumer.", - "type": "string" - }, - "description": { - "description": "The reason for approval/rejection of the connection.", - "type": "string" - }, - "status": { - "description": "Indicates whether the connection has been Approved/Rejected/Removed by the owner of the service.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkServiceIpConfiguration": { - "description": "The private link service ip configuration.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of private link service ip configuration.", - "type": "string" - }, - "primary": { - "description": "Whether the ip configuration is primary or not.", - "type": "boolean" - }, - "privateIPAddress": { - "description": "The private IP address of the IP configuration.", - "type": "string" - }, - "privateIPAddressVersion": { - "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPVersion" - } - ] - }, - "privateIPAllocationMethod": { - "description": "The private IP address allocation method.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPAllocationMethod" - } - ] - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", - "description": "The reference to the subnet resource.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkServiceIpConfigurationResponse": { - "description": "The private link service ip configuration.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of private link service ip configuration.", - "type": "string" - }, - "primary": { - "description": "Whether the ip configuration is primary or not.", - "type": "boolean" - }, - "privateIPAddress": { - "description": "The private IP address of the IP configuration.", - "type": "string" - }, - "privateIPAddressVersion": { - "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", - "type": "string" - }, - "privateIPAllocationMethod": { - "description": "The private IP address allocation method.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the private link service IP configuration resource.", - "type": "string" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "description": "The reference to the subnet resource.", - "type": "object" - }, - "type": { - "description": "The resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkServicePropertiesAutoApproval": { - "description": "The auto-approval list of the private link service.", - "properties": { - "subscriptions": { - "description": "The list of subscriptions.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkServicePropertiesResponseAutoApproval": { - "description": "The auto-approval list of the private link service.", - "properties": { - "subscriptions": { - "description": "The list of subscriptions.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkServicePropertiesResponseVisibility": { - "description": "The visibility list of the private link service.", - "properties": { - "subscriptions": { - "description": "The list of subscriptions.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkServicePropertiesVisibility": { - "description": "The visibility list of the private link service.", - "properties": { - "subscriptions": { - "description": "The list of subscriptions.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PrivateLinkServiceResponse": { - "description": "Private link service resource.", - "properties": { - "alias": { - "description": "The alias of the private link service.", - "type": "string" - }, - "autoApproval": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseAutoApproval", - "description": "The auto-approval list of the private link service.", - "type": "object" - }, - "enableProxyProtocol": { - "description": "Whether the private link service is enabled for proxy protocol or not.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", - "description": "The extended location of the load balancer.", - "type": "object" - }, - "fqdns": { - "description": "The list of Fqdn.", - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipConfigurations": { - "description": "An array of private link service IP configurations.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceIpConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "loadBalancerFrontendIpConfigurations": { - "description": "An array of references to the load balancer IP configurations.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "networkInterfaces": { - "description": "An array of references to the network interfaces created for this private link service.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" - }, - "type": "array" - }, - "privateEndpointConnections": { - "description": "An array of list about connections to the private endpoint.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointConnectionResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the private link service resource.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "visibility": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseVisibility", - "description": "The visibility list of the private link service.", - "type": "object" - } - }, - "required": [ - "alias", - "etag", - "name", - "networkInterfaces", - "privateEndpointConnections", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:Probe": { - "description": "A load balancer probe.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "intervalInSeconds": { - "description": "The interval, in seconds, for how frequently to probe the endpoint for health status. Typically, the interval is slightly less than half the allocated timeout period (in seconds) which allows two full probes before taking the instance out of rotation. The default value is 15, the minimum value is 5.", - "type": "integer" - }, - "name": { - "description": "The name of the resource that is unique within the set of probes used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "numberOfProbes": { - "description": "The number of probes where if no response, will result in stopping further traffic from being delivered to the endpoint. This values allows endpoints to be taken out of rotation faster or slower than the typical times used in Azure.", - "type": "integer" - }, - "port": { - "description": "The port for communicating the probe. Possible values range from 1 to 65535, inclusive.", - "type": "integer" - }, - "probeThreshold": { - "description": "The number of consecutive successful or failed probes in order to allow or deny traffic from being delivered to this endpoint. After failing the number of consecutive probes equal to this value, the endpoint will be taken out of rotation and require the same number of successful consecutive probes to be placed back in rotation.", - "type": "integer" - }, - "protocol": { - "description": "The protocol of the end point. If 'Tcp' is specified, a received ACK is required for the probe to be successful. If 'Http' or 'Https' is specified, a 200 OK response from the specifies URI is required for the probe to be successful.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ProbeProtocol" - } - ] - }, - "requestPath": { - "description": "The URI used for requesting health status from the VM. Path is required if a protocol is set to http. Otherwise, it is not allowed. There is no default value.", - "type": "string" - } - }, - "required": [ - "port", - "protocol" - ], - "type": "object" - }, - "azure-native:network/v20230201:ProbeProtocol": { - "description": "The protocol of the end point. If 'Tcp' is specified, a received ACK is required for the probe to be successful. If 'Http' or 'Https' is specified, a 200 OK response from the specifies URI is required for the probe to be successful.", - "enum": [ - { - "value": "Http" - }, - { - "value": "Tcp" - }, - { - "value": "Https" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ProbeResponse": { - "description": "A load balancer probe.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "intervalInSeconds": { - "description": "The interval, in seconds, for how frequently to probe the endpoint for health status. Typically, the interval is slightly less than half the allocated timeout period (in seconds) which allows two full probes before taking the instance out of rotation. The default value is 15, the minimum value is 5.", - "type": "integer" - }, - "loadBalancingRules": { - "description": "The load balancer rules that use this probe.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within the set of probes used by the load balancer. This name can be used to access the resource.", - "type": "string" - }, - "numberOfProbes": { - "description": "The number of probes where if no response, will result in stopping further traffic from being delivered to the endpoint. This values allows endpoints to be taken out of rotation faster or slower than the typical times used in Azure.", - "type": "integer" - }, - "port": { - "description": "The port for communicating the probe. Possible values range from 1 to 65535, inclusive.", - "type": "integer" - }, - "probeThreshold": { - "description": "The number of consecutive successful or failed probes in order to allow or deny traffic from being delivered to this endpoint. After failing the number of consecutive probes equal to this value, the endpoint will be taken out of rotation and require the same number of successful consecutive probes to be placed back in rotation.", - "type": "integer" - }, - "protocol": { - "description": "The protocol of the end point. If 'Tcp' is specified, a received ACK is required for the probe to be successful. If 'Http' or 'Https' is specified, a 200 OK response from the specifies URI is required for the probe to be successful.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the probe resource.", - "type": "string" - }, - "requestPath": { - "description": "The URI used for requesting health status from the VM. Path is required if a protocol is set to http. Otherwise, it is not allowed. There is no default value.", - "type": "string" - }, - "type": { - "description": "Type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "loadBalancingRules", - "port", - "protocol", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:PropagatedRouteTable": { - "description": "The list of RouteTables to advertise the routes to.", - "properties": { - "ids": { - "description": "The list of resource ids of all the RouteTables.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "labels": { - "description": "The list of labels.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PropagatedRouteTableNfv": { - "description": "Nfv version of the list of RouteTables to advertise the routes to.", - "properties": { - "ids": { - "description": "The list of resource ids of all the RouteTables.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResource", - "type": "object" - }, - "type": "array" - }, - "labels": { - "description": "The list of labels.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PropagatedRouteTableNfvResponse": { - "description": "Nfv version of the list of RouteTables to advertise the routes to.", - "properties": { - "ids": { - "description": "The list of resource ids of all the RouteTables.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "labels": { - "description": "The list of labels.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PropagatedRouteTableResponse": { - "description": "The list of RouteTables to advertise the routes to.", - "properties": { - "ids": { - "description": "The list of resource ids of all the RouteTables.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "labels": { - "description": "The list of labels.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ProtocolType": { - "description": "RNM supported protocol types.", - "enum": [ - { - "value": "DoNotUse" - }, - { - "value": "Icmp" - }, - { - "value": "Tcp" - }, - { - "value": "Udp" - }, - { - "value": "Gre" - }, - { - "value": "Esp" - }, - { - "value": "Ah" - }, - { - "value": "Vxlan" - }, - { - "value": "All" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:PublicIPAddress": { - "description": "Public IP address resource.", - "properties": { - "ddosSettings": { - "$ref": "#/types/azure-native:network/v20230201:DdosSettings", - "description": "The DDoS protection custom policy associated with the public IP address.", - "type": "object" - }, - "deleteOption": { - "description": "Specify what happens to the public IP address when the VM using it is deleted", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:DeleteOptions" - } - ] - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressDnsSettings", - "description": "The FQDN of the DNS record associated with the public IP address.", - "type": "object" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "description": "The extended location of the public ip address.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The idle timeout of the public IP address.", - "type": "integer" - }, - "ipAddress": { - "description": "The IP address associated with the public IP address resource.", - "type": "string" - }, - "ipTags": { - "description": "The list of tags associated with the public IP address.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTag", - "type": "object" - }, - "type": "array" - }, - "linkedPublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", - "description": "The linked public IP address of the public IP address resource.", - "type": "object" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "migrationPhase": { - "description": "Migration phase of Public IP Address.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressMigrationPhase" - } - ] - }, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGateway", - "description": "The NatGateway for the Public IP address.", - "type": "object" - }, - "publicIPAddressVersion": { - "description": "The public IP address version.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPVersion" - } - ] - }, - "publicIPAllocationMethod": { - "description": "The public IP address allocation method.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPAllocationMethod" - } - ] - }, - "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The Public IP Prefix this Public IP Address should be allocated from.", - "type": "object" - }, - "servicePublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", - "description": "The service public IP address of the public IP address resource.", - "type": "object" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSku", - "description": "The public IP address SKU.", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "zones": { - "description": "A list of availability zones denoting the IP allocated for the resource needs to come from.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PublicIPAddressDnsSettings": { - "description": "Contains FQDN of the DNS record associated with the public IP address.", - "properties": { - "domainNameLabel": { - "description": "The domain name label. The concatenation of the domain name label and the regionalized DNS zone make up the fully qualified domain name associated with the public IP address. If a domain name label is specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system.", - "type": "string" - }, - "domainNameLabelScope": { - "$ref": "#/types/azure-native:network/v20230201:PublicIpAddressDnsSettingsDomainNameLabelScope", - "description": "The domain name label scope. If a domain name label and a domain name label scope are specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system with a hashed value includes in FQDN." - }, - "fqdn": { - "description": "The Fully Qualified Domain Name of the A DNS record associated with the public IP. This is the concatenation of the domainNameLabel and the regionalized DNS zone.", - "type": "string" - }, - "reverseFqdn": { - "description": "The reverse FQDN. A user-visible, fully qualified domain name that resolves to this public IP address. If the reverseFqdn is specified, then a PTR DNS record is created pointing from the IP address in the in-addr.arpa domain to the reverse FQDN.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PublicIPAddressDnsSettingsResponse": { - "description": "Contains FQDN of the DNS record associated with the public IP address.", - "properties": { - "domainNameLabel": { - "description": "The domain name label. The concatenation of the domain name label and the regionalized DNS zone make up the fully qualified domain name associated with the public IP address. If a domain name label is specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system.", - "type": "string" - }, - "domainNameLabelScope": { - "description": "The domain name label scope. If a domain name label and a domain name label scope are specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system with a hashed value includes in FQDN.", - "type": "string" - }, - "fqdn": { - "description": "The Fully Qualified Domain Name of the A DNS record associated with the public IP. This is the concatenation of the domainNameLabel and the regionalized DNS zone.", - "type": "string" - }, - "reverseFqdn": { - "description": "The reverse FQDN. A user-visible, fully qualified domain name that resolves to this public IP address. If the reverseFqdn is specified, then a PTR DNS record is created pointing from the IP address in the in-addr.arpa domain to the reverse FQDN.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PublicIPAddressMigrationPhase": { - "description": "Migration phase of Public IP Address.", - "enum": [ - { - "value": "None" - }, - { - "value": "Prepare" - }, - { - "value": "Commit" - }, - { - "value": "Abort" - }, - { - "value": "Committed" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:PublicIPAddressResponse": { - "description": "Public IP address resource.", - "properties": { - "ddosSettings": { - "$ref": "#/types/azure-native:network/v20230201:DdosSettingsResponse", - "description": "The DDoS protection custom policy associated with the public IP address.", - "type": "object" - }, - "deleteOption": { - "description": "Specify what happens to the public IP address when the VM using it is deleted", - "type": "string" - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressDnsSettingsResponse", - "description": "The FQDN of the DNS record associated with the public IP address.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", - "description": "The extended location of the public ip address.", - "type": "object" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "idleTimeoutInMinutes": { - "description": "The idle timeout of the public IP address.", - "type": "integer" - }, - "ipAddress": { - "description": "The IP address associated with the public IP address resource.", - "type": "string" - }, - "ipConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", - "description": "The IP configuration associated with the public IP address.", - "type": "object" - }, - "ipTags": { - "description": "The list of tags associated with the public IP address.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTagResponse", - "type": "object" - }, - "type": "array" - }, - "linkedPublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", - "description": "The linked public IP address of the public IP address resource.", - "type": "object" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "migrationPhase": { - "description": "Migration phase of Public IP Address.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewayResponse", - "description": "The NatGateway for the Public IP address.", - "type": "object" - }, - "provisioningState": { - "description": "The provisioning state of the public IP address resource.", - "type": "string" - }, - "publicIPAddressVersion": { - "description": "The public IP address version.", - "type": "string" - }, - "publicIPAllocationMethod": { - "description": "The public IP address allocation method.", - "type": "string" - }, - "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The Public IP Prefix this Public IP Address should be allocated from.", - "type": "object" - }, - "resourceGuid": { - "description": "The resource GUID property of the public IP address resource.", - "type": "string" - }, - "servicePublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", - "description": "The service public IP address of the public IP address resource.", - "type": "object" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSkuResponse", - "description": "The public IP address SKU.", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "zones": { - "description": "A list of availability zones denoting the IP allocated for the resource needs to come from.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "etag", - "ipConfiguration", - "name", - "provisioningState", - "resourceGuid", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:PublicIPAddressSku": { - "description": "SKU of a public IP address.", - "properties": { - "name": { - "description": "Name of a public IP address SKU.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSkuName" - } - ] - }, - "tier": { - "description": "Tier of a public IP address SKU.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSkuTier" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PublicIPAddressSkuName": { - "description": "Name of a public IP address SKU.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "Standard" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:PublicIPAddressSkuResponse": { - "description": "SKU of a public IP address.", - "properties": { - "name": { - "description": "Name of a public IP address SKU.", - "type": "string" - }, - "tier": { - "description": "Tier of a public IP address SKU.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PublicIPAddressSkuTier": { - "description": "Tier of a public IP address SKU.", - "enum": [ - { - "value": "Regional" - }, - { - "value": "Global" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:PublicIPPrefixSku": { - "description": "SKU of a public IP prefix.", - "properties": { - "name": { - "description": "Name of a public IP prefix SKU.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:PublicIPPrefixSkuName" - } - ] - }, - "tier": { - "description": "Tier of a public IP prefix SKU.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:PublicIPPrefixSkuTier" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PublicIPPrefixSkuName": { - "description": "Name of a public IP prefix SKU.", - "enum": [ - { - "value": "Standard" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:PublicIPPrefixSkuResponse": { - "description": "SKU of a public IP prefix.", - "properties": { - "name": { - "description": "Name of a public IP prefix SKU.", - "type": "string" - }, - "tier": { - "description": "Tier of a public IP prefix SKU.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:PublicIPPrefixSkuTier": { - "description": "Tier of a public IP prefix SKU.", - "enum": [ - { - "value": "Regional" - }, - { - "value": "Global" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:PublicIpAddressDnsSettingsDomainNameLabelScope": { - "description": "The domain name label scope. If a domain name label and a domain name label scope are specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system with a hashed value includes in FQDN.", - "enum": [ - { - "value": "TenantReuse" - }, - { - "value": "SubscriptionReuse" - }, - { - "value": "ResourceGroupReuse" - }, - { - "value": "NoReuse" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:QosDefinition": { - "description": "Quality of Service defines the traffic configuration between endpoints. Mandatory to have one marking.", - "properties": { - "destinationIpRanges": { - "description": "Destination IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRange", - "type": "object" - }, - "type": "array" - }, - "destinationPortRanges": { - "description": "Destination port ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRange", - "type": "object" - }, - "type": "array" - }, - "markings": { - "description": "List of markings to be used in the configuration.", - "items": { - "type": "integer" - }, - "type": "array" - }, - "protocol": { - "description": "RNM supported protocol types.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ProtocolType" - } - ] - }, - "sourceIpRanges": { - "description": "Source IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRange", - "type": "object" - }, - "type": "array" - }, - "sourcePortRanges": { - "description": "Sources port ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRange", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:QosDefinitionResponse": { - "description": "Quality of Service defines the traffic configuration between endpoints. Mandatory to have one marking.", - "properties": { - "destinationIpRanges": { - "description": "Destination IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", - "type": "object" - }, - "type": "array" - }, - "destinationPortRanges": { - "description": "Destination port ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", - "type": "object" - }, - "type": "array" - }, - "markings": { - "description": "List of markings to be used in the configuration.", - "items": { - "type": "integer" - }, - "type": "array" - }, - "protocol": { - "description": "RNM supported protocol types.", - "type": "string" - }, - "sourceIpRanges": { - "description": "Source IP ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", - "type": "object" - }, - "type": "array" - }, - "sourcePortRanges": { - "description": "Sources port ranges.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:QosIpRange": { - "description": "Qos Traffic Profiler IP Range properties.", - "properties": { - "endIP": { - "description": "End IP Address.", - "type": "string" - }, - "startIP": { - "description": "Start IP Address.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:QosIpRangeResponse": { - "description": "Qos Traffic Profiler IP Range properties.", - "properties": { - "endIP": { - "description": "End IP Address.", - "type": "string" - }, - "startIP": { - "description": "Start IP Address.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:QosPortRange": { - "description": "Qos Traffic Profiler Port range properties.", - "properties": { - "end": { - "description": "Qos Port Range end.", - "type": "integer" - }, - "start": { - "description": "Qos Port Range start.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:QosPortRangeResponse": { - "description": "Qos Traffic Profiler Port range properties.", - "properties": { - "end": { - "description": "Qos Port Range end.", - "type": "integer" - }, - "start": { - "description": "Qos Port Range start.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:RadiusServer": { - "description": "Radius Server Settings.", - "properties": { - "radiusServerAddress": { - "description": "The address of this radius server.", - "type": "string" - }, - "radiusServerScore": { - "description": "The initial score assigned to this radius server.", - "type": "number" - }, - "radiusServerSecret": { - "description": "The secret used for this radius server.", - "type": "string" - } - }, - "required": [ - "radiusServerAddress" - ], - "type": "object" - }, - "azure-native:network/v20230201:RadiusServerResponse": { - "description": "Radius Server Settings.", - "properties": { - "radiusServerAddress": { - "description": "The address of this radius server.", - "type": "string" - }, - "radiusServerScore": { - "description": "The initial score assigned to this radius server.", - "type": "number" - }, - "radiusServerSecret": { - "description": "The secret used for this radius server.", - "type": "string" - } - }, - "required": [ - "radiusServerAddress" - ], - "type": "object" - }, - "azure-native:network/v20230201:RecordSetResponse": { - "description": "A collective group of information about the record set information.", - "properties": { - "fqdn": { - "description": "Fqdn that resolves to private endpoint ip address.", - "type": "string" - }, - "ipAddresses": { - "description": "The private ip address of the private endpoint.", - "items": { - "type": "string" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the recordset.", - "type": "string" - }, - "recordSetName": { - "description": "Recordset name.", - "type": "string" - }, - "recordType": { - "description": "Resource record type.", - "type": "string" - }, - "ttl": { - "description": "Recordset time to live.", - "type": "integer" - } - }, - "required": [ - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:ReferencedPublicIpAddressResponse": { - "description": "Reference to a public IP address.", - "properties": { - "id": { - "description": "The PublicIPAddress Reference.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ResourceIdentityType": { - "description": "The type of identity used for the resource. The type 'SystemAssigned, UserAssigned' includes both an implicitly created identity and a set of user assigned identities. The type 'None' will remove any identities from the virtual machine.", - "enum": [ - { - "value": "SystemAssigned" - }, - { - "value": "UserAssigned" - }, - { - "value": "SystemAssigned, UserAssigned" - }, - { - "value": "None" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ResourceNavigationLinkResponse": { - "description": "ResourceNavigationLink resource.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "link": { - "description": "Link to the external resource.", - "type": "string" - }, - "linkedResourceType": { - "description": "Resource type of the linked resource.", - "type": "string" - }, - "name": { - "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the resource navigation link resource.", - "type": "string" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "id", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:RetentionPolicyParameters": { - "description": "Parameters that define the retention policy for flow log.", - "properties": { - "days": { - "default": 0, - "description": "Number of days to retain flow log records.", - "type": "integer" - }, - "enabled": { - "default": false, - "description": "Flag to enable/disable retention.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:RetentionPolicyParametersResponse": { - "description": "Parameters that define the retention policy for flow log.", - "properties": { - "days": { - "default": 0, - "description": "Number of days to retain flow log records.", - "type": "integer" - }, - "enabled": { - "default": false, - "description": "Flag to enable/disable retention.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:Route": { - "description": "Route resource.", - "properties": { - "addressPrefix": { - "description": "The destination CIDR to which the route applies.", - "type": "string" - }, - "hasBgpOverride": { - "description": "A value indicating whether this route overrides overlapping BGP routes regardless of LPM.", - "type": "boolean" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "nextHopIpAddress": { - "description": "The IP address packets should be forwarded to. Next hop values are only allowed in routes where the next hop type is VirtualAppliance.", - "type": "string" - }, - "nextHopType": { - "description": "The type of Azure hop the packet should be sent to.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:RouteNextHopType" - } - ] - }, - "type": { - "description": "The type of the resource.", - "type": "string" - } - }, - "required": [ - "nextHopType" - ], - "type": "object" - }, - "azure-native:network/v20230201:RouteFilterRule": { - "description": "Route Filter Rule Resource.", - "properties": { - "access": { - "description": "The access type of the rule.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:Access" - } - ] - }, - "communities": { - "description": "The collection for bgp community values to filter on. e.g. ['12076:5010','12076:5020'].", - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "routeFilterRuleType": { - "description": "The rule type of the rule.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:RouteFilterRuleType" - } - ] - } - }, - "required": [ - "access", - "communities", - "routeFilterRuleType" - ], - "type": "object" - }, - "azure-native:network/v20230201:RouteFilterRuleResponse": { - "description": "Route Filter Rule Resource.", - "properties": { - "access": { - "description": "The access type of the rule.", - "type": "string" - }, - "communities": { - "description": "The collection for bgp community values to filter on. e.g. ['12076:5010','12076:5020'].", - "items": { - "type": "string" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the route filter rule resource.", - "type": "string" - }, - "routeFilterRuleType": { - "description": "The rule type of the rule.", - "type": "string" - } - }, - "required": [ - "access", - "communities", - "etag", - "provisioningState", - "routeFilterRuleType" - ], - "type": "object" - }, - "azure-native:network/v20230201:RouteFilterRuleType": { - "description": "The rule type of the rule.", - "enum": [ - { - "value": "Community" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:RouteMapActionType": { - "description": "Type of action to be taken. Supported types are 'Remove', 'Add', 'Replace', and 'Drop.'", - "enum": [ - { - "value": "Unknown" - }, - { - "value": "Remove" - }, - { - "value": "Add" - }, - { - "value": "Replace" - }, - { - "value": "Drop" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:RouteMapMatchCondition": { - "description": "Match condition to apply RouteMap rules.", - "enum": [ - { - "value": "Unknown" - }, - { - "value": "Contains" - }, - { - "value": "Equals" - }, - { - "value": "NotContains" - }, - { - "value": "NotEquals" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:RouteMapRule": { - "description": "A RouteMap Rule.", - "properties": { - "actions": { - "description": "List of actions which will be applied on a match.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:Action", - "type": "object" - }, - "type": "array" - }, - "matchCriteria": { - "description": "List of matching criterion which will be applied to traffic.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:Criterion", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The unique name for the rule.", - "type": "string" - }, - "nextStepIfMatched": { - "description": "Next step after rule is evaluated. Current supported behaviors are 'Continue'(to next rule) and 'Terminate'.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:NextStep" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:RouteMapRuleResponse": { - "description": "A RouteMap Rule.", - "properties": { - "actions": { - "description": "List of actions which will be applied on a match.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ActionResponse", - "type": "object" - }, - "type": "array" - }, - "matchCriteria": { - "description": "List of matching criterion which will be applied to traffic.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:CriterionResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The unique name for the rule.", - "type": "string" - }, - "nextStepIfMatched": { - "description": "Next step after rule is evaluated. Current supported behaviors are 'Continue'(to next rule) and 'Terminate'.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:RouteNextHopType": { - "description": "The type of Azure hop the packet should be sent to.", - "enum": [ - { - "value": "VirtualNetworkGateway" - }, - { - "value": "VnetLocal" - }, - { - "value": "Internet" - }, - { - "value": "VirtualAppliance" - }, - { - "value": "None" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:RouteResponse": { - "description": "Route resource.", - "properties": { - "addressPrefix": { - "description": "The destination CIDR to which the route applies.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "hasBgpOverride": { - "description": "A value indicating whether this route overrides overlapping BGP routes regardless of LPM.", - "type": "boolean" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "nextHopIpAddress": { - "description": "The IP address packets should be forwarded to. Next hop values are only allowed in routes where the next hop type is VirtualAppliance.", - "type": "string" - }, - "nextHopType": { - "description": "The type of Azure hop the packet should be sent to.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the route resource.", - "type": "string" - }, - "type": { - "description": "The type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "nextHopType", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:RouteTable": { - "description": "Route table resource.", - "properties": { - "disableBgpRoutePropagation": { - "description": "Whether to disable the routes learned by BGP on that route table. True means disable.", - "type": "boolean" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "routes": { - "description": "Collection of routes contained within a route table.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:Route", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:RouteTableResponse": { - "description": "Route table resource.", - "properties": { - "disableBgpRoutePropagation": { - "description": "Whether to disable the routes learned by BGP on that route table. True means disable.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the route table resource.", - "type": "string" - }, - "resourceGuid": { - "description": "The resource GUID property of the route table.", - "type": "string" - }, - "routes": { - "description": "Collection of routes contained within a route table.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteResponse", - "type": "object" - }, - "type": "array" - }, - "subnets": { - "description": "A collection of references to subnets.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "name", - "provisioningState", - "resourceGuid", - "subnets", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:RoutingConfiguration": { - "description": "Routing Configuration indicating the associated and propagated route tables for this connection.", - "properties": { - "associatedRouteTable": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The resource id RouteTable associated with this RoutingConfiguration.", - "type": "object" - }, - "inboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The resource id of the RouteMap associated with this RoutingConfiguration for inbound learned routes.", - "type": "object" - }, - "outboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The resource id of theRouteMap associated with this RoutingConfiguration for outbound advertised routes.", - "type": "object" - }, - "propagatedRouteTables": { - "$ref": "#/types/azure-native:network/v20230201:PropagatedRouteTable", - "description": "The list of RouteTables to advertise the routes to.", - "type": "object" - }, - "vnetRoutes": { - "$ref": "#/types/azure-native:network/v20230201:VnetRoute", - "description": "List of routes that control routing from VirtualHub into a virtual network connection.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:RoutingConfigurationNfv": { - "description": "NFV version of Routing Configuration indicating the associated and propagated route tables for this connection.", - "properties": { - "associatedRouteTable": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResource", - "description": "The resource id RouteTable associated with this RoutingConfiguration.", - "type": "object" - }, - "inboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResource", - "description": "The resource id of the RouteMap associated with this RoutingConfiguration for inbound learned routes.", - "type": "object" - }, - "outboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResource", - "description": "The resource id of the RouteMap associated with this RoutingConfiguration for outbound advertised routes.", - "type": "object" - }, - "propagatedRouteTables": { - "$ref": "#/types/azure-native:network/v20230201:PropagatedRouteTableNfv", - "description": "The list of RouteTables to advertise the routes to.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:RoutingConfigurationNfvResponse": { - "description": "NFV version of Routing Configuration indicating the associated and propagated route tables for this connection.", - "properties": { - "associatedRouteTable": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResourceResponse", - "description": "The resource id RouteTable associated with this RoutingConfiguration.", - "type": "object" - }, - "inboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResourceResponse", - "description": "The resource id of the RouteMap associated with this RoutingConfiguration for inbound learned routes.", - "type": "object" - }, - "outboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResourceResponse", - "description": "The resource id of the RouteMap associated with this RoutingConfiguration for outbound advertised routes.", - "type": "object" - }, - "propagatedRouteTables": { - "$ref": "#/types/azure-native:network/v20230201:PropagatedRouteTableNfvResponse", - "description": "The list of RouteTables to advertise the routes to.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:RoutingConfigurationNfvSubResource": { - "description": "Reference to RouteTableV3 associated with the connection.", - "properties": { - "resourceUri": { - "description": "Resource ID.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:RoutingConfigurationNfvSubResourceResponse": { - "description": "Reference to RouteTableV3 associated with the connection.", - "properties": { - "resourceUri": { - "description": "Resource ID.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:RoutingConfigurationResponse": { - "description": "Routing Configuration indicating the associated and propagated route tables for this connection.", - "properties": { - "associatedRouteTable": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The resource id RouteTable associated with this RoutingConfiguration.", - "type": "object" - }, - "inboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The resource id of the RouteMap associated with this RoutingConfiguration for inbound learned routes.", - "type": "object" - }, - "outboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The resource id of theRouteMap associated with this RoutingConfiguration for outbound advertised routes.", - "type": "object" - }, - "propagatedRouteTables": { - "$ref": "#/types/azure-native:network/v20230201:PropagatedRouteTableResponse", - "description": "The list of RouteTables to advertise the routes to.", - "type": "object" - }, - "vnetRoutes": { - "$ref": "#/types/azure-native:network/v20230201:VnetRouteResponse", - "description": "List of routes that control routing from VirtualHub into a virtual network connection.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:RoutingPolicy": { - "description": "The routing policy object used in a RoutingIntent resource.", - "properties": { - "destinations": { - "description": "List of all destinations which this routing policy is applicable to (for example: Internet, PrivateTraffic).", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "The unique name for the routing policy.", - "type": "string" - }, - "nextHop": { - "description": "The next hop resource id on which this routing policy is applicable to.", - "type": "string" - } - }, - "required": [ - "destinations", - "name", - "nextHop" - ], - "type": "object" - }, - "azure-native:network/v20230201:RoutingPolicyResponse": { - "description": "The routing policy object used in a RoutingIntent resource.", - "properties": { - "destinations": { - "description": "List of all destinations which this routing policy is applicable to (for example: Internet, PrivateTraffic).", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "The unique name for the routing policy.", - "type": "string" - }, - "nextHop": { - "description": "The next hop resource id on which this routing policy is applicable to.", - "type": "string" - } - }, - "required": [ - "destinations", - "name", - "nextHop" - ], - "type": "object" - }, - "azure-native:network/v20230201:ScrubbingRuleEntryMatchOperator": { - "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this rule applies to.", - "enum": [ - { - "value": "Equals" - }, - { - "value": "EqualsAny" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ScrubbingRuleEntryMatchVariable": { - "description": "The variable to be scrubbed from the logs.", - "enum": [ - { - "value": "RequestHeaderNames" - }, - { - "value": "RequestCookieNames" - }, - { - "value": "RequestArgNames" - }, - { - "value": "RequestPostArgNames" - }, - { - "value": "RequestJSONArgNames" - }, - { - "value": "RequestIPAddress" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:ScrubbingRuleEntryState": { - "description": "Defines the state of log scrubbing rule. Default value is Enabled.", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:SecurityConfigurationRuleAccess": { - "description": "Indicates the access allowed for this particular rule", - "enum": [ - { - "value": "Allow" - }, - { - "value": "Deny" - }, - { - "value": "AlwaysAllow" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:SecurityConfigurationRuleDirection": { - "description": "Indicates if the traffic matched against the rule in inbound or outbound.", - "enum": [ - { - "value": "Inbound" - }, - { - "value": "Outbound" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:SecurityConfigurationRuleProtocol": { - "description": "Network protocol this rule applies to.", - "enum": [ - { - "value": "Tcp" - }, - { - "value": "Udp" - }, - { - "value": "Icmp" - }, - { - "value": "Esp" - }, - { - "value": "Any" - }, - { - "value": "Ah" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:SecurityProviderName": { - "description": "The security provider name.", - "enum": [ - { - "value": "ZScaler" - }, - { - "value": "IBoss" - }, - { - "value": "Checkpoint" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:SecurityRule": { - "description": "Network security rule.", - "properties": { - "access": { - "description": "The network traffic is allowed or denied.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleAccess" - } - ] - }, - "description": { - "description": "A description for this rule. Restricted to 140 chars.", - "type": "string" - }, - "destinationAddressPrefix": { - "description": "The destination address prefix. CIDR or destination IP range. Asterisk '*' can also be used to match all source IPs. Default tags such as 'VirtualNetwork', 'AzureLoadBalancer' and 'Internet' can also be used.", - "type": "string" - }, - "destinationAddressPrefixes": { - "description": "The destination address prefixes. CIDR or destination IP ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationApplicationSecurityGroups": { - "description": "The application security group specified as destination.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" - }, - "destinationPortRange": { - "description": "The destination port or range. Integer or range between 0 and 65535. Asterisk '*' can also be used to match all ports.", - "type": "string" - }, - "destinationPortRanges": { - "description": "The destination port ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "direction": { - "description": "The direction of the rule. The direction specifies if rule will be evaluated on incoming or outgoing traffic.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleDirection" - } - ] - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "priority": { - "description": "The priority of the rule. The value can be between 100 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", - "type": "integer" - }, - "protocol": { - "description": "Network protocol this rule applies to.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleProtocol" - } - ] - }, - "sourceAddressPrefix": { - "description": "The CIDR or source IP range. Asterisk '*' can also be used to match all source IPs. Default tags such as 'VirtualNetwork', 'AzureLoadBalancer' and 'Internet' can also be used. If this is an ingress rule, specifies where network traffic originates from.", - "type": "string" - }, - "sourceAddressPrefixes": { - "description": "The CIDR or source IP ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceApplicationSecurityGroups": { - "description": "The application security group specified as source.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" - }, - "sourcePortRange": { - "description": "The source port or range. Integer or range between 0 and 65535. Asterisk '*' can also be used to match all ports.", - "type": "string" - }, - "sourcePortRanges": { - "description": "The source port ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "type": { - "description": "The type of the resource.", - "type": "string" - } - }, - "required": [ - "access", - "direction", - "priority", - "protocol" - ], - "type": "object" - }, - "azure-native:network/v20230201:SecurityRuleAccess": { - "description": "The network traffic is allowed or denied.", - "enum": [ - { - "value": "Allow" - }, - { - "value": "Deny" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:SecurityRuleDirection": { - "description": "The direction of the rule. The direction specifies if rule will be evaluated on incoming or outgoing traffic.", - "enum": [ - { - "value": "Inbound" - }, - { - "value": "Outbound" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:SecurityRuleProtocol": { - "description": "Network protocol this rule applies to.", - "enum": [ - { - "value": "Tcp" - }, - { - "value": "Udp" - }, - { - "value": "Icmp" - }, - { - "value": "Esp" - }, - { - "value": "*" - }, - { - "value": "Ah" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:SecurityRuleResponse": { - "description": "Network security rule.", - "properties": { - "access": { - "description": "The network traffic is allowed or denied.", - "type": "string" - }, - "description": { - "description": "A description for this rule. Restricted to 140 chars.", - "type": "string" - }, - "destinationAddressPrefix": { - "description": "The destination address prefix. CIDR or destination IP range. Asterisk '*' can also be used to match all source IPs. Default tags such as 'VirtualNetwork', 'AzureLoadBalancer' and 'Internet' can also be used.", - "type": "string" - }, - "destinationAddressPrefixes": { - "description": "The destination address prefixes. CIDR or destination IP ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationApplicationSecurityGroups": { - "description": "The application security group specified as destination.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", - "type": "object" - }, - "type": "array" - }, - "destinationPortRange": { - "description": "The destination port or range. Integer or range between 0 and 65535. Asterisk '*' can also be used to match all ports.", - "type": "string" - }, - "destinationPortRanges": { - "description": "The destination port ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "direction": { - "description": "The direction of the rule. The direction specifies if rule will be evaluated on incoming or outgoing traffic.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "priority": { - "description": "The priority of the rule. The value can be between 100 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", - "type": "integer" - }, - "protocol": { - "description": "Network protocol this rule applies to.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the security rule resource.", - "type": "string" - }, - "sourceAddressPrefix": { - "description": "The CIDR or source IP range. Asterisk '*' can also be used to match all source IPs. Default tags such as 'VirtualNetwork', 'AzureLoadBalancer' and 'Internet' can also be used. If this is an ingress rule, specifies where network traffic originates from.", - "type": "string" - }, - "sourceAddressPrefixes": { - "description": "The CIDR or source IP ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceApplicationSecurityGroups": { - "description": "The application security group specified as source.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", - "type": "object" - }, - "type": "array" - }, - "sourcePortRange": { - "description": "The source port or range. Integer or range between 0 and 65535. Asterisk '*' can also be used to match all ports.", - "type": "string" - }, - "sourcePortRanges": { - "description": "The source port ranges.", - "items": { - "type": "string" - }, - "type": "array" - }, - "type": { - "description": "The type of the resource.", - "type": "string" - } - }, - "required": [ - "access", - "direction", - "etag", - "priority", - "protocol", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:ServiceAssociationLinkResponse": { - "description": "ServiceAssociationLink resource.", - "properties": { - "allowDelete": { - "description": "If true, the resource can be deleted.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "link": { - "description": "Link to the external resource.", - "type": "string" - }, - "linkedResourceType": { - "description": "Resource type of the linked resource.", - "type": "string" - }, - "locations": { - "description": "A list of locations.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the service association link resource.", - "type": "string" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ServiceEndpointPolicy": { - "description": "Service End point policy resource.", - "properties": { - "contextualServiceEndpointPolicies": { - "description": "A collection of contextual service endpoint policy.", - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "serviceAlias": { - "description": "The alias indicating if the policy belongs to a service", - "type": "string" - }, - "serviceEndpointPolicyDefinitions": { - "description": "A collection of service endpoint policy definitions of the service endpoint policy.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyDefinition", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ServiceEndpointPolicyDefinition": { - "description": "Service Endpoint policy definitions.", - "properties": { - "description": { - "description": "A description for this rule. Restricted to 140 chars.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "service": { - "description": "Service endpoint name.", - "type": "string" - }, - "serviceResources": { - "description": "A list of service resources.", - "items": { - "type": "string" - }, - "type": "array" - }, - "type": { - "description": "The type of the resource.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ServiceEndpointPolicyDefinitionResponse": { - "description": "Service Endpoint policy definitions.", - "properties": { - "description": { - "description": "A description for this rule. Restricted to 140 chars.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the service endpoint policy definition resource.", - "type": "string" - }, - "service": { - "description": "Service endpoint name.", - "type": "string" - }, - "serviceResources": { - "description": "A list of service resources.", - "items": { - "type": "string" - }, - "type": "array" - }, - "type": { - "description": "The type of the resource.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:ServiceEndpointPolicyResponse": { - "description": "Service End point policy resource.", - "properties": { - "contextualServiceEndpointPolicies": { - "description": "A collection of contextual service endpoint policy.", - "items": { - "type": "string" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "kind": { - "description": "Kind of service endpoint policy. This is metadata used for the Azure portal experience.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the service endpoint policy resource.", - "type": "string" - }, - "resourceGuid": { - "description": "The resource GUID property of the service endpoint policy resource.", - "type": "string" - }, - "serviceAlias": { - "description": "The alias indicating if the policy belongs to a service", - "type": "string" - }, - "serviceEndpointPolicyDefinitions": { - "description": "A collection of service endpoint policy definitions of the service endpoint policy.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyDefinitionResponse", - "type": "object" - }, - "type": "array" - }, - "subnets": { - "description": "A collection of references to subnets.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "kind", - "name", - "provisioningState", - "resourceGuid", - "subnets", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:ServiceEndpointPropertiesFormat": { - "description": "The service endpoint properties.", - "properties": { - "locations": { - "description": "A list of locations.", - "items": { - "type": "string" - }, - "type": "array" - }, - "service": { - "description": "The type of the endpoint service.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:ServiceEndpointPropertiesFormatResponse": { - "description": "The service endpoint properties.", - "properties": { - "locations": { - "description": "A list of locations.", - "items": { - "type": "string" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the service endpoint resource.", - "type": "string" - }, - "service": { - "description": "The type of the endpoint service.", - "type": "string" - } - }, - "required": [ - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:ServiceProviderProvisioningState": { - "description": "The ServiceProviderProvisioningState state of the resource.", - "enum": [ - { - "value": "NotProvisioned" - }, - { - "value": "Provisioning" - }, - { - "value": "Provisioned" - }, - { - "value": "Deprovisioning" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:SingleQueryResultResponse": { - "properties": { - "description": { - "description": "Describes what is the signature enforces", - "type": "string" - }, - "destinationPorts": { - "description": "Describes the list of destination ports related to this signature", - "items": { - "type": "string" - }, - "type": "array" - }, - "direction": { - "description": "Describes in which direction signature is being enforced: 0 - Inbound, 1 - OutBound, 2 - Bidirectional", - "type": "integer" - }, - "group": { - "description": "Describes the groups the signature belongs to", - "type": "string" - }, - "inheritedFromParentPolicy": { - "description": "Describes if this override is inherited from base policy or not", - "type": "boolean" - }, - "lastUpdated": { - "description": "Describes the last updated time of the signature (provided from 3rd party vendor)", - "type": "string" - }, - "mode": { - "description": "The current mode enforced, 0 - Disabled, 1 - Alert, 2 -Deny", - "type": "integer" - }, - "protocol": { - "description": "Describes the protocol the signatures is being enforced in", - "type": "string" - }, - "severity": { - "description": "Describes the severity of signature: 1 - Low, 2 - Medium, 3 - High", - "type": "integer" - }, - "signatureId": { - "description": "The ID of the signature", - "type": "integer" - }, - "sourcePorts": { - "description": "Describes the list of source ports related to this signature", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:Sku": { - "description": "The sku of this Bastion Host.", - "properties": { - "name": { - "default": "Standard", - "description": "The name of this Bastion Host.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:BastionHostSkuName" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:SkuResponse": { - "description": "The sku of this Bastion Host.", - "properties": { - "name": { - "default": "Standard", - "description": "The name of this Bastion Host.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:StaticRoute": { - "description": "List of all Static Routes.", - "properties": { - "addressPrefixes": { - "description": "List of all address prefixes.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "The name of the StaticRoute that is unique within a VnetRoute.", - "type": "string" - }, - "nextHopIpAddress": { - "description": "The ip address of the next hop.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:StaticRouteResponse": { - "description": "List of all Static Routes.", - "properties": { - "addressPrefixes": { - "description": "List of all address prefixes.", - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "description": "The name of the StaticRoute that is unique within a VnetRoute.", - "type": "string" - }, - "nextHopIpAddress": { - "description": "The ip address of the next hop.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:StaticRoutesConfig": { - "description": "Configuration for static routes on this HubVnetConnectionConfiguration for static routes on this HubVnetConnection.", - "properties": { - "vnetLocalRouteOverrideCriteria": { - "description": "Parameter determining whether NVA in spoke vnet is bypassed for traffic with destination in spoke.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VnetLocalRouteOverrideCriteria" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:StaticRoutesConfigResponse": { - "description": "Configuration for static routes on this HubVnetConnectionConfiguration for static routes on this HubVnetConnection.", - "properties": { - "propagateStaticRoutes": { - "description": "Boolean indicating whether static routes on this connection are automatically propagate to route tables which this connection propagates to.", - "type": "boolean" - }, - "vnetLocalRouteOverrideCriteria": { - "description": "Parameter determining whether NVA in spoke vnet is bypassed for traffic with destination in spoke.", - "type": "string" - } - }, - "required": [ - "propagateStaticRoutes" - ], - "type": "object" - }, - "azure-native:network/v20230201:SubResource": { - "description": "Reference to another subresource.", - "properties": { - "id": { - "description": "Sub-resource ID. Both absolute resource ID and a relative resource ID are accepted.\nAn absolute ID starts with /subscriptions/ and contains the entire ID of the parent resource and the ID of the sub-resource in the end.\nA relative ID replaces the ID of the parent resource with a token '$self', followed by the sub-resource ID itself.\nExample of a relative ID: $self/frontEndConfigurations/my-frontend.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:SubResourceResponse": { - "description": "Reference to another subresource.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:Subnet": { - "description": "Subnet in a virtual network resource.", - "properties": { - "addressPrefix": { - "description": "The address prefix for the subnet.", - "type": "string" - }, - "addressPrefixes": { - "description": "List of address prefixes for the subnet.", - "items": { - "type": "string" - }, - "type": "array" - }, - "applicationGatewayIPConfigurations": { - "description": "Application gateway IP configurations of virtual network resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "delegations": { - "description": "An array of references to the delegations on the subnet.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:Delegation", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipAllocations": { - "description": "Array of IpAllocation which reference this subnet.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Nat gateway associated with this subnet.", - "type": "object" - }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroup", - "description": "The reference to the NetworkSecurityGroup resource.", - "type": "object" - }, - "privateEndpointNetworkPolicies": { - "default": "Disabled", - "description": "Enable or Disable apply network policies on private end point in the subnet.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPrivateEndpointNetworkPolicies" - } - ] - }, - "privateLinkServiceNetworkPolicies": { - "default": "Enabled", - "description": "Enable or Disable apply network policies on private link service in the subnet.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPrivateLinkServiceNetworkPolicies" - } - ] - }, - "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:RouteTable", - "description": "The reference to the RouteTable resource.", - "type": "object" - }, - "serviceEndpointPolicies": { - "description": "An array of service endpoint policies.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicy", - "type": "object" - }, - "type": "array" - }, - "serviceEndpoints": { - "description": "An array of service endpoints.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPropertiesFormat", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:SubnetResponse": { - "description": "Subnet in a virtual network resource.", - "properties": { - "addressPrefix": { - "description": "The address prefix for the subnet.", - "type": "string" - }, - "addressPrefixes": { - "description": "List of address prefixes for the subnet.", - "items": { - "type": "string" - }, - "type": "array" - }, - "applicationGatewayIPConfigurations": { - "description": "Application gateway IP configurations of virtual network resource.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "delegations": { - "description": "An array of references to the delegations on the subnet.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:DelegationResponse", - "type": "object" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipAllocations": { - "description": "Array of IpAllocation which reference this subnet.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "ipConfigurationProfiles": { - "description": "Array of IP configuration profiles which reference this subnet.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationProfileResponse", - "type": "object" - }, - "type": "array" - }, - "ipConfigurations": { - "description": "An array of references to the network interface IP configurations using subnet.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Nat gateway associated with this subnet.", - "type": "object" - }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", - "description": "The reference to the NetworkSecurityGroup resource.", - "type": "object" - }, - "privateEndpointNetworkPolicies": { - "default": "Disabled", - "description": "Enable or Disable apply network policies on private end point in the subnet.", - "type": "string" - }, - "privateEndpoints": { - "description": "An array of references to private endpoints.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", - "type": "object" - }, - "type": "array" - }, - "privateLinkServiceNetworkPolicies": { - "default": "Enabled", - "description": "Enable or Disable apply network policies on private link service in the subnet.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the subnet resource.", - "type": "string" - }, - "purpose": { - "description": "A read-only string identifying the intention of use for this subnet based on delegations and other user-defined properties.", - "type": "string" - }, - "resourceNavigationLinks": { - "description": "An array of references to the external resources using subnet.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ResourceNavigationLinkResponse", - "type": "object" - }, - "type": "array" - }, - "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:RouteTableResponse", - "description": "The reference to the RouteTable resource.", - "type": "object" - }, - "serviceAssociationLinks": { - "description": "An array of references to services injecting into this subnet.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceAssociationLinkResponse", - "type": "object" - }, - "type": "array" - }, - "serviceEndpointPolicies": { - "description": "An array of service endpoint policies.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyResponse", - "type": "object" - }, - "type": "array" - }, - "serviceEndpoints": { - "description": "An array of service endpoints.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPropertiesFormatResponse", - "type": "object" - }, - "type": "array" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "ipConfigurationProfiles", - "ipConfigurations", - "privateEndpoints", - "provisioningState", - "purpose", - "resourceNavigationLinks", - "serviceAssociationLinks" - ], - "type": "object" - }, - "azure-native:network/v20230201:SystemDataResponse": { - "description": "Metadata pertaining to creation and last modification of the resource.", - "properties": { - "createdAt": { - "description": "The timestamp of resource creation (UTC).", - "type": "string" - }, - "createdBy": { - "description": "The identity that created the resource.", - "type": "string" - }, - "createdByType": { - "description": "The type of identity that created the resource.", - "type": "string" - }, - "lastModifiedAt": { - "description": "The type of identity that last modified the resource.", - "type": "string" - }, - "lastModifiedBy": { - "description": "The identity that last modified the resource.", - "type": "string" - }, - "lastModifiedByType": { - "description": "The type of identity that last modified the resource.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:TrafficAnalyticsConfigurationProperties": { - "description": "Parameters that define the configuration of traffic analytics.", - "properties": { - "enabled": { - "description": "Flag to enable/disable traffic analytics.", - "type": "boolean" - }, - "trafficAnalyticsInterval": { - "description": "The interval in minutes which would decide how frequently TA service should do flow analytics.", - "type": "integer" - }, - "workspaceId": { - "description": "The resource guid of the attached workspace.", - "type": "string" - }, - "workspaceRegion": { - "description": "The location of the attached workspace.", - "type": "string" - }, - "workspaceResourceId": { - "description": "Resource Id of the attached workspace.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:TrafficAnalyticsConfigurationPropertiesResponse": { - "description": "Parameters that define the configuration of traffic analytics.", - "properties": { - "enabled": { - "description": "Flag to enable/disable traffic analytics.", - "type": "boolean" - }, - "trafficAnalyticsInterval": { - "description": "The interval in minutes which would decide how frequently TA service should do flow analytics.", - "type": "integer" - }, - "workspaceId": { - "description": "The resource guid of the attached workspace.", - "type": "string" - }, - "workspaceRegion": { - "description": "The location of the attached workspace.", - "type": "string" - }, - "workspaceResourceId": { - "description": "Resource Id of the attached workspace.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:TrafficAnalyticsProperties": { - "description": "Parameters that define the configuration of traffic analytics.", - "properties": { - "networkWatcherFlowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsConfigurationProperties", - "description": "Parameters that define the configuration of traffic analytics.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:TrafficAnalyticsPropertiesResponse": { - "description": "Parameters that define the configuration of traffic analytics.", - "properties": { - "networkWatcherFlowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsConfigurationPropertiesResponse", - "description": "Parameters that define the configuration of traffic analytics.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:TrafficSelectorPolicy": { - "description": "An traffic selector policy for a virtual network gateway connection.", - "properties": { - "localAddressRanges": { - "description": "A collection of local address spaces in CIDR format.", - "items": { - "type": "string" - }, - "type": "array" - }, - "remoteAddressRanges": { - "description": "A collection of remote address spaces in CIDR format.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "localAddressRanges", - "remoteAddressRanges" - ], - "type": "object" - }, - "azure-native:network/v20230201:TrafficSelectorPolicyResponse": { - "description": "An traffic selector policy for a virtual network gateway connection.", - "properties": { - "localAddressRanges": { - "description": "A collection of local address spaces in CIDR format.", - "items": { - "type": "string" - }, - "type": "array" - }, - "remoteAddressRanges": { - "description": "A collection of remote address spaces in CIDR format.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "localAddressRanges", - "remoteAddressRanges" - ], - "type": "object" - }, - "azure-native:network/v20230201:TransportProtocol": { - "description": "The reference to the transport protocol used by the load balancing rule.", - "enum": [ - { - "value": "Udp" - }, - { - "value": "Tcp" - }, - { - "value": "All" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:TunnelConnectionHealthResponse": { - "description": "VirtualNetworkGatewayConnection properties.", - "properties": { - "connectionStatus": { - "description": "Virtual Network Gateway connection status.", - "type": "string" - }, - "egressBytesTransferred": { - "description": "The Egress Bytes Transferred in this connection.", - "type": "number" - }, - "ingressBytesTransferred": { - "description": "The Ingress Bytes Transferred in this connection.", - "type": "number" - }, - "lastConnectionEstablishedUtcTime": { - "description": "The time at which connection was established in Utc format.", - "type": "string" - }, - "tunnel": { - "description": "Tunnel name.", - "type": "string" - } - }, - "required": [ - "connectionStatus", - "egressBytesTransferred", - "ingressBytesTransferred", - "lastConnectionEstablishedUtcTime", - "tunnel" - ], - "type": "object" - }, - "azure-native:network/v20230201:UseHubGateway": { - "description": "Flag if need to use hub gateway.", - "enum": [ - { - "value": "False" - }, - { - "value": "True" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VM": { - "description": "Describes a Virtual Machine.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VMResponse": { - "description": "Describes a Virtual Machine.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "name", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualApplianceAdditionalNicProperties": { - "description": "Network Virtual Appliance Additional NIC properties.", - "properties": { - "hasPublicIp": { - "description": "Flag (true or false) for Intent for Public Ip on additional nic", - "type": "boolean" - }, - "name": { - "description": "Name of additional nic", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualApplianceAdditionalNicPropertiesResponse": { - "description": "Network Virtual Appliance Additional NIC properties.", - "properties": { - "hasPublicIp": { - "description": "Flag (true or false) for Intent for Public Ip on additional nic", - "type": "boolean" - }, - "name": { - "description": "Name of additional nic", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualApplianceNicPropertiesResponse": { - "description": "Network Virtual Appliance NIC properties.", - "properties": { - "instanceName": { - "description": "Instance on which nic is attached.", - "type": "string" - }, - "name": { - "description": "NIC name.", - "type": "string" - }, - "privateIpAddress": { - "description": "Private IP address.", - "type": "string" - }, - "publicIpAddress": { - "description": "Public IP address.", - "type": "string" - } - }, - "required": [ - "instanceName", - "name", - "privateIpAddress", - "publicIpAddress" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualApplianceSkuProperties": { - "description": "Network Virtual Appliance Sku Properties.", - "properties": { - "bundledScaleUnit": { - "description": "Virtual Appliance Scale Unit.", - "type": "string" - }, - "marketPlaceVersion": { - "description": "Virtual Appliance Version.", - "type": "string" - }, - "vendor": { - "description": "Virtual Appliance Vendor.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualApplianceSkuPropertiesResponse": { - "description": "Network Virtual Appliance Sku Properties.", - "properties": { - "bundledScaleUnit": { - "description": "Virtual Appliance Scale Unit.", - "type": "string" - }, - "marketPlaceVersion": { - "description": "Virtual Appliance Version.", - "type": "string" - }, - "vendor": { - "description": "Virtual Appliance Vendor.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualHubId": { - "description": "Virtual Hub identifier.", - "properties": { - "id": { - "description": "The resource URI for the Virtual Hub where the ExpressRoute gateway is or will be deployed. The Virtual Hub resource and the ExpressRoute gateway resource reside in the same subscription.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualHubIdResponse": { - "description": "Virtual Hub identifier.", - "properties": { - "id": { - "description": "The resource URI for the Virtual Hub where the ExpressRoute gateway is or will be deployed. The Virtual Hub resource and the ExpressRoute gateway resource reside in the same subscription.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualHubRoute": { - "description": "VirtualHub route.", - "properties": { - "addressPrefixes": { - "description": "List of all addressPrefixes.", - "items": { - "type": "string" - }, - "type": "array" - }, - "nextHopIpAddress": { - "description": "NextHop ip address.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualHubRouteResponse": { - "description": "VirtualHub route.", - "properties": { - "addressPrefixes": { - "description": "List of all addressPrefixes.", - "items": { - "type": "string" - }, - "type": "array" - }, - "nextHopIpAddress": { - "description": "NextHop ip address.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualHubRouteTable": { - "description": "VirtualHub route table.", - "properties": { - "routes": { - "description": "List of all routes.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRoute", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualHubRouteTableResponse": { - "description": "VirtualHub route table.", - "properties": { - "routes": { - "description": "List of all routes.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualHubRouteTableV2": { - "description": "VirtualHubRouteTableV2 Resource.", - "properties": { - "attachedConnections": { - "description": "List of all connections attached to this route table v2.", - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "routes": { - "description": "List of all routes.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteV2", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualHubRouteTableV2Response": { - "description": "VirtualHubRouteTableV2 Resource.", - "properties": { - "attachedConnections": { - "description": "List of all connections attached to this route table v2.", - "items": { - "type": "string" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the virtual hub route table v2 resource.", - "type": "string" - }, - "routes": { - "description": "List of all routes.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteV2Response", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "etag", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualHubRouteV2": { - "description": "VirtualHubRouteTableV2 route.", - "properties": { - "destinationType": { - "description": "The type of destinations.", - "type": "string" - }, - "destinations": { - "description": "List of all destinations.", - "items": { - "type": "string" - }, - "type": "array" - }, - "nextHopType": { - "description": "The type of next hops.", - "type": "string" - }, - "nextHops": { - "description": "NextHops ip address.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualHubRouteV2Response": { - "description": "VirtualHubRouteTableV2 route.", - "properties": { - "destinationType": { - "description": "The type of destinations.", - "type": "string" - }, - "destinations": { - "description": "List of all destinations.", - "items": { - "type": "string" - }, - "type": "array" - }, - "nextHopType": { - "description": "The type of next hops.", - "type": "string" - }, - "nextHops": { - "description": "NextHops ip address.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkBgpCommunities": { - "description": "Bgp Communities sent over ExpressRoute with each route corresponding to a prefix in this VNET.", - "properties": { - "virtualNetworkCommunity": { - "description": "The BGP community associated with the virtual network.", - "type": "string" - } - }, - "required": [ - "virtualNetworkCommunity" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse": { - "description": "Bgp Communities sent over ExpressRoute with each route corresponding to a prefix in this VNET.", - "properties": { - "regionalCommunity": { - "description": "The BGP community associated with the region of the virtual network.", - "type": "string" - }, - "virtualNetworkCommunity": { - "description": "The BGP community associated with the virtual network.", - "type": "string" - } - }, - "required": [ - "regionalCommunity", - "virtualNetworkCommunity" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkEncryption": { - "description": "Indicates if encryption is enabled on virtual network and if VM without encryption is allowed in encrypted VNet.", - "properties": { - "enabled": { - "description": "Indicates if encryption is enabled on the virtual network.", - "type": "boolean" - }, - "enforcement": { - "description": "If the encrypted VNet allows VM that does not support encryption", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryptionEnforcement" - } - ] - } - }, - "required": [ - "enabled" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkEncryptionEnforcement": { - "description": "If the encrypted VNet allows VM that does not support encryption", - "enum": [ - { - "value": "DropUnencrypted" - }, - { - "value": "AllowUnencrypted" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VirtualNetworkEncryptionResponse": { - "description": "Indicates if encryption is enabled on virtual network and if VM without encryption is allowed in encrypted VNet.", - "properties": { - "enabled": { - "description": "Indicates if encryption is enabled on the virtual network.", - "type": "boolean" - }, - "enforcement": { - "description": "If the encrypted VNet allows VM that does not support encryption", - "type": "string" - } - }, - "required": [ - "enabled" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGateway": { - "description": "A common class for general resource information.", - "properties": { - "activeActive": { - "description": "ActiveActive flag.", - "type": "boolean" - }, - "adminState": { - "description": "Property to indicate if the Express Route Gateway serves traffic when there are multiple Express Route Gateways in the vnet", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:AdminState" - } - ] - }, - "allowRemoteVnetTraffic": { - "description": "Configure this gateway to accept traffic from other Azure Virtual Networks. This configuration does not support connectivity to Azure Virtual WAN.", - "type": "boolean" - }, - "allowVirtualWanTraffic": { - "description": "Configures this gateway to accept traffic from remote Virtual WAN networks.", - "type": "boolean" - }, - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", - "description": "Virtual network gateway's BGP speaker settings.", - "type": "object" - }, - "customRoutes": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "description": "The reference to the address space resource which represents the custom routes address space specified by the customer for virtual network gateway and VpnClient.", - "type": "object" - }, - "disableIPSecReplayProtection": { - "description": "disableIPSecReplayProtection flag.", - "type": "boolean" - }, - "enableBgp": { - "description": "Whether BGP is enabled for this virtual network gateway or not.", - "type": "boolean" - }, - "enableBgpRouteTranslationForNat": { - "description": "EnableBgpRouteTranslationForNat flag.", - "type": "boolean" - }, - "enableDnsForwarding": { - "description": "Whether dns forwarding is enabled or not.", - "type": "boolean" - }, - "enablePrivateIpAddress": { - "description": "Whether private IP needs to be enabled on this gateway for connections or not.", - "type": "boolean" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "description": "The extended location of type local virtual network gateway.", - "type": "object" - }, - "gatewayDefaultSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The reference to the LocalNetworkGateway resource which represents local network site having default routes. Assign Null value in case of removing existing default site setting.", - "type": "object" - }, - "gatewayType": { - "description": "The type of this virtual network gateway.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayType" - } - ] - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipConfigurations": { - "description": "IP configurations for virtual network gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "natRules": { - "description": "NatRules for virtual network gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayNatRule", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySku", - "description": "The reference to the VirtualNetworkGatewaySku resource which represents the SKU selected for Virtual network gateway.", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "vNetExtendedLocationResourceId": { - "description": "Customer vnet resource id. VirtualNetworkGateway of type local gateway is associated with the customer vnet.", - "type": "string" - }, - "virtualNetworkGatewayPolicyGroups": { - "description": "The reference to the VirtualNetworkGatewayPolicyGroup resource which represents the available VirtualNetworkGatewayPolicyGroup for the gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroup", - "type": "object" - }, - "type": "array" - }, - "vpnClientConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConfiguration", - "description": "The reference to the VpnClientConfiguration resource which represents the P2S VpnClient configurations.", - "type": "object" - }, - "vpnGatewayGeneration": { - "description": "The generation for this VirtualNetworkGateway. Must be None if gatewayType is not VPN.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayGeneration" - } - ] - }, - "vpnType": { - "description": "The type of this virtual network gateway.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayConnectionMode": { - "description": "The connection mode for this connection.", - "enum": [ - { - "value": "Default" - }, - { - "value": "ResponderOnly" - }, - { - "value": "InitiatorOnly" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayConnectionProtocol": { - "description": "Connection protocol used for this connection.", - "enum": [ - { - "value": "IKEv2" - }, - { - "value": "IKEv1" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayConnectionType": { - "description": "Gateway connection type.", - "enum": [ - { - "value": "IPsec" - }, - { - "value": "Vnet2Vnet" - }, - { - "value": "ExpressRoute" - }, - { - "value": "VPNClient" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayIPConfiguration": { - "description": "IP configuration for virtual network gateway.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "privateIPAllocationMethod": { - "description": "The private IP address allocation method.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:IPAllocationMethod" - } - ] - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The reference to the public IP resource.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The reference to the subnet resource.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayIPConfigurationResponse": { - "description": "IP configuration for virtual network gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "privateIPAddress": { - "description": "Private IP Address for this gateway.", - "type": "string" - }, - "privateIPAllocationMethod": { - "description": "The private IP address allocation method.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the virtual network gateway IP configuration resource.", - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The reference to the public IP resource.", - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The reference to the subnet resource.", - "type": "object" - } - }, - "required": [ - "etag", - "privateIPAddress", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayNatRule": { - "description": "VirtualNetworkGatewayNatRule Resource.", - "properties": { - "externalMappings": { - "description": "The private IP address external mapping for NAT.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "internalMappings": { - "description": "The private IP address internal mapping for NAT.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "ipConfigurationId": { - "description": "The IP Configuration ID this NAT rule applies to.", - "type": "string" - }, - "mode": { - "description": "The Source NAT direction of a VPN NAT.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMode" - } - ] - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "type": { - "description": "The type of NAT rule for VPN NAT.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayNatRuleResponse": { - "description": "VirtualNetworkGatewayNatRule Resource.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "externalMappings": { - "description": "The private IP address external mapping for NAT.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "internalMappings": { - "description": "The private IP address internal mapping for NAT.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" - }, - "type": "array" - }, - "ipConfigurationId": { - "description": "The IP Configuration ID this NAT rule applies to.", - "type": "string" - }, - "mode": { - "description": "The Source NAT direction of a VPN NAT.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the NAT Rule resource.", - "type": "string" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroup": { - "description": "Parameters for VirtualNetworkGatewayPolicyGroup.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "isDefault": { - "description": "Shows if this is a Default VirtualNetworkGatewayPolicyGroup or not.", - "type": "boolean" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "policyMembers": { - "description": "Multiple PolicyMembers for VirtualNetworkGatewayPolicyGroup.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupMember", - "type": "object" - }, - "type": "array" - }, - "priority": { - "description": "Priority for VirtualNetworkGatewayPolicyGroup.", - "type": "integer" - } - }, - "required": [ - "isDefault", - "policyMembers", - "priority" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupMember": { - "description": "Vpn Client Connection configuration PolicyGroup member", - "properties": { - "attributeType": { - "description": "The Vpn Policy member attribute type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnPolicyMemberAttributeType" - } - ] - }, - "attributeValue": { - "description": "The value of Attribute used for this VirtualNetworkGatewayPolicyGroupMember.", - "type": "string" - }, - "name": { - "description": "Name of the VirtualNetworkGatewayPolicyGroupMember.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupMemberResponse": { - "description": "Vpn Client Connection configuration PolicyGroup member", - "properties": { - "attributeType": { - "description": "The Vpn Policy member attribute type.", - "type": "string" - }, - "attributeValue": { - "description": "The value of Attribute used for this VirtualNetworkGatewayPolicyGroupMember.", - "type": "string" - }, - "name": { - "description": "Name of the VirtualNetworkGatewayPolicyGroupMember.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupResponse": { - "description": "Parameters for VirtualNetworkGatewayPolicyGroup.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "isDefault": { - "description": "Shows if this is a Default VirtualNetworkGatewayPolicyGroup or not.", - "type": "boolean" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "policyMembers": { - "description": "Multiple PolicyMembers for VirtualNetworkGatewayPolicyGroup.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupMemberResponse", - "type": "object" - }, - "type": "array" - }, - "priority": { - "description": "Priority for VirtualNetworkGatewayPolicyGroup.", - "type": "integer" - }, - "provisioningState": { - "description": "The provisioning state of the VirtualNetworkGatewayPolicyGroup resource.", - "type": "string" - }, - "vngClientConnectionConfigurations": { - "description": "List of references to vngClientConnectionConfigurations.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "etag", - "isDefault", - "policyMembers", - "priority", - "provisioningState", - "vngClientConnectionConfigurations" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayResponse": { - "description": "A common class for general resource information.", - "properties": { - "activeActive": { - "description": "ActiveActive flag.", - "type": "boolean" - }, - "adminState": { - "description": "Property to indicate if the Express Route Gateway serves traffic when there are multiple Express Route Gateways in the vnet", - "type": "string" - }, - "allowRemoteVnetTraffic": { - "description": "Configure this gateway to accept traffic from other Azure Virtual Networks. This configuration does not support connectivity to Azure Virtual WAN.", - "type": "boolean" - }, - "allowVirtualWanTraffic": { - "description": "Configures this gateway to accept traffic from remote Virtual WAN networks.", - "type": "boolean" - }, - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", - "description": "Virtual network gateway's BGP speaker settings.", - "type": "object" - }, - "customRoutes": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "description": "The reference to the address space resource which represents the custom routes address space specified by the customer for virtual network gateway and VpnClient.", - "type": "object" - }, - "disableIPSecReplayProtection": { - "description": "disableIPSecReplayProtection flag.", - "type": "boolean" - }, - "enableBgp": { - "description": "Whether BGP is enabled for this virtual network gateway or not.", - "type": "boolean" - }, - "enableBgpRouteTranslationForNat": { - "description": "EnableBgpRouteTranslationForNat flag.", - "type": "boolean" - }, - "enableDnsForwarding": { - "description": "Whether dns forwarding is enabled or not.", - "type": "boolean" - }, - "enablePrivateIpAddress": { - "description": "Whether private IP needs to be enabled on this gateway for connections or not.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse", - "description": "The extended location of type local virtual network gateway.", - "type": "object" - }, - "gatewayDefaultSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The reference to the LocalNetworkGateway resource which represents local network site having default routes. Assign Null value in case of removing existing default site setting.", - "type": "object" - }, - "gatewayType": { - "description": "The type of this virtual network gateway.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "inboundDnsForwardingEndpoint": { - "description": "The IP address allocated by the gateway to which dns requests can be sent.", - "type": "string" - }, - "ipConfigurations": { - "description": "IP configurations for virtual network gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayIPConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "natRules": { - "description": "NatRules for virtual network gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayNatRuleResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the virtual network gateway resource.", - "type": "string" - }, - "resourceGuid": { - "description": "The resource GUID property of the virtual network gateway resource.", - "type": "string" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySkuResponse", - "description": "The reference to the VirtualNetworkGatewaySku resource which represents the SKU selected for Virtual network gateway.", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "vNetExtendedLocationResourceId": { - "description": "Customer vnet resource id. VirtualNetworkGateway of type local gateway is associated with the customer vnet.", - "type": "string" - }, - "virtualNetworkGatewayPolicyGroups": { - "description": "The reference to the VirtualNetworkGatewayPolicyGroup resource which represents the available VirtualNetworkGatewayPolicyGroup for the gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupResponse", - "type": "object" - }, - "type": "array" - }, - "vpnClientConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConfigurationResponse", - "description": "The reference to the VpnClientConfiguration resource which represents the P2S VpnClient configurations.", - "type": "object" - }, - "vpnGatewayGeneration": { - "description": "The generation for this VirtualNetworkGateway. Must be None if gatewayType is not VPN.", - "type": "string" - }, - "vpnType": { - "description": "The type of this virtual network gateway.", - "type": "string" - } - }, - "required": [ - "etag", - "inboundDnsForwardingEndpoint", - "name", - "provisioningState", - "resourceGuid", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewaySku": { - "description": "VirtualNetworkGatewaySku details.", - "properties": { - "name": { - "description": "Gateway SKU name.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySkuName" - } - ] - }, - "tier": { - "description": "Gateway SKU tier.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySkuTier" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewaySkuName": { - "description": "Gateway SKU name.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "HighPerformance" - }, - { - "value": "Standard" - }, - { - "value": "UltraPerformance" - }, - { - "value": "VpnGw1" - }, - { - "value": "VpnGw2" - }, - { - "value": "VpnGw3" - }, - { - "value": "VpnGw4" - }, - { - "value": "VpnGw5" - }, - { - "value": "VpnGw1AZ" - }, - { - "value": "VpnGw2AZ" - }, - { - "value": "VpnGw3AZ" - }, - { - "value": "VpnGw4AZ" - }, - { - "value": "VpnGw5AZ" - }, - { - "value": "ErGw1AZ" - }, - { - "value": "ErGw2AZ" - }, - { - "value": "ErGw3AZ" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VirtualNetworkGatewaySkuResponse": { - "description": "VirtualNetworkGatewaySku details.", - "properties": { - "capacity": { - "description": "The capacity.", - "type": "integer" - }, - "name": { - "description": "Gateway SKU name.", - "type": "string" - }, - "tier": { - "description": "Gateway SKU tier.", - "type": "string" - } - }, - "required": [ - "capacity" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkGatewaySkuTier": { - "description": "Gateway SKU tier.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "HighPerformance" - }, - { - "value": "Standard" - }, - { - "value": "UltraPerformance" - }, - { - "value": "VpnGw1" - }, - { - "value": "VpnGw2" - }, - { - "value": "VpnGw3" - }, - { - "value": "VpnGw4" - }, - { - "value": "VpnGw5" - }, - { - "value": "VpnGw1AZ" - }, - { - "value": "VpnGw2AZ" - }, - { - "value": "VpnGw3AZ" - }, - { - "value": "VpnGw4AZ" - }, - { - "value": "VpnGw5AZ" - }, - { - "value": "ErGw1AZ" - }, - { - "value": "ErGw2AZ" - }, - { - "value": "ErGw3AZ" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VirtualNetworkGatewayType": { - "description": "The type of this virtual network gateway.", - "enum": [ - { - "value": "Vpn" - }, - { - "value": "ExpressRoute" - }, - { - "value": "LocalGateway" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VirtualNetworkPeering": { - "description": "Peerings in a virtual network resource.", - "properties": { - "allowForwardedTraffic": { - "description": "Whether the forwarded traffic from the VMs in the local virtual network will be allowed/disallowed in remote virtual network.", - "type": "boolean" - }, - "allowGatewayTransit": { - "description": "If gateway links can be used in remote virtual networking to link to this virtual network.", - "type": "boolean" - }, - "allowVirtualNetworkAccess": { - "description": "Whether the VMs in the local virtual network space would be able to access the VMs in remote virtual network space.", - "type": "boolean" - }, - "doNotVerifyRemoteGateways": { - "description": "If we need to verify the provisioning state of the remote gateway.", - "type": "boolean" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "peeringState": { - "description": "The status of the virtual network peering.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPeeringState" - } - ] - }, - "peeringSyncLevel": { - "description": "The peering sync status of the virtual network peering.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPeeringLevel" - } - ] - }, - "remoteAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "description": "The reference to the address space peered with the remote virtual network.", - "type": "object" - }, - "remoteBgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunities", - "description": "The reference to the remote virtual network's Bgp Communities.", - "type": "object" - }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "The reference to the remote virtual network. The remote virtual network can be in the same or different region (preview). See here to register for the preview and learn more (https://docs.microsoft.com/en-us/azure/virtual-network/virtual-network-create-peering).", - "type": "object" - }, - "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "description": "The reference to the current address space of the remote virtual network.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "useRemoteGateways": { - "description": "If remote gateways can be used on this virtual network. If the flag is set to true, and allowGatewayTransit on remote peering is also true, virtual network will use gateways of remote virtual network for transit. Only one peering can have this flag set to true. This flag cannot be set if virtual network already has a gateway.", - "type": "boolean" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkPeeringLevel": { - "description": "The peering sync status of the virtual network peering.", - "enum": [ - { - "value": "FullyInSync" - }, - { - "value": "RemoteNotInSync" - }, - { - "value": "LocalNotInSync" - }, - { - "value": "LocalAndRemoteNotInSync" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VirtualNetworkPeeringResponse": { - "description": "Peerings in a virtual network resource.", - "properties": { - "allowForwardedTraffic": { - "description": "Whether the forwarded traffic from the VMs in the local virtual network will be allowed/disallowed in remote virtual network.", - "type": "boolean" - }, - "allowGatewayTransit": { - "description": "If gateway links can be used in remote virtual networking to link to this virtual network.", - "type": "boolean" - }, - "allowVirtualNetworkAccess": { - "description": "Whether the VMs in the local virtual network space would be able to access the VMs in remote virtual network space.", - "type": "boolean" - }, - "doNotVerifyRemoteGateways": { - "description": "If we need to verify the provisioning state of the remote gateway.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "peeringState": { - "description": "The status of the virtual network peering.", - "type": "string" - }, - "peeringSyncLevel": { - "description": "The peering sync status of the virtual network peering.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the virtual network peering resource.", - "type": "string" - }, - "remoteAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "description": "The reference to the address space peered with the remote virtual network.", - "type": "object" - }, - "remoteBgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse", - "description": "The reference to the remote virtual network's Bgp Communities.", - "type": "object" - }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "The reference to the remote virtual network. The remote virtual network can be in the same or different region (preview). See here to register for the preview and learn more (https://docs.microsoft.com/en-us/azure/virtual-network/virtual-network-create-peering).", - "type": "object" - }, - "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "description": "The reference to the current address space of the remote virtual network.", - "type": "object" - }, - "remoteVirtualNetworkEncryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryptionResponse", - "description": "The reference to the remote virtual network's encryption", - "type": "object" - }, - "resourceGuid": { - "description": "The resourceGuid property of the Virtual Network peering resource.", - "type": "string" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "useRemoteGateways": { - "description": "If remote gateways can be used on this virtual network. If the flag is set to true, and allowGatewayTransit on remote peering is also true, virtual network will use gateways of remote virtual network for transit. Only one peering can have this flag set to true. This flag cannot be set if virtual network already has a gateway.", - "type": "boolean" - } - }, - "required": [ - "etag", - "provisioningState", - "remoteVirtualNetworkEncryption", - "resourceGuid" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkPeeringState": { - "description": "The status of the virtual network peering.", - "enum": [ - { - "value": "Initiated" - }, - { - "value": "Connected" - }, - { - "value": "Disconnected" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VirtualNetworkPrivateEndpointNetworkPolicies": { - "description": "Enable or Disable apply network policies on private end point in the subnet.", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VirtualNetworkPrivateLinkServiceNetworkPolicies": { - "description": "Enable or Disable apply network policies on private link service in the subnet.", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VirtualNetworkTap": { - "description": "Virtual Network Tap resource.", - "properties": { - "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfiguration", - "description": "The reference to the private IP address on the internal Load Balancer that will receive the tap.", - "type": "object" - }, - "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfiguration", - "description": "The reference to the private IP Address of the collector nic that will receive the tap.", - "type": "object" - }, - "destinationPort": { - "description": "The VXLAN destination port that will receive the tapped traffic.", - "type": "integer" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualNetworkTapResponse": { - "description": "Virtual Network Tap resource.", - "properties": { - "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", - "description": "The reference to the private IP address on the internal Load Balancer that will receive the tap.", - "type": "object" - }, - "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "description": "The reference to the private IP Address of the collector nic that will receive the tap.", - "type": "object" - }, - "destinationPort": { - "description": "The VXLAN destination port that will receive the tapped traffic.", - "type": "integer" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "location": { - "description": "Resource location.", - "type": "string" - }, - "name": { - "description": "Resource name.", - "type": "string" - }, - "networkInterfaceTapConfigurations": { - "description": "Specifies the list of resource IDs for the network interface IP configuration that needs to be tapped.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the virtual network tap resource.", - "type": "string" - }, - "resourceGuid": { - "description": "The resource GUID property of the virtual network tap resource.", - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "description": "Resource tags.", - "type": "object" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "name", - "networkInterfaceTapConfigurations", - "provisioningState", - "resourceGuid", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:VirtualRouterAutoScaleConfiguration": { - "description": "The VirtualHub Router autoscale configuration.", - "properties": { - "minCapacity": { - "description": "The minimum number of scale units for VirtualHub Router.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VirtualRouterAutoScaleConfigurationResponse": { - "description": "The VirtualHub Router autoscale configuration.", - "properties": { - "minCapacity": { - "description": "The minimum number of scale units for VirtualHub Router.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VnetLocalRouteOverrideCriteria": { - "description": "Parameter determining whether NVA in spoke vnet is bypassed for traffic with destination in spoke.", - "enum": [ - { - "value": "Contains" - }, - { - "value": "Equal" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VnetRoute": { - "description": "List of routes that control routing from VirtualHub into a virtual network connection.", - "properties": { - "staticRoutes": { - "description": "List of all Static Routes.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:StaticRoute", - "type": "object" - }, - "type": "array" - }, - "staticRoutesConfig": { - "$ref": "#/types/azure-native:network/v20230201:StaticRoutesConfig", - "description": "Configuration for static routes on this HubVnetConnection.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VnetRouteResponse": { - "description": "List of routes that control routing from VirtualHub into a virtual network connection.", - "properties": { - "bgpConnections": { - "description": "The list of references to HubBgpConnection objects.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "staticRoutes": { - "description": "List of all Static Routes.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:StaticRouteResponse", - "type": "object" - }, - "type": "array" - }, - "staticRoutesConfig": { - "$ref": "#/types/azure-native:network/v20230201:StaticRoutesConfigResponse", - "description": "Configuration for static routes on this HubVnetConnection.", - "type": "object" - } - }, - "required": [ - "bgpConnections" - ], - "type": "object" - }, - "azure-native:network/v20230201:VngClientConnectionConfiguration": { - "description": "A vpn client connection configuration for client connection configuration.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "virtualNetworkGatewayPolicyGroups": { - "description": "List of references to virtualNetworkGatewayPolicyGroups", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", - "type": "object" - } - }, - "required": [ - "virtualNetworkGatewayPolicyGroups", - "vpnClientAddressPool" - ], - "type": "object" - }, - "azure-native:network/v20230201:VngClientConnectionConfigurationResponse": { - "description": "A vpn client connection configuration for client connection configuration.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the VngClientConnectionConfiguration resource.", - "type": "string" - }, - "virtualNetworkGatewayPolicyGroups": { - "description": "List of references to virtualNetworkGatewayPolicyGroups", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", - "type": "object" - } - }, - "required": [ - "etag", - "provisioningState", - "virtualNetworkGatewayPolicyGroups", - "vpnClientAddressPool" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnAuthenticationType": { - "description": "VPN authentication types enabled for the VpnServerConfiguration.", - "enum": [ - { - "value": "Certificate" - }, - { - "value": "Radius" - }, - { - "value": "AAD" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VpnClientConfiguration": { - "description": "VpnClientConfiguration for P2S client.", - "properties": { - "aadAudience": { - "description": "The AADAudience property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", - "type": "string" - }, - "aadIssuer": { - "description": "The AADIssuer property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", - "type": "string" - }, - "aadTenant": { - "description": "The AADTenant property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", - "type": "string" - }, - "radiusServerAddress": { - "description": "The radius server address property of the VirtualNetworkGateway resource for vpn client connection.", - "type": "string" - }, - "radiusServerSecret": { - "description": "The radius secret property of the VirtualNetworkGateway resource for vpn client connection.", - "type": "string" - }, - "radiusServers": { - "description": "The radiusServers property for multiple radius server configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:RadiusServer", - "type": "object" - }, - "type": "array" - }, - "vngClientConnectionConfigurations": { - "description": "per ip address pool connection policy for virtual network gateway P2S client.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VngClientConnectionConfiguration", - "type": "object" - }, - "type": "array" - }, - "vpnAuthenticationTypes": { - "description": "VPN authentication types for the virtual network gateway..", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnAuthenticationType" - } - ] - }, - "type": "array" - }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", - "type": "object" - }, - "vpnClientIpsecPolicies": { - "description": "VpnClientIpsecPolicies for virtual network gateway P2S client.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", - "type": "object" - }, - "type": "array" - }, - "vpnClientProtocols": { - "description": "VpnClientProtocols for Virtual network gateway.", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnClientProtocol" - } - ] - }, - "type": "array" - }, - "vpnClientRevokedCertificates": { - "description": "VpnClientRevokedCertificate for Virtual network gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientRevokedCertificate", - "type": "object" - }, - "type": "array" - }, - "vpnClientRootCertificates": { - "description": "VpnClientRootCertificate for virtual network gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientRootCertificate", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnClientConfigurationResponse": { - "description": "VpnClientConfiguration for P2S client.", - "properties": { - "aadAudience": { - "description": "The AADAudience property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", - "type": "string" - }, - "aadIssuer": { - "description": "The AADIssuer property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", - "type": "string" - }, - "aadTenant": { - "description": "The AADTenant property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", - "type": "string" - }, - "radiusServerAddress": { - "description": "The radius server address property of the VirtualNetworkGateway resource for vpn client connection.", - "type": "string" - }, - "radiusServerSecret": { - "description": "The radius secret property of the VirtualNetworkGateway resource for vpn client connection.", - "type": "string" - }, - "radiusServers": { - "description": "The radiusServers property for multiple radius server configuration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:RadiusServerResponse", - "type": "object" - }, - "type": "array" - }, - "vngClientConnectionConfigurations": { - "description": "per ip address pool connection policy for virtual network gateway P2S client.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VngClientConnectionConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "vpnAuthenticationTypes": { - "description": "VPN authentication types for the virtual network gateway..", - "items": { - "type": "string" - }, - "type": "array" - }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", - "type": "object" - }, - "vpnClientIpsecPolicies": { - "description": "VpnClientIpsecPolicies for virtual network gateway P2S client.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", - "type": "object" - }, - "type": "array" - }, - "vpnClientProtocols": { - "description": "VpnClientProtocols for Virtual network gateway.", - "items": { - "type": "string" - }, - "type": "array" - }, - "vpnClientRevokedCertificates": { - "description": "VpnClientRevokedCertificate for Virtual network gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientRevokedCertificateResponse", - "type": "object" - }, - "type": "array" - }, - "vpnClientRootCertificates": { - "description": "VpnClientRootCertificate for virtual network gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientRootCertificateResponse", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnClientConnectionHealthDetailResponse": { - "description": "VPN client connection health detail.", - "properties": { - "egressBytesTransferred": { - "description": "The egress bytes per second.", - "type": "number" - }, - "egressPacketsTransferred": { - "description": "The egress packets per second.", - "type": "number" - }, - "ingressBytesTransferred": { - "description": "The ingress bytes per second.", - "type": "number" - }, - "ingressPacketsTransferred": { - "description": "The ingress packets per second.", - "type": "number" - }, - "maxBandwidth": { - "description": "The max band width.", - "type": "number" - }, - "maxPacketsPerSecond": { - "description": "The max packets transferred per second.", - "type": "number" - }, - "privateIpAddress": { - "description": "The assigned private Ip of a connected vpn client.", - "type": "string" - }, - "publicIpAddress": { - "description": "The public Ip of a connected vpn client.", - "type": "string" - }, - "vpnConnectionDuration": { - "description": "The duration time of a connected vpn client.", - "type": "number" - }, - "vpnConnectionId": { - "description": "The vpn client Id.", - "type": "string" - }, - "vpnConnectionTime": { - "description": "The start time of a connected vpn client.", - "type": "string" - }, - "vpnUserName": { - "description": "The user name of a connected vpn client.", - "type": "string" - } - }, - "required": [ - "egressBytesTransferred", - "egressPacketsTransferred", - "ingressBytesTransferred", - "ingressPacketsTransferred", - "maxBandwidth", - "maxPacketsPerSecond", - "privateIpAddress", - "publicIpAddress", - "vpnConnectionDuration", - "vpnConnectionId", - "vpnConnectionTime", - "vpnUserName" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnClientConnectionHealthResponse": { - "description": "VpnClientConnectionHealth properties.", - "properties": { - "allocatedIpAddresses": { - "description": "List of allocated ip addresses to the connected p2s vpn clients.", - "items": { - "type": "string" - }, - "type": "array" - }, - "totalEgressBytesTransferred": { - "description": "Total of the Egress Bytes Transferred in this connection.", - "type": "number" - }, - "totalIngressBytesTransferred": { - "description": "Total of the Ingress Bytes Transferred in this P2S Vpn connection.", - "type": "number" - }, - "vpnClientConnectionsCount": { - "description": "The total of p2s vpn clients connected at this time to this P2SVpnGateway.", - "type": "integer" - } - }, - "required": [ - "totalEgressBytesTransferred", - "totalIngressBytesTransferred" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnClientProtocol": { - "description": "VPN client protocol enabled for the virtual network gateway.", - "enum": [ - { - "value": "IkeV2" - }, - { - "value": "SSTP" - }, - { - "value": "OpenVPN" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VpnClientRevokedCertificate": { - "description": "VPN client revoked certificate of virtual network gateway.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "thumbprint": { - "description": "The revoked VPN client certificate thumbprint.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnClientRevokedCertificateResponse": { - "description": "VPN client revoked certificate of virtual network gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the VPN client revoked certificate resource.", - "type": "string" - }, - "thumbprint": { - "description": "The revoked VPN client certificate thumbprint.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnClientRootCertificate": { - "description": "VPN client root certificate of virtual network gateway.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "publicCertData": { - "description": "The certificate public data.", - "type": "string" - } - }, - "required": [ - "publicCertData" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnClientRootCertificateResponse": { - "description": "VPN client root certificate of virtual network gateway.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the VPN client root certificate resource.", - "type": "string" - }, - "publicCertData": { - "description": "The certificate public data.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "publicCertData" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnConnection": { - "description": "VpnConnection Resource.", - "properties": { - "connectionBandwidth": { - "description": "Expected bandwidth in MBPS.", - "type": "integer" - }, - "dpdTimeoutSeconds": { - "description": "DPD timeout in seconds for vpn connection.", - "type": "integer" - }, - "enableBgp": { - "description": "EnableBgp flag.", - "type": "boolean" - }, - "enableInternetSecurity": { - "description": "Enable internet security.", - "type": "boolean" - }, - "enableRateLimiting": { - "description": "EnableBgp flag.", - "type": "boolean" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipsecPolicies": { - "description": "The IPSec Policies to be considered by this connection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "remoteVpnSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Id of the connected vpn site.", - "type": "object" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", - "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", - "type": "object" - }, - "routingWeight": { - "description": "Routing weight for vpn connection.", - "type": "integer" - }, - "sharedKey": { - "description": "SharedKey for the vpn connection.", - "type": "string" - }, - "trafficSelectorPolicies": { - "description": "The Traffic Selector Policies to be considered by this connection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicy", - "type": "object" - }, - "type": "array" - }, - "useLocalAzureIpAddress": { - "description": "Use local azure ip to initiate connection.", - "type": "boolean" - }, - "usePolicyBasedTrafficSelectors": { - "description": "Enable policy-based traffic selectors.", - "type": "boolean" - }, - "vpnConnectionProtocolType": { - "description": "Connection protocol used for this connection.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayConnectionProtocol" - } - ] - }, - "vpnLinkConnections": { - "description": "List of all vpn site link connections to the gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkConnection", - "type": "object" - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnConnectionResponse": { - "description": "VpnConnection Resource.", - "properties": { - "connectionBandwidth": { - "description": "Expected bandwidth in MBPS.", - "type": "integer" - }, - "connectionStatus": { - "description": "The connection status.", - "type": "string" - }, - "dpdTimeoutSeconds": { - "description": "DPD timeout in seconds for vpn connection.", - "type": "integer" - }, - "egressBytesTransferred": { - "description": "Egress bytes transferred.", - "type": "number" - }, - "enableBgp": { - "description": "EnableBgp flag.", - "type": "boolean" - }, - "enableInternetSecurity": { - "description": "Enable internet security.", - "type": "boolean" - }, - "enableRateLimiting": { - "description": "EnableBgp flag.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ingressBytesTransferred": { - "description": "Ingress bytes transferred.", - "type": "number" - }, - "ipsecPolicies": { - "description": "The IPSec Policies to be considered by this connection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the VPN connection resource.", - "type": "string" - }, - "remoteVpnSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Id of the connected vpn site.", - "type": "object" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", - "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", - "type": "object" - }, - "routingWeight": { - "description": "Routing weight for vpn connection.", - "type": "integer" - }, - "sharedKey": { - "description": "SharedKey for the vpn connection.", - "type": "string" - }, - "trafficSelectorPolicies": { - "description": "The Traffic Selector Policies to be considered by this connection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicyResponse", - "type": "object" - }, - "type": "array" - }, - "useLocalAzureIpAddress": { - "description": "Use local azure ip to initiate connection.", - "type": "boolean" - }, - "usePolicyBasedTrafficSelectors": { - "description": "Enable policy-based traffic selectors.", - "type": "boolean" - }, - "vpnConnectionProtocolType": { - "description": "Connection protocol used for this connection.", - "type": "string" - }, - "vpnLinkConnections": { - "description": "List of all vpn site link connections to the gateway.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkConnectionResponse", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "connectionStatus", - "egressBytesTransferred", - "etag", - "ingressBytesTransferred", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnGatewayGeneration": { - "description": "The generation for this VirtualNetworkGateway. Must be None if gatewayType is not VPN.", - "enum": [ - { - "value": "None" - }, - { - "value": "Generation1" - }, - { - "value": "Generation2" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VpnGatewayIpConfigurationResponse": { - "description": "IP Configuration of a VPN Gateway Resource.", - "properties": { - "id": { - "description": "The identifier of the IP configuration for a VPN Gateway.", - "type": "string" - }, - "privateIpAddress": { - "description": "The private IP address of this IP configuration.", - "type": "string" - }, - "publicIpAddress": { - "description": "The public IP address of this IP configuration.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnGatewayNatRule": { - "description": "VpnGatewayNatRule Resource.", - "properties": { - "externalMappings": { - "description": "The private IP address external mapping for NAT.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "internalMappings": { - "description": "The private IP address internal mapping for NAT.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "ipConfigurationId": { - "description": "The IP Configuration ID this NAT rule applies to.", - "type": "string" - }, - "mode": { - "description": "The Source NAT direction of a VPN NAT.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMode" - } - ] - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "type": { - "description": "The type of NAT rule for VPN NAT.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleType" - } - ] - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnGatewayNatRuleResponse": { - "description": "VpnGatewayNatRule Resource.", - "properties": { - "egressVpnSiteLinkConnections": { - "description": "List of egress VpnSiteLinkConnections.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "externalMappings": { - "description": "The private IP address external mapping for NAT.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" - }, - "type": "array" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ingressVpnSiteLinkConnections": { - "description": "List of ingress VpnSiteLinkConnections.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "internalMappings": { - "description": "The private IP address internal mapping for NAT.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" - }, - "type": "array" - }, - "ipConfigurationId": { - "description": "The IP Configuration ID this NAT rule applies to.", - "type": "string" - }, - "mode": { - "description": "The Source NAT direction of a VPN NAT.", - "type": "string" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the NAT Rule resource.", - "type": "string" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "egressVpnSiteLinkConnections", - "etag", - "ingressVpnSiteLinkConnections", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnGatewayTunnelingProtocol": { - "description": "VPN protocol enabled for the VpnServerConfiguration.", - "enum": [ - { - "value": "IkeV2" - }, - { - "value": "OpenVPN" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VpnLinkBgpSettings": { - "description": "BGP settings details for a link.", - "properties": { - "asn": { - "description": "The BGP speaker's ASN.", - "type": "number" - }, - "bgpPeeringAddress": { - "description": "The BGP peering address and BGP identifier of this BGP speaker.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnLinkBgpSettingsResponse": { - "description": "BGP settings details for a link.", - "properties": { - "asn": { - "description": "The BGP speaker's ASN.", - "type": "number" - }, - "bgpPeeringAddress": { - "description": "The BGP peering address and BGP identifier of this BGP speaker.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnLinkConnectionMode": { - "description": "Vpn link connection mode.", - "enum": [ - { - "value": "Default" - }, - { - "value": "ResponderOnly" - }, - { - "value": "InitiatorOnly" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VpnLinkProviderProperties": { - "description": "List of properties of a link provider.", - "properties": { - "linkProviderName": { - "description": "Name of the link provider.", - "type": "string" - }, - "linkSpeedInMbps": { - "description": "Link speed.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnLinkProviderPropertiesResponse": { - "description": "List of properties of a link provider.", - "properties": { - "linkProviderName": { - "description": "Name of the link provider.", - "type": "string" - }, - "linkSpeedInMbps": { - "description": "Link speed.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnNatRuleMapping": { - "description": "Vpn NatRule mapping.", - "properties": { - "addressSpace": { - "description": "Address space for Vpn NatRule mapping.", - "type": "string" - }, - "portRange": { - "description": "Port range for Vpn NatRule mapping.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnNatRuleMappingResponse": { - "description": "Vpn NatRule mapping.", - "properties": { - "addressSpace": { - "description": "Address space for Vpn NatRule mapping.", - "type": "string" - }, - "portRange": { - "description": "Port range for Vpn NatRule mapping.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnNatRuleMode": { - "description": "The Source NAT direction of a VPN NAT.", - "enum": [ - { - "value": "EgressSnat" - }, - { - "value": "IngressSnat" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VpnNatRuleType": { - "description": "The type of NAT rule for VPN NAT.", - "enum": [ - { - "value": "Static" - }, - { - "value": "Dynamic" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VpnPolicyMemberAttributeType": { - "description": "The Vpn Policy member attribute type.", - "enum": [ - { - "value": "CertificateGroupId" - }, - { - "value": "AADGroupId" - }, - { - "value": "RadiusAzureGroupId" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:VpnServerConfigRadiusClientRootCertificate": { - "description": "Properties of the Radius client root certificate of VpnServerConfiguration.", - "properties": { - "name": { - "description": "The certificate name.", - "type": "string" - }, - "thumbprint": { - "description": "The Radius client root certificate thumbprint.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigRadiusClientRootCertificateResponse": { - "description": "Properties of the Radius client root certificate of VpnServerConfiguration.", - "properties": { - "name": { - "description": "The certificate name.", - "type": "string" - }, - "thumbprint": { - "description": "The Radius client root certificate thumbprint.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigRadiusServerRootCertificate": { - "description": "Properties of Radius Server root certificate of VpnServerConfiguration.", - "properties": { - "name": { - "description": "The certificate name.", - "type": "string" - }, - "publicCertData": { - "description": "The certificate public data.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigRadiusServerRootCertificateResponse": { - "description": "Properties of Radius Server root certificate of VpnServerConfiguration.", - "properties": { - "name": { - "description": "The certificate name.", - "type": "string" - }, - "publicCertData": { - "description": "The certificate public data.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigVpnClientRevokedCertificate": { - "description": "Properties of the revoked VPN client certificate of VpnServerConfiguration.", - "properties": { - "name": { - "description": "The certificate name.", - "type": "string" - }, - "thumbprint": { - "description": "The revoked VPN client certificate thumbprint.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigVpnClientRevokedCertificateResponse": { - "description": "Properties of the revoked VPN client certificate of VpnServerConfiguration.", - "properties": { - "name": { - "description": "The certificate name.", - "type": "string" - }, - "thumbprint": { - "description": "The revoked VPN client certificate thumbprint.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigVpnClientRootCertificate": { - "description": "Properties of VPN client root certificate of VpnServerConfiguration.", - "properties": { - "name": { - "description": "The certificate name.", - "type": "string" - }, - "publicCertData": { - "description": "The certificate public data.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigVpnClientRootCertificateResponse": { - "description": "Properties of VPN client root certificate of VpnServerConfiguration.", - "properties": { - "name": { - "description": "The certificate name.", - "type": "string" - }, - "publicCertData": { - "description": "The certificate public data.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigurationPolicyGroup": { - "description": "VpnServerConfigurationPolicyGroup Resource.", - "properties": { - "id": { - "description": "Resource ID.", - "type": "string" - }, - "isDefault": { - "description": "Shows if this is a Default VpnServerConfigurationPolicyGroup or not.", - "type": "boolean" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "policyMembers": { - "description": "Multiple PolicyMembers for VpnServerConfigurationPolicyGroup.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMember", - "type": "object" - }, - "type": "array" - }, - "priority": { - "description": "Priority for VpnServerConfigurationPolicyGroup.", - "type": "integer" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMember": { - "description": "VpnServerConfiguration PolicyGroup member", - "properties": { - "attributeType": { - "description": "The Vpn Policy member attribute type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnPolicyMemberAttributeType" - } - ] - }, - "attributeValue": { - "description": "The value of Attribute used for this VpnServerConfigurationPolicyGroupMember.", - "type": "string" - }, - "name": { - "description": "Name of the VpnServerConfigurationPolicyGroupMember.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMemberResponse": { - "description": "VpnServerConfiguration PolicyGroup member", - "properties": { - "attributeType": { - "description": "The Vpn Policy member attribute type.", - "type": "string" - }, - "attributeValue": { - "description": "The value of Attribute used for this VpnServerConfigurationPolicyGroupMember.", - "type": "string" - }, - "name": { - "description": "Name of the VpnServerConfigurationPolicyGroupMember.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigurationPolicyGroupResponse": { - "description": "VpnServerConfigurationPolicyGroup Resource.", - "properties": { - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "isDefault": { - "description": "Shows if this is a Default VpnServerConfigurationPolicyGroup or not.", - "type": "boolean" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "p2SConnectionConfigurations": { - "description": "List of references to P2SConnectionConfigurations.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "policyMembers": { - "description": "Multiple PolicyMembers for VpnServerConfigurationPolicyGroup.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMemberResponse", - "type": "object" - }, - "type": "array" - }, - "priority": { - "description": "Priority for VpnServerConfigurationPolicyGroup.", - "type": "integer" - }, - "provisioningState": { - "description": "The provisioning state of the VpnServerConfigurationPolicyGroup resource.", - "type": "string" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "p2SConnectionConfigurations", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigurationProperties": { - "description": "Parameters for VpnServerConfiguration.", - "properties": { - "aadAuthenticationParameters": { - "$ref": "#/types/azure-native:network/v20230201:AadAuthenticationParameters", - "description": "The set of aad vpn authentication parameters.", - "type": "object" - }, - "configurationPolicyGroups": { - "description": "List of all VpnServerConfigurationPolicyGroups.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroup", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the VpnServerConfiguration that is unique within a resource group.", - "type": "string" - }, - "radiusClientRootCertificates": { - "description": "Radius client root certificate of VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigRadiusClientRootCertificate", - "type": "object" - }, - "type": "array" - }, - "radiusServerAddress": { - "description": "The radius server address property of the VpnServerConfiguration resource for point to site client connection.", - "type": "string" - }, - "radiusServerRootCertificates": { - "description": "Radius Server root certificate of VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigRadiusServerRootCertificate", - "type": "object" - }, - "type": "array" - }, - "radiusServerSecret": { - "description": "The radius secret property of the VpnServerConfiguration resource for point to site client connection.", - "type": "string" - }, - "radiusServers": { - "description": "Multiple Radius Server configuration for VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:RadiusServer", - "type": "object" - }, - "type": "array" - }, - "vpnAuthenticationTypes": { - "description": "VPN authentication types for the VpnServerConfiguration.", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnAuthenticationType" - } - ] - }, - "type": "array" - }, - "vpnClientIpsecPolicies": { - "description": "VpnClientIpsecPolicies for VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", - "type": "object" - }, - "type": "array" - }, - "vpnClientRevokedCertificates": { - "description": "VPN client revoked certificate of VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigVpnClientRevokedCertificate", - "type": "object" - }, - "type": "array" - }, - "vpnClientRootCertificates": { - "description": "VPN client root certificate of VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigVpnClientRootCertificate", - "type": "object" - }, - "type": "array" - }, - "vpnProtocols": { - "description": "VPN protocols for the VpnServerConfiguration.", - "items": { - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayTunnelingProtocol" - } - ] - }, - "type": "array" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnServerConfigurationPropertiesResponse": { - "description": "Parameters for VpnServerConfiguration.", - "properties": { - "aadAuthenticationParameters": { - "$ref": "#/types/azure-native:network/v20230201:AadAuthenticationParametersResponse", - "description": "The set of aad vpn authentication parameters.", - "type": "object" - }, - "configurationPolicyGroups": { - "description": "List of all VpnServerConfigurationPolicyGroups.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupResponse", - "type": "object" - }, - "type": "array" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "name": { - "description": "The name of the VpnServerConfiguration that is unique within a resource group.", - "type": "string" - }, - "p2SVpnGateways": { - "description": "List of references to P2SVpnGateways.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SVpnGatewayResponse", - "type": "object" - }, - "type": "array" - }, - "provisioningState": { - "description": "The provisioning state of the VpnServerConfiguration resource. Possible values are: 'Updating', 'Deleting', and 'Failed'.", - "type": "string" - }, - "radiusClientRootCertificates": { - "description": "Radius client root certificate of VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigRadiusClientRootCertificateResponse", - "type": "object" - }, - "type": "array" - }, - "radiusServerAddress": { - "description": "The radius server address property of the VpnServerConfiguration resource for point to site client connection.", - "type": "string" - }, - "radiusServerRootCertificates": { - "description": "Radius Server root certificate of VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigRadiusServerRootCertificateResponse", - "type": "object" - }, - "type": "array" - }, - "radiusServerSecret": { - "description": "The radius secret property of the VpnServerConfiguration resource for point to site client connection.", - "type": "string" - }, - "radiusServers": { - "description": "Multiple Radius Server configuration for VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:RadiusServerResponse", - "type": "object" - }, - "type": "array" - }, - "vpnAuthenticationTypes": { - "description": "VPN authentication types for the VpnServerConfiguration.", - "items": { - "type": "string" - }, - "type": "array" - }, - "vpnClientIpsecPolicies": { - "description": "VpnClientIpsecPolicies for VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", - "type": "object" - }, - "type": "array" - }, - "vpnClientRevokedCertificates": { - "description": "VPN client revoked certificate of VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigVpnClientRevokedCertificateResponse", - "type": "object" - }, - "type": "array" - }, - "vpnClientRootCertificates": { - "description": "VPN client root certificate of VpnServerConfiguration.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigVpnClientRootCertificateResponse", - "type": "object" - }, - "type": "array" - }, - "vpnProtocols": { - "description": "VPN protocols for the VpnServerConfiguration.", - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "etag", - "p2SVpnGateways", - "provisioningState" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnSiteLink": { - "description": "VpnSiteLink Resource.", - "properties": { - "bgpProperties": { - "$ref": "#/types/azure-native:network/v20230201:VpnLinkBgpSettings", - "description": "The set of bgp properties.", - "type": "object" - }, - "fqdn": { - "description": "FQDN of vpn-site-link.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipAddress": { - "description": "The ip-address for the vpn-site-link.", - "type": "string" - }, - "linkProperties": { - "$ref": "#/types/azure-native:network/v20230201:VpnLinkProviderProperties", - "description": "The link provider properties.", - "type": "object" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnSiteLinkConnection": { - "description": "VpnSiteLinkConnection Resource.", - "properties": { - "connectionBandwidth": { - "description": "Expected bandwidth in MBPS.", - "type": "integer" - }, - "egressNatRules": { - "description": "List of egress NatRules.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "enableBgp": { - "description": "EnableBgp flag.", - "type": "boolean" - }, - "enableRateLimiting": { - "description": "EnableBgp flag.", - "type": "boolean" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ingressNatRules": { - "description": "List of ingress NatRules.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "ipsecPolicies": { - "description": "The IPSec Policies to be considered by this connection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "routingWeight": { - "description": "Routing weight for vpn connection.", - "type": "integer" - }, - "sharedKey": { - "description": "SharedKey for the vpn connection.", - "type": "string" - }, - "useLocalAzureIpAddress": { - "description": "Use local azure ip to initiate connection.", - "type": "boolean" - }, - "usePolicyBasedTrafficSelectors": { - "description": "Enable policy-based traffic selectors.", - "type": "boolean" - }, - "vpnConnectionProtocolType": { - "description": "Connection protocol used for this connection.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayConnectionProtocol" - } - ] - }, - "vpnGatewayCustomBgpAddresses": { - "description": "vpnGatewayCustomBgpAddresses used by this connection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfiguration", - "type": "object" - }, - "type": "array" - }, - "vpnLinkConnectionMode": { - "description": "Vpn link connection mode.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:VpnLinkConnectionMode" - } - ] - }, - "vpnSiteLink": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "description": "Id of the connected vpn site link.", - "type": "object" - } - }, - "type": "object" - }, - "azure-native:network/v20230201:VpnSiteLinkConnectionResponse": { - "description": "VpnSiteLinkConnection Resource.", - "properties": { - "connectionBandwidth": { - "description": "Expected bandwidth in MBPS.", - "type": "integer" - }, - "connectionStatus": { - "description": "The connection status.", - "type": "string" - }, - "egressBytesTransferred": { - "description": "Egress bytes transferred.", - "type": "number" - }, - "egressNatRules": { - "description": "List of egress NatRules.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "enableBgp": { - "description": "EnableBgp flag.", - "type": "boolean" - }, - "enableRateLimiting": { - "description": "EnableBgp flag.", - "type": "boolean" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ingressBytesTransferred": { - "description": "Ingress bytes transferred.", - "type": "number" - }, - "ingressNatRules": { - "description": "List of ingress NatRules.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - }, - "type": "array" - }, - "ipsecPolicies": { - "description": "The IPSec Policies to be considered by this connection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the VPN site link connection resource.", - "type": "string" - }, - "routingWeight": { - "description": "Routing weight for vpn connection.", - "type": "integer" - }, - "sharedKey": { - "description": "SharedKey for the vpn connection.", - "type": "string" - }, - "type": { - "description": "Resource type.", - "type": "string" - }, - "useLocalAzureIpAddress": { - "description": "Use local azure ip to initiate connection.", - "type": "boolean" - }, - "usePolicyBasedTrafficSelectors": { - "description": "Enable policy-based traffic selectors.", - "type": "boolean" - }, - "vpnConnectionProtocolType": { - "description": "Connection protocol used for this connection.", - "type": "string" - }, - "vpnGatewayCustomBgpAddresses": { - "description": "vpnGatewayCustomBgpAddresses used by this connection.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfigurationResponse", - "type": "object" - }, - "type": "array" - }, - "vpnLinkConnectionMode": { - "description": "Vpn link connection mode.", - "type": "string" - }, - "vpnSiteLink": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "description": "Id of the connected vpn site link.", - "type": "object" - } - }, - "required": [ - "connectionStatus", - "egressBytesTransferred", - "etag", - "ingressBytesTransferred", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnSiteLinkResponse": { - "description": "VpnSiteLink Resource.", - "properties": { - "bgpProperties": { - "$ref": "#/types/azure-native:network/v20230201:VpnLinkBgpSettingsResponse", - "description": "The set of bgp properties.", - "type": "object" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "fqdn": { - "description": "FQDN of vpn-site-link.", - "type": "string" - }, - "id": { - "description": "Resource ID.", - "type": "string" - }, - "ipAddress": { - "description": "The ip-address for the vpn-site-link.", - "type": "string" - }, - "linkProperties": { - "$ref": "#/types/azure-native:network/v20230201:VpnLinkProviderPropertiesResponse", - "description": "The link provider properties.", - "type": "object" - }, - "name": { - "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", - "type": "string" - }, - "provisioningState": { - "description": "The provisioning state of the VPN site link resource.", - "type": "string" - }, - "type": { - "description": "Resource type.", - "type": "string" - } - }, - "required": [ - "etag", - "provisioningState", - "type" - ], - "type": "object" - }, - "azure-native:network/v20230201:VpnType": { - "description": "The type of this virtual network gateway.", - "enum": [ - { - "value": "PolicyBased" - }, - { - "value": "RouteBased" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:WebApplicationFirewallAction": { - "description": "Type of Actions.", - "enum": [ - { - "value": "Allow" - }, - { - "value": "Block" - }, - { - "value": "Log" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:WebApplicationFirewallCustomRule": { - "description": "Defines contents of a web application rule.", - "properties": { - "action": { - "description": "Type of Actions.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallAction" - } - ] - }, - "groupByUserSession": { - "description": "List of user session identifier group by clauses.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:GroupByUserSession", - "type": "object" - }, - "type": "array" - }, - "matchConditions": { - "description": "List of match conditions.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:MatchCondition", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within a policy. This name can be used to access the resource.", - "type": "string" - }, - "priority": { - "description": "Priority of the rule. Rules with a lower value will be evaluated before rules with a higher value.", - "type": "integer" - }, - "rateLimitDuration": { - "description": "Duration over which Rate Limit policy will be applied. Applies only when ruleType is RateLimitRule.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFirewallRateLimitDuration" - } - ] - }, - "rateLimitThreshold": { - "description": "Rate Limit threshold to apply in case ruleType is RateLimitRule. Must be greater than or equal to 1", - "type": "integer" - }, - "ruleType": { - "description": "The rule type.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallRuleType" - } - ] - }, - "state": { - "description": "Describes if the custom rule is in enabled or disabled state. Defaults to Enabled if not specified.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallState" - } - ] - } - }, - "required": [ - "action", - "matchConditions", - "priority", - "ruleType" - ], - "type": "object" - }, - "azure-native:network/v20230201:WebApplicationFirewallCustomRuleResponse": { - "description": "Defines contents of a web application rule.", - "properties": { - "action": { - "description": "Type of Actions.", - "type": "string" - }, - "etag": { - "description": "A unique read-only string that changes whenever the resource is updated.", - "type": "string" - }, - "groupByUserSession": { - "description": "List of user session identifier group by clauses.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:GroupByUserSessionResponse", - "type": "object" - }, - "type": "array" - }, - "matchConditions": { - "description": "List of match conditions.", - "items": { - "$ref": "#/types/azure-native:network/v20230201:MatchConditionResponse", - "type": "object" - }, - "type": "array" - }, - "name": { - "description": "The name of the resource that is unique within a policy. This name can be used to access the resource.", - "type": "string" - }, - "priority": { - "description": "Priority of the rule. Rules with a lower value will be evaluated before rules with a higher value.", - "type": "integer" - }, - "rateLimitDuration": { - "description": "Duration over which Rate Limit policy will be applied. Applies only when ruleType is RateLimitRule.", - "type": "string" - }, - "rateLimitThreshold": { - "description": "Rate Limit threshold to apply in case ruleType is RateLimitRule. Must be greater than or equal to 1", - "type": "integer" - }, - "ruleType": { - "description": "The rule type.", - "type": "string" - }, - "state": { - "description": "Describes if the custom rule is in enabled or disabled state. Defaults to Enabled if not specified.", - "type": "string" - } - }, - "required": [ - "action", - "etag", - "matchConditions", - "priority", - "ruleType" - ], - "type": "object" - }, - "azure-native:network/v20230201:WebApplicationFirewallEnabledState": { - "description": "The state of the policy.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:WebApplicationFirewallMatchVariable": { - "description": "Match Variable.", - "enum": [ - { - "value": "RemoteAddr" - }, - { - "value": "RequestMethod" - }, - { - "value": "QueryString" - }, - { - "value": "PostArgs" - }, - { - "value": "RequestUri" - }, - { - "value": "RequestHeaders" - }, - { - "value": "RequestBody" - }, - { - "value": "RequestCookies" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:WebApplicationFirewallMode": { - "description": "The mode of the policy.", - "enum": [ - { - "value": "Prevention" - }, - { - "value": "Detection" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:WebApplicationFirewallOperator": { - "description": "The operator to be matched.", - "enum": [ - { - "value": "IPMatch" - }, - { - "value": "Equal" - }, - { - "value": "Contains" - }, - { - "value": "LessThan" - }, - { - "value": "GreaterThan" - }, - { - "value": "LessThanOrEqual" - }, - { - "value": "GreaterThanOrEqual" - }, - { - "value": "BeginsWith" - }, - { - "value": "EndsWith" - }, - { - "value": "Regex" - }, - { - "value": "GeoMatch" - }, - { - "value": "Any" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:WebApplicationFirewallRuleType": { - "description": "The rule type.", - "enum": [ - { - "value": "MatchRule" - }, - { - "value": "RateLimitRule" - }, - { - "value": "Invalid" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:WebApplicationFirewallScrubbingRules": { - "description": "Allow certain variables to be scrubbed on WAF logs", - "properties": { - "matchVariable": { - "description": "The variable to be scrubbed from the logs.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ScrubbingRuleEntryMatchVariable" - } - ] - }, - "selector": { - "description": "When matchVariable is a collection, operator used to specify which elements in the collection this rule applies to.", - "type": "string" - }, - "selectorMatchOperator": { - "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this rule applies to.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ScrubbingRuleEntryMatchOperator" - } - ] - }, - "state": { - "description": "Defines the state of log scrubbing rule. Default value is Enabled.", - "oneOf": [ - { - "type": "string" - }, - { - "$ref": "#/types/azure-native:network/v20230201:ScrubbingRuleEntryState" - } - ] - } - }, - "required": [ - "matchVariable", - "selectorMatchOperator" - ], - "type": "object" - }, - "azure-native:network/v20230201:WebApplicationFirewallScrubbingRulesResponse": { - "description": "Allow certain variables to be scrubbed on WAF logs", - "properties": { - "matchVariable": { - "description": "The variable to be scrubbed from the logs.", - "type": "string" - }, - "selector": { - "description": "When matchVariable is a collection, operator used to specify which elements in the collection this rule applies to.", - "type": "string" - }, - "selectorMatchOperator": { - "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this rule applies to.", - "type": "string" - }, - "state": { - "description": "Defines the state of log scrubbing rule. Default value is Enabled.", - "type": "string" - } - }, - "required": [ - "matchVariable", - "selectorMatchOperator" - ], - "type": "object" - }, - "azure-native:network/v20230201:WebApplicationFirewallScrubbingState": { - "description": "State of the log scrubbing config. Default value is Enabled.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:WebApplicationFirewallState": { - "description": "Describes if the custom rule is in enabled or disabled state. Defaults to Enabled if not specified.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network/v20230201:WebApplicationFirewallTransform": { - "description": "Transforms applied before matching.", - "enum": [ - { - "value": "Uppercase" - }, - { - "value": "Lowercase" - }, - { - "value": "Trim" - }, - { - "value": "UrlDecode" - }, - { - "value": "UrlEncode" - }, - { - "value": "RemoveNulls" - }, - { - "value": "HtmlEntityDecode" - } - ], - "type": "string" - }, - "azure-native:storage:BlobAccessTier": { - "description": "The access tier of a storage blob.", - "enum": [ - { - "description": "Optimized for storing data that is accessed frequently.", - "value": "Hot" - }, - { - "description": "Optimized for storing data that is infrequently accessed and stored for at least 30 days.", - "value": "Cool" - }, - { - "description": "Optimized for storing data that is rarely accessed and stored for at least 180 days with flexible latency requirements, on the order of hours.", - "value": "Archive" - } - ], - "type": "string" - }, - "azure-native:storage:BlobType": { - "description": "The type of a storage blob to be created.", - "enum": [ - { - "description": "Block blobs store text and binary data. Block blobs are made up of blocks of data that can be managed individually.", - "value": "Block" - }, - { - "description": "Append blobs are made up of blocks like block blobs, but are optimized for append operations.", - "value": "Append" - } - ], - "type": "string" - } - } -} ---- - -[TestVnetGen - 2] -{ - "invokes": { - "azure-native:network/v20230201:getActiveSessions": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "bastionHostName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}/getActiveSessions", - "response": { - "nextLink": {}, - "value": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionActiveSessionResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getAdminRule": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ruleName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "response": { - "access": { - "containers": [ - "properties" - ] - }, - "description": { - "containers": [ - "properties" - ] - }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } - }, - "direction": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "kind": { - "const": "Custom" - }, - "name": {}, - "priority": { - "containers": [ - "properties" - ] - }, - "protocol": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native:network/v20230201:getAdminRuleCollection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "response": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", - "type": "object" - } - }, - "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native:network/v20230201:getApplicationGateway": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "applicationGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "response": { - "authenticationCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificateResponse", - "type": "object" - } - }, - "autoscaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAutoscaleConfigurationResponse", - "containers": [ - "properties" - ] - }, - "backendAddressPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse", - "type": "object" - } - }, - "backendHttpSettingsCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHttpSettingsResponse", - "type": "object" - } - }, - "backendSettingsCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendSettingsResponse", - "type": "object" - } - }, - "customErrorConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomErrorResponse", - "type": "object" - } - }, - "defaultPredefinedSslPolicy": { - "containers": [ - "properties" - ] - }, - "enableFips": { - "containers": [ - "properties" - ] - }, - "enableHttp2": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "forceFirewallPolicyAssociation": { - "containers": [ - "properties" - ] - }, - "frontendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendIPConfigurationResponse", - "type": "object" - } - }, - "frontendPorts": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendPortResponse", - "type": "object" - } - }, - "gatewayIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", - "type": "object" - } - }, - "globalConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayGlobalConfigurationResponse", - "containers": [ - "properties" - ] - }, - "httpListeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHttpListenerResponse", - "type": "object" - } - }, - "id": {}, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse" - }, - "listeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayListenerResponse", - "type": "object" - } - }, - "loadDistributionPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicyResponse", - "type": "object" - } - }, - "location": {}, - "name": {}, - "operationalState": { - "containers": [ - "properties" - ] - }, - "privateEndpointConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnectionResponse", - "type": "object" - } - }, - "privateLinkConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfigurationResponse", - "type": "object" - } - }, - "probes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "redirectConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRedirectConfigurationResponse", - "type": "object" - } - }, - "requestRoutingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRequestRoutingRuleResponse", - "type": "object" - } - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "rewriteRuleSets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleSetResponse", - "type": "object" - } - }, - "routingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRoutingRuleResponse", - "type": "object" - } - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySkuResponse", - "containers": [ - "properties" - ] - }, - "sslCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslCertificateResponse", - "type": "object" - } - }, - "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicyResponse", - "containers": [ - "properties" - ] - }, - "sslProfiles": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslProfileResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "trustedClientCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificateResponse", - "type": "object" - } - }, - "trustedRootCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificateResponse", - "type": "object" - } - }, - "type": {}, - "urlPathMaps": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlPathMapResponse", - "type": "object" - } - }, - "webApplicationFirewallConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfigurationResponse", - "containers": [ - "properties" - ] - }, - "zones": { - "items": { - "type": "string" - } - } - } - }, - "azure-native:network/v20230201:getApplicationGatewayBackendHealthOnDemand": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "applicationGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - }, - { - "body": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "host": { - "type": "string" - }, - "match": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeHealthResponseMatch", - "type": "object" - }, - "path": { - "type": "string" - }, - "pickHostNameFromBackendHttpSettings": { - "type": "boolean" - }, - "protocol": { - "type": "string" - }, - "timeout": { - "type": "integer" - } - } - }, - "location": "body", - "name": "probeRequest", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/getBackendHealthOnDemand", - "response": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse" - }, - "backendHealthHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHealthHttpSettingsResponse" - } - } - }, - "azure-native:network/v20230201:getApplicationGatewayPrivateEndpointConnection": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "applicationGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "response": { - "etag": {}, - "id": {}, - "linkIdentifier": { - "containers": [ - "properties" - ] - }, - "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", - "containers": [ - "properties" - ] - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getApplicationSecurityGroup": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "applicationSecurityGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getAzureFirewall": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "azureFirewallName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "response": { - "additionalProperties": { - "additionalProperties": { - "type": "string" - }, - "containers": [ - "properties" - ] - }, - "applicationRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleCollectionResponse", - "type": "object" - } - }, - "etag": {}, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "hubIPAddresses": { - "$ref": "#/types/azure-native:network/v20230201:HubIPAddressesResponse", - "containers": [ - "properties" - ] - }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfigurationResponse", - "type": "object" - } - }, - "ipGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIpGroupsResponse", - "type": "object" - } - }, - "location": {}, - "managementIpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfigurationResponse", - "containers": [ - "properties" - ] - }, - "name": {}, - "natRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRuleCollectionResponse", - "type": "object" - } - }, - "networkRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRuleCollectionResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallSkuResponse", - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "threatIntelMode": { - "containers": [ - "properties" - ] - }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "zones": { - "items": { - "type": "string" - } - } - } - }, - "azure-native:network/v20230201:getBastionHost": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "bastionHostName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "response": { - "disableCopyPaste": { - "containers": [ - "properties" - ], - "default": false - }, - "dnsName": { - "containers": [ - "properties" - ] - }, - "enableFileCopy": { - "containers": [ - "properties" - ], - "default": false - }, - "enableIpConnect": { - "containers": [ - "properties" - ], - "default": false - }, - "enableKerberos": { - "containers": [ - "properties" - ], - "default": false - }, - "enableShareableLink": { - "containers": [ - "properties" - ], - "default": false - }, - "enableTunneling": { - "containers": [ - "properties" - ], - "default": false - }, - "etag": {}, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionHostIPConfigurationResponse", - "type": "object" - } - }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "scaleUnits": { - "containers": [ - "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:SkuResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getBastionShareableLink": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "bastionHostName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "body": { - "properties": { - "vms": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionShareableLink", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "bslRequest", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}/getShareableLinks", - "response": { - "nextLink": {}, - "value": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionShareableLinkResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getConfigurationPolicyGroup": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "vpnServerConfigurationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "configurationPolicyGroupName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "response": { - "etag": {}, - "id": {}, - "isDefault": { - "containers": [ - "properties" - ] - }, - "name": {}, - "p2SConnectionConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "policyMembers": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMemberResponse", - "type": "object" - } - }, - "priority": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getConnectionMonitor": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionMonitorName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "response": { - "autoStart": { - "containers": [ - "properties" - ], - "default": true - }, - "connectionMonitorType": { - "containers": [ - "properties" - ] - }, - "destination": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorDestinationResponse", - "containers": [ - "properties" - ] - }, - "endpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointResponse", - "type": "object" - } - }, - "etag": {}, - "id": {}, - "location": {}, - "monitoringIntervalInSeconds": { - "containers": [ - "properties" - ], - "default": 60 - }, - "monitoringStatus": { - "containers": [ - "properties" - ] - }, - "name": {}, - "notes": { - "containers": [ - "properties" - ] - }, - "outputs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorOutputResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "source": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorSourceResponse", - "containers": [ - "properties" - ] - }, - "startTime": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "testConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestConfigurationResponse", - "type": "object" - } - }, - "testGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestGroupResponse", - "type": "object" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getConnectivityConfiguration": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "response": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectivityGroupItemResponse", - "type": "object" - } - }, - "connectivityTopology": { - "containers": [ - "properties" - ] - }, - "deleteExistingPeering": { - "containers": [ - "properties" - ] - }, - "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "hubs": { - "arrayIdentifiers": [ - "resourceId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:HubResponse", - "type": "object" - } - }, - "id": {}, - "isGlobal": { - "containers": [ - "properties" - ] - }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native:network/v20230201:getCustomIPPrefix": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "customIpPrefixName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "response": { - "asn": { - "containers": [ - "properties" - ] - }, - "authorizationMessage": { - "containers": [ - "properties" - ] - }, - "childCustomIpPrefixes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "cidr": { - "containers": [ - "properties" - ] - }, - "commissionedState": { - "containers": [ - "properties" - ] - }, - "customIpPrefixParent": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "etag": {}, - "expressRouteAdvertise": { - "containers": [ - "properties" - ] - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "failedReason": { - "containers": [ - "properties" - ] - }, - "geo": { - "containers": [ - "properties" - ] - }, - "id": {}, - "location": {}, - "name": {}, - "noInternetAdvertise": { - "containers": [ - "properties" - ] - }, - "prefixType": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "publicIpPrefixes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "signedMessage": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "zones": { - "items": { - "type": "string" - } - } - } - }, - "azure-native:network/v20230201:getDdosCustomPolicy": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ddosCustomPolicyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getDdosProtectionPlan": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ddosProtectionPlanName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "publicIPAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualNetworks": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getDefaultAdminRule": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ruleName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "response": { - "access": { - "containers": [ - "properties" - ] - }, - "description": { - "containers": [ - "properties" - ] - }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } - }, - "direction": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "flag": { - "containers": [ - "properties" - ] - }, - "id": {}, - "kind": { - "const": "Default" - }, - "name": {}, - "priority": { - "containers": [ - "properties" - ] - }, - "protocol": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native:network/v20230201:getDscpConfiguration": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "dscpConfigurationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "response": { - "associatedNetworkInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" - } - }, - "destinationIpRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", - "type": "object" - } - }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", - "type": "object" - } - }, - "etag": {}, - "id": {}, - "location": {}, - "markings": { - "containers": [ - "properties" - ], - "items": { - "type": "integer" - } - }, - "name": {}, - "protocol": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "qosCollectionId": { - "containers": [ - "properties" - ] - }, - "qosDefinitionCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosDefinitionResponse", - "type": "object" - } - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "sourceIpRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", - "type": "object" - } - }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getExpressRouteCircuit": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "response": { - "allowClassicOperations": { - "containers": [ - "properties" - ] - }, - "authorizationKey": { - "containers": [ - "properties" - ] - }, - "authorizationStatus": { - "containers": [ - "properties" - ] - }, - "authorizations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitAuthorizationResponse", - "type": "object" - } - }, - "bandwidthInGbps": { - "containers": [ - "properties" - ] - }, - "circuitProvisioningState": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "expressRoutePort": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ] - }, - "globalReachEnabled": { - "containers": [ - "properties" - ] - }, - "id": {}, - "location": {}, - "name": {}, - "peerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "serviceKey": { - "containers": [ - "properties" - ] - }, - "serviceProviderNotes": { - "containers": [ - "properties" - ] - }, - "serviceProviderProperties": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitServiceProviderPropertiesResponse", - "containers": [ - "properties" - ] - }, - "serviceProviderProvisioningState": { - "containers": [ - "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitSkuResponse" - }, - "stag": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getExpressRouteCircuitAuthorization": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "authorizationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] - }, - "authorizationUseStatus": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getExpressRouteCircuitConnection": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "response": { - "addressPrefix": { - "containers": [ - "properties" - ] - }, - "authorizationKey": { - "containers": [ - "properties" - ] - }, - "circuitConnectionStatus": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "id": {}, - "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6CircuitConnectionConfigResponse", - "containers": [ - "properties" - ] - }, - "name": {}, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getExpressRouteCircuitPeering": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "response": { - "azureASN": { - "containers": [ - "properties" - ] - }, - "connections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitConnectionResponse", - "type": "object" - } - }, - "etag": {}, - "expressRouteConnection": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnectionIdResponse", - "containers": [ - "properties" - ] - }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ] - }, - "id": {}, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] - }, - "lastModifiedBy": { - "containers": [ - "properties" - ] - }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] - }, - "name": {}, - "peerASN": { - "containers": [ - "properties" - ] - }, - "peeredConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PeerExpressRouteCircuitConnectionResponse", - "type": "object" - } - }, - "peeringType": { - "containers": [ - "properties" - ] - }, - "primaryAzurePort": { - "containers": [ - "properties" - ] - }, - "primaryPeerAddressPrefix": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "secondaryAzurePort": { - "containers": [ - "properties" - ] - }, - "secondaryPeerAddressPrefix": { - "containers": [ - "properties" - ] - }, - "sharedKey": { - "containers": [ - "properties" - ] - }, - "state": { - "containers": [ - "properties" - ] - }, - "stats": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitStatsResponse", - "containers": [ - "properties" - ] - }, - "type": {}, - "vlanId": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getExpressRouteConnection": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "expressRouteGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] - }, - "enableInternetSecurity": { - "containers": [ - "properties" - ] - }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" - ] - }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringIdResponse", - "containers": [ - "properties" - ] - }, - "expressRouteGatewayBypass": { - "containers": [ - "properties" - ] - }, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", - "containers": [ - "properties" - ] - }, - "routingWeight": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getExpressRouteCrossConnectionPeering": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "crossConnectionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "response": { - "azureASN": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "gatewayManagerEtag": { - "containers": [ - "properties" - ] - }, - "id": {}, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] - }, - "lastModifiedBy": { - "containers": [ - "properties" - ] - }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] - }, - "name": {}, - "peerASN": { - "containers": [ - "properties" - ] - }, - "peeringType": { - "containers": [ - "properties" - ] - }, - "primaryAzurePort": { - "containers": [ - "properties" - ] - }, - "primaryPeerAddressPrefix": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "secondaryAzurePort": { - "containers": [ - "properties" - ] - }, - "secondaryPeerAddressPrefix": { - "containers": [ - "properties" - ] - }, - "sharedKey": { - "containers": [ - "properties" - ] - }, - "state": { - "containers": [ - "properties" - ] - }, - "vlanId": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getExpressRouteGateway": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "expressRouteGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "response": { - "allowNonVirtualWanTraffic": { - "containers": [ - "properties" - ] - }, - "autoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", - "containers": [ - "properties" - ] - }, - "etag": {}, - "expressRouteConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnectionResponse", - "type": "object" - } - }, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubIdResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getExpressRoutePort": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "expressRoutePortName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "response": { - "allocationDate": { - "containers": [ - "properties" - ] - }, - "bandwidthInGbps": { - "containers": [ - "properties" - ] - }, - "billingType": { - "containers": [ - "properties" - ] - }, - "circuits": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "encapsulation": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "etherType": { - "containers": [ - "properties" - ] - }, - "id": {}, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse" - }, - "links": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLinkResponse", - "type": "object" - } - }, - "location": {}, - "mtu": { - "containers": [ - "properties" - ] - }, - "name": {}, - "peeringLocation": { - "containers": [ - "properties" - ] - }, - "provisionedBandwidthInGbps": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getExpressRoutePortAuthorization": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "expressRoutePortName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "authorizationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] - }, - "authorizationUseStatus": { - "containers": [ - "properties" - ] - }, - "circuitResourceUri": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getFirewallPolicy": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "response": { - "basePolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "childPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:DnsSettingsResponse", - "containers": [ - "properties" - ] - }, - "etag": {}, - "explicitProxy": { - "$ref": "#/types/azure-native:network/v20230201:ExplicitProxyResponse", - "containers": [ - "properties" - ] - }, - "firewalls": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "id": {}, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse" - }, - "insights": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyInsightsResponse", - "containers": [ - "properties" - ] - }, - "intrusionDetection": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionResponse", - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "ruleCollectionGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySkuResponse", - "containers": [ - "properties" - ] - }, - "snat": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySNATResponse", - "containers": [ - "properties" - ] - }, - "sql": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySQLResponse", - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "threatIntelMode": { - "containers": [ - "properties" - ] - }, - "threatIntelWhitelist": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyThreatIntelWhitelistResponse", - "containers": [ - "properties" - ] - }, - "transportSecurity": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyTransportSecurityResponse", - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getFirewallPolicyRuleCollectionGroup": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ruleCollectionGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "priority": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "ruleCollections": { - "containers": [ - "properties" - ], - "items": { - "oneOf": [ - "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionResponse", - "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollectionResponse" - ] - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getFlowLog": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "flowLogName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "response": { - "enabled": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "flowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsPropertiesResponse", - "containers": [ - "properties" - ] - }, - "format": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogFormatParametersResponse", - "containers": [ - "properties" - ] - }, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "retentionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:RetentionPolicyParametersResponse", - "containers": [ - "properties" - ] - }, - "storageId": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "targetResourceGuid": { - "containers": [ - "properties" - ] - }, - "targetResourceId": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getHubRouteTable": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "response": { - "associatedConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "etag": {}, - "id": {}, - "labels": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "name": {}, - "propagatingConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:HubRouteResponse", - "type": "object" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getHubVirtualNetworkConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "response": { - "allowHubToRemoteVnetTransit": { - "containers": [ - "properties" - ] - }, - "allowRemoteVnetToUseHubVnetGateways": { - "containers": [ - "properties" - ] - }, - "enableInternetSecurity": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getInboundNatRule": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "loadBalancerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "inboundNatRuleName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "response": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "backendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "containers": [ - "properties" - ] - }, - "backendPort": { - "containers": [ - "properties" - ] - }, - "enableFloatingIP": { - "containers": [ - "properties" - ] - }, - "enableTcpReset": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "frontendPort": { - "containers": [ - "properties" - ] - }, - "frontendPortRangeEnd": { - "containers": [ - "properties" - ] - }, - "frontendPortRangeStart": { - "containers": [ - "properties" - ] - }, - "id": {}, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ] - }, - "name": {}, - "protocol": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getIpAllocation": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ipAllocationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "response": { - "allocationTags": { - "additionalProperties": { - "type": "string" - }, - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "ipamAllocationId": { - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "prefix": { - "containers": [ - "properties" - ] - }, - "prefixLength": { - "containers": [ - "properties" - ], - "default": 0 - }, - "prefixType": { - "containers": [ - "properties" - ] - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getIpGroup": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ipGroupsName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "response": { - "etag": {}, - "firewallPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "firewalls": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "id": {}, - "ipAddresses": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getLoadBalancer": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "loadBalancerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "response": { - "backendAddressPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:BackendAddressPoolResponse", - "type": "object" - } - }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "frontendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", - "type": "object" - } - }, - "id": {}, - "inboundNatPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatPoolResponse", - "type": "object" - } - }, - "inboundNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatRuleResponse", - "type": "object" - } - }, - "loadBalancingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancingRuleResponse", - "type": "object" - } - }, - "location": {}, - "name": {}, - "outboundRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:OutboundRuleResponse", - "type": "object" - } - }, - "probes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ProbeResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerSkuResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getLoadBalancerBackendAddressPool": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "loadBalancerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "backendAddressPoolName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "response": { - "backendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "type": "object" - } - }, - "drainPeriodInSeconds": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "inboundNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "loadBalancerBackendAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerBackendAddressResponse", - "type": "object" - } - }, - "loadBalancingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "location": { - "containers": [ - "properties" - ] - }, - "name": {}, - "outboundRule": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "outboundRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "tunnelInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelInterfaceResponse", - "type": "object" - } - }, - "type": {}, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getLocalNetworkGateway": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "localNetworkGatewayName", - "required": true, - "value": { - "minLength": 1, - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "response": { - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", - "containers": [ - "properties" - ] - }, - "etag": {}, - "fqdn": { - "containers": [ - "properties" - ] - }, - "gatewayIpAddress": { - "containers": [ - "properties" - ] - }, - "id": {}, - "localNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getManagementGroupNetworkManagerConnection": { - "GET": [ - { - "location": "path", - "name": "managementGroupId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerConnectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "response": { - "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "networkManagerId": { - "containers": [ - "properties" - ] - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native:network/v20230201:getNatGateway": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "natGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "response": { - "etag": {}, - "id": {}, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "publicIpAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "publicIpPrefixes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewaySkuResponse" - }, - "subnets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "zones": { - "items": { - "type": "string" - } - } - } - }, - "azure-native:network/v20230201:getNatRule": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "natRuleName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "response": { - "egressVpnSiteLinkConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "etag": {}, - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" - } - }, - "id": {}, - "ingressVpnSiteLinkConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "internalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" - } - }, - "ipConfigurationId": { - "containers": [ - "properties" - ] - }, - "mode": { - "containers": [ - "properties" - ] - }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getNetworkGroup": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkGroupName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "response": { - "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native:network/v20230201:getNetworkInterface": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkInterfaceName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "response": { - "auxiliaryMode": { - "containers": [ - "properties" - ] - }, - "auxiliarySku": { - "containers": [ - "properties" - ] - }, - "disableTcpStateTracking": { - "containers": [ - "properties" - ] - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceDnsSettingsResponse", - "containers": [ - "properties" - ] - }, - "dscpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "enableAcceleratedNetworking": { - "containers": [ - "properties" - ] - }, - "enableIPForwarding": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "hostedWorkloads": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "type": "object" - } - }, - "location": {}, - "macAddress": { - "containers": [ - "properties" - ] - }, - "migrationPhase": { - "containers": [ - "properties" - ] - }, - "name": {}, - "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", - "containers": [ - "properties" - ] - }, - "nicType": { - "containers": [ - "properties" - ] - }, - "primary": { - "containers": [ - "properties" - ] - }, - "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", - "containers": [ - "properties" - ] - }, - "privateLinkService": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "tapConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", - "type": "object" - } - }, - "type": {}, - "virtualMachine": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "vnetEncryptionSupported": { - "containers": [ - "properties" - ] - }, - "workloadType": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getNetworkInterfaceTapConfiguration": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkInterfaceName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "tapConfigurationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {}, - "virtualNetworkTap": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTapResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getNetworkManager": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "response": { - "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "networkManagerScopeAccesses": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "networkManagerScopes": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerPropertiesResponseNetworkManagerScopes", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getNetworkProfile": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkProfileName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "response": { - "containerNetworkInterfaceConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceConfigurationResponse", - "type": "object" - } - }, - "containerNetworkInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceResponse", - "type": "object" - } - }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getNetworkSecurityGroup": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkSecurityGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "response": { - "defaultSecurityRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", - "type": "object" - } - }, - "etag": {}, - "flowLogs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogResponse", - "type": "object" - } - }, - "flushConnection": { - "containers": [ - "properties" - ] - }, - "id": {}, - "location": {}, - "name": {}, - "networkInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "securityRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", - "type": "object" - } - }, - "subnets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getNetworkVirtualAppliance": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkVirtualApplianceName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "response": { - "additionalNics": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceAdditionalNicPropertiesResponse", - "type": "object" - } - }, - "addressPrefix": { - "containers": [ - "properties" - ] - }, - "bootStrapConfigurationBlobs": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "cloudInitConfiguration": { - "containers": [ - "properties" - ] - }, - "cloudInitConfigurationBlobs": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "delegation": { - "$ref": "#/types/azure-native:network/v20230201:DelegationPropertiesResponse", - "containers": [ - "properties" - ] - }, - "deploymentType": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse" - }, - "inboundSecurityRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "location": {}, - "name": {}, - "nvaSku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceSkuPropertiesResponse", - "containers": [ - "properties" - ] - }, - "partnerManagedResource": { - "$ref": "#/types/azure-native:network/v20230201:PartnerManagedResourcePropertiesResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "sshPublicKey": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualApplianceAsn": { - "containers": [ - "properties" - ] - }, - "virtualApplianceConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "virtualApplianceNics": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceNicPropertiesResponse", - "type": "object" - } - }, - "virtualApplianceSites": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getNetworkVirtualApplianceConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkVirtualApplianceName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", - "response": { - "id": {}, - "name": {}, - "properties": { - "$ref": "#/types/azure-native:network/v20230201:NetworkVirtualApplianceConnectionPropertiesResponse" - } - } - }, - "azure-native:network/v20230201:getNetworkWatcher": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getP2sVpnGateway": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "response": { - "customDnsServers": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "etag": {}, - "id": {}, - "isRoutingPreferenceInternet": { - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "p2SConnectionConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SConnectionConfigurationResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "vpnClientConnectionHealth": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConnectionHealthResponse", - "containers": [ - "properties" - ] - }, - "vpnGatewayScaleUnit": { - "containers": [ - "properties" - ] - }, - "vpnServerConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getP2sVpnGatewayP2sVpnConnectionHealth": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}/getP2sVpnConnectionHealth", - "response": { - "customDnsServers": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "etag": {}, - "id": {}, - "isRoutingPreferenceInternet": { - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "p2SConnectionConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SConnectionConfigurationResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "vpnClientConnectionHealth": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConnectionHealthResponse", - "containers": [ - "properties" - ] - }, - "vpnGatewayScaleUnit": { - "containers": [ - "properties" - ] - }, - "vpnServerConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getP2sVpnGatewayP2sVpnConnectionHealthDetailed": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "body": { - "properties": { - "outputBlobSasUrl": { - "type": "string" - }, - "vpnUserNamesFilter": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "request", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}/getP2sVpnConnectionHealthDetailed", - "response": { - "sasUrl": {} - } - }, - "azure-native:network/v20230201:getPacketCapture": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "packetCaptureName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "response": { - "bytesToCapturePerPacket": { - "containers": [ - "properties" - ], - "default": 0 - }, - "etag": {}, - "filters": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureFilterResponse", - "type": "object" - } - }, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "scope": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureMachineScopeResponse", - "containers": [ - "properties" - ] - }, - "storageLocation": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureStorageLocationResponse", - "containers": [ - "properties" - ] - }, - "target": { - "containers": [ - "properties" - ] - }, - "targetType": { - "containers": [ - "properties" - ] - }, - "timeLimitInSeconds": { - "containers": [ - "properties" - ], - "default": 18000 - }, - "totalBytesPerSession": { - "containers": [ - "properties" - ], - "default": 1073741824 - } - } - }, - "azure-native:network/v20230201:getPrivateDnsZoneGroup": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "privateEndpointName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "privateDnsZoneGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "privateDnsZoneConfigs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateDnsZoneConfigResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getPrivateEndpoint": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "privateEndpointName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "response": { - "applicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", - "type": "object" - } - }, - "customDnsConfigs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:CustomDnsConfigPropertiesFormatResponse", - "type": "object" - } - }, - "customNetworkInterfaceName": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointIPConfigurationResponse", - "type": "object" - } - }, - "location": {}, - "manualPrivateLinkServiceConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", - "type": "object" - } - }, - "name": {}, - "networkInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" - } - }, - "privateLinkServiceConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getPrivateLinkService": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "serviceName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "response": { - "alias": { - "containers": [ - "properties" - ] - }, - "autoApproval": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseAutoApproval", - "containers": [ - "properties" - ] - }, - "enableProxyProtocol": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "fqdns": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceIpConfigurationResponse", - "type": "object" - } - }, - "loadBalancerFrontendIpConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", - "type": "object" - } - }, - "location": {}, - "name": {}, - "networkInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" - } - }, - "privateEndpointConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointConnectionResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "visibility": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseVisibility", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getPrivateLinkServicePrivateEndpointConnection": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "serviceName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "peConnectionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "response": { - "etag": {}, - "id": {}, - "linkIdentifier": { - "containers": [ - "properties" - ] - }, - "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", - "containers": [ - "properties" - ] - }, - "privateEndpointLocation": { - "containers": [ - "properties" - ] - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getPublicIPAddress": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "publicIpAddressName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "response": { - "ddosSettings": { - "$ref": "#/types/azure-native:network/v20230201:DdosSettingsResponse", - "containers": [ - "properties" - ] - }, - "deleteOption": { - "containers": [ - "properties" - ] - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressDnsSettingsResponse", - "containers": [ - "properties" - ] - }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "id": {}, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ] - }, - "ipAddress": { - "containers": [ - "properties" - ] - }, - "ipConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", - "containers": [ - "properties" - ] - }, - "ipTags": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTagResponse", - "type": "object" - } - }, - "linkedPublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", - "containers": [ - "properties" - ] - }, - "location": {}, - "migrationPhase": { - "containers": [ - "properties" - ] - }, - "name": {}, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewayResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "publicIPAddressVersion": { - "containers": [ - "properties" - ] - }, - "publicIPAllocationMethod": { - "containers": [ - "properties" - ] - }, - "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "servicePublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", - "containers": [ - "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSkuResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "zones": { - "items": { - "type": "string" - } - } - } - }, - "azure-native:network/v20230201:getPublicIPPrefix": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "publicIpPrefixName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "response": { - "customIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "id": {}, - "ipPrefix": { - "containers": [ - "properties" - ] - }, - "ipTags": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTagResponse", - "type": "object" - } - }, - "loadBalancerFrontendIpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewayResponse", - "containers": [ - "properties" - ] - }, - "prefixLength": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "publicIPAddressVersion": { - "containers": [ - "properties" - ] - }, - "publicIPAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ReferencedPublicIpAddressResponse", - "type": "object" - } - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPPrefixSkuResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "zones": { - "items": { - "type": "string" - } - } - } - }, - "azure-native:network/v20230201:getRoute": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "routeName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "response": { - "addressPrefix": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "hasBgpOverride": { - "containers": [ - "properties" - ] - }, - "id": {}, - "name": {}, - "nextHopIpAddress": { - "containers": [ - "properties" - ] - }, - "nextHopType": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getRouteFilter": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "routeFilterName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "response": { - "etag": {}, - "id": {}, - "ipv6Peerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", - "type": "object" - } - }, - "location": {}, - "name": {}, - "peerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "rules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteFilterRuleResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getRouteFilterRule": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "routeFilterName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ruleName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "response": { - "access": { - "containers": [ - "properties" - ] - }, - "communities": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "routeFilterRuleType": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getRouteMap": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "routeMapName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "response": { - "associatedInboundConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "associatedOutboundConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "rules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteMapRuleResponse", - "type": "object" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getRouteTable": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "response": { - "disableBgpRoutePropagation": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteResponse", - "type": "object" - } - }, - "subnets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getRoutingIntent": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "routingIntentName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "routingPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:RoutingPolicyResponse", - "type": "object" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getScopeConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "scopeConnectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "response": { - "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "resourceId": { - "containers": [ - "properties" - ] - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "tenantId": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getSecurityAdminConfiguration": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "response": { - "applyOnNetworkIntentPolicyBasedServices": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native:network/v20230201:getSecurityPartnerProvider": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "securityPartnerProviderName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "response": { - "connectionStatus": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "securityProviderName": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getSecurityRule": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkSecurityGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "securityRuleName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "response": { - "access": { - "containers": [ - "properties" - ] - }, - "description": { - "containers": [ - "properties" - ] - }, - "destinationAddressPrefix": { - "containers": [ - "properties" - ] - }, - "destinationAddressPrefixes": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "destinationApplicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", - "type": "object" - } - }, - "destinationPortRange": { - "containers": [ - "properties" - ] - }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "direction": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "priority": { - "containers": [ - "properties" - ] - }, - "protocol": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "sourceAddressPrefix": { - "containers": [ - "properties" - ] - }, - "sourceAddressPrefixes": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "sourceApplicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", - "type": "object" - } - }, - "sourcePortRange": { - "containers": [ - "properties" - ] - }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getServiceEndpointPolicy": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "serviceEndpointPolicyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "response": { - "contextualServiceEndpointPolicies": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "etag": {}, - "id": {}, - "kind": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "serviceAlias": { - "containers": [ - "properties" - ] - }, - "serviceEndpointPolicyDefinitions": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyDefinitionResponse", - "type": "object" - } - }, - "subnets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getServiceEndpointPolicyDefinition": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "serviceEndpointPolicyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "serviceEndpointPolicyDefinitionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "response": { - "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "service": { - "containers": [ - "properties" - ] - }, - "serviceResources": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getStaticMember": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "staticMemberName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "region": { - "containers": [ - "properties" - ] - }, - "resourceId": { - "containers": [ - "properties" - ] - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native:network/v20230201:getSubnet": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subnetName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "response": { - "addressPrefix": { - "containers": [ - "properties" - ] - }, - "addressPrefixes": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "applicationGatewayIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", - "type": "object" - } - }, - "delegations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:DelegationResponse", - "type": "object" - } - }, - "etag": {}, - "id": {}, - "ipAllocations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "ipConfigurationProfiles": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationProfileResponse", - "type": "object" - } - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", - "type": "object" - } - }, - "name": {}, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", - "containers": [ - "properties" - ] - }, - "privateEndpointNetworkPolicies": { - "containers": [ - "properties" - ], - "default": "Disabled" - }, - "privateEndpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", - "type": "object" - } - }, - "privateLinkServiceNetworkPolicies": { - "containers": [ - "properties" - ], - "default": "Enabled" - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "purpose": { - "containers": [ - "properties" - ] - }, - "resourceNavigationLinks": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ResourceNavigationLinkResponse", - "type": "object" - } - }, - "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:RouteTableResponse", - "containers": [ - "properties" - ] - }, - "serviceAssociationLinks": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceAssociationLinkResponse", - "type": "object" - } - }, - "serviceEndpointPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyResponse", - "type": "object" - } - }, - "serviceEndpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPropertiesFormatResponse", - "type": "object" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getSubscriptionNetworkManagerConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerConnectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "response": { - "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "networkManagerId": { - "containers": [ - "properties" - ] - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native:network/v20230201:getVirtualApplianceSite": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkVirtualApplianceName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "siteName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "response": { - "addressPrefix": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:Office365PolicyPropertiesResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getVirtualHub": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "response": { - "addressPrefix": { - "containers": [ - "properties" - ] - }, - "allowBranchToBranchTraffic": { - "containers": [ - "properties" - ] - }, - "azureFirewall": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "bgpConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "etag": {}, - "expressRouteGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "hubRoutingPreference": { - "containers": [ - "properties" - ] - }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "kind": {}, - "location": {}, - "name": {}, - "p2SVpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "preferredRoutingGateway": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "routeMaps": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTableResponse", - "containers": [ - "properties" - ] - }, - "routingState": { - "containers": [ - "properties" - ] - }, - "securityPartnerProvider": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "securityProviderName": { - "containers": [ - "properties" - ] - }, - "sku": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualHubRouteTableV2s": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTableV2Response", - "type": "object" - } - }, - "virtualRouterAsn": { - "containers": [ - "properties" - ] - }, - "virtualRouterAutoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VirtualRouterAutoScaleConfigurationResponse", - "containers": [ - "properties" - ] - }, - "virtualRouterIps": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "vpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getVirtualHubBgpConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "response": { - "connectionState": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "hubVirtualNetworkConnection": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "id": {}, - "name": {}, - "peerAsn": { - "containers": [ - "properties" - ] - }, - "peerIp": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getVirtualHubIpConfiguration": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ipConfigName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "privateIPAddress": { - "containers": [ - "properties" - ] - }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", - "containers": [ - "properties" - ] - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getVirtualHubRouteTableV2": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "response": { - "attachedConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteV2Response", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getVirtualNetwork": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "response": { - "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "containers": [ - "properties" - ] - }, - "bgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse", - "containers": [ - "properties" - ] - }, - "ddosProtectionPlan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "dhcpOptions": { - "$ref": "#/types/azure-native:network/v20230201:DhcpOptionsResponse", - "containers": [ - "properties" - ] - }, - "enableDdosProtection": { - "containers": [ - "properties" - ], - "default": false - }, - "enableVmProtection": { - "containers": [ - "properties" - ], - "default": false - }, - "encryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryptionResponse", - "containers": [ - "properties" - ] - }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "flowLogs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogResponse", - "type": "object" - } - }, - "flowTimeoutInMinutes": { - "containers": [ - "properties" - ] - }, - "id": {}, - "ipAllocations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "subnets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualNetworkPeerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPeeringResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getVirtualNetworkGateway": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "response": { - "activeActive": { - "containers": [ - "properties" - ] - }, - "adminState": { - "containers": [ - "properties" - ] - }, - "allowRemoteVnetTraffic": { - "containers": [ - "properties" - ] - }, - "allowVirtualWanTraffic": { - "containers": [ - "properties" - ] - }, - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", - "containers": [ - "properties" - ] - }, - "customRoutes": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "containers": [ - "properties" - ] - }, - "disableIPSecReplayProtection": { - "containers": [ - "properties" - ] - }, - "enableBgp": { - "containers": [ - "properties" - ] - }, - "enableBgpRouteTranslationForNat": { - "containers": [ - "properties" - ] - }, - "enableDnsForwarding": { - "containers": [ - "properties" - ] - }, - "enablePrivateIpAddress": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "gatewayDefaultSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "gatewayType": { - "containers": [ - "properties" - ] - }, - "id": {}, - "inboundDnsForwardingEndpoint": { - "containers": [ - "properties" - ] - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayIPConfigurationResponse", - "type": "object" - } - }, - "location": {}, - "name": {}, - "natRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayNatRuleResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySkuResponse", - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "vNetExtendedLocationResourceId": { - "containers": [ - "properties" - ] - }, - "virtualNetworkGatewayPolicyGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupResponse", - "type": "object" - } - }, - "vpnClientConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConfigurationResponse", - "containers": [ - "properties" - ] - }, - "vpnGatewayGeneration": { - "containers": [ - "properties" - ] - }, - "vpnType": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayAdvertisedRoutes": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "peer", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getAdvertisedRoutes", - "response": { - "value": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayRouteResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayBgpPeerStatus": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "peer", - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getBgpPeerStatus", - "response": { - "value": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:BgpPeerStatusResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayConnection": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayConnectionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] - }, - "connectionMode": { - "containers": [ - "properties" - ] - }, - "connectionProtocol": { - "containers": [ - "properties" - ] - }, - "connectionStatus": { - "containers": [ - "properties" - ] - }, - "connectionType": { - "containers": [ - "properties" - ] - }, - "dpdTimeoutSeconds": { - "containers": [ - "properties" - ] - }, - "egressBytesTransferred": { - "containers": [ - "properties" - ] - }, - "egressNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "enableBgp": { - "containers": [ - "properties" - ] - }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "expressRouteGatewayBypass": { - "containers": [ - "properties" - ] - }, - "gatewayCustomBgpIpAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfigurationResponse", - "type": "object" - } - }, - "id": {}, - "ingressBytesTransferred": { - "containers": [ - "properties" - ] - }, - "ingressNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "ipsecPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", - "type": "object" - } - }, - "localNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:LocalNetworkGatewayResponse", - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "peer": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "routingWeight": { - "containers": [ - "properties" - ] - }, - "sharedKey": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "trafficSelectorPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicyResponse", - "type": "object" - } - }, - "tunnelConnectionStatus": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:TunnelConnectionHealthResponse", - "type": "object" - } - }, - "type": {}, - "useLocalAzureIpAddress": { - "containers": [ - "properties" - ] - }, - "usePolicyBasedTrafficSelectors": { - "containers": [ - "properties" - ] - }, - "virtualNetworkGateway1": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayResponse", - "containers": [ - "properties" - ] - }, - "virtualNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayConnectionIkeSas": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayConnectionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}/getikesas", - "response": { - "value": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayLearnedRoutes": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getLearnedRoutes", - "response": { - "value": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayRouteResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayNatRule": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "natRuleName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "response": { - "etag": {}, - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" - } - }, - "id": {}, - "internalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" - } - }, - "ipConfigurationId": { - "containers": [ - "properties" - ] - }, - "mode": { - "containers": [ - "properties" - ] - }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayVpnProfilePackageUrl": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getvpnprofilepackageurl", - "response": { - "value": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayVpnclientConnectionHealth": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getVpnClientConnectionHealth", - "response": { - "value": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConnectionHealthDetailResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getVirtualNetworkGatewayVpnclientIpsecParameters": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getvpnclientipsecparameters", - "response": { - "dhGroup": {}, - "ikeEncryption": {}, - "ikeIntegrity": {}, - "ipsecEncryption": {}, - "ipsecIntegrity": {}, - "pfsGroup": {}, - "saDataSizeKilobytes": {}, - "saLifeTimeSeconds": {} - } - }, - "azure-native:network/v20230201:getVirtualNetworkPeering": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkPeeringName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "response": { - "allowForwardedTraffic": { - "containers": [ - "properties" - ] - }, - "allowGatewayTransit": { - "containers": [ - "properties" - ] - }, - "allowVirtualNetworkAccess": { - "containers": [ - "properties" - ] - }, - "doNotVerifyRemoteGateways": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "peeringState": { - "containers": [ - "properties" - ] - }, - "peeringSyncLevel": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "remoteAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "containers": [ - "properties" - ] - }, - "remoteBgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse", - "containers": [ - "properties" - ] - }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "containers": [ - "properties" - ] - }, - "remoteVirtualNetworkEncryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryptionResponse", - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "type": {}, - "useRemoteGateways": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getVirtualNetworkTap": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "tapName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "response": { - "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", - "containers": [ - "properties" - ] - }, - "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "containers": [ - "properties" - ] - }, - "destinationPort": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "networkInterfaceTapConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getVirtualRouter": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualRouterName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "response": { - "etag": {}, - "hostedGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "hostedSubnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "id": {}, - "location": {}, - "name": {}, - "peerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualRouterAsn": { - "containers": [ - "properties" - ] - }, - "virtualRouterIps": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - } - } - }, - "azure-native:network/v20230201:getVirtualRouterPeering": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualRouterName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "peerAsn": { - "containers": [ - "properties" - ] - }, - "peerIp": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:getVirtualWan": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "VirtualWANName", - "required": true, - "value": { - "sdkName": "virtualWANName", - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "response": { - "allowBranchToBranchTraffic": { - "containers": [ - "properties" - ] - }, - "allowVnetToVnetTraffic": { - "containers": [ - "properties" - ] - }, - "disableVpnEncryption": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "office365LocalBreakoutCategory": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualHubs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "vpnSites": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getVpnConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "response": { - "connectionBandwidth": { - "containers": [ - "properties" - ] - }, - "connectionStatus": { - "containers": [ - "properties" - ] - }, - "dpdTimeoutSeconds": { - "containers": [ - "properties" - ] - }, - "egressBytesTransferred": { - "containers": [ - "properties" - ] - }, - "enableBgp": { - "containers": [ - "properties" - ] - }, - "enableInternetSecurity": { - "containers": [ - "properties" - ] - }, - "enableRateLimiting": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "ingressBytesTransferred": { - "containers": [ - "properties" - ] - }, - "ipsecPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", - "type": "object" - } - }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "remoteVpnSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", - "containers": [ - "properties" - ] - }, - "routingWeight": { - "containers": [ - "properties" - ] - }, - "sharedKey": { - "containers": [ - "properties" - ] - }, - "trafficSelectorPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicyResponse", - "type": "object" - } - }, - "useLocalAzureIpAddress": { - "containers": [ - "properties" - ] - }, - "usePolicyBasedTrafficSelectors": { - "containers": [ - "properties" - ] - }, - "vpnConnectionProtocolType": { - "containers": [ - "properties" - ] - }, - "vpnLinkConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkConnectionResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getVpnGateway": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "response": { - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", - "containers": [ - "properties" - ] - }, - "connections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnConnectionResponse", - "type": "object" - } - }, - "enableBgpRouteTranslationForNat": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayIpConfigurationResponse", - "type": "object" - } - }, - "isRoutingPreferenceInternet": { - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "natRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayNatRuleResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "vpnGatewayScaleUnit": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:getVpnLinkConnectionIkeSas": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "linkConnectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}/vpnLinkConnections/{linkConnectionName}/getikesas", - "response": { - "value": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:getVpnServerConfiguration": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "vpnServerConfigurationName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "properties": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPropertiesResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:getVpnSite": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "vpnSiteName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "response": { - "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "containers": [ - "properties" - ] - }, - "bgpProperties": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", - "containers": [ - "properties" - ] - }, - "deviceProperties": { - "$ref": "#/types/azure-native:network/v20230201:DevicePropertiesResponse", - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "ipAddress": { - "containers": [ - "properties" - ] - }, - "isSecuritySite": { - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:O365PolicyPropertiesResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "siteKey": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "vpnSiteLinks": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:getWebApplicationFirewallPolicy": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "policyName", - "required": true, - "value": { - "maxLength": 128, - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "response": { - "applicationGateways": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayResponse", - "type": "object" - } - }, - "customRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallCustomRuleResponse", - "type": "object" - } - }, - "etag": {}, - "httpListeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "id": {}, - "location": {}, - "managedRules": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRulesDefinitionResponse", - "containers": [ - "properties" - ] - }, - "name": {}, - "pathBasedRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "policySettings": { - "$ref": "#/types/azure-native:network/v20230201:PolicySettingsResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceState": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:listActiveConnectivityConfigurations": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "regions": { - "items": { - "type": "string" - }, - "type": "array" - }, - "skipToken": { - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$top", - "value": { - "sdkName": "top", - "type": "integer" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listActiveConnectivityConfigurations", - "response": { - "skipToken": {}, - "value": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ActiveConnectivityConfigurationResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:listActiveSecurityAdminRules": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "regions": { - "items": { - "type": "string" - }, - "type": "array" - }, - "skipToken": { - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$top", - "value": { - "sdkName": "top", - "type": "integer" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listActiveSecurityAdminRules", - "response": { - "skipToken": {}, - "value": { - "items": { - "oneOf": [ - "#/types/azure-native:network/v20230201:ActiveDefaultSecurityAdminRuleResponse", - "#/types/azure-native:network/v20230201:ActiveSecurityAdminRuleResponse" - ] - } - } - } - }, - "azure-native:network/v20230201:listFirewallPolicyIdpsSignature": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "body": { - "properties": { - "filters": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:FilterItems", - "type": "object" - }, - "type": "array" - }, - "orderBy": { - "$ref": "#/types/azure-native:network/v20230201:OrderBy", - "type": "object" - }, - "resultsPerPage": { - "maximum": 1000, - "minimum": 1, - "type": "integer" - }, - "search": { - "type": "string" - }, - "skip": { - "type": "integer" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/listIdpsSignatures", - "response": { - "matchingRecordsCount": {}, - "signatures": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:SingleQueryResultResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:listFirewallPolicyIdpsSignaturesFilterValue": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "filterName": { - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/listIdpsFilterOptions", - "response": { - "filterValues": { - "items": { - "type": "string" - } - } - } - }, - "azure-native:network/v20230201:listNetworkManagerDeploymentStatus": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "deploymentTypes": { - "items": { - "type": "string" - }, - "type": "array" - }, - "regions": { - "items": { - "type": "string" - }, - "type": "array" - }, - "skipToken": { - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$top", - "value": { - "sdkName": "top", - "type": "integer" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listDeploymentStatus", - "response": { - "skipToken": {}, - "value": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerDeploymentStatusResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:listNetworkManagerEffectiveConnectivityConfigurations": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "skipToken": { - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$top", - "value": { - "sdkName": "top", - "type": "integer" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/listNetworkManagerEffectiveConnectivityConfigurations", - "response": { - "skipToken": {}, - "value": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:EffectiveConnectivityConfigurationResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:listNetworkManagerEffectiveSecurityAdminRules": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "skipToken": { - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$top", - "value": { - "sdkName": "top", - "type": "integer" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/listNetworkManagerEffectiveSecurityAdminRules", - "response": { - "skipToken": {}, - "value": { - "items": { - "oneOf": [ - "#/types/azure-native:network/v20230201:EffectiveDefaultSecurityAdminRuleResponse", - "#/types/azure-native:network/v20230201:EffectiveSecurityAdminRuleResponse" - ] - } - } - } - } - }, - "resources": { - "azure-native:keyvault:AccessPolicy": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "vaultName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "policy.objectId", - "value": { - "type": "string" - } - }, - { - "body": { - "properties": { - "policy": { - "type": "#/types/azure-native:keyvault:AccessPolicyEntry" - } - }, - "required": [ - "resourceGroupName", - "vaultName", - "policy" - ] - }, - "location": "body", - "name": "properties", - "value": null - } - ], - "apiVersion": "", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/accessPolicy/{policy.objectId}", - "response": null - }, - "azure-native:network/v20230201:AdminRule": { - "PUT": [ - { - "body": { - "properties": { - "access": { - "containers": [ - "properties" - ], - "type": "string" - }, - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItem", - "type": "object" - }, - "type": "array" - }, - "direction": { - "containers": [ - "properties" - ], - "type": "string" - }, - "kind": { - "const": "Custom", - "type": "string" - }, - "priority": { - "containers": [ - "properties" - ], - "maximum": 4096, - "minimum": 1, - "type": "integer" - }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItem", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "access", - "direction", - "kind", - "priority", - "protocol" - ] - }, - "location": "body", - "name": "adminRule", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ruleName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "response": { - "access": { - "containers": [ - "properties" - ] - }, - "description": { - "containers": [ - "properties" - ] - }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } - }, - "direction": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "kind": { - "const": "Custom" - }, - "name": {}, - "priority": { - "containers": [ - "properties" - ] - }, - "protocol": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native:network/v20230201:AdminRuleCollection": { - "PUT": [ - { - "body": { - "properties": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItem", - "type": "object" - }, - "type": "array" - }, - "description": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "appliesToGroups" - ] - }, - "location": "body", - "name": "ruleCollection", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "response": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", - "type": "object" - } - }, - "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native:network/v20230201:ApplicationGateway": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "applicationGatewayName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - }, - { - "body": { - "properties": { - "authenticationCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificate", - "type": "object" - }, - "type": "array" - }, - "autoscaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAutoscaleConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "backendAddressPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPool", - "type": "object" - }, - "type": "array" - }, - "backendHttpSettingsCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHttpSettings", - "type": "object" - }, - "type": "array" - }, - "backendSettingsCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendSettings", - "type": "object" - }, - "type": "array" - }, - "customErrorConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomError", - "type": "object" - }, - "type": "array" - }, - "enableFips": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableHttp2": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "forceFirewallPolicyAssociation": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "frontendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "frontendPorts": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendPort", - "type": "object" - }, - "type": "array" - }, - "gatewayIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "globalConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayGlobalConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "httpListeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHttpListener", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentity", - "type": "object" - }, - "listeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayListener", - "type": "object" - }, - "type": "array" - }, - "loadDistributionPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicy", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "privateLinkConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfiguration", - "type": "object" - }, - "type": "array" - }, - "probes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbe", - "type": "object" - }, - "type": "array" - }, - "redirectConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRedirectConfiguration", - "type": "object" - }, - "type": "array" - }, - "requestRoutingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRequestRoutingRule", - "type": "object" - }, - "type": "array" - }, - "rewriteRuleSets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleSet", - "type": "object" - }, - "type": "array" - }, - "routingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRoutingRule", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySku", - "containers": [ - "properties" - ], - "type": "object" - }, - "sslCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslCertificate", - "type": "object" - }, - "type": "array" - }, - "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicy", - "containers": [ - "properties" - ], - "type": "object" - }, - "sslProfiles": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslProfile", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "trustedClientCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificate", - "type": "object" - }, - "type": "array" - }, - "trustedRootCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificate", - "type": "object" - }, - "type": "array" - }, - "urlPathMaps": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlPathMap", - "type": "object" - }, - "type": "array" - }, - "webApplicationFirewallConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "azure-native:network:ApplicationGatewayProtocol": { + "description": "The protocol used for the probe.", + "enum": [ + { + "value": "Http" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "Https" + }, + { + "value": "Tcp" + }, + { + "value": "Tls" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "authenticationCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificateResponse", - "type": "object" - } + "type": "string" + }, + "azure-native:network:ApplicationGatewayRedirectType": { + "description": "HTTP redirection type.", + "enum": [ + { + "value": "Permanent" }, - "autoscaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAutoscaleConfigurationResponse", - "containers": [ - "properties" - ] + { + "value": "Found" }, - "backendAddressPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse", - "type": "object" - } + { + "value": "SeeOther" }, - "backendHttpSettingsCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHttpSettingsResponse", - "type": "object" - } + { + "value": "Temporary" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewayRequestRoutingRuleType": { + "description": "Rule type.", + "enum": [ + { + "value": "Basic" }, - "backendSettingsCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendSettingsResponse", - "type": "object" - } + { + "value": "PathBasedRouting" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewaySkuName": { + "description": "Name of an application gateway SKU.", + "enum": [ + { + "value": "Standard_Small" }, - "customErrorConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomErrorResponse", - "type": "object" - } + { + "value": "Standard_Medium" }, - "defaultPredefinedSslPolicy": { - "containers": [ - "properties" - ] + { + "value": "Standard_Large" }, - "enableFips": { - "containers": [ - "properties" - ] + { + "value": "WAF_Medium" }, - "enableHttp2": { - "containers": [ - "properties" - ] + { + "value": "WAF_Large" }, - "etag": {}, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "value": "Standard_v2" }, - "forceFirewallPolicyAssociation": { - "containers": [ - "properties" - ] + { + "value": "WAF_v2" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewaySslCipherSuite": { + "description": "Ssl cipher suites enums.", + "enum": [ + { + "value": "TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384" }, - "frontendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendIPConfigurationResponse", - "type": "object" - } + { + "value": "TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256" }, - "frontendPorts": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendPortResponse", - "type": "object" - } + { + "value": "TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA" }, - "gatewayIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", - "type": "object" - } + { + "value": "TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA" }, - "globalConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayGlobalConfigurationResponse", - "containers": [ - "properties" - ] + { + "value": "TLS_DHE_RSA_WITH_AES_256_GCM_SHA384" }, - "httpListeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHttpListenerResponse", - "type": "object" - } + { + "value": "TLS_DHE_RSA_WITH_AES_128_GCM_SHA256" }, - "id": {}, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse" + { + "value": "TLS_DHE_RSA_WITH_AES_256_CBC_SHA" }, - "listeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayListenerResponse", - "type": "object" - } + { + "value": "TLS_DHE_RSA_WITH_AES_128_CBC_SHA" }, - "loadDistributionPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicyResponse", - "type": "object" - } + { + "value": "TLS_RSA_WITH_AES_256_GCM_SHA384" }, - "location": {}, - "name": {}, - "operationalState": { - "containers": [ - "properties" - ] + { + "value": "TLS_RSA_WITH_AES_128_GCM_SHA256" }, - "privateEndpointConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnectionResponse", - "type": "object" - } + { + "value": "TLS_RSA_WITH_AES_256_CBC_SHA256" }, - "privateLinkConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfigurationResponse", - "type": "object" - } + { + "value": "TLS_RSA_WITH_AES_128_CBC_SHA256" }, - "probes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeResponse", - "type": "object" - } + { + "value": "TLS_RSA_WITH_AES_256_CBC_SHA" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "TLS_RSA_WITH_AES_128_CBC_SHA" }, - "redirectConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRedirectConfigurationResponse", - "type": "object" - } + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_256_GCM_SHA384" }, - "requestRoutingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRequestRoutingRuleResponse", - "type": "object" - } + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256" }, - "resourceGuid": { - "containers": [ - "properties" - ] + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA384" }, - "rewriteRuleSets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleSetResponse", - "type": "object" - } + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256" }, - "routingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRoutingRuleResponse", - "type": "object" - } + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA" }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySkuResponse", - "containers": [ - "properties" - ] + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA" }, - "sslCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslCertificateResponse", - "type": "object" - } + { + "value": "TLS_DHE_DSS_WITH_AES_256_CBC_SHA256" }, - "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicyResponse", - "containers": [ - "properties" - ] + { + "value": "TLS_DHE_DSS_WITH_AES_128_CBC_SHA256" }, - "sslProfiles": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslProfileResponse", - "type": "object" - } + { + "value": "TLS_DHE_DSS_WITH_AES_256_CBC_SHA" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "TLS_DHE_DSS_WITH_AES_128_CBC_SHA" }, - "trustedClientCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificateResponse", - "type": "object" - } + { + "value": "TLS_RSA_WITH_3DES_EDE_CBC_SHA" }, - "trustedRootCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificateResponse", - "type": "object" - } + { + "value": "TLS_DHE_DSS_WITH_3DES_EDE_CBC_SHA" }, - "type": {}, - "urlPathMaps": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlPathMapResponse", - "type": "object" - } + { + "value": "TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256" }, - "webApplicationFirewallConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfigurationResponse", - "containers": [ - "properties" - ] + { + "value": "TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewaySslPolicyName": { + "description": "Name of Ssl predefined policy.", + "enum": [ + { + "value": "AppGwSslPolicy20150501" + }, + { + "value": "AppGwSslPolicy20170401" + }, + { + "value": "AppGwSslPolicy20170401S" + }, + { + "value": "AppGwSslPolicy20220101" + }, + { + "value": "AppGwSslPolicy20220101S" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewaySslPolicyType": { + "description": "Type of Ssl Policy.", + "enum": [ + { + "value": "Predefined" + }, + { + "value": "Custom" + }, + { + "value": "CustomV2" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewaySslProtocol": { + "description": "Minimum version of Ssl protocol to be supported on application gateway.", + "enum": [ + { + "value": "TLSv1_0" + }, + { + "value": "TLSv1_1" + }, + { + "value": "TLSv1_2" + }, + { + "value": "TLSv1_3" + } + ], + "type": "string" + }, + "azure-native:network:ApplicationGatewayTier": { + "description": "Tier of an application gateway.", + "enum": [ + { + "value": "Standard" + }, + { + "value": "WAF" + }, + { + "value": "Standard_v2" + }, + { + "value": "WAF_v2" + } + ], + "type": "string" + }, + "azure-native:network:AuthorizationUseStatus": { + "description": "The authorization use status.", + "enum": [ + { + "value": "Available" + }, + { + "value": "InUse" + } + ], + "type": "string" + }, + "azure-native:network:AutoLearnPrivateRangesMode": { + "description": "The operation mode for automatically learning private ranges to not be SNAT", + "enum": [ + { + "value": "Enabled" + }, + { + "value": "Disabled" + } + ], + "type": "string" + }, + "azure-native:network:AzureFirewallApplicationRuleProtocolType": { + "description": "Protocol type.", + "enum": [ + { + "value": "Http" + }, + { + "value": "Https" + }, + { + "value": "Mssql" + } + ], + "type": "string" + }, + "azure-native:network:AzureFirewallNatRCActionType": { + "description": "The type of action.", + "enum": [ + { + "value": "Snat" + }, + { + "value": "Dnat" + } + ], + "type": "string" + }, + "azure-native:network:AzureFirewallNetworkRuleProtocol": { + "description": "The protocol of a Network Rule resource.", + "enum": [ + { + "value": "TCP" + }, + { + "value": "UDP" + }, + { + "value": "Any" + }, + { + "value": "ICMP" + } + ], + "type": "string" + }, + "azure-native:network:AzureFirewallRCActionType": { + "description": "The type of action.", + "enum": [ + { + "value": "Allow" + }, + { + "value": "Deny" + } + ], + "type": "string" + }, + "azure-native:network:AzureFirewallSkuName": { + "description": "Name of an Azure Firewall SKU.", + "enum": [ + { + "value": "AZFW_VNet" + }, + { + "value": "AZFW_Hub" + } + ], + "type": "string" + }, + "azure-native:network:AzureFirewallSkuTier": { + "description": "Tier of an Azure Firewall.", + "enum": [ + { + "value": "Standard" }, - "zones": { - "items": { - "type": "string" - } + { + "value": "Premium" + }, + { + "value": "Basic" } - } + ], + "type": "string" }, - "azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnection": { - "PUT": [ + "azure-native:network:AzureFirewallThreatIntelMode": { + "description": "The operation mode for Threat Intelligence.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "Alert" }, { - "location": "path", - "name": "applicationGatewayName", - "required": true, - "value": { - "type": "string" - } + "value": "Deny" }, { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - }, + "value": "Off" + } + ], + "type": "string" + }, + "azure-native:network:BastionHostSkuName": { + "description": "The name of this Bastion Host.", + "enum": [ { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionState", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "Basic" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "Standard" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "linkIdentifier": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:CommissionedState": { + "description": "The commissioned state of the Custom IP Prefix.", + "enum": [ + { + "value": "Provisioning" }, - "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", - "containers": [ - "properties" - ] + { + "value": "Provisioned" }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", - "containers": [ - "properties" - ] + { + "value": "Commissioning" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "CommissionedNoInternetAdvertise" }, - "type": {} - } - }, - "azure-native:network/v20230201:ApplicationSecurityGroup": { - "PUT": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "Commissioned" }, { - "location": "path", - "name": "applicationSecurityGroupName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "value": "Decommissioning" }, { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "Deprovisioning" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "Deprovisioned" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } + "type": "string" }, - "azure-native:network/v20230201:AzureFirewall": { - "PUT": [ + "azure-native:network:ConfigurationType": { + "description": "Configuration Deployment Type.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "SecurityAdmin" }, { - "location": "path", - "name": "azureFirewallName", - "required": true, - "value": { - "autoname": "random", - "maxLength": 56, - "minLength": 1, - "type": "string" - } + "value": "Connectivity" + } + ], + "type": "string" + }, + "azure-native:network:ConnectionMonitorEndpointFilterItemType": { + "description": "The type of item included in the filter. Currently only 'AgentAddress' is supported.", + "enum": [ + { + "value": "AgentAddress" + } + ], + "type": "string" + }, + "azure-native:network:ConnectionMonitorEndpointFilterType": { + "description": "The behavior of the endpoint filter. Currently only 'Include' is supported.", + "enum": [ + { + "value": "Include" + } + ], + "type": "string" + }, + "azure-native:network:ConnectionMonitorTestConfigurationProtocol": { + "description": "The protocol to use in test evaluation.", + "enum": [ + { + "value": "Tcp" }, { - "body": { - "properties": { - "additionalProperties": { - "additionalProperties": { - "type": "string" - }, - "containers": [ - "properties" - ], - "type": "object" - }, - "applicationRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleCollection", - "type": "object" - }, - "type": "array" - }, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "hubIPAddresses": { - "$ref": "#/types/azure-native:network/v20230201:HubIPAddresses", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "managementIpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "natRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRuleCollection", - "type": "object" - }, - "type": "array" - }, - "networkRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRuleCollection", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallSku", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "threatIntelMode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "Http" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "Icmp" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "additionalProperties": { - "additionalProperties": { - "type": "string" - }, - "containers": [ - "properties" - ] - }, - "applicationRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleCollectionResponse", - "type": "object" - } + "type": "string" + }, + "azure-native:network:ConnectivityTopology": { + "description": "Connectivity topology type.", + "enum": [ + { + "value": "HubAndSpoke" }, - "etag": {}, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "value": "Mesh" + } + ], + "type": "string" + }, + "azure-native:network:CoverageLevel": { + "description": "Test coverage for the endpoint.", + "enum": [ + { + "value": "Default" }, - "hubIPAddresses": { - "$ref": "#/types/azure-native:network/v20230201:HubIPAddressesResponse", - "containers": [ - "properties" - ] + { + "value": "Low" }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfigurationResponse", - "type": "object" - } + { + "value": "BelowAverage" }, - "ipGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIpGroupsResponse", - "type": "object" - } + { + "value": "Average" }, - "location": {}, - "managementIpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallIPConfigurationResponse", - "containers": [ - "properties" - ] + { + "value": "AboveAverage" }, - "name": {}, - "natRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRuleCollectionResponse", - "type": "object" - } + { + "value": "Full" + } + ], + "type": "string" + }, + "azure-native:network:CustomIpPrefixType": { + "description": "Type of custom IP prefix. Should be Singular, Parent, or Child.", + "enum": [ + { + "value": "Singular" }, - "networkRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRuleCollectionResponse", - "type": "object" - } + { + "value": "Parent" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "Child" + } + ], + "type": "string" + }, + "azure-native:network:DdosSettingsProtectionMode": { + "description": "The DDoS protection mode of the public IP", + "enum": [ + { + "value": "VirtualNetworkInherited" }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallSkuResponse", - "containers": [ - "properties" - ] + { + "value": "Enabled" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "Disabled" + } + ], + "type": "string" + }, + "azure-native:network:DeleteExistingPeering": { + "description": "Flag if need to remove current existing peerings.", + "enum": [ + { + "value": "False" }, - "threatIntelMode": { - "containers": [ - "properties" - ] + { + "value": "True" + } + ], + "type": "string" + }, + "azure-native:network:DeleteOptions": { + "description": "Specify what happens to the public IP address when the VM using it is deleted", + "enum": [ + { + "value": "Delete" }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "value": "Detach" + } + ], + "type": "string" + }, + "azure-native:network:DestinationPortBehavior": { + "description": "Destination port behavior.", + "enum": [ + { + "value": "None" }, - "zones": { - "items": { - "type": "string" - } + { + "value": "ListenIfAvailable" } - } + ], + "type": "string" }, - "azure-native:network/v20230201:BastionHost": { - "PUT": [ + "azure-native:network:DhGroup": { + "description": "The DH Group used in IKE Phase 1 for initial SA.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "None" }, { - "location": "path", - "name": "bastionHostName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "value": "DHGroup1" }, { - "body": { - "properties": { - "disableCopyPaste": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "dnsName": { - "containers": [ - "properties" - ], - "type": "string" - }, - "enableFileCopy": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "enableIpConnect": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "enableKerberos": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "enableShareableLink": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "enableTunneling": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionHostIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "scaleUnits": { - "containers": [ - "properties" - ], - "maximum": 50, - "minimum": 2, - "type": "integer" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:Sku", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "DHGroup2" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "disableCopyPaste": { - "containers": [ - "properties" - ], - "default": false + "value": "DHGroup14" }, - "dnsName": { - "containers": [ - "properties" - ] + { + "value": "DHGroup2048" }, - "enableFileCopy": { - "containers": [ - "properties" - ], - "default": false + { + "value": "ECP256" }, - "enableIpConnect": { - "containers": [ - "properties" - ], - "default": false + { + "value": "ECP384" }, - "enableKerberos": { - "containers": [ - "properties" - ], - "default": false + { + "value": "DHGroup24" + } + ], + "type": "string" + }, + "azure-native:network:EndpointType": { + "description": "The endpoint type.", + "enum": [ + { + "value": "AzureVM" }, - "enableShareableLink": { - "containers": [ - "properties" - ], - "default": false + { + "value": "AzureVNet" }, - "enableTunneling": { - "containers": [ - "properties" - ], - "default": false + { + "value": "AzureSubnet" }, - "etag": {}, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:BastionHostIPConfigurationResponse", - "type": "object" - } + { + "value": "ExternalAddress" }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "MMAWorkspaceMachine" }, - "scaleUnits": { - "containers": [ - "properties" - ] + { + "value": "MMAWorkspaceNetwork" }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:SkuResponse" + { + "value": "AzureArcVM" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "AzureVMSS" + } + ], + "type": "string" + }, + "azure-native:network:ExpressRouteCircuitPeeringState": { + "description": "The state of peering.", + "enum": [ + { + "value": "Disabled" }, - "type": {} - } + { + "value": "Enabled" + } + ], + "type": "string" }, - "azure-native:network/v20230201:ConfigurationPolicyGroup": { - "PUT": [ + "azure-native:network:ExpressRouteCircuitSkuFamily": { + "description": "The family of the SKU.", + "enum": [ { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "UnlimitedData" }, { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "MeteredData" + } + ], + "type": "string" + }, + "azure-native:network:ExpressRouteCircuitSkuTier": { + "description": "The tier of the SKU.", + "enum": [ + { + "value": "Standard" }, { - "location": "path", - "name": "vpnServerConfigurationName", - "required": true, - "value": { - "type": "string" - } + "value": "Premium" }, { - "location": "path", - "name": "configurationPolicyGroupName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "value": "Basic" }, { - "body": { - "properties": { - "id": { - "type": "string" - }, - "isDefault": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "name": { - "type": "string" - }, - "policyMembers": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMember", - "type": "object" - }, - "type": "array" - }, - "priority": { - "containers": [ - "properties" - ], - "type": "integer" - } - } - }, - "location": "body", - "name": "VpnServerConfigurationPolicyGroupParameters", - "required": true, - "value": {} + "value": "Local" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "isDefault": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:ExpressRouteLinkAdminState": { + "description": "Administrative state of the physical port.", + "enum": [ + { + "value": "Enabled" }, - "name": {}, - "p2SConnectionConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + { + "value": "Disabled" + } + ], + "type": "string" + }, + "azure-native:network:ExpressRouteLinkMacSecCipher": { + "description": "Mac security cipher.", + "enum": [ + { + "value": "GcmAes256" }, - "policyMembers": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMemberResponse", - "type": "object" - } + { + "value": "GcmAes128" }, - "priority": { - "containers": [ - "properties" - ] + { + "value": "GcmAesXpn128" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "GcmAesXpn256" + } + ], + "type": "string" + }, + "azure-native:network:ExpressRouteLinkMacSecSciState": { + "description": "Sci mode enabled/disabled.", + "enum": [ + { + "value": "Disabled" }, - "type": {} - } + { + "value": "Enabled" + } + ], + "type": "string" }, - "azure-native:network/v20230201:ConnectionMonitor": { - "PUT": [ + "azure-native:network:ExpressRoutePeeringState": { + "description": "The peering state.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "Disabled" }, { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { - "type": "string" - } + "value": "Enabled" + } + ], + "type": "string" + }, + "azure-native:network:ExpressRoutePeeringType": { + "description": "The peering type.", + "enum": [ + { + "value": "AzurePublicPeering" }, { - "location": "path", - "name": "connectionMonitorName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "value": "AzurePrivatePeering" }, { - "body": { - "properties": { - "autoStart": { - "containers": [ - "properties" - ], - "default": true, - "type": "boolean" - }, - "destination": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorDestination", - "containers": [ - "properties" - ], - "type": "object" - }, - "endpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpoint", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "monitoringIntervalInSeconds": { - "containers": [ - "properties" - ], - "default": 60, - "maximum": 1800, - "minimum": 30, - "type": "integer" - }, - "notes": { - "containers": [ - "properties" - ], - "type": "string" - }, - "outputs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorOutput", - "type": "object" - }, - "type": "array" - }, - "source": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorSource", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "testConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestConfiguration", - "type": "object" - }, - "type": "array" - }, - "testGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestGroup", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "MicrosoftPeering" + } + ], + "type": "string" + }, + "azure-native:network:ExpressRoutePortsBillingType": { + "description": "The billing type of the ExpressRoutePort resource.", + "enum": [ + { + "value": "MeteredData" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "UnlimitedData" + } + ], + "type": "string" + }, + "azure-native:network:ExpressRoutePortsEncapsulation": { + "description": "Encapsulation method on physical ports.", + "enum": [ + { + "value": "Dot1Q" }, { - "location": "query", - "name": "migrate", - "value": { - "type": "string" - } + "value": "QinQ" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "putAsyncStyle": "azure-async-operation", - "requiredContainers": [ - [ - "properties" - ] + "type": "string" + }, + "azure-native:network:ExtendedLocationTypes": { + "description": "The type of the extended location.", + "enum": [ + { + "value": "EdgeZone" + } ], - "response": { - "autoStart": { - "containers": [ - "properties" - ], - "default": true + "type": "string" + }, + "azure-native:network:FirewallPolicyFilterRuleCollectionActionType": { + "description": "The type of action.", + "enum": [ + { + "value": "Allow" }, - "connectionMonitorType": { - "containers": [ - "properties" - ] + { + "value": "Deny" + } + ], + "type": "string" + }, + "azure-native:network:FirewallPolicyIDPSQuerySortOrder": { + "description": "Describes if results should be in ascending/descending order", + "enum": [ + { + "value": "Ascending" }, - "destination": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorDestinationResponse", - "containers": [ - "properties" - ] + { + "value": "Descending" + } + ], + "type": "string" + }, + "azure-native:network:FirewallPolicyIntrusionDetectionProtocol": { + "description": "The rule bypass protocol.", + "enum": [ + { + "value": "TCP" }, - "endpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointResponse", - "type": "object" - } + { + "value": "UDP" }, - "etag": {}, - "id": {}, - "location": {}, - "monitoringIntervalInSeconds": { - "containers": [ - "properties" - ], - "default": 60 + { + "value": "ICMP" }, - "monitoringStatus": { - "containers": [ - "properties" - ] + { + "value": "ANY" + } + ], + "type": "string" + }, + "azure-native:network:FirewallPolicyIntrusionDetectionStateType": { + "description": "Intrusion detection general state.", + "enum": [ + { + "value": "Off" }, - "name": {}, - "notes": { - "containers": [ - "properties" - ] + { + "value": "Alert" }, - "outputs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorOutputResponse", - "type": "object" - } + { + "value": "Deny" + } + ], + "type": "string" + }, + "azure-native:network:FirewallPolicyNatRuleCollectionActionType": { + "description": "The type of action.", + "enum": [ + { + "value": "DNAT" + } + ], + "type": "string" + }, + "azure-native:network:FirewallPolicyRuleApplicationProtocolType": { + "description": "Protocol type.", + "enum": [ + { + "value": "Http" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "Https" + } + ], + "type": "string" + }, + "azure-native:network:FirewallPolicyRuleCollectionType": { + "description": "The type of the rule collection.", + "enum": [ + { + "value": "FirewallPolicyNatRuleCollection" }, - "source": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorSourceResponse", - "containers": [ - "properties" - ] + { + "value": "FirewallPolicyFilterRuleCollection" + } + ], + "type": "string" + }, + "azure-native:network:FirewallPolicyRuleNetworkProtocol": { + "description": "The Network protocol of a Rule.", + "enum": [ + { + "value": "TCP" }, - "startTime": { - "containers": [ - "properties" - ] + { + "value": "UDP" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "Any" }, - "testConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestConfigurationResponse", - "type": "object" - } + { + "value": "ICMP" + } + ], + "type": "string" + }, + "azure-native:network:FirewallPolicyRuleType": { + "description": "Rule Type.", + "enum": [ + { + "value": "ApplicationRule" }, - "testGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTestGroupResponse", - "type": "object" - } + { + "value": "NetworkRule" }, - "type": {} - } + { + "value": "NatRule" + } + ], + "type": "string" }, - "azure-native:network/v20230201:ConnectivityConfiguration": { - "PUT": [ + "azure-native:network:FirewallPolicySkuTier": { + "description": "Tier of Firewall Policy.", + "enum": [ { - "body": { - "properties": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectivityGroupItem", - "type": "object" - }, - "type": "array" - }, - "connectivityTopology": { - "containers": [ - "properties" - ], - "type": "string" - }, - "deleteExistingPeering": { - "containers": [ - "properties" - ], - "type": "string" - }, - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "hubs": { - "arrayIdentifiers": [ - "resourceId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:Hub", - "type": "object" - }, - "type": "array" - }, - "isGlobal": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "appliesToGroups", - "connectivityTopology" - ] - }, - "location": "body", - "name": "connectivityConfiguration", - "required": true, - "value": {} + "value": "Standard" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "Premium" }, { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "Basic" + } + ], + "type": "string" + }, + "azure-native:network:FlowLogFormatType": { + "description": "The file type of flow log.", + "enum": [ + { + "value": "JSON" + } + ], + "type": "string" + }, + "azure-native:network:GatewayLoadBalancerTunnelInterfaceType": { + "description": "Traffic type of gateway load balancer tunnel interface.", + "enum": [ + { + "value": "None" }, { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "value": "Internal" }, { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "value": "External" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "response": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectivityGroupItemResponse", - "type": "object" - } - }, - "connectivityTopology": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:GatewayLoadBalancerTunnelProtocol": { + "description": "Protocol of gateway load balancer tunnel interface.", + "enum": [ + { + "value": "None" }, - "deleteExistingPeering": { - "containers": [ - "properties" - ] + { + "value": "Native" }, - "description": { - "containers": [ - "properties" - ] + { + "value": "VXLAN" + } + ], + "type": "string" + }, + "azure-native:network:Geo": { + "description": "The Geo for CIDR advertising. Should be an Geo code.", + "enum": [ + { + "value": "GLOBAL" }, - "etag": {}, - "hubs": { - "arrayIdentifiers": [ - "resourceId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:HubResponse", - "type": "object" - } + { + "value": "AFRI" }, - "id": {}, - "isGlobal": { - "containers": [ - "properties" - ] + { + "value": "APAC" }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "EURO" }, - "resourceGuid": { - "containers": [ - "properties" - ] + { + "value": "LATAM" }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" + { + "value": "NAM" }, - "type": {} - } - }, - "azure-native:network/v20230201:CustomIPPrefix": { - "PUT": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "ME" }, { - "location": "path", - "name": "customIpPrefixName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "value": "OCEANIA" }, { - "body": { - "properties": { - "asn": { - "containers": [ - "properties" - ], - "type": "string" - }, - "authorizationMessage": { - "containers": [ - "properties" - ], - "type": "string" - }, - "cidr": { - "containers": [ - "properties" - ], - "type": "string" - }, - "commissionedState": { - "containers": [ - "properties" - ], - "type": "string" - }, - "customIpPrefixParent": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "expressRouteAdvertise": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" - }, - "geo": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "noInternetAdvertise": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "prefixType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "signedMessage": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "AQ" + } + ], + "type": "string" + }, + "azure-native:network:GroupConnectivity": { + "description": "Group connectivity type.", + "enum": [ + { + "value": "None" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "DirectlyConnected" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "putAsyncStyle": "location", - "response": { - "asn": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:HTTPConfigurationMethod": { + "description": "The HTTP method to use.", + "enum": [ + { + "value": "Get" }, - "authorizationMessage": { - "containers": [ - "properties" - ] + { + "value": "Post" + } + ], + "type": "string" + }, + "azure-native:network:HubRoutingPreference": { + "description": "The hubRoutingPreference of this VirtualHub.", + "enum": [ + { + "value": "ExpressRoute" }, - "childCustomIpPrefixes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + { + "value": "VpnGateway" }, - "cidr": { - "containers": [ - "properties" - ] + { + "value": "ASPath" + } + ], + "type": "string" + }, + "azure-native:network:IPAllocationMethod": { + "description": "The private IP address allocation method.", + "enum": [ + { + "value": "Static" }, - "commissionedState": { - "containers": [ - "properties" - ] + { + "value": "Dynamic" + } + ], + "type": "string" + }, + "azure-native:network:IPVersion": { + "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", + "enum": [ + { + "value": "IPv4" }, - "customIpPrefixParent": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "value": "IPv6" + } + ], + "type": "string" + }, + "azure-native:network:IkeEncryption": { + "description": "The IKE encryption algorithm (IKE phase 2).", + "enum": [ + { + "value": "DES" }, - "etag": {}, - "expressRouteAdvertise": { - "containers": [ - "properties" - ] + { + "value": "DES3" }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" + { + "value": "AES128" }, - "failedReason": { - "containers": [ - "properties" - ] + { + "value": "AES192" }, - "geo": { - "containers": [ - "properties" - ] + { + "value": "AES256" }, - "id": {}, - "location": {}, - "name": {}, - "noInternetAdvertise": { - "containers": [ - "properties" - ] + { + "value": "GCMAES256" }, - "prefixType": { - "containers": [ - "properties" - ] + { + "value": "GCMAES128" + } + ], + "type": "string" + }, + "azure-native:network:IkeIntegrity": { + "description": "The IKE integrity algorithm (IKE phase 2).", + "enum": [ + { + "value": "MD5" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "SHA1" }, - "publicIpPrefixes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + { + "value": "SHA256" }, - "resourceGuid": { - "containers": [ - "properties" - ] + { + "value": "SHA384" }, - "signedMessage": { - "containers": [ - "properties" - ] + { + "value": "GCMAES256" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "GCMAES128" + } + ], + "type": "string" + }, + "azure-native:network:IpAllocationType": { + "description": "The type for the IpAllocation.", + "enum": [ + { + "value": "Undefined" }, - "type": {}, - "zones": { - "items": { - "type": "string" - } + { + "value": "Hypernet" } - } + ], + "type": "string" }, - "azure-native:network/v20230201:DdosCustomPolicy": { - "PUT": [ + "azure-native:network:IpsecEncryption": { + "description": "The IPSec encryption algorithm (IKE phase 1).", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "None" }, { - "location": "path", - "name": "ddosCustomPolicyName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "value": "DES" }, { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "DES3" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "AES128" + }, + { + "value": "AES192" + }, + { + "value": "AES256" + }, + { + "value": "GCMAES128" + }, + { + "value": "GCMAES192" + }, + { + "value": "GCMAES256" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:IpsecIntegrity": { + "description": "The IPSec integrity algorithm (IKE phase 1).", + "enum": [ + { + "value": "MD5" }, - "resourceGuid": { - "containers": [ - "properties" - ] + { + "value": "SHA1" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "SHA256" }, - "type": {} - } - }, - "azure-native:network/v20230201:DdosProtectionPlan": { - "PUT": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "GCMAES128" }, { - "location": "path", - "name": "ddosProtectionPlanName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "value": "GCMAES192" }, { - "body": { - "properties": { - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "GCMAES256" + } + ], + "type": "string" + }, + "azure-native:network:IsGlobal": { + "description": "Flag if global mesh is supported.", + "enum": [ + { + "value": "False" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "True" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:LoadBalancerBackendAddressAdminState": { + "description": "A list of administrative states which once set can override health probe so that Load Balancer will always forward new connections to backend, or deny new connections and reset existing connections.", + "enum": [ + { + "value": "None" }, - "publicIPAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + { + "value": "Up" }, - "resourceGuid": { - "containers": [ - "properties" - ] + { + "value": "Down" + } + ], + "type": "string" + }, + "azure-native:network:LoadBalancerOutboundRuleProtocol": { + "description": "The protocol for the outbound rule in load balancer.", + "enum": [ + { + "value": "Tcp" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "Udp" }, - "type": {}, - "virtualNetworks": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + { + "value": "All" } - } + ], + "type": "string" }, - "azure-native:network/v20230201:DefaultAdminRule": { - "PUT": [ + "azure-native:network:LoadBalancerSkuName": { + "description": "Name of a load balancer SKU.", + "enum": [ { - "body": { - "properties": { - "flag": { - "containers": [ - "properties" - ], - "type": "string" - }, - "kind": { - "const": "Default", - "type": "string" - } - }, - "required": [ - "kind" - ] - }, - "location": "body", - "name": "adminRule", - "required": true, - "value": {} + "value": "Basic" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "Standard" }, { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, + "value": "Gateway" + } + ], + "type": "string" + }, + "azure-native:network:LoadBalancerSkuTier": { + "description": "Tier of a load balancer SKU.", + "enum": [ { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "value": "Regional" }, { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } + "value": "Global" + } + ], + "type": "string" + }, + "azure-native:network:LoadDistribution": { + "description": "The load distribution policy for this rule.", + "enum": [ + { + "value": "Default" }, { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { - "type": "string" - } + "value": "SourceIP" }, { - "location": "path", - "name": "ruleName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "value": "SourceIPProtocol" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "response": { - "access": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:ManagedRuleEnabledState": { + "description": "The state of the managed rule. Defaults to Disabled if not specified.", + "enum": [ + { + "value": "Disabled" }, - "description": { - "containers": [ - "properties" - ] + { + "value": "Enabled" + } + ], + "type": "string" + }, + "azure-native:network:NatGatewaySkuName": { + "description": "Name of Nat Gateway SKU.", + "enum": [ + { + "value": "Standard" + } + ], + "type": "string" + }, + "azure-native:network:NetworkIntentPolicyBasedService": { + "description": "Network intent policy based services.", + "enum": [ + { + "value": "None" }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + { + "value": "All" }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } + { + "value": "AllowRulesOnly" + } + ], + "type": "string" + }, + "azure-native:network:NetworkInterfaceAuxiliaryMode": { + "description": "Auxiliary mode of Network Interface resource.", + "enum": [ + { + "value": "None" }, - "direction": { - "containers": [ - "properties" - ] + { + "value": "MaxConnections" }, - "etag": {}, - "flag": { - "containers": [ - "properties" - ] + { + "value": "Floating" }, - "id": {}, - "kind": { - "const": "Default" + { + "value": "AcceleratedConnections" + } + ], + "type": "string" + }, + "azure-native:network:NetworkInterfaceAuxiliarySku": { + "description": "Auxiliary sku of Network Interface resource.", + "enum": [ + { + "value": "None" }, - "name": {}, - "priority": { - "containers": [ - "properties" - ] + { + "value": "A1" }, - "protocol": { - "containers": [ - "properties" - ] + { + "value": "A2" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "A4" }, - "resourceGuid": { - "containers": [ - "properties" - ] + { + "value": "A8" + } + ], + "type": "string" + }, + "azure-native:network:NetworkInterfaceMigrationPhase": { + "description": "Migration phase of Network Interface resource.", + "enum": [ + { + "value": "None" }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + { + "value": "Prepare" }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } + { + "value": "Commit" }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" + { + "value": "Abort" }, - "type": {} - } + { + "value": "Committed" + } + ], + "type": "string" }, - "azure-native:network/v20230201:DscpConfiguration": { - "PUT": [ + "azure-native:network:NetworkInterfaceNicType": { + "description": "Type of Network Interface resource.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "Standard" }, { - "location": "path", - "name": "dscpConfigurationName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "value": "Elastic" + } + ], + "type": "string" + }, + "azure-native:network:NextStep": { + "description": "Next step after rule is evaluated. Current supported behaviors are 'Continue'(to next rule) and 'Terminate'.", + "enum": [ + { + "value": "Unknown" }, { - "body": { - "properties": { - "destinationIpRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRange", - "type": "object" - }, - "type": "array" - }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRange", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "markings": { - "containers": [ - "properties" - ], - "items": { - "type": "integer" - }, - "type": "array" - }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" - }, - "qosDefinitionCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosDefinition", - "type": "object" - }, - "type": "array" - }, - "sourceIpRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRange", - "type": "object" - }, - "type": "array" - }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRange", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "Continue" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "Terminate" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "putAsyncStyle": "location", - "response": { - "associatedNetworkInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" - } + "type": "string" + }, + "azure-native:network:OutputType": { + "description": "Connection monitor output destination type. Currently, only \"Workspace\" is supported.", + "enum": [ + { + "value": "Workspace" + } + ], + "type": "string" + }, + "azure-native:network:OwaspCrsExclusionEntryMatchVariable": { + "description": "The variable to be excluded.", + "enum": [ + { + "value": "RequestHeaderNames" }, - "destinationIpRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", - "type": "object" - } + { + "value": "RequestCookieNames" }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", - "type": "object" - } + { + "value": "RequestArgNames" }, - "etag": {}, - "id": {}, - "location": {}, - "markings": { - "containers": [ - "properties" - ], - "items": { - "type": "integer" - } + { + "value": "RequestHeaderKeys" }, - "name": {}, - "protocol": { - "containers": [ - "properties" - ] + { + "value": "RequestHeaderValues" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "RequestCookieKeys" }, - "qosCollectionId": { - "containers": [ - "properties" - ] + { + "value": "RequestCookieValues" }, - "qosDefinitionCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosDefinitionResponse", - "type": "object" - } + { + "value": "RequestArgKeys" }, - "resourceGuid": { - "containers": [ - "properties" - ] + { + "value": "RequestArgValues" + } + ], + "type": "string" + }, + "azure-native:network:OwaspCrsExclusionEntrySelectorMatchOperator": { + "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", + "enum": [ + { + "value": "Equals" }, - "sourceIpRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", - "type": "object" - } + { + "value": "Contains" }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", - "type": "object" - } + { + "value": "StartsWith" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "EndsWith" }, - "type": {} - } + { + "value": "EqualsAny" + } + ], + "type": "string" }, - "azure-native:network/v20230201:ExpressRouteCircuit": { - "PUT": [ + "azure-native:network:PacketCaptureTargetType": { + "description": "Target type of the resource provided.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "AzureVM" }, { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "value": "AzureVMSS" + } + ], + "type": "string" + }, + "azure-native:network:PcProtocol": { + "description": "Protocol to be filtered on.", + "enum": [ + { + "value": "TCP" }, { - "body": { - "properties": { - "allowClassicOperations": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "authorizationKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "authorizations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitAuthorization", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "bandwidthInGbps": { - "containers": [ - "properties" - ], - "type": "number" - }, - "circuitProvisioningState": { - "containers": [ - "properties" - ], - "type": "string" - }, - "expressRoutePort": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ], - "type": "string" - }, - "globalReachEnabled": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "peerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeering", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "serviceKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "serviceProviderNotes": { - "containers": [ - "properties" - ], - "type": "string" - }, - "serviceProviderProperties": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitServiceProviderProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "serviceProviderProvisioningState": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitSku", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "UDP" + }, + { + "value": "Any" + } + ], + "type": "string" + }, + "azure-native:network:PfsGroup": { + "description": "The Pfs Group used in IKE Phase 2 for new child SA.", + "enum": [ + { + "value": "None" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "PFS1" + }, + { + "value": "PFS2" + }, + { + "value": "PFS2048" + }, + { + "value": "ECP256" + }, + { + "value": "ECP384" + }, + { + "value": "PFS24" + }, + { + "value": "PFS14" + }, + { + "value": "PFSMM" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "allowClassicOperations": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:PreferredIPVersion": { + "description": "The preferred IP version to use in test evaluation. The connection monitor may choose to use a different version depending on other parameters.", + "enum": [ + { + "value": "IPv4" }, - "authorizationKey": { - "containers": [ - "properties" - ] + { + "value": "IPv6" + } + ], + "type": "string" + }, + "azure-native:network:PreferredRoutingGateway": { + "description": "The preferred gateway to route on-prem traffic", + "enum": [ + { + "value": "ExpressRoute" }, - "authorizationStatus": { - "containers": [ - "properties" - ] + { + "value": "VpnGateway" }, - "authorizations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitAuthorizationResponse", - "type": "object" - } + { + "value": "None" + } + ], + "type": "string" + }, + "azure-native:network:ProbeProtocol": { + "description": "The protocol of the end point. If 'Tcp' is specified, a received ACK is required for the probe to be successful. If 'Http' or 'Https' is specified, a 200 OK response from the specifies URI is required for the probe to be successful.", + "enum": [ + { + "value": "Http" }, - "bandwidthInGbps": { - "containers": [ - "properties" - ] + { + "value": "Tcp" }, - "circuitProvisioningState": { - "containers": [ - "properties" - ] + { + "value": "Https" + } + ], + "type": "string" + }, + "azure-native:network:ProtocolType": { + "description": "RNM supported protocol types.", + "enum": [ + { + "value": "DoNotUse" }, - "etag": {}, - "expressRoutePort": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "value": "Icmp" }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ] + { + "value": "Tcp" }, - "globalReachEnabled": { - "containers": [ - "properties" - ] + { + "value": "Udp" }, - "id": {}, - "location": {}, - "name": {}, - "peerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", - "type": "object" - } + { + "value": "Gre" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "Esp" }, - "serviceKey": { - "containers": [ - "properties" - ] + { + "value": "Ah" }, - "serviceProviderNotes": { - "containers": [ - "properties" - ] + { + "value": "Vxlan" }, - "serviceProviderProperties": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitServiceProviderPropertiesResponse", - "containers": [ - "properties" - ] + { + "value": "All" + } + ], + "type": "string" + }, + "azure-native:network:PublicIPAddressMigrationPhase": { + "description": "Migration phase of Public IP Address.", + "enum": [ + { + "value": "None" }, - "serviceProviderProvisioningState": { - "containers": [ - "properties" - ] + { + "value": "Prepare" }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitSkuResponse" + { + "value": "Commit" }, - "stag": { - "containers": [ - "properties" - ] + { + "value": "Abort" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "Committed" + } + ], + "type": "string" + }, + "azure-native:network:PublicIPAddressSkuName": { + "description": "Name of a public IP address SKU.", + "enum": [ + { + "value": "Basic" }, - "type": {} - } + { + "value": "Standard" + } + ], + "type": "string" }, - "azure-native:network/v20230201:ExpressRouteCircuitAuthorization": { - "PUT": [ + "azure-native:network:PublicIPAddressSkuTier": { + "description": "Tier of a public IP address SKU.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "Regional" }, { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } + "value": "Global" + } + ], + "type": "string" + }, + "azure-native:network:PublicIPPrefixSkuName": { + "description": "Name of a public IP prefix SKU.", + "enum": [ + { + "value": "Standard" + } + ], + "type": "string" + }, + "azure-native:network:PublicIPPrefixSkuTier": { + "description": "Tier of a public IP prefix SKU.", + "enum": [ + { + "value": "Regional" }, { - "location": "path", - "name": "authorizationName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "value": "Global" + } + ], + "type": "string" + }, + "azure-native:network:PublicIpAddressDnsSettingsDomainNameLabelScope": { + "description": "The domain name label scope. If a domain name label and a domain name label scope are specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system with a hashed value includes in FQDN.", + "enum": [ + { + "value": "TenantReuse" }, { - "body": { - "properties": { - "authorizationKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "authorizationUseStatus": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - } - } - }, - "location": "body", - "name": "authorizationParameters", - "required": true, - "value": {} + "value": "SubscriptionReuse" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "ResourceGroupReuse" + }, + { + "value": "NoReuse" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:ResourceIdentityType": { + "description": "The type of identity used for the resource. The type 'SystemAssigned, UserAssigned' includes both an implicitly created identity and a set of user assigned identities. The type 'None' will remove any identities from the virtual machine.", + "enum": [ + { + "value": "SystemAssigned" }, - "authorizationUseStatus": { - "containers": [ - "properties" - ] + { + "value": "UserAssigned" }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "SystemAssigned, UserAssigned" }, - "type": {} - } + { + "value": "None" + } + ], + "type": "string" }, - "azure-native:network/v20230201:ExpressRouteCircuitConnection": { - "PUT": [ + "azure-native:network:RouteFilterRuleType": { + "description": "The rule type of the rule.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "Community" + } + ], + "type": "string" + }, + "azure-native:network:RouteMapActionType": { + "description": "Type of action to be taken. Supported types are 'Remove', 'Add', 'Replace', and 'Drop.'", + "enum": [ + { + "value": "Unknown" }, { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } + "value": "Remove" }, { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "type": "string" - } + "value": "Add" }, { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "value": "Replace" }, { - "body": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "authorizationKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6CircuitConnectionConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "name": { - "type": "string" - }, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "expressRouteCircuitConnectionParameters", - "required": true, - "value": {} + "value": "Drop" + } + ], + "type": "string" + }, + "azure-native:network:RouteMapMatchCondition": { + "description": "Match condition to apply RouteMap rules.", + "enum": [ + { + "value": "Unknown" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "Contains" + }, + { + "value": "Equals" + }, + { + "value": "NotContains" + }, + { + "value": "NotEquals" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "addressPrefix": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:RouteNextHopType": { + "description": "The type of Azure hop the packet should be sent to.", + "enum": [ + { + "value": "VirtualNetworkGateway" }, - "authorizationKey": { - "containers": [ - "properties" - ] + { + "value": "VnetLocal" }, - "circuitConnectionStatus": { - "containers": [ - "properties" - ] + { + "value": "Internet" }, - "etag": {}, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "value": "VirtualAppliance" + }, + { + "value": "None" + } + ], + "type": "string" + }, + "azure-native:network:ScrubbingRuleEntryMatchOperator": { + "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this rule applies to.", + "enum": [ + { + "value": "Equals" + }, + { + "value": "EqualsAny" + } + ], + "type": "string" + }, + "azure-native:network:ScrubbingRuleEntryMatchVariable": { + "description": "The variable to be scrubbed from the logs.", + "enum": [ + { + "value": "RequestHeaderNames" + }, + { + "value": "RequestCookieNames" + }, + { + "value": "RequestArgNames" + }, + { + "value": "RequestPostArgNames" + }, + { + "value": "RequestJSONArgNames" + }, + { + "value": "RequestIPAddress" + } + ], + "type": "string" + }, + "azure-native:network:ScrubbingRuleEntryState": { + "description": "Defines the state of log scrubbing rule. Default value is Enabled.", + "enum": [ + { + "value": "Enabled" }, - "id": {}, - "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6CircuitConnectionConfigResponse", - "containers": [ - "properties" - ] + { + "value": "Disabled" + } + ], + "type": "string" + }, + "azure-native:network:SecurityConfigurationRuleAccess": { + "description": "Indicates the access allowed for this particular rule", + "enum": [ + { + "value": "Allow" }, - "name": {}, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "value": "Deny" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "AlwaysAllow" + } + ], + "type": "string" + }, + "azure-native:network:SecurityConfigurationRuleDirection": { + "description": "Indicates if the traffic matched against the rule in inbound or outbound.", + "enum": [ + { + "value": "Inbound" }, - "type": {} - } + { + "value": "Outbound" + } + ], + "type": "string" }, - "azure-native:network/v20230201:ExpressRouteCircuitPeering": { - "PUT": [ + "azure-native:network:SecurityConfigurationRuleProtocol": { + "description": "Network protocol this rule applies to.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "Tcp" }, { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } + "value": "Udp" }, { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "value": "Icmp" }, { - "body": { - "properties": { - "azureASN": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "connections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitConnection", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "name": { - "type": "string" - }, - "peerASN": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 1, - "type": "number" - }, - "peeringType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "primaryAzurePort": { - "containers": [ - "properties" - ], - "type": "string" - }, - "primaryPeerAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "secondaryAzurePort": { - "containers": [ - "properties" - ], - "type": "string" - }, - "secondaryPeerAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sharedKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "state": { - "containers": [ - "properties" - ], - "type": "string" - }, - "stats": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitStats", - "containers": [ - "properties" - ], - "type": "object" - }, - "vlanId": { - "containers": [ - "properties" - ], - "type": "integer" - } - } - }, - "location": "body", - "name": "peeringParameters", - "required": true, - "value": {} + "value": "Esp" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "Any" + }, + { + "value": "Ah" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "azureASN": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:SecurityProviderName": { + "description": "The security provider name.", + "enum": [ + { + "value": "ZScaler" }, - "connections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitConnectionResponse", - "type": "object" - } + { + "value": "IBoss" }, - "etag": {}, - "expressRouteConnection": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnectionIdResponse", - "containers": [ - "properties" - ] + { + "value": "Checkpoint" + } + ], + "type": "string" + }, + "azure-native:network:SecurityRuleAccess": { + "description": "The network traffic is allowed or denied.", + "enum": [ + { + "value": "Allow" }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ] + { + "value": "Deny" + } + ], + "type": "string" + }, + "azure-native:network:SecurityRuleDirection": { + "description": "The direction of the rule. The direction specifies if rule will be evaluated on incoming or outgoing traffic.", + "enum": [ + { + "value": "Inbound" }, - "id": {}, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] + { + "value": "Outbound" + } + ], + "type": "string" + }, + "azure-native:network:SecurityRuleProtocol": { + "description": "Network protocol this rule applies to.", + "enum": [ + { + "value": "Tcp" }, - "lastModifiedBy": { - "containers": [ - "properties" - ] + { + "value": "Udp" }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] + { + "value": "Icmp" }, - "name": {}, - "peerASN": { - "containers": [ - "properties" - ] + { + "value": "Esp" }, - "peeredConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PeerExpressRouteCircuitConnectionResponse", - "type": "object" - } + { + "value": "*" }, - "peeringType": { - "containers": [ - "properties" - ] + { + "value": "Ah" + } + ], + "type": "string" + }, + "azure-native:network:ServiceProviderProvisioningState": { + "description": "The ServiceProviderProvisioningState state of the resource.", + "enum": [ + { + "value": "NotProvisioned" }, - "primaryAzurePort": { - "containers": [ - "properties" - ] + { + "value": "Provisioning" }, - "primaryPeerAddressPrefix": { - "containers": [ - "properties" - ] + { + "value": "Provisioned" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "Deprovisioning" + } + ], + "type": "string" + }, + "azure-native:network:TransportProtocol": { + "description": "The reference to the transport protocol used by the load balancing rule.", + "enum": [ + { + "value": "Udp" }, - "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "value": "Tcp" }, - "secondaryAzurePort": { - "containers": [ - "properties" - ] + { + "value": "All" + } + ], + "type": "string" + }, + "azure-native:network:UseHubGateway": { + "description": "Flag if need to use hub gateway.", + "enum": [ + { + "value": "False" }, - "secondaryPeerAddressPrefix": { - "containers": [ - "properties" - ] + { + "value": "True" + } + ], + "type": "string" + }, + "azure-native:network:VirtualNetworkEncryptionEnforcement": { + "description": "If the encrypted VNet allows VM that does not support encryption", + "enum": [ + { + "value": "DropUnencrypted" }, - "sharedKey": { - "containers": [ - "properties" - ] + { + "value": "AllowUnencrypted" + } + ], + "type": "string" + }, + "azure-native:network:VirtualNetworkGatewayConnectionMode": { + "description": "The connection mode for this connection.", + "enum": [ + { + "value": "Default" }, - "state": { - "containers": [ - "properties" - ] + { + "value": "ResponderOnly" }, - "stats": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitStatsResponse", - "containers": [ - "properties" - ] + { + "value": "InitiatorOnly" + } + ], + "type": "string" + }, + "azure-native:network:VirtualNetworkGatewayConnectionProtocol": { + "description": "Connection protocol used for this connection.", + "enum": [ + { + "value": "IKEv2" }, - "type": {}, - "vlanId": { - "containers": [ - "properties" - ] + { + "value": "IKEv1" } - } + ], + "type": "string" }, - "azure-native:network/v20230201:ExpressRouteConnection": { - "PUT": [ + "azure-native:network:VirtualNetworkGatewayConnectionType": { + "description": "Gateway connection type.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "IPsec" }, { - "location": "path", - "name": "expressRouteGatewayName", - "required": true, - "value": { - "type": "string" - } + "value": "Vnet2Vnet" }, { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "value": "ExpressRoute" }, { - "body": { - "properties": { - "authorizationKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "enableInternetSecurity": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringId", - "containers": [ - "properties" - ], - "type": "object" - }, - "expressRouteGatewayBypass": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "routingWeight": { - "containers": [ - "properties" - ], - "type": "integer" - } - }, - "required": [ - "expressRouteCircuitPeering", - "name" - ] - }, - "location": "body", - "name": "putExpressRouteConnectionParameters", - "required": true, - "value": {} + "value": "VPNClient" + } + ], + "type": "string" + }, + "azure-native:network:VirtualNetworkGatewaySkuName": { + "description": "Gateway SKU name.", + "enum": [ + { + "value": "Basic" + }, + { + "value": "HighPerformance" + }, + { + "value": "Standard" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] + "value": "UltraPerformance" }, - "enableInternetSecurity": { - "containers": [ - "properties" - ] + { + "value": "VpnGw1" }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" - ] + { + "value": "VpnGw2" }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringIdResponse", - "containers": [ - "properties" - ] + { + "value": "VpnGw3" }, - "expressRouteGatewayBypass": { - "containers": [ - "properties" - ] + { + "value": "VpnGw4" }, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "VpnGw5" }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", - "containers": [ - "properties" - ] + { + "value": "VpnGw1AZ" }, - "routingWeight": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:ExpressRouteCrossConnectionPeering": { - "PUT": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "VpnGw2AZ" }, { - "location": "path", - "name": "crossConnectionName", - "required": true, - "value": { - "type": "string" - } + "value": "VpnGw3AZ" }, { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "value": "VpnGw4AZ" }, { - "body": { - "properties": { - "gatewayManagerEtag": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "name": { - "type": "string" - }, - "peerASN": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 1, - "type": "number" - }, - "peeringType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "primaryPeerAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "secondaryPeerAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sharedKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "state": { - "containers": [ - "properties" - ], - "type": "string" - }, - "vlanId": { - "containers": [ - "properties" - ], - "type": "integer" - } - } - }, - "location": "body", - "name": "peeringParameters", - "required": true, - "value": {} + "value": "VpnGw5AZ" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "ErGw1AZ" + }, + { + "value": "ErGw2AZ" + }, + { + "value": "ErGw3AZ" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "azureASN": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:VirtualNetworkGatewaySkuTier": { + "description": "Gateway SKU tier.", + "enum": [ + { + "value": "Basic" }, - "etag": {}, - "gatewayManagerEtag": { - "containers": [ - "properties" - ] + { + "value": "HighPerformance" }, - "id": {}, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] + { + "value": "Standard" }, - "lastModifiedBy": { - "containers": [ - "properties" - ] + { + "value": "UltraPerformance" }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] + { + "value": "VpnGw1" }, - "name": {}, - "peerASN": { - "containers": [ - "properties" - ] + { + "value": "VpnGw2" }, - "peeringType": { - "containers": [ - "properties" - ] + { + "value": "VpnGw3" }, - "primaryAzurePort": { - "containers": [ - "properties" - ] + { + "value": "VpnGw4" }, - "primaryPeerAddressPrefix": { - "containers": [ - "properties" - ] + { + "value": "VpnGw5" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "VpnGw1AZ" }, - "secondaryAzurePort": { - "containers": [ - "properties" - ] + { + "value": "VpnGw2AZ" }, - "secondaryPeerAddressPrefix": { - "containers": [ - "properties" - ] + { + "value": "VpnGw3AZ" }, - "sharedKey": { - "containers": [ - "properties" - ] + { + "value": "VpnGw4AZ" }, - "state": { - "containers": [ - "properties" - ] + { + "value": "VpnGw5AZ" }, - "vlanId": { - "containers": [ - "properties" - ] + { + "value": "ErGw1AZ" + }, + { + "value": "ErGw2AZ" + }, + { + "value": "ErGw3AZ" } - } + ], + "type": "string" }, - "azure-native:network/v20230201:ExpressRouteGateway": { - "PUT": [ + "azure-native:network:VirtualNetworkGatewayType": { + "description": "The type of this virtual network gateway.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "Vpn" }, { - "location": "path", - "name": "expressRouteGatewayName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "value": "ExpressRoute" }, { - "body": { - "properties": { - "allowNonVirtualWanTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "autoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteGatewayPropertiesAutoScaleConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "expressRouteConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnection", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubId", - "containers": [ - "properties" - ], - "type": "object" - } - }, - "required": [ - "virtualHub" - ] - }, - "location": "body", - "name": "putExpressRouteGatewayParameters", - "required": true, - "value": {} + "value": "LocalGateway" + } + ], + "type": "string" + }, + "azure-native:network:VirtualNetworkPeeringLevel": { + "description": "The peering sync status of the virtual network peering.", + "enum": [ + { + "value": "FullyInSync" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "RemoteNotInSync" + }, + { + "value": "LocalNotInSync" + }, + { + "value": "LocalAndRemoteNotInSync" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "allowNonVirtualWanTraffic": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:VirtualNetworkPeeringState": { + "description": "The status of the virtual network peering.", + "enum": [ + { + "value": "Initiated" }, - "autoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", - "containers": [ - "properties" - ] + { + "value": "Connected" }, - "etag": {}, - "expressRouteConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnectionResponse", - "type": "object" - } + { + "value": "Disconnected" + } + ], + "type": "string" + }, + "azure-native:network:VirtualNetworkPrivateEndpointNetworkPolicies": { + "description": "Enable or Disable apply network policies on private end point in the subnet.", + "enum": [ + { + "value": "Enabled" }, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "Disabled" + } + ], + "type": "string" + }, + "azure-native:network:VirtualNetworkPrivateLinkServiceNetworkPolicies": { + "description": "Enable or Disable apply network policies on private link service in the subnet.", + "enum": [ + { + "value": "Enabled" + }, + { + "value": "Disabled" + } + ], + "type": "string" + }, + "azure-native:network:VnetLocalRouteOverrideCriteria": { + "description": "Parameter determining whether NVA in spoke vnet is bypassed for traffic with destination in spoke.", + "enum": [ + { + "value": "Contains" + }, + { + "value": "Equal" + } + ], + "type": "string" + }, + "azure-native:network:VpnAuthenticationType": { + "description": "VPN authentication types enabled for the VpnServerConfiguration.", + "enum": [ + { + "value": "Certificate" + }, + { + "value": "Radius" + }, + { + "value": "AAD" + } + ], + "type": "string" + }, + "azure-native:network:VpnClientProtocol": { + "description": "VPN client protocol enabled for the virtual network gateway.", + "enum": [ + { + "value": "IkeV2" + }, + { + "value": "SSTP" + }, + { + "value": "OpenVPN" + } + ], + "type": "string" + }, + "azure-native:network:VpnGatewayGeneration": { + "description": "The generation for this VirtualNetworkGateway. Must be None if gatewayType is not VPN.", + "enum": [ + { + "value": "None" + }, + { + "value": "Generation1" + }, + { + "value": "Generation2" + } + ], + "type": "string" + }, + "azure-native:network:VpnGatewayTunnelingProtocol": { + "description": "VPN protocol enabled for the VpnServerConfiguration.", + "enum": [ + { + "value": "IkeV2" + }, + { + "value": "OpenVPN" + } + ], + "type": "string" + }, + "azure-native:network:VpnLinkConnectionMode": { + "description": "Vpn link connection mode.", + "enum": [ + { + "value": "Default" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "ResponderOnly" }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubIdResponse", - "containers": [ - "properties" - ] + { + "value": "InitiatorOnly" } - } + ], + "type": "string" }, - "azure-native:network/v20230201:ExpressRoutePort": { - "PUT": [ + "azure-native:network:VpnNatRuleMode": { + "description": "The Source NAT direction of a VPN NAT.", + "enum": [ { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "EgressSnat" }, { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, + "value": "IngressSnat" + } + ], + "type": "string" + }, + "azure-native:network:VpnNatRuleType": { + "description": "The type of NAT rule for VPN NAT.", + "enum": [ { - "location": "path", - "name": "expressRoutePortName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "value": "Static" }, { - "body": { - "properties": { - "bandwidthInGbps": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "billingType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "encapsulation": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentity", - "type": "object" - }, - "links": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLink", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "peeringLocation": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "Dynamic" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "allocationDate": { - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:VpnPolicyMemberAttributeType": { + "description": "The Vpn Policy member attribute type.", + "enum": [ + { + "value": "CertificateGroupId" }, - "bandwidthInGbps": { - "containers": [ - "properties" - ] + { + "value": "AADGroupId" }, - "billingType": { - "containers": [ - "properties" - ] + { + "value": "RadiusAzureGroupId" + } + ], + "type": "string" + }, + "azure-native:network:VpnType": { + "description": "The type of this virtual network gateway.", + "enum": [ + { + "value": "PolicyBased" }, - "circuits": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + { + "value": "RouteBased" + } + ], + "type": "string" + }, + "azure-native:network:WebApplicationFirewallAction": { + "description": "Type of Actions.", + "enum": [ + { + "value": "Allow" }, - "encapsulation": { - "containers": [ - "properties" - ] + { + "value": "Block" }, - "etag": {}, - "etherType": { - "containers": [ - "properties" - ] + { + "value": "Log" + } + ], + "type": "string" + }, + "azure-native:network:WebApplicationFirewallEnabledState": { + "description": "The state of the policy.", + "enum": [ + { + "value": "Disabled" }, - "id": {}, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse" + { + "value": "Enabled" + } + ], + "type": "string" + }, + "azure-native:network:WebApplicationFirewallMatchVariable": { + "description": "Match Variable.", + "enum": [ + { + "value": "RemoteAddr" }, - "links": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLinkResponse", - "type": "object" - } + { + "value": "RequestMethod" }, - "location": {}, - "mtu": { - "containers": [ - "properties" - ] + { + "value": "QueryString" }, - "name": {}, - "peeringLocation": { - "containers": [ - "properties" - ] + { + "value": "PostArgs" }, - "provisionedBandwidthInGbps": { - "containers": [ - "properties" - ] + { + "value": "RequestUri" }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "RequestHeaders" }, - "resourceGuid": { - "containers": [ - "properties" - ] + { + "value": "RequestBody" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "RequestCookies" + } + ], + "type": "string" + }, + "azure-native:network:WebApplicationFirewallMode": { + "description": "The mode of the policy.", + "enum": [ + { + "value": "Prevention" }, - "type": {} - } + { + "value": "Detection" + } + ], + "type": "string" }, - "azure-native:network/v20230201:ExpressRoutePortAuthorization": { - "PUT": [ + "azure-native:network:WebApplicationFirewallOperator": { + "description": "The operator to be matched.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "IPMatch" }, { - "location": "path", - "name": "expressRoutePortName", - "required": true, - "value": { - "type": "string" - } + "value": "Equal" }, { - "location": "path", - "name": "authorizationName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "value": "Contains" }, { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - } - } - }, - "location": "body", - "name": "authorizationParameters", - "required": true, - "value": {} + "value": "LessThan" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] + "value": "GreaterThan" }, - "authorizationUseStatus": { - "containers": [ - "properties" - ] + { + "value": "LessThanOrEqual" }, - "circuitResourceUri": { - "containers": [ - "properties" - ] + { + "value": "GreaterThanOrEqual" }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "BeginsWith" }, - "type": {} - } - }, - "azure-native:network/v20230201:FirewallPolicy": { - "PUT": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "value": "EndsWith" }, { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "value": "Regex" }, { - "body": { - "properties": { - "basePolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:DnsSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "explicitProxy": { - "$ref": "#/types/azure-native:network/v20230201:ExplicitProxy", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentity", - "type": "object" - }, - "insights": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyInsights", - "containers": [ - "properties" - ], - "type": "object" - }, - "intrusionDetection": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetection", - "containers": [ - "properties" - ], - "type": "object" - }, - "location": { - "type": "string" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySku", - "containers": [ - "properties" - ], - "type": "object" - }, - "snat": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySNAT", - "containers": [ - "properties" - ], - "type": "object" - }, - "sql": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySQL", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "threatIntelMode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "threatIntelWhitelist": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyThreatIntelWhitelist", - "containers": [ - "properties" - ], - "type": "object" - }, - "transportSecurity": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyTransportSecurity", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "value": "GeoMatch" }, { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "value": "Any" } ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "basePolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "childPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:DnsSettingsResponse", - "containers": [ - "properties" - ] - }, - "etag": {}, - "explicitProxy": { - "$ref": "#/types/azure-native:network/v20230201:ExplicitProxyResponse", - "containers": [ - "properties" - ] - }, - "firewalls": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "id": {}, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse" - }, - "insights": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyInsightsResponse", - "containers": [ - "properties" - ] - }, - "intrusionDetection": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionResponse", - "containers": [ - "properties" - ] + "type": "string" + }, + "azure-native:network:WebApplicationFirewallRuleType": { + "description": "The rule type.", + "enum": [ + { + "value": "MatchRule" }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + { + "value": "RateLimitRule" }, - "ruleCollectionGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + { + "value": "Invalid" + } + ], + "type": "string" + }, + "azure-native:network:WebApplicationFirewallScrubbingState": { + "description": "State of the log scrubbing config. Default value is Enabled.", + "enum": [ + { + "value": "Disabled" }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySkuResponse", - "containers": [ - "properties" - ] + { + "value": "Enabled" + } + ], + "type": "string" + }, + "azure-native:network:WebApplicationFirewallState": { + "description": "Describes if the custom rule is in enabled or disabled state. Defaults to Enabled if not specified.", + "enum": [ + { + "value": "Disabled" }, - "snat": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySNATResponse", - "containers": [ - "properties" - ] + { + "value": "Enabled" + } + ], + "type": "string" + }, + "azure-native:network:WebApplicationFirewallTransform": { + "description": "Transforms applied before matching.", + "enum": [ + { + "value": "Uppercase" }, - "sql": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicySQLResponse", - "containers": [ - "properties" - ] + { + "value": "Lowercase" }, - "tags": { - "additionalProperties": { - "type": "string" - } + { + "value": "Trim" }, - "threatIntelMode": { - "containers": [ - "properties" - ] + { + "value": "UrlDecode" }, - "threatIntelWhitelist": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyThreatIntelWhitelistResponse", - "containers": [ - "properties" - ] + { + "value": "UrlEncode" }, - "transportSecurity": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyTransportSecurityResponse", - "containers": [ - "properties" - ] + { + "value": "RemoveNulls" }, - "type": {} - } + { + "value": "HtmlEntityDecode" + } + ], + "type": "string" }, - "azure-native:network/v20230201:FirewallPolicyRuleCollectionGroup": { - "PUT": [ + "azure-native:storage:BlobAccessTier": { + "description": "The access tier of a storage blob.", + "enum": [ { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "description": "Optimized for storing data that is accessed frequently.", + "value": "Hot" }, { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "type": "string" - } + "description": "Optimized for storing data that is infrequently accessed and stored for at least 30 days.", + "value": "Cool" }, { - "location": "path", - "name": "ruleCollectionGroupName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - }, + "description": "Optimized for storing data that is rarely accessed and stored for at least 180 days with flexible latency requirements, on the order of hours.", + "value": "Archive" + } + ], + "type": "string" + }, + "azure-native:storage:BlobType": { + "description": "The type of a storage blob to be created.", + "enum": [ { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "priority": { - "containers": [ - "properties" - ], - "maximum": 65000, - "minimum": 100, - "type": "integer" - }, - "ruleCollections": { - "containers": [ - "properties" - ], - "items": { - "oneOf": [ - "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollection", - "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollection" - ] - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "description": "Block blobs store text and binary data. Block blobs are made up of blocks of data that can be managed individually.", + "value": "Block" }, + { + "description": "Append blobs are made up of blocks like block blobs, but are optimized for append operations.", + "value": "Append" + } + ], + "type": "string" + } + } +} +--- + +[TestVnetGen - 2] +{ + "invokes": { + "azure-native:network:getAdminRule": { + "GET": [ { "location": "path", "name": "subscriptionId", @@ -62755,43 +27634,7 @@ "value": { "type": "string" } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "priority": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "ruleCollections": { - "containers": [ - "properties" - ], - "items": { - "oneOf": [ - "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionResponse", - "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollectionResponse" - ] - } }, - "type": {} - } - }, - "azure-native:network/v20230201:FlowLog": { - "PUT": [ { "location": "path", "name": "resourceGroupName", @@ -62802,7 +27645,7 @@ }, { "location": "path", - "name": "networkWatcherName", + "name": "networkManagerName", "required": true, "value": { "type": "string" @@ -62810,236 +27653,96 @@ }, { "location": "path", - "name": "flowLogName", + "name": "configurationName", "required": true, "value": { - "autoname": "copy", "type": "string" } }, { - "body": { - "properties": { - "enabled": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "flowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "format": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogFormatParameters", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "retentionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:RetentionPolicyParameters", - "containers": [ - "properties" - ], - "type": "object" - }, - "storageId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "targetResourceId": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "storageId", - "targetResourceId" - ] - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "ruleCollectionName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", - "name": "subscriptionId", + "name": "ruleName", "required": true, "value": { "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", "response": { - "enabled": { + "access": { "containers": [ "properties" ] }, - "etag": {}, - "flowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsPropertiesResponse", + "description": { "containers": [ "properties" ] }, - "format": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogFormatParametersResponse", + "destinationPortRanges": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } }, - "retentionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:RetentionPolicyParametersResponse", + "direction": { "containers": [ "properties" ] }, - "storageId": { + "etag": {}, + "id": {}, + "kind": { + "const": "Custom" + }, + "name": {}, + "priority": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "targetResourceGuid": { + "protocol": { "containers": [ "properties" ] }, - "targetResourceId": { + "provisioningState": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:HubRouteTable": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "labels": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:HubRoute", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "routeTableParameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "associatedConnections": { + "resourceGuid": { "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, - "etag": {}, - "id": {}, - "labels": { + "sourcePortRanges": { "containers": [ "properties" ], @@ -63047,133 +27750,85 @@ "type": "string" } }, - "name": {}, - "propagatingConnections": { - "containers": [ - "properties" + "sources": { + "arrayIdentifiers": [ + "addressPrefix" ], - "items": { - "type": "string" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "routes": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:HubRouteResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" } }, - "type": {} - } - }, - "azure-native:network/v20230201:HubVirtualNetworkConnection": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - }, - { - "body": { - "properties": { - "allowHubToRemoteVnetTransit": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "allowRemoteVnetToUseHubVnetGateways": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableInternetSecurity": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "hubVirtualNetworkConnectionParameters", + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native:network:getAdminRuleCollection": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", "required": true, - "value": {} + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleCollectionName", + "required": true, + "value": { + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", "response": { - "allowHubToRemoteVnetTransit": { - "containers": [ - "properties" - ] - }, - "allowRemoteVnetToUseHubVnetGateways": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "type": "object" + } }, - "enableInternetSecurity": { + "description": { "containers": [ "properties" ] @@ -63186,22 +27841,19 @@ "properties" ] }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "resourceGuid": { "containers": [ "properties" ] }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", - "containers": [ - "properties" - ] - } + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} } }, - "azure-native:network/v20230201:InboundNatRule": { - "PUT": [ + "azure-native:network:getApplicationGateway": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -63212,99 +27864,12 @@ }, { "location": "path", - "name": "loadBalancerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "inboundNatRuleName", + "name": "applicationGatewayName", "required": true, "value": { - "autoname": "copy", "type": "string" } }, - { - "body": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "backendPort": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "enableFloatingIP": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableTcpReset": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "frontendPort": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "frontendPortRangeEnd": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "frontendPortRangeStart": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "id": { - "type": "string" - }, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "name": { - "type": "string" - }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "inboundNatRuleParameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -63314,340 +27879,311 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", "response": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "authenticationCertificates": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse", + "type": "object" + } }, - "backendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "autoscaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse", "containers": [ "properties" ] }, - "backendPort": { + "backendAddressPools": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", + "type": "object" + } }, - "enableFloatingIP": { + "backendHttpSettingsCollection": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse", + "type": "object" + } }, - "enableTcpReset": { + "backendSettingsCollection": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse", + "type": "object" + } }, - "etag": {}, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "customErrorConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", + "type": "object" + } }, - "frontendPort": { + "defaultPredefinedSslPolicy": { "containers": [ "properties" ] }, - "frontendPortRangeEnd": { + "enableFips": { "containers": [ "properties" ] }, - "frontendPortRangeStart": { + "enableHttp2": { "containers": [ "properties" ] }, - "id": {}, - "idleTimeoutInMinutes": { + "etag": {}, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "name": {}, - "protocol": { + "forceFirewallPolicyAssociation": { "containers": [ "properties" ] }, - "provisioningState": { + "frontendIPConfigurations": { "containers": [ "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:IpAllocation": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse", + "type": "object" } }, - { - "location": "path", - "name": "ipAllocationName", - "required": true, - "value": { - "autoname": "random", - "type": "string" + "frontendPorts": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse", + "type": "object" } }, - { - "body": { - "properties": { - "allocationTags": { - "additionalProperties": { - "type": "string" - }, - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "ipamAllocationId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "location": { - "type": "string" - }, - "prefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "prefixLength": { - "containers": [ - "properties" - ], - "default": 0, - "type": "integer" - }, - "prefixType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "type": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" + "gatewayIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", + "type": "object" } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "allocationTags": { - "additionalProperties": { - "type": "string" - }, + }, + "globalConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse", "containers": [ "properties" ] }, - "etag": {}, + "httpListeners": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse", + "type": "object" + } + }, "id": {}, - "ipamAllocationId": { + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "listeners": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListenerResponse", + "type": "object" + } + }, + "loadDistributionPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse", + "type": "object" + } }, "location": {}, "name": {}, - "prefix": { + "operationalState": { "containers": [ "properties" ] }, - "prefixLength": { + "privateEndpointConnections": { "containers": [ "properties" ], - "default": 0 + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse", + "type": "object" + } }, - "prefixType": { + "privateLinkConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse", + "type": "object" + } }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "probes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeResponse", + "type": "object" + } + }, + "provisioningState": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" + "redirectConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse", + "type": "object" } }, - "type": {}, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "requestRoutingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse", + "type": "object" + } + }, + "resourceGuid": { "containers": [ "properties" ] - } - } - }, - "azure-native:network/v20230201:IpGroup": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + }, + "rewriteRuleSets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse", + "type": "object" } }, - { - "location": "path", - "name": "ipGroupsName", - "required": true, - "value": { - "autoname": "random", - "type": "string" + "routingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse", + "type": "object" } }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "ipAddresses": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySkuResponse", + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" + "sslCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse", + "type": "object" } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "firewallPolicies": { + }, + "sslPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", + "containers": [ + "properties" + ] + }, + "sslProfiles": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "trustedClientCertificates": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse", "type": "object" } }, - "firewalls": { + "trustedRootCertificates": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse", "type": "object" } }, - "id": {}, - "ipAddresses": { + "type": {}, + "urlPathMaps": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse", + "type": "object" } }, - "location": {}, - "name": {}, - "provisioningState": { + "webApplicationFirewallConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse", "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { + "zones": { + "items": { "type": "string" } - }, - "type": {} + } } }, - "azure-native:network/v20230201:LoadBalancer": { - "PUT": [ + "azure-native:network:getApplicationGatewayPrivateEndpointConnection": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -63658,114 +28194,19 @@ }, { "location": "path", - "name": "loadBalancerName", + "name": "applicationGatewayName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "backendAddressPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:BackendAddressPool", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" - }, - "frontendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "inboundNatPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatPool", - "type": "object" - }, - "type": "array" - }, - "inboundNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatRule", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "loadBalancingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancingRule", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "outboundRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:OutboundRule", - "type": "object" - }, - "type": "array" - }, - "probes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:Probe", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerSku", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "connectionName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", @@ -63776,82 +28217,75 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", "response": { - "backendAddressPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:BackendAddressPoolResponse", - "type": "object" - } - }, "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "frontendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", - "type": "object" - } - }, "id": {}, - "inboundNatPools": { + "linkIdentifier": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatPoolResponse", - "type": "object" - } + ] }, - "inboundNatRules": { + "name": {}, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatRuleResponse", - "type": "object" - } + ] }, - "loadBalancingRules": { + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancingRuleResponse", - "type": "object" - } + ] }, - "location": {}, - "name": {}, - "outboundRules": { + "provisioningState": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:OutboundRuleResponse", - "type": "object" + ] + }, + "type": {} + } + }, + "azure-native:network:getApplicationSecurityGroup": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" } }, - "probes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ProbeResponse", - "type": "object" + { + "location": "path", + "name": "applicationSecurityGroupName", + "required": true, + "value": { + "type": "string" } }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, "provisioningState": { "containers": [ "properties" @@ -63862,9 +28296,6 @@ "properties" ] }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerSkuResponse" - }, "tags": { "additionalProperties": { "type": "string" @@ -63873,8 +28304,8 @@ "type": {} } }, - "azure-native:network/v20230201:LoadBalancerBackendAddressPool": { - "PUT": [ + "azure-native:network:getAzureFirewall": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -63885,76 +28316,12 @@ }, { "location": "path", - "name": "loadBalancerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "backendAddressPoolName", + "name": "azureFirewallName", "required": true, "value": { - "autoname": "copy", "type": "string" } }, - { - "body": { - "properties": { - "drainPeriodInSeconds": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "id": { - "type": "string" - }, - "loadBalancerBackendAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerBackendAddress", - "type": "object" - }, - "type": "array" - }, - "location": { - "containers": [ - "properties" - ], - "type": "string" - }, - "name": { - "type": "string" - }, - "tunnelInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelInterface", - "type": "object" - }, - "type": "array" - }, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -63964,74 +28331,83 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "autoLocationDisabled": true, - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", "response": { - "backendIPConfigurations": { + "additionalProperties": { + "additionalProperties": { + "type": "string" + }, + "containers": [ + "properties" + ] + }, + "applicationRuleCollections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollectionResponse", "type": "object" } }, - "drainPeriodInSeconds": { + "etag": {}, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "inboundNatRules": { + "hubIPAddresses": { + "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddressesResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + ] }, - "loadBalancerBackendAddresses": { + "id": {}, + "ipConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerBackendAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", "type": "object" } }, - "loadBalancingRules": { + "ipGroups": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIpGroupsResponse", "type": "object" } }, - "location": { + "location": {}, + "managementIpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", "containers": [ "properties" ] }, "name": {}, - "outboundRule": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "natRuleCollections": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollectionResponse", + "type": "object" + } }, - "outboundRules": { + "networkRuleCollections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollectionResponse", "type": "object" } }, @@ -64040,26 +28416,38 @@ "properties" ] }, - "tunnelInterfaces": { + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSkuResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelInterfaceResponse", - "type": "object" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" } }, + "threatIntelMode": { + "containers": [ + "properties" + ] + }, "type": {}, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] + }, + "zones": { + "items": { + "type": "string" + } } } }, - "azure-native:network/v20230201:LocalNetworkGateway": { - "PUT": [ + "azure-native:network:getBastionHost": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -64070,62 +28458,12 @@ }, { "location": "path", - "name": "localNetworkGatewayName", + "name": "bastionHostName", "required": true, "value": { - "autoname": "random", - "minLength": 1, "type": "string" } }, - { - "body": { - "properties": { - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "fqdn": { - "containers": [ - "properties" - ], - "type": "string" - }, - "gatewayIpAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "localNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -64135,131 +28473,91 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "putAsyncStyle": "azure-async-operation", - "requiredContainers": [ - [ - "properties" - ] - ], + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", "response": { - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "disableCopyPaste": { "containers": [ "properties" - ] + ], + "default": false }, - "etag": {}, - "fqdn": { + "dnsName": { "containers": [ "properties" ] }, - "gatewayIpAddress": { + "enableFileCopy": { "containers": [ "properties" - ] + ], + "default": false }, - "id": {}, - "localNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "enableIpConnect": { "containers": [ "properties" - ] + ], + "default": false }, - "location": {}, - "name": {}, - "provisioningState": { + "enableKerberos": { "containers": [ "properties" - ] + ], + "default": false }, - "resourceGuid": { + "enableShareableLink": { "containers": [ "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:ManagementGroupNetworkManagerConnection": { - "PUT": [ - { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "networkManagerId": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + ], + "default": false }, - { - "location": "path", - "name": "managementGroupId", - "required": true, - "value": { - "type": "string" - } + "enableTunneling": { + "containers": [ + "properties" + ], + "default": false }, - { - "location": "path", - "name": "networkManagerConnectionName", - "required": true, - "value": { - "autoname": "random", - "type": "string" + "etag": {}, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfigurationResponse", + "type": "object" } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "path": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "response": { - "description": { + }, + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "name": {}, - "networkManagerId": { + "scaleUnits": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:SkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } }, "type": {} } }, - "azure-native:network/v20230201:NatGateway": { - "PUT": [ + "azure-native:network:getConfigurationPolicyGroup": { + "GET": [ { "location": "path", - "name": "resourceGroupName", + "name": "subscriptionId", "required": true, "value": { "type": "string" @@ -64267,153 +28565,78 @@ }, { "location": "path", - "name": "natGatewayName", + "name": "resourceGroupName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "id": { - "type": "string" - }, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "location": { - "type": "string" - }, - "publicIpAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "publicIpPrefixes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewaySku", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "vpnServerConfigurationName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", - "name": "subscriptionId", + "name": "configurationPolicyGroupName", "required": true, "value": { "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", "response": { "etag": {}, "id": {}, - "idleTimeoutInMinutes": { + "isDefault": { "containers": [ "properties" ] }, - "location": {}, "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "publicIpAddresses": { + "p2SConnectionConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "publicIpPrefixes": { + "policyMembers": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse", "type": "object" } }, - "resourceGuid": { + "priority": { "containers": [ "properties" ] }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewaySkuResponse" - }, - "subnets": { + "provisioningState": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } + ] }, - "type": {}, - "zones": { - "items": { - "type": "string" - } - } + "type": {} } }, - "azure-native:network/v20230201:NatRule": { - "PUT": [ + "azure-native:network:getConnectionMonitor": { + "GET": [ { "location": "path", - "name": "subscriptionId", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -64421,7 +28644,7 @@ }, { "location": "path", - "name": "resourceGroupName", + "name": "networkWatcherName", "required": true, "value": { "type": "string" @@ -64429,7 +28652,7 @@ }, { "location": "path", - "name": "gatewayName", + "name": "connectionMonitorName", "required": true, "value": { "type": "string" @@ -64437,149 +28660,117 @@ }, { "location": "path", - "name": "natRuleName", + "name": "subscriptionId", "required": true, "value": { - "autoname": "copy", "type": "string" } - }, - { - "body": { - "properties": { - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "internalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "ipConfigurationId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "mode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "name": { - "type": "string" - }, - "type": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "NatRuleParameters", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", "response": { - "egressVpnSiteLinkConnections": { + "autoStart": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + "default": true }, - "etag": {}, - "externalMappings": { + "connectionMonitorType": { + "containers": [ + "properties" + ] + }, + "destination": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestinationResponse", + "containers": [ + "properties" + ] + }, + "endpoints": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointResponse", "type": "object" } }, + "etag": {}, "id": {}, - "ingressVpnSiteLinkConnections": { + "location": {}, + "monitoringIntervalInSeconds": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + "default": 60 }, - "internalMappings": { + "monitoringStatus": { + "containers": [ + "properties" + ] + }, + "name": {}, + "notes": { + "containers": [ + "properties" + ] + }, + "outputs": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutputResponse", "type": "object" } }, - "ipConfigurationId": { + "provisioningState": { "containers": [ "properties" ] }, - "mode": { + "source": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSourceResponse", "containers": [ "properties" ] }, - "name": {}, - "provisioningState": { + "startTime": { "containers": [ "properties" ] }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "testConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationResponse", + "type": "object" + } + }, + "testGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroupResponse", + "type": "object" + } + }, "type": {} } }, - "azure-native:network/v20230201:NetworkGroup": { - "PUT": [ - { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, + "azure-native:network:getConnectivityConfiguration": { + "GET": [ { "location": "path", "name": "subscriptionId", @@ -64606,26 +28797,64 @@ }, { "location": "path", - "name": "networkGroupName", + "name": "configurationName", "required": true, "value": { - "autoname": "copy", "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", "response": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", + "type": "object" + } + }, + "connectivityTopology": { + "containers": [ + "properties" + ] + }, + "deleteExistingPeering": { + "containers": [ + "properties" + ] + }, "description": { "containers": [ "properties" ] }, "etag": {}, + "hubs": { + "arrayIdentifiers": [ + "resourceId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", + "type": "object" + } + }, "id": {}, + "isGlobal": { + "containers": [ + "properties" + ] + }, "name": {}, "provisioningState": { "containers": [ @@ -64638,13 +28867,13 @@ ] }, "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" }, "type": {} } }, - "azure-native:network/v20230201:NetworkInterface": { - "PUT": [ + "azure-native:network:getCustomIPPrefix": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -64655,118 +28884,12 @@ }, { "location": "path", - "name": "networkInterfaceName", + "name": "customIpPrefixName", "required": true, "value": { - "autoname": "random", "type": "string" } }, - { - "body": { - "properties": { - "auxiliaryMode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "auxiliarySku": { - "containers": [ - "properties" - ], - "type": "string" - }, - "disableTcpStateTracking": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceDnsSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "enableAcceleratedNetworking": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableIPForwarding": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "migrationPhase": { - "containers": [ - "properties" - ], - "type": "string" - }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroup", - "containers": [ - "properties" - ], - "type": "object" - }, - "nicType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "privateLinkService": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkService", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "workloadType": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -64774,158 +28897,127 @@ "value": { "type": "string" } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", "response": { - "auxiliaryMode": { - "containers": [ - "properties" - ] - }, - "auxiliarySku": { - "containers": [ - "properties" - ] - }, - "disableTcpStateTracking": { - "containers": [ - "properties" - ] - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceDnsSettingsResponse", - "containers": [ - "properties" - ] - }, - "dscpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "enableAcceleratedNetworking": { + "asn": { "containers": [ "properties" ] }, - "enableIPForwarding": { + "authorizationMessage": { "containers": [ "properties" ] }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "hostedWorkloads": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "id": {}, - "ipConfigurations": { + "childCustomIpPrefixes": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "location": {}, - "macAddress": { + "cidr": { "containers": [ "properties" ] }, - "migrationPhase": { + "commissionedState": { "containers": [ "properties" ] }, - "name": {}, - "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", + "customIpPrefixParent": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "nicType": { + "etag": {}, + "expressRouteAdvertise": { "containers": [ "properties" ] }, - "primary": { + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "failedReason": { "containers": [ "properties" ] }, - "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "geo": { "containers": [ "properties" ] }, - "privateLinkService": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceResponse", + "id": {}, + "location": {}, + "name": {}, + "noInternetAdvertise": { "containers": [ "properties" ] }, - "provisioningState": { + "prefixType": { "containers": [ "properties" ] }, - "resourceGuid": { + "provisioningState": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "tapConfigurations": { + "publicIpPrefixes": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "type": {}, - "virtualMachine": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "resourceGuid": { "containers": [ "properties" ] }, - "vnetEncryptionSupported": { + "signedMessage": { "containers": [ "properties" ] }, - "workloadType": { - "containers": [ - "properties" - ] + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } } } }, - "azure-native:network/v20230201:NetworkInterfaceTapConfiguration": { - "PUT": [ + "azure-native:network:getDdosCustomPolicy": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -64936,44 +29028,12 @@ }, { "location": "path", - "name": "networkInterfaceName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "tapConfigurationName", + "name": "ddosCustomPolicyName", "required": true, "value": { - "autoname": "copy", "type": "string" } }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "virtualNetworkTap": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTap", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "tapConfigurationParameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -64983,82 +29043,38 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", "response": { "etag": {}, "id": {}, + "location": {}, "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "type": {}, - "virtualNetworkTap": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTapResponse", + "resourceGuid": { "containers": [ "properties" ] - } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} } }, - "azure-native:network/v20230201:NetworkManager": { - "PUT": [ - { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "networkManagerScopeAccesses": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "networkManagerScopes": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerPropertiesNetworkManagerScopes", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - }, - "required": [ - "networkManagerScopeAccesses", - "networkManagerScopes" - ] - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, + "azure-native:network:getDdosProtectionPlan": { + "GET": [ { "location": "path", - "name": "subscriptionId", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -65066,7 +29082,7 @@ }, { "location": "path", - "name": "resourceGroupName", + "name": "ddosProtectionPlanName", "required": true, "value": { "type": "string" @@ -65074,65 +29090,68 @@ }, { "location": "path", - "name": "networkManagerName", + "name": "subscriptionId", "required": true, "value": { - "autoname": "random", "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", "response": { - "description": { - "containers": [ - "properties" - ] - }, "etag": {}, "id": {}, "location": {}, "name": {}, - "networkManagerScopeAccesses": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "networkManagerScopes": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerPropertiesResponseNetworkManagerScopes", + "provisioningState": { "containers": [ "properties" ] }, - "provisioningState": { + "publicIPAddresses": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, "resourceGuid": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, "tags": { "additionalProperties": { "type": "string" } }, - "type": {} + "type": {}, + "virtualNetworks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + } } }, - "azure-native:network/v20230201:NetworkProfile": { - "PUT": [ + "azure-native:network:getDefaultAdminRule": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, { "location": "path", "name": "resourceGroupName", @@ -65143,81 +29162,98 @@ }, { "location": "path", - "name": "networkProfileName", + "name": "networkManagerName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "containerNetworkInterfaceConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceConfiguration", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "configurationName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", - "name": "subscriptionId", + "name": "ruleCollectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleName", "required": true, "value": { "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", "response": { - "containerNetworkInterfaceConfigurations": { + "access": { + "containers": [ + "properties" + ] + }, + "description": { + "containers": [ + "properties" + ] + }, + "destinationPortRanges": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceConfigurationResponse", - "type": "object" + "type": "string" } }, - "containerNetworkInterfaces": { + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" } }, + "direction": { + "containers": [ + "properties" + ] + }, "etag": {}, + "flag": { + "containers": [ + "properties" + ] + }, "id": {}, - "location": {}, + "kind": { + "const": "Default" + }, "name": {}, + "priority": { + "containers": [ + "properties" + ] + }, + "protocol": { + "containers": [ + "properties" + ] + }, "provisioningState": { "containers": [ "properties" @@ -65228,16 +29264,34 @@ "properties" ] }, - "tags": { - "additionalProperties": { + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { "type": "string" } }, + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, "type": {} } }, - "azure-native:network/v20230201:NetworkSecurityGroup": { - "PUT": [ + "azure-native:network:getDscpConfiguration": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -65248,52 +29302,12 @@ }, { "location": "path", - "name": "networkSecurityGroupName", + "name": "dscpConfigurationName", "required": true, "value": { - "autoname": "random", "type": "string" } }, - { - "body": { - "properties": { - "flushConnection": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "securityRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRule", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -65303,73 +29317,94 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", "response": { - "defaultSecurityRules": { + "associatedNetworkInterfaces": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" } }, - "etag": {}, - "flowLogs": { + "destinationIpRanges": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", "type": "object" } }, - "flushConnection": { + "destinationPortRanges": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", + "type": "object" + } }, + "etag": {}, "id": {}, "location": {}, - "name": {}, - "networkInterfaces": { + "markings": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" + "type": "integer" } }, + "name": {}, + "protocol": { + "containers": [ + "properties" + ] + }, "provisioningState": { "containers": [ "properties" ] }, + "qosCollectionId": { + "containers": [ + "properties" + ] + }, + "qosDefinitionCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosDefinitionResponse", + "type": "object" + } + }, "resourceGuid": { "containers": [ "properties" ] }, - "securityRules": { + "sourceIpRanges": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", "type": "object" } }, - "subnets": { + "sourcePortRanges": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", "type": "object" } }, @@ -65381,8 +29416,8 @@ "type": {} } }, - "azure-native:network/v20230201:NetworkVirtualAppliance": { - "PUT": [ + "azure-native:network:getExpressRouteCircuit": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -65393,108 +29428,12 @@ }, { "location": "path", - "name": "networkVirtualApplianceName", + "name": "circuitName", "required": true, "value": { - "autoname": "random", "type": "string" } }, - { - "body": { - "properties": { - "additionalNics": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceAdditionalNicProperties", - "type": "object" - }, - "type": "array" - }, - "bootStrapConfigurationBlobs": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "cloudInitConfiguration": { - "containers": [ - "properties" - ], - "type": "string" - }, - "cloudInitConfigurationBlobs": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "delegation": { - "$ref": "#/types/azure-native:network/v20230201:DelegationProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentity", - "type": "object" - }, - "location": { - "type": "string" - }, - "nvaSku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceSkuProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "sshPublicKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualApplianceAsn": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -65504,147 +29443,121 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", "response": { - "additionalNics": { + "allowClassicOperations": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceAdditionalNicPropertiesResponse", - "type": "object" - } + ] + }, + "authorizationKey": { + "containers": [ + "properties" + ] }, - "addressPrefix": { + "authorizationStatus": { "containers": [ "properties" ] }, - "bootStrapConfigurationBlobs": { + "authorizations": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorizationResponse", + "type": "object" } }, - "cloudInitConfiguration": { + "bandwidthInGbps": { "containers": [ "properties" ] }, - "cloudInitConfigurationBlobs": { + "circuitProvisioningState": { "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, - "delegation": { - "$ref": "#/types/azure-native:network/v20230201:DelegationPropertiesResponse", + "etag": {}, + "expressRoutePort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "deploymentType": { + "gatewayManagerEtag": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse" + "globalReachEnabled": { + "containers": [ + "properties" + ] }, - "inboundSecurityRules": { + "id": {}, + "location": {}, + "name": {}, + "peerings": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", "type": "object" } }, - "location": {}, - "name": {}, - "nvaSku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceSkuPropertiesResponse", + "provisioningState": { "containers": [ "properties" ] }, - "partnerManagedResource": { - "$ref": "#/types/azure-native:network/v20230201:PartnerManagedResourcePropertiesResponse", + "serviceKey": { "containers": [ "properties" ] }, - "provisioningState": { + "serviceProviderNotes": { "containers": [ "properties" ] }, - "sshPublicKey": { + "serviceProviderProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderPropertiesResponse", "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualApplianceAsn": { + "serviceProviderProvisioningState": { "containers": [ "properties" ] }, - "virtualApplianceConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSkuResponse" }, - "virtualApplianceNics": { + "stag": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualApplianceNicPropertiesResponse", - "type": "object" - } + ] }, - "virtualApplianceSites": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" + "tags": { + "additionalProperties": { + "type": "string" } }, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } + "type": {} } }, - "azure-native:network/v20230201:NetworkVirtualApplianceConnection": { - "PUT": [ + "azure-native:network:getExpressRouteCircuitAuthorization": { + "GET": [ { "location": "path", - "name": "subscriptionId", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -65652,7 +29565,7 @@ }, { "location": "path", - "name": "resourceGroupName", + "name": "circuitName", "required": true, "value": { "type": "string" @@ -65660,59 +29573,49 @@ }, { "location": "path", - "name": "networkVirtualApplianceName", + "name": "authorizationName", "required": true, "value": { - "pattern": "^[A-Za-z0-9_]+", "type": "string" } }, { "location": "path", - "name": "connectionName", + "name": "subscriptionId", "required": true, "value": { - "autoname": "copy", - "pattern": "^[A-Za-z0-9_]+", "type": "string" } - }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "properties": { - "$ref": "#/types/azure-native:network/v20230201:NetworkVirtualApplianceConnectionProperties", - "type": "object" - } - } - }, - "location": "body", - "name": "NetworkVirtualApplianceConnectionParameters", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", "response": { + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "authorizationUseStatus": { + "containers": [ + "properties" + ] + }, + "etag": {}, "id": {}, "name": {}, - "properties": { - "$ref": "#/types/azure-native:network/v20230201:NetworkVirtualApplianceConnectionPropertiesResponse" - } + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} } }, - "azure-native:network/v20230201:NetworkWatcher": { - "PUT": [ + "azure-native:network:getExpressRouteCircuitConnection": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -65723,34 +29626,27 @@ }, { "location": "path", - "name": "networkWatcherName", + "name": "circuitName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "peeringName", "required": true, - "value": {} + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } }, { "location": "path", @@ -65761,33 +29657,60 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "circuitConnectionStatus": { + "containers": [ + "properties" + ] + }, "etag": {}, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, "id": {}, - "location": {}, + "ipv6CircuitConnectionConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse", + "containers": [ + "properties" + ] + }, "name": {}, - "provisioningState": { + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "provisioningState": { + "containers": [ + "properties" + ] }, "type": {} } }, - "azure-native:network/v20230201:P2sVpnGateway": { - "PUT": [ + "azure-native:network:getExpressRouteCircuitPeering": { + "GET": [ { "location": "path", - "name": "subscriptionId", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -65795,7 +29718,7 @@ }, { "location": "path", - "name": "resourceGroupName", + "name": "circuitName", "required": true, "value": { "type": "string" @@ -65803,154 +29726,147 @@ }, { "location": "path", - "name": "gatewayName", + "name": "peeringName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "customDnsServers": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "isRoutingPreferenceInternet": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "location": { - "type": "string" - }, - "p2SConnectionConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SConnectionConfiguration", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "vpnGatewayScaleUnit": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "vpnServerConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - }, - "required": [ - "location" - ] - }, - "location": "body", - "name": "p2SVpnGatewayParameters", + "location": "path", + "name": "subscriptionId", "required": true, - "value": {} + "value": { + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", "response": { - "customDnsServers": { + "azureASN": { + "containers": [ + "properties" + ] + }, + "connections": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse", + "type": "object" } }, "etag": {}, + "expressRouteConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse", + "containers": [ + "properties" + ] + }, + "gatewayManagerEtag": { + "containers": [ + "properties" + ] + }, "id": {}, - "isRoutingPreferenceInternet": { + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "containers": [ + "properties" + ] + }, + "lastModifiedBy": { + "containers": [ + "properties" + ] + }, + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", "containers": [ "properties" ] }, - "location": {}, "name": {}, - "p2SConnectionConfigurations": { + "peerASN": { + "containers": [ + "properties" + ] + }, + "peeredConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SConnectionConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse", "type": "object" } }, + "peeringType": { + "containers": [ + "properties" + ] + }, + "primaryAzurePort": { + "containers": [ + "properties" + ] + }, + "primaryPeerAddressPrefix": { + "containers": [ + "properties" + ] + }, "provisioningState": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "secondaryAzurePort": { "containers": [ "properties" ] }, - "vpnClientConnectionHealth": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConnectionHealthResponse", + "secondaryPeerAddressPrefix": { "containers": [ "properties" ] }, - "vpnGatewayScaleUnit": { + "sharedKey": { "containers": [ "properties" ] }, - "vpnServerConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "state": { + "containers": [ + "properties" + ] + }, + "stats": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse", + "containers": [ + "properties" + ] + }, + "type": {}, + "vlanId": { "containers": [ "properties" ] } } }, - "azure-native:network/v20230201:PacketCapture": { - "PUT": [ + "azure-native:network:getExpressRouteConnection": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -65961,7 +29877,7 @@ }, { "location": "path", - "name": "networkWatcherName", + "name": "expressRouteGatewayName", "required": true, "value": { "type": "string" @@ -65969,89 +29885,97 @@ }, { "location": "path", - "name": "packetCaptureName", + "name": "connectionName", "required": true, "value": { - "autoname": "copy", "type": "string" } }, { - "body": { - "properties": { - "bytesToCapturePerPacket": { - "containers": [ - "properties" - ], - "default": 0, - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "filters": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureFilter", - "type": "object" - }, - "type": "array" - }, - "scope": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureMachineScope", - "containers": [ - "properties" - ], - "type": "object" - }, - "storageLocation": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureStorageLocation", - "containers": [ - "properties" - ], - "type": "object" - }, - "target": { - "containers": [ - "properties" - ], - "type": "string" - }, - "targetType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "timeLimitInSeconds": { - "containers": [ - "properties" - ], - "default": 18000, - "maximum": 18000, - "minimum": 0, - "type": "integer" - }, - "totalBytesPerSession": { - "containers": [ - "properties" - ], - "default": 1073741824, - "maximum": 4294967295, - "minimum": 0, - "type": "number" - } - }, - "required": [ - "storageLocation", - "target" - ] - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "response": { + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ] + }, + "enablePrivateLinkFastPath": { + "containers": [ + "properties" + ] + }, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse", + "containers": [ + "properties" + ] + }, + "expressRouteGatewayBypass": { + "containers": [ + "properties" + ] + }, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "containers": [ + "properties" + ] + }, + "routingWeight": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getExpressRouteCrossConnectionPeering": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", "required": true, - "value": {} + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "crossConnectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "type": "string" + } }, { "location": "path", @@ -66062,78 +29986,95 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "putAsyncStyle": "azure-async-operation", - "requiredContainers": [ - [ - "properties" - ] - ], + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", "response": { - "bytesToCapturePerPacket": { + "azureASN": { "containers": [ "properties" - ], - "default": 0 + ] }, "etag": {}, - "filters": { + "gatewayManagerEtag": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureFilterResponse", - "type": "object" - } + ] }, "id": {}, + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "containers": [ + "properties" + ] + }, + "lastModifiedBy": { + "containers": [ + "properties" + ] + }, + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", + "containers": [ + "properties" + ] + }, "name": {}, - "provisioningState": { + "peerASN": { "containers": [ "properties" ] }, - "scope": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureMachineScopeResponse", + "peeringType": { "containers": [ "properties" ] }, - "storageLocation": { - "$ref": "#/types/azure-native:network/v20230201:PacketCaptureStorageLocationResponse", + "primaryAzurePort": { "containers": [ "properties" ] }, - "target": { + "primaryPeerAddressPrefix": { "containers": [ "properties" ] }, - "targetType": { + "provisioningState": { "containers": [ "properties" ] }, - "timeLimitInSeconds": { + "secondaryAzurePort": { "containers": [ "properties" - ], - "default": 18000 + ] }, - "totalBytesPerSession": { + "secondaryPeerAddressPrefix": { "containers": [ "properties" - ], - "default": 1073741824 + ] + }, + "sharedKey": { + "containers": [ + "properties" + ] + }, + "state": { + "containers": [ + "properties" + ] + }, + "vlanId": { + "containers": [ + "properties" + ] } } }, - "azure-native:network/v20230201:PrivateDnsZoneGroup": { - "PUT": [ + "azure-native:network:getExpressRouteGateway": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -66144,47 +30085,12 @@ }, { "location": "path", - "name": "privateEndpointName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "privateDnsZoneGroupName", + "name": "expressRouteGatewayName", "required": true, "value": { - "autoname": "copy", "type": "string" } }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "privateDnsZoneConfigs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateDnsZoneConfig", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -66194,36 +30100,59 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", "response": { + "allowNonVirtualWanTraffic": { + "containers": [ + "properties" + ] + }, + "autoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", + "containers": [ + "properties" + ] + }, "etag": {}, - "id": {}, - "name": {}, - "privateDnsZoneConfigs": { + "expressRouteConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateDnsZoneConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionResponse", "type": "object" } }, + "id": {}, + "location": {}, + "name": {}, "provisioningState": { "containers": [ "properties" ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubIdResponse", + "containers": [ + "properties" + ] } } }, - "azure-native:network/v20230201:PrivateEndpoint": { - "PUT": [ + "azure-native:network:getExpressRoutePort": { + "GET": [ { "location": "path", - "name": "resourceGroupName", + "name": "subscriptionId", "required": true, "value": { "type": "string" @@ -66231,191 +30160,97 @@ }, { "location": "path", - "name": "privateEndpointName", + "name": "resourceGroupName", "required": true, "value": { - "autoname": "random", "type": "string" } }, - { - "body": { - "properties": { - "applicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" - }, - "customDnsConfigs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:CustomDnsConfigPropertiesFormat", - "type": "object" - }, - "type": "array" - }, - "customNetworkInterfaceName": { - "containers": [ - "properties" - ], - "type": "string" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "manualPrivateLinkServiceConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnection", - "type": "object" - }, - "type": "array" - }, - "privateLinkServiceConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnection", - "type": "object" - }, - "type": "array" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", - "containers": [ - "properties" - ], - "forceNew": true, - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, { "location": "path", - "name": "subscriptionId", + "name": "expressRoutePortName", "required": true, "value": { "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", "response": { - "applicationSecurityGroups": { + "allocationDate": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", - "type": "object" - } + ] }, - "customDnsConfigs": { + "bandwidthInGbps": { + "containers": [ + "properties" + ] + }, + "billingType": { + "containers": [ + "properties" + ] + }, + "circuits": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:CustomDnsConfigPropertiesFormatResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "customNetworkInterfaceName": { + "encapsulation": { "containers": [ "properties" ] }, "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" + "etherType": { + "containers": [ + "properties" + ] }, "id": {}, - "ipConfigurations": { + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "links": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkResponse", "type": "object" } }, "location": {}, - "manualPrivateLinkServiceConnections": { + "mtu": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", - "type": "object" - } + ] }, "name": {}, - "networkInterfaces": { + "peeringLocation": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" - } + ] }, - "privateLinkServiceConnections": { + "provisionedBandwidthInGbps": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", - "type": "object" - } + ] }, "provisioningState": { "containers": [ "properties" ] }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "resourceGuid": { "containers": [ "properties" ] @@ -66428,8 +30263,8 @@ "type": {} } }, - "azure-native:network/v20230201:PrivateLinkService": { - "PUT": [ + "azure-native:network:getExpressRoutePortAuthorization": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -66440,87 +30275,19 @@ }, { "location": "path", - "name": "serviceName", + "name": "expressRoutePortName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "autoApproval": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesAutoApproval", - "containers": [ - "properties" - ], - "type": "object" - }, - "enableProxyProtocol": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" - }, - "fqdns": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceIpConfiguration", - "type": "object" - }, - "type": "array" - }, - "loadBalancerFrontendIpConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "visibility": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesVisibility", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "authorizationName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", @@ -66531,80 +30298,160 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", "response": { - "alias": { + "authorizationKey": { "containers": [ "properties" ] }, - "autoApproval": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseAutoApproval", + "authorizationUseStatus": { "containers": [ "properties" ] }, - "enableProxyProtocol": { + "circuitResourceUri": { "containers": [ "properties" ] }, "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, - "fqdns": { + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "items": { + ] + }, + "type": {} + } + }, + "azure-native:network:getFirewallPolicy": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "id": {}, - "ipConfigurations": { + { + "location": "path", + "name": "firewallPolicyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "response": { + "basePolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "childPolicies": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "loadBalancerFrontendIpConfigurations": { + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DnsSettingsResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "explicitProxy": { + "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxyResponse", + "containers": [ + "properties" + ] + }, + "firewalls": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "insights": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsightsResponse", + "containers": [ + "properties" + ] + }, + "intrusionDetection": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionResponse", + "containers": [ + "properties" + ] + }, "location": {}, "name": {}, - "networkInterfaces": { + "provisioningState": { + "containers": [ + "properties" + ] + }, + "ruleCollectionGroups": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "privateEndpointConnections": { + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySkuResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointConnectionResponse", - "type": "object" - } + ] }, - "provisioningState": { + "snat": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNATResponse", + "containers": [ + "properties" + ] + }, + "sql": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQLResponse", "containers": [ "properties" ] @@ -66614,17 +30461,28 @@ "type": "string" } }, - "type": {}, - "visibility": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseVisibility", + "threatIntelMode": { "containers": [ "properties" ] - } + }, + "threatIntelWhitelist": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelistResponse", + "containers": [ + "properties" + ] + }, + "transportSecurity": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurityResponse", + "containers": [ + "properties" + ] + }, + "type": {} } }, - "azure-native:network/v20230201:PrivateLinkServicePrivateEndpointConnection": { - "PUT": [ + "azure-native:network:getFirewallPolicyRuleCollectionGroup": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -66635,7 +30493,7 @@ }, { "location": "path", - "name": "serviceName", + "name": "firewallPolicyName", "required": true, "value": { "type": "string" @@ -66643,36 +30501,12 @@ }, { "location": "path", - "name": "peConnectionName", + "name": "ruleCollectionGroupName", "required": true, "value": { - "autoname": "copy", "type": "string" } }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionState", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -66682,46 +30516,40 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", "response": { "etag": {}, "id": {}, - "linkIdentifier": { - "containers": [ - "properties" - ] - }, "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", - "containers": [ - "properties" - ] - }, - "privateEndpointLocation": { + "priority": { "containers": [ "properties" ] }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", + "provisioningState": { "containers": [ "properties" ] }, - "provisioningState": { + "ruleCollections": { "containers": [ "properties" - ] + ], + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse", + "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse" + ] + } }, "type": {} } }, - "azure-native:network/v20230201:PublicIPAddress": { - "PUT": [ + "azure-native:network:getFlowLog": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -66732,140 +30560,19 @@ }, { "location": "path", - "name": "publicIpAddressName", + "name": "networkWatcherName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "ddosSettings": { - "$ref": "#/types/azure-native:network/v20230201:DdosSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "deleteOption": { - "containers": [ - "properties" - ], - "type": "string" - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressDnsSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" - }, - "id": { - "type": "string" - }, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "ipAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "ipTags": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTag", - "type": "object" - }, - "type": "array" - }, - "linkedPublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", - "containers": [ - "properties" - ], - "type": "object" - }, - "location": { - "forceNew": true, - "type": "string" - }, - "migrationPhase": { - "containers": [ - "properties" - ], - "type": "string" - }, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGateway", - "containers": [ - "properties" - ], - "type": "object" - }, - "publicIPAddressVersion": { - "containers": [ - "properties" - ], - "forceNew": true, - "type": "string" - }, - "publicIPAllocationMethod": { - "containers": [ - "properties" - ], - "type": "string" - }, - "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "forceNew": true, - "type": "object" - }, - "servicePublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", - "containers": [ - "properties" - ], - "type": "object" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSku", - "forceNew": true, - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "flowLogName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", @@ -66876,128 +30583,229 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", "response": { - "ddosSettings": { - "$ref": "#/types/azure-native:network/v20230201:DdosSettingsResponse", + "enabled": { "containers": [ "properties" ] }, - "deleteOption": { + "etag": {}, + "flowAnalyticsConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse", "containers": [ "properties" ] }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressDnsSettingsResponse", + "format": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParametersResponse", "containers": [ "properties" ] }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, "id": {}, - "idleTimeoutInMinutes": { + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "ipAddress": { + "retentionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParametersResponse", "containers": [ "properties" ] }, - "ipConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", + "storageId": { "containers": [ "properties" ] }, - "ipTags": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTagResponse", - "type": "object" + "tags": { + "additionalProperties": { + "type": "string" } }, - "linkedPublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "targetResourceGuid": { "containers": [ "properties" ] }, - "location": {}, - "migrationPhase": { + "targetResourceId": { "containers": [ "properties" ] }, + "type": {} + } + }, + "azure-native:network:getHubRouteTable": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "response": { + "associatedConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "labels": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, "name": {}, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewayResponse", + "propagatingConnections": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, "provisioningState": { "containers": [ "properties" ] }, - "publicIPAddressVersion": { + "routes": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubRouteResponse", + "type": "object" + } }, - "publicIPAllocationMethod": { + "type": {} + } + }, + "azure-native:network:getHubVirtualNetworkConnection": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "response": { + "allowHubToRemoteVnetTransit": { "containers": [ "properties" ] }, - "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "allowRemoteVnetToUseHubVnetGateways": { "containers": [ "properties" ] }, - "resourceGuid": { + "enableInternetSecurity": { "containers": [ "properties" ] }, - "servicePublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSkuResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "type": {}, - "zones": { - "items": { - "type": "string" - } + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "containers": [ + "properties" + ] } } }, - "azure-native:network/v20230201:PublicIPPrefix": { - "PUT": [ + "azure-native:network:getInboundNatRule": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -67008,84 +30816,19 @@ }, { "location": "path", - "name": "publicIpPrefixName", + "name": "loadBalancerName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "customIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" - }, - "id": { - "type": "string" - }, - "ipTags": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTag", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGateway", - "containers": [ - "properties" - ], - "type": "object" - }, - "prefixLength": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "publicIPAddressVersion": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPPrefixSku", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "inboundNatRuleName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", @@ -67094,100 +30837,92 @@ "value": { "type": "string" } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "putAsyncStyle": "location", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", "response": { - "customIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" + "backendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "containers": [ + "properties" + ] }, - "id": {}, - "ipPrefix": { + "backendPort": { "containers": [ "properties" ] }, - "ipTags": { + "enableFloatingIP": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTagResponse", - "type": "object" - } + ] }, - "loadBalancerFrontendIpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "enableTcpReset": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "location": {}, - "name": {}, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewayResponse", + "frontendPort": { "containers": [ "properties" ] }, - "prefixLength": { + "frontendPortRangeEnd": { "containers": [ "properties" ] }, - "provisioningState": { + "frontendPortRangeStart": { "containers": [ "properties" ] }, - "publicIPAddressVersion": { + "id": {}, + "idleTimeoutInMinutes": { "containers": [ "properties" ] }, - "publicIPAddresses": { + "name": {}, + "protocol": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ReferencedPublicIpAddressResponse", - "type": "object" - } + ] }, - "resourceGuid": { + "provisioningState": { "containers": [ "properties" ] }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPPrefixSkuResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "zones": { - "items": { - "type": "string" - } - } + "type": {} } }, - "azure-native:network/v20230201:Route": { - "PUT": [ + "azure-native:network:getIpAllocation": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -67198,7 +30933,7 @@ }, { "location": "path", - "name": "routeTableName", + "name": "ipAllocationName", "required": true, "value": { "type": "string" @@ -67206,107 +30941,81 @@ }, { "location": "path", - "name": "routeName", + "name": "subscriptionId", "required": true, "value": { - "autoname": "copy", "type": "string" } }, { - "body": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "hasBgpOverride": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "nextHopIpAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "nextHopType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "type": { - "type": "string" - } - }, - "required": [ - "nextHopType" - ] - }, - "location": "body", - "name": "routeParameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, + "location": "query", + "name": "$expand", "value": { + "sdkName": "expand", "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", "response": { - "addressPrefix": { + "allocationTags": { + "additionalProperties": { + "type": "string" + }, "containers": [ "properties" ] }, "etag": {}, - "hasBgpOverride": { + "id": {}, + "ipamAllocationId": { "containers": [ "properties" ] }, - "id": {}, + "location": {}, "name": {}, - "nextHopIpAddress": { + "prefix": { "containers": [ "properties" ] }, - "nextHopType": { + "prefixLength": { + "containers": [ + "properties" + ], + "default": 0 + }, + "prefixType": { "containers": [ "properties" ] }, - "provisioningState": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "type": {} + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } } }, - "azure-native:network/v20230201:RouteFilter": { - "PUT": [ + "azure-native:network:getIpGroup": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -67317,49 +31026,12 @@ }, { "location": "path", - "name": "routeFilterName", + "name": "ipGroupsName", "required": true, "value": { - "autoname": "random", "type": "string" } }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "rules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteFilterRule", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - }, - "required": [ - "location" - ] - }, - "location": "body", - "name": "routeFilterParameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -67367,50 +31039,56 @@ "value": { "type": "string" } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", "response": { "etag": {}, - "id": {}, - "ipv6Peerings": { + "firewallPolicies": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "location": {}, - "name": {}, - "peerings": { + "firewalls": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "rules": { + "id": {}, + "ipAddresses": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteFilterRuleResponse", - "type": "object" + "type": "string" } }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, "tags": { "additionalProperties": { "type": "string" @@ -67419,8 +31097,8 @@ "type": {} } }, - "azure-native:network/v20230201:RouteFilterRule": { - "PUT": [ + "azure-native:network:getLoadBalancer": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -67431,7 +31109,7 @@ }, { "location": "path", - "name": "routeFilterName", + "name": "loadBalancerName", "required": true, "value": { "type": "string" @@ -67439,107 +31117,122 @@ }, { "location": "path", - "name": "ruleName", + "name": "subscriptionId", "required": true, "value": { - "autoname": "copy", "type": "string" } }, { - "body": { - "properties": { - "access": { - "containers": [ - "properties" - ], - "type": "string" - }, - "communities": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "name": { - "type": "string" - }, - "routeFilterRuleType": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "access", - "communities", - "routeFilterRuleType" - ] - }, - "location": "body", - "name": "routeFilterRuleParameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, + "location": "query", + "name": "$expand", "value": { + "sdkName": "expand", "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", "response": { - "access": { + "backendAddressPools": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPoolResponse", + "type": "object" + } }, - "communities": { + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "frontendIPConfigurations": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "type": "object" } }, - "etag": {}, "id": {}, + "inboundNatPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPoolResponse", + "type": "object" + } + }, + "inboundNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRuleResponse", + "type": "object" + } + }, + "loadBalancingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRuleResponse", + "type": "object" + } + }, "location": {}, "name": {}, + "outboundRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:OutboundRuleResponse", + "type": "object" + } + }, + "probes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ProbeResponse", + "type": "object" + } + }, "provisioningState": { "containers": [ "properties" ] }, - "routeFilterRuleType": { + "resourceGuid": { "containers": [ "properties" ] - } + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} } }, - "azure-native:network/v20230201:RouteMap": { - "PUT": [ + "azure-native:network:getLoadBalancerBackendAddressPool": { + "GET": [ { "location": "path", - "name": "subscriptionId", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -67547,7 +31240,7 @@ }, { "location": "path", - "name": "resourceGroupName", + "name": "loadBalancerName", "required": true, "value": { "type": "string" @@ -67555,7 +31248,7 @@ }, { "location": "path", - "name": "virtualHubName", + "name": "backendAddressPoolName", "required": true, "value": { "type": "string" @@ -67563,99 +31256,107 @@ }, { "location": "path", - "name": "routeMapName", + "name": "subscriptionId", "required": true, "value": { - "autoname": "copy", "type": "string" } - }, - { - "body": { - "properties": { - "associatedInboundConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "associatedOutboundConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "rules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteMapRule", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "routeMapParameters", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", "response": { - "associatedInboundConnections": { + "backendIPConfigurations": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "type": "object" } }, - "associatedOutboundConnections": { + "drainPeriodInSeconds": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "inboundNatRules": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" } }, - "etag": {}, - "id": {}, + "loadBalancerBackendAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse", + "type": "object" + } + }, + "loadBalancingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "location": { + "containers": [ + "properties" + ] + }, "name": {}, + "outboundRule": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "outboundRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, "provisioningState": { "containers": [ "properties" ] }, - "rules": { + "tunnelInterfaces": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteMapRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse", "type": "object" } }, - "type": {} + "type": {}, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } } }, - "azure-native:network/v20230201:RouteTable": { - "PUT": [ + "azure-native:network:getLocalNetworkGateway": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -67664,53 +31365,14 @@ "type": "string" } }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - }, - { - "body": { - "properties": { - "disableBgpRoutePropagation": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:Route", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", + { + "location": "path", + "name": "localNetworkGatewayName", "required": true, - "value": {} + "value": { + "minLength": 1, + "type": "string" + } }, { "location": "path", @@ -67721,48 +31383,46 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", "response": { - "disableBgpRoutePropagation": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "containers": [ "properties" ] }, "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { + "fqdn": { "containers": [ "properties" ] }, - "resourceGuid": { + "gatewayIpAddress": { "containers": [ "properties" ] }, - "routes": { + "id": {}, + "localNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteResponse", - "type": "object" - } + ] }, - "subnets": { + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "type": "object" - } + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] }, "tags": { "additionalProperties": { @@ -67772,27 +31432,11 @@ "type": {} } }, - "azure-native:network/v20230201:RoutingIntent": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, + "azure-native:network:getManagementGroupNetworkManagerConnection": { + "GET": [ { "location": "path", - "name": "virtualHubName", + "name": "managementGroupId", "required": true, "value": { "type": "string" @@ -67800,99 +31444,42 @@ }, { "location": "path", - "name": "routingIntentName", + "name": "networkManagerConnectionName", "required": true, "value": { - "autoname": "copy", "type": "string" } - }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "routingPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:RoutingPolicy", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "routingIntentParameters", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", "response": { + "description": { + "containers": [ + "properties" + ] + }, "etag": {}, "id": {}, "name": {}, - "provisioningState": { + "networkManagerId": { "containers": [ "properties" ] }, - "routingPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:RoutingPolicyResponse", - "type": "object" - } + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" }, "type": {} } }, - "azure-native:network/v20230201:ScopeConnection": { - "PUT": [ - { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "resourceId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tenantId": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, + "azure-native:network:getNatGateway": { + "GET": [ { "location": "path", - "name": "subscriptionId", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -67900,7 +31487,7 @@ }, { "location": "path", - "name": "resourceGroupName", + "name": "natGatewayName", "required": true, "value": { "type": "string" @@ -67908,77 +31495,90 @@ }, { "location": "path", - "name": "networkManagerName", + "name": "subscriptionId", "required": true, "value": { "type": "string" } }, { - "location": "path", - "name": "scopeConnectionName", - "required": true, + "location": "query", + "name": "$expand", "value": { - "autoname": "copy", + "sdkName": "expand", "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", "response": { - "description": { + "etag": {}, + "id": {}, + "idleTimeoutInMinutes": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, + "location": {}, "name": {}, - "resourceId": { + "provisioningState": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" + "publicIpAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "tenantId": { + "publicIpPrefixes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "resourceGuid": { "containers": [ "properties" ] }, - "type": {} + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySkuResponse" + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } + } } }, - "azure-native:network/v20230201:SecurityAdminConfiguration": { - "PUT": [ - { - "body": { - "properties": { - "applyOnNetworkIntentPolicyBasedServices": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "description": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "securityAdminConfiguration", - "required": true, - "value": {} - }, + "azure-native:network:getNatRule": { + "GET": [ { "location": "path", "name": "subscriptionId", @@ -67997,7 +31597,7 @@ }, { "location": "path", - "name": "networkManagerName", + "name": "gatewayName", "required": true, "value": { "type": "string" @@ -68005,56 +31605,80 @@ }, { "location": "path", - "name": "configurationName", + "name": "natRuleName", "required": true, "value": { - "autoname": "copy", "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", "response": { - "applyOnNetworkIntentPolicyBasedServices": { + "egressVpnSiteLinkConnections": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" } }, - "description": { + "etag": {}, + "externalMappings": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } }, - "etag": {}, "id": {}, - "name": {}, - "provisioningState": { + "ingressVpnSiteLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, + "ipConfigurationId": { "containers": [ "properties" ] }, - "resourceGuid": { + "mode": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] }, "type": {} } }, - "azure-native:network/v20230201:SecurityPartnerProvider": { - "PUT": [ + "azure-native:network:getNetworkGroup": { + "GET": [ { "location": "path", - "name": "resourceGroupName", + "name": "subscriptionId", "required": true, "value": { "type": "string" @@ -68062,257 +31686,75 @@ }, { "location": "path", - "name": "securityPartnerProviderName", + "name": "resourceGroupName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "securityProviderName": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "networkManagerName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", - "name": "subscriptionId", + "name": "networkGroupName", "required": true, "value": { "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", "response": { - "connectionStatus": { + "description": { "containers": [ "properties" ] }, "etag": {}, "id": {}, - "location": {}, "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "securityProviderName": { + "resourceGuid": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } + "type": {} } }, - "azure-native:network/v20230201:SecurityRule": { - "PUT": [ + "azure-native:network:getNetworkInterface": { + "GET": [ { "location": "path", "name": "resourceGroupName", "required": true, "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkSecurityGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "securityRuleName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - }, - { - "body": { - "properties": { - "access": { - "containers": [ - "properties" - ], - "type": "string" - }, - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "destinationAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "destinationAddressPrefixes": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationApplicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" - }, - "destinationPortRange": { - "containers": [ - "properties" - ], - "type": "string" - }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "direction": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "priority": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sourceAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sourceAddressPrefixes": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceApplicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" - }, - "sourcePortRange": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "type": { - "type": "string" - } - }, - "required": [ - "access", - "direction", - "priority", - "protocol" - ] - }, - "location": "body", - "name": "securityRuleParameters", + "type": "string" + } + }, + { + "location": "path", + "name": "networkInterfaceName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", @@ -68321,30 +31763,63 @@ "value": { "type": "string" } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", "response": { - "access": { + "auxiliaryMode": { "containers": [ "properties" ] }, - "description": { + "auxiliarySku": { "containers": [ "properties" ] }, - "destinationAddressPrefix": { + "disableTcpStateTracking": { "containers": [ "properties" ] }, - "destinationAddressPrefixes": { + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse", + "containers": [ + "properties" + ] + }, + "dscpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "enableAcceleratedNetworking": { + "containers": [ + "properties" + ] + }, + "enableIPForwarding": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "hostedWorkloads": { "containers": [ "properties" ], @@ -68352,91 +31827,101 @@ "type": "string" } }, - "destinationApplicationSecurityGroups": { + "id": {}, + "ipConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "type": "object" } }, - "destinationPortRange": { + "location": {}, + "macAddress": { "containers": [ "properties" ] }, - "destinationPortRanges": { + "migrationPhase": { "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, - "direction": { + "name": {}, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "name": {}, - "priority": { + "nicType": { "containers": [ "properties" ] }, - "protocol": { + "primary": { "containers": [ "properties" ] }, - "provisioningState": { + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "containers": [ "properties" ] }, - "sourceAddressPrefix": { + "privateLinkService": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceResponse", "containers": [ "properties" ] }, - "sourceAddressPrefixes": { + "provisioningState": { "containers": [ "properties" - ], - "items": { + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { "type": "string" } }, - "sourceApplicationSecurityGroups": { + "tapConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", "type": "object" } }, - "sourcePortRange": { + "type": {}, + "virtualMachine": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "sourcePortRanges": { + "vnetEncryptionSupported": { "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, - "type": {} + "workloadType": { + "containers": [ + "properties" + ] + } } }, - "azure-native:network/v20230201:ServiceEndpointPolicy": { - "PUT": [ + "azure-native:network:getNetworkInterfaceTapConfiguration": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -68447,60 +31932,19 @@ }, { "location": "path", - "name": "serviceEndpointPolicyName", + "name": "networkInterfaceName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "contextualServiceEndpointPolicies": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "serviceAlias": { - "containers": [ - "properties" - ], - "type": "string" - }, - "serviceEndpointPolicyDefinitions": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyDefinition", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "tapConfigurationName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", @@ -68511,79 +31955,33 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", "response": { - "contextualServiceEndpointPolicies": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, "etag": {}, "id": {}, - "kind": {}, - "location": {}, "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "serviceAlias": { + "type": {}, + "virtualNetworkTap": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", "containers": [ "properties" ] - }, - "serviceEndpointPolicyDefinitions": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyDefinitionResponse", - "type": "object" - } - }, - "subnets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} + } } }, - "azure-native:network/v20230201:ServiceEndpointPolicyDefinition": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, + "azure-native:network:getNetworkManager": { + "GET": [ { "location": "path", - "name": "serviceEndpointPolicyName", + "name": "subscriptionId", "required": true, "value": { "type": "string" @@ -68591,67 +31989,25 @@ }, { "location": "path", - "name": "serviceEndpointPolicyDefinitionName", + "name": "resourceGroupName", "required": true, "value": { - "autoname": "copy", "type": "string" } }, - { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "service": { - "containers": [ - "properties" - ], - "type": "string" - }, - "serviceResources": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "type": { - "type": "string" - } - } - }, - "location": "body", - "name": "ServiceEndpointPolicyDefinitions", - "required": true, - "value": {} - }, { "location": "path", - "name": "subscriptionId", + "name": "networkManagerName", "required": true, "value": { "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", "response": { "description": { "containers": [ @@ -68660,54 +32016,45 @@ }, "etag": {}, "id": {}, + "location": {}, "name": {}, - "provisioningState": { + "networkManagerScopeAccesses": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "networkManagerScopes": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesResponseNetworkManagerScopes", "containers": [ "properties" ] }, - "service": { + "provisioningState": { "containers": [ "properties" ] }, - "serviceResources": { + "resourceGuid": { "containers": [ "properties" - ], - "items": { + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "tags": { + "additionalProperties": { "type": "string" } }, "type": {} } }, - "azure-native:network/v20230201:StaticMember": { - "PUT": [ - { - "body": { - "properties": { - "resourceId": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, + "azure-native:network:getNetworkProfile": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -68718,7 +32065,7 @@ }, { "location": "path", - "name": "networkManagerName", + "name": "networkProfileName", "required": true, "value": { "type": "string" @@ -68726,52 +32073,68 @@ }, { "location": "path", - "name": "networkGroupName", + "name": "subscriptionId", "required": true, "value": { "type": "string" } }, { - "location": "path", - "name": "staticMemberName", - "required": true, + "location": "query", + "name": "$expand", "value": { - "autoname": "copy", + "sdkName": "expand", "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", "response": { + "containerNetworkInterfaceConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse", + "type": "object" + } + }, + "containerNetworkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceResponse", + "type": "object" + } + }, "etag": {}, "id": {}, + "location": {}, "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "region": { - "containers": [ - "properties" - ] - }, - "resourceId": { + "resourceGuid": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" + "tags": { + "additionalProperties": { + "type": "string" + } }, "type": {} } }, - "azure-native:network/v20230201:Subnet": { - "PUT": [ + "azure-native:network:getNetworkSecurityGroup": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -68782,7 +32145,7 @@ }, { "location": "path", - "name": "virtualNetworkName", + "name": "networkSecurityGroupName", "required": true, "value": { "type": "string" @@ -68790,323 +32153,281 @@ }, { "location": "path", - "name": "subnetName", + "name": "subscriptionId", "required": true, "value": { - "autoname": "copy", "type": "string" } }, { - "body": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "addressPrefixes": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "applicationGatewayIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "delegations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:Delegation", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "ipAllocations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroup", - "containers": [ - "properties" - ], - "type": "object" - }, - "privateEndpointNetworkPolicies": { - "containers": [ - "properties" - ], - "default": "Disabled", - "type": "string" - }, - "privateLinkServiceNetworkPolicies": { - "containers": [ - "properties" - ], - "default": "Enabled", - "type": "string" - }, - "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:RouteTable", - "containers": [ - "properties" - ], - "type": "object" - }, - "serviceEndpointPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicy", - "type": "object" - }, - "type": "array" - }, - "serviceEndpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPropertiesFormat", - "type": "object" - }, - "type": "array" - }, - "type": { - "type": "string" - } - } - }, - "location": "body", - "name": "subnetParameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, + "location": "query", + "name": "$expand", "value": { + "sdkName": "expand", "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", "response": { - "addressPrefix": { + "defaultSecurityRules": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", + "type": "object" + } }, - "addressPrefixes": { + "etag": {}, + "flowLogs": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", + "type": "object" } }, - "applicationGatewayIPConfigurations": { + "flushConnection": { + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "networkInterfaces": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" } }, - "delegations": { + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "securityRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:DelegationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", "type": "object" } }, - "etag": {}, - "id": {}, - "ipAllocations": { + "subnets": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" } }, - "ipConfigurationProfiles": { + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getNetworkVirtualAppliance": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkVirtualApplianceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "response": { + "additionalNics": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationProfileResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicPropertiesResponse", "type": "object" } }, - "ipConfigurations": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "bootStrapConfigurationBlobs": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", - "type": "object" + "type": "string" } }, - "name": {}, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "cloudInitConfiguration": { "containers": [ "properties" ] }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", + "cloudInitConfigurationBlobs": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "delegation": { + "$ref": "#/types/azure-native_network_v20230201:network:DelegationPropertiesResponse", "containers": [ "properties" ] }, - "privateEndpointNetworkPolicies": { + "deploymentType": { "containers": [ "properties" - ], - "default": "Disabled" + ] }, - "privateEndpoints": { + "etag": {}, + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "inboundSecurityRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "privateLinkServiceNetworkPolicies": { + "location": {}, + "name": {}, + "nvaSku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuPropertiesResponse", "containers": [ "properties" - ], - "default": "Enabled" + ] }, - "provisioningState": { + "partnerManagedResource": { + "$ref": "#/types/azure-native_network_v20230201:network:PartnerManagedResourcePropertiesResponse", "containers": [ "properties" ] }, - "purpose": { + "provisioningState": { "containers": [ "properties" ] }, - "resourceNavigationLinks": { + "sshPublicKey": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ResourceNavigationLinkResponse", - "type": "object" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" } }, - "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:RouteTableResponse", + "type": {}, + "virtualApplianceAsn": { "containers": [ "properties" ] }, - "serviceAssociationLinks": { + "virtualApplianceConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceAssociationLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "serviceEndpointPolicies": { + "virtualApplianceNics": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceNicPropertiesResponse", "type": "object" } }, - "serviceEndpoints": { + "virtualApplianceSites": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPropertiesFormatResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "type": {} + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } } }, - "azure-native:network/v20230201:SubscriptionNetworkManagerConnection": { - "PUT": [ + "azure-native:network:getNetworkVirtualApplianceConnection": { + "GET": [ { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "networkManagerId": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "subscriptionId", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", - "name": "subscriptionId", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -69114,39 +32435,35 @@ }, { "location": "path", - "name": "networkManagerConnectionName", + "name": "networkVirtualApplianceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", "required": true, "value": { - "autoname": "random", "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", "response": { - "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, "id": {}, "name": {}, - "networkManagerId": { - "containers": [ - "properties" - ] - }, - "systemData": { - "$ref": "#/types/azure-native:network/v20230201:SystemDataResponse" - }, - "type": {} + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionPropertiesResponse" + } } }, - "azure-native:network/v20230201:VirtualApplianceSite": { - "PUT": [ + "azure-native:network:getNetworkWatcher": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -69157,50 +32474,12 @@ }, { "location": "path", - "name": "networkVirtualApplianceName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "siteName", + "name": "networkWatcherName", "required": true, "value": { - "autoname": "copy", "type": "string" } }, - { - "body": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:Office365PolicyProperties", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -69210,36 +32489,30 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", "response": { - "addressPrefix": { - "containers": [ - "properties" - ] - }, "etag": {}, "id": {}, + "location": {}, "name": {}, - "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:Office365PolicyPropertiesResponse", - "containers": [ - "properties" - ] - }, "provisioningState": { "containers": [ "properties" ] }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, "type": {} } }, - "azure-native:network/v20230201:VirtualHub": { - "PUT": [ + "azure-native:network:getP2sVpnGateway": { + "GET": [ { "location": "path", "name": "subscriptionId", @@ -69258,320 +32531,184 @@ }, { "location": "path", - "name": "virtualHubName", + "name": "gatewayName", "required": true, "value": { - "autoname": "random", "type": "string" } - }, - { - "body": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "allowBranchToBranchTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "azureFirewall": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "expressRouteGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "hubRoutingPreference": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "p2SVpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "preferredRoutingGateway": { - "containers": [ - "properties" - ], - "type": "string" - }, - "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTable", - "containers": [ - "properties" - ], - "type": "object" - }, - "securityPartnerProvider": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "securityProviderName": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sku": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualHubRouteTableV2s": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTableV2", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "virtualRouterAsn": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "virtualRouterAutoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VirtualRouterAutoScaleConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "virtualRouterIps": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "vpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - }, - "required": [ - "location" - ] - }, - "location": "body", - "name": "virtualHubParameters", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", "response": { - "addressPrefix": { + "customDnsServers": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "isRoutingPreferenceInternet": { "containers": [ "properties" ] }, - "allowBranchToBranchTraffic": { + "location": {}, + "name": {}, + "p2SConnectionConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", + "type": "object" + } + }, + "provisioningState": { "containers": [ "properties" ] }, - "azureFirewall": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "bgpConnections": { + "vpnClientConnectionHealth": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + ] }, - "etag": {}, - "expressRouteGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "vpnGatewayScaleUnit": { "containers": [ "properties" ] }, - "hubRoutingPreference": { + "vpnServerConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getPacketCapture": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "packetCaptureName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "response": { + "bytesToCapturePerPacket": { "containers": [ "properties" - ] + ], + "default": 0 }, - "id": {}, - "ipConfigurations": { + "etag": {}, + "filters": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilterResponse", "type": "object" } }, - "kind": {}, - "location": {}, + "id": {}, "name": {}, - "p2SVpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "preferredRoutingGateway": { - "containers": [ - "properties" - ] - }, "provisioningState": { "containers": [ "properties" ] }, - "routeMaps": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTableResponse", - "containers": [ - "properties" - ] - }, - "routingState": { + "scope": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScopeResponse", "containers": [ "properties" ] }, - "securityPartnerProvider": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "storageLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocationResponse", "containers": [ "properties" ] }, - "securityProviderName": { + "target": { "containers": [ "properties" ] }, - "sku": { + "targetType": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualHubRouteTableV2s": { + "timeLimitInSeconds": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteTableV2Response", - "type": "object" - } - }, - "virtualRouterAsn": { - "containers": [ - "properties" - ] - }, - "virtualRouterAutoScaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VirtualRouterAutoScaleConfigurationResponse", - "containers": [ - "properties" - ] + "default": 18000 }, - "virtualRouterIps": { + "totalBytesPerSession": { "containers": [ "properties" ], - "items": { - "type": "string" - } - }, - "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "vpnGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + "default": 1073741824 } } }, - "azure-native:network/v20230201:VirtualHubBgpConnection": { - "PUT": [ + "azure-native:network:getPrivateDnsZoneGroup": { + "GET": [ { "location": "path", - "name": "subscriptionId", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -69579,7 +32716,7 @@ }, { "location": "path", - "name": "resourceGroupName", + "name": "privateEndpointName", "required": true, "value": { "type": "string" @@ -69587,7 +32724,7 @@ }, { "location": "path", - "name": "virtualHubName", + "name": "privateDnsZoneGroupName", "required": true, "value": { "type": "string" @@ -69595,94 +32732,42 @@ }, { "location": "path", - "name": "connectionName", + "name": "subscriptionId", "required": true, "value": { - "autoname": "copy", "type": "string" } - }, - { - "body": { - "properties": { - "hubVirtualNetworkConnection": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "peerAsn": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "peerIp": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", "response": { - "connectionState": { - "containers": [ - "properties" - ] - }, "etag": {}, - "hubVirtualNetworkConnection": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, "id": {}, "name": {}, - "peerAsn": { - "containers": [ - "properties" - ] - }, - "peerIp": { + "privateDnsZoneConfigs": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfigResponse", + "type": "object" + } }, "provisioningState": { "containers": [ "properties" ] - }, - "type": {} + } } }, - "azure-native:network/v20230201:VirtualHubIpConfiguration": { - "PUT": [ + "azure-native:network:getPrivateEndpoint": { + "GET": [ { "location": "path", - "name": "subscriptionId", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -69690,7 +32775,7 @@ }, { "location": "path", - "name": "resourceGroupName", + "name": "privateEndpointName", "required": true, "value": { "type": "string" @@ -69698,108 +32783,116 @@ }, { "location": "path", - "name": "virtualHubName", + "name": "subscriptionId", "required": true, "value": { "type": "string" } }, { - "location": "path", - "name": "ipConfigName", - "required": true, + "location": "query", + "name": "$expand", "value": { - "autoname": "copy", + "sdkName": "expand", "type": "string" } - }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "privateIPAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ], - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", - "containers": [ - "properties" - ], - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", "response": { + "applicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + } + }, + "customDnsConfigs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse", + "type": "object" + } + }, + "customNetworkInterfaceName": { + "containers": [ + "properties" + ] + }, "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, "id": {}, - "name": {}, - "privateIPAddress": { + "ipConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse", + "type": "object" + } }, - "privateIPAllocationMethod": { + "location": {}, + "manualPrivateLinkServiceConnections": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", + "type": "object" + } }, - "provisioningState": { + "name": {}, + "networkInterfaces": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "privateLinkServiceConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", + "type": "object" + } + }, + "provisioningState": { "containers": [ "properties" ] }, "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "containers": [ "properties" ] }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, "type": {} } }, - "azure-native:network/v20230201:VirtualHubRouteTableV2": { - "PUT": [ + "azure-native:network:getPrivateLinkService": { + "GET": [ { "location": "path", - "name": "subscriptionId", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -69807,7 +32900,7 @@ }, { "location": "path", - "name": "resourceGroupName", + "name": "serviceName", "required": true, "value": { "type": "string" @@ -69815,64 +32908,47 @@ }, { "location": "path", - "name": "virtualHubName", + "name": "subscriptionId", "required": true, "value": { "type": "string" } }, { - "location": "path", - "name": "routeTableName", - "required": true, + "location": "query", + "name": "$expand", "value": { - "autoname": "copy", + "sdkName": "expand", "type": "string" } - }, - { - "body": { - "properties": { - "attachedConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteV2", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "virtualHubRouteTableV2Parameters", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", "response": { - "attachedConnections": { + "alias": { + "containers": [ + "properties" + ] + }, + "autoApproval": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval", + "containers": [ + "properties" + ] + }, + "enableProxyProtocol": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "fqdns": { "containers": [ "properties" ], @@ -69880,157 +32956,89 @@ "type": "string" } }, - "etag": {}, "id": {}, - "name": {}, - "provisioningState": { + "ipConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse", + "type": "object" + } }, - "routes": { + "loadBalancerFrontendIpConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteV2Response", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", "type": "object" } - } - } - }, - "azure-native:network/v20230201:VirtualNetwork": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + }, + "location": {}, + "name": {}, + "networkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" } }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "autoname": "random", + "privateEndpointConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointConnectionResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { "type": "string" } }, - { - "body": { - "properties": { - "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "bgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunities", - "containers": [ - "properties" - ], - "type": "object" - }, - "ddosProtectionPlan": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "dhcpOptions": { - "$ref": "#/types/azure-native:network/v20230201:DhcpOptions", - "containers": [ - "properties" - ], - "type": "object" - }, - "enableDdosProtection": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "enableVmProtection": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "encryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryption", - "containers": [ - "properties" - ], - "type": "object" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" - }, - "flowTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "id": { - "type": "string" - }, - "ipAllocations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "location": { - "forceNew": true, - "type": "string" - }, - "subnets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualNetworkPeerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPeering", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", + "type": {}, + "visibility": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getPrivateLinkServicePrivateEndpointConnection": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", "required": true, - "value": {} + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "serviceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peConnectionName", + "required": true, + "value": { + "type": "string" + } }, { "location": "path", @@ -70039,104 +33047,194 @@ "value": { "type": "string" } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", "response": { - "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "etag": {}, + "id": {}, + "linkIdentifier": { "containers": [ "properties" ] }, - "bgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse", + "name": {}, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "containers": [ "properties" ] }, - "ddosProtectionPlan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "privateEndpointLocation": { "containers": [ "properties" ] }, - "dhcpOptions": { - "$ref": "#/types/azure-native:network/v20230201:DhcpOptionsResponse", + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", "containers": [ "properties" ] }, - "enableDdosProtection": { + "provisioningState": { "containers": [ "properties" - ], - "default": false + ] }, - "enableVmProtection": { + "type": {} + } + }, + "azure-native:network:getPublicIPAddress": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "publicIpAddressName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "response": { + "ddosSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettingsResponse", "containers": [ "properties" - ], - "default": false + ] }, - "encryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryptionResponse", + "deleteOption": { + "containers": [ + "properties" + ] + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse", "containers": [ "properties" ] }, "etag": {}, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" }, - "flowLogs": { + "id": {}, + "idleTimeoutInMinutes": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogResponse", - "type": "object" - } + ] }, - "flowTimeoutInMinutes": { + "ipAddress": { "containers": [ "properties" ] }, - "id": {}, - "ipAllocations": { + "ipConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "ipTags": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", "type": "object" } }, + "linkedPublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "containers": [ + "properties" + ] + }, "location": {}, + "migrationPhase": { + "containers": [ + "properties" + ] + }, "name": {}, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", + "containers": [ + "properties" + ] + }, "provisioningState": { "containers": [ "properties" ] }, + "publicIPAddressVersion": { + "containers": [ + "properties" + ] + }, + "publicIPAllocationMethod": { + "containers": [ + "properties" + ] + }, + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, "resourceGuid": { "containers": [ "properties" ] }, - "subnets": { + "servicePublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "type": "object" - } + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuResponse" }, "tags": { "additionalProperties": { @@ -70144,19 +33242,15 @@ } }, "type": {}, - "virtualNetworkPeerings": { - "containers": [ - "properties" - ], + "zones": { "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkPeeringResponse", - "type": "object" + "type": "string" } } } }, - "azure-native:network/v20230201:VirtualNetworkGateway": { - "PUT": [ + "azure-native:network:getPublicIPPrefix": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -70167,183 +33261,12 @@ }, { "location": "path", - "name": "virtualNetworkGatewayName", + "name": "publicIpPrefixName", "required": true, "value": { - "autoname": "random", "type": "string" } }, - { - "body": { - "properties": { - "activeActive": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "adminState": { - "containers": [ - "properties" - ], - "type": "string" - }, - "allowRemoteVnetTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "allowVirtualWanTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "customRoutes": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "disableIPSecReplayProtection": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableBgp": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableBgpRouteTranslationForNat": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableDnsForwarding": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enablePrivateIpAddress": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" - }, - "gatewayDefaultSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "gatewayType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "natRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayNatRule", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySku", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "vNetExtendedLocationResourceId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "virtualNetworkGatewayPolicyGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroup", - "type": "object" - }, - "type": "array" - }, - "vpnClientConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "vpnGatewayGeneration": { - "containers": [ - "properties" - ], - "type": "string" - }, - "vpnType": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -70351,114 +33274,235 @@ "value": { "type": "string" } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "putAsyncStyle": "azure-async-operation", - "requiredContainers": [ - [ - "properties" - ] - ], + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", "response": { - "activeActive": { + "customIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "adminState": { + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "id": {}, + "ipPrefix": { "containers": [ "properties" ] }, - "allowRemoteVnetTraffic": { + "ipTags": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", + "type": "object" + } }, - "allowVirtualWanTraffic": { + "loadBalancerFrontendIpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "location": {}, + "name": {}, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", "containers": [ "properties" ] }, - "customRoutes": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "prefixLength": { "containers": [ "properties" ] }, - "disableIPSecReplayProtection": { + "provisioningState": { "containers": [ "properties" ] }, - "enableBgp": { + "publicIPAddressVersion": { "containers": [ "properties" ] }, - "enableBgpRouteTranslationForNat": { + "publicIPAddresses": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ReferencedPublicIpAddressResponse", + "type": "object" + } }, - "enableDnsForwarding": { + "resourceGuid": { "containers": [ "properties" ] }, - "enablePrivateIpAddress": { + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native:network:getRoute": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "response": { + "addressPrefix": { "containers": [ "properties" ] }, "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" + "hasBgpOverride": { + "containers": [ + "properties" + ] }, - "gatewayDefaultSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "id": {}, + "name": {}, + "nextHopIpAddress": { "containers": [ "properties" ] }, - "gatewayType": { + "nextHopType": { + "containers": [ + "properties" + ] + }, + "provisioningState": { "containers": [ "properties" ] }, + "type": {} + } + }, + "azure-native:network:getRouteFilter": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeFilterName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "response": { + "etag": {}, "id": {}, - "inboundDnsForwardingEndpoint": { - "containers": [ - "properties" - ] - }, - "ipConfigurations": { + "ipv6Peerings": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", "type": "object" } }, "location": {}, "name": {}, - "natRules": { + "peerings": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayNatRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", "type": "object" } }, @@ -70467,57 +33511,25 @@ "properties" ] }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySkuResponse", - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "vNetExtendedLocationResourceId": { - "containers": [ - "properties" - ] - }, - "virtualNetworkGatewayPolicyGroups": { + "rules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRuleResponse", "type": "object" } }, - "vpnClientConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConfigurationResponse", - "containers": [ - "properties" - ] - }, - "vpnGatewayGeneration": { - "containers": [ - "properties" - ] + "tags": { + "additionalProperties": { + "type": "string" + } }, - "vpnType": { - "containers": [ - "properties" - ] - } + "type": {} } }, - "azure-native:network/v20230201:VirtualNetworkGatewayConnection": { - "PUT": [ + "azure-native:network:getRouteFilterRule": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -70528,188 +33540,19 @@ }, { "location": "path", - "name": "virtualNetworkGatewayConnectionName", + "name": "routeFilterName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "authorizationKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "connectionMode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "connectionProtocol": { - "containers": [ - "properties" - ], - "type": "string" - }, - "connectionType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "dpdTimeoutSeconds": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "egressNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "enableBgp": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "expressRouteGatewayBypass": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "gatewayCustomBgpIpAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfiguration", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "ingressNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "ipsecPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", - "type": "object" - }, - "type": "array" - }, - "localNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:LocalNetworkGateway", - "containers": [ - "properties" - ], - "type": "object" - }, - "location": { - "type": "string" - }, - "peer": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "routingWeight": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "sharedKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "trafficSelectorPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicy", - "type": "object" - }, - "type": "array" - }, - "useLocalAzureIpAddress": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "usePolicyBasedTrafficSelectors": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "virtualNetworkGateway1": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGateway", - "containers": [ - "properties" - ], - "type": "object" - }, - "virtualNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGateway", - "containers": [ - "properties" - ], - "type": "object" - } - }, - "required": [ - "connectionType", - "virtualNetworkGateway1" - ] - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "ruleName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", @@ -70720,124 +33563,165 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "putAsyncStyle": "azure-async-operation", - "requiredContainers": [ - [ - "properties" - ] - ], + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", "response": { - "authorizationKey": { - "containers": [ - "properties" - ] - }, - "connectionMode": { + "access": { "containers": [ "properties" ] }, - "connectionProtocol": { + "communities": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, - "connectionStatus": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "connectionType": { + "routeFilterRuleType": { "containers": [ "properties" ] + } + } + }, + "azure-native:network:getRouteMap": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "dpdTimeoutSeconds": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "egressBytesTransferred": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } }, - "egressNatRules": { + { + "location": "path", + "name": "routeMapName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "response": { + "associatedInboundConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" + "type": "string" } }, - "enableBgp": { - "containers": [ - "properties" - ] - }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "expressRouteGatewayBypass": { - "containers": [ - "properties" - ] - }, - "gatewayCustomBgpIpAddresses": { + "associatedOutboundConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfigurationResponse", - "type": "object" + "type": "string" } }, + "etag": {}, "id": {}, - "ingressBytesTransferred": { + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "ingressNatRules": { + "rules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRuleResponse", "type": "object" } }, - "ipsecPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", - "type": "object" + "type": {} + } + }, + "azure-native:network:getRouteTable": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" } }, - "localNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:LocalNetworkGatewayResponse", + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "response": { + "disableBgpRoutePropagation": { "containers": [ "properties" ] }, + "etag": {}, + "id": {}, "location": {}, "name": {}, - "peer": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, "provisioningState": { "containers": [ "properties" @@ -70848,66 +33732,158 @@ "properties" ] }, - "routingWeight": { + "routes": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteResponse", + "type": "object" + } }, - "sharedKey": { + "subnets": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } }, "tags": { "additionalProperties": { "type": "string" } }, - "trafficSelectorPolicies": { + "type": {} + } + }, + "azure-native:network:getRoutingIntent": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routingIntentName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicyResponse", - "type": "object" - } + ] }, - "tunnelConnectionStatus": { + "routingPolicies": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:TunnelConnectionHealthResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicyResponse", "type": "object" } }, - "type": {}, - "useLocalAzureIpAddress": { - "containers": [ - "properties" - ] + "type": {} + } + }, + "azure-native:network:getScopeConnection": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "usePolicyBasedTrafficSelectors": { + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "scopeConnectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "response": { + "description": { "containers": [ "properties" ] }, - "virtualNetworkGateway1": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayResponse", + "etag": {}, + "id": {}, + "name": {}, + "resourceId": { "containers": [ "properties" ] }, - "virtualNetworkGateway2": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayResponse", + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "tenantId": { "containers": [ "properties" ] - } + }, + "type": {} } }, - "azure-native:network/v20230201:VirtualNetworkGatewayNatRule": { - "PUT": [ + "azure-native:network:getSecurityAdminConfiguration": { + "GET": [ { "location": "path", "name": "subscriptionId", @@ -70926,7 +33902,7 @@ }, { "location": "path", - "name": "virtualNetworkGatewayName", + "name": "networkManagerName", "required": true, "value": { "type": "string" @@ -70934,115 +33910,52 @@ }, { "location": "path", - "name": "natRuleName", + "name": "configurationName", "required": true, "value": { - "autoname": "copy", "type": "string" } - }, - { - "body": { - "properties": { - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "internalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "ipConfigurationId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "mode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "name": { - "type": "string" - }, - "type": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "NatRuleParameters", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", "response": { - "etag": {}, - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" - } - }, - "id": {}, - "internalMappings": { + "applyOnNetworkIntentPolicyBasedServices": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" + "type": "string" } }, - "ipConfigurationId": { + "description": { "containers": [ "properties" ] }, - "mode": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "name": {}, - "provisioningState": { + "resourceGuid": { "containers": [ "properties" ] }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, "type": {} } }, - "azure-native:network/v20230201:VirtualNetworkPeering": { - "PUT": [ + "azure-native:network:getSecurityPartnerProvider": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -71053,7 +33966,7 @@ }, { "location": "path", - "name": "virtualNetworkName", + "name": "securityPartnerProviderName", "required": true, "value": { "type": "string" @@ -71061,105 +33974,73 @@ }, { "location": "path", - "name": "virtualNetworkPeeringName", + "name": "subscriptionId", "required": true, "value": { - "autoname": "copy", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "response": { + "connectionStatus": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "securityProviderName": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { "type": "string" } }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getSecurityRule": { + "GET": [ { - "body": { - "properties": { - "allowForwardedTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "allowGatewayTransit": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "allowVirtualNetworkAccess": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "doNotVerifyRemoteGateways": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "peeringState": { - "containers": [ - "properties" - ], - "type": "string" - }, - "peeringSyncLevel": { - "containers": [ - "properties" - ], - "type": "string" - }, - "remoteAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "remoteBgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunities", - "containers": [ - "properties" - ], - "type": "object" - }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "type": { - "type": "string" - }, - "useRemoteGateways": { - "containers": [ - "properties" - ], - "type": "boolean" - } - } - }, - "location": "body", - "name": "VirtualNetworkPeeringParameters", + "location": "path", + "name": "resourceGroupName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { - "location": "query", - "name": "syncRemoteAddressSpace", + "location": "path", + "name": "networkSecurityGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "securityRuleName", + "required": true, "value": { "type": "string" } @@ -71173,95 +34054,119 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", "response": { - "allowForwardedTraffic": { + "access": { "containers": [ "properties" ] }, - "allowGatewayTransit": { + "description": { "containers": [ "properties" ] }, - "allowVirtualNetworkAccess": { + "destinationAddressPrefix": { "containers": [ "properties" ] }, - "doNotVerifyRemoteGateways": { + "destinationAddressPrefixes": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, - "etag": {}, - "id": {}, - "name": {}, - "peeringState": { + "destinationApplicationSecurityGroups": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + } }, - "peeringSyncLevel": { + "destinationPortRange": { "containers": [ "properties" ] }, - "provisioningState": { + "destinationPortRanges": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, - "remoteAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "direction": { "containers": [ "properties" ] }, - "remoteBgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse", + "etag": {}, + "id": {}, + "name": {}, + "priority": { "containers": [ "properties" ] }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "protocol": { "containers": [ "properties" ] }, - "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "provisioningState": { "containers": [ "properties" ] }, - "remoteVirtualNetworkEncryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryptionResponse", + "sourceAddressPrefix": { "containers": [ "properties" ] }, - "resourceGuid": { + "sourceAddressPrefixes": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, - "type": {}, - "useRemoteGateways": { + "sourceApplicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + } + }, + "sourcePortRange": { "containers": [ "properties" ] - } + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "type": {} } }, - "azure-native:network/v20230201:VirtualNetworkTap": { - "PUT": [ + "azure-native:network:getServiceEndpointPolicy": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -71272,55 +34177,12 @@ }, { "location": "path", - "name": "tapName", + "name": "serviceEndpointPolicyName", "required": true, "value": { - "autoname": "random", "type": "string" } }, - { - "body": { - "properties": { - "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "destinationPort": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, { "location": "path", "name": "subscriptionId", @@ -71328,53 +34190,66 @@ "value": { "type": "string" } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", "response": { - "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", + "contextualServiceEndpointPolicies": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "kind": {}, + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "resourceGuid": { "containers": [ "properties" ] }, - "destinationPort": { + "serviceAlias": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "networkInterfaceTapConfigurations": { + "serviceEndpointPolicyDefinitions": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse", "type": "object" } }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { + "subnets": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } }, "tags": { "additionalProperties": { @@ -71384,8 +34259,8 @@ "type": {} } }, - "azure-native:network/v20230201:VirtualRouter": { - "PUT": [ + "azure-native:network:getServiceEndpointPolicyDefinition": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -71396,65 +34271,19 @@ }, { "location": "path", - "name": "virtualRouterName", + "name": "serviceEndpointPolicyName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "hostedGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "hostedSubnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualRouterAsn": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "virtualRouterIps": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "serviceEndpointPolicyDefinitionName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", @@ -71465,68 +34294,45 @@ } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", "response": { - "etag": {}, - "hostedGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "hostedSubnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "description": { "containers": [ "properties" ] }, - "id": {}, - "location": {}, - "name": {}, - "peerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, + "etag": {}, + "id": {}, + "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualRouterAsn": { + "service": { "containers": [ "properties" ] }, - "virtualRouterIps": { + "serviceResources": { "containers": [ "properties" ], "items": { "type": "string" } - } + }, + "type": {} } }, - "azure-native:network/v20230201:VirtualRouterPeering": { - "PUT": [ + "azure-native:network:getStaticMember": { + "GET": [ { "location": "path", - "name": "resourceGroupName", + "name": "subscriptionId", "required": true, "value": { "type": "string" @@ -71534,7 +34340,7 @@ }, { "location": "path", - "name": "virtualRouterName", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -71542,84 +34348,63 @@ }, { "location": "path", - "name": "peeringName", + "name": "networkManagerName", "required": true, "value": { - "autoname": "copy", "type": "string" } }, { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "peerAsn": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "peerIp": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", + "location": "path", + "name": "networkGroupName", "required": true, - "value": {} + "value": { + "type": "string" + } }, { "location": "path", - "name": "subscriptionId", + "name": "staticMemberName", "required": true, "value": { "type": "string" } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", "response": { "etag": {}, "id": {}, "name": {}, - "peerAsn": { + "provisioningState": { "containers": [ "properties" ] }, - "peerIp": { + "region": { "containers": [ "properties" ] }, - "provisioningState": { + "resourceId": { "containers": [ "properties" ] }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, "type": {} } }, - "azure-native:network/v20230201:VirtualWan": { - "PUT": [ + "azure-native:network:getSubnet": { + "GET": [ { "location": "path", - "name": "subscriptionId", + "name": "resourceGroupName", "required": true, "value": { "type": "string" @@ -71627,7 +34412,7 @@ }, { "location": "path", - "name": "resourceGroupName", + "name": "virtualNetworkName", "required": true, "value": { "type": "string" @@ -71635,127 +34420,185 @@ }, { "location": "path", - "name": "VirtualWANName", + "name": "subnetName", "required": true, "value": { - "autoname": "random", - "sdkName": "virtualWANName", "type": "string" } }, { - "body": { - "properties": { - "allowBranchToBranchTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "allowVnetToVnetTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "disableVpnEncryption": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "type": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "location" - ] - }, - "location": "body", - "name": "WANParameters", + "location": "path", + "name": "subscriptionId", "required": true, - "value": {} + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", "response": { - "allowBranchToBranchTraffic": { + "addressPrefix": { "containers": [ "properties" ] }, - "allowVnetToVnetTraffic": { + "addressPrefixes": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, - "disableVpnEncryption": { + "applicationGatewayIPConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", + "type": "object" + } + }, + "delegations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:DelegationResponse", + "type": "object" + } }, "etag": {}, "id": {}, - "location": {}, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "ipConfigurationProfiles": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", + "type": "object" + } + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", + "type": "object" + } + }, "name": {}, - "office365LocalBreakoutCategory": { + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", "containers": [ "properties" ] }, + "privateEndpointNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Disabled" + }, + "privateEndpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "type": "object" + } + }, + "privateLinkServiceNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Enabled" + }, "provisioningState": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" + "purpose": { + "containers": [ + "properties" + ] + }, + "resourceNavigationLinks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ResourceNavigationLinkResponse", + "type": "object" } }, - "type": {}, - "virtualHubs": { + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteTableResponse", + "containers": [ + "properties" + ] + }, + "serviceAssociationLinks": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceAssociationLinkResponse", "type": "object" } }, - "vpnSites": { + "serviceEndpointPolicies": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyResponse", "type": "object" } - } + }, + "serviceEndpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse", + "type": "object" + } + }, + "type": {} } }, - "azure-native:network/v20230201:VpnConnection": { - "PUT": [ + "azure-native:network:getSubscriptionNetworkManagerConnection": { + "GET": [ { "location": "path", "name": "subscriptionId", @@ -71764,6 +34607,41 @@ "type": "string" } }, + { + "location": "path", + "name": "networkManagerConnectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "networkManagerId": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native:network:getVirtualApplianceSite": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -71774,7 +34652,7 @@ }, { "location": "path", - "name": "gatewayName", + "name": "networkVirtualApplianceName", "required": true, "value": { "type": "string" @@ -71782,256 +34660,232 @@ }, { "location": "path", - "name": "connectionName", + "name": "siteName", "required": true, "value": { - "autoname": "copy", "type": "string" } }, { - "body": { - "properties": { - "connectionBandwidth": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "dpdTimeoutSeconds": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "enableBgp": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableInternetSecurity": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableRateLimiting": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "ipsecPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", - "type": "object" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "remoteVpnSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "routingWeight": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "sharedKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "trafficSelectorPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicy", - "type": "object" - }, - "type": "array" - }, - "useLocalAzureIpAddress": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "usePolicyBasedTrafficSelectors": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "vpnConnectionProtocolType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "vpnLinkConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkConnection", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "VpnConnectionParameters", + "location": "path", + "name": "subscriptionId", "required": true, - "value": {} + "value": { + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", "response": { - "connectionBandwidth": { + "addressPrefix": { "containers": [ "properties" ] }, - "connectionStatus": { + "etag": {}, + "id": {}, + "name": {}, + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyPropertiesResponse", "containers": [ "properties" ] }, - "dpdTimeoutSeconds": { + "provisioningState": { "containers": [ "properties" ] }, - "egressBytesTransferred": { + "type": {} + } + }, + "azure-native:network:getVirtualHub": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "response": { + "addressPrefix": { "containers": [ "properties" ] }, - "enableBgp": { + "allowBranchToBranchTraffic": { "containers": [ "properties" ] }, - "enableInternetSecurity": { + "azureFirewall": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "enableRateLimiting": { + "bgpConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "etag": {}, + "expressRouteGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "hubRoutingPreference": { + "containers": [ + "properties" + ] + }, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "kind": {}, + "location": {}, + "name": {}, + "p2SVpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "preferredRoutingGateway": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "ingressBytesTransferred": { + "provisioningState": { "containers": [ "properties" ] }, - "ipsecPolicies": { + "routeMaps": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "name": {}, - "provisioningState": { + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableResponse", "containers": [ "properties" ] }, - "remoteVpnSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "routingState": { "containers": [ "properties" ] }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", + "securityPartnerProvider": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "routingWeight": { + "securityProviderName": { "containers": [ "properties" ] }, - "sharedKey": { + "sku": { "containers": [ "properties" ] }, - "trafficSelectorPolicies": { + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHubRouteTableV2s": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2Response", "type": "object" } }, - "useLocalAzureIpAddress": { + "virtualRouterAsn": { "containers": [ "properties" ] }, - "usePolicyBasedTrafficSelectors": { + "virtualRouterAutoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfigurationResponse", "containers": [ "properties" ] }, - "vpnConnectionProtocolType": { + "virtualRouterIps": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "vpnLinkConnections": { + "vpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkConnectionResponse", - "type": "object" - } + ] } } }, - "azure-native:network/v20230201:VpnGateway": { - "PUT": [ + "azure-native:network:getVirtualHubBgpConnection": { + "GET": [ { "location": "path", "name": "subscriptionId", @@ -72050,172 +34904,133 @@ }, { "location": "path", - "name": "gatewayName", + "name": "virtualHubName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "connections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnConnection", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "enableBgpRouteTranslationForNat": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "isRoutingPreferenceInternet": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "location": { - "type": "string" - }, - "natRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayNatRule", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "vpnGatewayScaleUnit": { - "containers": [ - "properties" - ], - "type": "integer" - } - }, - "required": [ - "location" - ] - }, - "location": "body", - "name": "vpnGatewayParameters", + "location": "path", + "name": "connectionName", "required": true, - "value": {} + "value": { + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", "response": { - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "connectionState": { "containers": [ "properties" ] }, - "connections": { + "etag": {}, + "hubVirtualNetworkConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnConnectionResponse", - "type": "object" - } + ] }, - "enableBgpRouteTranslationForNat": { + "id": {}, + "name": {}, + "peerAsn": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "ipConfigurations": { + "peerIp": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayIpConfigurationResponse", - "type": "object" - } + ] }, - "isRoutingPreferenceInternet": { + "provisioningState": { "containers": [ "properties" ] }, - "location": {}, + "type": {} + } + }, + "azure-native:network:getVirtualHubIpConfiguration": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ipConfigName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "response": { + "etag": {}, + "id": {}, "name": {}, - "natRules": { + "privateIPAddress": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnGatewayNatRuleResponse", - "type": "object" - } + ] }, - "provisioningState": { + "privateIPAllocationMethod": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "provisioningState": { + "containers": [ + "properties" + ] }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "containers": [ "properties" ] }, - "vpnGatewayScaleUnit": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "containers": [ "properties" ] - } + }, + "type": {} } }, - "azure-native:network/v20230201:VpnServerConfiguration": { - "PUT": [ + "azure-native:network:getVirtualHubRouteTableV2": { + "GET": [ { "location": "path", "name": "subscriptionId", @@ -72234,66 +35049,71 @@ }, { "location": "path", - "name": "vpnServerConfigurationName", + "name": "virtualHubName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "name": { - "type": "string" - }, - "properties": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationProperties", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "VpnServerConfigurationParameters", + "location": "path", + "name": "routeTableName", "required": true, - "value": {} + "value": { + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", "response": { + "attachedConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, "etag": {}, "id": {}, - "location": {}, "name": {}, - "properties": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPropertiesResponse" + "provisioningState": { + "containers": [ + "properties" + ] }, - "tags": { - "additionalProperties": { - "type": "string" + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2Response", + "type": "object" } - }, - "type": {} + } } }, - "azure-native:network/v20230201:VpnSite": { - "PUT": [ + "azure-native:network:getVirtualNetwork": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } + }, { "location": "path", "name": "subscriptionId", @@ -72302,6 +35122,130 @@ "type": "string" } }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "response": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "bgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", + "containers": [ + "properties" + ] + }, + "ddosProtectionPlan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "dhcpOptions": { + "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptionsResponse", + "containers": [ + "properties" + ] + }, + "enableDdosProtection": { + "containers": [ + "properties" + ], + "default": false + }, + "enableVmProtection": { + "containers": [ + "properties" + ], + "default": false + }, + "encryption": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "flowLogs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", + "type": "object" + } + }, + "flowTimeoutInMinutes": { + "containers": [ + "properties" + ] + }, + "id": {}, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualNetworkPeerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringResponse", + "type": "object" + } + } + } + }, + "azure-native:network:getVirtualNetworkGateway": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -72312,152 +35256,136 @@ }, { "location": "path", - "name": "vpnSiteName", + "name": "virtualNetworkGatewayName", "required": true, "value": { - "autoname": "random", "type": "string" } }, { - "body": { - "properties": { - "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "bgpProperties": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "deviceProperties": { - "$ref": "#/types/azure-native:network/v20230201:DeviceProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "ipAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "isSecuritySite": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "location": { - "type": "string" - }, - "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:O365PolicyProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "siteKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "vpnSiteLinks": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLink", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "location" - ] - }, - "location": "body", - "name": "VpnSiteParameters", + "location": "path", + "name": "subscriptionId", "required": true, - "value": {} + "value": { + "type": "string" + } } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "putAsyncStyle": "azure-async-operation", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", "response": { - "addressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "activeActive": { "containers": [ "properties" ] }, - "bgpProperties": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "adminState": { "containers": [ "properties" ] }, - "deviceProperties": { - "$ref": "#/types/azure-native:network/v20230201:DevicePropertiesResponse", + "allowRemoteVnetTraffic": { + "containers": [ + "properties" + ] + }, + "allowVirtualWanTraffic": { + "containers": [ + "properties" + ] + }, + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "containers": [ + "properties" + ] + }, + "customRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "disableIPSecReplayProtection": { + "containers": [ + "properties" + ] + }, + "enableBgp": { + "containers": [ + "properties" + ] + }, + "enableBgpRouteTranslationForNat": { + "containers": [ + "properties" + ] + }, + "enableDnsForwarding": { + "containers": [ + "properties" + ] + }, + "enablePrivateIpAddress": { "containers": [ "properties" ] }, "etag": {}, - "id": {}, - "ipAddress": { + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "gatewayDefaultSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "isSecuritySite": { + "gatewayType": { "containers": [ "properties" ] }, + "id": {}, + "inboundDnsForwardingEndpoint": { + "containers": [ + "properties" + ] + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse", + "type": "object" + } + }, "location": {}, "name": {}, - "o365Policy": { - "$ref": "#/types/azure-native:network/v20230201:O365PolicyPropertiesResponse", + "natRules": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse", + "type": "object" + } }, "provisioningState": { "containers": [ "properties" ] }, - "siteKey": { + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse", "containers": [ "properties" ] @@ -72468,25 +35396,40 @@ } }, "type": {}, - "virtualWan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "vNetExtendedLocationResourceId": { "containers": [ "properties" ] }, - "vpnSiteLinks": { + "virtualNetworkGatewayPolicyGroups": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse", "type": "object" } + }, + "vpnClientConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfigurationResponse", + "containers": [ + "properties" + ] + }, + "vpnGatewayGeneration": { + "containers": [ + "properties" + ] + }, + "vpnType": { + "containers": [ + "properties" + ] } } }, - "azure-native:network/v20230201:WebApplicationFirewallPolicy": { - "PUT": [ + "azure-native:network:getVirtualNetworkGatewayConnection": { + "GET": [ { "location": "path", "name": "resourceGroupName", @@ -72497,11 +35440,9 @@ }, { "location": "path", - "name": "policyName", + "name": "virtualNetworkGatewayConnectionName", "required": true, "value": { - "autoname": "random", - "maxLength": 128, "type": "string" } }, @@ -72512,110 +35453,116 @@ "value": { "type": "string" } - }, - { - "body": { - "properties": { - "customRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallCustomRule", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "managedRules": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRulesDefinition", - "containers": [ - "properties" - ], - "type": "object" - }, - "policySettings": { - "$ref": "#/types/azure-native:network/v20230201:PolicySettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - }, - "required": [ - "managedRules" - ] - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} } ], + "POST": null, "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", "response": { - "applicationGateways": { + "authorizationKey": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayResponse", - "type": "object" - } + ] }, - "customRules": { + "connectionMode": { + "containers": [ + "properties" + ] + }, + "connectionProtocol": { + "containers": [ + "properties" + ] + }, + "connectionStatus": { + "containers": [ + "properties" + ] + }, + "connectionType": { + "containers": [ + "properties" + ] + }, + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ] + }, + "egressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "egressNatRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallCustomRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, + "enableBgp": { + "containers": [ + "properties" + ] + }, + "enablePrivateLinkFastPath": { + "containers": [ + "properties" + ] + }, "etag": {}, - "httpListeners": { + "expressRouteGatewayBypass": { + "containers": [ + "properties" + ] + }, + "gatewayCustomBgpIpAddresses": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse", "type": "object" } }, "id": {}, - "location": {}, - "managedRules": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRulesDefinitionResponse", + "ingressBytesTransferred": { "containers": [ "properties" ] }, - "name": {}, - "pathBasedRules": { + "ingressNatRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "policySettings": { - "$ref": "#/types/azure-native:network/v20230201:PolicySettingsResponse", + "ipsecPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + } + }, + "localNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGatewayResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "peer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] @@ -72625,7 +35572,17 @@ "properties" ] }, - "resourceState": { + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "routingWeight": { + "containers": [ + "properties" + ] + }, + "sharedKey": { "containers": [ "properties" ] @@ -72635,100 +35592,51 @@ "type": "string" } }, - "type": {} - } - }, - "azure-native:storage:Blob": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" + "trafficSelectorPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", + "type": "object" } }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "tunnelConnectionStatus": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TunnelConnectionHealthResponse", + "type": "object" } }, - { - "location": "path", - "name": "accountName", - "required": true, - "value": { - "type": "string" - } + "type": {}, + "useLocalAzureIpAddress": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "containerName", - "required": true, - "value": { - "type": "string" - } + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "blobName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "virtualNetworkGateway1": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "accessTier": { - "type": "string" - }, - "contentMd5": { - "forceNew": true, - "type": "string" - }, - "contentType": { - "type": "string" - }, - "metadata": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "source": { - "$ref": "pulumi.json#/Asset", - "forceNew": true - }, - "type": { - "forceNew": true, - "type": "string" - } - }, - "required": [ - "resourceGroupName", - "accountName", - "containerName", - "blobName", - "type" - ] - }, - "location": "body", - "name": "properties", - "value": null + "virtualNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", + "containers": [ + "properties" + ] } - ], - "apiVersion": "", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/blobs/{blobName}", - "response": null + } }, - "azure-native:storage:BlobContainerLegalHold": { - "PUT": [ + "azure-native:network:getVirtualNetworkGatewayNatRule": { + "GET": [ { "location": "path", "name": "subscriptionId", @@ -72747,7 +35655,7 @@ }, { "location": "path", - "name": "accountName", + "name": "virtualNetworkGatewayName", "required": true, "value": { "type": "string" @@ -72755,186 +35663,126 @@ }, { "location": "path", - "name": "containerName", + "name": "natRuleName", "required": true, "value": { "type": "string" } - }, - { - "body": { - "properties": { - "allowProtectedAppendWritesAll": { - "type": "boolean" - }, - "tags": { - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "resourceGroupName", - "accountName", - "containerName", - "tags" - ] - }, - "location": "body", - "name": "properties", - "value": null } ], - "apiVersion": "", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/legalHold", - "response": null - }, - "azure-native:storage:StorageAccountStaticWebsite": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "response": { + "etag": {}, + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" } }, - { - "location": "path", - "name": "accountName", - "required": true, - "value": { - "type": "string" + "id": {}, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" } }, - { - "body": { - "properties": { - "error404Document": { - "type": "string" - }, - "indexDocument": { - "type": "string" - } - } - }, - "location": "body", - "name": "properties", - "value": null - } - ], - "apiVersion": "", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/staticWebsite", - "response": null - } - }, - "types": { - "azure-native:network/v20230201:AadAuthenticationParameters": { - "properties": { - "aadAudience": { - "type": "string" + "ipConfigurationId": { + "containers": [ + "properties" + ] }, - "aadIssuer": { - "type": "string" + "mode": { + "containers": [ + "properties" + ] }, - "aadTenant": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:AadAuthenticationParametersResponse": { - "properties": { - "aadAudience": {}, - "aadIssuer": {}, - "aadTenant": {} - } - }, - "azure-native:network/v20230201:Action": { - "properties": { - "parameters": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:Parameter", - "type": "object" - }, - "type": "array" + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] }, - "type": { - "type": "string" - } + "type": {} } }, - "azure-native:network/v20230201:ActionResponse": { - "properties": { - "parameters": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ParameterResponse", - "type": "object" + "azure-native:network:getVirtualNetworkPeering": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" } }, - "type": {} - } - }, - "azure-native:network/v20230201:ActiveConnectivityConfigurationResponse": { - "properties": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectivityGroupItemResponse", - "type": "object" + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" } }, - "commitTime": {}, - "configurationGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" + { + "location": "path", + "name": "virtualNetworkPeeringName", + "required": true, + "value": { + "type": "string" } }, - "connectivityTopology": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "response": { + "allowForwardedTraffic": { "containers": [ "properties" ] }, - "deleteExistingPeering": { + "allowGatewayTransit": { "containers": [ "properties" ] }, - "description": { + "allowVirtualNetworkAccess": { "containers": [ "properties" ] }, - "hubs": { - "arrayIdentifiers": [ - "resourceId" - ], + "doNotVerifyRemoteGateways": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:HubResponse", - "type": "object" - } + ] }, + "etag": {}, "id": {}, - "isGlobal": { + "name": {}, + "peeringState": { + "containers": [ + "properties" + ] + }, + "peeringSyncLevel": { "containers": [ "properties" ] @@ -72944,574 +35792,739 @@ "properties" ] }, - "region": {}, - "resourceGuid": { + "remoteAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" ] - } - }, - "required": [ - "appliesToGroups", - "connectivityTopology" - ] - }, - "azure-native:network/v20230201:ActiveDefaultSecurityAdminRuleResponse": { - "properties": { - "access": { + }, + "remoteBgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", "containers": [ "properties" ] }, - "commitTime": {}, - "configurationDescription": {}, - "description": { + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "destinationPortRanges": { + "remoteVirtualNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], + "remoteVirtualNetworkEncryption": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } + ] }, - "direction": { + "resourceGuid": { "containers": [ "properties" ] }, - "flag": { + "type": {}, + "useRemoteGateways": { "containers": [ "properties" ] + } + } + }, + "azure-native:network:getVirtualNetworkTap": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "id": {}, - "kind": { - "const": "Default" + { + "location": "path", + "name": "tapName", + "required": true, + "value": { + "type": "string" + } }, - "priority": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "response": { + "destinationLoadBalancerFrontEndIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", "containers": [ "properties" ] }, - "protocol": { + "destinationNetworkInterfaceIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "destinationPort": { "containers": [ "properties" ] }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "networkInterfaceTapConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", + "type": "object" + } + }, "provisioningState": { "containers": [ "properties" ] }, - "region": {}, "resourceGuid": { "containers": [ "properties" ] }, - "ruleCollectionAppliesToGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", - "type": "object" + "tags": { + "additionalProperties": { + "type": "string" } }, - "ruleCollectionDescription": {}, - "ruleGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" + "type": {} + } + }, + "azure-native:network:getVirtualRouter": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" } }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { + { + "location": "path", + "name": "virtualRouterName", + "required": true, + "value": { "type": "string" } }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "response": { + "etag": {}, + "hostedGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "hostedSubnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "peerings": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } - } - }, - "required": [ - "kind" - ] - }, - "azure-native:network/v20230201:ActiveSecurityAdminRuleResponse": { - "properties": { - "access": { + }, + "provisioningState": { "containers": [ "properties" ] }, - "commitTime": {}, - "configurationDescription": {}, - "description": { + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualRouterAsn": { "containers": [ "properties" ] }, - "destinationPortRanges": { + "virtualRouterIps": { "containers": [ "properties" ], "items": { "type": "string" } + } + } + }, + "azure-native:network:getVirtualRouterPeering": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], + { + "location": "path", + "name": "virtualRouterName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "peerAsn": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } + ] }, - "direction": { + "peerIp": { "containers": [ "properties" ] }, - "id": {}, - "kind": { - "const": "Custom" + "provisioningState": { + "containers": [ + "properties" + ] }, - "priority": { + "type": {} + } + }, + "azure-native:network:getVirtualWan": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "VirtualWANName", + "required": true, + "value": { + "sdkName": "virtualWANName", + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "response": { + "allowBranchToBranchTraffic": { "containers": [ "properties" ] }, - "protocol": { + "allowVnetToVnetTraffic": { "containers": [ "properties" ] }, - "provisioningState": { + "disableVpnEncryption": { "containers": [ "properties" ] }, - "region": {}, - "resourceGuid": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "office365LocalBreakoutCategory": { "containers": [ "properties" ] }, - "ruleCollectionAppliesToGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", - "type": "object" - } + "provisioningState": { + "containers": [ + "properties" + ] }, - "ruleCollectionDescription": {}, - "ruleGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" + "tags": { + "additionalProperties": { + "type": "string" } }, - "sourcePortRanges": { + "type": {}, + "virtualHubs": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" } }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], + "vpnSites": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } } - }, - "required": [ - "access", - "direction", - "kind", - "priority", - "protocol" - ] - }, - "azure-native:network/v20230201:AddressPrefixItem": { - "properties": { - "addressPrefix": { - "type": "string" - }, - "addressPrefixType": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:AddressPrefixItemResponse": { - "properties": { - "addressPrefix": {}, - "addressPrefixType": {} } }, - "azure-native:network/v20230201:AddressSpace": { - "properties": { - "addressPrefixes": { - "items": { + "azure-native:network:getVpnConnection": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:AddressSpaceResponse": { - "properties": { - "addressPrefixes": { - "items": { + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificate": { - "properties": { - "data": { - "containers": [ - "properties" - ], - "type": "string" }, - "id": { - "type": "string" + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificateResponse": { - "properties": { - "data": { + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "response": { + "connectionBandwidth": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { + "connectionStatus": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayAutoscaleConfiguration": { - "properties": { - "maxCapacity": { - "minimum": 2, - "type": "integer" + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ] }, - "minCapacity": { - "minimum": 0, - "type": "integer" - } - }, - "required": [ - "minCapacity" - ] - }, - "azure-native:network/v20230201:ApplicationGatewayAutoscaleConfigurationResponse": { - "properties": { - "maxCapacity": {}, - "minCapacity": {} - }, - "required": [ - "minCapacity" - ] - }, - "azure-native:network/v20230201:ApplicationGatewayBackendAddress": { - "properties": { - "fqdn": { - "type": "string" + "egressBytesTransferred": { + "containers": [ + "properties" + ] }, - "ipAddress": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayBackendAddressPool": { - "properties": { - "backendAddresses": { + "enableBgp": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddress", - "type": "object" - }, - "type": "array" + ] }, - "id": { - "type": "string" + "enableInternetSecurity": { + "containers": [ + "properties" + ] }, - "name": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse": { - "properties": { - "backendAddresses": { + "enableRateLimiting": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "ingressBytesTransferred": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressResponse", - "type": "object" - } + ] }, - "backendIPConfigurations": { + "ipsecPolicies": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", "type": "object" } }, - "etag": {}, - "id": {}, "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayBackendAddressResponse": { - "properties": { - "fqdn": {}, - "ipAddress": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayBackendHealthHttpSettingsResponse": { - "properties": { - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHttpSettingsResponse" - }, - "servers": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHealthServerResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayBackendHealthServerResponse": { - "properties": { - "address": {}, - "health": {}, - "healthProbeLog": {}, - "ipConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayBackendHttpSettings": { - "properties": { - "affinityCookieName": { + "remoteVpnSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "type": "string" + ] }, - "authenticationCertificates": { + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" + ] }, - "connectionDraining": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayConnectionDraining", + "routingWeight": { "containers": [ "properties" - ], - "type": "object" + ] }, - "cookieBasedAffinity": { + "sharedKey": { "containers": [ "properties" - ], - "type": "string" + ] }, - "hostName": { + "trafficSelectorPolicies": { "containers": [ "properties" ], - "type": "string" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", + "type": "object" + } }, - "path": { + "useLocalAzureIpAddress": { "containers": [ "properties" - ], - "type": "string" + ] }, - "pickHostNameFromBackendAddress": { + "usePolicyBasedTrafficSelectors": { "containers": [ "properties" - ], - "type": "boolean" + ] }, - "port": { + "vpnConnectionProtocolType": { "containers": [ "properties" - ], - "type": "integer" + ] }, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "vpnLinkConnections": { "containers": [ "properties" ], - "type": "object" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse", + "type": "object" + } + } + } + }, + "azure-native:network:getVpnGateway": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "probeEnabled": { + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "response": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "containers": [ "properties" - ], - "type": "boolean" + ] }, - "protocol": { + "connections": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnConnectionResponse", + "type": "object" + } }, - "requestTimeout": { + "enableBgpRouteTranslationForNat": { "containers": [ "properties" - ], - "type": "integer" + ] }, - "trustedRootCertificates": { + "etag": {}, + "id": {}, + "ipConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayIpConfigurationResponse", "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayBackendHttpSettingsResponse": { - "properties": { - "affinityCookieName": { + } + }, + "isRoutingPreferenceInternet": { "containers": [ "properties" ] }, - "authenticationCertificates": { + "location": {}, + "name": {}, + "natRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRuleResponse", "type": "object" } }, - "connectionDraining": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayConnectionDrainingResponse", + "provisioningState": { "containers": [ "properties" ] }, - "cookieBasedAffinity": { + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "etag": {}, - "hostName": { + "vpnGatewayScaleUnit": { "containers": [ "properties" ] + } + } + }, + "azure-native:network:getVpnServerConfiguration": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, + { + "location": "path", + "name": "vpnServerConfigurationName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "response": { + "etag": {}, "id": {}, + "location": {}, "name": {}, - "path": { + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPropertiesResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getVpnSite": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "vpnSiteName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "response": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" ] }, - "pickHostNameFromBackendAddress": { + "bgpProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "containers": [ "properties" ] }, - "port": { + "deviceProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:DevicePropertiesResponse", "containers": [ "properties" ] }, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "etag": {}, + "id": {}, + "ipAddress": { "containers": [ "properties" ] }, - "probeEnabled": { + "isSecuritySite": { "containers": [ "properties" ] }, - "protocol": { + "location": {}, + "name": {}, + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyPropertiesResponse", "containers": [ "properties" ] @@ -73521,107 +36534,115 @@ "properties" ] }, - "requestTimeout": { + "siteKey": { "containers": [ "properties" ] }, - "trustedRootCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" + "tags": { + "additionalProperties": { + "type": "string" } }, - "type": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayBackendSettings": { - "properties": { - "hostName": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "pickHostNameFromBackendAddress": { + "type": {}, + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "type": "boolean" + ] }, - "port": { + "vpnSiteLinks": { "containers": [ "properties" ], - "type": "integer" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkResponse", + "type": "object" + } + } + } + }, + "azure-native:network:getWebApplicationFirewallPolicy": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "policyName", + "required": true, + "value": { + "maxLength": 128, + "type": "string" + } }, - "protocol": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "response": { + "applicationGateways": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayResponse", + "type": "object" + } }, - "timeout": { + "customRules": { "containers": [ "properties" ], - "type": "integer" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRuleResponse", + "type": "object" + } }, - "trustedRootCertificates": { + "etag": {}, + "httpListeners": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayBackendSettingsResponse": { - "properties": { - "etag": {}, - "hostName": { - "containers": [ - "properties" - ] + } }, "id": {}, - "name": {}, - "pickHostNameFromBackendAddress": { - "containers": [ - "properties" - ] - }, - "port": { + "location": {}, + "managedRules": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinitionResponse", "containers": [ "properties" ] }, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "name": {}, + "pathBasedRules": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "protocol": { + "policySettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsResponse", "containers": [ "properties" ] @@ -73631,1379 +36652,2131 @@ "properties" ] }, - "timeout": { + "resourceState": { "containers": [ "properties" ] }, - "trustedRootCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" + "tags": { + "additionalProperties": { + "type": "string" } }, "type": {} } }, - "azure-native:network/v20230201:ApplicationGatewayClientAuthConfiguration": { - "properties": { - "verifyClientCertIssuerDN": { - "type": "boolean" + "azure-native_network_v20230201:network:getActiveSessions": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "verifyClientRevocation": { - "type": "string" + { + "location": "path", + "name": "bastionHostName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}/getActiveSessions", + "response": { + "nextLink": {}, + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BastionActiveSessionResponse", + "type": "object" + } } } }, - "azure-native:network/v20230201:ApplicationGatewayClientAuthConfigurationResponse": { - "properties": { - "verifyClientCertIssuerDN": {}, - "verifyClientRevocation": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayConnectionDraining": { - "properties": { - "drainTimeoutInSec": { - "maximum": 3600, - "minimum": 1, - "type": "integer" + "azure-native_network_v20230201:network:getApplicationGatewayBackendHealthOnDemand": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "enabled": { - "type": "boolean" + { + "location": "path", + "name": "applicationGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + }, + { + "body": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "host": { + "type": "string" + }, + "match": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatch", + "type": "object" + }, + "path": { + "type": "string" + }, + "pickHostNameFromBackendHttpSettings": { + "type": "boolean" + }, + "protocol": { + "type": "string" + }, + "timeout": { + "type": "integer" + } + } + }, + "location": "body", + "name": "probeRequest", + "required": true, + "value": {} } - }, - "required": [ - "drainTimeoutInSec", - "enabled" - ] - }, - "azure-native:network/v20230201:ApplicationGatewayConnectionDrainingResponse": { - "properties": { - "drainTimeoutInSec": {}, - "enabled": {} - }, - "required": [ - "drainTimeoutInSec", - "enabled" - ] - }, - "azure-native:network/v20230201:ApplicationGatewayCustomError": { - "properties": { - "customErrorPageUrl": { - "type": "string" + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/getBackendHealthOnDemand", + "response": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse" }, - "statusCode": { - "type": "string" + "backendHealthHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHealthHttpSettingsResponse" } } }, - "azure-native:network/v20230201:ApplicationGatewayCustomErrorResponse": { - "properties": { - "customErrorPageUrl": {}, - "statusCode": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayFirewallDisabledRuleGroup": { - "properties": { - "ruleGroupName": { - "type": "string" + "azure-native_network_v20230201:network:getBastionShareableLink": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "bastionHostName", + "required": true, + "value": { + "type": "string" + } }, - "rules": { - "items": { - "type": "integer" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "body": { + "properties": { + "vms": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BastionShareableLink", + "type": "object" + }, + "type": "array" + } + } }, - "type": "array" + "location": "body", + "name": "bslRequest", + "required": true, + "value": {} } - }, - "required": [ - "ruleGroupName" - ] - }, - "azure-native:network/v20230201:ApplicationGatewayFirewallDisabledRuleGroupResponse": { - "properties": { - "ruleGroupName": {}, - "rules": { + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}/getShareableLinks", + "response": { + "nextLink": {}, + "value": { "items": { - "type": "integer" + "$ref": "#/types/azure-native_network_v20230201:network:BastionShareableLinkResponse", + "type": "object" } } - }, - "required": [ - "ruleGroupName" - ] + } }, - "azure-native:network/v20230201:ApplicationGatewayFirewallExclusion": { - "properties": { - "matchVariable": { - "type": "string" + "azure-native_network_v20230201:network:getP2sVpnGatewayP2sVpnConnectionHealth": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "selector": { - "type": "string" + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } }, - "selectorMatchOperator": { - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - }, - "required": [ - "matchVariable", - "selector", - "selectorMatchOperator" - ] - }, - "azure-native:network/v20230201:ApplicationGatewayFirewallExclusionResponse": { - "properties": { - "matchVariable": {}, - "selector": {}, - "selectorMatchOperator": {} - }, - "required": [ - "matchVariable", - "selector", - "selectorMatchOperator" - ] - }, - "azure-native:network/v20230201:ApplicationGatewayFrontendIPConfiguration": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "privateIPAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "privateIPAllocationMethod": { + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}/getP2sVpnConnectionHealth", + "response": { + "customDnsServers": { "containers": [ "properties" ], - "type": "string" + "items": { + "type": "string" + } }, - "privateLinkConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "etag": {}, + "id": {}, + "isRoutingPreferenceInternet": { "containers": [ "properties" - ], - "type": "object" + ] }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "location": {}, + "name": {}, + "p2SConnectionConfigurations": { "containers": [ "properties" ], - "type": "object" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", + "type": "object" + } }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayFrontendIPConfigurationResponse": { - "properties": { - "etag": {}, - "id": {}, - "name": {}, - "privateIPAddress": { + "provisioningState": { "containers": [ "properties" ] }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ] + "tags": { + "additionalProperties": { + "type": "string" + } }, - "privateLinkConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "provisioningState": { + "vpnClientConnectionHealth": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", "containers": [ "properties" ] }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "vpnGatewayScaleUnit": { "containers": [ "properties" ] }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "vpnServerConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] - }, - "type": {} + } } }, - "azure-native:network/v20230201:ApplicationGatewayFrontendPort": { - "properties": { - "id": { - "type": "string" + "azure-native_network_v20230201:network:getP2sVpnGatewayP2sVpnConnectionHealthDetailed": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "port": { - "containers": [ - "properties" - ], - "type": "integer" + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "body": { + "properties": { + "outputBlobSasUrl": { + "type": "string" + }, + "vpnUserNamesFilter": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "request", + "required": true, + "value": {} } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}/getP2sVpnConnectionHealthDetailed", + "response": { + "sasUrl": {} } }, - "azure-native:network/v20230201:ApplicationGatewayFrontendPortResponse": { - "properties": { - "etag": {}, - "id": {}, - "name": {}, - "port": { - "containers": [ - "properties" - ] + "azure-native_network_v20230201:network:getVirtualNetworkGatewayAdvertisedRoutes": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } }, - "type": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayGlobalConfiguration": { - "properties": { - "enableRequestBuffering": { - "type": "boolean" + { + "location": "query", + "name": "peer", + "required": true, + "value": { + "type": "string" + } }, - "enableResponseBuffering": { - "type": "boolean" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:ApplicationGatewayGlobalConfigurationResponse": { - "properties": { - "enableRequestBuffering": {}, - "enableResponseBuffering": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayHeaderConfiguration": { - "properties": { - "headerName": { - "type": "string" - }, - "headerValue": { - "type": "string" + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getAdvertisedRoutes", + "response": { + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayRouteResponse", + "type": "object" + } } } }, - "azure-native:network/v20230201:ApplicationGatewayHeaderConfigurationResponse": { - "properties": { - "headerName": {}, - "headerValue": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayHttpListener": { - "properties": { - "customErrorConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomError", - "type": "object" - }, - "type": "array" - }, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + "azure-native_network_v20230201:network:getVirtualNetworkGatewayBgpPeerStatus": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "frontendPort": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } }, - "hostName": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "query", + "name": "peer", + "value": { + "type": "string" + } }, - "hostNames": { - "containers": [ - "properties" - ], + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getBgpPeerStatus", + "response": { + "value": { "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpPeerStatusResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:getVirtualNetworkGatewayConnectionIkeSas": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "virtualNetworkGatewayConnectionName", + "required": true, + "value": { + "type": "string" + } }, - "protocol": { - "containers": [ - "properties" - ], + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}/getikesas", + "response": { + "value": { "type": "string" - }, - "requireServerNameIndication": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "sslCertificate": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "sslProfile": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" } } }, - "azure-native:network/v20230201:ApplicationGatewayHttpListenerResponse": { - "properties": { - "customErrorConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomErrorResponse", - "type": "object" + "azure-native_network_v20230201:network:getVirtualNetworkGatewayLearnedRoutes": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" } }, - "etag": {}, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "frontendPort": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "hostName": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } }, - "hostNames": { - "containers": [ - "properties" - ], + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getLearnedRoutes", + "response": { + "value": { "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayRouteResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnProfilePackageUrl": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "id": {}, - "name": {}, - "protocol": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "requireServerNameIndication": { - "containers": [ - "properties" - ] - }, - "sslCertificate": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "sslProfile": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } }, - "type": {} + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getvpnprofilepackageurl", + "response": { + "value": { + "type": "string" + } } }, - "azure-native:network/v20230201:ApplicationGatewayIPConfiguration": { - "properties": { - "id": { - "type": "string" + "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnclientConnectionHealth": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getVpnClientConnectionHealth", + "response": { + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthDetailResponse", + "type": "object" + } } } }, - "azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse": { - "properties": { - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnclientIpsecParameters": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } }, - "type": {} + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getvpnclientipsecparameters", + "response": { + "dhGroup": {}, + "ikeEncryption": {}, + "ikeIntegrity": {}, + "ipsecEncryption": {}, + "ipsecIntegrity": {}, + "pfsGroup": {}, + "saDataSizeKilobytes": {}, + "saLifeTimeSeconds": {} } }, - "azure-native:network/v20230201:ApplicationGatewayListener": { - "properties": { - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + "azure-native_network_v20230201:network:getVpnLinkConnectionIkeSas": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "frontendPort": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "id": { - "type": "string" + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } }, - "protocol": { - "containers": [ - "properties" - ], + { + "location": "path", + "name": "linkConnectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}/vpnLinkConnections/{linkConnectionName}/getikesas", + "response": { + "value": { "type": "string" - }, - "sslCertificate": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "sslProfile": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" } } }, - "azure-native:network/v20230201:ApplicationGatewayListenerResponse": { - "properties": { - "etag": {}, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "frontendPort": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "id": {}, - "name": {}, - "protocol": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "sslCertificate": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + "azure-native_network_v20230201:network:listActiveConnectivityConfigurations": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "regions": { + "items": { + "type": "string" + }, + "type": "array" + }, + "skipToken": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "sslProfile": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "type": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicy": { - "properties": { - "id": { - "type": "string" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "loadDistributionAlgorithm": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } }, - "loadDistributionTargets": { - "containers": [ - "properties" - ], + { + "location": "query", + "name": "$top", + "value": { + "sdkName": "top", + "type": "integer" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listActiveConnectivityConfigurations", + "response": { + "skipToken": {}, + "value": { "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionTarget", + "$ref": "#/types/azure-native_network_v20230201:network:ActiveConnectivityConfigurationResponse", "type": "object" - }, - "type": "array" - }, - "name": { - "type": "string" + } } } }, - "azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicyResponse": { - "properties": { - "etag": {}, - "id": {}, - "loadDistributionAlgorithm": { - "containers": [ - "properties" - ] + "azure-native_network_v20230201:network:listActiveSecurityAdminRules": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "regions": { + "items": { + "type": "string" + }, + "type": "array" + }, + "skipToken": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "loadDistributionTargets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionTargetResponse", - "type": "object" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" } }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayLoadDistributionTarget": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } }, - "weightPerServer": { - "containers": [ - "properties" - ], - "maximum": 100, - "minimum": 1, - "type": "integer" + { + "location": "query", + "name": "$top", + "value": { + "sdkName": "top", + "type": "integer" + } } - } - }, - "azure-native:network/v20230201:ApplicationGatewayLoadDistributionTargetResponse": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "type": {}, - "weightPerServer": { - "containers": [ - "properties" - ] + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listActiveSecurityAdminRules", + "response": { + "skipToken": {}, + "value": { + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:ActiveDefaultSecurityAdminRuleResponse", + "#/types/azure-native_network_v20230201:network:ActiveSecurityAdminRuleResponse" + ] + } } } }, - "azure-native:network/v20230201:ApplicationGatewayPathRule": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "loadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "name": { - "type": "string" + "azure-native_network_v20230201:network:listFirewallPolicyIdpsSignature": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "paths": { - "containers": [ - "properties" - ], - "items": { + { + "location": "path", + "name": "firewallPolicyName", + "required": true, + "value": { "type": "string" - }, - "type": "array" + } }, - "redirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "rewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "body": { + "properties": { + "filters": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FilterItems", + "type": "object" + }, + "type": "array" + }, + "orderBy": { + "$ref": "#/types/azure-native_network_v20230201:network:OrderBy", + "type": "object" + }, + "resultsPerPage": { + "maximum": 1000, + "minimum": 1, + "type": "integer" + }, + "search": { + "type": "string" + }, + "skip": { + "type": "integer" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/listIdpsSignatures", + "response": { + "matchingRecordsCount": {}, + "signatures": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SingleQueryResultResponse", + "type": "object" + } } } }, - "azure-native:network/v20230201:ApplicationGatewayPathRuleResponse": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + "azure-native_network_v20230201:network:listFirewallPolicyIdpsSignaturesFilterValue": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "filterName": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "etag": {}, - "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "id": {}, - "loadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "location": "path", + "name": "firewallPolicyName", + "required": true, + "value": { + "type": "string" + } }, - "name": {}, - "paths": { - "containers": [ - "properties" - ], + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/listIdpsFilterOptions", + "response": { + "filterValues": { "items": { "type": "string" } - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "redirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "rewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "type": {} + } } }, - "azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnectionResponse": { - "properties": { - "etag": {}, - "id": {}, - "linkIdentifier": { - "containers": [ - "properties" - ] - }, - "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", - "containers": [ - "properties" - ] - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", - "containers": [ - "properties" - ] + "azure-native_network_v20230201:network:listNetworkManagerDeploymentStatus": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "deploymentTypes": { + "items": { + "type": "string" + }, + "type": "array" + }, + "regions": { + "items": { + "type": "string" + }, + "type": "array" + }, + "skipToken": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "type": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfiguration": { - "properties": { - "id": { - "type": "string" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkIpConfiguration", - "type": "object" - }, - "type": "array" + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "query", + "name": "$top", + "value": { + "sdkName": "top", + "type": "integer" + } } - } - }, - "azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfigurationResponse": { - "properties": { - "etag": {}, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listDeploymentStatus", + "response": { + "skipToken": {}, + "value": { "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerDeploymentStatusResponse", "type": "object" } - }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} + } } }, - "azure-native:network/v20230201:ApplicationGatewayPrivateLinkIpConfiguration": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" + "azure-native_network_v20230201:network:listNetworkManagerEffectiveConnectivityConfigurations": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "skipToken": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "primary": { - "containers": [ - "properties" - ], - "type": "boolean" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "privateIPAddress": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "query", + "name": "$top", + "value": { + "sdkName": "top", + "type": "integer" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/listNetworkManagerEffectiveConnectivityConfigurations", + "response": { + "skipToken": {}, + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:EffectiveConnectivityConfigurationResponse", + "type": "object" + } } } }, - "azure-native:network/v20230201:ApplicationGatewayPrivateLinkIpConfigurationResponse": { - "properties": { - "etag": {}, - "id": {}, - "name": {}, - "primary": { - "containers": [ - "properties" - ] - }, - "privateIPAddress": { - "containers": [ - "properties" - ] + "azure-native_network_v20230201:network:listNetworkManagerEffectiveSecurityAdminRules": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "skipToken": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } }, - "type": {} + { + "location": "query", + "name": "$top", + "value": { + "sdkName": "top", + "type": "integer" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/listNetworkManagerEffectiveSecurityAdminRules", + "response": { + "skipToken": {}, + "value": { + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:EffectiveDefaultSecurityAdminRuleResponse", + "#/types/azure-native_network_v20230201:network:EffectiveSecurityAdminRuleResponse" + ] + } + } } - }, - "azure-native:network/v20230201:ApplicationGatewayProbe": { - "properties": { - "host": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "interval": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "match": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeHealthResponseMatch", - "containers": [ - "properties" - ], - "type": "object" + } + }, + "resources": { + "azure-native:keyvault:AccessPolicy": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "minServers": { - "containers": [ - "properties" - ], - "type": "integer" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "vaultName", + "required": true, + "value": { + "type": "string" + } }, - "path": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "policy.objectId", + "value": { + "type": "string" + } }, - "pickHostNameFromBackendHttpSettings": { - "containers": [ - "properties" - ], - "type": "boolean" + { + "body": { + "properties": { + "policy": { + "type": "#/types/azure-native:keyvault:AccessPolicyEntry" + } + }, + "required": [ + "resourceGroupName", + "vaultName", + "policy" + ] + }, + "location": "body", + "name": "properties", + "value": null + } + ], + "apiVersion": "", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/accessPolicy/{policy.objectId}", + "response": null + }, + "azure-native:storage:Blob": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "pickHostNameFromBackendSettings": { - "containers": [ - "properties" - ], - "type": "boolean" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "port": { - "containers": [ - "properties" - ], - "maximum": 65535, - "minimum": 1, - "type": "integer" + { + "location": "path", + "name": "accountName", + "required": true, + "value": { + "type": "string" + } }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "containerName", + "required": true, + "value": { + "type": "string" + } }, - "timeout": { - "containers": [ - "properties" - ], - "type": "integer" + { + "location": "path", + "name": "blobName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "unhealthyThreshold": { - "containers": [ - "properties" - ], - "type": "integer" + { + "body": { + "properties": { + "accessTier": { + "type": "string" + }, + "contentMd5": { + "forceNew": true, + "type": "string" + }, + "contentType": { + "type": "string" + }, + "metadata": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "source": { + "$ref": "pulumi.json#/Asset", + "forceNew": true + }, + "type": { + "forceNew": true, + "type": "string" + } + }, + "required": [ + "resourceGroupName", + "accountName", + "containerName", + "blobName", + "type" + ] + }, + "location": "body", + "name": "properties", + "value": null } - } + ], + "apiVersion": "", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/blobs/{blobName}", + "response": null }, - "azure-native:network/v20230201:ApplicationGatewayProbeHealthResponseMatch": { - "properties": { - "body": { - "type": "string" + "azure-native:storage:BlobContainerLegalHold": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "statusCodes": { - "items": { + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "accountName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "containerName", + "required": true, + "value": { "type": "string" + } + }, + { + "body": { + "properties": { + "allowProtectedAppendWritesAll": { + "type": "boolean" + }, + "tags": { + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "resourceGroupName", + "accountName", + "containerName", + "tags" + ] }, - "type": "array" + "location": "body", + "name": "properties", + "value": null } - } + ], + "apiVersion": "", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/legalHold", + "response": null }, - "azure-native:network/v20230201:ApplicationGatewayProbeHealthResponseMatchResponse": { - "properties": { - "body": {}, - "statusCodes": { - "items": { + "azure-native:storage:StorageAccountStaticWebsite": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayProbeResponse": { - "properties": { - "etag": {}, - "host": { - "containers": [ - "properties" - ] - }, - "id": {}, - "interval": { - "containers": [ - "properties" - ] }, - "match": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeHealthResponseMatchResponse", - "containers": [ - "properties" - ] + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "minServers": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "accountName", + "required": true, + "value": { + "type": "string" + } }, - "name": {}, - "path": { - "containers": [ - "properties" - ] + { + "body": { + "properties": { + "error404Document": { + "type": "string" + }, + "indexDocument": { + "type": "string" + } + } + }, + "location": "body", + "name": "properties", + "value": null + } + ], + "apiVersion": "", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/staticWebsite", + "response": null + }, + "azure-native_network_v20230201:network:AdminRule": { + "PUT": [ + { + "body": { + "properties": { + "access": { + "containers": [ + "properties" + ], + "type": "string" + }, + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItem", + "type": "object" + }, + "type": "array" + }, + "direction": { + "containers": [ + "properties" + ], + "type": "string" + }, + "kind": { + "const": "Custom", + "type": "string" + }, + "priority": { + "containers": [ + "properties" + ], + "maximum": 4096, + "minimum": 1, + "type": "integer" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItem", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "access", + "direction", + "kind", + "priority", + "protocol" + ] + }, + "location": "body", + "name": "adminRule", + "required": true, + "value": {} }, - "pickHostNameFromBackendHttpSettings": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "pickHostNameFromBackendSettings": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "port": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } }, - "protocol": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "type": "string" + } }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "ruleCollectionName", + "required": true, + "value": { + "type": "string" + } }, - "timeout": { + { + "location": "path", + "name": "ruleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "response": { + "access": { "containers": [ "properties" ] }, - "type": {}, - "unhealthyThreshold": { + "description": { "containers": [ "properties" ] - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayRedirectConfiguration": { - "properties": { - "id": { - "type": "string" - }, - "includePath": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "includeQueryString": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "name": { - "type": "string" }, - "pathRules": { + "destinationPortRanges": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" + "type": "string" + } }, - "redirectType": { - "containers": [ - "properties" + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" ], - "type": "string" - }, - "requestRoutingRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" - }, - "type": "array" - }, - "targetListener": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + } }, - "targetUrl": { + "direction": { "containers": [ "properties" - ], - "type": "string" + ] }, - "urlPathMaps": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayRedirectConfigurationResponse": { - "properties": { "etag": {}, "id": {}, - "includePath": { - "containers": [ - "properties" - ] - }, - "includeQueryString": { - "containers": [ - "properties" - ] + "kind": { + "const": "Custom" }, "name": {}, - "pathRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "redirectType": { + "priority": { "containers": [ "properties" ] }, - "requestRoutingRules": { + "protocol": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + ] }, - "targetListener": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "provisioningState": { "containers": [ "properties" ] }, - "targetUrl": { + "resourceGuid": { "containers": [ "properties" ] }, - "type": {}, - "urlPathMaps": { + "sourcePortRanges": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" + "type": "string" } - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayRequestRoutingRule": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" }, - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" + "sources": { + "arrayIdentifiers": [ + "addressPrefix" ], - "type": "object" - }, - "httpListener": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", "containers": [ "properties" ], - "type": "object" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } }, - "id": { - "type": "string" + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" }, - "loadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + "type": {} + } + }, + "azure-native_network_v20230201:network:AdminRuleCollection": { + "PUT": [ + { + "body": { + "properties": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItem", + "type": "object" + }, + "type": "array" + }, + "description": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "appliesToGroups" + ] + }, + "location": "body", + "name": "ruleCollection", + "required": true, + "value": {} }, - "name": { - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "priority": { - "containers": [ - "properties" - ], - "maximum": 20000, - "minimum": 1, - "type": "integer" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "redirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } }, - "rewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "type": "string" + } }, - "ruleType": { - "containers": [ - "properties" + { + "location": "path", + "name": "ruleCollectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "response": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" ], - "type": "string" - }, - "urlPathMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", "containers": [ "properties" ], - "type": "object" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayRequestRoutingRuleResponse": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "type": "object" + } }, - "backendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "description": { "containers": [ "properties" ] }, "etag": {}, - "httpListener": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, "id": {}, - "loadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, "name": {}, - "priority": { - "containers": [ - "properties" - ] - }, "provisioningState": { "containers": [ "properties" ] }, - "redirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "rewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "resourceGuid": { "containers": [ "properties" ] }, - "ruleType": { - "containers": [ - "properties" - ] + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" }, - "type": {}, - "urlPathMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } + "type": {} } }, - "azure-native:network/v20230201:ApplicationGatewayResponse": { - "properties": { + "azure-native_network_v20230201:network:ApplicationGateway": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "applicationGatewayName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "authenticationCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificate", + "type": "object" + }, + "type": "array" + }, + "autoscaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "backendAddressPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPool", + "type": "object" + }, + "type": "array" + }, + "backendHttpSettingsCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettings", + "type": "object" + }, + "type": "array" + }, + "backendSettingsCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettings", + "type": "object" + }, + "type": "array" + }, + "customErrorConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomError", + "type": "object" + }, + "type": "array" + }, + "enableFips": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableHttp2": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "forceFirewallPolicyAssociation": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "frontendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "frontendPorts": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPort", + "type": "object" + }, + "type": "array" + }, + "gatewayIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "globalConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "httpListeners": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListener", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", + "type": "object" + }, + "listeners": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListener", + "type": "object" + }, + "type": "array" + }, + "loadDistributionPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicy", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "privateLinkConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfiguration", + "type": "object" + }, + "type": "array" + }, + "probes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbe", + "type": "object" + }, + "type": "array" + }, + "redirectConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfiguration", + "type": "object" + }, + "type": "array" + }, + "requestRoutingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRule", + "type": "object" + }, + "type": "array" + }, + "rewriteRuleSets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSet", + "type": "object" + }, + "type": "array" + }, + "routingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRule", + "type": "object" + }, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySku", + "containers": [ + "properties" + ], + "type": "object" + }, + "sslCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificate", + "type": "object" + }, + "type": "array" + }, + "sslPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicy", + "containers": [ + "properties" + ], + "type": "object" + }, + "sslProfiles": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfile", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "trustedClientCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificate", + "type": "object" + }, + "type": "array" + }, + "trustedRootCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificate", + "type": "object" + }, + "type": "array" + }, + "urlPathMaps": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMap", + "type": "object" + }, + "type": "array" + }, + "webApplicationFirewallConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "putAsyncStyle": "azure-async-operation", + "response": { "authenticationCertificates": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAuthenticationCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse", "type": "object" } }, "autoscaleConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayAutoscaleConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse", "containers": [ "properties" ] @@ -75013,7 +38786,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", "type": "object" } }, @@ -75022,7 +38795,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendHttpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse", "type": "object" } }, @@ -75031,7 +38804,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse", "type": "object" } }, @@ -75040,7 +38813,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayCustomErrorResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", "type": "object" } }, @@ -75061,7 +38834,7 @@ }, "etag": {}, "firewallPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] @@ -75076,7 +38849,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse", "type": "object" } }, @@ -75085,7 +38858,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFrontendPortResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse", "type": "object" } }, @@ -75094,12 +38867,12 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", "type": "object" } }, "globalConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayGlobalConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse", "containers": [ "properties" ] @@ -75109,20 +38882,20 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHttpListenerResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse", "type": "object" } }, "id": {}, "identity": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponse" + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" }, "listeners": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayListenerResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListenerResponse", "type": "object" } }, @@ -75131,7 +38904,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayLoadDistributionPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse", "type": "object" } }, @@ -75147,7 +38920,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateEndpointConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse", "type": "object" } }, @@ -75156,7 +38929,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPrivateLinkConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse", "type": "object" } }, @@ -75165,7 +38938,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayProbeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeResponse", "type": "object" } }, @@ -75179,7 +38952,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRedirectConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse", "type": "object" } }, @@ -75188,7 +38961,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRequestRoutingRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse", "type": "object" } }, @@ -75202,7 +38975,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleSetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse", "type": "object" } }, @@ -75211,12 +38984,12 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRoutingRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse", "type": "object" } }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySkuResponse", "containers": [ "properties" ] @@ -75226,12 +38999,12 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse", "type": "object" } }, "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", "containers": [ "properties" ] @@ -75241,7 +39014,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslProfileResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse", "type": "object" } }, @@ -75255,7 +39028,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse", "type": "object" } }, @@ -75264,7 +39037,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse", "type": "object" } }, @@ -75274,12 +39047,12 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlPathMapResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse", "type": "object" } }, "webApplicationFirewallConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse", "containers": [ "properties" ] @@ -75291,1232 +39064,1365 @@ } } }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRule": { - "properties": { - "actionSet": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleActionSet", - "type": "object" - }, - "conditions": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleCondition", - "type": "object" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "ruleSequence": { - "type": "integer" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleActionSet": { - "properties": { - "requestHeaderConfigurations": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHeaderConfiguration", - "type": "object" - }, - "type": "array" - }, - "responseHeaderConfigurations": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHeaderConfiguration", - "type": "object" - }, - "type": "array" - }, - "urlConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlConfiguration", - "type": "object" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleActionSetResponse": { - "properties": { - "requestHeaderConfigurations": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHeaderConfigurationResponse", - "type": "object" - } - }, - "responseHeaderConfigurations": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayHeaderConfigurationResponse", - "type": "object" - } - }, - "urlConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayUrlConfigurationResponse" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleCondition": { - "properties": { - "ignoreCase": { - "type": "boolean" - }, - "negate": { - "type": "boolean" - }, - "pattern": { - "type": "string" - }, - "variable": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleConditionResponse": { - "properties": { - "ignoreCase": {}, - "negate": {}, - "pattern": {}, - "variable": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleResponse": { - "properties": { - "actionSet": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleActionSetResponse" - }, - "conditions": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleConditionResponse", - "type": "object" + "azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnection": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" } }, - "name": {}, - "ruleSequence": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleSet": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "rewriteRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRule", - "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayRewriteRuleSetResponse": { - "properties": { - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "rewriteRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayRewriteRuleResponse", - "type": "object" + { + "location": "path", + "name": "applicationGatewayName", + "required": true, + "value": { + "type": "string" } - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayRoutingRule": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "backendSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" }, - "id": { - "type": "string" - }, - "listener": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "name": { - "type": "string" + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "priority": { - "containers": [ - "properties" - ], - "maximum": 20000, - "minimum": 1, - "type": "integer" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionState", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "ruleType": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - }, - "required": [ - "priority" - ] - }, - "azure-native:network/v20230201:ApplicationGatewayRoutingRuleResponse": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "backendSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { "etag": {}, "id": {}, - "listener": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "linkIdentifier": { "containers": [ "properties" ] }, "name": {}, - "priority": { + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "containers": [ "properties" ] }, - "provisioningState": { + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", "containers": [ "properties" ] }, - "ruleType": { + "provisioningState": { "containers": [ "properties" ] }, "type": {} - }, - "required": [ - "priority" - ] - }, - "azure-native:network/v20230201:ApplicationGatewaySku": { - "properties": { - "capacity": { - "type": "integer" - }, - "name": { - "type": "string" - }, - "tier": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewaySkuResponse": { - "properties": { - "capacity": {}, - "name": {}, - "tier": {} } }, - "azure-native:network/v20230201:ApplicationGatewaySslCertificate": { - "properties": { - "data": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" + "azure-native_network_v20230201:network:ApplicationSecurityGroup": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "keyVaultSecretId": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "applicationSecurityGroupName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "name": { - "type": "string" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "password": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:ApplicationGatewaySslCertificateResponse": { - "properties": { - "data": { - "containers": [ - "properties" - ] - }, + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "putAsyncStyle": "azure-async-operation", + "response": { "etag": {}, "id": {}, - "keyVaultSecretId": { - "containers": [ - "properties" - ] - }, + "location": {}, "name": {}, - "password": { - "containers": [ - "properties" - ] - }, "provisioningState": { "containers": [ "properties" ] }, - "publicCertData": { + "resourceGuid": { "containers": [ "properties" ] }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, "type": {} } }, - "azure-native:network/v20230201:ApplicationGatewaySslPolicy": { - "properties": { - "cipherSuites": { - "items": { + "azure-native_network_v20230201:network:AzureFirewall": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" - }, - "type": "array" + } }, - "disabledSslProtocols": { - "items": { + { + "location": "path", + "name": "azureFirewallName", + "required": true, + "value": { + "autoname": "random", + "maxLength": 56, + "minLength": 1, "type": "string" - }, - "type": "array" - }, - "minProtocolVersion": { - "type": "string" + } }, - "policyName": { - "type": "string" + { + "body": { + "properties": { + "additionalProperties": { + "additionalProperties": { + "type": "string" + }, + "containers": [ + "properties" + ], + "type": "object" + }, + "applicationRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollection", + "type": "object" + }, + "type": "array" + }, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "hubIPAddresses": { + "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddresses", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "managementIpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "natRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollection", + "type": "object" + }, + "type": "array" + }, + "networkRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollection", + "type": "object" + }, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSku", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "threatIntelMode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "policyType": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewaySslPolicyResponse": { - "properties": { - "cipherSuites": { - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } - }, - "disabledSslProtocols": { - "items": { + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "additionalProperties": { + "additionalProperties": { "type": "string" - } + }, + "containers": [ + "properties" + ] }, - "minProtocolVersion": {}, - "policyName": {}, - "policyType": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewaySslProfile": { - "properties": { - "clientAuthConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayClientAuthConfiguration", + "applicationRuleCollections": { "containers": [ "properties" ], - "type": "object" - }, - "id": { - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollectionResponse", + "type": "object" + } }, - "name": { - "type": "string" + "etag": {}, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicy", + "hubIPAddresses": { + "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddressesResponse", "containers": [ "properties" - ], - "type": "object" + ] }, - "trustedClientCertificates": { + "id": {}, + "ipConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewaySslProfileResponse": { - "properties": { - "clientAuthConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayClientAuthConfigurationResponse", - "containers": [ - "properties" - ] + } }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { + "ipGroups": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIpGroupsResponse", + "type": "object" + } }, - "sslPolicy": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewaySslPolicyResponse", + "location": {}, + "managementIpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", "containers": [ "properties" ] }, - "trustedClientCertificates": { + "name": {}, + "natRuleCollections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollectionResponse", "type": "object" } }, - "type": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificate": { - "properties": { - "data": { + "networkRuleCollections": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollectionResponse", + "type": "object" + } }, - "id": { - "type": "string" + "provisioningState": { + "containers": [ + "properties" + ] }, - "name": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayTrustedClientCertificateResponse": { - "properties": { - "clientCertIssuerDN": { + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSkuResponse", "containers": [ "properties" ] }, - "data": { + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "threatIntelMode": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "type": {}, - "validatedCertData": { - "containers": [ - "properties" - ] + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:BastionHost": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "bastionHostName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "disableCopyPaste": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "dnsName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "enableFileCopy": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "enableIpConnect": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "enableKerberos": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "enableShareableLink": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "enableTunneling": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "scaleUnits": { + "containers": [ + "properties" + ], + "maximum": 50, + "minimum": 2, + "type": "integer" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:Sku", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificate": { - "properties": { - "data": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "keyVaultSecretId": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "disableCopyPaste": { "containers": [ "properties" ], - "type": "string" - }, - "name": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayTrustedRootCertificateResponse": { - "properties": { - "data": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "keyVaultSecretId": { - "containers": [ - "properties" - ] + "default": false }, - "name": {}, - "provisioningState": { + "dnsName": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayUrlConfiguration": { - "properties": { - "modifiedPath": { - "type": "string" - }, - "modifiedQueryString": { - "type": "string" - }, - "reroute": { - "type": "boolean" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayUrlConfigurationResponse": { - "properties": { - "modifiedPath": {}, - "modifiedQueryString": {}, - "reroute": {} - } - }, - "azure-native:network/v20230201:ApplicationGatewayUrlPathMap": { - "properties": { - "defaultBackendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "enableFileCopy": { "containers": [ "properties" ], - "type": "object" + "default": false }, - "defaultBackendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "enableIpConnect": { "containers": [ "properties" ], - "type": "object" + "default": false }, - "defaultLoadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "enableKerberos": { "containers": [ "properties" ], - "type": "object" + "default": false }, - "defaultRedirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "enableShareableLink": { "containers": [ "properties" ], - "type": "object" + "default": false }, - "defaultRewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "enableTunneling": { "containers": [ "properties" ], - "type": "object" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" + "default": false }, - "pathRules": { + "etag": {}, + "id": {}, + "ipConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPathRule", + "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfigurationResponse", "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:ApplicationGatewayUrlPathMapResponse": { - "properties": { - "defaultBackendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "defaultBackendHttpSettings": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + } }, - "defaultLoadDistributionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "defaultRedirectConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "scaleUnits": { "containers": [ "properties" ] }, - "defaultRewriteRuleSet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:SkuResponse" }, - "etag": {}, - "id": {}, - "name": {}, - "pathRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayPathRuleResponse", - "type": "object" + "tags": { + "additionalProperties": { + "type": "string" } }, - "provisioningState": { - "containers": [ - "properties" - ] - }, "type": {} } }, - "azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfiguration": { - "properties": { - "disabledRuleGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFirewallDisabledRuleGroup", - "type": "object" - }, - "type": "array" - }, - "enabled": { - "type": "boolean" - }, - "exclusions": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFirewallExclusion", - "type": "object" - }, - "type": "array" - }, - "fileUploadLimitInMb": { - "minimum": 0, - "type": "integer" - }, - "firewallMode": { - "type": "string" - }, - "maxRequestBodySize": { - "maximum": 128, - "minimum": 8, - "type": "integer" - }, - "maxRequestBodySizeInKb": { - "maximum": 128, - "minimum": 8, - "type": "integer" - }, - "requestBodyCheck": { - "type": "boolean" - }, - "ruleSetType": { - "type": "string" - }, - "ruleSetVersion": { - "type": "string" - } - }, - "required": [ - "enabled", - "firewallMode", - "ruleSetType", - "ruleSetVersion" - ] - }, - "azure-native:network/v20230201:ApplicationGatewayWebApplicationFirewallConfigurationResponse": { - "properties": { - "disabledRuleGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFirewallDisabledRuleGroupResponse", - "type": "object" - } - }, - "enabled": {}, - "exclusions": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayFirewallExclusionResponse", - "type": "object" - } - }, - "fileUploadLimitInMb": {}, - "firewallMode": {}, - "maxRequestBodySize": {}, - "maxRequestBodySizeInKb": {}, - "requestBodyCheck": {}, - "ruleSetType": {}, - "ruleSetVersion": {} - }, - "required": [ - "enabled", - "firewallMode", - "ruleSetType", - "ruleSetVersion" - ] - }, - "azure-native:network/v20230201:ApplicationRule": { - "properties": { - "description": { - "type": "string" - }, - "destinationAddresses": { - "items": { - "type": "string" - }, - "type": "array" - }, - "fqdnTags": { - "items": { - "type": "string" - }, - "type": "array" - }, - "httpHeadersToInsert": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyHttpHeaderToInsert", - "type": "object" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "protocols": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyRuleApplicationProtocol", - "type": "object" - }, - "type": "array" - }, - "ruleType": { - "const": "ApplicationRule", - "type": "string" - }, - "sourceAddresses": { - "items": { + "azure-native_network_v20230201:network:ConfigurationPolicyGroup": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" - }, - "type": "array" + } }, - "sourceIpGroups": { - "items": { + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" - }, - "type": "array" + } }, - "targetFqdns": { - "items": { + { + "location": "path", + "name": "vpnServerConfigurationName", + "required": true, + "value": { "type": "string" - }, - "type": "array" + } }, - "targetUrls": { - "items": { + { + "location": "path", + "name": "configurationPolicyGroupName", + "required": true, + "value": { + "autoname": "copy", "type": "string" - }, - "type": "array" - }, - "terminateTLS": { - "type": "boolean" + } }, - "webCategories": { - "items": { - "type": "string" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "isDefault": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "name": { + "type": "string" + }, + "policyMembers": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMember", + "type": "object" + }, + "type": "array" + }, + "priority": { + "containers": [ + "properties" + ], + "type": "integer" + } + } }, - "type": "array" + "location": "body", + "name": "VpnServerConfigurationPolicyGroupParameters", + "required": true, + "value": {} } - }, - "required": [ - "ruleType" - ] - }, - "azure-native:network/v20230201:ApplicationRuleResponse": { - "properties": { - "description": {}, - "destinationAddresses": { - "items": { - "type": "string" - } - }, - "fqdnTags": { - "items": { - "type": "string" - } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "isDefault": { + "containers": [ + "properties" + ] }, - "httpHeadersToInsert": { + "name": {}, + "p2SConnectionConfigurations": { + "containers": [ + "properties" + ], "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyHttpHeaderToInsertResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "name": {}, - "protocols": { + "policyMembers": { + "containers": [ + "properties" + ], "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyRuleApplicationProtocolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse", "type": "object" } }, - "ruleType": { - "const": "ApplicationRule" + "priority": { + "containers": [ + "properties" + ] }, - "sourceAddresses": { - "items": { + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ConnectionMonitor": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "sourceIpGroups": { - "items": { + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { "type": "string" } }, - "targetFqdns": { - "items": { + { + "location": "path", + "name": "connectionMonitorName", + "required": true, + "value": { + "autoname": "copy", "type": "string" } }, - "targetUrls": { - "items": { + { + "body": { + "properties": { + "autoStart": { + "containers": [ + "properties" + ], + "default": true, + "type": "boolean" + }, + "destination": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestination", + "containers": [ + "properties" + ], + "type": "object" + }, + "endpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpoint", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "monitoringIntervalInSeconds": { + "containers": [ + "properties" + ], + "default": 60, + "maximum": 1800, + "minimum": 30, + "type": "integer" + }, + "notes": { + "containers": [ + "properties" + ], + "type": "string" + }, + "outputs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutput", + "type": "object" + }, + "type": "array" + }, + "source": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSource", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "testConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfiguration", + "type": "object" + }, + "type": "array" + }, + "testGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroup", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } }, - "terminateTLS": {}, - "webCategories": { - "items": { + { + "location": "query", + "name": "migrate", + "value": { "type": "string" } } - }, - "required": [ - "ruleType" - ] - }, - "azure-native:network/v20230201:ApplicationSecurityGroup": { - "properties": { - "id": { - "type": "string" + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "putAsyncStyle": "azure-async-operation", + "requiredContainers": [ + [ + "properties" + ] + ], + "response": { + "autoStart": { + "containers": [ + "properties" + ], + "default": true }, - "location": { - "type": "string" + "connectionMonitorType": { + "containers": [ + "properties" + ] }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "azure-native:network/v20230201:ApplicationSecurityGroupResponse": { - "properties": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { + "destination": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestinationResponse", "containers": [ "properties" ] }, - "resourceGuid": { + "endpoints": { "containers": [ "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:AzureFirewallApplicationRule": { - "properties": { - "description": { - "type": "string" - }, - "fqdnTags": { - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "protocols": { + ], "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleProtocol", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointResponse", "type": "object" - }, - "type": "array" - }, - "sourceAddresses": { - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "items": { - "type": "string" - }, - "type": "array" + } }, - "targetFqdns": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:AzureFirewallApplicationRuleCollection": { - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallRCAction", + "etag": {}, + "id": {}, + "location": {}, + "monitoringIntervalInSeconds": { "containers": [ "properties" ], - "type": "object" - }, - "id": { - "type": "string" + "default": 60 }, - "name": { - "type": "string" + "monitoringStatus": { + "containers": [ + "properties" + ] }, - "priority": { + "name": {}, + "notes": { "containers": [ "properties" - ], - "maximum": 65000, - "minimum": 100, - "type": "integer" + ] }, - "rules": { + "outputs": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRule", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutputResponse", "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:AzureFirewallApplicationRuleCollectionResponse": { - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallRCActionResponse", + } + }, + "provisioningState": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "name": {}, - "priority": { + "source": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSourceResponse", "containers": [ "properties" ] }, - "provisioningState": { + "startTime": { "containers": [ "properties" ] }, - "rules": { + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "testConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationResponse", "type": "object" } - } - } - }, - "azure-native:network/v20230201:AzureFirewallApplicationRuleProtocol": { - "properties": { - "port": { - "maximum": 64000, - "minimum": 0, - "type": "integer" }, - "protocolType": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:AzureFirewallApplicationRuleProtocolResponse": { - "properties": { - "port": {}, - "protocolType": {} - } - }, - "azure-native:network/v20230201:AzureFirewallApplicationRuleResponse": { - "properties": { - "description": {}, - "fqdnTags": { + "testGroups": { + "containers": [ + "properties" + ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroupResponse", + "type": "object" } }, - "name": {}, - "protocols": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallApplicationRuleProtocolResponse", - "type": "object" + "type": {} + } + }, + "azure-native_network_v20230201:network:ConnectivityConfiguration": { + "PUT": [ + { + "body": { + "properties": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItem", + "type": "object" + }, + "type": "array" + }, + "connectivityTopology": { + "containers": [ + "properties" + ], + "type": "string" + }, + "deleteExistingPeering": { + "containers": [ + "properties" + ], + "type": "string" + }, + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "hubs": { + "arrayIdentifiers": [ + "resourceId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Hub", + "type": "object" + }, + "type": "array" + }, + "isGlobal": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "appliesToGroups", + "connectivityTopology" + ] + }, + "location": "body", + "name": "connectivityConfiguration", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" } }, - "sourceAddresses": { - "items": { + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "sourceIpGroups": { - "items": { + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { "type": "string" } }, - "targetFqdns": { - "items": { + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "autoname": "copy", "type": "string" } } - } - }, - "azure-native:network/v20230201:AzureFirewallIPConfiguration": { - "properties": { - "id": { - "type": "string" + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "response": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", + "type": "object" + } }, - "name": { - "type": "string" + "connectivityTopology": { + "containers": [ + "properties" + ] }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "deleteExistingPeering": { "containers": [ "properties" - ], - "type": "object" + ] }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "description": { "containers": [ "properties" - ], - "type": "object" - } - } - }, - "azure-native:network/v20230201:AzureFirewallIPConfigurationResponse": { - "properties": { + ] + }, "etag": {}, - "id": {}, - "name": {}, - "privateIPAddress": { + "hubs": { + "arrayIdentifiers": [ + "resourceId" + ], "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", + "type": "object" + } }, - "provisioningState": { + "id": {}, + "isGlobal": { "containers": [ "properties" ] }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "resourceGuid": { "containers": [ "properties" ] }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, "type": {} } }, - "azure-native:network/v20230201:AzureFirewallIpGroupsResponse": { - "properties": { - "changeNumber": {}, - "id": {} - } - }, - "azure-native:network/v20230201:AzureFirewallNatRCAction": { - "properties": { - "type": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:AzureFirewallNatRCActionResponse": { - "properties": { - "type": {} - } - }, - "azure-native:network/v20230201:AzureFirewallNatRule": { - "properties": { - "description": { - "type": "string" - }, - "destinationAddresses": { - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "items": { + "azure-native_network_v20230201:network:CustomIPPrefix": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" - }, - "type": "array" - }, - "name": { - "type": "string" + } }, - "protocols": { - "items": { + { + "location": "path", + "name": "customIpPrefixName", + "required": true, + "value": { + "autoname": "random", "type": "string" - }, - "type": "array" + } }, - "sourceAddresses": { - "items": { - "type": "string" + { + "body": { + "properties": { + "asn": { + "containers": [ + "properties" + ], + "type": "string" + }, + "authorizationMessage": { + "containers": [ + "properties" + ], + "type": "string" + }, + "cidr": { + "containers": [ + "properties" + ], + "type": "string" + }, + "commissionedState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "customIpPrefixParent": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "expressRouteAdvertise": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "geo": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "noInternetAdvertise": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "prefixType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "signedMessage": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } }, - "type": "array" + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "sourceIpGroups": { - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" - }, - "type": "array" - }, - "translatedAddress": { - "type": "string" - }, - "translatedFqdn": { - "type": "string" - }, - "translatedPort": { - "type": "string" + } } - } - }, - "azure-native:network/v20230201:AzureFirewallNatRuleCollection": { - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRCAction", + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "putAsyncStyle": "location", + "response": { + "asn": { "containers": [ "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" + ] }, - "priority": { + "authorizationMessage": { "containers": [ "properties" - ], - "maximum": 65000, - "minimum": 100, - "type": "integer" + ] }, - "rules": { + "childCustomIpPrefixes": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRule", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:AzureFirewallNatRuleCollectionResponse": { - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRCActionResponse", + } + }, + "cidr": { + "containers": [ + "properties" + ] + }, + "commissionedState": { + "containers": [ + "properties" + ] + }, + "customIpPrefixParent": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, "etag": {}, + "expressRouteAdvertise": { + "containers": [ + "properties" + ] + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "failedReason": { + "containers": [ + "properties" + ] + }, + "geo": { + "containers": [ + "properties" + ] + }, "id": {}, + "location": {}, "name": {}, - "priority": { + "noInternetAdvertise": { + "containers": [ + "properties" + ] + }, + "prefixType": { "containers": [ "properties" ] @@ -76526,446 +40432,542 @@ "properties" ] }, - "rules": { + "publicIpPrefixes": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNatRuleResponse", - "type": "object" + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "signedMessage": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" } } } }, - "azure-native:network/v20230201:AzureFirewallNatRuleResponse": { - "properties": { - "description": {}, - "destinationAddresses": { - "items": { + "azure-native_network_v20230201:network:DdosCustomPolicy": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "destinationPorts": { - "items": { + { + "location": "path", + "name": "ddosCustomPolicyName", + "required": true, + "value": { + "autoname": "random", "type": "string" } }, - "name": {}, - "protocols": { - "items": { - "type": "string" - } + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "sourceAddresses": { - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] }, - "sourceIpGroups": { - "items": { + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { "type": "string" } }, - "translatedAddress": {}, - "translatedFqdn": {}, - "translatedPort": {} + "type": {} } }, - "azure-native:network/v20230201:AzureFirewallNetworkRule": { - "properties": { - "description": { - "type": "string" - }, - "destinationAddresses": { - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationFqdns": { - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationIpGroups": { - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "items": { + "azure-native_network_v20230201:network:DdosProtectionPlan": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" - }, - "type": "array" - }, - "name": { - "type": "string" + } }, - "protocols": { - "items": { + { + "location": "path", + "name": "ddosProtectionPlanName", + "required": true, + "value": { + "autoname": "random", "type": "string" - }, - "type": "array" + } }, - "sourceAddresses": { - "items": { - "type": "string" + { + "body": { + "properties": { + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } }, - "type": "array" + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "sourceIpGroups": { - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" - }, - "type": "array" + } } - } - }, - "azure-native:network/v20230201:AzureFirewallNetworkRuleCollection": { - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallRCAction", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "priority": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "maximum": 65000, - "minimum": 100, - "type": "integer" + ] }, - "rules": { + "publicIPAddresses": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRule", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:AzureFirewallNetworkRuleCollectionResponse": { - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallRCActionResponse", - "containers": [ - "properties" - ] + } }, - "etag": {}, - "id": {}, - "name": {}, - "priority": { + "resourceGuid": { "containers": [ "properties" ] }, - "provisioningState": { - "containers": [ - "properties" - ] + "tags": { + "additionalProperties": { + "type": "string" + } }, - "rules": { + "type": {}, + "virtualNetworks": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallNetworkRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } } } }, - "azure-native:network/v20230201:AzureFirewallNetworkRuleResponse": { - "properties": { - "description": {}, - "destinationAddresses": { - "items": { - "type": "string" - } + "azure-native_network_v20230201:network:DefaultAdminRule": { + "PUT": [ + { + "body": { + "properties": { + "flag": { + "containers": [ + "properties" + ], + "type": "string" + }, + "kind": { + "const": "Default", + "type": "string" + } + }, + "required": [ + "kind" + ] + }, + "location": "body", + "name": "adminRule", + "required": true, + "value": {} }, - "destinationFqdns": { - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } }, - "destinationIpGroups": { - "items": { + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "destinationPorts": { - "items": { + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { "type": "string" } }, - "name": {}, - "protocols": { - "items": { + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { "type": "string" } }, - "sourceAddresses": { - "items": { + { + "location": "path", + "name": "ruleCollectionName", + "required": true, + "value": { "type": "string" } }, - "sourceIpGroups": { - "items": { + { + "location": "path", + "name": "ruleName", + "required": true, + "value": { + "autoname": "copy", "type": "string" } } - } - }, - "azure-native:network/v20230201:AzureFirewallPublicIPAddress": { - "properties": { - "address": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:AzureFirewallPublicIPAddressResponse": { - "properties": { - "address": {} - } - }, - "azure-native:network/v20230201:AzureFirewallRCAction": { - "properties": { - "type": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:AzureFirewallRCActionResponse": { - "properties": { - "type": {} - } - }, - "azure-native:network/v20230201:AzureFirewallSku": { - "properties": { - "name": { - "type": "string" + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "response": { + "access": { + "containers": [ + "properties" + ] }, - "tier": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:AzureFirewallSkuResponse": { - "properties": { - "name": {}, - "tier": {} - } - }, - "azure-native:network/v20230201:BackendAddressPool": { - "properties": { - "drainPeriodInSeconds": { + "description": { "containers": [ "properties" - ], - "type": "integer" + ] }, - "id": { - "type": "string" + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } }, - "loadBalancerBackendAddresses": { + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerBackendAddress", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" - }, - "type": "array" + } }, - "location": { + "direction": { "containers": [ "properties" - ], - "type": "string" + ] }, - "name": { - "type": "string" + "etag": {}, + "flag": { + "containers": [ + "properties" + ] }, - "tunnelInterfaces": { + "id": {}, + "kind": { + "const": "Default" + }, + "name": {}, + "priority": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelInterface", - "type": "object" - }, - "type": "array" + ] }, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "protocol": { "containers": [ "properties" - ], - "type": "object" - } - } - }, - "azure-native:network/v20230201:BackendAddressPoolResponse": { - "properties": { - "backendIPConfigurations": { + ] + }, + "provisioningState": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "type": "object" - } + ] }, - "drainPeriodInSeconds": { + "resourceGuid": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "inboundNatRules": { + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" } }, - "loadBalancerBackendAddresses": { + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:DscpConfiguration": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "dscpConfigurationName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "destinationIpRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", + "type": "object" + }, + "type": "array" + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "markings": { + "containers": [ + "properties" + ], + "items": { + "type": "integer" + }, + "type": "array" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "qosDefinitionCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosDefinition", + "type": "object" + }, + "type": "array" + }, + "sourceIpRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", + "type": "object" + }, + "type": "array" + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "putAsyncStyle": "location", + "response": { + "associatedNetworkInterfaces": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:LoadBalancerBackendAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" } }, - "loadBalancingRules": { + "destinationIpRanges": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", "type": "object" } }, - "location": { - "containers": [ - "properties" - ] - }, - "name": {}, - "outboundRule": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "outboundRules": { + "destinationPortRanges": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", "type": "object" } }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "tunnelInterfaces": { + "etag": {}, + "id": {}, + "location": {}, + "markings": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayLoadBalancerTunnelInterfaceResponse", - "type": "object" + "type": "integer" } }, - "type": {}, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:BastionActiveSessionResponse": { - "properties": { - "protocol": {}, - "resourceType": {}, - "sessionDurationInMins": {}, - "sessionId": {}, - "startTime": { - "$ref": "pulumi.json#/Any" - }, - "targetHostName": {}, - "targetIpAddress": {}, - "targetResourceGroup": {}, - "targetResourceId": {}, - "targetSubscriptionId": {}, - "userName": {} - } - }, - "azure-native:network/v20230201:BastionHostIPConfiguration": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ], - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - }, - "required": [ - "publicIPAddress", - "subnet" - ] - }, - "azure-native:network/v20230201:BastionHostIPConfigurationResponse": { - "properties": { - "etag": {}, - "id": {}, "name": {}, - "privateIPAllocationMethod": { + "protocol": { "containers": [ "properties" ] @@ -76975,856 +40977,385 @@ "properties" ] }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "qosCollectionId": { "containers": [ "properties" ] }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "qosDefinitionCollection": { "containers": [ "properties" - ] - }, - "type": {} - }, - "required": [ - "publicIPAddress", - "subnet" - ] - }, - "azure-native:network/v20230201:BastionShareableLink": { - "properties": { - "vm": { - "$ref": "#/types/azure-native:network/v20230201:VM", - "type": "object" - } - }, - "required": [ - "vm" - ] - }, - "azure-native:network/v20230201:BastionShareableLinkResponse": { - "properties": { - "bsl": {}, - "createdAt": {}, - "message": {}, - "vm": { - "$ref": "#/types/azure-native:network/v20230201:VMResponse" - } - }, - "required": [ - "vm" - ] - }, - "azure-native:network/v20230201:BgpPeerStatusResponse": { - "properties": { - "asn": {}, - "connectedDuration": {}, - "localAddress": {}, - "messagesReceived": {}, - "messagesSent": {}, - "neighbor": {}, - "routesReceived": {}, - "state": {} - } - }, - "azure-native:network/v20230201:BgpSettings": { - "properties": { - "asn": { - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "bgpPeeringAddress": { - "type": "string" - }, - "bgpPeeringAddresses": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationBgpPeeringAddress", - "type": "object" - }, - "type": "array" - }, - "peerWeight": { - "type": "integer" - } - } - }, - "azure-native:network/v20230201:BgpSettingsResponse": { - "properties": { - "asn": {}, - "bgpPeeringAddress": {}, - "bgpPeeringAddresses": { + ], "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationBgpPeeringAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosDefinitionResponse", "type": "object" } }, - "peerWeight": {} - } - }, - "azure-native:network/v20230201:BreakOutCategoryPolicies": { - "properties": { - "allow": { - "type": "boolean" - }, - "default": { - "type": "boolean" - }, - "optimize": { - "type": "boolean" - } - } - }, - "azure-native:network/v20230201:BreakOutCategoryPoliciesResponse": { - "properties": { - "allow": {}, - "default": {}, - "optimize": {} - } - }, - "azure-native:network/v20230201:ConfigurationGroupResponse": { - "properties": { - "description": { - "containers": [ - "properties" - ] - }, - "id": {}, - "provisioningState": { + "resourceGuid": { "containers": [ "properties" ] }, - "resourceGuid": { + "sourceIpRanges": { "containers": [ "properties" - ] - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorDestination": { - "properties": { - "address": { - "type": "string" - }, - "port": { - "maximum": 65535, - "minimum": 0, - "type": "integer" - }, - "resourceId": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorDestinationResponse": { - "properties": { - "address": {}, - "port": {}, - "resourceId": {} - } - }, - "azure-native:network/v20230201:ConnectionMonitorEndpoint": { - "properties": { - "address": { - "type": "string" - }, - "coverageLevel": { - "type": "string" - }, - "filter": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointFilter", - "type": "object" - }, - "name": { - "type": "string" - }, - "resourceId": { - "type": "string" - }, - "scope": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScope", - "type": "object" - }, - "type": { - "type": "string" - } - }, - "required": [ - "name" - ] - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointFilter": { - "properties": { - "items": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointFilterItem", - "type": "object" - }, - "type": "array" - }, - "type": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointFilterItem": { - "properties": { - "address": { - "type": "string" - }, - "type": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointFilterItemResponse": { - "properties": { - "address": {}, - "type": {} - } - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointFilterResponse": { - "properties": { - "items": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointFilterItemResponse", - "type": "object" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointResponse": { - "properties": { - "address": {}, - "coverageLevel": {}, - "filter": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointFilterResponse" - }, - "name": {}, - "resourceId": {}, - "scope": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScopeResponse" - }, - "type": {} - }, - "required": [ - "name" - ] - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointScope": { - "properties": { - "exclude": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScopeItem", - "type": "object" - }, - "type": "array" - }, - "include": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScopeItem", - "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointScopeItem": { - "properties": { - "address": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointScopeItemResponse": { - "properties": { - "address": {} - } - }, - "azure-native:network/v20230201:ConnectionMonitorEndpointScopeResponse": { - "properties": { - "exclude": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScopeItemResponse", - "type": "object" - } - }, - "include": { + ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorEndpointScopeItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", "type": "object" } - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorHttpConfiguration": { - "properties": { - "method": { - "type": "string" - }, - "path": { - "type": "string" }, - "port": { - "maximum": 65535, - "minimum": 0, - "type": "integer" - }, - "preferHTTPS": { - "type": "boolean" - }, - "requestHeaders": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:HTTPHeader", - "type": "object" - }, - "type": "array" - }, - "validStatusCodeRanges": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorHttpConfigurationResponse": { - "properties": { - "method": {}, - "path": {}, - "port": {}, - "preferHTTPS": {}, - "requestHeaders": { + "sourcePortRanges": { + "containers": [ + "properties" + ], "items": { - "$ref": "#/types/azure-native:network/v20230201:HTTPHeaderResponse", + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", "type": "object" } }, - "validStatusCodeRanges": { - "items": { + "tags": { + "additionalProperties": { "type": "string" } - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorIcmpConfiguration": { - "properties": { - "disableTraceRoute": { - "type": "boolean" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorIcmpConfigurationResponse": { - "properties": { - "disableTraceRoute": {} - } - }, - "azure-native:network/v20230201:ConnectionMonitorOutput": { - "properties": { - "type": { - "type": "string" - }, - "workspaceSettings": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorWorkspaceSettings", - "type": "object" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorOutputResponse": { - "properties": { - "type": {}, - "workspaceSettings": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorWorkspaceSettingsResponse" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorSource": { - "properties": { - "port": { - "maximum": 65535, - "minimum": 0, - "type": "integer" - }, - "resourceId": { - "type": "string" - } - }, - "required": [ - "resourceId" - ] - }, - "azure-native:network/v20230201:ConnectionMonitorSourceResponse": { - "properties": { - "port": {}, - "resourceId": {} - }, - "required": [ - "resourceId" - ] - }, - "azure-native:network/v20230201:ConnectionMonitorSuccessThreshold": { - "properties": { - "checksFailedPercent": { - "type": "integer" - }, - "roundTripTimeMs": { - "type": "number" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorSuccessThresholdResponse": { - "properties": { - "checksFailedPercent": {}, - "roundTripTimeMs": {} - } - }, - "azure-native:network/v20230201:ConnectionMonitorTcpConfiguration": { - "properties": { - "destinationPortBehavior": { - "type": "string" - }, - "disableTraceRoute": { - "type": "boolean" }, - "port": { - "maximum": 65535, - "minimum": 0, - "type": "integer" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorTcpConfigurationResponse": { - "properties": { - "destinationPortBehavior": {}, - "disableTraceRoute": {}, - "port": {} + "type": {} } }, - "azure-native:network/v20230201:ConnectionMonitorTestConfiguration": { - "properties": { - "httpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorHttpConfiguration", - "type": "object" - }, - "icmpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorIcmpConfiguration", - "type": "object" - }, - "name": { - "type": "string" - }, - "preferredIPVersion": { - "type": "string" - }, - "protocol": { - "type": "string" - }, - "successThreshold": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorSuccessThreshold", - "type": "object" - }, - "tcpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTcpConfiguration", - "type": "object" - }, - "testFrequencySec": { - "type": "integer" - } - }, - "required": [ - "name", - "protocol" - ] - }, - "azure-native:network/v20230201:ConnectionMonitorTestConfigurationResponse": { - "properties": { - "httpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorHttpConfigurationResponse" - }, - "icmpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorIcmpConfigurationResponse" - }, - "name": {}, - "preferredIPVersion": {}, - "protocol": {}, - "successThreshold": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorSuccessThresholdResponse" - }, - "tcpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ConnectionMonitorTcpConfigurationResponse" - }, - "testFrequencySec": {} - }, - "required": [ - "name", - "protocol" - ] - }, - "azure-native:network/v20230201:ConnectionMonitorTestGroup": { - "properties": { - "destinations": { - "items": { - "type": "string" - }, - "type": "array" - }, - "disable": { - "type": "boolean" - }, - "name": { - "type": "string" - }, - "sources": { - "items": { - "type": "string" - }, - "type": "array" - }, - "testConfigurations": { - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "destinations", - "name", - "sources", - "testConfigurations" - ] - }, - "azure-native:network/v20230201:ConnectionMonitorTestGroupResponse": { - "properties": { - "destinations": { - "items": { + "azure-native_network_v20230201:network:ExpressRouteCircuit": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "disable": {}, - "name": {}, - "sources": { - "items": { + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { + "autoname": "random", "type": "string" } }, - "testConfigurations": { - "items": { + { + "body": { + "properties": { + "allowClassicOperations": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "authorizations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "bandwidthInGbps": { + "containers": [ + "properties" + ], + "type": "number" + }, + "circuitProvisioningState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "expressRoutePort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "gatewayManagerEtag": { + "containers": [ + "properties" + ], + "type": "string" + }, + "globalReachEnabled": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "peerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeering", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "serviceKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "serviceProviderNotes": { + "containers": [ + "properties" + ], + "type": "string" + }, + "serviceProviderProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "serviceProviderProvisioningState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSku", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } } - }, - "required": [ - "destinations", - "name", - "sources", - "testConfigurations" - ] - }, - "azure-native:network/v20230201:ConnectionMonitorWorkspaceSettings": { - "properties": { - "workspaceResourceId": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ConnectionMonitorWorkspaceSettingsResponse": { - "properties": { - "workspaceResourceId": {} - } - }, - "azure-native:network/v20230201:ConnectivityGroupItem": { - "properties": { - "groupConnectivity": { - "type": "string" - }, - "isGlobal": { - "type": "string" - }, - "networkGroupId": { - "type": "string" - }, - "useHubGateway": { - "type": "string" - } - }, - "required": [ - "groupConnectivity", - "networkGroupId" - ] - }, - "azure-native:network/v20230201:ConnectivityGroupItemResponse": { - "properties": { - "groupConnectivity": {}, - "isGlobal": {}, - "networkGroupId": {}, - "useHubGateway": {} - }, - "required": [ - "groupConnectivity", - "networkGroupId" - ] - }, - "azure-native:network/v20230201:ContainerNetworkInterfaceConfiguration": { - "properties": { - "containerNetworkInterfaces": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allowClassicOperations": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" + ] }, - "id": { - "type": "string" + "authorizationKey": { + "containers": [ + "properties" + ] }, - "ipConfigurations": { + "authorizationStatus": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationProfile", - "type": "object" - }, - "type": "array" + ] }, - "name": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ContainerNetworkInterfaceConfigurationResponse": { - "properties": { - "containerNetworkInterfaces": { + "authorizations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorizationResponse", "type": "object" } }, - "etag": {}, - "id": {}, - "ipConfigurations": { + "bandwidthInGbps": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationProfileResponse", - "type": "object" - } + ] }, - "name": {}, - "provisioningState": { + "circuitProvisioningState": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:ContainerNetworkInterfaceIpConfigurationResponse": { - "properties": { "etag": {}, - "name": {}, - "provisioningState": { + "expressRoutePort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:ContainerNetworkInterfaceResponse": { - "properties": { - "container": { - "$ref": "#/types/azure-native:network/v20230201:ContainerResponse", + "gatewayManagerEtag": { "containers": [ "properties" ] }, - "containerNetworkInterfaceConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceConfigurationResponse", + "globalReachEnabled": { "containers": [ "properties" ] }, - "etag": {}, "id": {}, - "ipConfigurations": { + "location": {}, + "name": {}, + "peerings": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ContainerNetworkInterfaceIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", "type": "object" } }, - "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:ContainerResponse": { - "properties": { - "id": {} - } - }, - "azure-native:network/v20230201:Criterion": { - "properties": { - "asPath": { - "items": { - "type": "string" - }, - "type": "array" + "serviceKey": { + "containers": [ + "properties" + ] }, - "community": { - "items": { - "type": "string" - }, - "type": "array" + "serviceProviderNotes": { + "containers": [ + "properties" + ] }, - "matchCondition": { - "type": "string" + "serviceProviderProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderPropertiesResponse", + "containers": [ + "properties" + ] }, - "routePrefix": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:CriterionResponse": { - "properties": { - "asPath": { - "items": { - "type": "string" - } + "serviceProviderProvisioningState": { + "containers": [ + "properties" + ] }, - "community": { - "items": { - "type": "string" - } + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSkuResponse" }, - "matchCondition": {}, - "routePrefix": { - "items": { + "stag": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { "type": "string" } - } + }, + "type": {} } }, - "azure-native:network/v20230201:CrossTenantScopesResponse": { - "properties": { - "managementGroups": { - "items": { + "azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "subscriptions": { - "items": { + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { "type": "string" } }, - "tenantId": {} - } - }, - "azure-native:network/v20230201:CustomDnsConfigPropertiesFormat": { - "properties": { - "fqdn": { - "type": "string" - }, - "ipAddresses": { - "items": { + { + "location": "path", + "name": "authorizationName", + "required": true, + "value": { + "autoname": "copy", "type": "string" + } + }, + { + "body": { + "properties": { + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "authorizationUseStatus": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + } + } }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:CustomDnsConfigPropertiesFormatResponse": { - "properties": { - "fqdn": {}, - "ipAddresses": { - "items": { + "location": "body", + "name": "authorizationParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } } - } - }, - "azure-native:network/v20230201:DdosSettings": { - "properties": { - "ddosProtectionPlan": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "protectionMode": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:DdosSettingsResponse": { - "properties": { - "ddosProtectionPlan": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse" - }, - "protectionMode": {} - } - }, - "azure-native:network/v20230201:Delegation": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "serviceName": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "authorizationKey": { "containers": [ "properties" - ], - "type": "string" + ] }, - "type": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:DelegationProperties": { - "properties": { - "serviceName": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:DelegationPropertiesResponse": { - "properties": { - "provisioningState": {}, - "serviceName": {} - } - }, - "azure-native:network/v20230201:DelegationResponse": { - "properties": { - "actions": { + "authorizationUseStatus": { "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, "etag": {}, "id": {}, @@ -77834,816 +41365,716 @@ "properties" ] }, - "serviceName": { - "containers": [ - "properties" - ] - }, "type": {} } }, - "azure-native:network/v20230201:DeviceProperties": { - "properties": { - "deviceModel": { - "type": "string" - }, - "deviceVendor": { - "type": "string" - }, - "linkSpeedInMbps": { - "type": "integer" - } - } - }, - "azure-native:network/v20230201:DevicePropertiesResponse": { - "properties": { - "deviceModel": {}, - "deviceVendor": {}, - "linkSpeedInMbps": {} - } - }, - "azure-native:network/v20230201:DhcpOptions": { - "properties": { - "dnsServers": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:DhcpOptionsResponse": { - "properties": { - "dnsServers": { - "items": { + "azure-native_network_v20230201:network:ExpressRouteCircuitConnection": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } - } - } - }, - "azure-native:network/v20230201:DnsSettings": { - "properties": { - "enableProxy": { - "type": "boolean" }, - "requireProxyForNetworkRules": { - "type": "boolean" - }, - "servers": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:DnsSettingsResponse": { - "properties": { - "enableProxy": {}, - "requireProxyForNetworkRules": {}, - "servers": { - "items": { + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { "type": "string" } - } - } - }, - "azure-native:network/v20230201:EffectiveConnectivityConfigurationResponse": { - "properties": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConnectivityGroupItemResponse", - "type": "object" - } }, - "configurationGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "type": "string" } }, - "connectivityTopology": { - "containers": [ - "properties" - ] - }, - "deleteExistingPeering": { - "containers": [ - "properties" - ] - }, - "description": { - "containers": [ - "properties" - ] - }, - "hubs": { - "arrayIdentifiers": [ - "resourceId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:HubResponse", - "type": "object" + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" } }, - "id": {}, - "isGlobal": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - } - }, - "required": [ - "appliesToGroups", - "connectivityTopology" - ] - }, - "azure-native:network/v20230201:EffectiveDefaultSecurityAdminRuleResponse": { - "properties": { - "access": { - "containers": [ - "properties" - ] - }, - "configurationDescription": {}, - "description": { - "containers": [ - "properties" - ] + { + "body": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "ipv6CircuitConnectionConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfig", + "containers": [ + "properties" + ], + "type": "object" + }, + "name": { + "type": "string" + }, + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "expressRouteCircuitConnectionParameters", + "required": true, + "value": {} }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } - }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressPrefix": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } + ] }, - "direction": { + "authorizationKey": { "containers": [ "properties" ] }, - "flag": { + "circuitConnectionStatus": { "containers": [ "properties" ] }, - "id": {}, - "kind": { - "const": "Default" - }, - "priority": { + "etag": {}, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "protocol": { + "id": {}, + "ipv6CircuitConnectionConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse", "containers": [ "properties" ] }, - "provisioningState": { + "name": {}, + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "resourceGuid": { + "provisioningState": { "containers": [ "properties" ] }, - "ruleCollectionAppliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", - "type": "object" + "type": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeering": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" } }, - "ruleCollectionDescription": {}, - "ruleGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { + "type": "string" } }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "autoname": "copy", "type": "string" } }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" + { + "body": { + "properties": { + "azureASN": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "connections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnection", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "gatewayManagerEtag": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig", + "containers": [ + "properties" + ], + "type": "object" + }, + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", + "containers": [ + "properties" + ], + "type": "object" + }, + "name": { + "type": "string" + }, + "peerASN": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 1, + "type": "number" + }, + "peeringType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "primaryAzurePort": { + "containers": [ + "properties" + ], + "type": "string" + }, + "primaryPeerAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "secondaryAzurePort": { + "containers": [ + "properties" + ], + "type": "string" + }, + "secondaryPeerAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sharedKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "state": { + "containers": [ + "properties" + ], + "type": "string" + }, + "stats": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStats", + "containers": [ + "properties" + ], + "type": "object" + }, + "vlanId": { + "containers": [ + "properties" + ], + "type": "integer" + } + } + }, + "location": "body", + "name": "peeringParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" } } - }, - "required": [ - "kind" - ] - }, - "azure-native:network/v20230201:EffectiveSecurityAdminRuleResponse": { - "properties": { - "access": { - "containers": [ - "properties" - ] - }, - "configurationDescription": {}, - "description": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "azureASN": { "containers": [ "properties" ] }, - "destinationPortRanges": { + "connections": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse", + "type": "object" } }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], + "etag": {}, + "expressRouteConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } + ] }, - "direction": { + "gatewayManagerEtag": { "containers": [ "properties" ] }, "id": {}, - "kind": { - "const": "Custom" - }, - "priority": { + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", "containers": [ "properties" ] }, - "protocol": { + "lastModifiedBy": { "containers": [ "properties" ] }, - "provisioningState": { + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", "containers": [ "properties" ] }, - "resourceGuid": { + "name": {}, + "peerASN": { "containers": [ "properties" ] }, - "ruleCollectionAppliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse", - "type": "object" - } - }, - "ruleCollectionDescription": {}, - "ruleGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ConfigurationGroupResponse", - "type": "object" - } - }, - "sourcePortRanges": { + "peeredConnections": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse", + "type": "object" } }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], + "peeringType": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:AddressPrefixItemResponse", - "type": "object" - } - } - }, - "required": [ - "access", - "direction", - "kind", - "priority", - "protocol" - ] - }, - "azure-native:network/v20230201:ExclusionManagedRule": { - "properties": { - "ruleId": { - "type": "string" - } - }, - "required": [ - "ruleId" - ] - }, - "azure-native:network/v20230201:ExclusionManagedRuleGroup": { - "properties": { - "ruleGroupName": { - "type": "string" - }, - "rules": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRule", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "ruleGroupName" - ] - }, - "azure-native:network/v20230201:ExclusionManagedRuleGroupResponse": { - "properties": { - "ruleGroupName": {}, - "rules": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRuleResponse", - "type": "object" - } - } - }, - "required": [ - "ruleGroupName" - ] - }, - "azure-native:network/v20230201:ExclusionManagedRuleResponse": { - "properties": { - "ruleId": {} - }, - "required": [ - "ruleId" - ] - }, - "azure-native:network/v20230201:ExclusionManagedRuleSet": { - "properties": { - "ruleGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRuleGroup", - "type": "object" - }, - "type": "array" - }, - "ruleSetType": { - "type": "string" - }, - "ruleSetVersion": { - "type": "string" - } - }, - "required": [ - "ruleSetType", - "ruleSetVersion" - ] - }, - "azure-native:network/v20230201:ExclusionManagedRuleSetResponse": { - "properties": { - "ruleGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRuleGroupResponse", - "type": "object" - } - }, - "ruleSetType": {}, - "ruleSetVersion": {} - }, - "required": [ - "ruleSetType", - "ruleSetVersion" - ] - }, - "azure-native:network/v20230201:ExplicitProxy": { - "properties": { - "enableExplicitProxy": { - "type": "boolean" - }, - "enablePacFile": { - "type": "boolean" - }, - "httpPort": { - "maximum": 64000, - "minimum": 0, - "type": "integer" - }, - "httpsPort": { - "maximum": 64000, - "minimum": 0, - "type": "integer" - }, - "pacFile": { - "type": "string" + ] }, - "pacFilePort": { - "maximum": 64000, - "minimum": 0, - "type": "integer" - } - } - }, - "azure-native:network/v20230201:ExplicitProxyResponse": { - "properties": { - "enableExplicitProxy": {}, - "enablePacFile": {}, - "httpPort": {}, - "httpsPort": {}, - "pacFile": {}, - "pacFilePort": {} - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitAuthorization": { - "properties": { - "authorizationKey": { + "primaryAzurePort": { "containers": [ "properties" - ], - "type": "string" + ] }, - "authorizationUseStatus": { + "primaryPeerAddressPrefix": { "containers": [ "properties" - ], - "type": "string" - }, - "id": { - "type": "string" + ] }, - "name": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitAuthorizationResponse": { - "properties": { - "authorizationKey": { + "provisioningState": { "containers": [ "properties" ] }, - "authorizationUseStatus": { + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { + "secondaryAzurePort": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitConnection": { - "properties": { - "addressPrefix": { + "secondaryPeerAddressPrefix": { "containers": [ "properties" - ], - "type": "string" + ] }, - "authorizationKey": { + "sharedKey": { "containers": [ "properties" - ], - "type": "string" + ] }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "state": { "containers": [ "properties" - ], - "type": "object" - }, - "id": { - "type": "string" + ] }, - "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6CircuitConnectionConfig", + "stats": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse", "containers": [ "properties" - ], - "type": "object" - }, - "name": { - "type": "string" + ] }, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "type": {}, + "vlanId": { "containers": [ "properties" - ], - "type": "object" + ] } } }, - "azure-native:network/v20230201:ExpressRouteCircuitConnectionResponse": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ] + "azure-native_network_v20230201:network:ExpressRouteConnection": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "expressRouteGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enablePrivateLinkFastPath": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringId", + "containers": [ + "properties" + ], + "type": "object" + }, + "expressRouteGatewayBypass": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "routingWeight": { + "containers": [ + "properties" + ], + "type": "integer" + } + }, + "required": [ + "expressRouteCircuitPeering", + "name" + ] + }, + "location": "body", + "name": "putExpressRouteConnectionParameters", + "required": true, + "value": {} }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { "authorizationKey": { "containers": [ "properties" ] }, - "circuitConnectionStatus": { + "enableInternetSecurity": { "containers": [ "properties" ] }, - "etag": {}, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "enablePrivateLinkFastPath": { "containers": [ "properties" ] }, - "id": {}, - "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6CircuitConnectionConfigResponse", + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse", "containers": [ "properties" ] }, - "name": {}, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "expressRouteGatewayBypass": { "containers": [ "properties" ] }, + "id": {}, + "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeering": { - "properties": { - "azureASN": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "connections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitConnection", - "type": "object" - }, - "type": "array" - }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "name": { - "type": "string" - }, - "peerASN": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 1, - "type": "number" - }, - "peeringType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "primaryAzurePort": { - "containers": [ - "properties" - ], - "type": "string" - }, - "primaryPeerAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "secondaryAzurePort": { - "containers": [ - "properties" - ], - "type": "string" - }, - "secondaryPeerAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sharedKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "state": { - "containers": [ - "properties" - ], - "type": "string" - }, - "stats": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitStats", + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "containers": [ "properties" - ], - "type": "object" + ] }, - "vlanId": { + "routingWeight": { "containers": [ "properties" - ], - "type": "integer" + ] } } }, - "azure-native:network/v20230201:ExpressRouteCircuitPeeringConfig": { - "properties": { - "advertisedCommunities": { - "items": { + "azure-native_network_v20230201:network:ExpressRouteCrossConnectionPeering": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" - }, - "type": "array" + } }, - "advertisedPublicPrefixes": { - "items": { + { + "location": "path", + "name": "crossConnectionName", + "required": true, + "value": { "type": "string" - }, - "type": "array" - }, - "customerASN": { - "type": "integer" - }, - "legacyMode": { - "type": "integer" + } }, - "routingRegistryName": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse": { - "properties": { - "advertisedCommunities": { - "items": { + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "autoname": "copy", "type": "string" } }, - "advertisedPublicPrefixes": { - "items": { + { + "body": { + "properties": { + "gatewayManagerEtag": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig", + "containers": [ + "properties" + ], + "type": "object" + }, + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", + "containers": [ + "properties" + ], + "type": "object" + }, + "name": { + "type": "string" + }, + "peerASN": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 1, + "type": "number" + }, + "peeringType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "primaryPeerAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "secondaryPeerAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sharedKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "state": { + "containers": [ + "properties" + ], + "type": "string" + }, + "vlanId": { + "containers": [ + "properties" + ], + "type": "integer" + } + } + }, + "location": "body", + "name": "peeringParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } - }, - "advertisedPublicPrefixesState": {}, - "customerASN": {}, - "legacyMode": {}, - "routingRegistryName": {} - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeeringId": { - "properties": { - "id": { - "type": "string" } - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeeringIdResponse": { - "properties": { - "id": {} - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitPeeringResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "putAsyncStyle": "azure-async-operation", + "response": { "azureASN": { "containers": [ "properties" ] }, - "connections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitConnectionResponse", - "type": "object" - } - }, "etag": {}, - "expressRouteConnection": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteConnectionIdResponse", - "containers": [ - "properties" - ] - }, "gatewayManagerEtag": { "containers": [ "properties" @@ -78651,7 +42082,7 @@ }, "id": {}, "ipv6PeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", "containers": [ "properties" ] @@ -78662,7 +42093,7 @@ ] }, "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", "containers": [ "properties" ] @@ -78673,15 +42104,6 @@ "properties" ] }, - "peeredConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PeerExpressRouteCircuitConnectionResponse", - "type": "object" - } - }, "peeringType": { "containers": [ "properties" @@ -78702,12 +42124,6 @@ "properties" ] }, - "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, "secondaryAzurePort": { "containers": [ "properties" @@ -78728,13 +42144,6 @@ "properties" ] }, - "stats": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitStatsResponse", - "containers": [ - "properties" - ] - }, - "type": {}, "vlanId": { "containers": [ "properties" @@ -78742,871 +42151,860 @@ } } }, - "azure-native:network/v20230201:ExpressRouteCircuitServiceProviderProperties": { - "properties": { - "bandwidthInMbps": { - "type": "integer" - }, - "peeringLocation": { - "type": "string" + "azure-native_network_v20230201:network:ExpressRouteGateway": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "serviceProviderName": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitServiceProviderPropertiesResponse": { - "properties": { - "bandwidthInMbps": {}, - "peeringLocation": {}, - "serviceProviderName": {} - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitSku": { - "properties": { - "family": { - "type": "string" + { + "location": "path", + "name": "expressRouteGatewayName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "name": { - "type": "string" + { + "body": { + "properties": { + "allowNonVirtualWanTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "autoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesAutoScaleConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "expressRouteConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnection", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubId", + "containers": [ + "properties" + ], + "type": "object" + } + }, + "required": [ + "virtualHub" + ] + }, + "location": "body", + "name": "putExpressRouteGatewayParameters", + "required": true, + "value": {} }, - "tier": { - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitSkuResponse": { - "properties": { - "family": {}, - "name": {}, - "tier": {} - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitStats": { - "properties": { - "primarybytesIn": { - "type": "number" - }, - "primarybytesOut": { - "type": "number" + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allowNonVirtualWanTraffic": { + "containers": [ + "properties" + ] }, - "secondarybytesIn": { - "type": "number" + "autoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", + "containers": [ + "properties" + ] }, - "secondarybytesOut": { - "type": "number" - } - } - }, - "azure-native:network/v20230201:ExpressRouteCircuitStatsResponse": { - "properties": { - "primarybytesIn": {}, - "primarybytesOut": {}, - "secondarybytesIn": {}, - "secondarybytesOut": {} - } - }, - "azure-native:network/v20230201:ExpressRouteConnection": { - "properties": { - "authorizationKey": { + "etag": {}, + "expressRouteConnections": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionResponse", + "type": "object" + } }, - "enableInternetSecurity": { + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "type": "boolean" + ] }, - "enablePrivateLinkFastPath": { + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubIdResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:ExpressRoutePort": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "expressRoutePortName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "bandwidthInGbps": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "billingType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "encapsulation": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", + "type": "object" + }, + "links": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLink", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "peeringLocation": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allocationDate": { "containers": [ "properties" - ], - "type": "boolean" + ] }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringId", + "bandwidthInGbps": { "containers": [ "properties" - ], - "type": "object" + ] }, - "expressRouteGatewayBypass": { + "billingType": { "containers": [ "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" + ] }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", + "circuits": { "containers": [ "properties" ], - "type": "object" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "routingWeight": { - "containers": [ - "properties" - ], - "type": "integer" - } - }, - "required": [ - "expressRouteCircuitPeering", - "name" - ] - }, - "azure-native:network/v20230201:ExpressRouteConnectionIdResponse": { - "properties": { - "id": {} - } - }, - "azure-native:network/v20230201:ExpressRouteConnectionResponse": { - "properties": { - "authorizationKey": { + "encapsulation": { "containers": [ "properties" ] }, - "enableInternetSecurity": { + "etag": {}, + "etherType": { "containers": [ "properties" ] }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" - ] + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringIdResponse", + "links": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkResponse", + "type": "object" + } }, - "expressRouteGatewayBypass": { + "location": {}, + "mtu": { "containers": [ "properties" ] }, - "id": {}, "name": {}, - "provisioningState": { + "peeringLocation": { "containers": [ "properties" ] }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", + "provisionedBandwidthInGbps": { "containers": [ "properties" ] }, - "routingWeight": { + "provisioningState": { "containers": [ "properties" ] - } - }, - "required": [ - "expressRouteCircuitPeering", - "name" - ] - }, - "azure-native:network/v20230201:ExpressRouteGatewayPropertiesAutoScaleConfiguration": { - "properties": { - "bounds": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteGatewayPropertiesBounds", - "type": "object" - } - } - }, - "azure-native:network/v20230201:ExpressRouteGatewayPropertiesBounds": { - "properties": { - "max": { - "type": "integer" }, - "min": { - "type": "integer" - } - } - }, - "azure-native:network/v20230201:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration": { - "properties": { - "bounds": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteGatewayPropertiesResponseBounds" - } - } - }, - "azure-native:network/v20230201:ExpressRouteGatewayPropertiesResponseBounds": { - "properties": { - "max": {}, - "min": {} - } - }, - "azure-native:network/v20230201:ExpressRouteLink": { - "properties": { - "adminState": { + "resourceGuid": { "containers": [ "properties" - ], - "type": "string" - }, - "id": { - "type": "string" + ] }, - "macSecConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLinkMacSecConfig", - "containers": [ - "properties" - ], - "type": "object" + "tags": { + "additionalProperties": { + "type": "string" + } }, - "name": { - "type": "string" - } + "type": {} } }, - "azure-native:network/v20230201:ExpressRouteLinkMacSecConfig": { - "properties": { - "cakSecretIdentifier": { - "type": "string" + "azure-native_network_v20230201:network:ExpressRoutePortAuthorization": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "cipher": { - "type": "string" + { + "location": "path", + "name": "expressRoutePortName", + "required": true, + "value": { + "type": "string" + } }, - "cknSecretIdentifier": { - "type": "string" + { + "location": "path", + "name": "authorizationName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "sciState": { - "type": "string" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + } + } + }, + "location": "body", + "name": "authorizationParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:ExpressRouteLinkMacSecConfigResponse": { - "properties": { - "cakSecretIdentifier": {}, - "cipher": {}, - "cknSecretIdentifier": {}, - "sciState": {} - } - }, - "azure-native:network/v20230201:ExpressRouteLinkResponse": { - "properties": { - "adminState": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "authorizationKey": { "containers": [ "properties" ] }, - "coloLocation": { + "authorizationUseStatus": { "containers": [ "properties" ] }, - "connectorType": { + "circuitResourceUri": { "containers": [ "properties" ] }, "etag": {}, "id": {}, - "interfaceName": { + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "macSecConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteLinkMacSecConfigResponse", + "type": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicy": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "firewallPolicyName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "basePolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DnsSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "explicitProxy": { + "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxy", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", + "type": "object" + }, + "insights": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsights", + "containers": [ + "properties" + ], + "type": "object" + }, + "intrusionDetection": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetection", + "containers": [ + "properties" + ], + "type": "object" + }, + "location": { + "type": "string" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySku", + "containers": [ + "properties" + ], + "type": "object" + }, + "snat": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNAT", + "containers": [ + "properties" + ], + "type": "object" + }, + "sql": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQL", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "threatIntelMode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "threatIntelWhitelist": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelist", + "containers": [ + "properties" + ], + "type": "object" + }, + "transportSecurity": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurity", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "basePolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "name": {}, - "patchPanelId": { + "childPolicies": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "provisioningState": { + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DnsSettingsResponse", "containers": [ "properties" ] }, - "rackId": { + "etag": {}, + "explicitProxy": { + "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxyResponse", "containers": [ "properties" ] }, - "routerName": { + "firewalls": { "containers": [ "properties" - ] - } - } - }, - "azure-native:network/v20230201:ExtendedLocation": { - "properties": { - "name": { - "type": "string" - }, - "type": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ExtendedLocationResponse": { - "properties": { - "name": {}, - "type": {} - } - }, - "azure-native:network/v20230201:FilterItems": { - "properties": { - "field": { - "type": "string" - }, - "values": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyCertificateAuthority": { - "properties": { - "keyVaultSecretId": { - "type": "string" - }, - "name": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyCertificateAuthorityResponse": { - "properties": { - "keyVaultSecretId": {}, - "name": {} - } - }, - "azure-native:network/v20230201:FirewallPolicyFilterRuleCollection": { - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionAction", - "type": "object" - }, - "name": { - "type": "string" - }, - "priority": { - "maximum": 65000, - "minimum": 100, - "type": "integer" - }, - "ruleCollectionType": { - "const": "FirewallPolicyFilterRuleCollection", - "type": "string" - }, - "rules": { - "items": { - "oneOf": [ - "#/types/azure-native:network/v20230201:ApplicationRule", - "#/types/azure-native:network/v20230201:NatRule", - "#/types/azure-native:network/v20230201:NetworkRule" - ] - }, - "type": "array" - } - }, - "required": [ - "ruleCollectionType" - ] - }, - "azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionAction": { - "properties": { - "type": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionActionResponse": { - "properties": { - "type": {} - } - }, - "azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionResponse": { - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyFilterRuleCollectionActionResponse" - }, - "name": {}, - "priority": {}, - "ruleCollectionType": { - "const": "FirewallPolicyFilterRuleCollection" - }, - "rules": { + ], "items": { - "oneOf": [ - "#/types/azure-native:network/v20230201:ApplicationRuleResponse", - "#/types/azure-native:network/v20230201:NatRuleResponse", - "#/types/azure-native:network/v20230201:NetworkRuleResponse" - ] + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" } - } - }, - "required": [ - "ruleCollectionType" - ] - }, - "azure-native:network/v20230201:FirewallPolicyHttpHeaderToInsert": { - "properties": { - "headerName": { - "type": "string" - }, - "headerValue": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyHttpHeaderToInsertResponse": { - "properties": { - "headerName": {}, - "headerValue": {} - } - }, - "azure-native:network/v20230201:FirewallPolicyInsights": { - "properties": { - "isEnabled": { - "type": "boolean" - }, - "logAnalyticsResources": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyLogAnalyticsResources", - "type": "object" - }, - "retentionDays": { - "type": "integer" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyInsightsResponse": { - "properties": { - "isEnabled": {}, - "logAnalyticsResources": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyLogAnalyticsResourcesResponse" - }, - "retentionDays": {} - } - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetection": { - "properties": { - "configuration": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionConfiguration", - "type": "object" - }, - "mode": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionBypassTrafficSpecifications": { - "properties": { - "description": { - "type": "string" }, - "destinationAddresses": { - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationIpGroups": { - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "type": "string" + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" }, - "protocol": { - "type": "string" + "insights": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsightsResponse", + "containers": [ + "properties" + ] }, - "sourceAddresses": { - "items": { - "type": "string" - }, - "type": "array" + "intrusionDetection": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionResponse", + "containers": [ + "properties" + ] }, - "sourceIpGroups": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionBypassTrafficSpecificationsResponse": { - "properties": { - "description": {}, - "destinationAddresses": { - "items": { - "type": "string" - } + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] }, - "destinationIpGroups": { + "ruleCollectionGroups": { + "containers": [ + "properties" + ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" } }, - "destinationPorts": { - "items": { - "type": "string" - } + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySkuResponse", + "containers": [ + "properties" + ] }, - "name": {}, - "protocol": {}, - "sourceAddresses": { - "items": { - "type": "string" - } + "snat": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNATResponse", + "containers": [ + "properties" + ] }, - "sourceIpGroups": { - "items": { + "sql": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQLResponse", + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { "type": "string" } - } - } - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionConfiguration": { - "properties": { - "bypassTrafficSettings": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionBypassTrafficSpecifications", - "type": "object" - }, - "type": "array" }, - "privateRanges": { - "items": { - "type": "string" - }, - "type": "array" + "threatIntelMode": { + "containers": [ + "properties" + ] }, - "signatureOverrides": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionSignatureSpecification", - "type": "object" - }, - "type": "array" - } + "threatIntelWhitelist": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelistResponse", + "containers": [ + "properties" + ] + }, + "transportSecurity": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurityResponse", + "containers": [ + "properties" + ] + }, + "type": {} } }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionConfigurationResponse": { - "properties": { - "bypassTrafficSettings": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionBypassTrafficSpecificationsResponse", - "type": "object" + "azure-native_network_v20230201:network:FirewallPolicyRuleCollectionGroup": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" } }, - "privateRanges": { - "items": { + { + "location": "path", + "name": "firewallPolicyName", + "required": true, + "value": { "type": "string" } }, - "signatureOverrides": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionSignatureSpecificationResponse", - "type": "object" + { + "location": "path", + "name": "ruleCollectionGroupName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" } - } - } - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionResponse": { - "properties": { - "configuration": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyIntrusionDetectionConfigurationResponse" - }, - "mode": {} - } - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionSignatureSpecification": { - "properties": { - "id": { - "type": "string" - }, - "mode": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyIntrusionDetectionSignatureSpecificationResponse": { - "properties": { - "id": {}, - "mode": {} - } - }, - "azure-native:network/v20230201:FirewallPolicyLogAnalyticsResources": { - "properties": { - "defaultWorkspaceId": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" }, - "workspaces": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyLogAnalyticsWorkspace", - "type": "object" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "priority": { + "containers": [ + "properties" + ], + "maximum": 65000, + "minimum": 100, + "type": "integer" + }, + "ruleCollections": { + "containers": [ + "properties" + ], + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollection", + "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollection" + ] + }, + "type": "array" + } + } }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyLogAnalyticsResourcesResponse": { - "properties": { - "defaultWorkspaceId": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse" + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "workspaces": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyLogAnalyticsWorkspaceResponse", - "type": "object" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" } } - } - }, - "azure-native:network/v20230201:FirewallPolicyLogAnalyticsWorkspace": { - "properties": { - "region": { - "type": "string" - }, - "workspaceId": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyLogAnalyticsWorkspaceResponse": { - "properties": { - "region": {}, - "workspaceId": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyNatRuleCollection": { - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollectionAction", - "type": "object" - }, - "name": { - "type": "string" - }, + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, "priority": { - "maximum": 65000, - "minimum": 100, - "type": "integer" - }, - "ruleCollectionType": { - "const": "FirewallPolicyNatRuleCollection", - "type": "string" - }, - "rules": { - "items": { - "oneOf": [ - "#/types/azure-native:network/v20230201:ApplicationRule", - "#/types/azure-native:network/v20230201:NatRule", - "#/types/azure-native:network/v20230201:NetworkRule" - ] - }, - "type": "array" - } - }, - "required": [ - "ruleCollectionType" - ] - }, - "azure-native:network/v20230201:FirewallPolicyNatRuleCollectionAction": { - "properties": { - "type": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyNatRuleCollectionActionResponse": { - "properties": { - "type": {} - } - }, - "azure-native:network/v20230201:FirewallPolicyNatRuleCollectionResponse": { - "properties": { - "action": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyNatRuleCollectionActionResponse" + "containers": [ + "properties" + ] }, - "name": {}, - "priority": {}, - "ruleCollectionType": { - "const": "FirewallPolicyNatRuleCollection" + "provisioningState": { + "containers": [ + "properties" + ] }, - "rules": { + "ruleCollections": { + "containers": [ + "properties" + ], "items": { "oneOf": [ - "#/types/azure-native:network/v20230201:ApplicationRuleResponse", - "#/types/azure-native:network/v20230201:NatRuleResponse", - "#/types/azure-native:network/v20230201:NetworkRuleResponse" + "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse", + "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse" ] } - } - }, - "required": [ - "ruleCollectionType" - ] - }, - "azure-native:network/v20230201:FirewallPolicyRuleApplicationProtocol": { - "properties": { - "port": { - "maximum": 64000, - "minimum": 0, - "type": "integer" - }, - "protocolType": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyRuleApplicationProtocolResponse": { - "properties": { - "port": {}, - "protocolType": {} - } - }, - "azure-native:network/v20230201:FirewallPolicySNAT": { - "properties": { - "autoLearnPrivateRanges": { - "type": "string" }, - "privateRanges": { - "items": { - "type": "string" - }, - "type": "array" - } + "type": {} } }, - "azure-native:network/v20230201:FirewallPolicySNATResponse": { - "properties": { - "autoLearnPrivateRanges": {}, - "privateRanges": { - "items": { + "azure-native_network_v20230201:network:FlowLog": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } - } - } - }, - "azure-native:network/v20230201:FirewallPolicySQL": { - "properties": { - "allowSqlRedirect": { - "type": "boolean" - } - } - }, - "azure-native:network/v20230201:FirewallPolicySQLResponse": { - "properties": { - "allowSqlRedirect": {} - } - }, - "azure-native:network/v20230201:FirewallPolicySku": { - "properties": { - "tier": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:FirewallPolicySkuResponse": { - "properties": { - "tier": {} - } - }, - "azure-native:network/v20230201:FirewallPolicyThreatIntelWhitelist": { - "properties": { - "fqdns": { - "items": { - "type": "string" - }, - "type": "array" }, - "ipAddresses": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyThreatIntelWhitelistResponse": { - "properties": { - "fqdns": { - "items": { + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { "type": "string" } }, - "ipAddresses": { - "items": { + { + "location": "path", + "name": "flowLogName", + "required": true, + "value": { + "autoname": "copy", "type": "string" } - } - } - }, - "azure-native:network/v20230201:FirewallPolicyTransportSecurity": { - "properties": { - "certificateAuthority": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyCertificateAuthority", - "type": "object" - } - } - }, - "azure-native:network/v20230201:FirewallPolicyTransportSecurityResponse": { - "properties": { - "certificateAuthority": { - "$ref": "#/types/azure-native:network/v20230201:FirewallPolicyCertificateAuthorityResponse" - } - } - }, - "azure-native:network/v20230201:FlowLogFormatParameters": { - "properties": { - "type": { - "type": "string" }, - "version": { - "default": 0, - "type": "integer" - } - } - }, - "azure-native:network/v20230201:FlowLogFormatParametersResponse": { - "properties": { - "type": {}, - "version": { - "default": 0 + { + "body": { + "properties": { + "enabled": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "flowAnalyticsConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "format": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParameters", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "retentionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParameters", + "containers": [ + "properties" + ], + "type": "object" + }, + "storageId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "targetResourceId": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "storageId", + "targetResourceId" + ] + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:FlowLogResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "putAsyncStyle": "azure-async-operation", + "response": { "enabled": { "containers": [ "properties" @@ -79614,13 +43012,13 @@ }, "etag": {}, "flowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse", "containers": [ "properties" ] }, "format": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogFormatParametersResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParametersResponse", "containers": [ "properties" ] @@ -79634,7 +43032,7 @@ ] }, "retentionPolicy": { - "$ref": "#/types/azure-native:network/v20230201:RetentionPolicyParametersResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParametersResponse", "containers": [ "properties" ] @@ -79660,567 +43058,388 @@ ] }, "type": {} - }, - "required": [ - "storageId", - "targetResourceId" - ] + } }, - "azure-native:network/v20230201:FrontendIPConfiguration": { - "properties": { - "gatewayLoadBalancer": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "privateIPAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "privateIPAddressVersion": { - "containers": [ - "properties" - ], - "type": "string" - }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ], - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", - "containers": [ - "properties" - ], - "type": "object" + "azure-native_network_v20230201:network:HubRouteTable": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } }, - "zones": { - "items": { + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "autoname": "copy", "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "labels": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubRoute", + "type": "object" + }, + "type": "array" + } + } }, - "type": "array" + "location": "body", + "name": "routeTableParameters", + "required": true, + "value": {} } - } - }, - "azure-native:network/v20230201:FrontendIPConfigurationResponse": { - "properties": { - "etag": {}, - "gatewayLoadBalancer": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "id": {}, - "inboundNatPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "inboundNatRules": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "associatedConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" + "type": "string" } }, - "loadBalancingRules": { + "etag": {}, + "id": {}, + "labels": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" + "type": "string" } }, "name": {}, - "outboundRules": { + "propagatingConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" + "type": "string" } }, - "privateIPAddress": { - "containers": [ - "properties" - ] - }, - "privateIPAddressVersion": { - "containers": [ - "properties" - ] - }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ] - }, "provisioningState": { "containers": [ "properties" ] }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", - "containers": [ - "properties" - ] - }, - "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "routes": { "containers": [ "properties" - ] - }, - "type": {}, - "zones": { - "items": { - "type": "string" - } - } - } - }, - "azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfiguration": { - "properties": { - "customBgpIpAddress": { - "type": "string" - }, - "ipConfigurationId": { - "type": "string" - } - }, - "required": [ - "customBgpIpAddress", - "ipConfigurationId" - ] - }, - "azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfigurationResponse": { - "properties": { - "customBgpIpAddress": {}, - "ipConfigurationId": {} - }, - "required": [ - "customBgpIpAddress", - "ipConfigurationId" - ] - }, - "azure-native:network/v20230201:GatewayLoadBalancerTunnelInterface": { - "properties": { - "identifier": { - "type": "integer" - }, - "port": { - "type": "integer" - }, - "protocol": { - "type": "string" - }, - "type": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:GatewayLoadBalancerTunnelInterfaceResponse": { - "properties": { - "identifier": {}, - "port": {}, - "protocol": {}, - "type": {} - } - }, - "azure-native:network/v20230201:GatewayRouteResponse": { - "properties": { - "asPath": {}, - "localAddress": {}, - "network": {}, - "nextHop": {}, - "origin": {}, - "sourcePeer": {}, - "weight": {} - } - }, - "azure-native:network/v20230201:GroupByUserSession": { - "properties": { - "groupByVariables": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:GroupByVariable", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "groupByVariables" - ] - }, - "azure-native:network/v20230201:GroupByUserSessionResponse": { - "properties": { - "groupByVariables": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:GroupByVariableResponse", - "type": "object" - } - } - }, - "required": [ - "groupByVariables" - ] - }, - "azure-native:network/v20230201:GroupByVariable": { - "properties": { - "variableName": { - "type": "string" - } - }, - "required": [ - "variableName" - ] - }, - "azure-native:network/v20230201:GroupByVariableResponse": { - "properties": { - "variableName": {} - }, - "required": [ - "variableName" - ] - }, - "azure-native:network/v20230201:HTTPHeader": { - "properties": { - "name": { - "type": "string" - }, - "value": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:HTTPHeaderResponse": { - "properties": { - "name": {}, - "value": {} - } - }, - "azure-native:network/v20230201:Hub": { - "properties": { - "resourceId": { - "type": "string" - }, - "resourceType": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:HubIPAddresses": { - "properties": { - "privateIPAddress": { - "type": "string" - }, - "publicIPs": { - "$ref": "#/types/azure-native:network/v20230201:HubPublicIPAddresses", - "type": "object" - } - } - }, - "azure-native:network/v20230201:HubIPAddressesResponse": { - "properties": { - "privateIPAddress": {}, - "publicIPs": { - "$ref": "#/types/azure-native:network/v20230201:HubPublicIPAddressesResponse" - } - } - }, - "azure-native:network/v20230201:HubPublicIPAddresses": { - "properties": { - "addresses": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallPublicIPAddress", - "type": "object" - }, - "type": "array" - }, - "count": { - "type": "integer" - } - } - }, - "azure-native:network/v20230201:HubPublicIPAddressesResponse": { - "properties": { - "addresses": { + ], "items": { - "$ref": "#/types/azure-native:network/v20230201:AzureFirewallPublicIPAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:HubRouteResponse", "type": "object" } }, - "count": {} - } - }, - "azure-native:network/v20230201:HubResponse": { - "properties": { - "resourceId": {}, - "resourceType": {} + "type": {} } }, - "azure-native:network/v20230201:HubRoute": { - "properties": { - "destinationType": { - "type": "string" - }, - "destinations": { - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "nextHop": { - "type": "string" - }, - "nextHopType": { - "type": "string" - } - }, - "required": [ - "destinationType", - "destinations", - "name", - "nextHop", - "nextHopType" - ] - }, - "azure-native:network/v20230201:HubRouteResponse": { - "properties": { - "destinationType": {}, - "destinations": { - "items": { + "azure-native_network_v20230201:network:HubVirtualNetworkConnection": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } }, - "name": {}, - "nextHop": {}, - "nextHopType": {} - }, - "required": [ - "destinationType", - "destinations", - "name", - "nextHop", - "nextHopType" - ] - }, - "azure-native:network/v20230201:IPConfigurationBgpPeeringAddress": { - "properties": { - "customBgpIpAddresses": { - "items": { - "type": "string" - }, - "type": "array" - }, - "ipconfigurationId": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:IPConfigurationBgpPeeringAddressResponse": { - "properties": { - "customBgpIpAddresses": { - "items": { + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "defaultBgpIpAddresses": { - "items": { + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { "type": "string" } }, - "ipconfigurationId": {}, - "tunnelIpAddresses": { - "items": { + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", "type": "string" } - } - } - }, - "azure-native:network/v20230201:IPConfigurationProfile": { - "properties": { - "id": { - "type": "string" }, - "name": { - "type": "string" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", - "containers": [ - "properties" - ], - "type": "object" + { + "body": { + "properties": { + "allowHubToRemoteVnetTransit": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "allowRemoteVnetToUseHubVnetGateways": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "hubVirtualNetworkConnectionParameters", + "required": true, + "value": {} } - } - }, - "azure-native:network/v20230201:IPConfigurationProfileResponse": { - "properties": { - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allowHubToRemoteVnetTransit": { "containers": [ "properties" ] }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "allowRemoteVnetToUseHubVnetGateways": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:IPConfigurationResponse": { - "properties": { - "etag": {}, - "id": {}, - "name": {}, - "privateIPAddress": { + "enableInternetSecurity": { "containers": [ "properties" ] }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ], - "default": "Dynamic" - }, + "etag": {}, + "id": {}, + "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "containers": [ "properties" ] } } }, - "azure-native:network/v20230201:InboundNatPool": { - "properties": { - "backendPort": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "enableFloatingIP": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableTcpReset": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "frontendPortRangeEnd": { - "containers": [ - "properties" - ], - "type": "integer" + "azure-native_network_v20230201:network:InboundNatRule": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "frontendPortRangeStart": { - "containers": [ - "properties" - ], - "type": "integer" + { + "location": "path", + "name": "loadBalancerName", + "required": true, + "value": { + "type": "string" + } }, - "id": { - "type": "string" + { + "location": "path", + "name": "inboundNatRuleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" + { + "body": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "backendPort": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "enableFloatingIP": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableTcpReset": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "frontendPort": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "frontendPortRangeEnd": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "frontendPortRangeStart": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "name": { + "type": "string" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "inboundNatRuleParameters", + "required": true, + "value": {} }, - "name": { - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "protocol": { + "backendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "containers": [ "properties" - ], - "type": "string" - } - }, - "required": [ - "backendPort", - "frontendPortRangeEnd", - "frontendPortRangeStart", - "protocol" - ] - }, - "azure-native:network/v20230201:InboundNatPoolResponse": { - "properties": { + ] + }, "backendPort": { "containers": [ "properties" @@ -80238,7 +43457,12 @@ }, "etag": {}, "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "frontendPort": { "containers": [ "properties" ] @@ -80271,607 +43495,767 @@ ] }, "type": {} - }, - "required": [ - "backendPort", - "frontendPortRangeEnd", - "frontendPortRangeStart", - "protocol" - ] - }, - "azure-native:network/v20230201:InboundNatRule": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "backendPort": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "enableFloatingIP": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableTcpReset": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "frontendPort": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "frontendPortRangeEnd": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "frontendPortRangeStart": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "id": { - "type": "string" - }, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "name": { - "type": "string" - }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" - } } }, - "azure-native:network/v20230201:InboundNatRuleResponse": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "backendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", - "containers": [ - "properties" - ] + "azure-native_network_v20230201:network:IpAllocation": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "backendPort": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "ipAllocationName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "enableFloatingIP": { - "containers": [ - "properties" - ] + { + "body": { + "properties": { + "allocationTags": { + "additionalProperties": { + "type": "string" + }, + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "ipamAllocationId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "location": { + "type": "string" + }, + "prefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "prefixLength": { + "containers": [ + "properties" + ], + "default": 0, + "type": "integer" + }, + "prefixType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "type": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "enableTcpReset": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allocationTags": { + "additionalProperties": { + "type": "string" + }, "containers": [ "properties" ] }, "etag": {}, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "id": {}, + "ipamAllocationId": { "containers": [ "properties" ] }, - "frontendPort": { + "location": {}, + "name": {}, + "prefix": { "containers": [ "properties" ] }, - "frontendPortRangeEnd": { + "prefixLength": { "containers": [ "properties" - ] + ], + "default": 0 }, - "frontendPortRangeStart": { + "prefixType": { "containers": [ "properties" ] }, - "id": {}, - "idleTimeoutInMinutes": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "name": {}, - "protocol": { - "containers": [ - "properties" - ] + "tags": { + "additionalProperties": { + "type": "string" + } }, - "provisioningState": { + "type": {}, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:IpTag": { - "properties": { - "ipTagType": { - "type": "string" - }, - "tag": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:IpTagResponse": { - "properties": { - "ipTagType": {}, - "tag": {} - } - }, - "azure-native:network/v20230201:IpsecPolicy": { - "properties": { - "dhGroup": { - "type": "string" - }, - "ikeEncryption": { - "type": "string" - }, - "ikeIntegrity": { - "type": "string" - }, - "ipsecEncryption": { - "type": "string" - }, - "ipsecIntegrity": { - "type": "string" - }, - "pfsGroup": { - "type": "string" - }, - "saDataSizeKilobytes": { - "type": "integer" - }, - "saLifeTimeSeconds": { - "type": "integer" - } - }, - "required": [ - "dhGroup", - "ikeEncryption", - "ikeIntegrity", - "ipsecEncryption", - "ipsecIntegrity", - "pfsGroup", - "saDataSizeKilobytes", - "saLifeTimeSeconds" - ] - }, - "azure-native:network/v20230201:IpsecPolicyResponse": { - "properties": { - "dhGroup": {}, - "ikeEncryption": {}, - "ikeIntegrity": {}, - "ipsecEncryption": {}, - "ipsecIntegrity": {}, - "pfsGroup": {}, - "saDataSizeKilobytes": {}, - "saLifeTimeSeconds": {} - }, - "required": [ - "dhGroup", - "ikeEncryption", - "ikeIntegrity", - "ipsecEncryption", - "ipsecIntegrity", - "pfsGroup", - "saDataSizeKilobytes", - "saLifeTimeSeconds" - ] - }, - "azure-native:network/v20230201:Ipv6CircuitConnectionConfig": { - "properties": { - "addressPrefix": { - "type": "string" } } }, - "azure-native:network/v20230201:Ipv6CircuitConnectionConfigResponse": { - "properties": { - "addressPrefix": {}, - "circuitConnectionStatus": {} - } - }, - "azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfig": { - "properties": { - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfig", - "type": "object" - }, - "primaryPeerAddressPrefix": { - "type": "string" + "azure-native_network_v20230201:network:IpGroup": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" + { + "location": "path", + "name": "ipGroupsName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "secondaryPeerAddressPrefix": { - "type": "string" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "ipAddresses": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "state": { - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:Ipv6ExpressRouteCircuitPeeringConfigResponse": { - "properties": { - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native:network/v20230201:ExpressRouteCircuitPeeringConfigResponse" - }, - "primaryPeerAddressPrefix": {}, - "routeFilter": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse" - }, - "secondaryPeerAddressPrefix": {}, - "state": {} - } - }, - "azure-native:network/v20230201:LoadBalancerBackendAddress": { - "properties": { - "adminState": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "firewallPolicies": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "ipAddress": { + "firewalls": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "loadBalancerFrontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "id": {}, + "ipAddresses": { "containers": [ "properties" ], - "type": "object" - }, - "name": { - "type": "string" + "items": { + "type": "string" + } }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "type": "object" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:LoadBalancer": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "loadBalancerName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "backendAddressPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPool", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "frontendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "inboundNatPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPool", + "type": "object" + }, + "type": "array" + }, + "inboundNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRule", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "loadBalancingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRule", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "outboundRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:OutboundRule", + "type": "object" + }, + "type": "array" + }, + "probes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Probe", + "type": "object" + }, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSku", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:LoadBalancerBackendAddressResponse": { - "properties": { - "adminState": { - "containers": [ - "properties" - ] - }, - "inboundNatRulesPortMapping": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "backendAddressPools": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NatRulePortMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPoolResponse", "type": "object" } }, - "ipAddress": { - "containers": [ - "properties" - ] - }, - "loadBalancerFrontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "name": {}, - "networkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "virtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:LoadBalancerSku": { - "properties": { - "name": { - "type": "string" + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" }, - "tier": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:LoadBalancerSkuResponse": { - "properties": { - "name": {}, - "tier": {} - } - }, - "azure-native:network/v20230201:LoadBalancingRule": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "frontendIPConfigurations": { "containers": [ "properties" ], - "type": "object" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "type": "object" + } }, - "backendAddressPools": { + "id": {}, + "inboundNatPools": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPoolResponse", "type": "object" - }, - "type": "array" + } }, - "backendPort": { + "inboundNatRules": { "containers": [ "properties" ], - "type": "integer" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRuleResponse", + "type": "object" + } }, - "disableOutboundSnat": { + "loadBalancingRules": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRuleResponse", + "type": "object" + } }, - "enableFloatingIP": { + "location": {}, + "name": {}, + "outboundRules": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:OutboundRuleResponse", + "type": "object" + } }, - "enableTcpReset": { + "probes": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ProbeResponse", + "type": "object" + } }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "provisioningState": { "containers": [ "properties" - ], - "type": "object" + ] }, - "frontendPort": { + "resourceGuid": { "containers": [ "properties" - ], - "type": "integer" + ] }, - "id": { - "type": "string" + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSkuResponse" }, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" + "tags": { + "additionalProperties": { + "type": "string" + } }, - "loadDistribution": { - "containers": [ - "properties" - ], - "type": "string" + "type": {} + } + }, + "azure-native_network_v20230201:network:LoadBalancerBackendAddressPool": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "loadBalancerName", + "required": true, + "value": { + "type": "string" + } }, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "backendAddressPoolName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "frontendPort", - "protocol" - ] - }, - "azure-native:network/v20230201:LoadBalancingRuleResponse": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "body": { + "properties": { + "drainPeriodInSeconds": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "id": { + "type": "string" + }, + "loadBalancerBackendAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddress", + "type": "object" + }, + "type": "array" + }, + "location": { + "containers": [ + "properties" + ], + "type": "string" + }, + "name": { + "type": "string" + }, + "tunnelInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterface", + "type": "object" + }, + "type": "array" + }, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "backendAddressPools": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "autoLocationDisabled": true, + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "backendIPConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "type": "object" } }, - "backendPort": { - "containers": [ - "properties" - ] - }, - "disableOutboundSnat": { - "containers": [ - "properties" - ] - }, - "enableFloatingIP": { - "containers": [ - "properties" - ] - }, - "enableTcpReset": { + "drainPeriodInSeconds": { "containers": [ "properties" ] }, "etag": {}, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "id": {}, + "inboundNatRules": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "frontendPort": { + "loadBalancerBackendAddresses": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse", + "type": "object" + } }, - "id": {}, - "idleTimeoutInMinutes": { + "loadBalancingRules": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "loadDistribution": { + "location": { "containers": [ "properties" ] }, "name": {}, - "probe": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "outboundRule": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "protocol": { + "outboundRules": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, "provisioningState": { "containers": [ "properties" ] }, - "type": {} - }, - "required": [ - "frontendPort", - "protocol" - ] - }, - "azure-native:network/v20230201:LocalNetworkGateway": { - "properties": { - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "fqdn": { + "tunnelInterfaces": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse", + "type": "object" + } }, - "gatewayIpAddress": { + "type": {}, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "type": "string" - }, - "id": { - "type": "string" + ] + } + } + }, + "azure-native_network_v20230201:network:LocalNetworkGateway": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "localNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "localNetworkGatewayName", + "required": true, + "value": { + "autoname": "random", + "minLength": 1, + "type": "string" + } }, - "location": { - "type": "string" + { + "body": { + "properties": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "fqdn": { + "containers": [ + "properties" + ], + "type": "string" + }, + "gatewayIpAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "localNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "tags": { - "additionalProperties": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" - }, - "type": "object" + } } - } - }, - "azure-native:network/v20230201:LocalNetworkGatewayResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "putAsyncStyle": "azure-async-operation", + "requiredContainers": [ + [ + "properties" + ] + ], + "response": { "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "containers": [ "properties" ] @@ -80889,332 +44273,188 @@ }, "id": {}, "localNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" ] }, "location": {}, "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network/v20230201:ManagedRuleGroupOverride": { - "properties": { - "ruleGroupName": { - "type": "string" - }, - "rules": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleOverride", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "ruleGroupName" - ] - }, - "azure-native:network/v20230201:ManagedRuleGroupOverrideResponse": { - "properties": { - "ruleGroupName": {}, - "rules": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleOverrideResponse", - "type": "object" - } - } - }, - "required": [ - "ruleGroupName" - ] - }, - "azure-native:network/v20230201:ManagedRuleOverride": { - "properties": { - "action": { - "type": "string" - }, - "ruleId": { - "type": "string" - }, - "state": { - "type": "string" - } - }, - "required": [ - "ruleId" - ] - }, - "azure-native:network/v20230201:ManagedRuleOverrideResponse": { - "properties": { - "action": {}, - "ruleId": {}, - "state": {} - }, - "required": [ - "ruleId" - ] - }, - "azure-native:network/v20230201:ManagedRuleSet": { - "properties": { - "ruleGroupOverrides": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleGroupOverride", - "type": "object" - }, - "type": "array" - }, - "ruleSetType": { - "type": "string" - }, - "ruleSetVersion": { - "type": "string" - } - }, - "required": [ - "ruleSetType", - "ruleSetVersion" - ] - }, - "azure-native:network/v20230201:ManagedRuleSetResponse": { - "properties": { - "ruleGroupOverrides": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleGroupOverrideResponse", - "type": "object" - } - }, - "ruleSetType": {}, - "ruleSetVersion": {} - }, - "required": [ - "ruleSetType", - "ruleSetVersion" - ] - }, - "azure-native:network/v20230201:ManagedRulesDefinition": { - "properties": { - "exclusions": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:OwaspCrsExclusionEntry", - "type": "object" - }, - "type": "array" - }, - "managedRuleSets": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleSet", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "managedRuleSets" - ] - }, - "azure-native:network/v20230201:ManagedRulesDefinitionResponse": { - "properties": { - "exclusions": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:OwaspCrsExclusionEntryResponse", - "type": "object" - } + "provisioningState": { + "containers": [ + "properties" + ] }, - "managedRuleSets": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ManagedRuleSetResponse", - "type": "object" - } - } - }, - "required": [ - "managedRuleSets" - ] - }, - "azure-native:network/v20230201:ManagedServiceIdentity": { - "properties": { - "type": { - "type": "string" + "resourceGuid": { + "containers": [ + "properties" + ] }, - "userAssignedIdentities": { - "isStringSet": true, - "type": "object" - } - } - }, - "azure-native:network/v20230201:ManagedServiceIdentityResponse": { - "properties": { - "principalId": {}, - "tenantId": {}, - "type": {}, - "userAssignedIdentities": { + "tags": { "additionalProperties": { - "$ref": "#/types/azure-native:network/v20230201:ManagedServiceIdentityResponseUserAssignedIdentities", - "type": "object" + "type": "string" } - } - } - }, - "azure-native:network/v20230201:ManagedServiceIdentityResponseUserAssignedIdentities": { - "properties": { - "clientId": {}, - "principalId": {} + }, + "type": {} } }, - "azure-native:network/v20230201:MatchCondition": { - "properties": { - "matchValues": { - "items": { - "type": "string" - }, - "type": "array" - }, - "matchVariables": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:MatchVariable", - "type": "object" + "azure-native_network_v20230201:network:ManagementGroupNetworkManagerConnection": { + "PUT": [ + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "networkManagerId": { + "containers": [ + "properties" + ], + "type": "string" + } + } }, - "type": "array" - }, - "negationConditon": { - "type": "boolean" - }, - "operator": { - "type": "string" + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "transforms": { - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "matchValues", - "matchVariables", - "operator" - ] - }, - "azure-native:network/v20230201:MatchConditionResponse": { - "properties": { - "matchValues": { - "items": { + { + "location": "path", + "name": "managementGroupId", + "required": true, + "value": { "type": "string" } }, - "matchVariables": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:MatchVariableResponse", - "type": "object" - } - }, - "negationConditon": {}, - "operator": {}, - "transforms": { - "items": { + { + "location": "path", + "name": "networkManagerConnectionName", + "required": true, + "value": { + "autoname": "random", "type": "string" } } - }, - "required": [ - "matchValues", - "matchVariables", - "operator" - ] - }, - "azure-native:network/v20230201:MatchVariable": { - "properties": { - "selector": { - "type": "string" - }, - "variableName": { - "type": "string" - } - }, - "required": [ - "variableName" - ] - }, - "azure-native:network/v20230201:MatchVariableResponse": { - "properties": { - "selector": {}, - "variableName": {} - }, - "required": [ - "variableName" - ] - }, - "azure-native:network/v20230201:NatGateway": { - "properties": { - "id": { - "type": "string" - }, - "idleTimeoutInMinutes": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "path": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "response": { + "description": { "containers": [ "properties" - ], - "type": "integer" - }, - "location": { - "type": "string" + ] }, - "publicIpAddresses": { + "etag": {}, + "id": {}, + "name": {}, + "networkManagerId": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" + ] }, - "publicIpPrefixes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewaySku", - "type": "object" + "type": {} + } + }, + "azure-native_network_v20230201:network:NatGateway": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "tags": { - "additionalProperties": { + { + "location": "path", + "name": "natGatewayName", + "required": true, + "value": { + "autoname": "random", "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "location": { + "type": "string" + }, + "publicIpAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "publicIpPrefixes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySku", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } }, - "type": "object" + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "zones": { - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" - }, - "type": "array" + } } - } - }, - "azure-native:network/v20230201:NatGatewayResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "putAsyncStyle": "azure-async-operation", + "response": { "etag": {}, "id": {}, "idleTimeoutInMinutes": { @@ -81234,7 +44474,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, @@ -81243,7 +44483,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, @@ -81253,14 +44493,14 @@ ] }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewaySkuResponse" + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySkuResponse" }, "subnets": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, @@ -81277,374 +44517,379 @@ } } }, - "azure-native:network/v20230201:NatGatewaySku": { - "properties": { - "name": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:NatGatewaySkuResponse": { - "properties": { - "name": {} - } - }, - "azure-native:network/v20230201:NatRule": { - "properties": { - "description": { - "type": "string" - }, - "destinationAddresses": { - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "items": { - "type": "string" - }, - "type": "array" - }, - "ipProtocols": { - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "ruleType": { - "const": "NatRule", - "type": "string" - }, - "sourceAddresses": { - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceIpGroups": { - "items": { - "type": "string" - }, - "type": "array" - }, - "translatedAddress": { - "type": "string" - }, - "translatedFqdn": { - "type": "string" - }, - "translatedPort": { - "type": "string" - } - }, - "required": [ - "ruleType" - ] - }, - "azure-native:network/v20230201:NatRulePortMappingResponse": { - "properties": { - "backendPort": {}, - "frontendPort": {}, - "inboundNatRuleName": {} - } - }, - "azure-native:network/v20230201:NatRuleResponse": { - "properties": { - "description": {}, - "destinationAddresses": { - "items": { - "type": "string" - } - }, - "destinationPorts": { - "items": { - "type": "string" - } - }, - "ipProtocols": { - "items": { - "type": "string" - } - }, - "name": {}, - "ruleType": { - "const": "NatRule" - }, - "sourceAddresses": { - "items": { + "azure-native_network_v20230201:network:NatRule": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } }, - "sourceIpGroups": { - "items": { + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "translatedAddress": {}, - "translatedFqdn": {}, - "translatedPort": {} - }, - "required": [ - "ruleType" - ] - }, - "azure-native:network/v20230201:NetworkInterfaceDnsSettings": { - "properties": { - "dnsServers": { - "items": { - "type": "string" - }, - "type": "array" - }, - "internalDnsNameLabel": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:NetworkInterfaceDnsSettingsResponse": { - "properties": { - "appliedDnsServers": { - "items": { + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { "type": "string" } }, - "dnsServers": { - "items": { + { + "location": "path", + "name": "natRuleName", + "required": true, + "value": { + "autoname": "copy", "type": "string" } }, - "internalDnsNameLabel": {}, - "internalDomainNameSuffix": {}, - "internalFqdn": {} - } - }, - "azure-native:network/v20230201:NetworkInterfaceIPConfiguration": { - "properties": { - "applicationGatewayBackendAddressPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPool", - "type": "object" - }, - "type": "array" - }, - "applicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" - }, - "gatewayLoadBalancer": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "loadBalancerBackendAddressPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:BackendAddressPool", - "type": "object" - }, - "type": "array" - }, - "loadBalancerInboundNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatRule", - "type": "object" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "primary": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "privateIPAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "privateIPAddressVersion": { - "containers": [ - "properties" - ], - "type": "string" - }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ], - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", - "containers": [ - "properties" - ], - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", - "containers": [ - "properties" - ], - "type": "object" - }, - "type": { - "type": "string" - }, - "virtualNetworkTaps": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTap", - "type": "object" + { + "body": { + "properties": { + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "ipConfigurationId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "mode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "name": { + "type": "string" + }, + "type": { + "containers": [ + "properties" + ], + "type": "string" + } + } }, - "type": "array" + "location": "body", + "name": "NatRuleParameters", + "required": true, + "value": {} } - } - }, - "azure-native:network/v20230201:NetworkInterfaceIPConfigurationPrivateLinkConnectionPropertiesResponse": { - "properties": { - "fqdns": { - "items": { - "type": "string" - } - }, - "groupId": {}, - "requiredMemberName": {} - } - }, - "azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse": { - "properties": { - "applicationGatewayBackendAddressPools": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "egressVpnSiteLinkConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayBackendAddressPoolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "applicationSecurityGroups": { + "etag": {}, + "externalMappings": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", "type": "object" } }, - "etag": {}, - "gatewayLoadBalancer": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, "id": {}, - "loadBalancerBackendAddressPools": { + "ingressVpnSiteLinkConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:BackendAddressPoolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "loadBalancerInboundNatRules": { + "internalMappings": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:InboundNatRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", "type": "object" } }, - "name": {}, - "primary": { + "ipConfigurationId": { "containers": [ "properties" ] }, - "privateIPAddress": { + "mode": { "containers": [ "properties" ] }, - "privateIPAddressVersion": { + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ] + "type": {} + } + }, + "azure-native_network_v20230201:network:NetworkGroup": { + "PUT": [ + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } }, - "privateLinkConnectionProperties": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationPrivateLinkConnectionPropertiesResponse", + { + "location": "path", + "name": "networkGroupName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "response": { + "description": { "containers": [ "properties" ] }, + "etag": {}, + "id": {}, + "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "resourceGuid": { "containers": [ "properties" ] }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "containers": [ - "properties" - ] + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" }, - "type": {}, - "virtualNetworkTaps": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTapResponse", - "type": "object" - } - } + "type": {} } }, - "azure-native:network/v20230201:NetworkInterfaceResponse": { - "properties": { + "azure-native_network_v20230201:network:NetworkInterface": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkInterfaceName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "auxiliaryMode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "auxiliarySku": { + "containers": [ + "properties" + ], + "type": "string" + }, + "disableTcpStateTracking": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "enableAcceleratedNetworking": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableIPForwarding": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "migrationPhase": { + "containers": [ + "properties" + ], + "type": "string" + }, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroup", + "containers": [ + "properties" + ], + "type": "object" + }, + "nicType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "privateLinkService": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkService", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "workloadType": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "putAsyncStyle": "azure-async-operation", + "response": { "auxiliaryMode": { "containers": [ "properties" @@ -81661,13 +44906,13 @@ ] }, "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceDnsSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse", "containers": [ "properties" ] }, "dscpConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] @@ -81684,7 +44929,7 @@ }, "etag": {}, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" }, "hostedWorkloads": { "containers": [ @@ -81700,7 +44945,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "type": "object" } }, @@ -81717,7 +44962,7 @@ }, "name": {}, "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", "containers": [ "properties" ] @@ -81733,13 +44978,13 @@ ] }, "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "containers": [ "properties" ] }, "privateLinkService": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceResponse", "containers": [ "properties" ] @@ -81764,13 +45009,13 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", "type": "object" } }, "type": {}, "virtualMachine": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] @@ -81787,296 +45032,204 @@ } } }, - "azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse": { - "properties": { - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {}, - "virtualNetworkTap": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkTapResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network/v20230201:NetworkManagerDeploymentStatusResponse": { - "properties": { - "commitTime": {}, - "configurationIds": { - "items": { - "type": "string" - } - }, - "deploymentStatus": {}, - "deploymentType": {}, - "errorMessage": {}, - "region": {} - } - }, - "azure-native:network/v20230201:NetworkManagerPropertiesNetworkManagerScopes": { - "properties": { - "managementGroups": { - "items": { - "type": "string" - }, - "type": "array" - }, - "subscriptions": { - "items": { + "azure-native_network_v20230201:network:NetworkInterfaceTapConfiguration": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:NetworkManagerPropertiesResponseNetworkManagerScopes": { - "properties": { - "crossTenantScopes": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:CrossTenantScopesResponse", - "type": "object" } }, - "managementGroups": { - "items": { + { + "location": "path", + "name": "networkInterfaceName", + "required": true, + "value": { "type": "string" } }, - "subscriptions": { - "items": { + { + "location": "path", + "name": "tapConfigurationName", + "required": true, + "value": { + "autoname": "copy", "type": "string" } - } - } - }, - "azure-native:network/v20230201:NetworkManagerSecurityGroupItem": { - "properties": { - "networkGroupId": { - "type": "string" - } - }, - "required": [ - "networkGroupId" - ] - }, - "azure-native:network/v20230201:NetworkManagerSecurityGroupItemResponse": { - "properties": { - "networkGroupId": {} - }, - "required": [ - "networkGroupId" - ] - }, - "azure-native:network/v20230201:NetworkRule": { - "properties": { - "description": { - "type": "string" - }, - "destinationAddresses": { - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationFqdns": { - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationIpGroups": { - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationPorts": { - "items": { - "type": "string" - }, - "type": "array" - }, - "ipProtocols": { - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "ruleType": { - "const": "NetworkRule", - "type": "string" - }, - "sourceAddresses": { - "items": { - "type": "string" - }, - "type": "array" }, - "sourceIpGroups": { - "items": { - "type": "string" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "virtualNetworkTap": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTap", + "containers": [ + "properties" + ], + "type": "object" + } + } }, - "type": "array" - } - }, - "required": [ - "ruleType" - ] - }, - "azure-native:network/v20230201:NetworkRuleResponse": { - "properties": { - "description": {}, - "destinationAddresses": { - "items": { - "type": "string" - } - }, - "destinationFqdns": { - "items": { - "type": "string" - } - }, - "destinationIpGroups": { - "items": { - "type": "string" - } - }, - "destinationPorts": { - "items": { - "type": "string" - } - }, - "ipProtocols": { - "items": { - "type": "string" - } - }, - "name": {}, - "ruleType": { - "const": "NetworkRule" - }, - "sourceAddresses": { - "items": { - "type": "string" - } + "location": "body", + "name": "tapConfigurationParameters", + "required": true, + "value": {} }, - "sourceIpGroups": { - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } } - }, - "required": [ - "ruleType" - ] - }, - "azure-native:network/v20230201:NetworkSecurityGroup": { - "properties": { - "flushConnection": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" + ] }, - "securityRules": { + "type": {}, + "virtualNetworkTap": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRule", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" + ] } } }, - "azure-native:network/v20230201:NetworkSecurityGroupResponse": { - "properties": { - "defaultSecurityRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", - "type": "object" + "azure-native_network_v20230201:network:NetworkManager": { + "PUT": [ + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "networkManagerScopeAccesses": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "networkManagerScopes": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesNetworkManagerScopes", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + }, + "required": [ + "networkManagerScopeAccesses", + "networkManagerScopes" + ] + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" } }, - "etag": {}, - "flowLogs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:FlowLogResponse", - "type": "object" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" } }, - "flushConnection": { + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "response": { + "description": { "containers": [ "properties" ] }, + "etag": {}, "id": {}, "location": {}, "name": {}, - "networkInterfaces": { + "networkManagerScopeAccesses": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" + "type": "string" } }, - "provisioningState": { + "networkManagerScopes": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesResponseNetworkManagerScopes", "containers": [ "properties" ] }, - "resourceGuid": { + "provisioningState": { "containers": [ "properties" ] }, - "securityRules": { + "resourceGuid": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SecurityRuleResponse", - "type": "object" - } + ] }, - "subnets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "type": "object" - } + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" }, "tags": { "additionalProperties": { @@ -82086,320 +45239,217 @@ "type": {} } }, - "azure-native:network/v20230201:NetworkVirtualApplianceConnectionProperties": { - "properties": { - "asn": { - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "bgpPeerAddress": { - "items": { + "azure-native_network_v20230201:network:NetworkProfile": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" - }, - "type": "array" - }, - "enableInternetSecurity": { - "type": "boolean" - }, - "name": { - "type": "string" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfv", - "type": "object" + } }, - "tunnelIdentifier": { - "maximum": 4294967295, - "minimum": 0, - "type": "number" - } - } - }, - "azure-native:network/v20230201:NetworkVirtualApplianceConnectionPropertiesResponse": { - "properties": { - "asn": {}, - "bgpPeerAddress": { - "items": { + { + "location": "path", + "name": "networkProfileName", + "required": true, + "value": { + "autoname": "random", "type": "string" } }, - "enableInternetSecurity": {}, - "name": {}, - "provisioningState": {}, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvResponse" - }, - "tunnelIdentifier": {} - } - }, - "azure-native:network/v20230201:O365BreakOutCategoryPolicies": { - "properties": { - "allow": { - "type": "boolean" - }, - "default": { - "type": "boolean" - }, - "optimize": { - "type": "boolean" - } - } - }, - "azure-native:network/v20230201:O365BreakOutCategoryPoliciesResponse": { - "properties": { - "allow": {}, - "default": {}, - "optimize": {} - } - }, - "azure-native:network/v20230201:O365PolicyProperties": { - "properties": { - "breakOutCategories": { - "$ref": "#/types/azure-native:network/v20230201:O365BreakOutCategoryPolicies", - "type": "object" - } - } - }, - "azure-native:network/v20230201:O365PolicyPropertiesResponse": { - "properties": { - "breakOutCategories": { - "$ref": "#/types/azure-native:network/v20230201:O365BreakOutCategoryPoliciesResponse" - } - } - }, - "azure-native:network/v20230201:Office365PolicyProperties": { - "properties": { - "breakOutCategories": { - "$ref": "#/types/azure-native:network/v20230201:BreakOutCategoryPolicies", - "type": "object" - } - } - }, - "azure-native:network/v20230201:Office365PolicyPropertiesResponse": { - "properties": { - "breakOutCategories": { - "$ref": "#/types/azure-native:network/v20230201:BreakOutCategoryPoliciesResponse" - } - } - }, - "azure-native:network/v20230201:OrderBy": { - "properties": { - "field": { - "type": "string" + { + "body": { + "properties": { + "containerNetworkInterfaceConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfiguration", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "order": { - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:OutboundRule": { - "properties": { - "allocatedOutboundPorts": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "enableTcpReset": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "frontendIPConfigurations": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "response": { + "containerNetworkInterfaceConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse", "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "name": { - "type": "string" - }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "backendAddressPool", - "frontendIPConfigurations", - "protocol" - ] - }, - "azure-native:network/v20230201:OutboundRuleResponse": { - "properties": { - "allocatedOutboundPorts": { - "containers": [ - "properties" - ] - }, - "backendAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] - }, - "enableTcpReset": { - "containers": [ - "properties" - ] + } }, - "etag": {}, - "frontendIPConfigurations": { + "containerNetworkInterfaces": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceResponse", "type": "object" } }, + "etag": {}, "id": {}, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ] - }, + "location": {}, "name": {}, - "protocol": { + "provisioningState": { "containers": [ "properties" ] }, - "provisioningState": { + "resourceGuid": { "containers": [ "properties" ] }, - "type": {} - }, - "required": [ - "backendAddressPool", - "frontendIPConfigurations", - "protocol" - ] - }, - "azure-native:network/v20230201:OwaspCrsExclusionEntry": { - "properties": { - "exclusionManagedRuleSets": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRuleSet", - "type": "object" - }, - "type": "array" - }, - "matchVariable": { - "type": "string" - }, - "selector": { - "type": "string" - }, - "selectorMatchOperator": { - "type": "string" - } - }, - "required": [ - "matchVariable", - "selector", - "selectorMatchOperator" - ] - }, - "azure-native:network/v20230201:OwaspCrsExclusionEntryResponse": { - "properties": { - "exclusionManagedRuleSets": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ExclusionManagedRuleSetResponse", - "type": "object" + "tags": { + "additionalProperties": { + "type": "string" } }, - "matchVariable": {}, - "selector": {}, - "selectorMatchOperator": {} - }, - "required": [ - "matchVariable", - "selector", - "selectorMatchOperator" - ] + "type": {} + } }, - "azure-native:network/v20230201:P2SConnectionConfiguration": { - "properties": { - "enableInternetSecurity": { - "containers": [ - "properties" - ], - "type": "boolean" + "azure-native_network_v20230201:network:NetworkSecurityGroup": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "id": { - "type": "string" + { + "location": "path", + "name": "networkSecurityGroupName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "name": { - "type": "string" + { + "body": { + "properties": { + "flushConnection": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "securityRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRule", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "defaultSecurityRules": { "containers": [ "properties" ], - "type": "object" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", + "type": "object" + } }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "azure-native:network/v20230201:P2SConnectionConfigurationResponse": { - "properties": { - "configurationPolicyGroupAssociations": { + "etag": {}, + "flowLogs": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", "type": "object" } }, - "enableInternetSecurity": { + "flushConnection": { "containers": [ "properties" ] }, - "etag": {}, "id": {}, + "location": {}, "name": {}, - "previousConfigurationPolicyGroupAssociations": { + "networkInterfaces": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" } }, @@ -82408,531 +45458,566 @@ "properties" ] }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", + "resourceGuid": { "containers": [ "properties" ] }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "securityRules": { "containers": [ "properties" - ] - } + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", + "type": "object" + } + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} } }, - "azure-native:network/v20230201:P2SVpnGatewayResponse": { - "properties": { - "customDnsServers": { + "azure-native_network_v20230201:network:NetworkVirtualAppliance": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkVirtualApplianceName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "additionalNics": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicProperties", + "type": "object" + }, + "type": "array" + }, + "bootStrapConfigurationBlobs": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "cloudInitConfiguration": { + "containers": [ + "properties" + ], + "type": "string" + }, + "cloudInitConfigurationBlobs": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "delegation": { + "$ref": "#/types/azure-native_network_v20230201:network:DelegationProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", + "type": "object" + }, + "location": { + "type": "string" + }, + "nvaSku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "sshPublicKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualApplianceAsn": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "additionalNics": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicPropertiesResponse", + "type": "object" } }, - "etag": {}, - "id": {}, - "isRoutingPreferenceInternet": { + "addressPrefix": { "containers": [ "properties" ] }, - "location": {}, - "name": {}, - "p2SConnectionConfigurations": { + "bootStrapConfigurationBlobs": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SConnectionConfigurationResponse", - "type": "object" + "type": "string" } }, - "provisioningState": { + "cloudInitConfiguration": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { + "cloudInitConfigurationBlobs": { + "containers": [ + "properties" + ], + "items": { "type": "string" } }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "delegation": { + "$ref": "#/types/azure-native_network_v20230201:network:DelegationPropertiesResponse", "containers": [ "properties" ] }, - "vpnClientConnectionHealth": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConnectionHealthResponse", + "deploymentType": { "containers": [ "properties" ] }, - "vpnGatewayScaleUnit": { - "containers": [ - "properties" - ] + "etag": {}, + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" }, - "vpnServerConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "inboundSecurityRules": { "containers": [ "properties" - ] - } - }, - "required": [ - "location" - ] - }, - "azure-native:network/v20230201:PacketCaptureFilter": { - "properties": { - "localIPAddress": { - "type": "string" - }, - "localPort": { - "type": "string" - }, - "protocol": { - "default": "Any", - "type": "string" - }, - "remoteIPAddress": { - "type": "string" - }, - "remotePort": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:PacketCaptureFilterResponse": { - "properties": { - "localIPAddress": {}, - "localPort": {}, - "protocol": { - "default": "Any" - }, - "remoteIPAddress": {}, - "remotePort": {} - } - }, - "azure-native:network/v20230201:PacketCaptureMachineScope": { - "properties": { - "exclude": { - "items": { - "type": "string" - }, - "type": "array" - }, - "include": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:PacketCaptureMachineScopeResponse": { - "properties": { - "exclude": { - "items": { - "type": "string" - } - }, - "include": { - "items": { - "type": "string" - } - } - } - }, - "azure-native:network/v20230201:PacketCaptureStorageLocation": { - "properties": { - "filePath": { - "type": "string" - }, - "storageId": { - "type": "string" - }, - "storagePath": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:PacketCaptureStorageLocationResponse": { - "properties": { - "filePath": {}, - "storageId": {}, - "storagePath": {} - } - }, - "azure-native:network/v20230201:Parameter": { - "properties": { - "asPath": { - "items": { - "type": "string" - }, - "type": "array" - }, - "community": { - "items": { - "type": "string" - }, - "type": "array" - }, - "routePrefix": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:ParameterResponse": { - "properties": { - "asPath": { - "items": { - "type": "string" - } - }, - "community": { + ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" } }, - "routePrefix": { - "items": { - "type": "string" - } - } - } - }, - "azure-native:network/v20230201:PartnerManagedResourcePropertiesResponse": { - "properties": { - "id": {}, - "internalLoadBalancerId": {}, - "standardLoadBalancerId": {} - } - }, - "azure-native:network/v20230201:PeerExpressRouteCircuitConnectionResponse": { - "properties": { - "addressPrefix": { + "location": {}, + "name": {}, + "nvaSku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuPropertiesResponse", "containers": [ "properties" ] }, - "authResourceGuid": { + "partnerManagedResource": { + "$ref": "#/types/azure-native_network_v20230201:network:PartnerManagedResourcePropertiesResponse", "containers": [ "properties" ] }, - "circuitConnectionStatus": { + "provisioningState": { "containers": [ "properties" ] }, - "connectionName": { + "sshPublicKey": { "containers": [ "properties" ] }, - "etag": {}, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + "tags": { + "additionalProperties": { + "type": "string" + } }, - "id": {}, - "name": {}, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "type": {}, + "virtualApplianceAsn": { "containers": [ "properties" ] }, - "provisioningState": { + "virtualApplianceConnections": { "containers": [ "properties" - ] - }, - "type": {} - } - }, - "azure-native:network/v20230201:PolicySettings": { - "properties": { - "customBlockResponseBody": { - "maxLength": 32768, - "pattern": "^(?:[A-Za-z0-9+/]{4})*(?:[A-Za-z0-9+/]{2}==|[A-Za-z0-9+/]{3}=|[A-Za-z0-9+/]{4})$", - "type": "string" - }, - "customBlockResponseStatusCode": { - "minimum": 0, - "type": "integer" - }, - "fileUploadEnforcement": { - "default": true, - "type": "boolean" - }, - "fileUploadLimitInMb": { - "minimum": 0, - "type": "integer" - }, - "logScrubbing": { - "$ref": "#/types/azure-native:network/v20230201:PolicySettingsLogScrubbing", - "type": "object" - }, - "maxRequestBodySizeInKb": { - "minimum": 8, - "type": "integer" - }, - "mode": { - "type": "string" - }, - "requestBodyCheck": { - "type": "boolean" - }, - "requestBodyEnforcement": { - "default": true, - "type": "boolean" - }, - "requestBodyInspectLimitInKB": { - "type": "integer" - }, - "state": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:PolicySettingsLogScrubbing": { - "properties": { - "scrubbingRules": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallScrubbingRules", - "type": "object" - }, - "type": "array" - }, - "state": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:PolicySettingsResponse": { - "properties": { - "customBlockResponseBody": {}, - "customBlockResponseStatusCode": {}, - "fileUploadEnforcement": { - "default": true - }, - "fileUploadLimitInMb": {}, - "logScrubbing": { - "$ref": "#/types/azure-native:network/v20230201:PolicySettingsResponseLogScrubbing" - }, - "maxRequestBodySizeInKb": {}, - "mode": {}, - "requestBodyCheck": {}, - "requestBodyEnforcement": { - "default": true - }, - "requestBodyInspectLimitInKB": {}, - "state": {} - } - }, - "azure-native:network/v20230201:PolicySettingsResponseLogScrubbing": { - "properties": { - "scrubbingRules": { + ], "items": { - "$ref": "#/types/azure-native:network/v20230201:WebApplicationFirewallScrubbingRulesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "state": {} - } - }, - "azure-native:network/v20230201:PrivateDnsZoneConfig": { - "properties": { - "name": { - "type": "string" - }, - "privateDnsZoneId": { + "virtualApplianceNics": { "containers": [ "properties" ], - "type": "string" - } - } - }, - "azure-native:network/v20230201:PrivateDnsZoneConfigResponse": { - "properties": { - "name": {}, - "privateDnsZoneId": { - "containers": [ - "properties" - ] + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceNicPropertiesResponse", + "type": "object" + } }, - "recordSets": { + "virtualApplianceSites": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:RecordSetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } - } - } - }, - "azure-native:network/v20230201:PrivateEndpointConnectionResponse": { - "properties": { - "etag": {}, - "id": {}, - "linkIdentifier": { - "containers": [ - "properties" - ] }, - "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] + } + } + }, + "azure-native_network_v20230201:network:NetworkVirtualApplianceConnection": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "privateEndpointLocation": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", - "containers": [ - "properties" - ] + { + "location": "path", + "name": "networkVirtualApplianceName", + "required": true, + "value": { + "pattern": "^[A-Za-z0-9_]+", + "type": "string" + } }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "pattern": "^[A-Za-z0-9_]+", + "type": "string" + } }, - "type": {} + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionProperties", + "type": "object" + } + } + }, + "location": "body", + "name": "NetworkVirtualApplianceConnectionParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "id": {}, + "name": {}, + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionPropertiesResponse" + } } }, - "azure-native:network/v20230201:PrivateEndpointIPConfiguration": { - "properties": { - "groupId": { - "containers": [ - "properties" - ], - "type": "string" + "azure-native_network_v20230201:network:NetworkWatcher": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "memberName": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "name": { - "type": "string" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "privateIPAddress": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:PrivateEndpointIPConfigurationResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "response": { "etag": {}, - "groupId": { - "containers": [ - "properties" - ] - }, - "memberName": { - "containers": [ - "properties" - ] - }, + "id": {}, + "location": {}, "name": {}, - "privateIPAddress": { + "provisioningState": { "containers": [ "properties" ] }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, "type": {} } }, - "azure-native:network/v20230201:PrivateEndpointResponse": { - "properties": { - "applicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", - "type": "object" + "azure-native_network_v20230201:network:P2sVpnGateway": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" } }, - "customDnsConfigs": { + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "customDnsServers": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "isRoutingPreferenceInternet": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "location": { + "type": "string" + }, + "p2SConnectionConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfiguration", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "vpnGatewayScaleUnit": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "vpnServerConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + }, + "required": [ + "location" + ] + }, + "location": "body", + "name": "p2SVpnGatewayParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "customDnsServers": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:CustomDnsConfigPropertiesFormatResponse", - "type": "object" + "type": "string" } }, - "customNetworkInterfaceName": { - "containers": [ - "properties" - ] - }, "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" - }, "id": {}, - "ipConfigurations": { + "isRoutingPreferenceInternet": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointIPConfigurationResponse", - "type": "object" - } + ] }, "location": {}, - "manualPrivateLinkServiceConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", - "type": "object" - } - }, "name": {}, - "networkInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", - "type": "object" - } - }, - "privateLinkServiceConnections": { + "p2SConnectionConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", "type": "object" } }, @@ -82941,249 +46026,496 @@ "properties" ] }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", - "containers": [ - "properties" - ] - }, "tags": { "additionalProperties": { "type": "string" } }, - "type": {} - } - }, - "azure-native:network/v20230201:PrivateLinkService": { - "properties": { - "autoApproval": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesAutoApproval", - "containers": [ - "properties" - ], - "type": "object" - }, - "enableProxyProtocol": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" - }, - "fqdns": { + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" + ] }, - "ipConfigurations": { + "vpnClientConnectionHealth": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceIpConfiguration", - "type": "object" - }, - "type": "array" + ] }, - "loadBalancerFrontendIpConfigurations": { + "vpnGatewayScaleUnit": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" + ] }, - "visibility": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesVisibility", + "vpnServerConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "type": "object" + ] } } }, - "azure-native:network/v20230201:PrivateLinkServiceConnection": { - "properties": { - "groupIds": { - "containers": [ - "properties" - ], - "items": { + "azure-native_network_v20230201:network:PacketCapture": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" - }, - "type": "array" + } }, - "id": { - "type": "string" + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "packetCaptureName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionState", - "containers": [ - "properties" - ], - "type": "object" + { + "body": { + "properties": { + "bytesToCapturePerPacket": { + "containers": [ + "properties" + ], + "default": 0, + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "filters": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilter", + "type": "object" + }, + "type": "array" + }, + "scope": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScope", + "containers": [ + "properties" + ], + "type": "object" + }, + "storageLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocation", + "containers": [ + "properties" + ], + "type": "object" + }, + "target": { + "containers": [ + "properties" + ], + "type": "string" + }, + "targetType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "timeLimitInSeconds": { + "containers": [ + "properties" + ], + "default": 18000, + "maximum": 18000, + "minimum": 0, + "type": "integer" + }, + "totalBytesPerSession": { + "containers": [ + "properties" + ], + "default": 1073741824, + "maximum": 4294967295, + "minimum": 0, + "type": "number" + } + }, + "required": [ + "storageLocation", + "target" + ] + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "privateLinkServiceId": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "putAsyncStyle": "azure-async-operation", + "requiredContainers": [ + [ + "properties" + ] + ], + "response": { + "bytesToCapturePerPacket": { "containers": [ "properties" ], - "type": "string" + "default": 0 }, - "requestMessage": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "azure-native:network/v20230201:PrivateLinkServiceConnectionResponse": { - "properties": { "etag": {}, - "groupIds": { + "filters": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilterResponse", + "type": "object" } }, "id": {}, "name": {}, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse", + "provisioningState": { "containers": [ "properties" ] }, - "privateLinkServiceId": { + "scope": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScopeResponse", "containers": [ "properties" ] }, - "provisioningState": { + "storageLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocationResponse", "containers": [ "properties" ] }, - "requestMessage": { + "target": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:PrivateLinkServiceConnectionState": { - "properties": { - "actionsRequired": { - "type": "string" + "targetType": { + "containers": [ + "properties" + ] }, - "description": { - "type": "string" + "timeLimitInSeconds": { + "containers": [ + "properties" + ], + "default": 18000 }, - "status": { - "type": "string" + "totalBytesPerSession": { + "containers": [ + "properties" + ], + "default": 1073741824 } } }, - "azure-native:network/v20230201:PrivateLinkServiceConnectionStateResponse": { - "properties": { - "actionsRequired": {}, - "description": {}, - "status": {} - } - }, - "azure-native:network/v20230201:PrivateLinkServiceIpConfiguration": { - "properties": { - "id": { - "type": "string" + "azure-native_network_v20230201:network:PrivateDnsZoneGroup": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "privateEndpointName", + "required": true, + "value": { + "type": "string" + } }, - "primary": { + { + "location": "path", + "name": "privateDnsZoneGroupName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "privateDnsZoneConfigs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfig", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "privateDnsZoneConfigs": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfigResponse", + "type": "object" + } }, - "privateIPAddress": { + "provisioningState": { "containers": [ "properties" - ], - "type": "string" + ] + } + } + }, + "azure-native_network_v20230201:network:PrivateEndpoint": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "privateEndpointName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "applicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" + }, + "type": "array" + }, + "customDnsConfigs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormat", + "type": "object" + }, + "type": "array" + }, + "customNetworkInterfaceName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "manualPrivateLinkServiceConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnection", + "type": "object" + }, + "type": "array" + }, + "privateLinkServiceConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnection", + "type": "object" + }, + "type": "array" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", + "containers": [ + "properties" + ], + "forceNew": true, + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "privateIPAddressVersion": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "applicationSecurityGroups": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + } }, - "privateIPAllocationMethod": { + "customDnsConfigs": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse", + "type": "object" + } }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:Subnet", + "customNetworkInterfaceName": { "containers": [ "properties" - ], - "type": "object" - } - } - }, - "azure-native:network/v20230201:PrivateLinkServiceIpConfigurationResponse": { - "properties": { + ] + }, "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, "id": {}, - "name": {}, - "primary": { + "ipConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse", + "type": "object" + } }, - "privateIPAddress": { + "location": {}, + "manualPrivateLinkServiceConnections": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", + "type": "object" + } }, - "privateIPAddressVersion": { + "name": {}, + "networkInterfaces": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } }, - "privateIPAllocationMethod": { + "privateLinkServiceConnections": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", + "type": "object" + } }, "provisioningState": { "containers": [ @@ -83191,61 +46523,135 @@ ] }, "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:PrivateLinkServicePropertiesAutoApproval": { - "properties": { - "subscriptions": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:PrivateLinkServicePropertiesResponseAutoApproval": { - "properties": { - "subscriptions": { - "items": { + "tags": { + "additionalProperties": { "type": "string" } - } + }, + "type": {} } }, - "azure-native:network/v20230201:PrivateLinkServicePropertiesResponseVisibility": { - "properties": { - "subscriptions": { - "items": { + "azure-native_network_v20230201:network:PrivateLinkService": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } - } - } - }, - "azure-native:network/v20230201:PrivateLinkServicePropertiesVisibility": { - "properties": { - "subscriptions": { - "items": { + }, + { + "location": "path", + "name": "serviceName", + "required": true, + "value": { + "autoname": "random", "type": "string" + } + }, + { + "body": { + "properties": { + "autoApproval": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesAutoApproval", + "containers": [ + "properties" + ], + "type": "object" + }, + "enableProxyProtocol": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "fqdns": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfiguration", + "type": "object" + }, + "type": "array" + }, + "loadBalancerFrontendIpConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "visibility": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesVisibility", + "containers": [ + "properties" + ], + "type": "object" + } + } }, - "type": "array" + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:PrivateLinkServiceResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "putAsyncStyle": "azure-async-operation", + "response": { "alias": { "containers": [ "properties" ] }, "autoApproval": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseAutoApproval", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval", "containers": [ "properties" ] @@ -83257,7 +46663,7 @@ }, "etag": {}, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" }, "fqdns": { "containers": [ @@ -83273,7 +46679,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServiceIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse", "type": "object" } }, @@ -83282,7 +46688,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", "type": "object" } }, @@ -83293,7 +46699,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", "type": "object" } }, @@ -83302,7 +46708,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointConnectionResponse", "type": "object" } }, @@ -83318,98 +46724,98 @@ }, "type": {}, "visibility": { - "$ref": "#/types/azure-native:network/v20230201:PrivateLinkServicePropertiesResponseVisibility", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility", "containers": [ "properties" ] } } }, - "azure-native:network/v20230201:Probe": { - "properties": { - "id": { - "type": "string" - }, - "intervalInSeconds": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "name": { - "type": "string" - }, - "numberOfProbes": { - "containers": [ - "properties" - ], - "type": "integer" + "azure-native_network_v20230201:network:PrivateLinkServicePrivateEndpointConnection": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "port": { - "containers": [ - "properties" - ], - "type": "integer" + { + "location": "path", + "name": "serviceName", + "required": true, + "value": { + "type": "string" + } }, - "probeThreshold": { - "containers": [ - "properties" - ], - "type": "integer" + { + "location": "path", + "name": "peConnectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionState", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "requestPath": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - }, - "required": [ - "port", - "protocol" - ] - }, - "azure-native:network/v20230201:ProbeResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "response": { "etag": {}, "id": {}, - "intervalInSeconds": { + "linkIdentifier": { "containers": [ "properties" ] }, - "loadBalancingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, "name": {}, - "numberOfProbes": { - "containers": [ - "properties" - ] - }, - "port": { + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "containers": [ "properties" ] }, - "probeThreshold": { + "privateEndpointLocation": { "containers": [ "properties" ] }, - "protocol": { + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", "containers": [ "properties" ] @@ -83419,234 +46825,173 @@ "properties" ] }, - "requestPath": { - "containers": [ - "properties" - ] - }, "type": {} - }, - "required": [ - "port", - "protocol" - ] - }, - "azure-native:network/v20230201:PropagatedRouteTable": { - "properties": { - "ids": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "labels": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:PropagatedRouteTableNfv": { - "properties": { - "ids": { - "arrayIdentifiers": [ - "resourceUri" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResource", - "type": "object" - }, - "type": "array" - }, - "labels": { - "items": { - "type": "string" - }, - "type": "array" - } } }, - "azure-native:network/v20230201:PropagatedRouteTableNfvResponse": { - "properties": { - "ids": { - "arrayIdentifiers": [ - "resourceUri" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResourceResponse", - "type": "object" - } - }, - "labels": { - "items": { + "azure-native_network_v20230201:network:PublicIPAddress": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } - } - } - }, - "azure-native:network/v20230201:PropagatedRouteTableResponse": { - "properties": { - "ids": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } }, - "labels": { - "items": { + { + "location": "path", + "name": "publicIpAddressName", + "required": true, + "value": { + "autoname": "random", "type": "string" } - } - } - }, - "azure-native:network/v20230201:PublicIPAddress": { - "properties": { - "ddosSettings": { - "$ref": "#/types/azure-native:network/v20230201:DdosSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "deleteOption": { - "containers": [ - "properties" - ], - "type": "string" - }, - "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressDnsSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" - }, - "id": { - "type": "string" - }, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "ipAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "ipTags": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTag", - "type": "object" - }, - "type": "array" - }, - "linkedPublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", - "containers": [ - "properties" - ], - "type": "object" - }, - "location": { - "type": "string" }, - "migrationPhase": { - "containers": [ - "properties" - ], - "type": "string" - }, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGateway", - "containers": [ - "properties" - ], - "type": "object" - }, - "publicIPAddressVersion": { - "containers": [ - "properties" - ], - "type": "string" - }, - "publicIPAllocationMethod": { - "containers": [ - "properties" - ], - "type": "string" - }, - "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "servicePublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddress", - "containers": [ - "properties" - ], - "type": "object" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSku", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" + { + "body": { + "properties": { + "ddosSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "deleteOption": { + "containers": [ + "properties" + ], + "type": "string" + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "ipAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "ipTags": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpTag", + "type": "object" + }, + "type": "array" + }, + "linkedPublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", + "containers": [ + "properties" + ], + "type": "object" + }, + "location": { + "forceNew": true, + "type": "string" + }, + "migrationPhase": { + "containers": [ + "properties" + ], + "type": "string" + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGateway", + "containers": [ + "properties" + ], + "type": "object" + }, + "publicIPAddressVersion": { + "containers": [ + "properties" + ], + "forceNew": true, + "type": "string" + }, + "publicIPAllocationMethod": { + "containers": [ + "properties" + ], + "type": "string" + }, + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "forceNew": true, + "type": "object" + }, + "servicePublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", + "containers": [ + "properties" + ], + "type": "object" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSku", + "forceNew": true, + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } }, - "type": "object" + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "zones": { - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:PublicIPAddressDnsSettings": { - "properties": { - "domainNameLabel": { - "type": "string" - }, - "domainNameLabelScope": { - "type": "string" - }, - "fqdn": { - "type": "string" - }, - "reverseFqdn": { - "type": "string" + } } - } - }, - "azure-native:network/v20230201:PublicIPAddressDnsSettingsResponse": { - "properties": { - "domainNameLabel": {}, - "domainNameLabelScope": {}, - "fqdn": {}, - "reverseFqdn": {} - } - }, - "azure-native:network/v20230201:PublicIPAddressResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "putAsyncStyle": "azure-async-operation", + "response": { "ddosSettings": { - "$ref": "#/types/azure-native:network/v20230201:DdosSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettingsResponse", "containers": [ "properties" ] @@ -83657,14 +47002,14 @@ ] }, "dnsSettings": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressDnsSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse", "containers": [ "properties" ] }, "etag": {}, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" }, "id": {}, "idleTimeoutInMinutes": { @@ -83678,7 +47023,7 @@ ] }, "ipConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", "containers": [ "properties" ] @@ -83688,12 +47033,12 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:IpTagResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", "type": "object" } }, "linkedPublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "containers": [ "properties" ] @@ -83706,7 +47051,7 @@ }, "name": {}, "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:NatGatewayResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", "containers": [ "properties" ] @@ -83727,7 +47072,7 @@ ] }, "publicIPPrefix": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] @@ -83738,13 +47083,13 @@ ] }, "servicePublicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "containers": [ "properties" ] }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:PublicIPAddressSkuResponse" + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuResponse" }, "tags": { "additionalProperties": { @@ -83759,205 +47104,307 @@ } } }, - "azure-native:network/v20230201:PublicIPAddressSku": { - "properties": { - "name": { - "type": "string" - }, - "tier": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:PublicIPAddressSkuResponse": { - "properties": { - "name": {}, - "tier": {} - } - }, - "azure-native:network/v20230201:PublicIPPrefixSku": { - "properties": { - "name": { - "type": "string" + "azure-native_network_v20230201:network:PublicIPPrefix": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "tier": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:PublicIPPrefixSkuResponse": { - "properties": { - "name": {}, - "tier": {} - } - }, - "azure-native:network/v20230201:QosDefinition": { - "properties": { - "destinationIpRanges": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRange", - "type": "object" - }, - "type": "array" + { + "location": "path", + "name": "publicIpPrefixName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "destinationPortRanges": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRange", - "type": "object" + { + "body": { + "properties": { + "customIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "id": { + "type": "string" + }, + "ipTags": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpTag", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGateway", + "containers": [ + "properties" + ], + "type": "object" + }, + "prefixLength": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "publicIPAddressVersion": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSku", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } }, - "type": "array" + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "markings": { - "items": { - "type": "integer" - }, - "type": "array" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "putAsyncStyle": "location", + "response": { + "customIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "protocol": { - "type": "string" + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" }, - "sourceIpRanges": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRange", - "type": "object" - }, - "type": "array" + "id": {}, + "ipPrefix": { + "containers": [ + "properties" + ] }, - "sourcePortRanges": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRange", - "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:QosDefinitionResponse": { - "properties": { - "destinationIpRanges": { + "ipTags": { + "containers": [ + "properties" + ], "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", "type": "object" } }, - "destinationPortRanges": { + "loadBalancerFrontendIpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", + "containers": [ + "properties" + ] + }, + "prefixLength": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIPAddressVersion": { + "containers": [ + "properties" + ] + }, + "publicIPAddresses": { + "containers": [ + "properties" + ], "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ReferencedPublicIpAddressResponse", "type": "object" } }, - "markings": { - "items": { - "type": "integer" - } + "resourceGuid": { + "containers": [ + "properties" + ] }, - "protocol": {}, - "sourceIpRanges": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:QosIpRangeResponse", - "type": "object" + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" } }, - "sourcePortRanges": { + "type": {}, + "zones": { "items": { - "$ref": "#/types/azure-native:network/v20230201:QosPortRangeResponse", - "type": "object" + "type": "string" } } } }, - "azure-native:network/v20230201:QosIpRange": { - "properties": { - "endIP": { - "type": "string" + "azure-native_network_v20230201:network:Route": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "startIP": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:QosIpRangeResponse": { - "properties": { - "endIP": {}, - "startIP": {} - } - }, - "azure-native:network/v20230201:QosPortRange": { - "properties": { - "end": { - "type": "integer" + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "type": "string" + } }, - "start": { - "type": "integer" - } - } - }, - "azure-native:network/v20230201:QosPortRangeResponse": { - "properties": { - "end": {}, - "start": {} - } - }, - "azure-native:network/v20230201:RadiusServer": { - "properties": { - "radiusServerAddress": { - "type": "string" + { + "location": "path", + "name": "routeName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "radiusServerScore": { - "type": "number" + { + "body": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "hasBgpOverride": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "nextHopIpAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "nextHopType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "type": { + "type": "string" + } + }, + "required": [ + "nextHopType" + ] + }, + "location": "body", + "name": "routeParameters", + "required": true, + "value": {} }, - "radiusServerSecret": { - "type": "string" - } - }, - "required": [ - "radiusServerAddress" - ] - }, - "azure-native:network/v20230201:RadiusServerResponse": { - "properties": { - "radiusServerAddress": {}, - "radiusServerScore": {}, - "radiusServerSecret": {} - }, - "required": [ - "radiusServerAddress" - ] - }, - "azure-native:network/v20230201:RecordSetResponse": { - "properties": { - "fqdn": {}, - "ipAddresses": { - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] }, - "provisioningState": {}, - "recordSetName": {}, - "recordType": {}, - "ttl": {} - } - }, - "azure-native:network/v20230201:ReferencedPublicIpAddressResponse": { - "properties": { - "id": {} - } - }, - "azure-native:network/v20230201:ResourceNavigationLinkResponse": { - "properties": { "etag": {}, + "hasBgpOverride": { + "containers": [ + "properties" + ] + }, "id": {}, - "link": { + "name": {}, + "nextHopIpAddress": { "containers": [ "properties" ] }, - "linkedResourceType": { + "nextHopType": { "containers": [ "properties" ] }, - "name": {}, "provisioningState": { "containers": [ "properties" @@ -83966,109 +47413,207 @@ "type": {} } }, - "azure-native:network/v20230201:RetentionPolicyParameters": { - "properties": { - "days": { - "default": 0, - "type": "integer" - }, - "enabled": { - "default": false, - "type": "boolean" - } - } - }, - "azure-native:network/v20230201:RetentionPolicyParametersResponse": { - "properties": { - "days": { - "default": 0 - }, - "enabled": { - "default": false - } - } - }, - "azure-native:network/v20230201:Route": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "hasBgpOverride": { - "containers": [ - "properties" - ], - "type": "boolean" + "azure-native_network_v20230201:network:RouteFilter": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "id": { - "type": "string" + { + "location": "path", + "name": "routeFilterName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "name": { - "type": "string" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "rules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRule", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + }, + "required": [ + "location" + ] + }, + "location": "body", + "name": "routeFilterParameters", + "required": true, + "value": {} }, - "nextHopIpAddress": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "ipv6Peerings": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", + "type": "object" + } }, - "nextHopType": { + "location": {}, + "name": {}, + "peerings": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", + "type": "object" + } }, - "type": { - "type": "string" - } - }, - "required": [ - "nextHopType" - ] - }, - "azure-native:network/v20230201:RouteFilterRule": { - "properties": { - "access": { + "provisioningState": { "containers": [ "properties" - ], - "type": "string" + ] }, - "communities": { + "rules": { "containers": [ "properties" ], "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRuleResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { "type": "string" - }, - "type": "array" + } }, - "id": { - "type": "string" + "type": {} + } + }, + "azure-native_network_v20230201:network:RouteFilterRule": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "location": { - "type": "string" + { + "location": "path", + "name": "routeFilterName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "ruleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "routeFilterRuleType": { - "containers": [ - "properties" - ], - "type": "string" + { + "body": { + "properties": { + "access": { + "containers": [ + "properties" + ], + "type": "string" + }, + "communities": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "name": { + "type": "string" + }, + "routeFilterRuleType": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "access", + "communities", + "routeFilterRuleType" + ] + }, + "location": "body", + "name": "routeFilterRuleParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - }, - "required": [ - "access", - "communities", - "routeFilterRuleType" - ] - }, - "azure-native:network/v20230201:RouteFilterRuleResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "putAsyncStyle": "azure-async-operation", + "response": { "access": { "containers": [ "properties" @@ -84096,125 +47641,200 @@ "properties" ] } - }, - "required": [ - "access", - "communities", - "routeFilterRuleType" - ] + } }, - "azure-native:network/v20230201:RouteMapRule": { - "properties": { - "actions": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:Action", - "type": "object" - }, - "type": "array" - }, - "matchCriteria": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:Criterion", - "type": "object" - }, - "type": "array" + "azure-native_network_v20230201:network:RouteMap": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "nextStepIfMatched": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:RouteMapRuleResponse": { - "properties": { - "actions": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:ActionResponse", - "type": "object" + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" } }, - "matchCriteria": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:CriterionResponse", - "type": "object" + { + "location": "path", + "name": "routeMapName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" } }, - "name": {}, - "nextStepIfMatched": {} - } - }, - "azure-native:network/v20230201:RouteResponse": { - "properties": { - "addressPrefix": { + { + "body": { + "properties": { + "associatedInboundConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "associatedOutboundConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "rules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRule", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "routeMapParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "associatedInboundConnections": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, - "etag": {}, - "hasBgpOverride": { + "associatedOutboundConnections": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, + "etag": {}, "id": {}, "name": {}, - "nextHopIpAddress": { - "containers": [ - "properties" - ] - }, - "nextHopType": { - "containers": [ - "properties" - ] - }, "provisioningState": { "containers": [ "properties" ] }, - "type": {} - }, - "required": [ - "nextHopType" - ] - }, - "azure-native:network/v20230201:RouteTable": { - "properties": { - "disableBgpRoutePropagation": { + "rules": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRuleResponse", + "type": "object" + } }, - "id": { - "type": "string" + "type": {} + } + }, + "azure-native_network_v20230201:network:RouteTable": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "location": { - "type": "string" + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:Route", - "type": "object" + { + "body": { + "properties": { + "disableBgpRoutePropagation": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Route", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } }, - "type": "array" + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "tags": { - "additionalProperties": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" - }, - "type": "object" + } } - } - }, - "azure-native:network/v20230201:RouteTableResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "putAsyncStyle": "azure-async-operation", + "response": { "disableBgpRoutePropagation": { "containers": [ "properties" @@ -84239,7 +47859,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:RouteResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteResponse", "type": "object" } }, @@ -84248,7 +47868,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" } }, @@ -84260,339 +47880,579 @@ "type": {} } }, - "azure-native:network/v20230201:RoutingConfiguration": { - "properties": { - "associatedRouteTable": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "inboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "outboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "propagatedRouteTables": { - "$ref": "#/types/azure-native:network/v20230201:PropagatedRouteTable", - "type": "object" - }, - "vnetRoutes": { - "$ref": "#/types/azure-native:network/v20230201:VnetRoute", - "type": "object" - } - } - }, - "azure-native:network/v20230201:RoutingConfigurationNfv": { - "properties": { - "associatedRouteTable": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResource", - "type": "object" - }, - "inboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResource", - "type": "object" - }, - "outboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResource", - "type": "object" + "azure-native_network_v20230201:network:RoutingIntent": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "propagatedRouteTables": { - "$ref": "#/types/azure-native:network/v20230201:PropagatedRouteTableNfv", - "type": "object" - } - } - }, - "azure-native:network/v20230201:RoutingConfigurationNfvResponse": { - "properties": { - "associatedRouteTable": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResourceResponse" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "inboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResourceResponse" + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } }, - "outboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationNfvSubResourceResponse" + { + "location": "path", + "name": "routingIntentName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "propagatedRouteTables": { - "$ref": "#/types/azure-native:network/v20230201:PropagatedRouteTableNfvResponse" - } - } - }, - "azure-native:network/v20230201:RoutingConfigurationNfvSubResource": { - "properties": { - "resourceUri": { - "type": "string" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "routingPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicy", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "routingIntentParameters", + "required": true, + "value": {} } - } - }, - "azure-native:network/v20230201:RoutingConfigurationNfvSubResourceResponse": { - "properties": { - "resourceUri": {} - } - }, - "azure-native:network/v20230201:RoutingConfigurationResponse": { - "properties": { - "associatedRouteTable": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse" - }, - "inboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse" - }, - "outboundRouteMap": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse" + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] }, - "propagatedRouteTables": { - "$ref": "#/types/azure-native:network/v20230201:PropagatedRouteTableResponse" + "routingPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicyResponse", + "type": "object" + } }, - "vnetRoutes": { - "$ref": "#/types/azure-native:network/v20230201:VnetRouteResponse" - } + "type": {} } }, - "azure-native:network/v20230201:RoutingPolicy": { - "properties": { - "destinations": { - "items": { - "type": "string" + "azure-native_network_v20230201:network:ScopeConnection": { + "PUT": [ + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "resourceId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tenantId": { + "containers": [ + "properties" + ], + "type": "string" + } + } }, - "type": "array" + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "name": { - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "nextHop": { - "type": "string" - } - }, - "required": [ - "destinations", - "name", - "nextHop" - ] - }, - "azure-native:network/v20230201:RoutingPolicyResponse": { - "properties": { - "destinations": { - "items": { + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "name": {}, - "nextHop": {} - }, - "required": [ - "destinations", - "name", - "nextHop" - ] - }, - "azure-native:network/v20230201:SecurityRule": { - "properties": { - "access": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } }, + { + "location": "path", + "name": "scopeConnectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "response": { "description": { "containers": [ "properties" - ], - "type": "string" - }, - "destinationAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" + ] }, - "destinationAddressPrefixes": { + "etag": {}, + "id": {}, + "name": {}, + "resourceId": { "containers": [ "properties" - ], - "items": { - "type": "string" - }, - "type": "array" + ] }, - "destinationApplicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" }, - "destinationPortRange": { + "tenantId": { "containers": [ "properties" - ], - "type": "string" + ] }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" + "type": {} + } + }, + "azure-native_network_v20230201:network:SecurityAdminConfiguration": { + "PUT": [ + { + "body": { + "properties": { + "applyOnNetworkIntentPolicyBasedServices": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "description": { + "containers": [ + "properties" + ], + "type": "string" + } + } }, - "type": "array" + "location": "body", + "name": "securityAdminConfiguration", + "required": true, + "value": {} }, - "direction": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "id": { - "type": "string" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } }, - "priority": { + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "response": { + "applyOnNetworkIntentPolicyBasedServices": { "containers": [ "properties" ], - "type": "integer" + "items": { + "type": "string" + } }, - "protocol": { + "description": { "containers": [ "properties" - ], - "type": "string" + ] }, - "sourceAddressPrefix": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "type": "string" + ] }, - "sourceAddressPrefixes": { + "resourceGuid": { "containers": [ "properties" - ], - "items": { - "type": "string" - }, - "type": "array" + ] }, - "sourceApplicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" }, - "sourcePortRange": { - "containers": [ - "properties" - ], - "type": "string" + "type": {} + } + }, + "azure-native_network_v20230201:network:SecurityPartnerProvider": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { + { + "location": "path", + "name": "securityPartnerProviderName", + "required": true, + "value": { + "autoname": "random", "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "securityProviderName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } }, - "type": "array" + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "type": { - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - }, - "required": [ - "access", - "direction", - "priority", - "protocol" - ] - }, - "azure-native:network/v20230201:SecurityRuleResponse": { - "properties": { - "access": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "connectionStatus": { "containers": [ "properties" ] }, - "description": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "destinationAddressPrefix": { + "securityProviderName": { "containers": [ "properties" ] }, - "destinationAddressPrefixes": { - "containers": [ - "properties" - ], - "items": { + "tags": { + "additionalProperties": { "type": "string" } }, - "destinationApplicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", - "type": "object" - } - }, - "destinationPortRange": { + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] + } + } + }, + "azure-native_network_v20230201:network:SecurityRule": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { + { + "location": "path", + "name": "networkSecurityGroupName", + "required": true, + "value": { "type": "string" } }, - "direction": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "securityRuleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "etag": {}, - "id": {}, - "name": {}, - "priority": { - "containers": [ - "properties" - ] + { + "body": { + "properties": { + "access": { + "containers": [ + "properties" + ], + "type": "string" + }, + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "destinationAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "destinationAddressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationApplicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" + }, + "type": "array" + }, + "destinationPortRange": { + "containers": [ + "properties" + ], + "type": "string" + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "direction": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "priority": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sourceAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sourceAddressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceApplicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" + }, + "type": "array" + }, + "sourcePortRange": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "type": { + "type": "string" + } + }, + "required": [ + "access", + "direction", + "priority", + "protocol" + ] + }, + "location": "body", + "name": "securityRuleParameters", + "required": true, + "value": {} }, - "protocol": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "access": { "containers": [ "properties" ] }, - "provisioningState": { + "description": { "containers": [ "properties" ] }, - "sourceAddressPrefix": { + "destinationAddressPrefix": { "containers": [ "properties" ] }, - "sourceAddressPrefixes": { + "destinationAddressPrefixes": { "containers": [ "properties" ], @@ -84600,21 +48460,21 @@ "type": "string" } }, - "sourceApplicationSecurityGroups": { + "destinationApplicationSecurityGroups": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", "type": "object" } }, - "sourcePortRange": { + "destinationPortRange": { "containers": [ "properties" ] }, - "sourcePortRanges": { + "destinationPortRanges": { "containers": [ "properties" ], @@ -84622,159 +48482,149 @@ "type": "string" } }, - "type": {} - }, - "required": [ - "access", - "direction", - "priority", - "protocol" - ] - }, - "azure-native:network/v20230201:ServiceAssociationLinkResponse": { - "properties": { - "allowDelete": { + "direction": { "containers": [ "properties" ] }, "etag": {}, "id": {}, - "link": { + "name": {}, + "priority": { "containers": [ "properties" ] }, - "linkedResourceType": { + "protocol": { "containers": [ "properties" ] }, - "locations": { + "provisioningState": { "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, - "name": {}, - "provisioningState": { + "sourceAddressPrefix": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:ServiceEndpointPolicy": { - "properties": { - "contextualServiceEndpointPolicies": { + "sourceAddressPrefixes": { "containers": [ "properties" ], "items": { "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "serviceAlias": { - "containers": [ - "properties" - ], - "type": "string" + } }, - "serviceEndpointPolicyDefinitions": { + "sourceApplicationSecurityGroups": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyDefinition", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "azure-native:network/v20230201:ServiceEndpointPolicyDefinition": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" + } }, - "service": { + "sourcePortRange": { "containers": [ "properties" - ], - "type": "string" + ] }, - "serviceResources": { + "sourcePortRanges": { "containers": [ "properties" ], "items": { "type": "string" - }, - "type": "array" + } }, - "type": { - "type": "string" - } + "type": {} } }, - "azure-native:network/v20230201:ServiceEndpointPolicyDefinitionResponse": { - "properties": { - "description": { - "containers": [ - "properties" - ] + "azure-native_network_v20230201:network:ServiceEndpointPolicy": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "serviceEndpointPolicyName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "service": { - "containers": [ - "properties" - ] + { + "body": { + "properties": { + "contextualServiceEndpointPolicies": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "serviceAlias": { + "containers": [ + "properties" + ], + "type": "string" + }, + "serviceEndpointPolicyDefinitions": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "serviceResources": { - "containers": [ - "properties" - ], - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } - }, - "type": {} - } - }, - "azure-native:network/v20230201:ServiceEndpointPolicyResponse": { - "properties": { + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "putAsyncStyle": "azure-async-operation", + "response": { "contextualServiceEndpointPolicies": { "containers": [ "properties" @@ -84808,7 +48658,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyDefinitionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse", "type": "object" } }, @@ -84817,7 +48667,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" } }, @@ -84829,235 +48679,366 @@ "type": {} } }, - "azure-native:network/v20230201:ServiceEndpointPropertiesFormat": { - "properties": { - "locations": { - "items": { - "type": "string" - }, - "type": "array" - }, - "service": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:ServiceEndpointPropertiesFormatResponse": { - "properties": { - "locations": { - "items": { + "azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "provisioningState": {}, - "service": {} - } - }, - "azure-native:network/v20230201:SingleQueryResultResponse": { - "properties": { - "description": {}, - "destinationPorts": { - "items": { + { + "location": "path", + "name": "serviceEndpointPolicyName", + "required": true, + "value": { "type": "string" } }, - "direction": {}, - "group": {}, - "inheritedFromParentPolicy": {}, - "lastUpdated": {}, - "mode": {}, - "protocol": {}, - "severity": {}, - "signatureId": {}, - "sourcePorts": { - "items": { + { + "location": "path", + "name": "serviceEndpointPolicyDefinitionName", + "required": true, + "value": { + "autoname": "copy", "type": "string" } - } - } - }, - "azure-native:network/v20230201:Sku": { - "properties": { - "name": { - "default": "Standard", - "type": "string" - } - } - }, - "azure-native:network/v20230201:SkuResponse": { - "properties": { - "name": { - "default": "Standard" - } - } - }, - "azure-native:network/v20230201:StaticRoute": { - "properties": { - "addressPrefixes": { - "items": { - "type": "string" - }, - "type": "array" }, - "name": { - "type": "string" + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "service": { + "containers": [ + "properties" + ], + "type": "string" + }, + "serviceResources": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "type": { + "type": "string" + } + } + }, + "location": "body", + "name": "ServiceEndpointPolicyDefinitions", + "required": true, + "value": {} }, - "nextHopIpAddress": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:StaticRouteResponse": { - "properties": { - "addressPrefixes": { - "items": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } - }, - "name": {}, - "nextHopIpAddress": {} - } - }, - "azure-native:network/v20230201:StaticRoutesConfig": { - "properties": { - "vnetLocalRouteOverrideCriteria": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:StaticRoutesConfigResponse": { - "properties": { - "propagateStaticRoutes": {}, - "vnetLocalRouteOverrideCriteria": {} - } - }, - "azure-native:network/v20230201:SubResource": { - "properties": { - "id": { - "type": "string" } - } - }, - "azure-native:network/v20230201:SubResourceResponse": { - "properties": { - "id": {} - } - }, - "azure-native:network/v20230201:Subnet": { - "properties": { - "addressPrefix": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "description": { "containers": [ "properties" - ], - "type": "string" + ] }, - "addressPrefixes": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "items": { - "type": "string" - }, - "type": "array" + ] }, - "applicationGatewayIPConfigurations": { + "service": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfiguration", - "type": "object" - }, - "type": "array" + ] }, - "delegations": { + "serviceResources": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:Delegation", - "type": "object" + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:StaticMember": { + "PUT": [ + { + "body": { + "properties": { + "resourceId": { + "containers": [ + "properties" + ], + "type": "string" + } + } }, - "type": "array" + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "id": { - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "ipAllocations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } }, - "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "networkGroupName", + "required": true, + "value": { + "type": "string" + } }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroup", + { + "location": "path", + "name": "staticMemberName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "type": "object" + ] }, - "privateEndpointNetworkPolicies": { + "region": { "containers": [ "properties" - ], - "default": "Disabled", - "type": "string" + ] }, - "privateLinkServiceNetworkPolicies": { + "resourceId": { "containers": [ "properties" - ], - "default": "Enabled", - "type": "string" + ] }, - "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:RouteTable", - "containers": [ - "properties" - ], - "type": "object" + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" }, - "serviceEndpointPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicy", - "type": "object" - }, - "type": "array" + "type": {} + } + }, + "azure-native_network_v20230201:network:Subnet": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "serviceEndpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPropertiesFormat", - "type": "object" + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subnetName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "addressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "applicationGatewayIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "delegations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Delegation", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroup", + "containers": [ + "properties" + ], + "type": "object" + }, + "privateEndpointNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Disabled", + "type": "string" + }, + "privateLinkServiceNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Enabled", + "type": "string" + }, + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteTable", + "containers": [ + "properties" + ], + "type": "object" + }, + "serviceEndpointPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicy", + "type": "object" + }, + "type": "array" + }, + "serviceEndpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormat", + "type": "object" + }, + "type": "array" + }, + "type": { + "type": "string" + } + } }, - "type": "array" + "location": "body", + "name": "subnetParameters", + "required": true, + "value": {} }, - "type": { - "type": "string" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:SubnetResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "putAsyncStyle": "azure-async-operation", + "response": { "addressPrefix": { "containers": [ "properties" @@ -85076,7 +49057,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ApplicationGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", "type": "object" } }, @@ -85085,7 +49066,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:DelegationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:DelegationResponse", "type": "object" } }, @@ -85096,7 +49077,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, @@ -85105,7 +49086,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationProfileResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", "type": "object" } }, @@ -85114,19 +49095,19 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:IPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", "type": "object" } }, "name": {}, "natGateway": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, "networkSecurityGroup": { - "$ref": "#/types/azure-native:network/v20230201:NetworkSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", "containers": [ "properties" ] @@ -85142,7 +49123,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:PrivateEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "type": "object" } }, @@ -85167,12 +49148,12 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ResourceNavigationLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ResourceNavigationLinkResponse", "type": "object" } }, "routeTable": { - "$ref": "#/types/azure-native:network/v20230201:RouteTableResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteTableResponse", "containers": [ "properties" ] @@ -85182,7 +49163,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceAssociationLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceAssociationLinkResponse", "type": "object" } }, @@ -85191,7 +49172,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyResponse", "type": "object" } }, @@ -85200,799 +49181,1297 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:ServiceEndpointPropertiesFormatResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse", "type": "object" } }, "type": {} } }, - "azure-native:network/v20230201:SystemDataResponse": { - "properties": { - "createdAt": {}, - "createdBy": {}, - "createdByType": {}, - "lastModifiedAt": {}, - "lastModifiedBy": {}, - "lastModifiedByType": {} - } - }, - "azure-native:network/v20230201:TrafficAnalyticsConfigurationProperties": { - "properties": { - "enabled": { - "type": "boolean" + "azure-native_network_v20230201:network:SubscriptionNetworkManagerConnection": { + "PUT": [ + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "networkManagerId": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "trafficAnalyticsInterval": { - "type": "integer" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "workspaceId": { - "type": "string" + { + "location": "path", + "name": "networkManagerConnectionName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "response": { + "description": { + "containers": [ + "properties" + ] }, - "workspaceRegion": { - "type": "string" + "etag": {}, + "id": {}, + "name": {}, + "networkManagerId": { + "containers": [ + "properties" + ] }, - "workspaceResourceId": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:TrafficAnalyticsConfigurationPropertiesResponse": { - "properties": { - "enabled": {}, - "trafficAnalyticsInterval": {}, - "workspaceId": {}, - "workspaceRegion": {}, - "workspaceResourceId": {} - } - }, - "azure-native:network/v20230201:TrafficAnalyticsProperties": { - "properties": { - "networkWatcherFlowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsConfigurationProperties", - "type": "object" - } - } - }, - "azure-native:network/v20230201:TrafficAnalyticsPropertiesResponse": { - "properties": { - "networkWatcherFlowAnalyticsConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:TrafficAnalyticsConfigurationPropertiesResponse" - } + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} } }, - "azure-native:network/v20230201:TrafficSelectorPolicy": { - "properties": { - "localAddressRanges": { - "items": { + "azure-native_network_v20230201:network:VirtualApplianceSite": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" - }, - "type": "array" + } }, - "remoteAddressRanges": { - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "localAddressRanges", - "remoteAddressRanges" - ] - }, - "azure-native:network/v20230201:TrafficSelectorPolicyResponse": { - "properties": { - "localAddressRanges": { - "items": { + { + "location": "path", + "name": "networkVirtualApplianceName", + "required": true, + "value": { "type": "string" } }, - "remoteAddressRanges": { - "items": { + { + "location": "path", + "name": "siteName", + "required": true, + "value": { + "autoname": "copy", "type": "string" } - } - }, - "required": [ - "localAddressRanges", - "remoteAddressRanges" - ] - }, - "azure-native:network/v20230201:TunnelConnectionHealthResponse": { - "properties": { - "connectionStatus": {}, - "egressBytesTransferred": {}, - "ingressBytesTransferred": {}, - "lastConnectionEstablishedUtcTime": {}, - "tunnel": {} - } - }, - "azure-native:network/v20230201:VM": { - "properties": { - "id": { - "type": "string" }, - "location": { - "type": "string" + { + "body": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyProperties", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "tags": { - "additionalProperties": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" - }, - "type": "object" + } } - } - }, - "azure-native:network/v20230201:VMResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "etag": {}, "id": {}, - "location": {}, "name": {}, - "tags": { - "additionalProperties": { - "type": "string" - } + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyPropertiesResponse", + "containers": [ + "properties" + ] }, - "type": {} - } - }, - "azure-native:network/v20230201:VirtualApplianceAdditionalNicProperties": { - "properties": { - "hasPublicIp": { - "type": "boolean" + "provisioningState": { + "containers": [ + "properties" + ] }, - "name": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VirtualApplianceAdditionalNicPropertiesResponse": { - "properties": { - "hasPublicIp": {}, - "name": {} - } - }, - "azure-native:network/v20230201:VirtualApplianceNicPropertiesResponse": { - "properties": { - "instanceName": {}, - "name": {}, - "privateIpAddress": {}, - "publicIpAddress": {} + "type": {} } }, - "azure-native:network/v20230201:VirtualApplianceSkuProperties": { - "properties": { - "bundledScaleUnit": { - "type": "string" - }, - "marketPlaceVersion": { - "type": "string" + "azure-native_network_v20230201:network:VirtualHub": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "vendor": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VirtualApplianceSkuPropertiesResponse": { - "properties": { - "bundledScaleUnit": {}, - "marketPlaceVersion": {}, - "vendor": {} - } - }, - "azure-native:network/v20230201:VirtualHubId": { - "properties": { - "id": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VirtualHubIdResponse": { - "properties": { - "id": {} - } - }, - "azure-native:network/v20230201:VirtualHubRoute": { - "properties": { - "addressPrefixes": { - "items": { + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" - }, - "type": "array" + } }, - "nextHopIpAddress": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VirtualHubRouteResponse": { - "properties": { - "addressPrefixes": { - "items": { + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "autoname": "random", "type": "string" } }, - "nextHopIpAddress": {} - } - }, - "azure-native:network/v20230201:VirtualHubRouteTable": { - "properties": { - "routes": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRoute", - "type": "object" + { + "body": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "allowBranchToBranchTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "azureFirewall": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "expressRouteGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "hubRoutingPreference": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "p2SVpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "preferredRoutingGateway": { + "containers": [ + "properties" + ], + "type": "string" + }, + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTable", + "containers": [ + "properties" + ], + "type": "object" + }, + "securityPartnerProvider": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "securityProviderName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sku": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualHubRouteTableV2s": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "virtualRouterAsn": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "virtualRouterAutoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "virtualRouterIps": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "vpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + }, + "required": [ + "location" + ] }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:VirtualHubRouteTableResponse": { - "properties": { - "routes": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteResponse", - "type": "object" - } + "location": "body", + "name": "virtualHubParameters", + "required": true, + "value": {} } - } - }, - "azure-native:network/v20230201:VirtualHubRouteTableV2": { - "properties": { - "attachedConnections": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressPrefix": { "containers": [ "properties" - ], - "items": { - "type": "string" - }, - "type": "array" + ] }, - "id": { - "type": "string" + "allowBranchToBranchTraffic": { + "containers": [ + "properties" + ] }, - "name": { - "type": "string" + "azureFirewall": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "routes": { + "bgpConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteV2", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:VirtualHubRouteTableV2Response": { - "properties": { - "attachedConnections": { + } + }, + "etag": {}, + "expressRouteGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "hubRoutingPreference": { + "containers": [ + "properties" + ] + }, + "id": {}, + "ipConfigurations": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" } }, - "etag": {}, - "id": {}, + "kind": {}, + "location": {}, "name": {}, + "p2SVpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "preferredRoutingGateway": { + "containers": [ + "properties" + ] + }, "provisioningState": { "containers": [ "properties" ] }, - "routes": { + "routeMaps": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualHubRouteV2Response", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } - } - } - }, - "azure-native:network/v20230201:VirtualHubRouteV2": { - "properties": { - "destinationType": { - "type": "string" }, - "destinations": { - "items": { - "type": "string" - }, - "type": "array" + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableResponse", + "containers": [ + "properties" + ] }, - "nextHopType": { - "type": "string" + "routingState": { + "containers": [ + "properties" + ] }, - "nextHops": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:VirtualHubRouteV2Response": { - "properties": { - "destinationType": {}, - "destinations": { - "items": { - "type": "string" - } + "securityPartnerProvider": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "nextHopType": {}, - "nextHops": { - "items": { + "securityProviderName": { + "containers": [ + "properties" + ] + }, + "sku": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { "type": "string" } - } - } - }, - "azure-native:network/v20230201:VirtualNetworkBgpCommunities": { - "properties": { - "virtualNetworkCommunity": { - "type": "string" - } - }, - "required": [ - "virtualNetworkCommunity" - ] - }, - "azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse": { - "properties": { - "regionalCommunity": {}, - "virtualNetworkCommunity": {} - }, - "required": [ - "virtualNetworkCommunity" - ] - }, - "azure-native:network/v20230201:VirtualNetworkEncryption": { - "properties": { - "enabled": { - "type": "boolean" }, - "enforcement": { - "type": "string" - } - }, - "required": [ - "enabled" - ] - }, - "azure-native:network/v20230201:VirtualNetworkEncryptionResponse": { - "properties": { - "enabled": {}, - "enforcement": {} - }, - "required": [ - "enabled" - ] - }, - "azure-native:network/v20230201:VirtualNetworkGateway": { - "properties": { - "activeActive": { + "type": {}, + "virtualHubRouteTableV2s": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2Response", + "type": "object" + } }, - "adminState": { + "virtualRouterAsn": { "containers": [ "properties" - ], - "type": "string" + ] }, - "allowRemoteVnetTraffic": { + "virtualRouterAutoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfigurationResponse", "containers": [ "properties" - ], - "type": "boolean" + ] }, - "allowVirtualWanTraffic": { + "virtualRouterIps": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "type": "string" + } }, - "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettings", + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "type": "object" + ] }, - "customRoutes": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", + "vpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "type": "object" + ] + } + } + }, + "azure-native_network_v20230201:network:VirtualHubBgpConnection": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "disableIPSecReplayProtection": { + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "hubVirtualNetworkConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "peerAsn": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "peerIp": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "connectionState": { "containers": [ "properties" - ], - "type": "boolean" + ] }, - "enableBgp": { + "etag": {}, + "hubVirtualNetworkConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "type": "boolean" + ] }, - "enableBgpRouteTranslationForNat": { + "id": {}, + "name": {}, + "peerAsn": { "containers": [ "properties" - ], - "type": "boolean" + ] }, - "enableDnsForwarding": { + "peerIp": { "containers": [ "properties" - ], - "type": "boolean" + ] }, - "enablePrivateIpAddress": { + "provisioningState": { "containers": [ "properties" - ], - "type": "boolean" + ] }, - "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocation", - "type": "object" + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualHubIpConfiguration": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "gatewayDefaultSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ipConfigName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "privateIPAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "privateIPAllocationMethod": { + "containers": [ + "properties" + ], + "type": "string" + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", + "containers": [ + "properties" + ], + "type": "object" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "privateIPAddress": { "containers": [ "properties" - ], - "type": "object" + ] }, - "gatewayType": { + "privateIPAllocationMethod": { "containers": [ "properties" - ], - "type": "string" + ] }, - "id": { - "type": "string" + "provisioningState": { + "containers": [ + "properties" + ] }, - "ipConfigurations": { + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayIPConfiguration", - "type": "object" - }, - "type": "array" + ] }, - "location": { - "type": "string" + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "containers": [ + "properties" + ] }, - "natRules": { + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualHubRouteTableV2": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "attachedConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "virtualHubRouteTableV2Parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "attachedConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayNatRule", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySku", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { "type": "string" - }, - "type": "object" + } }, - "vNetExtendedLocationResourceId": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "type": "string" + ] }, - "virtualNetworkGatewayPolicyGroups": { + "routes": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroup", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2Response", "type": "object" - }, - "type": "array" - }, - "vpnClientConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "vpnGatewayGeneration": { - "containers": [ - "properties" - ], - "type": "string" - }, - "vpnType": { - "containers": [ - "properties" - ], - "type": "string" + } } } }, - "azure-native:network/v20230201:VirtualNetworkGatewayIPConfiguration": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" + "azure-native_network_v20230201:network:VirtualNetwork": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "body": { + "properties": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "bgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunities", + "containers": [ + "properties" + ], + "type": "object" + }, + "ddosProtectionPlan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "dhcpOptions": { + "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptions", + "containers": [ + "properties" + ], + "type": "object" + }, + "enableDdosProtection": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "enableVmProtection": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "encryption": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryption", + "containers": [ + "properties" + ], + "type": "object" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "flowTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "id": { + "type": "string" + }, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "location": { + "forceNew": true, + "type": "string" + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualNetworkPeerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeering", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:VirtualNetworkGatewayIPConfigurationResponse": { - "properties": { - "etag": {}, - "id": {}, - "name": {}, - "privateIPAddress": { - "containers": [ - "properties" - ] - }, - "privateIPAllocationMethod": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" ] }, - "provisioningState": { + "bgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", "containers": [ "properties" ] }, - "publicIPAddress": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "ddosProtectionPlan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "subnet": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "dhcpOptions": { + "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptionsResponse", "containers": [ "properties" ] - } - } - }, - "azure-native:network/v20230201:VirtualNetworkGatewayNatRule": { - "properties": { - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" }, - "internalMappings": { + "enableDdosProtection": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" + "default": false }, - "ipConfigurationId": { + "enableVmProtection": { "containers": [ "properties" ], - "type": "string" + "default": false }, - "mode": { + "encryption": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", "containers": [ "properties" - ], - "type": "string" - }, - "name": { - "type": "string" + ] }, - "type": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "azure-native:network/v20230201:VirtualNetworkGatewayNatRuleResponse": { - "properties": { "etag": {}, - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" - } + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" }, - "id": {}, - "internalMappings": { + "flowLogs": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", "type": "object" } }, - "ipConfigurationId": { + "flowTimeoutInMinutes": { "containers": [ "properties" ] }, - "mode": { + "id": {}, + "ipAllocations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, + "location": {}, "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroup": { - "properties": { - "id": { - "type": "string" - }, - "isDefault": { + "resourceGuid": { "containers": [ "properties" - ], - "type": "boolean" - }, - "name": { - "type": "string" + ] }, - "policyMembers": { + "subnets": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupMember", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" - }, - "type": "array" - }, - "priority": { - "containers": [ - "properties" - ], - "type": "integer" - } - }, - "required": [ - "isDefault", - "policyMembers", - "priority" - ] - }, - "azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupMember": { - "properties": { - "attributeType": { - "type": "string" - }, - "attributeValue": { - "type": "string" + } }, - "name": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupMemberResponse": { - "properties": { - "attributeType": {}, - "attributeValue": {}, - "name": {} - } - }, - "azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupResponse": { - "properties": { - "etag": {}, - "id": {}, - "isDefault": { - "containers": [ - "properties" - ] + "tags": { + "additionalProperties": { + "type": "string" + } }, - "name": {}, - "policyMembers": { + "type": {}, + "virtualNetworkPeerings": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupMemberResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringResponse", "type": "object" } + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGateway": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "priority": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "provisioningState": { - "containers": [ - "properties" - ] + { + "body": { + "properties": { + "activeActive": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "adminState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "allowRemoteVnetTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "allowVirtualWanTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "customRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "disableIPSecReplayProtection": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableBgp": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableBgpRouteTranslationForNat": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableDnsForwarding": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enablePrivateIpAddress": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "gatewayDefaultSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "gatewayType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "natRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySku", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "vNetExtendedLocationResourceId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "virtualNetworkGatewayPolicyGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroup", + "type": "object" + }, + "type": "array" + }, + "vpnClientConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "vpnGatewayGeneration": { + "containers": [ + "properties" + ], + "type": "string" + }, + "vpnType": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "vngClientConnectionConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" } } - }, - "required": [ - "isDefault", - "policyMembers", - "priority" - ] - }, - "azure-native:network/v20230201:VirtualNetworkGatewayResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "putAsyncStyle": "azure-async-operation", + "requiredContainers": [ + [ + "properties" + ] + ], + "response": { "activeActive": { "containers": [ "properties" @@ -86014,13 +50493,13 @@ ] }, "bgpSettings": { - "$ref": "#/types/azure-native:network/v20230201:BgpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "containers": [ "properties" ] }, "customRoutes": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" ] @@ -86052,10 +50531,10 @@ }, "etag": {}, "extendedLocation": { - "$ref": "#/types/azure-native:network/v20230201:ExtendedLocationResponse" + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" }, "gatewayDefaultSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] @@ -86076,7 +50555,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse", "type": "object" } }, @@ -86087,7 +50566,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayNatRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse", "type": "object" } }, @@ -86102,7 +50581,7 @@ ] }, "sku": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewaySkuResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse", "containers": [ "properties" ] @@ -86123,12 +50602,12 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkGatewayPolicyGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse", "type": "object" } }, "vpnClientConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfigurationResponse", "containers": [ "properties" ] @@ -86145,108 +50624,669 @@ } } }, - "azure-native:network/v20230201:VirtualNetworkGatewaySku": { - "properties": { - "name": { - "type": "string" + "azure-native_network_v20230201:network:VirtualNetworkGatewayConnection": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "tier": { - "type": "string" + { + "location": "path", + "name": "virtualNetworkGatewayConnectionName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "connectionMode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "connectionProtocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "connectionType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "egressNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "enableBgp": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enablePrivateLinkFastPath": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "expressRouteGatewayBypass": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "gatewayCustomBgpIpAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfiguration", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "ingressNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "ipsecPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", + "type": "object" + }, + "type": "array" + }, + "localNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGateway", + "containers": [ + "properties" + ], + "type": "object" + }, + "location": { + "type": "string" + }, + "peer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "routingWeight": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "sharedKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "trafficSelectorPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicy", + "type": "object" + }, + "type": "array" + }, + "useLocalAzureIpAddress": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "virtualNetworkGateway1": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGateway", + "containers": [ + "properties" + ], + "type": "object" + }, + "virtualNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGateway", + "containers": [ + "properties" + ], + "type": "object" + } + }, + "required": [ + "connectionType", + "virtualNetworkGateway1" + ] + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:VirtualNetworkGatewaySkuResponse": { - "properties": { - "capacity": {}, - "name": {}, - "tier": {} - } - }, - "azure-native:network/v20230201:VirtualNetworkPeering": { - "properties": { - "allowForwardedTraffic": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "putAsyncStyle": "azure-async-operation", + "requiredContainers": [ + [ + "properties" + ] + ], + "response": { + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "connectionMode": { + "containers": [ + "properties" + ] + }, + "connectionProtocol": { + "containers": [ + "properties" + ] + }, + "connectionStatus": { + "containers": [ + "properties" + ] + }, + "connectionType": { + "containers": [ + "properties" + ] + }, + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ] + }, + "egressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "egressNatRules": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "allowGatewayTransit": { + "enableBgp": { + "containers": [ + "properties" + ] + }, + "enablePrivateLinkFastPath": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRouteGatewayBypass": { + "containers": [ + "properties" + ] + }, + "gatewayCustomBgpIpAddresses": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse", + "type": "object" + } }, - "allowVirtualNetworkAccess": { + "id": {}, + "ingressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "ingressNatRules": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "doNotVerifyRemoteGateways": { + "ipsecPolicies": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + } }, - "id": { - "type": "string" + "localNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGatewayResponse", + "containers": [ + "properties" + ] }, - "name": { - "type": "string" + "location": {}, + "name": {}, + "peer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "peeringState": { + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "routingWeight": { + "containers": [ + "properties" + ] + }, + "sharedKey": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "trafficSelectorPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", + "type": "object" + } + }, + "tunnelConnectionStatus": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TunnelConnectionHealthResponse", + "type": "object" + } + }, + "type": {}, + "useLocalAzureIpAddress": { + "containers": [ + "properties" + ] + }, + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ] + }, + "virtualNetworkGateway1": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", + "containers": [ + "properties" + ] + }, + "virtualNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "natRuleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "ipConfigurationId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "mode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "name": { + "type": "string" + }, + "type": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "NatRuleParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "externalMappings": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } }, - "peeringSyncLevel": { + "id": {}, + "internalMappings": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } }, - "remoteAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", + "ipConfigurationId": { "containers": [ "properties" - ], - "type": "object" + ] }, - "remoteBgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunities", + "mode": { "containers": [ "properties" - ], - "type": "object" + ] }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "type": "object" + ] }, - "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualNetworkPeering": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "type": { - "type": "string" + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } }, - "useRemoteGateways": { - "containers": [ - "properties" - ], - "type": "boolean" + { + "location": "path", + "name": "virtualNetworkPeeringName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "allowForwardedTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "allowGatewayTransit": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "allowVirtualNetworkAccess": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "doNotVerifyRemoteGateways": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "peeringState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "peeringSyncLevel": { + "containers": [ + "properties" + ], + "type": "string" + }, + "remoteAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "remoteBgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunities", + "containers": [ + "properties" + ], + "type": "object" + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "remoteVirtualNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "type": { + "type": "string" + }, + "useRemoteGateways": { + "containers": [ + "properties" + ], + "type": "boolean" + } + } + }, + "location": "body", + "name": "VirtualNetworkPeeringParameters", + "required": true, + "value": {} + }, + { + "location": "query", + "name": "syncRemoteAddressSpace", + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:VirtualNetworkPeeringResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "putAsyncStyle": "azure-async-operation", + "response": { "allowForwardedTraffic": { "containers": [ "properties" @@ -86286,31 +51326,31 @@ ] }, "remoteAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" ] }, "remoteBgpCommunities": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkBgpCommunitiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", "containers": [ "properties" ] }, "remoteVirtualNetwork": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" ] }, "remoteVirtualNetworkEncryption": { - "$ref": "#/types/azure-native:network/v20230201:VirtualNetworkEncryptionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", "containers": [ "properties" ] @@ -86328,52 +51368,90 @@ } } }, - "azure-native:network/v20230201:VirtualNetworkTap": { - "properties": { - "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "destinationPort": { - "containers": [ - "properties" - ], - "type": "integer" + "azure-native_network_v20230201:network:VirtualNetworkTap": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "id": { - "type": "string" + { + "location": "path", + "name": "tapName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "location": { - "type": "string" + { + "body": { + "properties": { + "destinationLoadBalancerFrontEndIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "destinationNetworkInterfaceIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "destinationPort": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "tags": { - "additionalProperties": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" - }, - "type": "object" + } } - } - }, - "azure-native:network/v20230201:VirtualNetworkTapResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "putAsyncStyle": "azure-async-operation", + "response": { "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:FrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", "containers": [ "properties" ] }, "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "containers": [ "properties" ] @@ -86392,7 +51470,7 @@ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:NetworkInterfaceTapConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", "type": "object" } }, @@ -86414,1439 +51492,1261 @@ "type": {} } }, - "azure-native:network/v20230201:VirtualRouterAutoScaleConfiguration": { - "properties": { - "minCapacity": { - "minimum": 0, - "type": "integer" - } - } - }, - "azure-native:network/v20230201:VirtualRouterAutoScaleConfigurationResponse": { - "properties": { - "minCapacity": {} - } - }, - "azure-native:network/v20230201:VnetRoute": { - "properties": { - "staticRoutes": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:StaticRoute", - "type": "object" - }, - "type": "array" - }, - "staticRoutesConfig": { - "$ref": "#/types/azure-native:network/v20230201:StaticRoutesConfig", - "type": "object" - } - } - }, - "azure-native:network/v20230201:VnetRouteResponse": { - "properties": { - "bgpConnections": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "staticRoutes": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:StaticRouteResponse", - "type": "object" - } - }, - "staticRoutesConfig": { - "$ref": "#/types/azure-native:network/v20230201:StaticRoutesConfigResponse" - } - } - }, - "azure-native:network/v20230201:VngClientConnectionConfiguration": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "virtualNetworkGatewayPolicyGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" - }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - } - }, - "required": [ - "virtualNetworkGatewayPolicyGroups", - "vpnClientAddressPool" - ] - }, - "azure-native:network/v20230201:VngClientConnectionConfigurationResponse": { - "properties": { - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "virtualNetworkGatewayPolicyGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } - }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse", - "containers": [ - "properties" - ] - } - }, - "required": [ - "virtualNetworkGatewayPolicyGroups", - "vpnClientAddressPool" - ] - }, - "azure-native:network/v20230201:VpnClientConfiguration": { - "properties": { - "aadAudience": { - "type": "string" - }, - "aadIssuer": { - "type": "string" - }, - "aadTenant": { - "type": "string" - }, - "radiusServerAddress": { - "type": "string" - }, - "radiusServerSecret": { - "type": "string" - }, - "radiusServers": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:RadiusServer", - "type": "object" - }, - "type": "array" - }, - "vngClientConnectionConfigurations": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VngClientConnectionConfiguration", - "type": "object" - }, - "type": "array" - }, - "vpnAuthenticationTypes": { - "items": { - "type": "string" - }, - "type": "array" - }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpace", - "type": "object" - }, - "vpnClientIpsecPolicies": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", - "type": "object" - }, - "type": "array" - }, - "vpnClientProtocols": { - "items": { - "type": "string" - }, - "type": "array" - }, - "vpnClientRevokedCertificates": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientRevokedCertificate", - "type": "object" - }, - "type": "array" - }, - "vpnClientRootCertificates": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientRootCertificate", - "type": "object" - }, - "type": "array" - } - } - }, - "azure-native:network/v20230201:VpnClientConfigurationResponse": { - "properties": { - "aadAudience": {}, - "aadIssuer": {}, - "aadTenant": {}, - "radiusServerAddress": {}, - "radiusServerSecret": {}, - "radiusServers": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:RadiusServerResponse", - "type": "object" - } - }, - "vngClientConnectionConfigurations": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VngClientConnectionConfigurationResponse", - "type": "object" - } - }, - "vpnAuthenticationTypes": { - "items": { - "type": "string" - } - }, - "vpnClientAddressPool": { - "$ref": "#/types/azure-native:network/v20230201:AddressSpaceResponse" - }, - "vpnClientIpsecPolicies": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", - "type": "object" - } - }, - "vpnClientProtocols": { - "items": { + "azure-native_network_v20230201:network:VirtualRouter": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { "type": "string" } }, - "vpnClientRevokedCertificates": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientRevokedCertificateResponse", - "type": "object" - } - }, - "vpnClientRootCertificates": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnClientRootCertificateResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:VpnClientConnectionHealthDetailResponse": { - "properties": { - "egressBytesTransferred": {}, - "egressPacketsTransferred": {}, - "ingressBytesTransferred": {}, - "ingressPacketsTransferred": {}, - "maxBandwidth": {}, - "maxPacketsPerSecond": {}, - "privateIpAddress": {}, - "publicIpAddress": {}, - "vpnConnectionDuration": {}, - "vpnConnectionId": {}, - "vpnConnectionTime": {}, - "vpnUserName": {} - } - }, - "azure-native:network/v20230201:VpnClientConnectionHealthResponse": { - "properties": { - "allocatedIpAddresses": { - "items": { + { + "location": "path", + "name": "virtualRouterName", + "required": true, + "value": { + "autoname": "random", "type": "string" } }, - "totalEgressBytesTransferred": {}, - "totalIngressBytesTransferred": {}, - "vpnClientConnectionsCount": {} - } - }, - "azure-native:network/v20230201:VpnClientRevokedCertificate": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "thumbprint": { - "containers": [ - "properties" - ], - "type": "string" + { + "body": { + "properties": { + "hostedGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "hostedSubnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualRouterAsn": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "virtualRouterIps": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } } - } - }, - "azure-native:network/v20230201:VpnClientRevokedCertificateResponse": { - "properties": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "putAsyncStyle": "azure-async-operation", + "response": { "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { + "hostedGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "thumbprint": { + "hostedSubnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] - } - } - }, - "azure-native:network/v20230201:VpnClientRootCertificate": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" }, - "publicCertData": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "publicCertData" - ] - }, - "azure-native:network/v20230201:VpnClientRootCertificateResponse": { - "properties": { - "etag": {}, "id": {}, + "location": {}, "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "publicCertData": { - "containers": [ - "properties" - ] - } - }, - "required": [ - "publicCertData" - ] - }, - "azure-native:network/v20230201:VpnConnection": { - "properties": { - "connectionBandwidth": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "dpdTimeoutSeconds": { + "peerings": { "containers": [ "properties" ], - "type": "integer" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "enableBgp": { + "provisioningState": { "containers": [ "properties" - ], - "type": "boolean" + ] }, - "enableInternetSecurity": { - "containers": [ - "properties" - ], - "type": "boolean" + "tags": { + "additionalProperties": { + "type": "string" + } }, - "enableRateLimiting": { + "type": {}, + "virtualRouterAsn": { "containers": [ "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" + ] }, - "ipsecPolicies": { + "virtualRouterIps": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", - "type": "object" - }, - "type": "array" + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:VirtualRouterPeering": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "name": { - "type": "string" + { + "location": "path", + "name": "virtualRouterName", + "required": true, + "value": { + "type": "string" + } }, - "remoteVpnSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "containers": [ - "properties" - ], - "type": "object" + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfiguration", - "containers": [ - "properties" - ], - "type": "object" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "peerAsn": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "peerIp": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} }, - "routingWeight": { + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "peerAsn": { "containers": [ "properties" - ], - "type": "integer" + ] }, - "sharedKey": { + "peerIp": { "containers": [ "properties" - ], - "type": "string" + ] }, - "trafficSelectorPolicies": { + "provisioningState": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicy", - "type": "object" - }, - "type": "array" + ] }, - "useLocalAzureIpAddress": { - "containers": [ - "properties" - ], - "type": "boolean" + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualWan": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "usePolicyBasedTrafficSelectors": { - "containers": [ - "properties" - ], - "type": "boolean" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "vpnConnectionProtocolType": { - "containers": [ - "properties" - ], - "type": "string" + { + "location": "path", + "name": "VirtualWANName", + "required": true, + "value": { + "autoname": "random", + "sdkName": "virtualWANName", + "type": "string" + } }, - "vpnLinkConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkConnection", - "type": "object" + { + "body": { + "properties": { + "allowBranchToBranchTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "allowVnetToVnetTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "disableVpnEncryption": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "type": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "location" + ] }, - "type": "array" + "location": "body", + "name": "WANParameters", + "required": true, + "value": {} } - } - }, - "azure-native:network/v20230201:VpnConnectionResponse": { - "properties": { - "connectionBandwidth": { - "containers": [ - "properties" - ] - }, - "connectionStatus": { + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allowBranchToBranchTraffic": { "containers": [ "properties" ] }, - "dpdTimeoutSeconds": { + "allowVnetToVnetTraffic": { "containers": [ "properties" ] }, - "egressBytesTransferred": { + "disableVpnEncryption": { "containers": [ "properties" ] }, - "enableBgp": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "office365LocalBreakoutCategory": { "containers": [ "properties" ] }, - "enableInternetSecurity": { + "provisioningState": { "containers": [ "properties" ] }, - "enableRateLimiting": { - "containers": [ - "properties" - ] + "tags": { + "additionalProperties": { + "type": "string" + } }, - "etag": {}, - "id": {}, - "ingressBytesTransferred": { + "type": {}, + "virtualHubs": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "ipsecPolicies": { + "vpnSites": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } + } + } + }, + "azure-native_network_v20230201:network:VpnConnection": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "remoteVpnSite": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "containers": [ - "properties" - ] + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } }, - "routingConfiguration": { - "$ref": "#/types/azure-native:network/v20230201:RoutingConfigurationResponse", + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "connectionBandwidth": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "enableBgp": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableRateLimiting": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "ipsecPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", + "type": "object" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "remoteVpnSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "routingWeight": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "sharedKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "trafficSelectorPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicy", + "type": "object" + }, + "type": "array" + }, + "useLocalAzureIpAddress": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "vpnConnectionProtocolType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "vpnLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnection", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "VpnConnectionParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "connectionBandwidth": { "containers": [ "properties" ] }, - "routingWeight": { + "connectionStatus": { "containers": [ "properties" ] }, - "sharedKey": { + "dpdTimeoutSeconds": { "containers": [ "properties" ] }, - "trafficSelectorPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:TrafficSelectorPolicyResponse", - "type": "object" - } - }, - "useLocalAzureIpAddress": { + "egressBytesTransferred": { "containers": [ "properties" ] }, - "usePolicyBasedTrafficSelectors": { + "enableBgp": { "containers": [ "properties" ] }, - "vpnConnectionProtocolType": { + "enableInternetSecurity": { "containers": [ "properties" ] }, - "vpnLinkConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnSiteLinkConnectionResponse", - "type": "object" - } - } - } - }, - "azure-native:network/v20230201:VpnGatewayIpConfigurationResponse": { - "properties": { - "id": {}, - "privateIpAddress": {}, - "publicIpAddress": {} - } - }, - "azure-native:network/v20230201:VpnGatewayNatRule": { - "properties": { - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "internalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "ipConfigurationId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "mode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "name": { - "type": "string" - }, - "type": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "azure-native:network/v20230201:VpnGatewayNatRuleResponse": { - "properties": { - "egressVpnSiteLinkConnections": { + "enableRateLimiting": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + ] }, "etag": {}, - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", - "type": "object" - } - }, "id": {}, - "ingressVpnSiteLinkConnections": { + "ingressBytesTransferred": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + ] }, - "internalMappings": { + "ipsecPolicies": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", "type": "object" } }, - "ipConfigurationId": { - "containers": [ - "properties" - ] - }, - "mode": { - "containers": [ - "properties" - ] - }, "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:VpnLinkBgpSettings": { - "properties": { - "asn": { - "type": "number" - }, - "bgpPeeringAddress": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VpnLinkBgpSettingsResponse": { - "properties": { - "asn": {}, - "bgpPeeringAddress": {} - } - }, - "azure-native:network/v20230201:VpnLinkProviderProperties": { - "properties": { - "linkProviderName": { - "type": "string" - }, - "linkSpeedInMbps": { - "type": "integer" - } - } - }, - "azure-native:network/v20230201:VpnLinkProviderPropertiesResponse": { - "properties": { - "linkProviderName": {}, - "linkSpeedInMbps": {} - } - }, - "azure-native:network/v20230201:VpnNatRuleMapping": { - "properties": { - "addressSpace": { - "type": "string" - }, - "portRange": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VpnNatRuleMappingResponse": { - "properties": { - "addressSpace": {}, - "portRange": {} - } - }, - "azure-native:network/v20230201:VpnServerConfigRadiusClientRootCertificate": { - "properties": { - "name": { - "type": "string" - }, - "thumbprint": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VpnServerConfigRadiusClientRootCertificateResponse": { - "properties": { - "name": {}, - "thumbprint": {} - } - }, - "azure-native:network/v20230201:VpnServerConfigRadiusServerRootCertificate": { - "properties": { - "name": { - "type": "string" - }, - "publicCertData": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VpnServerConfigRadiusServerRootCertificateResponse": { - "properties": { - "name": {}, - "publicCertData": {} - } - }, - "azure-native:network/v20230201:VpnServerConfigVpnClientRevokedCertificate": { - "properties": { - "name": { - "type": "string" - }, - "thumbprint": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VpnServerConfigVpnClientRevokedCertificateResponse": { - "properties": { - "name": {}, - "thumbprint": {} - } - }, - "azure-native:network/v20230201:VpnServerConfigVpnClientRootCertificate": { - "properties": { - "name": { - "type": "string" - }, - "publicCertData": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VpnServerConfigVpnClientRootCertificateResponse": { - "properties": { - "name": {}, - "publicCertData": {} - } - }, - "azure-native:network/v20230201:VpnServerConfigurationPolicyGroup": { - "properties": { - "id": { - "type": "string" - }, - "isDefault": { + "remoteVpnSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "type": "boolean" - }, - "name": { - "type": "string" + ] }, - "policyMembers": { + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMember", - "type": "object" - }, - "type": "array" + ] }, - "priority": { + "routingWeight": { "containers": [ "properties" - ], - "type": "integer" - } - } - }, - "azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMember": { - "properties": { - "attributeType": { - "type": "string" - }, - "attributeValue": { - "type": "string" + ] }, - "name": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMemberResponse": { - "properties": { - "attributeType": {}, - "attributeValue": {}, - "name": {} - } - }, - "azure-native:network/v20230201:VpnServerConfigurationPolicyGroupResponse": { - "properties": { - "etag": {}, - "id": {}, - "isDefault": { + "sharedKey": { "containers": [ "properties" ] }, - "name": {}, - "p2SConnectionConfigurations": { + "trafficSelectorPolicies": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", "type": "object" } }, - "policyMembers": { + "useLocalAzureIpAddress": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupMemberResponse", - "type": "object" - } + ] }, - "priority": { + "usePolicyBasedTrafficSelectors": { "containers": [ "properties" ] }, - "provisioningState": { + "vpnConnectionProtocolType": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:VpnServerConfigurationProperties": { - "properties": { - "aadAuthenticationParameters": { - "$ref": "#/types/azure-native:network/v20230201:AadAuthenticationParameters", - "type": "object" - }, - "configurationPolicyGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroup", - "type": "object" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "radiusClientRootCertificates": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigRadiusClientRootCertificate", - "type": "object" - }, - "type": "array" - }, - "radiusServerAddress": { - "type": "string" - }, - "radiusServerRootCertificates": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigRadiusServerRootCertificate", - "type": "object" - }, - "type": "array" - }, - "radiusServerSecret": { - "type": "string" - }, - "radiusServers": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:RadiusServer", - "type": "object" - }, - "type": "array" - }, - "vpnAuthenticationTypes": { - "items": { - "type": "string" - }, - "type": "array" - }, - "vpnClientIpsecPolicies": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", - "type": "object" - }, - "type": "array" - }, - "vpnClientRevokedCertificates": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigVpnClientRevokedCertificate", - "type": "object" - }, - "type": "array" - }, - "vpnClientRootCertificates": { + "vpnLinkConnections": { + "containers": [ + "properties" + ], "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigVpnClientRootCertificate", + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse", "type": "object" - }, - "type": "array" - }, - "vpnProtocols": { - "items": { - "type": "string" - }, - "type": "array" + } } } }, - "azure-native:network/v20230201:VpnServerConfigurationPropertiesResponse": { - "properties": { - "aadAuthenticationParameters": { - "$ref": "#/types/azure-native:network/v20230201:AadAuthenticationParametersResponse" - }, - "configurationPolicyGroups": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigurationPolicyGroupResponse", - "type": "object" - } - }, - "etag": {}, - "name": {}, - "p2SVpnGateways": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:P2SVpnGatewayResponse", - "type": "object" - } - }, - "provisioningState": {}, - "radiusClientRootCertificates": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigRadiusClientRootCertificateResponse", - "type": "object" - } - }, - "radiusServerAddress": {}, - "radiusServerRootCertificates": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigRadiusServerRootCertificateResponse", - "type": "object" - } - }, - "radiusServerSecret": {}, - "radiusServers": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:RadiusServerResponse", - "type": "object" - } - }, - "vpnAuthenticationTypes": { - "items": { + "azure-native_network_v20230201:network:VpnGateway": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { "type": "string" } }, - "vpnClientIpsecPolicies": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", - "type": "object" - } - }, - "vpnClientRevokedCertificates": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigVpnClientRevokedCertificateResponse", - "type": "object" - } - }, - "vpnClientRootCertificates": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:VpnServerConfigVpnClientRootCertificateResponse", - "type": "object" + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" } }, - "vpnProtocols": { - "items": { + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "autoname": "random", "type": "string" } - } - } - }, - "azure-native:network/v20230201:VpnSiteLink": { - "properties": { - "bgpProperties": { - "$ref": "#/types/azure-native:network/v20230201:VpnLinkBgpSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "fqdn": { - "containers": [ - "properties" - ], - "type": "string" }, - "id": { - "type": "string" - }, - "ipAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "linkProperties": { - "$ref": "#/types/azure-native:network/v20230201:VpnLinkProviderProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "name": { - "type": "string" - } - } - }, - "azure-native:network/v20230201:VpnSiteLinkConnection": { - "properties": { - "connectionBandwidth": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "egressNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" + { + "body": { + "properties": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "connections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnConnection", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "enableBgpRouteTranslationForNat": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "isRoutingPreferenceInternet": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "location": { + "type": "string" + }, + "natRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRule", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "vpnGatewayScaleUnit": { + "containers": [ + "properties" + ], + "type": "integer" + } + }, + "required": [ + "location" + ] }, - "type": "array" - }, - "enableBgp": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableRateLimiting": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "ingressNatRules": { + "location": "body", + "name": "vpnGatewayParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", - "type": "object" - }, - "type": "array" + ] }, - "ipsecPolicies": { + "connections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicy", + "$ref": "#/types/azure-native_network_v20230201:network:VpnConnectionResponse", "type": "object" - }, - "type": "array" - }, - "name": { - "type": "string" + } }, - "routingWeight": { + "enableBgpRouteTranslationForNat": { "containers": [ "properties" - ], - "type": "integer" + ] }, - "sharedKey": { + "etag": {}, + "id": {}, + "ipConfigurations": { "containers": [ "properties" ], - "type": "string" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayIpConfigurationResponse", + "type": "object" + } }, - "useLocalAzureIpAddress": { + "isRoutingPreferenceInternet": { "containers": [ "properties" - ], - "type": "boolean" + ] }, - "usePolicyBasedTrafficSelectors": { + "location": {}, + "name": {}, + "natRules": { "containers": [ "properties" ], - "type": "boolean" + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRuleResponse", + "type": "object" + } }, - "vpnConnectionProtocolType": { + "provisioningState": { "containers": [ "properties" - ], - "type": "string" + ] }, - "vpnGatewayCustomBgpAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfiguration", - "type": "object" - }, - "type": "array" + "tags": { + "additionalProperties": { + "type": "string" + } }, - "vpnLinkConnectionMode": { + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "type": "string" + ] }, - "vpnSiteLink": { - "$ref": "#/types/azure-native:network/v20230201:SubResource", + "vpnGatewayScaleUnit": { "containers": [ "properties" - ], - "type": "object" + ] } } }, - "azure-native:network/v20230201:VpnSiteLinkConnectionResponse": { - "properties": { - "connectionBandwidth": { - "containers": [ - "properties" - ] + "azure-native_network_v20230201:network:VpnServerConfiguration": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "connectionStatus": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "egressBytesTransferred": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "vpnServerConfigurationName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } }, - "egressNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "name": { + "type": "string" + }, + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationProperties", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "VpnServerConfigurationParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPropertiesResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" } }, - "enableBgp": { + "type": {} + } + }, + "azure-native_network_v20230201:network:VpnSite": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "vpnSiteName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "bgpProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "deviceProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:DeviceProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "ipAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "isSecuritySite": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "location": { + "type": "string" + }, + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "siteKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "vpnSiteLinks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLink", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "location" + ] + }, + "location": "body", + "name": "VpnSiteParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" ] }, - "enableRateLimiting": { + "bgpProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "ingressBytesTransferred": { + "deviceProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:DevicePropertiesResponse", "containers": [ "properties" ] }, - "ingressNatRules": { + "etag": {}, + "id": {}, + "ipAddress": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", - "type": "object" - } + ] }, - "ipsecPolicies": { + "isSecuritySite": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native:network/v20230201:IpsecPolicyResponse", - "type": "object" - } + ] }, + "location": {}, "name": {}, - "provisioningState": { + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyPropertiesResponse", "containers": [ "properties" ] }, - "routingWeight": { + "provisioningState": { "containers": [ "properties" ] }, - "sharedKey": { + "siteKey": { "containers": [ "properties" ] }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, "type": {}, - "useLocalAzureIpAddress": { + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "usePolicyBasedTrafficSelectors": { + "vpnSiteLinks": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:WebApplicationFirewallPolicy": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } }, - "vpnConnectionProtocolType": { - "containers": [ - "properties" - ] + { + "location": "path", + "name": "policyName", + "required": true, + "value": { + "autoname": "random", + "maxLength": 128, + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } }, - "vpnGatewayCustomBgpAddresses": { + { + "body": { + "properties": { + "customRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRule", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "managedRules": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinition", + "containers": [ + "properties" + ], + "type": "object" + }, + "policySettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + }, + "required": [ + "managedRules" + ] + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "response": { + "applicationGateways": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native:network/v20230201:GatewayCustomBgpIpAddressIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayResponse", "type": "object" } }, - "vpnLinkConnectionMode": { + "customRules": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRuleResponse", + "type": "object" + } }, - "vpnSiteLink": { - "$ref": "#/types/azure-native:network/v20230201:SubResourceResponse", + "etag": {}, + "httpListeners": { "containers": [ "properties" - ] - } - } - }, - "azure-native:network/v20230201:VpnSiteLinkResponse": { - "properties": { - "bgpProperties": { - "$ref": "#/types/azure-native:network/v20230201:VpnLinkBgpSettingsResponse", + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "id": {}, + "location": {}, + "managedRules": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinitionResponse", "containers": [ "properties" ] }, - "etag": {}, - "fqdn": { + "name": {}, + "pathBasedRules": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "id": {}, - "ipAddress": { + "policySettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsResponse", "containers": [ "properties" ] }, - "linkProperties": { - "$ref": "#/types/azure-native:network/v20230201:VpnLinkProviderPropertiesResponse", + "provisioningState": { "containers": [ "properties" ] }, - "name": {}, - "provisioningState": { + "resourceState": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native:network/v20230201:WebApplicationFirewallCustomRule": { - "properties": { - "action": { - "type": "string" - }, - "groupByUserSession": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:GroupByUserSession", - "type": "object" - }, - "type": "array" - }, - "matchConditions": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:MatchCondition", - "type": "object" - }, - "type": "array" - }, - "name": { - "maxLength": 128, - "type": "string" - }, - "priority": { - "type": "integer" - }, - "rateLimitDuration": { - "type": "string" - }, - "rateLimitThreshold": { - "type": "integer" - }, - "ruleType": { - "type": "string" - }, - "state": { - "type": "string" - } - }, - "required": [ - "action", - "matchConditions", - "priority", - "ruleType" - ] - }, - "azure-native:network/v20230201:WebApplicationFirewallCustomRuleResponse": { - "properties": { - "action": {}, - "etag": {}, - "groupByUserSession": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:GroupByUserSessionResponse", - "type": "object" - } - }, - "matchConditions": { - "items": { - "$ref": "#/types/azure-native:network/v20230201:MatchConditionResponse", - "type": "object" + "tags": { + "additionalProperties": { + "type": "string" } }, - "name": {}, - "priority": {}, - "rateLimitDuration": {}, - "rateLimitThreshold": {}, - "ruleType": {}, - "state": {} - }, - "required": [ - "action", - "matchConditions", - "priority", - "ruleType" - ] - }, - "azure-native:network/v20230201:WebApplicationFirewallScrubbingRules": { - "properties": { - "matchVariable": { - "type": "string" - }, - "selector": { - "type": "string" - }, - "selectorMatchOperator": { - "type": "string" - }, - "state": { - "type": "string" - } - }, - "required": [ - "matchVariable", - "selectorMatchOperator" - ] - }, - "azure-native:network/v20230201:WebApplicationFirewallScrubbingRulesResponse": { - "properties": { - "matchVariable": {}, - "selector": {}, - "selectorMatchOperator": {}, - "state": {} - }, - "required": [ - "matchVariable", - "selectorMatchOperator" - ] + "type": {} + } } - } + }, + "types": {} } --- From 34c2c70ec98765d367a179c187355d949e23a872 Mon Sep 17 00:00:00 2001 From: Daniel Bradley Date: Mon, 7 Apr 2025 15:00:08 +0100 Subject: [PATCH 05/10] Fix removing of dangling types Don't assume that the provider part of the token is only "azure-native" .. but it will always _start with_ "azure-native". --- .../__snapshots__/gen_aliases_test_v2.snap | 121 +- .../__snapshots__/gen_aliases_test_v3.snap | 121 +- .../gen/__snapshots__/gen_dashboard_test.snap | 682 + .../pkg/gen/__snapshots__/gen_vnet_test.snap | 74945 ++++++++++++---- provider/pkg/resources/typeVisitor.go | 2 +- 5 files changed, 55945 insertions(+), 19926 deletions(-) diff --git a/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap b/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap index ae47bd442a03..434df8d1d3d7 100755 --- a/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap +++ b/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap @@ -924,6 +924,82 @@ } ], "type": "string" + }, + "azure-native_aadiam_v20200301:aadiam:PrivateEndpoint": { + "description": "Private endpoint object properties.", + "properties": { + "id": { + "description": "Full identifier of the private endpoint resource.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse": { + "description": "Private endpoint object properties.", + "properties": { + "id": { + "description": "Full identifier of the private endpoint resource.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionState": { + "description": "An object that represents the approval state of the private link connection.", + "properties": { + "actionsRequired": { + "description": "A message indicating if changes on the service provider require any updates on the consumer.", + "type": "string" + }, + "description": { + "description": "The reason for approval or rejection.", + "type": "string" + }, + "status": { + "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:aadiam:PrivateEndpointServiceConnectionStatus" + } + ] + } + }, + "type": "object" + }, + "azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse": { + "description": "An object that represents the approval state of the private link connection.", + "properties": { + "actionsRequired": { + "description": "A message indicating if changes on the service provider require any updates on the consumer.", + "type": "string" + }, + "description": { + "description": "The reason for approval or rejection.", + "type": "string" + }, + "status": { + "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_aadiam_v20200301:aadiam:TagsResource": { + "description": "A container holding only the Tags for a resource, allowing the user to update the tags on a PrivateLinkConnection instance.", + "properties": { + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags", + "type": "object" + } + }, + "type": "object" } } } @@ -1507,6 +1583,49 @@ } } }, - "types": {} + "types": { + "azure-native_aadiam_v20200301:aadiam:PrivateEndpoint": { + "properties": { + "id": { + "type": "string" + } + } + }, + "azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse": { + "properties": { + "id": {} + } + }, + "azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionState": { + "properties": { + "actionsRequired": { + "type": "string" + }, + "description": { + "type": "string" + }, + "status": { + "type": "string" + } + } + }, + "azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse": { + "properties": { + "actionsRequired": {}, + "description": {}, + "status": {} + } + }, + "azure-native_aadiam_v20200301:aadiam:TagsResource": { + "properties": { + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + } + } } --- diff --git a/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap b/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap index fd639604e3a2..a9955eae89ab 100755 --- a/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap +++ b/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap @@ -940,6 +940,82 @@ } ], "type": "string" + }, + "azure-native_aadiam_v20200301:aadiam:PrivateEndpoint": { + "description": "Private endpoint object properties.", + "properties": { + "id": { + "description": "Full identifier of the private endpoint resource.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse": { + "description": "Private endpoint object properties.", + "properties": { + "id": { + "description": "Full identifier of the private endpoint resource.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionState": { + "description": "An object that represents the approval state of the private link connection.", + "properties": { + "actionsRequired": { + "description": "A message indicating if changes on the service provider require any updates on the consumer.", + "type": "string" + }, + "description": { + "description": "The reason for approval or rejection.", + "type": "string" + }, + "status": { + "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:aadiam:PrivateEndpointServiceConnectionStatus" + } + ] + } + }, + "type": "object" + }, + "azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse": { + "description": "An object that represents the approval state of the private link connection.", + "properties": { + "actionsRequired": { + "description": "A message indicating if changes on the service provider require any updates on the consumer.", + "type": "string" + }, + "description": { + "description": "The reason for approval or rejection.", + "type": "string" + }, + "status": { + "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_aadiam_v20200301:aadiam:TagsResource": { + "description": "A container holding only the Tags for a resource, allowing the user to update the tags on a PrivateLinkConnection instance.", + "properties": { + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags", + "type": "object" + } + }, + "type": "object" } } } @@ -1523,6 +1599,49 @@ } } }, - "types": {} + "types": { + "azure-native_aadiam_v20200301:aadiam:PrivateEndpoint": { + "properties": { + "id": { + "type": "string" + } + } + }, + "azure-native_aadiam_v20200301:aadiam:PrivateEndpointResponse": { + "properties": { + "id": {} + } + }, + "azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionState": { + "properties": { + "actionsRequired": { + "type": "string" + }, + "description": { + "type": "string" + }, + "status": { + "type": "string" + } + } + }, + "azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionStateResponse": { + "properties": { + "actionsRequired": {}, + "description": {}, + "status": {} + } + }, + "azure-native_aadiam_v20200301:aadiam:TagsResource": { + "properties": { + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + } + } } --- diff --git a/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap b/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap index 2cc3547fd54c..3f7bdceed38a 100755 --- a/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap +++ b/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap @@ -504,6 +504,431 @@ } ], "type": "string" + }, + "azure-native_portal_v20200901preview:portal:ConfigurationProperties": { + "description": "Tenant Configuration Properties with Provisioning state", + "properties": { + "enforcePrivateMarkdownStorage": { + "description": "When flag is set to true Markdown tile will require external storage configuration (URI). The inline content configuration will be prohibited.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:ConfigurationPropertiesResponse": { + "description": "Tenant Configuration Properties with Provisioning state", + "properties": { + "enforcePrivateMarkdownStorage": { + "description": "When flag is set to true Markdown tile will require external storage configuration (URI). The inline content configuration will be prohibited.", + "type": "boolean" + }, + "provisioningState": { + "description": "The status of the last operation.", + "type": "string" + } + }, + "required": [ + "provisioningState" + ], + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:DashboardLens": { + "description": "A dashboard lens.", + "properties": { + "metadata": { + "$ref": "pulumi.json#/Any", + "description": "The dashboard len's metadata." + }, + "order": { + "description": "The lens order.", + "type": "integer" + }, + "parts": { + "description": "The dashboard parts.", + "items": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardParts", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "order", + "parts" + ], + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:DashboardLensResponse": { + "description": "A dashboard lens.", + "properties": { + "metadata": { + "$ref": "pulumi.json#/Any", + "description": "The dashboard len's metadata." + }, + "order": { + "description": "The lens order.", + "type": "integer" + }, + "parts": { + "description": "The dashboard parts.", + "items": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardPartsResponse", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "order", + "parts" + ], + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:DashboardParts": { + "description": "A dashboard part.", + "properties": { + "metadata": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadata", + "description": "The dashboard part's metadata.", + "type": "object" + }, + "position": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardPartsPosition", + "description": "The dashboard's part position.", + "type": "object" + } + }, + "required": [ + "position" + ], + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:DashboardPartsPosition": { + "description": "The dashboard's part position.", + "properties": { + "colSpan": { + "description": "The dashboard's part column span.", + "type": "integer" + }, + "metadata": { + "$ref": "pulumi.json#/Any", + "description": "The dashboard part's metadata." + }, + "rowSpan": { + "description": "The dashboard's part row span.", + "type": "integer" + }, + "x": { + "description": "The dashboard's part x coordinate.", + "type": "integer" + }, + "y": { + "description": "The dashboard's part y coordinate.", + "type": "integer" + } + }, + "required": [ + "colSpan", + "rowSpan", + "x", + "y" + ], + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:DashboardPartsPositionResponse": { + "description": "The dashboard's part position.", + "properties": { + "colSpan": { + "description": "The dashboard's part column span.", + "type": "integer" + }, + "metadata": { + "$ref": "pulumi.json#/Any", + "description": "The dashboard part's metadata." + }, + "rowSpan": { + "description": "The dashboard's part row span.", + "type": "integer" + }, + "x": { + "description": "The dashboard's part x coordinate.", + "type": "integer" + }, + "y": { + "description": "The dashboard's part y coordinate.", + "type": "integer" + } + }, + "required": [ + "colSpan", + "rowSpan", + "x", + "y" + ], + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:DashboardPartsResponse": { + "description": "A dashboard part.", + "properties": { + "metadata": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataResponse", + "description": "The dashboard part's metadata.", + "type": "object" + }, + "position": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardPartsPositionResponse", + "description": "The dashboard's part position.", + "type": "object" + } + }, + "required": [ + "position" + ], + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:DashboardPropertiesWithProvisioningState": { + "description": "Dashboard Properties with Provisioning state", + "properties": { + "lenses": { + "description": "The dashboard lenses.", + "items": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardLens", + "type": "object" + }, + "type": "array" + }, + "metadata": { + "$ref": "pulumi.json#/Any", + "description": "The dashboard metadata." + } + }, + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:DashboardPropertiesWithProvisioningStateResponse": { + "description": "Dashboard Properties with Provisioning state", + "properties": { + "lenses": { + "description": "The dashboard lenses.", + "items": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardLensResponse", + "type": "object" + }, + "type": "array" + }, + "metadata": { + "$ref": "pulumi.json#/Any", + "description": "The dashboard metadata." + }, + "provisioningState": { + "description": "The status of the last operation.", + "type": "string" + } + }, + "required": [ + "provisioningState" + ], + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadata": { + "description": "Markdown part metadata.", + "properties": { + "inputs": { + "description": "Input to dashboard part.", + "items": { + "$ref": "pulumi.json#/Any" + }, + "type": "array" + }, + "settings": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettings", + "description": "Markdown part settings.", + "type": "object" + }, + "type": { + "const": "Extension/HubsExtension/PartType/MarkdownPart", + "description": "The dashboard part metadata type.\nExpected value is 'Extension/HubsExtension/PartType/MarkdownPart'.", + "type": "string" + } + }, + "required": [ + "type" + ], + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataResponse": { + "description": "Markdown part metadata.", + "properties": { + "inputs": { + "description": "Input to dashboard part.", + "items": { + "$ref": "pulumi.json#/Any" + }, + "type": "array" + }, + "settings": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsResponse", + "description": "Markdown part settings.", + "type": "object" + }, + "type": { + "const": "Extension/HubsExtension/PartType/MarkdownPart", + "description": "The dashboard part metadata type.\nExpected value is 'Extension/HubsExtension/PartType/MarkdownPart'.", + "type": "string" + } + }, + "required": [ + "type" + ], + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettings": { + "description": "Markdown part settings.", + "properties": { + "content": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContent", + "description": "The content of markdown part.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContent": { + "description": "The content of markdown part.", + "properties": { + "settings": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentSettings", + "description": "The setting of the content of markdown part.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentResponse": { + "description": "The content of markdown part.", + "properties": { + "settings": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentSettingsResponse", + "description": "The setting of the content of markdown part.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentSettings": { + "description": "The setting of the content of markdown part.", + "properties": { + "content": { + "description": "The content of the markdown part.", + "type": "string" + }, + "markdownSource": { + "description": "The source of the content of the markdown part.", + "type": "integer" + }, + "markdownUri": { + "description": "The uri of markdown content.", + "type": "string" + }, + "subtitle": { + "description": "The subtitle of the markdown part.", + "type": "string" + }, + "title": { + "description": "The title of the markdown part.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentSettingsResponse": { + "description": "The setting of the content of markdown part.", + "properties": { + "content": { + "description": "The content of the markdown part.", + "type": "string" + }, + "markdownSource": { + "description": "The source of the content of the markdown part.", + "type": "integer" + }, + "markdownUri": { + "description": "The uri of markdown content.", + "type": "string" + }, + "subtitle": { + "description": "The subtitle of the markdown part.", + "type": "string" + }, + "title": { + "description": "The title of the markdown part.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsResponse": { + "description": "Markdown part settings.", + "properties": { + "content": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentResponse", + "description": "The content of markdown part.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:SystemDataResponse": { + "description": "Metadata pertaining to creation and last modification of the resource.", + "properties": { + "createdAt": { + "description": "The timestamp of resource creation (UTC).", + "type": "string" + }, + "createdBy": { + "description": "The identity that created the resource.", + "type": "string" + }, + "createdByType": { + "description": "The type of identity that created the resource.", + "type": "string" + }, + "lastModifiedAt": { + "description": "The timestamp of resource last modification (UTC)", + "type": "string" + }, + "lastModifiedBy": { + "description": "The identity that last modified the resource.", + "type": "string" + }, + "lastModifiedByType": { + "description": "The type of identity that last modified the resource.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_portal_v20200901preview:portal:ViolationResponse": { + "description": "Violation information.", + "properties": { + "errorMessage": { + "description": "Error message.", + "type": "string" + }, + "id": { + "description": "Id of the item that violates tenant configuration.", + "type": "string" + }, + "userId": { + "description": "Id of the user who owns violated item.", + "type": "string" + } + }, + "required": [ + "errorMessage", + "id", + "userId" + ], + "type": "object" } } --- @@ -702,6 +1127,263 @@ "lastModifiedBy": {}, "lastModifiedByType": {} } + }, + "azure-native_portal_v20200901preview:portal:ConfigurationProperties": { + "properties": { + "enforcePrivateMarkdownStorage": { + "type": "boolean" + } + } + }, + "azure-native_portal_v20200901preview:portal:ConfigurationPropertiesResponse": { + "properties": { + "enforcePrivateMarkdownStorage": {}, + "provisioningState": {} + } + }, + "azure-native_portal_v20200901preview:portal:DashboardLens": { + "properties": { + "metadata": { + "$ref": "pulumi.json#/Any" + }, + "order": { + "type": "integer" + }, + "parts": { + "items": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardParts", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "order", + "parts" + ] + }, + "azure-native_portal_v20200901preview:portal:DashboardLensResponse": { + "properties": { + "metadata": { + "$ref": "pulumi.json#/Any" + }, + "order": {}, + "parts": { + "items": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardPartsResponse", + "type": "object" + } + } + }, + "required": [ + "order", + "parts" + ] + }, + "azure-native_portal_v20200901preview:portal:DashboardParts": { + "properties": { + "metadata": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadata", + "type": "object" + }, + "position": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardPartsPosition", + "type": "object" + } + }, + "required": [ + "position" + ] + }, + "azure-native_portal_v20200901preview:portal:DashboardPartsPosition": { + "properties": { + "colSpan": { + "type": "integer" + }, + "metadata": { + "$ref": "pulumi.json#/Any" + }, + "rowSpan": { + "type": "integer" + }, + "x": { + "type": "integer" + }, + "y": { + "type": "integer" + } + }, + "required": [ + "colSpan", + "rowSpan", + "x", + "y" + ] + }, + "azure-native_portal_v20200901preview:portal:DashboardPartsPositionResponse": { + "properties": { + "colSpan": {}, + "metadata": { + "$ref": "pulumi.json#/Any" + }, + "rowSpan": {}, + "x": {}, + "y": {} + }, + "required": [ + "colSpan", + "rowSpan", + "x", + "y" + ] + }, + "azure-native_portal_v20200901preview:portal:DashboardPartsResponse": { + "properties": { + "metadata": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataResponse" + }, + "position": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardPartsPositionResponse" + } + }, + "required": [ + "position" + ] + }, + "azure-native_portal_v20200901preview:portal:DashboardPropertiesWithProvisioningState": { + "properties": { + "lenses": { + "items": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardLens", + "type": "object" + }, + "type": "array" + }, + "metadata": { + "$ref": "pulumi.json#/Any" + } + } + }, + "azure-native_portal_v20200901preview:portal:DashboardPropertiesWithProvisioningStateResponse": { + "properties": { + "lenses": { + "items": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:DashboardLensResponse", + "type": "object" + } + }, + "metadata": { + "$ref": "pulumi.json#/Any" + }, + "provisioningState": {} + } + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadata": { + "properties": { + "inputs": { + "type": "array" + }, + "settings": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettings", + "type": "object" + }, + "type": { + "const": "Extension/HubsExtension/PartType/MarkdownPart", + "type": "string" + } + }, + "required": [ + "type" + ] + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataResponse": { + "properties": { + "inputs": {}, + "settings": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsResponse" + }, + "type": { + "const": "Extension/HubsExtension/PartType/MarkdownPart" + } + }, + "required": [ + "type" + ] + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettings": { + "properties": { + "content": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContent", + "type": "object" + } + } + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContent": { + "properties": { + "settings": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentSettings", + "type": "object" + } + } + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentResponse": { + "properties": { + "settings": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentSettingsResponse" + } + } + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentSettings": { + "properties": { + "content": { + "type": "string" + }, + "markdownSource": { + "type": "integer" + }, + "markdownUri": { + "type": "string" + }, + "subtitle": { + "type": "string" + }, + "title": { + "type": "string" + } + } + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentSettingsResponse": { + "properties": { + "content": {}, + "markdownSource": {}, + "markdownUri": {}, + "subtitle": {}, + "title": {} + } + }, + "azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsResponse": { + "properties": { + "content": { + "$ref": "#/types/azure-native_portal_v20200901preview:portal:MarkdownPartMetadataSettingsContentResponse" + } + } + }, + "azure-native_portal_v20200901preview:portal:SystemDataResponse": { + "properties": { + "createdAt": {}, + "createdBy": {}, + "createdByType": {}, + "lastModifiedAt": {}, + "lastModifiedBy": {}, + "lastModifiedByType": {} + } + }, + "azure-native_portal_v20200901preview:portal:ViolationResponse": { + "properties": { + "errorMessage": {}, + "id": {}, + "userId": {} + } } } --- diff --git a/provider/pkg/gen/__snapshots__/gen_vnet_test.snap b/provider/pkg/gen/__snapshots__/gen_vnet_test.snap index 124adc90b3fd..6ea95d29896d 100755 --- a/provider/pkg/gen/__snapshots__/gen_vnet_test.snap +++ b/provider/pkg/gen/__snapshots__/gen_vnet_test.snap @@ -27617,10667 +27617,46770 @@ } ], "type": "string" - } - } -} ---- - -[TestVnetGen - 2] -{ - "invokes": { - "azure-native:network:getAdminRule": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + }, + "azure-native_network_v20230201:network:AadAuthenticationParameters": { + "description": "AAD Vpn authentication type related parameters.", + "properties": { + "aadAudience": { + "description": "AAD Vpn authentication parameter AAD audience.", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "aadIssuer": { + "description": "AAD Vpn authentication parameter AAD issuer.", + "type": "string" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "aadTenant": { + "description": "AAD Vpn authentication parameter AAD tenant.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AadAuthenticationParametersResponse": { + "description": "AAD Vpn authentication type related parameters.", + "properties": { + "aadAudience": { + "description": "AAD Vpn authentication parameter AAD audience.", + "type": "string" }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } + "aadIssuer": { + "description": "AAD Vpn authentication parameter AAD issuer.", + "type": "string" }, - { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { - "type": "string" - } + "aadTenant": { + "description": "AAD Vpn authentication parameter AAD tenant.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:Action": { + "description": "Action to be taken on a route matching a RouteMap criterion.", + "properties": { + "parameters": { + "description": "List of parameters relevant to the action.For instance if type is drop then parameters has list of prefixes to be dropped.If type is add, parameters would have list of ASN numbers to be added", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Parameter", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "ruleName", - "required": true, - "value": { - "type": "string" - } + "type": { + "description": "Type of action to be taken. Supported types are 'Remove', 'Add', 'Replace', and 'Drop.'", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:RouteMapActionType" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ActionResponse": { + "description": "Action to be taken on a route matching a RouteMap criterion.", + "properties": { + "parameters": { + "description": "List of parameters relevant to the action.For instance if type is drop then parameters has list of prefixes to be dropped.If type is add, parameters would have list of ASN numbers to be added", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ParameterResponse", + "type": "object" + }, + "type": "array" + }, + "type": { + "description": "Type of action to be taken. Supported types are 'Remove', 'Add', 'Replace', and 'Drop.'", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ActiveConnectivityConfigurationResponse": { + "description": "Active connectivity configuration.", + "properties": { + "appliesToGroups": { + "description": "Groups for configuration", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", + "type": "object" + }, + "type": "array" + }, + "commitTime": { + "description": "Deployment time string.", + "type": "string" + }, + "configurationGroups": { + "description": "Effective configuration groups.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", + "type": "object" + }, + "type": "array" + }, + "connectivityTopology": { + "description": "Connectivity topology type.", + "type": "string" + }, + "deleteExistingPeering": { + "description": "Flag if need to remove current existing peerings.", + "type": "string" + }, + "description": { + "description": "A description of the connectivity configuration.", + "type": "string" + }, + "hubs": { + "description": "List of hubItems", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", + "type": "object" + }, + "type": "array" + }, + "id": { + "description": "Connectivity configuration ID.", + "type": "string" + }, + "isGlobal": { + "description": "Flag if global mesh is supported.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the connectivity configuration resource.", + "type": "string" + }, + "region": { + "description": "Deployment region.", + "type": "string" + }, + "resourceGuid": { + "description": "Unique identifier for this resource.", + "type": "string" } + }, + "required": [ + "appliesToGroups", + "connectivityTopology", + "provisioningState", + "resourceGuid" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "response": { + "type": "object" + }, + "azure-native_network_v20230201:network:ActiveDefaultSecurityAdminRuleResponse": { + "description": "Network default admin rule.", + "properties": { "access": { - "containers": [ - "properties" - ] + "description": "Indicates the access allowed for this particular rule", + "type": "string" + }, + "commitTime": { + "description": "Deployment time string.", + "type": "string" + }, + "configurationDescription": { + "description": "A description of the security admin configuration.", + "type": "string" }, "description": { - "containers": [ - "properties" - ] + "description": "A description for this rule. Restricted to 140 chars.", + "type": "string" }, "destinationPortRanges": { - "containers": [ - "properties" - ], + "description": "The destination port ranges.", "items": { "type": "string" - } + }, + "type": "array" }, "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], + "description": "The destination address prefixes. CIDR or destination IP ranges.", "items": { "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" - } + }, + "type": "array" }, "direction": { - "containers": [ - "properties" - ] + "description": "Indicates if the traffic matched against the rule in inbound or outbound.", + "type": "string" + }, + "flag": { + "description": "Default rule flag.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" }, - "etag": {}, - "id": {}, "kind": { - "const": "Custom" + "const": "Default", + "description": "Whether the rule is custom or default.\nExpected value is 'Default'.", + "type": "string" }, - "name": {}, "priority": { - "containers": [ - "properties" - ] + "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", + "type": "integer" }, "protocol": { - "containers": [ - "properties" - ] + "description": "Network protocol this rule applies to.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the resource.", + "type": "string" + }, + "region": { + "description": "Deployment region.", + "type": "string" }, "resourceGuid": { - "containers": [ - "properties" - ] + "description": "Unique identifier for this resource.", + "type": "string" + }, + "ruleCollectionAppliesToGroups": { + "description": "Groups for rule collection", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "type": "object" + }, + "type": "array" + }, + "ruleCollectionDescription": { + "description": "A description of the rule collection.", + "type": "string" + }, + "ruleGroups": { + "description": "Effective configuration groups.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", + "type": "object" + }, + "type": "array" }, "sourcePortRanges": { - "containers": [ - "properties" - ], + "description": "The source port ranges.", "items": { "type": "string" - } + }, + "type": "array" }, "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], + "description": "The CIDR or source IP ranges.", "items": { "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" - } - }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" - }, - "type": {} - } + }, + "type": "array" + } + }, + "required": [ + "access", + "description", + "destinationPortRanges", + "destinations", + "direction", + "kind", + "priority", + "protocol", + "provisioningState", + "resourceGuid", + "sourcePortRanges", + "sources" + ], + "type": "object" }, - "azure-native:network:getAdminRuleCollection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ActiveSecurityAdminRuleResponse": { + "description": "Network admin rule.", + "properties": { + "access": { + "description": "Indicates the access allowed for this particular rule", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "commitTime": { + "description": "Deployment time string.", + "type": "string" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "configurationDescription": { + "description": "A description of the security admin configuration.", + "type": "string" }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } + "description": { + "description": "A description for this rule. Restricted to 140 chars.", + "type": "string" }, - { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { + "destinationPortRanges": { + "description": "The destination port ranges.", + "items": { "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "response": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], + }, + "type": "array" + }, + "destinations": { + "description": "The destination address prefixes. CIDR or destination IP ranges.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" - } + }, + "type": "array" }, - "description": { - "containers": [ - "properties" - ] + "direction": { + "description": "Indicates if the traffic matched against the rule in inbound or outbound.", + "type": "string" }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "kind": { + "const": "Custom", + "description": "Whether the rule is custom or default.\nExpected value is 'Custom'.", + "type": "string" }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "priority": { + "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", + "type": "integer" }, - "type": {} - } - }, - "azure-native:network:getApplicationGateway": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "protocol": { + "description": "Network protocol this rule applies to.", + "type": "string" }, - { - "location": "path", - "name": "applicationGatewayName", - "required": true, - "value": { - "type": "string" - } + "provisioningState": { + "description": "The provisioning state of the resource.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "response": { - "authenticationCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse", - "type": "object" - } + "region": { + "description": "Deployment region.", + "type": "string" }, - "autoscaleConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse", - "containers": [ - "properties" - ] + "resourceGuid": { + "description": "Unique identifier for this resource.", + "type": "string" }, - "backendAddressPools": { - "containers": [ - "properties" - ], + "ruleCollectionAppliesToGroups": { + "description": "Groups for rule collection", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", "type": "object" - } + }, + "type": "array" }, - "backendHttpSettingsCollection": { - "containers": [ - "properties" - ], + "ruleCollectionDescription": { + "description": "A description of the rule collection.", + "type": "string" + }, + "ruleGroups": { + "description": "Effective configuration groups.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", "type": "object" - } + }, + "type": "array" }, - "backendSettingsCollection": { - "containers": [ - "properties" - ], + "sourcePortRanges": { + "description": "The source port ranges.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "customErrorConfigurations": { - "containers": [ - "properties" - ], + "sources": { + "description": "The CIDR or source IP ranges.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" - } + }, + "type": "array" + } + }, + "required": [ + "access", + "direction", + "kind", + "priority", + "protocol", + "provisioningState", + "resourceGuid" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:AddressPrefixItem": { + "description": "Address prefix item.", + "properties": { + "addressPrefix": { + "description": "Address prefix.", + "type": "string" }, - "defaultPredefinedSslPolicy": { - "containers": [ - "properties" - ] - }, - "enableFips": { - "containers": [ - "properties" + "addressPrefixType": { + "description": "Address prefix type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:AddressPrefixType" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AddressPrefixItemResponse": { + "description": "Address prefix item.", + "properties": { + "addressPrefix": { + "description": "Address prefix.", + "type": "string" }, - "enableHttp2": { - "containers": [ - "properties" - ] + "addressPrefixType": { + "description": "Address prefix type.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AddressSpace": { + "description": "AddressSpace contains an array of IP address ranges that can be used by subnets of the virtual network.", + "properties": { + "addressPrefixes": { + "description": "A list of address blocks reserved for this virtual network in CIDR notation.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AddressSpaceResponse": { + "description": "AddressSpace contains an array of IP address ranges that can be used by subnets of the virtual network.", + "properties": { + "addressPrefixes": { + "description": "A list of address blocks reserved for this virtual network in CIDR notation.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificate": { + "description": "Authentication certificates of an application gateway.", + "properties": { + "data": { + "description": "Certificate public data.", + "type": "string" }, - "etag": {}, - "firewallPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "forceFirewallPolicyAssociation": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the authentication certificate that is unique within an Application Gateway.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse": { + "description": "Authentication certificates of an application gateway.", + "properties": { + "data": { + "description": "Certificate public data.", + "type": "string" }, - "frontendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse", - "type": "object" - } + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "frontendPorts": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse", - "type": "object" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "gatewayIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", - "type": "object" - } + "name": { + "description": "Name of the authentication certificate that is unique within an Application Gateway.", + "type": "string" }, - "globalConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse", - "containers": [ - "properties" - ] + "provisioningState": { + "description": "The provisioning state of the authentication certificate resource.", + "type": "string" }, - "httpListeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse", - "type": "object" - } + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfiguration": { + "description": "Application Gateway autoscale configuration.", + "properties": { + "maxCapacity": { + "description": "Upper bound on number of Application Gateway capacity.", + "type": "integer" }, - "id": {}, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + "minCapacity": { + "description": "Lower bound on number of Application Gateway capacity.", + "type": "integer" + } + }, + "required": [ + "minCapacity" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse": { + "description": "Application Gateway autoscale configuration.", + "properties": { + "maxCapacity": { + "description": "Upper bound on number of Application Gateway capacity.", + "type": "integer" }, - "listeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListenerResponse", - "type": "object" - } + "minCapacity": { + "description": "Lower bound on number of Application Gateway capacity.", + "type": "integer" + } + }, + "required": [ + "minCapacity" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendAddress": { + "description": "Backend address of an application gateway.", + "properties": { + "fqdn": { + "description": "Fully qualified domain name (FQDN).", + "type": "string" }, - "loadDistributionPolicies": { - "containers": [ - "properties" - ], + "ipAddress": { + "description": "IP address.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPool": { + "description": "Backend Address Pool of an application gateway.", + "properties": { + "backendAddresses": { + "description": "Backend addresses.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddress", "type": "object" - } + }, + "type": "array" }, - "location": {}, - "name": {}, - "operationalState": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "privateEndpointConnections": { - "containers": [ - "properties" - ], + "name": { + "description": "Name of the backend address pool that is unique within an Application Gateway.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse": { + "description": "Backend Address Pool of an application gateway.", + "properties": { + "backendAddresses": { + "description": "Backend addresses.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressResponse", "type": "object" - } + }, + "type": "array" }, - "privateLinkConfigurations": { - "containers": [ - "properties" - ], + "backendIPConfigurations": { + "description": "Collection of references to IPs defined in network interfaces.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "type": "object" - } + }, + "type": "array" }, - "probes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeResponse", - "type": "object" - } + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "Name of the backend address pool that is unique within an Application Gateway.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the backend address pool resource.", + "type": "string" }, - "redirectConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse", - "type": "object" - } + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "backendIPConfigurations", + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendAddressResponse": { + "description": "Backend address of an application gateway.", + "properties": { + "fqdn": { + "description": "Fully qualified domain name (FQDN).", + "type": "string" }, - "requestRoutingRules": { - "containers": [ - "properties" - ], + "ipAddress": { + "description": "IP address.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendHealthHttpSettingsResponse": { + "description": "Application gateway BackendHealthHttp settings.", + "properties": { + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse", + "description": "Reference to an ApplicationGatewayBackendHttpSettings resource.", + "type": "object" + }, + "servers": { + "description": "List of ApplicationGatewayBackendHealthServer resources.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHealthServerResponse", "type": "object" - } + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendHealthServerResponse": { + "description": "Application gateway backendhealth http settings.", + "properties": { + "address": { + "description": "IP address or FQDN of backend server.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "health": { + "description": "Health of backend server.", + "type": "string" }, - "rewriteRuleSets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse", - "type": "object" - } + "healthProbeLog": { + "description": "Health Probe Log.", + "type": "string" }, - "routingRules": { - "containers": [ - "properties" - ], + "ipConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "description": "Reference to IP configuration of backend server.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettings": { + "description": "Backend address pool settings of an application gateway.", + "properties": { + "affinityCookieName": { + "description": "Cookie name to use for the affinity cookie.", + "type": "string" + }, + "authenticationCertificates": { + "description": "Array of references to application gateway authentication certificates.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" - } + }, + "type": "array" }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySkuResponse", - "containers": [ - "properties" + "connectionDraining": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayConnectionDraining", + "description": "Connection draining of the backend http settings resource.", + "type": "object" + }, + "cookieBasedAffinity": { + "description": "Cookie based affinity.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayCookieBasedAffinity" + } ] }, - "sslCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse", - "type": "object" - } + "hostName": { + "description": "Host header to be sent to the backend servers.", + "type": "string" }, - "sslPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "sslProfiles": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse", - "type": "object" - } + "name": { + "description": "Name of the backend http settings that is unique within an Application Gateway.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "path": { + "description": "Path which should be used as a prefix for all HTTP requests. Null means no path will be prefixed. Default value is null.", + "type": "string" }, - "trustedClientCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse", - "type": "object" - } + "pickHostNameFromBackendAddress": { + "description": "Whether to pick host header should be picked from the host name of the backend server. Default value is false.", + "type": "boolean" }, - "trustedRootCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse", - "type": "object" - } + "port": { + "description": "The destination port on the backend.", + "type": "integer" }, - "type": {}, - "urlPathMaps": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse", - "type": "object" - } + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Probe resource of an application gateway.", + "type": "object" }, - "webApplicationFirewallConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse", - "containers": [ - "properties" + "probeEnabled": { + "description": "Whether the probe is enabled. Default value is false.", + "type": "boolean" + }, + "protocol": { + "description": "The protocol used to communicate with the backend.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + } ] }, - "zones": { + "requestTimeout": { + "description": "Request timeout in seconds. Application Gateway will fail the request if response is not received within RequestTimeout. Acceptable values are from 1 second to 86400 seconds.", + "type": "integer" + }, + "trustedRootCertificates": { + "description": "Array of references to application gateway trusted root certificates.", "items": { - "type": "string" - } + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" } - } + }, + "type": "object" }, - "azure-native:network:getApplicationGatewayPrivateEndpointConnection": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse": { + "description": "Backend address pool settings of an application gateway.", + "properties": { + "affinityCookieName": { + "description": "Cookie name to use for the affinity cookie.", + "type": "string" }, - { - "location": "path", - "name": "applicationGatewayName", - "required": true, - "value": { - "type": "string" - } + "authenticationCertificates": { + "description": "Array of references to application gateway authentication certificates.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } + "connectionDraining": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayConnectionDrainingResponse", + "description": "Connection draining of the backend http settings resource.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "response": { - "etag": {}, - "id": {}, - "linkIdentifier": { - "containers": [ - "properties" - ] + "cookieBasedAffinity": { + "description": "Cookie based affinity.", + "type": "string" }, - "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", - "containers": [ - "properties" - ] + "hostName": { + "description": "Host header to be sent to the backend servers.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "type": {} - } - }, - "azure-native:network:getApplicationSecurityGroup": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the backend http settings that is unique within an Application Gateway.", + "type": "string" }, - { - "location": "path", - "name": "applicationSecurityGroupName", - "required": true, - "value": { - "type": "string" - } + "path": { + "description": "Path which should be used as a prefix for all HTTP requests. Null means no path will be prefixed. Default value is null.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native:network:getAzureFirewall": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "pickHostNameFromBackendAddress": { + "description": "Whether to pick host header should be picked from the host name of the backend server. Default value is false.", + "type": "boolean" }, - { - "location": "path", - "name": "azureFirewallName", - "required": true, - "value": { - "type": "string" - } + "port": { + "description": "The destination port on the backend.", + "type": "integer" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "response": { - "additionalProperties": { - "additionalProperties": { - "type": "string" - }, - "containers": [ - "properties" - ] + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Probe resource of an application gateway.", + "type": "object" }, - "applicationRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollectionResponse", - "type": "object" - } + "probeEnabled": { + "description": "Whether the probe is enabled. Default value is false.", + "type": "boolean" }, - "etag": {}, - "firewallPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "protocol": { + "description": "The protocol used to communicate with the backend.", + "type": "string" }, - "hubIPAddresses": { - "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddressesResponse", - "containers": [ - "properties" - ] + "provisioningState": { + "description": "The provisioning state of the backend HTTP settings resource.", + "type": "string" }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", - "type": "object" - } + "requestTimeout": { + "description": "Request timeout in seconds. Application Gateway will fail the request if response is not received within RequestTimeout. Acceptable values are from 1 second to 86400 seconds.", + "type": "integer" }, - "ipGroups": { - "containers": [ - "properties" - ], + "trustedRootCertificates": { + "description": "Array of references to application gateway trusted root certificates.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIpGroupsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" - } + }, + "type": "array" }, - "location": {}, - "managementIpConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendSettings": { + "description": "Backend address pool settings of an application gateway.", + "properties": { + "hostName": { + "description": "Server name indication to be sent to the backend servers for Tls protocol.", + "type": "string" }, - "name": {}, - "natRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollectionResponse", - "type": "object" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "networkRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollectionResponse", - "type": "object" - } + "name": { + "description": "Name of the backend settings that is unique within an Application Gateway.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] + "pickHostNameFromBackendAddress": { + "description": "Whether to pick server name indication from the host name of the backend server for Tls protocol. Default value is false.", + "type": "boolean" }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSkuResponse", - "containers": [ - "properties" - ] + "port": { + "description": "The destination port on the backend.", + "type": "integer" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Probe resource of an application gateway.", + "type": "object" }, - "threatIntelMode": { - "containers": [ - "properties" + "protocol": { + "description": "The protocol used to communicate with the backend.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + } ] }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "timeout": { + "description": "Connection timeout in seconds. Application Gateway will fail the request if response is not received within ConnectionTimeout. Acceptable values are from 1 second to 86400 seconds.", + "type": "integer" }, - "zones": { + "trustedRootCertificates": { + "description": "Array of references to application gateway trusted root certificates.", "items": { - "type": "string" - } + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" } - } + }, + "type": "object" }, - "azure-native:network:getBastionHost": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse": { + "description": "Backend address pool settings of an application gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "bastionHostName", - "required": true, - "value": { - "type": "string" - } + "hostName": { + "description": "Server name indication to be sent to the backend servers for Tls protocol.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "response": { - "disableCopyPaste": { - "containers": [ - "properties" - ], - "default": false + "id": { + "description": "Resource ID.", + "type": "string" }, - "dnsName": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the backend settings that is unique within an Application Gateway.", + "type": "string" }, - "enableFileCopy": { - "containers": [ - "properties" - ], - "default": false + "pickHostNameFromBackendAddress": { + "description": "Whether to pick server name indication from the host name of the backend server for Tls protocol. Default value is false.", + "type": "boolean" }, - "enableIpConnect": { - "containers": [ - "properties" - ], - "default": false + "port": { + "description": "The destination port on the backend.", + "type": "integer" }, - "enableKerberos": { - "containers": [ - "properties" - ], - "default": false + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Probe resource of an application gateway.", + "type": "object" }, - "enableShareableLink": { - "containers": [ - "properties" - ], - "default": false + "protocol": { + "description": "The protocol used to communicate with the backend.", + "type": "string" }, - "enableTunneling": { - "containers": [ - "properties" - ], - "default": false + "provisioningState": { + "description": "The provisioning state of the backend HTTP settings resource.", + "type": "string" }, - "etag": {}, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], + "timeout": { + "description": "Connection timeout in seconds. Application Gateway will fail the request if response is not received within ConnectionTimeout. Acceptable values are from 1 second to 86400 seconds.", + "type": "integer" + }, + "trustedRootCertificates": { + "description": "Array of references to application gateway trusted root certificates.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" - } + }, + "type": "array" }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayClientAuthConfiguration": { + "description": "Application gateway client authentication configuration.", + "properties": { + "verifyClientCertIssuerDN": { + "description": "Verify client certificate issuer name on the application gateway.", + "type": "boolean" }, - "scaleUnits": { - "containers": [ - "properties" + "verifyClientRevocation": { + "description": "Verify client certificate revocation status.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayClientRevocationOptions" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayClientAuthConfigurationResponse": { + "description": "Application gateway client authentication configuration.", + "properties": { + "verifyClientCertIssuerDN": { + "description": "Verify client certificate issuer name on the application gateway.", + "type": "boolean" }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:SkuResponse" + "verifyClientRevocation": { + "description": "Verify client certificate revocation status.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayConnectionDraining": { + "description": "Connection draining allows open connections to a backend server to be active for a specified time after the backend server got removed from the configuration.", + "properties": { + "drainTimeoutInSec": { + "description": "The number of seconds connection draining is active. Acceptable values are from 1 second to 3600 seconds.", + "type": "integer" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "enabled": { + "description": "Whether connection draining is enabled or not.", + "type": "boolean" + } + }, + "required": [ + "drainTimeoutInSec", + "enabled" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayConnectionDrainingResponse": { + "description": "Connection draining allows open connections to a backend server to be active for a specified time after the backend server got removed from the configuration.", + "properties": { + "drainTimeoutInSec": { + "description": "The number of seconds connection draining is active. Acceptable values are from 1 second to 3600 seconds.", + "type": "integer" }, - "type": {} - } + "enabled": { + "description": "Whether connection draining is enabled or not.", + "type": "boolean" + } + }, + "required": [ + "drainTimeoutInSec", + "enabled" + ], + "type": "object" }, - "azure-native:network:getConfigurationPolicyGroup": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayCustomError": { + "description": "Custom error of an application gateway.", + "properties": { + "customErrorPageUrl": { + "description": "Error page URL of the application gateway custom error.", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "statusCode": { + "description": "Status code of the application gateway custom error.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayCustomErrorStatusCode" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse": { + "description": "Custom error of an application gateway.", + "properties": { + "customErrorPageUrl": { + "description": "Error page URL of the application gateway custom error.", + "type": "string" }, - { - "location": "path", - "name": "vpnServerConfigurationName", - "required": true, - "value": { - "type": "string" - } + "statusCode": { + "description": "Status code of the application gateway custom error.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayFirewallDisabledRuleGroup": { + "description": "Allows to disable rules within a rule group or an entire rule group.", + "properties": { + "ruleGroupName": { + "description": "The name of the rule group that will be disabled.", + "type": "string" }, - { - "location": "path", - "name": "configurationPolicyGroupName", - "required": true, - "value": { - "type": "string" - } + "rules": { + "description": "The list of rules that will be disabled. If null, all rules of the rule group will be disabled.", + "items": { + "type": "integer" + }, + "type": "array" } + }, + "required": [ + "ruleGroupName" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "response": { - "etag": {}, - "id": {}, - "isDefault": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayFirewallDisabledRuleGroupResponse": { + "description": "Allows to disable rules within a rule group or an entire rule group.", + "properties": { + "ruleGroupName": { + "description": "The name of the rule group that will be disabled.", + "type": "string" }, - "name": {}, - "p2SConnectionConfigurations": { - "containers": [ - "properties" - ], + "rules": { + "description": "The list of rules that will be disabled. If null, all rules of the rule group will be disabled.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "type": "integer" + }, + "type": "array" + } + }, + "required": [ + "ruleGroupName" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayFirewallExclusion": { + "description": "Allow to exclude some variable satisfy the condition for the WAF check.", + "properties": { + "matchVariable": { + "description": "The variable to be excluded.", + "type": "string" }, - "policyMembers": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse", - "type": "object" - } + "selector": { + "description": "When matchVariable is a collection, operator used to specify which elements in the collection this exclusion applies to.", + "type": "string" }, - "priority": { - "containers": [ - "properties" - ] + "selectorMatchOperator": { + "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", + "type": "string" + } + }, + "required": [ + "matchVariable", + "selector", + "selectorMatchOperator" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayFirewallExclusionResponse": { + "description": "Allow to exclude some variable satisfy the condition for the WAF check.", + "properties": { + "matchVariable": { + "description": "The variable to be excluded.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] + "selector": { + "description": "When matchVariable is a collection, operator used to specify which elements in the collection this exclusion applies to.", + "type": "string" }, - "type": {} - } + "selectorMatchOperator": { + "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", + "type": "string" + } + }, + "required": [ + "matchVariable", + "selector", + "selectorMatchOperator" + ], + "type": "object" }, - "azure-native:network:getConnectionMonitor": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfiguration": { + "description": "Frontend IP configuration of an application gateway.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionMonitorName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the frontend IP configuration that is unique within an Application Gateway.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "response": { - "autoStart": { - "containers": [ - "properties" - ], - "default": true + "privateIPAddress": { + "description": "PrivateIPAddress of the network interface IP Configuration.", + "type": "string" }, - "connectionMonitorType": { - "containers": [ - "properties" + "privateIPAllocationMethod": { + "description": "The private IP address allocation method.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPAllocationMethod" + } ] }, - "destination": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestinationResponse", - "containers": [ - "properties" - ] + "privateLinkConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to the application gateway private link configuration.", + "type": "object" }, - "endpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointResponse", - "type": "object" - } + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to the PublicIP resource.", + "type": "object" }, - "etag": {}, - "id": {}, - "location": {}, - "monitoringIntervalInSeconds": { - "containers": [ - "properties" - ], - "default": 60 + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to the subnet resource.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse": { + "description": "Frontend IP configuration of an application gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "monitoringStatus": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "name": {}, - "notes": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the frontend IP configuration that is unique within an Application Gateway.", + "type": "string" }, - "outputs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutputResponse", - "type": "object" - } + "privateIPAddress": { + "description": "PrivateIPAddress of the network interface IP Configuration.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] + "privateIPAllocationMethod": { + "description": "The private IP address allocation method.", + "type": "string" }, - "source": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSourceResponse", - "containers": [ - "properties" - ] + "privateLinkConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to the application gateway private link configuration.", + "type": "object" }, - "startTime": { - "containers": [ - "properties" - ] + "provisioningState": { + "description": "The provisioning state of the frontend IP configuration resource.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to the PublicIP resource.", + "type": "object" }, - "testConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationResponse", - "type": "object" - } + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to the subnet resource.", + "type": "object" }, - "testGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroupResponse", - "type": "object" - } + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayFrontendPort": { + "description": "Frontend port of an application gateway.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - "type": {} - } + "name": { + "description": "Name of the frontend port that is unique within an Application Gateway.", + "type": "string" + }, + "port": { + "description": "Frontend port.", + "type": "integer" + } + }, + "type": "object" }, - "azure-native:network:getConnectivityConfiguration": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse": { + "description": "Frontend port of an application gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the frontend port that is unique within an Application Gateway.", + "type": "string" }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } + "port": { + "description": "Frontend port.", + "type": "integer" + }, + "provisioningState": { + "description": "The provisioning state of the frontend port resource.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" } + }, + "required": [ + "etag", + "provisioningState", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "response": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", - "type": "object" - } + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayGlobalConfiguration": { + "description": "Application Gateway global configuration.", + "properties": { + "enableRequestBuffering": { + "description": "Enable request buffering.", + "type": "boolean" }, - "connectivityTopology": { - "containers": [ - "properties" - ] + "enableResponseBuffering": { + "description": "Enable response buffering.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse": { + "description": "Application Gateway global configuration.", + "properties": { + "enableRequestBuffering": { + "description": "Enable request buffering.", + "type": "boolean" }, - "deleteExistingPeering": { - "containers": [ - "properties" - ] + "enableResponseBuffering": { + "description": "Enable response buffering.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayHeaderConfiguration": { + "description": "Header configuration of the Actions set in Application Gateway.", + "properties": { + "headerName": { + "description": "Header name of the header configuration.", + "type": "string" }, - "description": { - "containers": [ - "properties" - ] + "headerValue": { + "description": "Header value of the header configuration.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayHeaderConfigurationResponse": { + "description": "Header configuration of the Actions set in Application Gateway.", + "properties": { + "headerName": { + "description": "Header name of the header configuration.", + "type": "string" }, - "etag": {}, - "hubs": { - "arrayIdentifiers": [ - "resourceId" - ], - "containers": [ - "properties" - ], + "headerValue": { + "description": "Header value of the header configuration.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayHttpListener": { + "description": "Http listener of an application gateway.", + "properties": { + "customErrorConfigurations": { + "description": "Custom error configurations of the HTTP listener.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomError", "type": "object" - } + }, + "type": "array" }, - "id": {}, - "isGlobal": { - "containers": [ - "properties" - ] + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to the FirewallPolicy resource.", + "type": "object" }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Frontend IP configuration resource of an application gateway.", + "type": "object" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "frontendPort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Frontend port resource of an application gateway.", + "type": "object" }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "hostName": { + "description": "Host name of HTTP listener.", + "type": "string" }, - "type": {} - } - }, - "azure-native:network:getCustomIPPrefix": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "hostNames": { + "description": "List of Host names for HTTP Listener that allows special wildcard characters as well.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "customIpPrefixName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the HTTP listener that is unique within an Application Gateway.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "response": { - "asn": { - "containers": [ - "properties" + "protocol": { + "description": "Protocol of the HTTP listener.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + } ] }, - "authorizationMessage": { - "containers": [ - "properties" - ] + "requireServerNameIndication": { + "description": "Applicable only if protocol is https. Enables SNI for multi-hosting.", + "type": "boolean" }, - "childCustomIpPrefixes": { - "containers": [ - "properties" - ], + "sslCertificate": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "SSL certificate resource of an application gateway.", + "type": "object" + }, + "sslProfile": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "SSL profile resource of the application gateway.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse": { + "description": "Http listener of an application gateway.", + "properties": { + "customErrorConfigurations": { + "description": "Custom error configurations of the HTTP listener.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", "type": "object" - } + }, + "type": "array" }, - "cidr": { - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "commissionedState": { - "containers": [ - "properties" - ] + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to the FirewallPolicy resource.", + "type": "object" }, - "customIpPrefixParent": { + "frontendIPConfiguration": { "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "description": "Frontend IP configuration resource of an application gateway.", + "type": "object" }, - "etag": {}, - "expressRouteAdvertise": { - "containers": [ - "properties" - ] + "frontendPort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Frontend port resource of an application gateway.", + "type": "object" }, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "hostName": { + "description": "Host name of HTTP listener.", + "type": "string" }, - "failedReason": { - "containers": [ - "properties" - ] + "hostNames": { + "description": "List of Host names for HTTP Listener that allows special wildcard characters as well.", + "items": { + "type": "string" + }, + "type": "array" }, - "geo": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "id": {}, - "location": {}, - "name": {}, - "noInternetAdvertise": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the HTTP listener that is unique within an Application Gateway.", + "type": "string" }, - "prefixType": { - "containers": [ - "properties" - ] + "protocol": { + "description": "Protocol of the HTTP listener.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] - }, - "publicIpPrefixes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "description": "The provisioning state of the HTTP listener resource.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "requireServerNameIndication": { + "description": "Applicable only if protocol is https. Enables SNI for multi-hosting.", + "type": "boolean" }, - "signedMessage": { - "containers": [ - "properties" - ] + "sslCertificate": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "SSL certificate resource of an application gateway.", + "type": "object" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "sslProfile": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "SSL profile resource of the application gateway.", + "type": "object" }, - "type": {}, - "zones": { - "items": { - "type": "string" - } + "type": { + "description": "Type of the resource.", + "type": "string" } - } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" }, - "azure-native:network:getDdosCustomPolicy": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration": { + "description": "IP configuration of an application gateway. Currently 1 public and 1 private IP configuration is allowed.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "ddosCustomPolicyName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the IP configuration that is unique within an Application Gateway.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to the subnet resource. A subnet from where application gateway gets its private address.", + "type": "object" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse": { + "description": "IP configuration of an application gateway. Currently 1 public and 1 private IP configuration is allowed.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "name": { + "description": "Name of the IP configuration that is unique within an Application Gateway.", + "type": "string" }, - "type": {} - } - }, - "azure-native:network:getDdosProtectionPlan": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "provisioningState": { + "description": "The provisioning state of the application gateway IP configuration resource.", + "type": "string" }, - { - "location": "path", - "name": "ddosProtectionPlanName", - "required": true, - "value": { - "type": "string" - } + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to the subnet resource. A subnet from where application gateway gets its private address.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "type": { + "description": "Type of the resource.", + "type": "string" } + }, + "required": [ + "etag", + "provisioningState", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayListener": { + "description": "Listener of an application gateway.", + "properties": { + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Frontend IP configuration resource of an application gateway.", + "type": "object" }, - "publicIPAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "frontendPort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Frontend port resource of an application gateway.", + "type": "object" }, - "resourceGuid": { - "containers": [ - "properties" + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "Name of the listener that is unique within an Application Gateway.", + "type": "string" + }, + "protocol": { + "description": "Protocol of the listener.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + } ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "sslCertificate": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "SSL certificate resource of an application gateway.", + "type": "object" }, - "type": {}, - "virtualNetworks": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "sslProfile": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "SSL profile resource of the application gateway.", + "type": "object" } - } + }, + "type": "object" }, - "azure-native:network:getDefaultAdminRule": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayListenerResponse": { + "description": "Listener of an application gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Frontend IP configuration resource of an application gateway.", + "type": "object" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "frontendPort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Frontend port resource of an application gateway.", + "type": "object" }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the listener that is unique within an Application Gateway.", + "type": "string" }, - { - "location": "path", - "name": "ruleName", - "required": true, - "value": { - "type": "string" - } + "protocol": { + "description": "Protocol of the listener.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the listener resource.", + "type": "string" + }, + "sslCertificate": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "SSL certificate resource of an application gateway.", + "type": "object" + }, + "sslProfile": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "SSL profile resource of the application gateway.", + "type": "object" + }, + "type": { + "description": "Type of the resource.", + "type": "string" } + }, + "required": [ + "etag", + "provisioningState", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "response": { - "access": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicy": { + "description": "Load Distribution Policy of an application gateway.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - "description": { - "containers": [ - "properties" + "loadDistributionAlgorithm": { + "description": "Load Distribution Targets resource of an application gateway.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayLoadDistributionAlgorithm" + } ] }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], + "loadDistributionTargets": { + "description": "Load Distribution Targets resource of an application gateway.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionTarget", "type": "object" - } + }, + "type": "array" }, - "direction": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the load distribution policy that is unique within an Application Gateway.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse": { + "description": "Load Distribution Policy of an application gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "etag": {}, - "flag": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "id": {}, - "kind": { - "const": "Default" + "loadDistributionAlgorithm": { + "description": "Load Distribution Targets resource of an application gateway.", + "type": "string" }, - "name": {}, - "priority": { - "containers": [ - "properties" - ] + "loadDistributionTargets": { + "description": "Load Distribution Targets resource of an application gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionTargetResponse", + "type": "object" + }, + "type": "array" }, - "protocol": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the load distribution policy that is unique within an Application Gateway.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the Load Distribution Policy resource.", + "type": "string" }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionTarget": { + "description": "Load Distribution Target of an application gateway.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Backend address pool resource of the application gateway.", + "type": "object" }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", - "type": "object" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "name": { + "description": "Name of the load distribution policy that is unique within an Application Gateway.", + "type": "string" }, - "type": {} - } + "weightPerServer": { + "description": "Weight per server. Range between 1 and 100.", + "type": "integer" + } + }, + "type": "object" }, - "azure-native:network:getDscpConfiguration": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionTargetResponse": { + "description": "Load Distribution Target of an application gateway.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Backend address pool resource of the application gateway.", + "type": "object" }, - { - "location": "path", - "name": "dscpConfigurationName", - "required": true, - "value": { - "type": "string" - } + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "Name of the load distribution policy that is unique within an Application Gateway.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" + }, + "weightPerServer": { + "description": "Weight per server. Range between 1 and 100.", + "type": "integer" } + }, + "required": [ + "etag", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "response": { - "associatedNetworkInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", - "type": "object" - } + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayPathRule": { + "description": "Path rule of URL path map of an application gateway.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Backend address pool resource of URL path map path rule.", + "type": "object" }, - "destinationIpRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", - "type": "object" - } + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Backend http settings resource of URL path map path rule.", + "type": "object" }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", - "type": "object" - } + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to the FirewallPolicy resource.", + "type": "object" }, - "etag": {}, - "id": {}, - "location": {}, - "markings": { - "containers": [ - "properties" - ], - "items": { - "type": "integer" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "name": {}, - "protocol": { - "containers": [ - "properties" - ] + "loadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Load Distribution Policy resource of URL path map path rule.", + "type": "object" }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "qosCollectionId": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the path rule that is unique within an Application Gateway.", + "type": "string" }, - "qosDefinitionCollection": { - "containers": [ - "properties" - ], + "paths": { + "description": "Path rules of URL path map.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosDefinitionResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "redirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Redirect configuration resource of URL path map path rule.", + "type": "object" }, - "sourceIpRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", - "type": "object" - } + "rewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Rewrite rule set resource of URL path map path rule.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayPathRuleResponse": { + "description": "Path rule of URL path map of an application gateway.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Backend address pool resource of URL path map path rule.", + "type": "object" }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", - "type": "object" - } + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Backend http settings resource of URL path map path rule.", + "type": "object" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "type": {} - } - }, - "azure-native:network:getExpressRouteCircuit": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to the FirewallPolicy resource.", + "type": "object" }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "loadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Load Distribution Policy resource of URL path map path rule.", + "type": "object" + }, + "name": { + "description": "Name of the path rule that is unique within an Application Gateway.", + "type": "string" + }, + "paths": { + "description": "Path rules of URL path map.", + "items": { "type": "string" - } + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the path rule resource.", + "type": "string" + }, + "redirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Redirect configuration resource of URL path map path rule.", + "type": "object" + }, + "rewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Rewrite rule set resource of URL path map path rule.", + "type": "object" + }, + "type": { + "description": "Type of the resource.", + "type": "string" } + }, + "required": [ + "etag", + "provisioningState", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "response": { - "allowClassicOperations": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse": { + "description": "Private Endpoint connection on an application gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "authorizationKey": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "authorizationStatus": { - "containers": [ - "properties" - ] + "linkIdentifier": { + "description": "The consumer link id.", + "type": "string" }, - "authorizations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorizationResponse", - "type": "object" - } + "name": { + "description": "Name of the private endpoint connection on an application gateway.", + "type": "string" }, - "bandwidthInGbps": { - "containers": [ - "properties" - ] + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "description": "The resource of private end point.", + "type": "object" }, - "circuitProvisioningState": { - "containers": [ - "properties" - ] + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", + "description": "A collection of information about the state of the connection between service consumer and provider.", + "type": "object" }, - "etag": {}, - "expressRoutePort": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "provisioningState": { + "description": "The provisioning state of the application gateway private endpoint connection resource.", + "type": "string" }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "linkIdentifier", + "privateEndpoint", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfiguration": { + "description": "Private Link Configuration on an application gateway.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - "globalReachEnabled": { - "containers": [ - "properties" - ] + "ipConfigurations": { + "description": "An array of application gateway private link ip configurations.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkIpConfiguration", + "type": "object" + }, + "type": "array" }, - "id": {}, - "location": {}, - "name": {}, - "peerings": { - "containers": [ - "properties" - ], + "name": { + "description": "Name of the private link configuration that is unique within an Application Gateway.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse": { + "description": "Private Link Configuration on an application gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipConfigurations": { + "description": "An array of application gateway private link ip configurations.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkIpConfigurationResponse", "type": "object" - } + }, + "type": "array" }, - "provisioningState": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the private link configuration that is unique within an Application Gateway.", + "type": "string" }, - "serviceKey": { - "containers": [ - "properties" - ] + "provisioningState": { + "description": "The provisioning state of the application gateway private link configuration.", + "type": "string" }, - "serviceProviderNotes": { - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkIpConfiguration": { + "description": "The application gateway private link ip configuration.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - "serviceProviderProperties": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderPropertiesResponse", - "containers": [ - "properties" - ] + "name": { + "description": "The name of application gateway private link ip configuration.", + "type": "string" }, - "serviceProviderProvisioningState": { - "containers": [ - "properties" - ] + "primary": { + "description": "Whether the ip configuration is primary or not.", + "type": "boolean" }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSkuResponse" + "privateIPAddress": { + "description": "The private IP address of the IP configuration.", + "type": "string" }, - "stag": { - "containers": [ - "properties" + "privateIPAllocationMethod": { + "description": "The private IP address allocation method.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPAllocationMethod" + } ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to the subnet resource.", + "type": "object" + } + }, + "type": "object" }, - "azure-native:network:getExpressRouteCircuitAuthorization": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkIpConfigurationResponse": { + "description": "The application gateway private link ip configuration.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "authorizationName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "The name of application gateway private link ip configuration.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] + "primary": { + "description": "Whether the ip configuration is primary or not.", + "type": "boolean" }, - "authorizationUseStatus": { - "containers": [ - "properties" - ] + "privateIPAddress": { + "description": "The private IP address of the IP configuration.", + "type": "string" + }, + "privateIPAllocationMethod": { + "description": "The private IP address allocation method.", + "type": "string" }, - "etag": {}, - "id": {}, - "name": {}, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the application gateway private link IP configuration.", + "type": "string" }, - "type": {} - } + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to the subnet resource.", + "type": "object" + }, + "type": { + "description": "The resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" }, - "azure-native:network:getExpressRouteCircuitConnection": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayProbe": { + "description": "Probe of the application gateway.", + "properties": { + "host": { + "description": "Host name to send the probe to.", + "type": "string" }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "type": "string" - } + "interval": { + "description": "The probing interval in seconds. This is the time interval between two consecutive probes. Acceptable values are from 1 second to 86400 seconds.", + "type": "integer" }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } + "match": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatch", + "description": "Criterion for classifying a healthy probe response.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "response": { - "addressPrefix": { - "containers": [ - "properties" - ] + "minServers": { + "description": "Minimum number of servers that are always marked healthy. Default value is 0.", + "type": "integer" }, - "authorizationKey": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the probe that is unique within an Application Gateway.", + "type": "string" }, - "circuitConnectionStatus": { - "containers": [ - "properties" - ] + "path": { + "description": "Relative path of probe. Valid path starts from '/'. Probe is sent to \u003cProtocol\u003e://\u003chost\u003e:\u003cport\u003e\u003cpath\u003e.", + "type": "string" }, - "etag": {}, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "pickHostNameFromBackendHttpSettings": { + "description": "Whether the host header should be picked from the backend http settings. Default value is false.", + "type": "boolean" }, - "id": {}, - "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse", - "containers": [ - "properties" - ] + "pickHostNameFromBackendSettings": { + "description": "Whether the server name indication should be picked from the backend settings for Tls protocol. Default value is false.", + "type": "boolean" }, - "name": {}, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "port": { + "description": "Custom port which will be used for probing the backend servers. The valid value ranges from 1 to 65535. In case not set, port from http settings will be used. This property is valid for Standard_v2 and WAF_v2 only.", + "type": "integer" }, - "provisioningState": { - "containers": [ - "properties" + "protocol": { + "description": "The protocol used for the probe.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + } ] }, - "type": {} - } + "timeout": { + "description": "The probe timeout in seconds. Probe marked as failed if valid response is not received with this timeout period. Acceptable values are from 1 second to 86400 seconds.", + "type": "integer" + }, + "unhealthyThreshold": { + "description": "The probe retry count. Backend server is marked down after consecutive probe failure count reaches UnhealthyThreshold. Acceptable values are from 1 second to 20.", + "type": "integer" + } + }, + "type": "object" }, - "azure-native:network:getExpressRouteCircuitPeering": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatch": { + "description": "Application gateway probe health response match.", + "properties": { + "body": { + "description": "Body that must be contained in the health response. Default value is empty.", + "type": "string" }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { + "statusCodes": { + "description": "Allowed ranges of healthy status codes. Default range of healthy status codes is 200-399.", + "items": { "type": "string" - } + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatchResponse": { + "description": "Application gateway probe health response match.", + "properties": { + "body": { + "description": "Body that must be contained in the health response. Default value is empty.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "statusCodes": { + "description": "Allowed ranges of healthy status codes. Default range of healthy status codes is 200-399.", + "items": { "type": "string" - } + }, + "type": "array" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "response": { - "azureASN": { - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayProbeResponse": { + "description": "Probe of the application gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "connections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse", - "type": "object" - } + "host": { + "description": "Host name to send the probe to.", + "type": "string" }, - "etag": {}, - "expressRouteConnection": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse", - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ] + "interval": { + "description": "The probing interval in seconds. This is the time interval between two consecutive probes. Acceptable values are from 1 second to 86400 seconds.", + "type": "integer" }, - "id": {}, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] + "match": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatchResponse", + "description": "Criterion for classifying a healthy probe response.", + "type": "object" }, - "lastModifiedBy": { - "containers": [ - "properties" - ] + "minServers": { + "description": "Minimum number of servers that are always marked healthy. Default value is 0.", + "type": "integer" }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] + "name": { + "description": "Name of the probe that is unique within an Application Gateway.", + "type": "string" }, - "name": {}, - "peerASN": { - "containers": [ - "properties" - ] + "path": { + "description": "Relative path of probe. Valid path starts from '/'. Probe is sent to \u003cProtocol\u003e://\u003chost\u003e:\u003cport\u003e\u003cpath\u003e.", + "type": "string" }, - "peeredConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse", - "type": "object" - } + "pickHostNameFromBackendHttpSettings": { + "description": "Whether the host header should be picked from the backend http settings. Default value is false.", + "type": "boolean" }, - "peeringType": { - "containers": [ - "properties" - ] + "pickHostNameFromBackendSettings": { + "description": "Whether the server name indication should be picked from the backend settings for Tls protocol. Default value is false.", + "type": "boolean" }, - "primaryAzurePort": { - "containers": [ - "properties" - ] + "port": { + "description": "Custom port which will be used for probing the backend servers. The valid value ranges from 1 to 65535. In case not set, port from http settings will be used. This property is valid for Standard_v2 and WAF_v2 only.", + "type": "integer" }, - "primaryPeerAddressPrefix": { - "containers": [ - "properties" - ] + "protocol": { + "description": "The protocol used for the probe.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the probe resource.", + "type": "string" }, - "routeFilter": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "timeout": { + "description": "The probe timeout in seconds. Probe marked as failed if valid response is not received with this timeout period. Acceptable values are from 1 second to 86400 seconds.", + "type": "integer" }, - "secondaryAzurePort": { - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" }, - "secondaryPeerAddressPrefix": { - "containers": [ - "properties" - ] + "unhealthyThreshold": { + "description": "The probe retry count. Backend server is marked down after consecutive probe failure count reaches UnhealthyThreshold. Acceptable values are from 1 second to 20.", + "type": "integer" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayRedirectConfiguration": { + "description": "Redirect configuration of an application gateway.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - "sharedKey": { - "containers": [ - "properties" - ] + "includePath": { + "description": "Include path in the redirected url.", + "type": "boolean" }, - "state": { - "containers": [ - "properties" - ] + "includeQueryString": { + "description": "Include query string in the redirected url.", + "type": "boolean" }, - "stats": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse", - "containers": [ - "properties" - ] + "name": { + "description": "Name of the redirect configuration that is unique within an Application Gateway.", + "type": "string" }, - "type": {}, - "vlanId": { - "containers": [ - "properties" + "pathRules": { + "description": "Path rules specifying redirect configuration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "redirectType": { + "description": "HTTP redirection type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayRedirectType" + } ] + }, + "requestRoutingRules": { + "description": "Request routing specifying redirect configuration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "targetListener": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to a listener to redirect the request to.", + "type": "object" + }, + "targetUrl": { + "description": "Url to redirect the request to.", + "type": "string" + }, + "urlPathMaps": { + "description": "Url path maps specifying default redirect configuration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" } - } + }, + "type": "object" }, - "azure-native:network:getExpressRouteConnection": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse": { + "description": "Redirect configuration of an application gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "expressRouteGatewayName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } + "includePath": { + "description": "Include path in the redirected url.", + "type": "boolean" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] + "includeQueryString": { + "description": "Include query string in the redirected url.", + "type": "boolean" }, - "enableInternetSecurity": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the redirect configuration that is unique within an Application Gateway.", + "type": "string" }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" - ] + "pathRules": { + "description": "Path rules specifying redirect configuration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse", - "containers": [ - "properties" - ] + "redirectType": { + "description": "HTTP redirection type.", + "type": "string" }, - "expressRouteGatewayBypass": { - "containers": [ - "properties" - ] + "requestRoutingRules": { + "description": "Request routing specifying redirect configuration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" }, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "targetListener": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to a listener to redirect the request to.", + "type": "object" }, - "routingConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", - "containers": [ - "properties" - ] + "targetUrl": { + "description": "Url to redirect the request to.", + "type": "string" }, - "routingWeight": { - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" + }, + "urlPathMaps": { + "description": "Url path maps specifying default redirect configuration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" } - } + }, + "required": [ + "etag", + "type" + ], + "type": "object" }, - "azure-native:network:getExpressRouteCrossConnectionPeering": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRule": { + "description": "Request routing rule of an application gateway.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Backend address pool resource of the application gateway.", + "type": "object" }, - { - "location": "path", - "name": "crossConnectionName", - "required": true, - "value": { - "type": "string" - } + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Backend http settings resource of the application gateway.", + "type": "object" }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "type": "string" - } + "httpListener": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Http listener resource of the application gateway.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "response": { - "azureASN": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "etag": {}, - "gatewayManagerEtag": { - "containers": [ - "properties" - ] + "loadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Load Distribution Policy resource of the application gateway.", + "type": "object" }, - "id": {}, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] + "name": { + "description": "Name of the request routing rule that is unique within an Application Gateway.", + "type": "string" }, - "lastModifiedBy": { - "containers": [ - "properties" - ] + "priority": { + "description": "Priority of the request routing rule.", + "type": "integer" }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] + "redirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Redirect configuration resource of the application gateway.", + "type": "object" }, - "name": {}, - "peerASN": { - "containers": [ - "properties" - ] + "rewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Rewrite Rule Set resource in Basic rule of the application gateway.", + "type": "object" }, - "peeringType": { - "containers": [ - "properties" + "ruleType": { + "description": "Rule type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayRequestRoutingRuleType" + } ] }, - "primaryAzurePort": { - "containers": [ - "properties" - ] + "urlPathMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "URL path map resource of the application gateway.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse": { + "description": "Request routing rule of an application gateway.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Backend address pool resource of the application gateway.", + "type": "object" }, - "primaryPeerAddressPrefix": { - "containers": [ - "properties" - ] + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Backend http settings resource of the application gateway.", + "type": "object" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "httpListener": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Http listener resource of the application gateway.", + "type": "object" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "loadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Load Distribution Policy resource of the application gateway.", + "type": "object" + }, + "name": { + "description": "Name of the request routing rule that is unique within an Application Gateway.", + "type": "string" + }, + "priority": { + "description": "Priority of the request routing rule.", + "type": "integer" }, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the request routing rule resource.", + "type": "string" }, - "secondaryAzurePort": { - "containers": [ - "properties" - ] + "redirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Redirect configuration resource of the application gateway.", + "type": "object" }, - "secondaryPeerAddressPrefix": { - "containers": [ - "properties" - ] + "rewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Rewrite Rule Set resource in Basic rule of the application gateway.", + "type": "object" }, - "sharedKey": { - "containers": [ - "properties" - ] + "ruleType": { + "description": "Rule type.", + "type": "string" }, - "state": { - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" }, - "vlanId": { - "containers": [ - "properties" - ] + "urlPathMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "URL path map resource of the application gateway.", + "type": "object" } - } - }, - "azure-native:network:getExpressRouteGateway": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayResponse": { + "description": "Application gateway resource.", + "properties": { + "authenticationCertificates": { + "description": "Authentication certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "expressRouteGatewayName", - "required": true, - "value": { - "type": "string" - } + "autoscaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse", + "description": "Autoscale Configuration.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "response": { - "allowNonVirtualWanTraffic": { - "containers": [ - "properties" - ] + "backendAddressPools": { + "description": "Backend address pool of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", + "type": "object" + }, + "type": "array" }, - "autoScaleConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", - "containers": [ - "properties" - ] + "backendHttpSettingsCollection": { + "description": "Backend http settings of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse", + "type": "object" + }, + "type": "array" }, - "etag": {}, - "expressRouteConnections": { - "containers": [ - "properties" - ], + "backendSettingsCollection": { + "description": "Backend settings of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse", "type": "object" - } + }, + "type": "array" }, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "customErrorConfigurations": { + "description": "Custom error configurations of the application gateway resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", + "type": "object" + }, + "type": "array" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "defaultPredefinedSslPolicy": { + "description": "The default predefined SSL Policy applied on the application gateway resource.", + "type": "string" }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubIdResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network:getExpressRoutePort": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "enableFips": { + "description": "Whether FIPS is enabled on the application gateway resource.", + "type": "boolean" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "enableHttp2": { + "description": "Whether HTTP2 is enabled on the application gateway resource.", + "type": "boolean" }, - { - "location": "path", - "name": "expressRoutePortName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "response": { - "allocationDate": { - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "bandwidthInGbps": { - "containers": [ - "properties" - ] + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to the FirewallPolicy resource.", + "type": "object" }, - "billingType": { - "containers": [ - "properties" - ] + "forceFirewallPolicyAssociation": { + "description": "If true, associates a firewall policy with an application gateway regardless whether the policy differs from the WAF Config.", + "type": "boolean" }, - "circuits": { - "containers": [ - "properties" - ], + "frontendIPConfigurations": { + "description": "Frontend IP addresses of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse", "type": "object" - } - }, - "encapsulation": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "etherType": { - "containers": [ - "properties" - ] + }, + "type": "array" }, - "id": {}, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + "frontendPorts": { + "description": "Frontend ports of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse", + "type": "object" + }, + "type": "array" }, - "links": { - "containers": [ - "properties" - ], + "gatewayIPConfigurations": { + "description": "Subnets of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", "type": "object" - } + }, + "type": "array" }, - "location": {}, - "mtu": { - "containers": [ - "properties" - ] + "globalConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse", + "description": "Global Configuration.", + "type": "object" }, - "name": {}, - "peeringLocation": { - "containers": [ - "properties" - ] + "httpListeners": { + "description": "Http listeners of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse", + "type": "object" + }, + "type": "array" }, - "provisionedBandwidthInGbps": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse", + "description": "The identity of the application gateway, if configured.", + "type": "object" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "listeners": { + "description": "Listeners of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListenerResponse", + "type": "object" + }, + "type": "array" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "loadDistributionPolicies": { + "description": "Load distribution policies of the application gateway resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse", + "type": "object" + }, + "type": "array" }, - "type": {} - } - }, - "azure-native:network:getExpressRoutePortAuthorization": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "location": { + "description": "Resource location.", + "type": "string" }, - { - "location": "path", - "name": "expressRoutePortName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Resource name.", + "type": "string" }, - { - "location": "path", - "name": "authorizationName", - "required": true, - "value": { - "type": "string" - } + "operationalState": { + "description": "Operational state of the application gateway resource.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] + "privateEndpointConnections": { + "description": "Private Endpoint connections on application gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse", + "type": "object" + }, + "type": "array" }, - "authorizationUseStatus": { - "containers": [ - "properties" - ] + "privateLinkConfigurations": { + "description": "PrivateLink configurations on application gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse", + "type": "object" + }, + "type": "array" }, - "circuitResourceUri": { - "containers": [ - "properties" - ] + "probes": { + "description": "Probes of the application gateway resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeResponse", + "type": "object" + }, + "type": "array" }, - "etag": {}, - "id": {}, - "name": {}, "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network:getFirewallPolicy": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "response": { - "basePolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "description": "The provisioning state of the application gateway resource.", + "type": "string" }, - "childPolicies": { - "containers": [ - "properties" - ], + "redirectConfigurations": { + "description": "Redirect configurations of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse", "type": "object" - } + }, + "type": "array" }, - "dnsSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:DnsSettingsResponse", - "containers": [ - "properties" - ] + "requestRoutingRules": { + "description": "Request routing rules of the application gateway resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse", + "type": "object" + }, + "type": "array" }, - "etag": {}, - "explicitProxy": { - "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxyResponse", - "containers": [ - "properties" - ] + "resourceGuid": { + "description": "The resource GUID property of the application gateway resource.", + "type": "string" }, - "firewalls": { - "containers": [ - "properties" - ], + "rewriteRuleSets": { + "description": "Rewrite rules for the application gateway resource.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse", "type": "object" - } + }, + "type": "array" }, - "id": {}, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + "routingRules": { + "description": "Routing rules of the application gateway resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse", + "type": "object" + }, + "type": "array" }, - "insights": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsightsResponse", - "containers": [ - "properties" - ] + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySkuResponse", + "description": "SKU of the application gateway resource.", + "type": "object" }, - "intrusionDetection": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionResponse", - "containers": [ - "properties" - ] + "sslCertificates": { + "description": "SSL certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse", + "type": "object" + }, + "type": "array" }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "sslPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", + "description": "SSL policy of the application gateway resource.", + "type": "object" }, - "ruleCollectionGroups": { - "containers": [ - "properties" - ], + "sslProfiles": { + "description": "SSL profiles of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse", "type": "object" - } - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySkuResponse", - "containers": [ - "properties" - ] - }, - "snat": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNATResponse", - "containers": [ - "properties" - ] - }, - "sql": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQLResponse", - "containers": [ - "properties" - ] + }, + "type": "array" }, "tags": { "additionalProperties": { "type": "string" - } - }, - "threatIntelMode": { - "containers": [ - "properties" - ] + }, + "description": "Resource tags.", + "type": "object" }, - "threatIntelWhitelist": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelistResponse", - "containers": [ - "properties" - ] + "trustedClientCertificates": { + "description": "Trusted client certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse", + "type": "object" + }, + "type": "array" }, - "transportSecurity": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurityResponse", - "containers": [ - "properties" - ] + "trustedRootCertificates": { + "description": "Trusted Root certificates of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse", + "type": "object" + }, + "type": "array" }, - "type": {} - } - }, - "azure-native:network:getFirewallPolicyRuleCollectionGroup": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "type": { + "description": "Resource type.", + "type": "string" }, - { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "type": "string" - } + "urlPathMaps": { + "description": "URL path map of the application gateway resource. For default limits, see [Application Gateway limits](https://docs.microsoft.com/azure/azure-subscription-service-limits#application-gateway-limits).", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "ruleCollectionGroupName", - "required": true, - "value": { - "type": "string" - } + "webApplicationFirewallConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse", + "description": "Web application firewall configuration.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "zones": { + "description": "A list of availability zones denoting where the resource needs to come from.", + "items": { "type": "string" - } + }, + "type": "array" } + }, + "required": [ + "defaultPredefinedSslPolicy", + "etag", + "name", + "operationalState", + "privateEndpointConnections", + "provisioningState", + "resourceGuid", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "priority": { - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRule": { + "description": "Rewrite rule of an application gateway.", + "properties": { + "actionSet": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleActionSet", + "description": "Set of actions to be done as part of the rewrite Rule.", + "type": "object" }, - "ruleCollections": { - "containers": [ - "properties" - ], + "conditions": { + "description": "Conditions based on which the action set execution will be evaluated.", "items": { - "oneOf": [ - "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse", - "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse" - ] - } + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleCondition", + "type": "object" + }, + "type": "array" }, - "type": {} - } - }, - "azure-native:network:getFlowLog": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the rewrite rule that is unique within an Application Gateway.", + "type": "string" }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { - "type": "string" - } + "ruleSequence": { + "description": "Rule Sequence of the rewrite rule that determines the order of execution of a particular rule in a RewriteRuleSet.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleActionSet": { + "description": "Set of actions in the Rewrite Rule in Application Gateway.", + "properties": { + "requestHeaderConfigurations": { + "description": "Request Header Actions in the Action Set.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHeaderConfiguration", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "flowLogName", - "required": true, - "value": { - "type": "string" - } + "responseHeaderConfigurations": { + "description": "Response Header Actions in the Action Set.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHeaderConfiguration", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "urlConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlConfiguration", + "description": "Url Configuration Action in the Action Set.", + "type": "object" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "response": { - "enabled": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "flowAnalyticsConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse", - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleActionSetResponse": { + "description": "Set of actions in the Rewrite Rule in Application Gateway.", + "properties": { + "requestHeaderConfigurations": { + "description": "Request Header Actions in the Action Set.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHeaderConfigurationResponse", + "type": "object" + }, + "type": "array" }, - "format": { - "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParametersResponse", - "containers": [ - "properties" - ] + "responseHeaderConfigurations": { + "description": "Response Header Actions in the Action Set.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHeaderConfigurationResponse", + "type": "object" + }, + "type": "array" }, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "urlConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlConfigurationResponse", + "description": "Url Configuration Action in the Action Set.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleCondition": { + "description": "Set of conditions in the Rewrite Rule in Application Gateway.", + "properties": { + "ignoreCase": { + "description": "Setting this parameter to truth value with force the pattern to do a case in-sensitive comparison.", + "type": "boolean" }, - "retentionPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParametersResponse", - "containers": [ - "properties" - ] + "negate": { + "description": "Setting this value as truth will force to check the negation of the condition given by the user.", + "type": "boolean" }, - "storageId": { - "containers": [ - "properties" - ] + "pattern": { + "description": "The pattern, either fixed string or regular expression, that evaluates the truthfulness of the condition.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "variable": { + "description": "The condition parameter of the RewriteRuleCondition.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleConditionResponse": { + "description": "Set of conditions in the Rewrite Rule in Application Gateway.", + "properties": { + "ignoreCase": { + "description": "Setting this parameter to truth value with force the pattern to do a case in-sensitive comparison.", + "type": "boolean" }, - "targetResourceGuid": { - "containers": [ - "properties" - ] + "negate": { + "description": "Setting this value as truth will force to check the negation of the condition given by the user.", + "type": "boolean" }, - "targetResourceId": { - "containers": [ - "properties" - ] + "pattern": { + "description": "The pattern, either fixed string or regular expression, that evaluates the truthfulness of the condition.", + "type": "string" }, - "type": {} - } + "variable": { + "description": "The condition parameter of the RewriteRuleCondition.", + "type": "string" + } + }, + "type": "object" }, - "azure-native:network:getHubRouteTable": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleResponse": { + "description": "Rewrite rule of an application gateway.", + "properties": { + "actionSet": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleActionSetResponse", + "description": "Set of actions to be done as part of the rewrite Rule.", + "type": "object" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "conditions": { + "description": "Conditions based on which the action set execution will be evaluated.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleConditionResponse", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the rewrite rule that is unique within an Application Gateway.", + "type": "string" }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "type": "string" - } + "ruleSequence": { + "description": "Rule Sequence of the rewrite rule that determines the order of execution of a particular rule in a RewriteRuleSet.", + "type": "integer" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "response": { - "associatedConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSet": { + "description": "Rewrite rule set of an application gateway.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - "etag": {}, - "id": {}, - "labels": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + "name": { + "description": "Name of the rewrite rule set that is unique within an Application Gateway.", + "type": "string" }, - "name": {}, - "propagatingConnections": { - "containers": [ - "properties" - ], + "rewriteRules": { + "description": "Rewrite rules in the rewrite rule set.", "items": { - "type": "string" - } + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRule", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse": { + "description": "Rewrite rule set of an application gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "Name of the rewrite rule set that is unique within an Application Gateway.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the rewrite rule set resource.", + "type": "string" }, - "routes": { - "containers": [ - "properties" - ], + "rewriteRules": { + "description": "Rewrite rules in the rewrite rule set.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:HubRouteResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleResponse", "type": "object" - } - }, - "type": {} - } + }, + "type": "array" + } + }, + "required": [ + "etag", + "provisioningState" + ], + "type": "object" }, - "azure-native:network:getHubVirtualNetworkConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayRoutingRule": { + "description": "Routing rule of an application gateway.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Backend address pool resource of the application gateway.", + "type": "object" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "backendSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Backend settings resource of the application gateway.", + "type": "object" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } + "listener": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Listener resource of the application gateway.", + "type": "object" + }, + "name": { + "description": "Name of the routing rule that is unique within an Application Gateway.", + "type": "string" + }, + "priority": { + "description": "Priority of the routing rule.", + "type": "integer" + }, + "ruleType": { + "description": "Rule type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayRequestRoutingRuleType" + } + ] } + }, + "required": [ + "priority" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "response": { - "allowHubToRemoteVnetTransit": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse": { + "description": "Routing rule of an application gateway.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Backend address pool resource of the application gateway.", + "type": "object" }, - "allowRemoteVnetToUseHubVnetGateways": { - "containers": [ - "properties" - ] + "backendSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Backend settings resource of the application gateway.", + "type": "object" }, - "enableInternetSecurity": { - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "remoteVirtualNetwork": { + "listener": { "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "description": "Listener resource of the application gateway.", + "type": "object" }, - "routingConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network:getInboundNatRule": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the routing rule that is unique within an Application Gateway.", + "type": "string" }, - { - "location": "path", - "name": "loadBalancerName", - "required": true, - "value": { - "type": "string" - } + "priority": { + "description": "Priority of the routing rule.", + "type": "integer" }, - { - "location": "path", - "name": "inboundNatRuleName", - "required": true, - "value": { - "type": "string" - } + "provisioningState": { + "description": "The provisioning state of the request routing rule resource.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "ruleType": { + "description": "Rule type.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "type": { + "description": "Type of the resource.", + "type": "string" } + }, + "required": [ + "etag", + "priority", + "provisioningState", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "response": { - "backendAddressPool": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewaySku": { + "description": "SKU of an application gateway.", + "properties": { + "capacity": { + "description": "Capacity (instance count) of an application gateway.", + "type": "integer" }, - "backendIPConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", - "containers": [ - "properties" + "name": { + "description": "Name of an application gateway SKU.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewaySkuName" + } ] }, - "backendPort": { - "containers": [ - "properties" + "tier": { + "description": "Tier of an application gateway.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayTier" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewaySkuResponse": { + "description": "SKU of an application gateway.", + "properties": { + "capacity": { + "description": "Capacity (instance count) of an application gateway.", + "type": "integer" }, - "enableFloatingIP": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of an application gateway SKU.", + "type": "string" }, - "enableTcpReset": { - "containers": [ - "properties" - ] + "tier": { + "description": "Tier of an application gateway.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewaySslCertificate": { + "description": "SSL certificates of an application gateway.", + "properties": { + "data": { + "description": "Base-64 encoded pfx certificate. Only applicable in PUT Request.", + "type": "string" }, - "etag": {}, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "frontendPort": { - "containers": [ - "properties" - ] + "keyVaultSecretId": { + "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", + "type": "string" }, - "frontendPortRangeEnd": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the SSL certificate that is unique within an Application Gateway.", + "type": "string" }, - "frontendPortRangeStart": { - "containers": [ - "properties" - ] + "password": { + "description": "Password for the pfx file specified in data. Only applicable in PUT request.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse": { + "description": "SSL certificates of an application gateway.", + "properties": { + "data": { + "description": "Base-64 encoded pfx certificate. Only applicable in PUT Request.", + "type": "string" }, - "id": {}, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "name": {}, - "protocol": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] + "keyVaultSecretId": { + "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", + "type": "string" }, - "type": {} - } - }, - "azure-native:network:getIpAllocation": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the SSL certificate that is unique within an Application Gateway.", + "type": "string" }, - { - "location": "path", - "name": "ipAllocationName", - "required": true, - "value": { - "type": "string" - } + "password": { + "description": "Password for the pfx file specified in data. Only applicable in PUT request.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "provisioningState": { + "description": "The provisioning state of the SSL certificate resource.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "publicCertData": { + "description": "Base-64 encoded Public cert data corresponding to pfx specified in data. Only applicable in GET request.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" } + }, + "required": [ + "etag", + "provisioningState", + "publicCertData", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "response": { - "allocationTags": { - "additionalProperties": { - "type": "string" + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewaySslPolicy": { + "description": "Application Gateway Ssl policy.", + "properties": { + "cipherSuites": { + "description": "Ssl cipher suites to be enabled in the specified order to application gateway.", + "items": { + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewaySslCipherSuite" + } + ] }, - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "ipamAllocationId": { - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "prefix": { - "containers": [ - "properties" - ] + "type": "array" }, - "prefixLength": { - "containers": [ - "properties" - ], - "default": 0 + "disabledSslProtocols": { + "description": "Ssl protocols to be disabled on application gateway.", + "items": { + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewaySslProtocol" + } + ] + }, + "type": "array" }, - "prefixType": { - "containers": [ - "properties" + "minProtocolVersion": { + "description": "Minimum version of Ssl protocol to be supported on application gateway.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewaySslProtocol" + } ] }, - "subnet": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" + "policyName": { + "description": "Name of Ssl predefined policy.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewaySslPolicyName" + } ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualNetwork": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" + "policyType": { + "description": "Type of Ssl Policy.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewaySslPolicyType" + } ] } - } + }, + "type": "object" }, - "azure-native:network:getIpGroup": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ipGroupsName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "response": { - "etag": {}, - "firewallPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } - }, - "firewalls": { - "containers": [ - "properties" - ], + "azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse": { + "description": "Application Gateway Ssl policy.", + "properties": { + "cipherSuites": { + "description": "Ssl cipher suites to be enabled in the specified order to application gateway.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "id": {}, - "ipAddresses": { - "containers": [ - "properties" - ], + "disabledSslProtocols": { + "description": "Ssl protocols to be disabled on application gateway.", "items": { "type": "string" - } + }, + "type": "array" }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "minProtocolVersion": { + "description": "Minimum version of Ssl protocol to be supported on application gateway.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "policyName": { + "description": "Name of Ssl predefined policy.", + "type": "string" }, - "type": {} - } + "policyType": { + "description": "Type of Ssl Policy.", + "type": "string" + } + }, + "type": "object" }, - "azure-native:network:getLoadBalancer": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewaySslProfile": { + "description": "SSL profile of an application gateway.", + "properties": { + "clientAuthConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayClientAuthConfiguration", + "description": "Client authentication configuration of the application gateway resource.", + "type": "object" }, - { - "location": "path", - "name": "loadBalancerName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the SSL profile that is unique within an Application Gateway.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "response": { - "backendAddressPools": { - "containers": [ - "properties" - ], + "sslPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicy", + "description": "SSL policy of the application gateway resource.", + "type": "object" + }, + "trustedClientCertificates": { + "description": "Array of references to application gateway trusted client certificates.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPoolResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" - } + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse": { + "description": "SSL profile of an application gateway.", + "properties": { + "clientAuthConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayClientAuthConfigurationResponse", + "description": "Client authentication configuration of the application gateway resource.", + "type": "object" }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "frontendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", - "type": "object" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "id": {}, - "inboundNatPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPoolResponse", - "type": "object" - } + "name": { + "description": "Name of the SSL profile that is unique within an Application Gateway.", + "type": "string" }, - "inboundNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRuleResponse", - "type": "object" - } + "provisioningState": { + "description": "The provisioning state of the HTTP listener resource.", + "type": "string" }, - "loadBalancingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRuleResponse", - "type": "object" - } + "sslPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", + "description": "SSL policy of the application gateway resource.", + "type": "object" }, - "location": {}, - "name": {}, - "outboundRules": { - "containers": [ - "properties" - ], + "trustedClientCertificates": { + "description": "Array of references to application gateway trusted client certificates.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:OutboundRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" - } + }, + "type": "array" }, - "probes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ProbeResponse", - "type": "object" - } + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificate": { + "description": "Trusted client certificates of an application gateway.", + "properties": { + "data": { + "description": "Certificate public data.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "Name of the trusted client certificate that is unique within an Application Gateway.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse": { + "description": "Trusted client certificates of an application gateway.", + "properties": { + "clientCertIssuerDN": { + "description": "Distinguished name of client certificate issuer.", + "type": "string" + }, + "data": { + "description": "Certificate public data.", + "type": "string" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "Name of the trusted client certificate that is unique within an Application Gateway.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the trusted client certificate resource.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSkuResponse" + "validatedCertData": { + "description": "Validated certificate data.", + "type": "string" + } + }, + "required": [ + "clientCertIssuerDN", + "etag", + "provisioningState", + "type", + "validatedCertData" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificate": { + "description": "Trusted Root certificates of an application gateway.", + "properties": { + "data": { + "description": "Certificate public data.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "type": {} - } + "keyVaultSecretId": { + "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", + "type": "string" + }, + "name": { + "description": "Name of the trusted root certificate that is unique within an Application Gateway.", + "type": "string" + } + }, + "type": "object" }, - "azure-native:network:getLoadBalancerBackendAddressPool": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse": { + "description": "Trusted Root certificates of an application gateway.", + "properties": { + "data": { + "description": "Certificate public data.", + "type": "string" }, - { - "location": "path", - "name": "loadBalancerName", - "required": true, - "value": { - "type": "string" - } + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "backendAddressPoolName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "keyVaultSecretId": { + "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", + "type": "string" + }, + "name": { + "description": "Name of the trusted root certificate that is unique within an Application Gateway.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the trusted root certificate resource.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" } + }, + "required": [ + "etag", + "provisioningState", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "response": { - "backendIPConfigurations": { - "containers": [ - "properties" - ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayUrlConfiguration": { + "description": "Url configuration of the Actions set in Application Gateway.", + "properties": { + "modifiedPath": { + "description": "Url path which user has provided for url rewrite. Null means no path will be updated. Default value is null.", + "type": "string" + }, + "modifiedQueryString": { + "description": "Query string which user has provided for url rewrite. Null means no query string will be updated. Default value is null.", + "type": "string" + }, + "reroute": { + "description": "If set as true, it will re-evaluate the url path map provided in path based request routing rules using modified path. Default value is false.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayUrlConfigurationResponse": { + "description": "Url configuration of the Actions set in Application Gateway.", + "properties": { + "modifiedPath": { + "description": "Url path which user has provided for url rewrite. Null means no path will be updated. Default value is null.", + "type": "string" + }, + "modifiedQueryString": { + "description": "Query string which user has provided for url rewrite. Null means no query string will be updated. Default value is null.", + "type": "string" + }, + "reroute": { + "description": "If set as true, it will re-evaluate the url path map provided in path based request routing rules using modified path. Default value is false.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayUrlPathMap": { + "description": "UrlPathMaps give a url path to the backend mapping information for PathBasedRouting.", + "properties": { + "defaultBackendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Default backend address pool resource of URL path map.", + "type": "object" + }, + "defaultBackendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Default backend http settings resource of URL path map.", + "type": "object" + }, + "defaultLoadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Default Load Distribution Policy resource of URL path map.", + "type": "object" + }, + "defaultRedirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Default redirect configuration resource of URL path map.", + "type": "object" + }, + "defaultRewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Default Rewrite rule set resource of URL path map.", + "type": "object" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "Name of the URL path map that is unique within an Application Gateway.", + "type": "string" + }, + "pathRules": { + "description": "Path rule of URL path map resource.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPathRule", "type": "object" - } + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse": { + "description": "UrlPathMaps give a url path to the backend mapping information for PathBasedRouting.", + "properties": { + "defaultBackendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Default backend address pool resource of URL path map.", + "type": "object" }, - "drainPeriodInSeconds": { - "containers": [ - "properties" - ] + "defaultBackendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Default backend http settings resource of URL path map.", + "type": "object" }, - "etag": {}, - "id": {}, - "inboundNatRules": { - "containers": [ - "properties" - ], + "defaultLoadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Default Load Distribution Policy resource of URL path map.", + "type": "object" + }, + "defaultRedirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Default redirect configuration resource of URL path map.", + "type": "object" + }, + "defaultRewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Default Rewrite rule set resource of URL path map.", + "type": "object" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "Name of the URL path map that is unique within an Application Gateway.", + "type": "string" + }, + "pathRules": { + "description": "Path rule of URL path map resource.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPathRuleResponse", "type": "object" - } + }, + "type": "array" }, - "loadBalancerBackendAddresses": { - "containers": [ - "properties" - ], + "provisioningState": { + "description": "The provisioning state of the URL path map resource.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfiguration": { + "description": "Application gateway web application firewall configuration.", + "properties": { + "disabledRuleGroups": { + "description": "The disabled rule groups.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFirewallDisabledRuleGroup", "type": "object" - } + }, + "type": "array" }, - "loadBalancingRules": { - "containers": [ - "properties" - ], + "enabled": { + "description": "Whether the web application firewall is enabled or not.", + "type": "boolean" + }, + "exclusions": { + "description": "The exclusion list.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFirewallExclusion", "type": "object" - } + }, + "type": "array" }, - "location": { - "containers": [ - "properties" - ] + "fileUploadLimitInMb": { + "description": "Maximum file upload size in Mb for WAF.", + "type": "integer" }, - "name": {}, - "outboundRule": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" + "firewallMode": { + "description": "Web application firewall mode.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayFirewallMode" + } ] }, - "outboundRules": { - "containers": [ - "properties" - ], + "maxRequestBodySize": { + "description": "Maximum request body size for WAF.", + "type": "integer" + }, + "maxRequestBodySizeInKb": { + "description": "Maximum request body size in Kb for WAF.", + "type": "integer" + }, + "requestBodyCheck": { + "description": "Whether allow WAF to check request Body.", + "type": "boolean" + }, + "ruleSetType": { + "description": "The type of the web application firewall rule set. Possible values are: 'OWASP'.", + "type": "string" + }, + "ruleSetVersion": { + "description": "The version of the rule set type.", + "type": "string" + } + }, + "required": [ + "enabled", + "firewallMode", + "ruleSetType", + "ruleSetVersion" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse": { + "description": "Application gateway web application firewall configuration.", + "properties": { + "disabledRuleGroups": { + "description": "The disabled rule groups.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFirewallDisabledRuleGroupResponse", "type": "object" - } + }, + "type": "array" }, - "provisioningState": { - "containers": [ - "properties" - ] + "enabled": { + "description": "Whether the web application firewall is enabled or not.", + "type": "boolean" }, - "tunnelInterfaces": { - "containers": [ - "properties" - ], + "exclusions": { + "description": "The exclusion list.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFirewallExclusionResponse", "type": "object" - } + }, + "type": "array" }, - "type": {}, - "virtualNetwork": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "fileUploadLimitInMb": { + "description": "Maximum file upload size in Mb for WAF.", + "type": "integer" + }, + "firewallMode": { + "description": "Web application firewall mode.", + "type": "string" + }, + "maxRequestBodySize": { + "description": "Maximum request body size for WAF.", + "type": "integer" + }, + "maxRequestBodySizeInKb": { + "description": "Maximum request body size in Kb for WAF.", + "type": "integer" + }, + "requestBodyCheck": { + "description": "Whether allow WAF to check request Body.", + "type": "boolean" + }, + "ruleSetType": { + "description": "The type of the web application firewall rule set. Possible values are: 'OWASP'.", + "type": "string" + }, + "ruleSetVersion": { + "description": "The version of the rule set type.", + "type": "string" } - } + }, + "required": [ + "enabled", + "firewallMode", + "ruleSetType", + "ruleSetVersion" + ], + "type": "object" }, - "azure-native:network:getLocalNetworkGateway": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationRule": { + "description": "Rule of type application.", + "properties": { + "description": { + "description": "Description of the rule.", + "type": "string" }, - { - "location": "path", - "name": "localNetworkGatewayName", - "required": true, - "value": { - "minLength": 1, + "destinationAddresses": { + "description": "List of destination IP addresses or Service Tags.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "fqdnTags": { + "description": "List of FQDN Tags for this rule.", + "items": { "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "response": { - "bgpSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", - "containers": [ - "properties" - ] + }, + "type": "array" }, - "etag": {}, - "fqdn": { - "containers": [ - "properties" - ] + "httpHeadersToInsert": { + "description": "List of HTTP/S headers to insert.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyHttpHeaderToInsert", + "type": "object" + }, + "type": "array" }, - "gatewayIpAddress": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the rule.", + "type": "string" }, - "id": {}, - "localNetworkAddressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", - "containers": [ - "properties" - ] + "protocols": { + "description": "Array of Application Protocols.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyRuleApplicationProtocol", + "type": "object" + }, + "type": "array" }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "ruleType": { + "const": "ApplicationRule", + "description": "Rule Type.\nExpected value is 'ApplicationRule'.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", + "items": { + "type": "string" + }, + "type": "array" }, - "tags": { - "additionalProperties": { + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - "type": {} - } - }, - "azure-native:network:getManagementGroupNetworkManagerConnection": { - "GET": [ - { - "location": "path", - "name": "managementGroupId", - "required": true, - "value": { + "targetFqdns": { + "description": "List of FQDNs for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "networkManagerConnectionName", - "required": true, - "value": { + "targetUrls": { + "description": "List of Urls for this rule condition.", + "items": { "type": "string" - } + }, + "type": "array" + }, + "terminateTLS": { + "description": "Terminate TLS connections for this rule.", + "type": "boolean" + }, + "webCategories": { + "description": "List of destination azure web categories.", + "items": { + "type": "string" + }, + "type": "array" } + }, + "required": [ + "ruleType" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "response": { + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationRuleResponse": { + "description": "Rule of type application.", + "properties": { "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "networkManagerId": { - "containers": [ - "properties" - ] + "description": "Description of the rule.", + "type": "string" }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "destinationAddresses": { + "description": "List of destination IP addresses or Service Tags.", + "items": { + "type": "string" + }, + "type": "array" }, - "type": {} - } - }, - "azure-native:network:getNatGateway": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "fqdnTags": { + "description": "List of FQDN Tags for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "natGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "response": { - "etag": {}, - "id": {}, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ] - }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "publicIpAddresses": { - "containers": [ - "properties" - ], + "httpHeadersToInsert": { + "description": "List of HTTP/S headers to insert.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyHttpHeaderToInsertResponse", "type": "object" - } + }, + "type": "array" }, - "publicIpPrefixes": { - "containers": [ - "properties" - ], + "name": { + "description": "Name of the rule.", + "type": "string" + }, + "protocols": { + "description": "Array of Application Protocols.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyRuleApplicationProtocolResponse", "type": "object" - } - }, - "resourceGuid": { - "containers": [ - "properties" - ] + }, + "type": "array" }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySkuResponse" + "ruleType": { + "const": "ApplicationRule", + "description": "Rule Type.\nExpected value is 'ApplicationRule'.", + "type": "string" }, - "subnets": { - "containers": [ - "properties" - ], + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { "type": "string" - } + }, + "type": "array" }, - "type": {}, - "zones": { + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", "items": { "type": "string" - } - } - } - }, - "azure-native:network:getNatRule": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "targetFqdns": { + "description": "List of FQDNs for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { + "targetUrls": { + "description": "List of Urls for this rule condition.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "natRuleName", - "required": true, - "value": { + "terminateTLS": { + "description": "Terminate TLS connections for this rule.", + "type": "boolean" + }, + "webCategories": { + "description": "List of destination azure web categories.", + "items": { "type": "string" - } + }, + "type": "array" } + }, + "required": [ + "ruleType" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "response": { - "egressVpnSiteLinkConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationSecurityGroup": { + "description": "An application security group in a resource group.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - "etag": {}, - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", - "type": "object" - } + "location": { + "description": "Resource location.", + "type": "string" }, - "id": {}, - "ingressVpnSiteLinkConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ApplicationSecurityGroupResponse": { + "description": "An application security group in a resource group.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "internalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", - "type": "object" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "ipConfigurationId": { - "containers": [ - "properties" - ] + "location": { + "description": "Resource location.", + "type": "string" }, - "mode": { - "containers": [ - "properties" - ] + "name": { + "description": "Resource name.", + "type": "string" }, - "name": {}, "provisioningState": { - "containers": [ - "properties" - ] - }, - "type": {} - } - }, - "azure-native:network:getNetworkGroup": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "description": "The provisioning state of the application security group resource.", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "resourceGuid": { + "description": "The resource GUID property of the application security group resource. It uniquely identifies a resource, even if the user changes its name or migrate the resource across subscriptions or resource groups.", + "type": "string" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { + "tags": { + "additionalProperties": { "type": "string" - } + }, + "description": "Resource tags.", + "type": "object" }, - { - "location": "path", - "name": "networkGroupName", - "required": true, - "value": { - "type": "string" - } + "type": { + "description": "Resource type.", + "type": "string" } + }, + "required": [ + "etag", + "name", + "provisioningState", + "resourceGuid", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "response": { + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRule": { + "description": "Properties of an application rule.", + "properties": { "description": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "description": "Description of the rule.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "fqdnTags": { + "description": "List of FQDN Tags for this rule.", + "items": { + "type": "string" + }, + "type": "array" }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "name": { + "description": "Name of the application rule.", + "type": "string" }, - "type": {} - } - }, - "azure-native:network:getNetworkInterface": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "protocols": { + "description": "Array of ApplicationRuleProtocols.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleProtocol", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "networkInterfaceName", - "required": true, - "value": { + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", + "targetFqdns": { + "description": "List of FQDNs for this rule.", + "items": { "type": "string" - } + }, + "type": "array" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "response": { - "auxiliaryMode": { - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollection": { + "description": "Application rule collection resource.", + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallRCAction", + "description": "The action type of a rule collection.", + "type": "object" }, - "auxiliarySku": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "disableTcpStateTracking": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", + "type": "string" }, - "dnsSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse", - "containers": [ - "properties" - ] + "priority": { + "description": "Priority of the application rule collection resource.", + "type": "integer" }, - "dscpConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "rules": { + "description": "Collection of rules used by a application rule collection.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRule", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollectionResponse": { + "description": "Application rule collection resource.", + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallRCActionResponse", + "description": "The action type of a rule collection.", + "type": "object" }, - "enableAcceleratedNetworking": { - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "enableIPForwarding": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "name": { + "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", + "type": "string" }, - "hostedWorkloads": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + "priority": { + "description": "Priority of the application rule collection resource.", + "type": "integer" }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], + "provisioningState": { + "description": "The provisioning state of the application rule collection resource.", + "type": "string" + }, + "rules": { + "description": "Collection of rules used by a application rule collection.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleResponse", "type": "object" - } + }, + "type": "array" + } + }, + "required": [ + "etag", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRuleProtocol": { + "description": "Properties of the application rule protocol.", + "properties": { + "port": { + "description": "Port number for the protocol, cannot be greater than 64000. This field is optional.", + "type": "integer" }, - "location": {}, - "macAddress": { - "containers": [ - "properties" + "protocolType": { + "description": "Protocol type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:AzureFirewallApplicationRuleProtocolType" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRuleProtocolResponse": { + "description": "Properties of the application rule protocol.", + "properties": { + "port": { + "description": "Port number for the protocol, cannot be greater than 64000. This field is optional.", + "type": "integer" }, - "migrationPhase": { - "containers": [ - "properties" - ] + "protocolType": { + "description": "Protocol type.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRuleResponse": { + "description": "Properties of an application rule.", + "properties": { + "description": { + "description": "Description of the rule.", + "type": "string" }, - "name": {}, - "networkSecurityGroup": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", - "containers": [ - "properties" - ] + "fqdnTags": { + "description": "List of FQDN Tags for this rule.", + "items": { + "type": "string" + }, + "type": "array" }, - "nicType": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the application rule.", + "type": "string" }, - "primary": { - "containers": [ - "properties" - ] + "protocols": { + "description": "Array of ApplicationRuleProtocols.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleProtocolResponse", + "type": "object" + }, + "type": "array" }, - "privateEndpoint": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", - "containers": [ - "properties" - ] + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", + "items": { + "type": "string" + }, + "type": "array" }, - "privateLinkService": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceResponse", - "containers": [ - "properties" - ] - }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - "tapConfigurations": { - "containers": [ - "properties" - ], + "targetFqdns": { + "description": "List of FQDNs for this rule.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallIPConfiguration": { + "description": "IP configuration of an Azure Firewall.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - "type": {}, - "virtualMachine": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "name": { + "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" }, - "vnetEncryptionSupported": { - "containers": [ - "properties" - ] + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to the PublicIP resource. This field is a mandatory input if subnet is not null.", + "type": "object" }, - "workloadType": { - "containers": [ - "properties" - ] + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to the subnet resource. This resource must be named 'AzureFirewallSubnet' or 'AzureFirewallManagementSubnet'.", + "type": "object" } - } + }, + "type": "object" }, - "azure-native:network:getNetworkInterfaceTapConfiguration": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse": { + "description": "IP configuration of an Azure Firewall.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "networkInterfaceName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "tapConfigurationName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "privateIPAddress": { + "description": "The Firewall Internal Load Balancer IP to be used as the next hop in User Defined Routes.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the Azure firewall IP configuration resource.", + "type": "string" }, - "type": {}, - "virtualNetworkTap": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", - "containers": [ - "properties" - ] + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to the PublicIP resource. This field is a mandatory input if subnet is not null.", + "type": "object" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to the subnet resource. This resource must be named 'AzureFirewallSubnet' or 'AzureFirewallManagementSubnet'.", + "type": "object" + }, + "type": { + "description": "Type of the resource.", + "type": "string" } - } + }, + "required": [ + "etag", + "privateIPAddress", + "provisioningState", + "type" + ], + "type": "object" }, - "azure-native:network:getNetworkManager": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:AzureFirewallIpGroupsResponse": { + "description": "IpGroups associated with azure firewall.", + "properties": { + "changeNumber": { + "description": "The iteration number.", + "type": "string" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" } + }, + "required": [ + "changeNumber", + "id" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "response": { - "description": { - "containers": [ - "properties" + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallNatRCAction": { + "description": "AzureFirewall NAT Rule Collection Action.", + "properties": { + "type": { + "description": "The type of action.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:AzureFirewallNatRCActionType" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallNatRCActionResponse": { + "description": "AzureFirewall NAT Rule Collection Action.", + "properties": { + "type": { + "description": "The type of action.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallNatRule": { + "description": "Properties of a NAT rule.", + "properties": { + "description": { + "description": "Description of the rule.", + "type": "string" }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "networkManagerScopeAccesses": { - "containers": [ - "properties" - ], + "destinationAddresses": { + "description": "List of destination IP addresses for this rule. Supports IP ranges, prefixes, and service tags.", "items": { "type": "string" - } - }, - "networkManagerScopes": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesResponseNetworkManagerScopes", - "containers": [ - "properties" - ] + }, + "type": "array" }, - "provisioningState": { - "containers": [ - "properties" - ] + "destinationPorts": { + "description": "List of destination ports.", + "items": { + "type": "string" + }, + "type": "array" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the NAT rule.", + "type": "string" }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "protocols": { + "description": "Array of AzureFirewallNetworkRuleProtocols applicable to this NAT rule.", + "items": { + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:AzureFirewallNetworkRuleProtocol" + } + ] + }, + "type": "array" }, - "tags": { - "additionalProperties": { + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - "type": {} - } - }, - "azure-native:network:getNetworkProfile": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "networkProfileName", - "required": true, - "value": { - "type": "string" - } + "translatedAddress": { + "description": "The translated address for this NAT rule.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "translatedFqdn": { + "description": "The translated FQDN for this NAT rule.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "translatedPort": { + "description": "The translated port for this NAT rule.", + "type": "string" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "response": { - "containerNetworkInterfaceConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse", - "type": "object" - } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallNatRuleCollection": { + "description": "NAT rule collection resource.", + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRCAction", + "description": "The action type of a NAT rule collection.", + "type": "object" }, - "containerNetworkInterfaces": { - "containers": [ - "properties" - ], + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", + "type": "string" + }, + "priority": { + "description": "Priority of the NAT rule collection resource.", + "type": "integer" + }, + "rules": { + "description": "Collection of rules used by a NAT rule collection.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRule", "type": "object" - } + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallNatRuleCollectionResponse": { + "description": "NAT rule collection resource.", + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRCActionResponse", + "description": "The action type of a NAT rule collection.", + "type": "object" }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "name": { + "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", + "type": "string" }, - "type": {} - } + "priority": { + "description": "Priority of the NAT rule collection resource.", + "type": "integer" + }, + "provisioningState": { + "description": "The provisioning state of the NAT rule collection resource.", + "type": "string" + }, + "rules": { + "description": "Collection of rules used by a NAT rule collection.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleResponse", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "etag", + "provisioningState" + ], + "type": "object" }, - "azure-native:network:getNetworkSecurityGroup": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:AzureFirewallNatRuleResponse": { + "description": "Properties of a NAT rule.", + "properties": { + "description": { + "description": "Description of the rule.", + "type": "string" }, - { - "location": "path", - "name": "networkSecurityGroupName", - "required": true, - "value": { + "destinationAddresses": { + "description": "List of destination IP addresses for this rule. Supports IP ranges, prefixes, and service tags.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "destinationPorts": { + "description": "List of destination ports.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "response": { - "defaultSecurityRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", - "type": "object" - } + "name": { + "description": "Name of the NAT rule.", + "type": "string" }, - "etag": {}, - "flowLogs": { - "containers": [ - "properties" - ], + "protocols": { + "description": "Array of AzureFirewallNetworkRuleProtocols applicable to this NAT rule.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "flushConnection": { - "containers": [ - "properties" - ] + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", + "items": { + "type": "string" + }, + "type": "array" }, - "id": {}, - "location": {}, - "name": {}, - "networkInterfaces": { - "containers": [ - "properties" - ], + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "provisioningState": { - "containers": [ - "properties" - ] + "translatedAddress": { + "description": "The translated address for this NAT rule.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "translatedFqdn": { + "description": "The translated FQDN for this NAT rule.", + "type": "string" }, - "securityRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", - "type": "object" - } + "translatedPort": { + "description": "The translated port for this NAT rule.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallNetworkRule": { + "description": "Properties of the network rule.", + "properties": { + "description": { + "description": "Description of the rule.", + "type": "string" }, - "subnets": { - "containers": [ - "properties" - ], + "destinationAddresses": { + "description": "List of destination IP addresses.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "tags": { - "additionalProperties": { + "destinationFqdns": { + "description": "List of destination FQDNs.", + "items": { "type": "string" - } + }, + "type": "array" }, - "type": {} - } - }, - "azure-native:network:getNetworkVirtualAppliance": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "destinationIpGroups": { + "description": "List of destination IpGroups for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "networkVirtualApplianceName", - "required": true, - "value": { + "destinationPorts": { + "description": "List of destination ports.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the network rule.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "response": { - "additionalNics": { - "containers": [ - "properties" - ], + "protocols": { + "description": "Array of AzureFirewallNetworkRuleProtocols.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicPropertiesResponse", - "type": "object" - } - }, - "addressPrefix": { - "containers": [ - "properties" - ] + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:AzureFirewallNetworkRuleProtocol" + } + ] + }, + "type": "array" }, - "bootStrapConfigurationBlobs": { - "containers": [ - "properties" - ], + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", "items": { "type": "string" - } - }, - "cloudInitConfiguration": { - "containers": [ - "properties" - ] + }, + "type": "array" }, - "cloudInitConfigurationBlobs": { - "containers": [ - "properties" - ], + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", "items": { "type": "string" - } + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollection": { + "description": "Network rule collection resource.", + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallRCAction", + "description": "The action type of a rule collection.", + "type": "object" }, - "delegation": { - "$ref": "#/types/azure-native_network_v20230201:network:DelegationPropertiesResponse", - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "deploymentType": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", + "type": "string" }, - "etag": {}, - "id": {}, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + "priority": { + "description": "Priority of the network rule collection resource.", + "type": "integer" }, - "inboundSecurityRules": { - "containers": [ - "properties" - ], + "rules": { + "description": "Collection of rules used by a network rule collection.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRule", "type": "object" - } - }, - "location": {}, - "name": {}, - "nvaSku": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuPropertiesResponse", - "containers": [ - "properties" - ] + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollectionResponse": { + "description": "Network rule collection resource.", + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallRCActionResponse", + "description": "The action type of a rule collection.", + "type": "object" }, - "partnerManagedResource": { - "$ref": "#/types/azure-native_network_v20230201:network:PartnerManagedResourcePropertiesResponse", - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "sshPublicKey": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the resource that is unique within the Azure firewall. This name can be used to access the resource.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "priority": { + "description": "Priority of the network rule collection resource.", + "type": "integer" }, - "type": {}, - "virtualApplianceAsn": { - "containers": [ - "properties" - ] + "provisioningState": { + "description": "The provisioning state of the network rule collection resource.", + "type": "string" }, - "virtualApplianceConnections": { - "containers": [ - "properties" - ], + "rules": { + "description": "Collection of rules used by a network rule collection.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleResponse", "type": "object" - } + }, + "type": "array" + } + }, + "required": [ + "etag", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallNetworkRuleResponse": { + "description": "Properties of the network rule.", + "properties": { + "description": { + "description": "Description of the rule.", + "type": "string" }, - "virtualApplianceNics": { - "containers": [ - "properties" - ], + "destinationAddresses": { + "description": "List of destination IP addresses.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceNicPropertiesResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "virtualApplianceSites": { - "containers": [ - "properties" - ], + "destinationFqdns": { + "description": "List of destination FQDNs.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } - }, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network:getNetworkVirtualApplianceConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "destinationIpGroups": { + "description": "List of destination IpGroups for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "networkVirtualApplianceName", - "required": true, - "value": { + "destinationPorts": { + "description": "List of destination ports.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", - "response": { - "id": {}, - "name": {}, - "properties": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionPropertiesResponse" - } - } - }, - "azure-native:network:getNetworkWatcher": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "name": { + "description": "Name of the network rule.", + "type": "string" + }, + "protocols": { + "description": "Array of AzureFirewallNetworkRuleProtocols.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", + "items": { "type": "string" - } + }, + "type": "array" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallPublicIPAddress": { + "description": "Public IP Address associated with azure firewall.", + "properties": { + "address": { + "description": "Public IP Address value.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallPublicIPAddressResponse": { + "description": "Public IP Address associated with azure firewall.", + "properties": { + "address": { + "description": "Public IP Address value.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallRCAction": { + "description": "Properties of the AzureFirewallRCAction.", + "properties": { + "type": { + "description": "The type of action.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:AzureFirewallRCActionType" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallRCActionResponse": { + "description": "Properties of the AzureFirewallRCAction.", + "properties": { + "type": { + "description": "The type of action.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallSku": { + "description": "SKU of an Azure Firewall.", + "properties": { + "name": { + "description": "Name of an Azure Firewall SKU.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:AzureFirewallSkuName" + } ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "tier": { + "description": "Tier of an Azure Firewall.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:AzureFirewallSkuTier" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:AzureFirewallSkuResponse": { + "description": "SKU of an Azure Firewall.", + "properties": { + "name": { + "description": "Name of an Azure Firewall SKU.", + "type": "string" }, - "type": {} - } + "tier": { + "description": "Tier of an Azure Firewall.", + "type": "string" + } + }, + "type": "object" }, - "azure-native:network:getP2sVpnGateway": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:BackendAddressPool": { + "description": "Pool of backend IP addresses.", + "properties": { + "drainPeriodInSeconds": { + "description": "Amount of seconds Load Balancer waits for before sending RESET to client and backend address.", + "type": "integer" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "response": { - "customDnsServers": { - "containers": [ - "properties" - ], + "loadBalancerBackendAddresses": { + "description": "An array of backend addresses.", "items": { - "type": "string" - } + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddress", + "type": "object" + }, + "type": "array" }, - "etag": {}, - "id": {}, - "isRoutingPreferenceInternet": { - "containers": [ - "properties" - ] + "location": { + "description": "The location of the backend address pool.", + "type": "string" }, - "location": {}, - "name": {}, - "p2SConnectionConfigurations": { - "containers": [ - "properties" - ], + "name": { + "description": "The name of the resource that is unique within the set of backend address pools used by the load balancer. This name can be used to access the resource.", + "type": "string" + }, + "tunnelInterfaces": { + "description": "An array of gateway load balancer tunnel interfaces.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterface", "type": "object" - } + }, + "type": "array" }, - "provisioningState": { - "containers": [ - "properties" - ] + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "A reference to a virtual network.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:BackendAddressPoolResponse": { + "description": "Pool of backend IP addresses.", + "properties": { + "backendIPConfigurations": { + "description": "An array of references to IP addresses defined in network interfaces.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "type": "object" + }, + "type": "array" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "drainPeriodInSeconds": { + "description": "Amount of seconds Load Balancer waits for before sending RESET to client and backend address.", + "type": "integer" }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "vpnClientConnectionHealth": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "vpnGatewayScaleUnit": { - "containers": [ - "properties" - ] + "inboundNatRules": { + "description": "An array of references to inbound NAT rules that use this backend address pool.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" }, - "vpnServerConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network:getPacketCapture": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "loadBalancerBackendAddresses": { + "description": "An array of backend addresses.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { - "type": "string" - } + "loadBalancingRules": { + "description": "An array of references to load balancing rules that use this backend address pool.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "packetCaptureName", - "required": true, - "value": { - "type": "string" - } + "location": { + "description": "The location of the backend address pool.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "response": { - "bytesToCapturePerPacket": { - "containers": [ - "properties" - ], - "default": 0 + "name": { + "description": "The name of the resource that is unique within the set of backend address pools used by the load balancer. This name can be used to access the resource.", + "type": "string" }, - "etag": {}, - "filters": { - "containers": [ - "properties" - ], + "outboundRule": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "A reference to an outbound rule that uses this backend address pool.", + "type": "object" + }, + "outboundRules": { + "description": "An array of references to outbound rules that use this backend address pool.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilterResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" - } + }, + "type": "array" }, - "id": {}, - "name": {}, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the backend address pool resource.", + "type": "string" }, - "scope": { - "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScopeResponse", - "containers": [ - "properties" - ] + "tunnelInterfaces": { + "description": "An array of gateway load balancer tunnel interfaces.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse", + "type": "object" + }, + "type": "array" }, - "storageLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocationResponse", - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" }, - "target": { - "containers": [ - "properties" - ] + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "A reference to a virtual network.", + "type": "object" + } + }, + "required": [ + "backendIPConfigurations", + "etag", + "inboundNatRules", + "loadBalancingRules", + "outboundRule", + "outboundRules", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:BastionActiveSessionResponse": { + "description": "The session detail for a target.", + "properties": { + "protocol": { + "description": "The protocol used to connect to the target.", + "type": "string" }, - "targetType": { - "containers": [ - "properties" - ] + "resourceType": { + "description": "The type of the resource.", + "type": "string" }, - "timeLimitInSeconds": { - "containers": [ - "properties" - ], - "default": 18000 + "sessionDurationInMins": { + "description": "Duration in mins the session has been active.", + "type": "number" }, - "totalBytesPerSession": { - "containers": [ - "properties" - ], - "default": 1073741824 - } - } - }, - "azure-native:network:getPrivateDnsZoneGroup": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "sessionId": { + "description": "A unique id for the session.", + "type": "string" }, - { - "location": "path", - "name": "privateEndpointName", - "required": true, - "value": { - "type": "string" - } + "startTime": { + "$ref": "pulumi.json#/Any", + "description": "The time when the session started." }, - { - "location": "path", - "name": "privateDnsZoneGroupName", - "required": true, - "value": { - "type": "string" - } + "targetHostName": { + "description": "The host name of the target.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "privateDnsZoneConfigs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfigResponse", - "type": "object" - } + "targetIpAddress": { + "description": "The IP Address of the target.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network:getPrivateEndpoint": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "targetResourceGroup": { + "description": "The resource group of the target.", + "type": "string" }, - { - "location": "path", - "name": "privateEndpointName", - "required": true, - "value": { - "type": "string" - } + "targetResourceId": { + "description": "The resource id of the target.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "targetSubscriptionId": { + "description": "The subscription id for the target virtual machine.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "userName": { + "description": "The user name who is active on this session.", + "type": "string" } + }, + "required": [ + "protocol", + "resourceType", + "sessionDurationInMins", + "sessionId", + "startTime", + "targetHostName", + "targetIpAddress", + "targetResourceGroup", + "targetResourceId", + "targetSubscriptionId", + "userName" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "response": { - "applicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", - "type": "object" - } + "type": "object" + }, + "azure-native_network_v20230201:network:BastionHostIPConfiguration": { + "description": "IP configuration of an Bastion Host.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - "customDnsConfigs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse", - "type": "object" - } + "name": { + "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" }, - "customNetworkInterfaceName": { - "containers": [ - "properties" + "privateIPAllocationMethod": { + "description": "Private IP allocation method.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPAllocationMethod" + } ] }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference of the PublicIP resource.", + "type": "object" }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse", - "type": "object" - } + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference of the subnet resource.", + "type": "object" + } + }, + "required": [ + "publicIPAddress", + "subnet" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:BastionHostIPConfigurationResponse": { + "description": "IP configuration of an Bastion Host.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "location": {}, - "manualPrivateLinkServiceConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", - "type": "object" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "name": {}, - "networkInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", - "type": "object" - } + "name": { + "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" }, - "privateLinkServiceConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", - "type": "object" - } + "privateIPAllocationMethod": { + "description": "Private IP allocation method.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the bastion host IP configuration resource.", + "type": "string" }, - "subnet": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", - "containers": [ - "properties" - ] + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference of the PublicIP resource.", + "type": "object" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference of the subnet resource.", + "type": "object" }, - "type": {} - } + "type": { + "description": "Ip configuration type.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "publicIPAddress", + "subnet", + "type" + ], + "type": "object" }, - "azure-native:network:getPrivateLinkService": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:BastionShareableLink": { + "description": "Bastion Shareable Link.", + "properties": { + "vm": { + "$ref": "#/types/azure-native_network_v20230201:network:VM", + "description": "Reference of the virtual machine resource.", + "type": "object" + } + }, + "required": [ + "vm" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:BastionShareableLinkResponse": { + "description": "Bastion Shareable Link.", + "properties": { + "bsl": { + "description": "The unique Bastion Shareable Link to the virtual machine.", + "type": "string" }, - { - "location": "path", - "name": "serviceName", - "required": true, - "value": { - "type": "string" - } + "createdAt": { + "description": "The time when the link was created.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "message": { + "description": "Optional field indicating the warning or error message related to the vm in case of partial failure.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "vm": { + "$ref": "#/types/azure-native_network_v20230201:network:VMResponse", + "description": "Reference of the virtual machine resource.", + "type": "object" } + }, + "required": [ + "bsl", + "createdAt", + "message", + "vm" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "response": { - "alias": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:BgpPeerStatusResponse": { + "description": "BGP peer status details.", + "properties": { + "asn": { + "description": "The autonomous system number of the remote BGP peer.", + "type": "number" }, - "autoApproval": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval", - "containers": [ - "properties" - ] + "connectedDuration": { + "description": "For how long the peering has been up.", + "type": "string" }, - "enableProxyProtocol": { - "containers": [ - "properties" - ] + "localAddress": { + "description": "The virtual network gateway's local address.", + "type": "string" }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "messagesReceived": { + "description": "The number of BGP messages received.", + "type": "number" }, - "fqdns": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + "messagesSent": { + "description": "The number of BGP messages sent.", + "type": "number" }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse", - "type": "object" - } + "neighbor": { + "description": "The remote BGP peer.", + "type": "string" }, - "loadBalancerFrontendIpConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", - "type": "object" - } + "routesReceived": { + "description": "The number of routes learned from this peer.", + "type": "number" }, - "location": {}, - "name": {}, - "networkInterfaces": { - "containers": [ - "properties" - ], + "state": { + "description": "The BGP peer state.", + "type": "string" + } + }, + "required": [ + "asn", + "connectedDuration", + "localAddress", + "messagesReceived", + "messagesSent", + "neighbor", + "routesReceived", + "state" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:BgpSettings": { + "description": "BGP settings details.", + "properties": { + "asn": { + "description": "The BGP speaker's ASN.", + "type": "number" + }, + "bgpPeeringAddress": { + "description": "The BGP peering address and BGP identifier of this BGP speaker.", + "type": "string" + }, + "bgpPeeringAddresses": { + "description": "BGP peering address with IP configuration ID for virtual network gateway.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationBgpPeeringAddress", "type": "object" - } + }, + "type": "array" }, - "privateEndpointConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointConnectionResponse", - "type": "object" - } + "peerWeight": { + "description": "The weight added to routes learned from this BGP speaker.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:BgpSettingsResponse": { + "description": "BGP settings details.", + "properties": { + "asn": { + "description": "The BGP speaker's ASN.", + "type": "number" }, - "provisioningState": { - "containers": [ - "properties" - ] + "bgpPeeringAddress": { + "description": "The BGP peering address and BGP identifier of this BGP speaker.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "bgpPeeringAddresses": { + "description": "BGP peering address with IP configuration ID for virtual network gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationBgpPeeringAddressResponse", + "type": "object" + }, + "type": "array" }, - "type": {}, - "visibility": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility", - "containers": [ - "properties" - ] + "peerWeight": { + "description": "The weight added to routes learned from this BGP speaker.", + "type": "integer" } - } + }, + "type": "object" }, - "azure-native:network:getPrivateLinkServicePrivateEndpointConnection": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "serviceName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "peConnectionName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:BreakOutCategoryPolicies": { + "description": "Network Virtual Appliance Sku Properties.", + "properties": { + "allow": { + "description": "Flag to control breakout of o365 allow category.", + "type": "boolean" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "default": { + "description": "Flag to control breakout of o365 default category.", + "type": "boolean" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "optimize": { + "description": "Flag to control breakout of o365 optimize category.", + "type": "boolean" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "response": { - "etag": {}, - "id": {}, - "linkIdentifier": { - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:BreakOutCategoryPoliciesResponse": { + "description": "Network Virtual Appliance Sku Properties.", + "properties": { + "allow": { + "description": "Flag to control breakout of o365 allow category.", + "type": "boolean" }, - "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", - "containers": [ - "properties" - ] + "default": { + "description": "Flag to control breakout of o365 default category.", + "type": "boolean" }, - "privateEndpointLocation": { - "containers": [ - "properties" - ] + "optimize": { + "description": "Flag to control breakout of o365 optimize category.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConfigurationGroupResponse": { + "description": "The network configuration group resource", + "properties": { + "description": { + "description": "A description of the network group.", + "type": "string" }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", - "containers": [ - "properties" - ] + "id": { + "description": "Network group ID.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the scope assignment resource.", + "type": "string" }, - "type": {} - } + "resourceGuid": { + "description": "Unique identifier for this resource.", + "type": "string" + } + }, + "required": [ + "provisioningState", + "resourceGuid" + ], + "type": "object" }, - "azure-native:network:getPublicIPAddress": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ConnectionMonitorDestination": { + "description": "Describes the destination of connection monitor.", + "properties": { + "address": { + "description": "Address of the connection monitor destination (IP or domain name).", + "type": "string" }, - { - "location": "path", - "name": "publicIpAddressName", - "required": true, - "value": { - "type": "string" - } + "port": { + "description": "The destination port used by connection monitor.", + "type": "integer" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "resourceId": { + "description": "The ID of the resource used as the destination by connection monitor.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorDestinationResponse": { + "description": "Describes the destination of connection monitor.", + "properties": { + "address": { + "description": "Address of the connection monitor destination (IP or domain name).", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "port": { + "description": "The destination port used by connection monitor.", + "type": "integer" + }, + "resourceId": { + "description": "The ID of the resource used as the destination by connection monitor.", + "type": "string" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "response": { - "ddosSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:DdosSettingsResponse", - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpoint": { + "description": "Describes the connection monitor endpoint.", + "properties": { + "address": { + "description": "Address of the connection monitor endpoint (IP or domain name).", + "type": "string" }, - "deleteOption": { - "containers": [ - "properties" + "coverageLevel": { + "description": "Test coverage for the endpoint.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:CoverageLevel" + } ] }, - "dnsSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse", - "containers": [ - "properties" - ] + "filter": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointFilter", + "description": "Filter for sub-items within the endpoint.", + "type": "object" }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "name": { + "description": "The name of the connection monitor endpoint.", + "type": "string" }, - "id": {}, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ] + "resourceId": { + "description": "Resource ID of the connection monitor endpoint.", + "type": "string" }, - "ipAddress": { - "containers": [ - "properties" - ] + "scope": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScope", + "description": "Endpoint scope.", + "type": "object" }, - "ipConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", - "containers": [ - "properties" + "type": { + "description": "The endpoint type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:EndpointType" + } ] - }, - "ipTags": { - "containers": [ - "properties" - ], + } + }, + "required": [ + "name" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointFilter": { + "description": "Describes the connection monitor endpoint filter.", + "properties": { + "items": { + "description": "List of items in the filter.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterItem", "type": "object" - } - }, - "linkedPublicIPAddress": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", - "containers": [ - "properties" - ] + }, + "type": "array" }, - "location": {}, - "migrationPhase": { - "containers": [ - "properties" + "type": { + "description": "The behavior of the endpoint filter. Currently only 'Include' is supported.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ConnectionMonitorEndpointFilterType" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterItem": { + "description": "Describes the connection monitor endpoint filter item.", + "properties": { + "address": { + "description": "The address of the filter item.", + "type": "string" }, - "name": {}, - "natGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", - "containers": [ - "properties" + "type": { + "description": "The type of item included in the filter. Currently only 'AgentAddress' is supported.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ConnectionMonitorEndpointFilterItemType" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterItemResponse": { + "description": "Describes the connection monitor endpoint filter item.", + "properties": { + "address": { + "description": "The address of the filter item.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] + "type": { + "description": "The type of item included in the filter. Currently only 'AgentAddress' is supported.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterResponse": { + "description": "Describes the connection monitor endpoint filter.", + "properties": { + "items": { + "description": "List of items in the filter.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterItemResponse", + "type": "object" + }, + "type": "array" }, - "publicIPAddressVersion": { - "containers": [ - "properties" - ] + "type": { + "description": "The behavior of the endpoint filter. Currently only 'Include' is supported.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointResponse": { + "description": "Describes the connection monitor endpoint.", + "properties": { + "address": { + "description": "Address of the connection monitor endpoint (IP or domain name).", + "type": "string" }, - "publicIPAllocationMethod": { - "containers": [ - "properties" - ] + "coverageLevel": { + "description": "Test coverage for the endpoint.", + "type": "string" }, - "publicIPPrefix": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "filter": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterResponse", + "description": "Filter for sub-items within the endpoint.", + "type": "object" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the connection monitor endpoint.", + "type": "string" }, - "servicePublicIPAddress": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", - "containers": [ - "properties" - ] + "resourceId": { + "description": "Resource ID of the connection monitor endpoint.", + "type": "string" }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuResponse" + "scope": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeResponse", + "description": "Endpoint scope.", + "type": "object" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "type": { + "description": "The endpoint type.", + "type": "string" + } + }, + "required": [ + "name" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointScope": { + "description": "Describes the connection monitor endpoint scope.", + "properties": { + "exclude": { + "description": "List of items which needs to be excluded from the endpoint scope.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItem", + "type": "object" + }, + "type": "array" }, - "type": {}, - "zones": { + "include": { + "description": "List of items which needs to be included to the endpoint scope.", "items": { - "type": "string" - } + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItem", + "type": "object" + }, + "type": "array" } - } + }, + "type": "object" }, - "azure-native:network:getPublicIPPrefix": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "publicIpPrefixName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItem": { + "description": "Describes the connection monitor endpoint scope item.", + "properties": { + "address": { + "description": "The address of the endpoint item. Supported types are IPv4/IPv6 subnet mask or IPv4/IPv6 IP address.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItemResponse": { + "description": "Describes the connection monitor endpoint scope item.", + "properties": { + "address": { + "description": "The address of the endpoint item. Supported types are IPv4/IPv6 subnet mask or IPv4/IPv6 IP address.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeResponse": { + "description": "Describes the connection monitor endpoint scope.", + "properties": { + "exclude": { + "description": "List of items which needs to be excluded from the endpoint scope.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItemResponse", + "type": "object" + }, + "type": "array" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "include": { + "description": "List of items which needs to be included to the endpoint scope.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItemResponse", + "type": "object" + }, + "type": "array" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "response": { - "customIPPrefix": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorHttpConfiguration": { + "description": "Describes the HTTP configuration.", + "properties": { + "method": { + "description": "The HTTP method to use.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:HTTPConfigurationMethod" + } ] }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "path": { + "description": "The path component of the URI. For instance, \"/dir1/dir2\".", + "type": "string" }, - "id": {}, - "ipPrefix": { - "containers": [ - "properties" - ] + "port": { + "description": "The port to connect to.", + "type": "integer" }, - "ipTags": { - "containers": [ - "properties" - ], + "preferHTTPS": { + "description": "Value indicating whether HTTPS is preferred over HTTP in cases where the choice is not explicit.", + "type": "boolean" + }, + "requestHeaders": { + "description": "The HTTP headers to transmit with the request.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", + "$ref": "#/types/azure-native_network_v20230201:network:HTTPHeader", "type": "object" - } + }, + "type": "array" }, - "loadBalancerFrontendIpConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "validStatusCodeRanges": { + "description": "HTTP status codes to consider successful. For instance, \"2xx,301-304,418\".", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorHttpConfigurationResponse": { + "description": "Describes the HTTP configuration.", + "properties": { + "method": { + "description": "The HTTP method to use.", + "type": "string" }, - "location": {}, - "name": {}, - "natGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", - "containers": [ - "properties" - ] + "path": { + "description": "The path component of the URI. For instance, \"/dir1/dir2\".", + "type": "string" }, - "prefixLength": { - "containers": [ - "properties" - ] + "port": { + "description": "The port to connect to.", + "type": "integer" }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "publicIPAddressVersion": { - "containers": [ - "properties" - ] + "preferHTTPS": { + "description": "Value indicating whether HTTPS is preferred over HTTP in cases where the choice is not explicit.", + "type": "boolean" }, - "publicIPAddresses": { - "containers": [ - "properties" - ], + "requestHeaders": { + "description": "The HTTP headers to transmit with the request.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ReferencedPublicIpAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:HTTPHeaderResponse", "type": "object" - } + }, + "type": "array" }, - "resourceGuid": { - "containers": [ - "properties" + "validStatusCodeRanges": { + "description": "HTTP status codes to consider successful. For instance, \"2xx,301-304,418\".", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorIcmpConfiguration": { + "description": "Describes the ICMP configuration.", + "properties": { + "disableTraceRoute": { + "description": "Value indicating whether path evaluation with trace route should be disabled.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorIcmpConfigurationResponse": { + "description": "Describes the ICMP configuration.", + "properties": { + "disableTraceRoute": { + "description": "Value indicating whether path evaluation with trace route should be disabled.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorOutput": { + "description": "Describes a connection monitor output destination.", + "properties": { + "type": { + "description": "Connection monitor output destination type. Currently, only \"Workspace\" is supported.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:OutputType" + } ] }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSkuResponse" + "workspaceSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorWorkspaceSettings", + "description": "Describes the settings for producing output into a log analytics workspace.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorOutputResponse": { + "description": "Describes a connection monitor output destination.", + "properties": { + "type": { + "description": "Connection monitor output destination type. Currently, only \"Workspace\" is supported.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "workspaceSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorWorkspaceSettingsResponse", + "description": "Describes the settings for producing output into a log analytics workspace.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorSource": { + "description": "Describes the source of connection monitor.", + "properties": { + "port": { + "description": "The source port used by connection monitor.", + "type": "integer" }, - "type": {}, - "zones": { - "items": { - "type": "string" - } + "resourceId": { + "description": "The ID of the resource used as the source by connection monitor.", + "type": "string" } - } + }, + "required": [ + "resourceId" + ], + "type": "object" }, - "azure-native:network:getRoute": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ConnectionMonitorSourceResponse": { + "description": "Describes the source of connection monitor.", + "properties": { + "port": { + "description": "The source port used by connection monitor.", + "type": "integer" }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "type": "string" - } + "resourceId": { + "description": "The ID of the resource used as the source by connection monitor.", + "type": "string" + } + }, + "required": [ + "resourceId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorSuccessThreshold": { + "description": "Describes the threshold for declaring a test successful.", + "properties": { + "checksFailedPercent": { + "description": "The maximum percentage of failed checks permitted for a test to evaluate as successful.", + "type": "integer" }, - { - "location": "path", - "name": "routeName", - "required": true, - "value": { - "type": "string" - } + "roundTripTimeMs": { + "description": "The maximum round-trip time in milliseconds permitted for a test to evaluate as successful.", + "type": "number" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorSuccessThresholdResponse": { + "description": "Describes the threshold for declaring a test successful.", + "properties": { + "checksFailedPercent": { + "description": "The maximum percentage of failed checks permitted for a test to evaluate as successful.", + "type": "integer" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "roundTripTimeMs": { + "description": "The maximum round-trip time in milliseconds permitted for a test to evaluate as successful.", + "type": "number" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "response": { - "addressPrefix": { - "containers": [ - "properties" + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorTcpConfiguration": { + "description": "Describes the TCP configuration.", + "properties": { + "destinationPortBehavior": { + "description": "Destination port behavior.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:DestinationPortBehavior" + } ] }, - "etag": {}, - "hasBgpOverride": { - "containers": [ - "properties" - ] + "disableTraceRoute": { + "description": "Value indicating whether path evaluation with trace route should be disabled.", + "type": "boolean" }, - "id": {}, - "name": {}, - "nextHopIpAddress": { - "containers": [ - "properties" - ] + "port": { + "description": "The port to connect to.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorTcpConfigurationResponse": { + "description": "Describes the TCP configuration.", + "properties": { + "destinationPortBehavior": { + "description": "Destination port behavior.", + "type": "string" }, - "nextHopType": { - "containers": [ - "properties" + "disableTraceRoute": { + "description": "Value indicating whether path evaluation with trace route should be disabled.", + "type": "boolean" + }, + "port": { + "description": "The port to connect to.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorTestConfiguration": { + "description": "Describes a connection monitor test configuration.", + "properties": { + "httpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorHttpConfiguration", + "description": "The parameters used to perform test evaluation over HTTP.", + "type": "object" + }, + "icmpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorIcmpConfiguration", + "description": "The parameters used to perform test evaluation over ICMP.", + "type": "object" + }, + "name": { + "description": "The name of the connection monitor test configuration.", + "type": "string" + }, + "preferredIPVersion": { + "description": "The preferred IP version to use in test evaluation. The connection monitor may choose to use a different version depending on other parameters.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:PreferredIPVersion" + } ] }, - "provisioningState": { - "containers": [ - "properties" + "protocol": { + "description": "The protocol to use in test evaluation.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ConnectionMonitorTestConfigurationProtocol" + } ] }, - "type": {} - } + "successThreshold": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSuccessThreshold", + "description": "The threshold for declaring a test successful.", + "type": "object" + }, + "tcpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTcpConfiguration", + "description": "The parameters used to perform test evaluation over TCP.", + "type": "object" + }, + "testFrequencySec": { + "description": "The frequency of test evaluation, in seconds.", + "type": "integer" + } + }, + "required": [ + "name", + "protocol" + ], + "type": "object" }, - "azure-native:network:getRouteFilter": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationResponse": { + "description": "Describes a connection monitor test configuration.", + "properties": { + "httpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorHttpConfigurationResponse", + "description": "The parameters used to perform test evaluation over HTTP.", + "type": "object" }, - { - "location": "path", - "name": "routeFilterName", - "required": true, - "value": { - "type": "string" - } + "icmpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorIcmpConfigurationResponse", + "description": "The parameters used to perform test evaluation over ICMP.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "The name of the connection monitor test configuration.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "preferredIPVersion": { + "description": "The preferred IP version to use in test evaluation. The connection monitor may choose to use a different version depending on other parameters.", + "type": "string" + }, + "protocol": { + "description": "The protocol to use in test evaluation.", + "type": "string" + }, + "successThreshold": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSuccessThresholdResponse", + "description": "The threshold for declaring a test successful.", + "type": "object" + }, + "tcpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTcpConfigurationResponse", + "description": "The parameters used to perform test evaluation over TCP.", + "type": "object" + }, + "testFrequencySec": { + "description": "The frequency of test evaluation, in seconds.", + "type": "integer" } + }, + "required": [ + "name", + "protocol" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "response": { - "etag": {}, - "id": {}, - "ipv6Peerings": { - "containers": [ - "properties" - ], + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorTestGroup": { + "description": "Describes the connection monitor test group.", + "properties": { + "destinations": { + "description": "List of destination endpoint names.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "location": {}, - "name": {}, - "peerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", - "type": "object" - } + "disable": { + "description": "Value indicating whether test group is disabled.", + "type": "boolean" }, - "provisioningState": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the connection monitor test group.", + "type": "string" }, - "rules": { - "containers": [ - "properties" - ], + "sources": { + "description": "List of source endpoint names.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRuleResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { "type": "string" - } + }, + "type": "array" }, - "type": {} - } + "testConfigurations": { + "description": "List of test configuration names.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "destinations", + "name", + "sources", + "testConfigurations" + ], + "type": "object" }, - "azure-native:network:getRouteFilterRule": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:ConnectionMonitorTestGroupResponse": { + "description": "Describes the connection monitor test group.", + "properties": { + "destinations": { + "description": "List of destination endpoint names.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "routeFilterName", - "required": true, - "value": { - "type": "string" - } + "disable": { + "description": "Value indicating whether test group is disabled.", + "type": "boolean" }, - { - "location": "path", - "name": "ruleName", - "required": true, - "value": { + "name": { + "description": "The name of the connection monitor test group.", + "type": "string" + }, + "sources": { + "description": "List of source endpoint names.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "testConfigurations": { + "description": "List of test configuration names.", + "items": { "type": "string" - } + }, + "type": "array" } + }, + "required": [ + "destinations", + "name", + "sources", + "testConfigurations" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "response": { - "access": { - "containers": [ - "properties" + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorWorkspaceSettings": { + "description": "Describes the settings for producing output into a log analytics workspace.", + "properties": { + "workspaceResourceId": { + "description": "Log analytics workspace resource ID.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectionMonitorWorkspaceSettingsResponse": { + "description": "Describes the settings for producing output into a log analytics workspace.", + "properties": { + "workspaceResourceId": { + "description": "Log analytics workspace resource ID.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ConnectivityGroupItem": { + "description": "Connectivity group item.", + "properties": { + "groupConnectivity": { + "description": "Group connectivity type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:GroupConnectivity" + } ] }, - "communities": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" + "isGlobal": { + "description": "Flag if global is supported.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IsGlobal" + } ] }, - "routeFilterRuleType": { - "containers": [ - "properties" + "networkGroupId": { + "description": "Network group Id.", + "type": "string" + }, + "useHubGateway": { + "description": "Flag if need to use hub gateway.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:UseHubGateway" + } ] } - } + }, + "required": [ + "groupConnectivity", + "networkGroupId" + ], + "type": "object" }, - "azure-native:network:getRouteMap": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ConnectivityGroupItemResponse": { + "description": "Connectivity group item.", + "properties": { + "groupConnectivity": { + "description": "Group connectivity type.", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "isGlobal": { + "description": "Flag if global is supported.", + "type": "string" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } + "networkGroupId": { + "description": "Network group Id.", + "type": "string" }, - { - "location": "path", - "name": "routeMapName", - "required": true, - "value": { - "type": "string" - } + "useHubGateway": { + "description": "Flag if need to use hub gateway.", + "type": "string" } + }, + "required": [ + "groupConnectivity", + "networkGroupId" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "response": { - "associatedInboundConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } - }, - "associatedOutboundConnections": { - "containers": [ - "properties" - ], + "type": "object" + }, + "azure-native_network_v20230201:network:ContainerNetworkInterfaceConfiguration": { + "description": "Container network interface configuration child resource.", + "properties": { + "containerNetworkInterfaces": { + "description": "A list of container network interfaces created from this container network interface configuration.", "items": { - "type": "string" - } + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "rules": { - "containers": [ - "properties" - ], + "ipConfigurations": { + "description": "A list of ip configurations of the container network interface configuration.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfile", "type": "object" - } + }, + "type": "array" }, - "type": {} - } + "name": { + "description": "The name of the resource. This name can be used to access the resource.", + "type": "string" + } + }, + "type": "object" }, - "azure-native:network:getRouteTable": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse": { + "description": "Container network interface configuration child resource.", + "properties": { + "containerNetworkInterfaces": { + "description": "A list of container network interfaces created from this container network interface configuration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "type": "string" - } + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "ipConfigurations": { + "description": "A list of ip configurations of the container network interface configuration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the container network interface configuration resource.", + "type": "string" + }, + "type": { + "description": "Sub Resource type.", + "type": "string" } + }, + "required": [ + "etag", + "provisioningState", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "response": { - "disableBgpRoutePropagation": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:ContainerNetworkInterfaceIpConfigurationResponse": { + "description": "The ip configuration for a container network interface.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "name": { + "description": "The name of the resource. This name can be used to access the resource.", + "type": "string" }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the container network interface IP configuration resource.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "type": { + "description": "Sub Resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ContainerNetworkInterfaceResponse": { + "description": "Container network interface child resource.", + "properties": { + "container": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerResponse", + "description": "Reference to the container to which this container network interface is attached.", + "type": "object" }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:RouteResponse", - "type": "object" - } + "containerNetworkInterfaceConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse", + "description": "Container network interface configuration from which this container network interface is created.", + "type": "object" }, - "subnets": { - "containers": [ - "properties" - ], + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipConfigurations": { + "description": "Reference to the ip configuration on this container nic.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceIpConfigurationResponse", "type": "object" - } + }, + "type": "array" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "name": { + "description": "The name of the resource. This name can be used to access the resource.", + "type": "string" }, - "type": {} - } - }, - "azure-native:network:getRoutingIntent": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "provisioningState": { + "description": "The provisioning state of the container network interface resource.", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "type": { + "description": "Sub Resource type.", + "type": "string" + } + }, + "required": [ + "containerNetworkInterfaceConfiguration", + "etag", + "ipConfigurations", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ContainerResponse": { + "description": "Reference to container resource in remote resource provider.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:Criterion": { + "description": "A matching criteria which matches routes based on route prefix, community, and AS path.", + "properties": { + "asPath": { + "description": "List of AS paths which this criteria matches.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { + "community": { + "description": "List of BGP communities which this criteria matches.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "routingIntentName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" + "matchCondition": { + "description": "Match condition to apply RouteMap rules.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:RouteMapMatchCondition" + } ] }, - "routingPolicies": { - "containers": [ - "properties" - ], + "routePrefix": { + "description": "List of route prefixes which this criteria matches.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicyResponse", - "type": "object" - } - }, - "type": {} - } + "type": "string" + }, + "type": "array" + } + }, + "type": "object" }, - "azure-native:network:getScopeConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "azure-native_network_v20230201:network:CriterionResponse": { + "description": "A matching criteria which matches routes based on route prefix, community, and AS path.", + "properties": { + "asPath": { + "description": "List of AS paths which this criteria matches.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "community": { + "description": "List of BGP communities which this criteria matches.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { + "matchCondition": { + "description": "Match condition to apply RouteMap rules.", + "type": "string" + }, + "routePrefix": { + "description": "List of route prefixes which this criteria matches.", + "items": { "type": "string" - } + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:CrossTenantScopesResponse": { + "description": "Cross tenant scopes.", + "properties": { + "managementGroups": { + "description": "List of management groups.", + "items": { + "type": "string" + }, + "type": "array" }, - { - "location": "path", - "name": "scopeConnectionName", - "required": true, - "value": { + "subscriptions": { + "description": "List of subscriptions.", + "items": { "type": "string" - } + }, + "type": "array" + }, + "tenantId": { + "description": "Tenant ID.", + "type": "string" } + }, + "required": [ + "managementGroups", + "subscriptions", + "tenantId" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "response": { - "description": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormat": { + "description": "Contains custom Dns resolution configuration from customer.", + "properties": { + "fqdn": { + "description": "Fqdn that resolves to private endpoint ip address.", + "type": "string" }, - "etag": {}, - "id": {}, - "name": {}, - "resourceId": { - "containers": [ - "properties" - ] + "ipAddresses": { + "description": "A list of private ip addresses of the private endpoint.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse": { + "description": "Contains custom Dns resolution configuration from customer.", + "properties": { + "fqdn": { + "description": "Fqdn that resolves to private endpoint ip address.", + "type": "string" }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "ipAddresses": { + "description": "A list of private ip addresses of the private endpoint.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:DdosSettings": { + "description": "Contains the DDoS protection settings of the public IP.", + "properties": { + "ddosProtectionPlan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The DDoS protection plan associated with the public IP. Can only be set if ProtectionMode is Enabled", + "type": "object" }, - "tenantId": { - "containers": [ - "properties" + "protectionMode": { + "description": "The DDoS protection mode of the public IP", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:DdosSettingsProtectionMode" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:DdosSettingsResponse": { + "description": "Contains the DDoS protection settings of the public IP.", + "properties": { + "ddosProtectionPlan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The DDoS protection plan associated with the public IP. Can only be set if ProtectionMode is Enabled", + "type": "object" }, - "type": {} - } + "protectionMode": { + "description": "The DDoS protection mode of the public IP", + "type": "string" + } + }, + "type": "object" }, - "azure-native:network:getSecurityAdminConfiguration": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:Delegation": { + "description": "Details the service to which the subnet is delegated.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "The name of the resource that is unique within a subnet. This name can be used to access the resource.", + "type": "string" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "serviceName": { + "description": "The name of the service to whom the subnet should be delegated (e.g. Microsoft.Sql/servers).", + "type": "string" }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:DelegationProperties": { + "description": "Properties of the delegation.", + "properties": { + "serviceName": { + "description": "The service name to which the NVA is delegated.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:DelegationPropertiesResponse": { + "description": "Properties of the delegation.", + "properties": { + "provisioningState": { + "description": "The current provisioning state.", + "type": "string" + }, + "serviceName": { + "description": "The service name to which the NVA is delegated.", + "type": "string" } + }, + "required": [ + "provisioningState" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "response": { - "applyOnNetworkIntentPolicyBasedServices": { - "containers": [ - "properties" - ], + "type": "object" + }, + "azure-native_network_v20230201:network:DelegationResponse": { + "description": "Details the service to which the subnet is delegated.", + "properties": { + "actions": { + "description": "The actions permitted to the service upon delegation.", "items": { "type": "string" - } + }, + "type": "array" }, - "description": { - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the resource that is unique within a subnet. This name can be used to access the resource.", + "type": "string" }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "provisioningState": { + "description": "The provisioning state of the service delegation resource.", + "type": "string" }, - "type": {} - } - }, - "azure-native:network:getSecurityPartnerProvider": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "serviceName": { + "description": "The name of the service to whom the subnet should be delegated (e.g. Microsoft.Sql/servers).", + "type": "string" }, - { - "location": "path", - "name": "securityPartnerProviderName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "type": { + "description": "Resource type.", + "type": "string" } + }, + "required": [ + "actions", + "etag", + "provisioningState" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "response": { - "connectionStatus": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:DeviceProperties": { + "description": "List of properties of the device.", + "properties": { + "deviceModel": { + "description": "Model of the device.", + "type": "string" }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "deviceVendor": { + "description": "Name of the device Vendor.", + "type": "string" }, - "securityProviderName": { - "containers": [ - "properties" - ] + "linkSpeedInMbps": { + "description": "Link speed.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:DevicePropertiesResponse": { + "description": "List of properties of the device.", + "properties": { + "deviceModel": { + "description": "Model of the device.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "deviceVendor": { + "description": "Name of the device Vendor.", + "type": "string" }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "linkSpeedInMbps": { + "description": "Link speed.", + "type": "integer" } - } + }, + "type": "object" }, - "azure-native:network:getSecurityRule": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:DhcpOptions": { + "description": "DhcpOptions contains an array of DNS servers available to VMs deployed in the virtual network. Standard DHCP option for a subnet overrides VNET DHCP options.", + "properties": { + "dnsServers": { + "description": "The list of DNS servers IP addresses.", + "items": { "type": "string" - } - }, - { - "location": "path", - "name": "networkSecurityGroupName", - "required": true, - "value": { + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:DhcpOptionsResponse": { + "description": "DhcpOptions contains an array of DNS servers available to VMs deployed in the virtual network. Standard DHCP option for a subnet overrides VNET DHCP options.", + "properties": { + "dnsServers": { + "description": "The list of DNS servers IP addresses.", + "items": { "type": "string" - } + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:DnsSettings": { + "description": "DNS Proxy Settings in Firewall Policy.", + "properties": { + "enableProxy": { + "description": "Enable DNS Proxy on Firewalls attached to the Firewall Policy.", + "type": "boolean" }, - { - "location": "path", - "name": "securityRuleName", - "required": true, - "value": { - "type": "string" - } + "requireProxyForNetworkRules": { + "description": "FQDNs in Network Rules are supported when set to true.", + "type": "boolean" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "servers": { + "description": "List of Custom DNS Servers.", + "items": { "type": "string" - } + }, + "type": "array" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "response": { - "access": { - "containers": [ - "properties" - ] - }, - "description": { - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:DnsSettingsResponse": { + "description": "DNS Proxy Settings in Firewall Policy.", + "properties": { + "enableProxy": { + "description": "Enable DNS Proxy on Firewalls attached to the Firewall Policy.", + "type": "boolean" }, - "destinationAddressPrefix": { - "containers": [ - "properties" - ] + "requireProxyForNetworkRules": { + "description": "FQDNs in Network Rules are supported when set to true.", + "type": "boolean" }, - "destinationAddressPrefixes": { - "containers": [ - "properties" - ], + "servers": { + "description": "List of Custom DNS Servers.", "items": { "type": "string" - } + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:EffectiveConnectivityConfigurationResponse": { + "description": "The network manager effective connectivity configuration", + "properties": { + "appliesToGroups": { + "description": "Groups for configuration", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", + "type": "object" + }, + "type": "array" }, - "destinationApplicationSecurityGroups": { - "containers": [ - "properties" - ], + "configurationGroups": { + "description": "Effective configuration groups.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", "type": "object" - } + }, + "type": "array" }, - "destinationPortRange": { - "containers": [ - "properties" - ] + "connectivityTopology": { + "description": "Connectivity topology type.", + "type": "string" + }, + "deleteExistingPeering": { + "description": "Flag if need to remove current existing peerings.", + "type": "string" + }, + "description": { + "description": "A description of the connectivity configuration.", + "type": "string" + }, + "hubs": { + "description": "List of hubItems", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", + "type": "object" + }, + "type": "array" + }, + "id": { + "description": "Connectivity configuration ID.", + "type": "string" + }, + "isGlobal": { + "description": "Flag if global mesh is supported.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the connectivity configuration resource.", + "type": "string" + }, + "resourceGuid": { + "description": "Unique identifier for this resource.", + "type": "string" + } + }, + "required": [ + "appliesToGroups", + "connectivityTopology", + "provisioningState", + "resourceGuid" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:EffectiveDefaultSecurityAdminRuleResponse": { + "description": "Network default admin rule.", + "properties": { + "access": { + "description": "Indicates the access allowed for this particular rule", + "type": "string" + }, + "configurationDescription": { + "description": "A description of the security admin configuration.", + "type": "string" + }, + "description": { + "description": "A description for this rule. Restricted to 140 chars.", + "type": "string" }, "destinationPortRanges": { - "containers": [ - "properties" - ], + "description": "The destination port ranges.", "items": { "type": "string" - } + }, + "type": "array" + }, + "destinations": { + "description": "The destination address prefixes. CIDR or destination IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + }, + "type": "array" }, "direction": { - "containers": [ - "properties" - ] + "description": "Indicates if the traffic matched against the rule in inbound or outbound.", + "type": "string" + }, + "flag": { + "description": "Default rule flag.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "kind": { + "const": "Default", + "description": "Whether the rule is custom or default.\nExpected value is 'Default'.", + "type": "string" }, - "etag": {}, - "id": {}, - "name": {}, "priority": { - "containers": [ - "properties" - ] + "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", + "type": "integer" }, "protocol": { - "containers": [ - "properties" - ] + "description": "Network protocol this rule applies to.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the resource.", + "type": "string" }, - "sourceAddressPrefix": { - "containers": [ - "properties" - ] + "resourceGuid": { + "description": "Unique identifier for this resource.", + "type": "string" }, - "sourceAddressPrefixes": { - "containers": [ - "properties" - ], + "ruleCollectionAppliesToGroups": { + "description": "Groups for rule collection", "items": { - "type": "string" - } + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "type": "object" + }, + "type": "array" }, - "sourceApplicationSecurityGroups": { - "containers": [ - "properties" - ], + "ruleCollectionDescription": { + "description": "A description of the rule collection.", + "type": "string" + }, + "ruleGroups": { + "description": "Effective configuration groups.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", "type": "object" - } - }, - "sourcePortRange": { - "containers": [ - "properties" - ] + }, + "type": "array" }, "sourcePortRanges": { - "containers": [ - "properties" - ], + "description": "The source port ranges.", "items": { "type": "string" - } + }, + "type": "array" }, - "type": {} - } + "sources": { + "description": "The CIDR or source IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "access", + "description", + "destinationPortRanges", + "destinations", + "direction", + "kind", + "priority", + "protocol", + "provisioningState", + "resourceGuid", + "sourcePortRanges", + "sources" + ], + "type": "object" }, - "azure-native:network:getServiceEndpointPolicy": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:EffectiveSecurityAdminRuleResponse": { + "description": "Network admin rule.", + "properties": { + "access": { + "description": "Indicates the access allowed for this particular rule", + "type": "string" }, - { - "location": "path", - "name": "serviceEndpointPolicyName", - "required": true, - "value": { - "type": "string" - } + "configurationDescription": { + "description": "A description of the security admin configuration.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "description": { + "description": "A description for this rule. Restricted to 140 chars.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "response": { - "contextualServiceEndpointPolicies": { - "containers": [ - "properties" - ], + "destinationPortRanges": { + "description": "The destination port ranges.", "items": { "type": "string" - } + }, + "type": "array" + }, + "destinations": { + "description": "The destination address prefixes. CIDR or destination IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + }, + "type": "array" + }, + "direction": { + "description": "Indicates if the traffic matched against the rule in inbound or outbound.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "kind": { + "const": "Custom", + "description": "Whether the rule is custom or default.\nExpected value is 'Custom'.", + "type": "string" + }, + "priority": { + "description": "The priority of the rule. The value can be between 1 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", + "type": "integer" + }, + "protocol": { + "description": "Network protocol this rule applies to.", + "type": "string" }, - "etag": {}, - "id": {}, - "kind": {}, - "location": {}, - "name": {}, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the resource.", + "type": "string" }, "resourceGuid": { - "containers": [ - "properties" - ] - }, - "serviceAlias": { - "containers": [ - "properties" - ] + "description": "Unique identifier for this resource.", + "type": "string" }, - "serviceEndpointPolicyDefinitions": { - "containers": [ - "properties" - ], + "ruleCollectionAppliesToGroups": { + "description": "Groups for rule collection", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", "type": "object" - } + }, + "type": "array" }, - "subnets": { - "containers": [ - "properties" - ], + "ruleCollectionDescription": { + "description": "A description of the rule collection.", + "type": "string" + }, + "ruleGroups": { + "description": "Effective configuration groups.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", "type": "object" - } + }, + "type": "array" }, - "tags": { - "additionalProperties": { + "sourcePortRanges": { + "description": "The source port ranges.", + "items": { "type": "string" - } + }, + "type": "array" }, - "type": {} - } + "sources": { + "description": "The CIDR or source IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "access", + "direction", + "kind", + "priority", + "protocol", + "provisioningState", + "resourceGuid" + ], + "type": "object" }, - "azure-native:network:getServiceEndpointPolicyDefinition": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ExclusionManagedRule": { + "description": "Defines a managed rule to use for exclusion.", + "properties": { + "ruleId": { + "description": "Identifier for the managed rule.", + "type": "string" + } + }, + "required": [ + "ruleId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ExclusionManagedRuleGroup": { + "description": "Defines a managed rule group to use for exclusion.", + "properties": { + "ruleGroupName": { + "description": "The managed rule group for exclusion.", + "type": "string" }, - { - "location": "path", - "name": "serviceEndpointPolicyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "serviceEndpointPolicyDefinitionName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "rules": { + "description": "List of rules that will be excluded. If none specified, all rules in the group will be excluded.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRule", + "type": "object" + }, + "type": "array" } + }, + "required": [ + "ruleGroupName" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "response": { - "description": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:ExclusionManagedRuleGroupResponse": { + "description": "Defines a managed rule group to use for exclusion.", + "properties": { + "ruleGroupName": { + "description": "The managed rule group for exclusion.", + "type": "string" }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "rules": { + "description": "List of rules that will be excluded. If none specified, all rules in the group will be excluded.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRuleResponse", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "ruleGroupName" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ExclusionManagedRuleResponse": { + "description": "Defines a managed rule to use for exclusion.", + "properties": { + "ruleId": { + "description": "Identifier for the managed rule.", + "type": "string" + } + }, + "required": [ + "ruleId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ExclusionManagedRuleSet": { + "description": "Defines a managed rule set for Exclusions.", + "properties": { + "ruleGroups": { + "description": "Defines the rule groups to apply to the rule set.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRuleGroup", + "type": "object" + }, + "type": "array" }, - "service": { - "containers": [ - "properties" - ] + "ruleSetType": { + "description": "Defines the rule set type to use.", + "type": "string" }, - "serviceResources": { - "containers": [ - "properties" - ], + "ruleSetVersion": { + "description": "Defines the version of the rule set to use.", + "type": "string" + } + }, + "required": [ + "ruleSetType", + "ruleSetVersion" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ExclusionManagedRuleSetResponse": { + "description": "Defines a managed rule set for Exclusions.", + "properties": { + "ruleGroups": { + "description": "Defines the rule groups to apply to the rule set.", "items": { - "type": "string" - } + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRuleGroupResponse", + "type": "object" + }, + "type": "array" }, - "type": {} - } + "ruleSetType": { + "description": "Defines the rule set type to use.", + "type": "string" + }, + "ruleSetVersion": { + "description": "Defines the version of the rule set to use.", + "type": "string" + } + }, + "required": [ + "ruleSetType", + "ruleSetVersion" + ], + "type": "object" }, - "azure-native:network:getStaticMember": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ExplicitProxy": { + "description": "Explicit Proxy Settings in Firewall Policy.", + "properties": { + "enableExplicitProxy": { + "description": "When set to true, explicit proxy mode is enabled.", + "type": "boolean" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "enablePacFile": { + "description": "When set to true, pac file port and url needs to be provided.", + "type": "boolean" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "httpPort": { + "description": "Port number for explicit proxy http protocol, cannot be greater than 64000.", + "type": "integer" }, - { - "location": "path", - "name": "networkGroupName", - "required": true, - "value": { - "type": "string" - } + "httpsPort": { + "description": "Port number for explicit proxy https protocol, cannot be greater than 64000.", + "type": "integer" }, - { - "location": "path", - "name": "staticMemberName", - "required": true, - "value": { - "type": "string" - } + "pacFile": { + "description": "SAS URL for PAC file.", + "type": "string" + }, + "pacFilePort": { + "description": "Port number for firewall to serve PAC file.", + "type": "integer" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExplicitProxyResponse": { + "description": "Explicit Proxy Settings in Firewall Policy.", + "properties": { + "enableExplicitProxy": { + "description": "When set to true, explicit proxy mode is enabled.", + "type": "boolean" }, - "region": { - "containers": [ - "properties" - ] + "enablePacFile": { + "description": "When set to true, pac file port and url needs to be provided.", + "type": "boolean" }, - "resourceId": { - "containers": [ - "properties" + "httpPort": { + "description": "Port number for explicit proxy http protocol, cannot be greater than 64000.", + "type": "integer" + }, + "httpsPort": { + "description": "Port number for explicit proxy https protocol, cannot be greater than 64000.", + "type": "integer" + }, + "pacFile": { + "description": "SAS URL for PAC file.", + "type": "string" + }, + "pacFilePort": { + "description": "Port number for firewall to serve PAC file.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization": { + "description": "Authorization in an ExpressRouteCircuit resource.", + "properties": { + "authorizationKey": { + "description": "The authorization key.", + "type": "string" + }, + "authorizationUseStatus": { + "description": "The authorization use status.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:AuthorizationUseStatus" + } ] }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "id": { + "description": "Resource ID.", + "type": "string" }, - "type": {} - } + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + } + }, + "type": "object" }, - "azure-native:network:getSubnet": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ExpressRouteCircuitAuthorizationResponse": { + "description": "Authorization in an ExpressRouteCircuit resource.", + "properties": { + "authorizationKey": { + "description": "The authorization key.", + "type": "string" }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" - } + "authorizationUseStatus": { + "description": "The authorization use status.", + "type": "string" }, - { - "location": "path", - "name": "subnetName", - "required": true, - "value": { - "type": "string" - } + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the authorization resource.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" } + }, + "required": [ + "etag", + "provisioningState", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "response": { + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitConnection": { + "description": "Express Route Circuit Connection in an ExpressRouteCircuitPeering resource.", + "properties": { "addressPrefix": { - "containers": [ - "properties" - ] + "description": "/29 IP address space to carve out Customer addresses for tunnels.", + "type": "string" }, - "addressPrefixes": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + "authorizationKey": { + "description": "The authorization key.", + "type": "string" }, - "applicationGatewayIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", - "type": "object" - } + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to Express Route Circuit Private Peering Resource of the circuit initiating connection.", + "type": "object" }, - "delegations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:DelegationResponse", - "type": "object" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "etag": {}, - "id": {}, - "ipAllocations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "ipv6CircuitConnectionConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfig", + "description": "IPv6 Address PrefixProperties of the express route circuit connection.", + "type": "object" }, - "ipConfigurationProfiles": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", - "type": "object" - } + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", - "type": "object" - } + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to Express Route Circuit Private Peering Resource of the peered circuit.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse": { + "description": "Express Route Circuit Connection in an ExpressRouteCircuitPeering resource.", + "properties": { + "addressPrefix": { + "description": "/29 IP address space to carve out Customer addresses for tunnels.", + "type": "string" }, - "name": {}, - "natGateway": { + "authorizationKey": { + "description": "The authorization key.", + "type": "string" + }, + "circuitConnectionStatus": { + "description": "Express Route Circuit connection state.", + "type": "string" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "expressRouteCircuitPeering": { "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "description": "Reference to Express Route Circuit Private Peering Resource of the circuit initiating connection.", + "type": "object" }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "privateEndpointNetworkPolicies": { - "containers": [ - "properties" - ], - "default": "Disabled" + "ipv6CircuitConnectionConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse", + "description": "IPv6 Address PrefixProperties of the express route circuit connection.", + "type": "object" }, - "privateEndpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", - "type": "object" - } + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" }, - "privateLinkServiceNetworkPolicies": { - "containers": [ - "properties" - ], - "default": "Enabled" + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to Express Route Circuit Private Peering Resource of the peered circuit.", + "type": "object" }, "provisioningState": { - "containers": [ - "properties" - ] + "description": "The provisioning state of the express route circuit connection resource.", + "type": "string" }, - "purpose": { - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "circuitConnectionStatus", + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeering": { + "description": "Peering in an ExpressRouteCircuit resource.", + "properties": { + "azureASN": { + "description": "The Azure ASN.", + "type": "integer" }, - "resourceNavigationLinks": { - "containers": [ - "properties" - ], + "connections": { + "description": "The list of circuit connections associated with Azure Private Peering for this circuit.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ResourceNavigationLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnection", "type": "object" - } + }, + "type": "array" }, - "routeTable": { - "$ref": "#/types/azure-native_network_v20230201:network:RouteTableResponse", - "containers": [ - "properties" - ] + "gatewayManagerEtag": { + "description": "The GatewayManager Etag.", + "type": "string" }, - "serviceAssociationLinks": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ServiceAssociationLinkResponse", - "type": "object" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "serviceEndpointPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyResponse", - "type": "object" - } + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig", + "description": "The IPv6 peering configuration.", + "type": "object" }, - "serviceEndpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse", - "type": "object" - } + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", + "description": "The Microsoft peering configuration.", + "type": "object" }, - "type": {} - } - }, - "azure-native:network:getSubscriptionNetworkManagerConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" }, - { - "location": "path", - "name": "networkManagerConnectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "response": { - "description": { - "containers": [ - "properties" - ] + "peerASN": { + "description": "The peer ASN.", + "type": "number" }, - "etag": {}, - "id": {}, - "name": {}, - "networkManagerId": { - "containers": [ - "properties" + "peeringType": { + "description": "The peering type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ExpressRoutePeeringType" + } ] }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "primaryAzurePort": { + "description": "The primary port.", + "type": "string" }, - "type": {} - } - }, - "azure-native:network:getVirtualApplianceSite": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "primaryPeerAddressPrefix": { + "description": "The primary address prefix.", + "type": "string" }, - { - "location": "path", - "name": "networkVirtualApplianceName", - "required": true, - "value": { - "type": "string" - } + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The reference to the RouteFilter resource.", + "type": "object" }, - { - "location": "path", - "name": "siteName", - "required": true, - "value": { - "type": "string" - } + "secondaryAzurePort": { + "description": "The secondary port.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "response": { - "addressPrefix": { - "containers": [ - "properties" - ] + "secondaryPeerAddressPrefix": { + "description": "The secondary address prefix.", + "type": "string" }, - "etag": {}, - "id": {}, - "name": {}, - "o365Policy": { - "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyPropertiesResponse", - "containers": [ - "properties" - ] + "sharedKey": { + "description": "The shared key.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" + "state": { + "description": "The peering state.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ExpressRoutePeeringState" + } ] }, - "type": {} - } + "stats": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStats", + "description": "The peering stats of express route circuit.", + "type": "object" + }, + "vlanId": { + "description": "The VLAN ID.", + "type": "integer" + } + }, + "type": "object" }, - "azure-native:network:getVirtualHub": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig": { + "description": "Specifies the peering configuration.", + "properties": { + "advertisedCommunities": { + "description": "The communities of bgp peering. Specified for microsoft peering.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "advertisedPublicPrefixes": { + "description": "The reference to AdvertisedPublicPrefixes.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "response": { - "addressPrefix": { - "containers": [ - "properties" - ] + "customerASN": { + "description": "The CustomerASN of the peering.", + "type": "integer" }, - "allowBranchToBranchTraffic": { - "containers": [ - "properties" - ] + "legacyMode": { + "description": "The legacy mode of the peering.", + "type": "integer" }, - "azureFirewall": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "routingRegistryName": { + "description": "The RoutingRegistryName of the configuration.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse": { + "description": "Specifies the peering configuration.", + "properties": { + "advertisedCommunities": { + "description": "The communities of bgp peering. Specified for microsoft peering.", + "items": { + "type": "string" + }, + "type": "array" }, - "bgpConnections": { - "containers": [ - "properties" - ], + "advertisedPublicPrefixes": { + "description": "The reference to AdvertisedPublicPrefixes.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "etag": {}, - "expressRouteGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "advertisedPublicPrefixesState": { + "description": "The advertised public prefix state of the Peering resource.", + "type": "string" }, - "hubRoutingPreference": { - "containers": [ - "properties" - ] + "customerASN": { + "description": "The CustomerASN of the peering.", + "type": "integer" }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], + "legacyMode": { + "description": "The legacy mode of the peering.", + "type": "integer" + }, + "routingRegistryName": { + "description": "The RoutingRegistryName of the configuration.", + "type": "string" + } + }, + "required": [ + "advertisedPublicPrefixesState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeeringId": { + "description": "ExpressRoute circuit peering identifier.", + "properties": { + "id": { + "description": "The ID of the ExpressRoute circuit peering.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse": { + "description": "ExpressRoute circuit peering identifier.", + "properties": { + "id": { + "description": "The ID of the ExpressRoute circuit peering.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse": { + "description": "Peering in an ExpressRouteCircuit resource.", + "properties": { + "azureASN": { + "description": "The Azure ASN.", + "type": "integer" + }, + "connections": { + "description": "The list of circuit connections associated with Azure Private Peering for this circuit.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse", "type": "object" - } - }, - "kind": {}, - "location": {}, - "name": {}, - "p2SVpnGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + }, + "type": "array" }, - "preferredRoutingGateway": { - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] + "expressRouteConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse", + "description": "The ExpressRoute connection.", + "type": "object" }, - "routeMaps": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "gatewayManagerEtag": { + "description": "The GatewayManager Etag.", + "type": "string" }, - "routeTable": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableResponse", - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "routingState": { - "containers": [ - "properties" - ] + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "description": "The IPv6 peering configuration.", + "type": "object" }, - "securityPartnerProvider": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "lastModifiedBy": { + "description": "Who was the last to modify the peering.", + "type": "string" }, - "securityProviderName": { - "containers": [ - "properties" - ] + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", + "description": "The Microsoft peering configuration.", + "type": "object" }, - "sku": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "peerASN": { + "description": "The peer ASN.", + "type": "number" }, - "type": {}, - "virtualHubRouteTableV2s": { - "containers": [ - "properties" - ], + "peeredConnections": { + "description": "The list of peered circuit connections associated with Azure Private Peering for this circuit.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2Response", + "$ref": "#/types/azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse", "type": "object" - } + }, + "type": "array" }, - "virtualRouterAsn": { - "containers": [ - "properties" - ] + "peeringType": { + "description": "The peering type.", + "type": "string" }, - "virtualRouterAutoScaleConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfigurationResponse", - "containers": [ - "properties" - ] + "primaryAzurePort": { + "description": "The primary port.", + "type": "string" }, - "virtualRouterIps": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + "primaryPeerAddressPrefix": { + "description": "The primary address prefix.", + "type": "string" }, - "virtualWan": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "provisioningState": { + "description": "The provisioning state of the express route circuit peering resource.", + "type": "string" }, - "vpnGateway": { + "routeFilter": { "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] - } - } - }, - "azure-native:network:getVirtualHubBgpConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "description": "The reference to the RouteFilter resource.", + "type": "object" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } + "secondaryAzurePort": { + "description": "The secondary port.", + "type": "string" }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "response": { - "connectionState": { - "containers": [ - "properties" - ] + "secondaryPeerAddressPrefix": { + "description": "The secondary address prefix.", + "type": "string" }, - "etag": {}, - "hubVirtualNetworkConnection": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "sharedKey": { + "description": "The shared key.", + "type": "string" }, - "id": {}, - "name": {}, - "peerAsn": { - "containers": [ - "properties" - ] + "state": { + "description": "The peering state.", + "type": "string" }, - "peerIp": { - "containers": [ - "properties" - ] + "stats": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse", + "description": "The peering stats of express route circuit.", + "type": "object" }, - "provisioningState": { - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" }, - "type": {} - } + "vlanId": { + "description": "The VLAN ID.", + "type": "integer" + } + }, + "required": [ + "etag", + "lastModifiedBy", + "peeredConnections", + "provisioningState", + "type" + ], + "type": "object" }, - "azure-native:network:getVirtualHubIpConfiguration": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderProperties": { + "description": "Contains ServiceProviderProperties in an ExpressRouteCircuit.", + "properties": { + "bandwidthInMbps": { + "description": "The BandwidthInMbps.", + "type": "integer" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } + "peeringLocation": { + "description": "The peering location.", + "type": "string" }, - { - "location": "path", - "name": "ipConfigName", - "required": true, - "value": { - "type": "string" - } + "serviceProviderName": { + "description": "The serviceProviderName.", + "type": "string" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "privateIPAddress": { - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderPropertiesResponse": { + "description": "Contains ServiceProviderProperties in an ExpressRouteCircuit.", + "properties": { + "bandwidthInMbps": { + "description": "The BandwidthInMbps.", + "type": "integer" }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ] + "peeringLocation": { + "description": "The peering location.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" + "serviceProviderName": { + "description": "The serviceProviderName.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitSku": { + "description": "Contains SKU in an ExpressRouteCircuit.", + "properties": { + "family": { + "description": "The family of the SKU.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ExpressRouteCircuitSkuFamily" + } ] }, - "publicIPAddress": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", - "containers": [ - "properties" - ] + "name": { + "description": "The name of the SKU.", + "type": "string" }, - "subnet": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", - "containers": [ - "properties" + "tier": { + "description": "The tier of the SKU.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ExpressRouteCircuitSkuTier" + } ] - }, - "type": {} - } + } + }, + "type": "object" }, - "azure-native:network:getVirtualHubRouteTableV2": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ExpressRouteCircuitSkuResponse": { + "description": "Contains SKU in an ExpressRouteCircuit.", + "properties": { + "family": { + "description": "The family of the SKU.", + "type": "string" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "The name of the SKU.", + "type": "string" }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "type": "string" - } + "tier": { + "description": "The tier of the SKU.", + "type": "string" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "response": { - "attachedConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitStats": { + "description": "Contains stats associated with the peering.", + "properties": { + "primarybytesIn": { + "description": "The Primary BytesIn of the peering.", + "type": "number" }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "primarybytesOut": { + "description": "The primary BytesOut of the peering.", + "type": "number" }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2Response", - "type": "object" - } + "secondarybytesIn": { + "description": "The secondary BytesIn of the peering.", + "type": "number" + }, + "secondarybytesOut": { + "description": "The secondary BytesOut of the peering.", + "type": "number" } - } + }, + "type": "object" }, - "azure-native:network:getVirtualNetwork": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse": { + "description": "Contains stats associated with the peering.", + "properties": { + "primarybytesIn": { + "description": "The Primary BytesIn of the peering.", + "type": "number" }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" - } + "primarybytesOut": { + "description": "The primary BytesOut of the peering.", + "type": "number" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "secondarybytesIn": { + "description": "The secondary BytesIn of the peering.", + "type": "number" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "secondarybytesOut": { + "description": "The secondary BytesOut of the peering.", + "type": "number" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "response": { - "addressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteConnection": { + "description": "ExpressRouteConnection resource.", + "properties": { + "authorizationKey": { + "description": "Authorization key to establish the connection.", + "type": "string" }, - "bgpCommunities": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", - "containers": [ - "properties" - ] + "enableInternetSecurity": { + "description": "Enable internet security.", + "type": "boolean" }, - "ddosProtectionPlan": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "enablePrivateLinkFastPath": { + "description": "Bypass the ExpressRoute gateway when accessing private-links. ExpressRoute FastPath (expressRouteGatewayBypass) must be enabled.", + "type": "boolean" }, - "dhcpOptions": { - "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptionsResponse", - "containers": [ - "properties" - ] + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringId", + "description": "The ExpressRoute circuit peering.", + "type": "object" }, - "enableDdosProtection": { - "containers": [ - "properties" - ], - "default": false + "expressRouteGatewayBypass": { + "description": "Enable FastPath to vWan Firewall hub.", + "type": "boolean" }, - "enableVmProtection": { - "containers": [ - "properties" - ], - "default": false + "id": { + "description": "Resource ID.", + "type": "string" }, - "encryption": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", - "containers": [ - "properties" - ] + "name": { + "description": "The name of the resource.", + "type": "string" }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", + "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", + "type": "object" }, - "flowLogs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", - "type": "object" - } + "routingWeight": { + "description": "The routing weight associated to the connection.", + "type": "integer" + } + }, + "required": [ + "expressRouteCircuitPeering", + "name" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse": { + "description": "The ID of the ExpressRouteConnection.", + "properties": { + "id": { + "description": "The ID of the ExpressRouteConnection.", + "type": "string" + } + }, + "required": [ + "id" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteConnectionResponse": { + "description": "ExpressRouteConnection resource.", + "properties": { + "authorizationKey": { + "description": "Authorization key to establish the connection.", + "type": "string" }, - "flowTimeoutInMinutes": { - "containers": [ - "properties" - ] + "enableInternetSecurity": { + "description": "Enable internet security.", + "type": "boolean" }, - "id": {}, - "ipAllocations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "enablePrivateLinkFastPath": { + "description": "Bypass the ExpressRoute gateway when accessing private-links. ExpressRoute FastPath (expressRouteGatewayBypass) must be enabled.", + "type": "boolean" }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse", + "description": "The ExpressRoute circuit peering.", + "type": "object" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "expressRouteGatewayBypass": { + "description": "Enable FastPath to vWan Firewall hub.", + "type": "boolean" }, - "subnets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", - "type": "object" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "name": { + "description": "The name of the resource.", + "type": "string" }, - "type": {}, - "virtualNetworkPeerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringResponse", - "type": "object" - } - } - } - }, - "azure-native:network:getVirtualNetworkGateway": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "provisioningState": { + "description": "The provisioning state of the express route connection resource.", + "type": "string" }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "routingWeight": { + "description": "The routing weight associated to the connection.", + "type": "integer" } + }, + "required": [ + "expressRouteCircuitPeering", + "name", + "provisioningState" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "response": { - "activeActive": { - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesAutoScaleConfiguration": { + "description": "Configuration for auto scaling.", + "properties": { + "bounds": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesBounds", + "description": "Minimum and maximum number of scale units to deploy.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesBounds": { + "description": "Minimum and maximum number of scale units to deploy.", + "properties": { + "max": { + "description": "Maximum number of scale units deployed for ExpressRoute gateway.", + "type": "integer" }, - "adminState": { - "containers": [ - "properties" - ] + "min": { + "description": "Minimum number of scale units deployed for ExpressRoute gateway.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration": { + "description": "Configuration for auto scaling.", + "properties": { + "bounds": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseBounds", + "description": "Minimum and maximum number of scale units to deploy.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseBounds": { + "description": "Minimum and maximum number of scale units to deploy.", + "properties": { + "max": { + "description": "Maximum number of scale units deployed for ExpressRoute gateway.", + "type": "integer" }, - "allowRemoteVnetTraffic": { - "containers": [ - "properties" + "min": { + "description": "Minimum number of scale units deployed for ExpressRoute gateway.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteLink": { + "description": "ExpressRouteLink child resource definition.", + "properties": { + "adminState": { + "description": "Administrative state of the physical port.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ExpressRouteLinkAdminState" + } ] }, - "allowVirtualWanTraffic": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "bgpSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", - "containers": [ - "properties" - ] + "macSecConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkMacSecConfig", + "description": "MacSec configuration.", + "type": "object" }, - "customRoutes": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", - "containers": [ - "properties" - ] + "name": { + "description": "Name of child port resource that is unique among child port resources of the parent.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteLinkMacSecConfig": { + "description": "ExpressRouteLink Mac Security Configuration.", + "properties": { + "cakSecretIdentifier": { + "description": "Keyvault Secret Identifier URL containing Mac security CAK key.", + "type": "string" }, - "disableIPSecReplayProtection": { - "containers": [ - "properties" + "cipher": { + "description": "Mac security cipher.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ExpressRouteLinkMacSecCipher" + } ] }, - "enableBgp": { - "containers": [ - "properties" - ] + "cknSecretIdentifier": { + "description": "Keyvault Secret Identifier URL containing Mac security CKN key.", + "type": "string" }, - "enableBgpRouteTranslationForNat": { - "containers": [ - "properties" - ] - }, - "enableDnsForwarding": { - "containers": [ - "properties" - ] - }, - "enablePrivateIpAddress": { - "containers": [ - "properties" + "sciState": { + "description": "Sci mode enabled/disabled.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ExpressRouteLinkMacSecSciState" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteLinkMacSecConfigResponse": { + "description": "ExpressRouteLink Mac Security Configuration.", + "properties": { + "cakSecretIdentifier": { + "description": "Keyvault Secret Identifier URL containing Mac security CAK key.", + "type": "string" }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "cipher": { + "description": "Mac security cipher.", + "type": "string" }, - "gatewayDefaultSite": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "cknSecretIdentifier": { + "description": "Keyvault Secret Identifier URL containing Mac security CKN key.", + "type": "string" }, - "gatewayType": { - "containers": [ - "properties" - ] + "sciState": { + "description": "Sci mode enabled/disabled.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ExpressRouteLinkResponse": { + "description": "ExpressRouteLink child resource definition.", + "properties": { + "adminState": { + "description": "Administrative state of the physical port.", + "type": "string" }, - "id": {}, - "inboundDnsForwardingEndpoint": { - "containers": [ - "properties" - ] + "coloLocation": { + "description": "Cololocation for ExpressRoute Hybrid Direct.", + "type": "string" }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse", - "type": "object" - } + "connectorType": { + "description": "Physical fiber port type.", + "type": "string" }, - "location": {}, - "name": {}, - "natRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse", - "type": "object" - } + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "interfaceName": { + "description": "Name of Azure router interface.", + "type": "string" }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse", - "containers": [ - "properties" - ] + "macSecConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkMacSecConfigResponse", + "description": "MacSec configuration.", + "type": "object" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "name": { + "description": "Name of child port resource that is unique among child port resources of the parent.", + "type": "string" }, - "type": {}, - "vNetExtendedLocationResourceId": { - "containers": [ - "properties" - ] + "patchPanelId": { + "description": "Mapping between physical port to patch panel port.", + "type": "string" }, - "virtualNetworkGatewayPolicyGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse", - "type": "object" - } + "provisioningState": { + "description": "The provisioning state of the express route link resource.", + "type": "string" }, - "vpnClientConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfigurationResponse", - "containers": [ - "properties" - ] + "rackId": { + "description": "Mapping of physical patch panel to rack.", + "type": "string" }, - "vpnGatewayGeneration": { - "containers": [ - "properties" - ] + "routerName": { + "description": "Name of Azure router associated with physical port.", + "type": "string" + } + }, + "required": [ + "coloLocation", + "connectorType", + "etag", + "interfaceName", + "patchPanelId", + "provisioningState", + "rackId", + "routerName" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ExtendedLocation": { + "description": "ExtendedLocation complex type.", + "properties": { + "name": { + "description": "The name of the extended location.", + "type": "string" }, - "vpnType": { - "containers": [ - "properties" + "type": { + "description": "The type of the extended location.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ExtendedLocationTypes" + } ] } - } + }, + "type": "object" }, - "azure-native:network:getVirtualNetworkGatewayConnection": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ExtendedLocationResponse": { + "description": "ExtendedLocation complex type.", + "properties": { + "name": { + "description": "The name of the extended location.", + "type": "string" }, - { - "location": "path", - "name": "virtualNetworkGatewayConnectionName", - "required": true, - "value": { - "type": "string" - } + "type": { + "description": "The type of the extended location.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FilterItems": { + "description": "Will contain the filter name and values to operate on", + "properties": { + "field": { + "description": "The name of the field we would like to filter", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "values": { + "description": "List of values to filter the current field by", + "items": { "type": "string" - } + }, + "type": "array" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] - }, - "connectionMode": { - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyCertificateAuthority": { + "description": "Trusted Root certificates properties for tls.", + "properties": { + "keyVaultSecretId": { + "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", + "type": "string" }, - "connectionProtocol": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the CA certificate.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyCertificateAuthorityResponse": { + "description": "Trusted Root certificates properties for tls.", + "properties": { + "keyVaultSecretId": { + "description": "Secret Id of (base-64 encoded unencrypted pfx) 'Secret' or 'Certificate' object stored in KeyVault.", + "type": "string" }, - "connectionStatus": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the CA certificate.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollection": { + "description": "Firewall Policy Filter Rule Collection.", + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionAction", + "description": "The action type of a Filter rule collection.", + "type": "object" }, - "connectionType": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the rule collection.", + "type": "string" }, - "dpdTimeoutSeconds": { - "containers": [ - "properties" - ] + "priority": { + "description": "Priority of the Firewall Policy Rule Collection resource.", + "type": "integer" }, - "egressBytesTransferred": { - "containers": [ - "properties" - ] + "ruleCollectionType": { + "const": "FirewallPolicyFilterRuleCollection", + "description": "The type of the rule collection.\nExpected value is 'FirewallPolicyFilterRuleCollection'.", + "type": "string" }, - "egressNatRules": { - "containers": [ - "properties" - ], + "rules": { + "description": "List of rules included in a rule collection.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } - }, - "enableBgp": { - "containers": [ - "properties" - ] - }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" + "discriminator": { + "mapping": { + "ApplicationRule": "#/types/azure-native_network_v20230201:network:ApplicationRule", + "NatRule": "#/types/azure-native_network_v20230201:network:NatRule", + "NetworkRule": "#/types/azure-native_network_v20230201:network:NetworkRule" + }, + "propertyName": "ruleType" + }, + "oneOf": [ + { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationRule", + "type": "object" + }, + { + "$ref": "#/types/azure-native_network_v20230201:network:NatRule", + "type": "object" + }, + { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkRule", + "type": "object" + } + ] + }, + "type": "array" + } + }, + "required": [ + "ruleCollectionType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionAction": { + "description": "Properties of the FirewallPolicyFilterRuleCollectionAction.", + "properties": { + "type": { + "description": "The type of action.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:FirewallPolicyFilterRuleCollectionActionType" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionActionResponse": { + "description": "Properties of the FirewallPolicyFilterRuleCollectionAction.", + "properties": { + "type": { + "description": "The type of action.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse": { + "description": "Firewall Policy Filter Rule Collection.", + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionActionResponse", + "description": "The action type of a Filter rule collection.", + "type": "object" }, - "etag": {}, - "expressRouteGatewayBypass": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the rule collection.", + "type": "string" }, - "gatewayCustomBgpIpAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse", - "type": "object" - } + "priority": { + "description": "Priority of the Firewall Policy Rule Collection resource.", + "type": "integer" }, - "id": {}, - "ingressBytesTransferred": { - "containers": [ - "properties" - ] + "ruleCollectionType": { + "const": "FirewallPolicyFilterRuleCollection", + "description": "The type of the rule collection.\nExpected value is 'FirewallPolicyFilterRuleCollection'.", + "type": "string" }, - "ingressNatRules": { - "containers": [ - "properties" - ], + "rules": { + "description": "List of rules included in a rule collection.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "discriminator": { + "mapping": { + "ApplicationRule": "#/types/azure-native_network_v20230201:network:ApplicationRuleResponse", + "NatRule": "#/types/azure-native_network_v20230201:network:NatRuleResponse", + "NetworkRule": "#/types/azure-native_network_v20230201:network:NetworkRuleResponse" + }, + "propertyName": "ruleType" + }, + "oneOf": [ + { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationRuleResponse", + "type": "object" + }, + { + "$ref": "#/types/azure-native_network_v20230201:network:NatRuleResponse", + "type": "object" + }, + { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkRuleResponse", + "type": "object" + } + ] + }, + "type": "array" + } + }, + "required": [ + "ruleCollectionType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyHttpHeaderToInsert": { + "description": "name and value of HTTP/S header to insert", + "properties": { + "headerName": { + "description": "Contains the name of the header", + "type": "string" }, - "ipsecPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", - "type": "object" - } + "headerValue": { + "description": "Contains the value of the header", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyHttpHeaderToInsertResponse": { + "description": "name and value of HTTP/S header to insert", + "properties": { + "headerName": { + "description": "Contains the name of the header", + "type": "string" }, - "localNetworkGateway2": { - "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGatewayResponse", - "containers": [ - "properties" - ] + "headerValue": { + "description": "Contains the value of the header", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyInsights": { + "description": "Firewall Policy Insights.", + "properties": { + "isEnabled": { + "description": "A flag to indicate if the insights are enabled on the policy.", + "type": "boolean" }, - "location": {}, - "name": {}, - "peer": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "logAnalyticsResources": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsResources", + "description": "Workspaces needed to configure the Firewall Policy Insights.", + "type": "object" }, - "provisioningState": { - "containers": [ - "properties" - ] + "retentionDays": { + "description": "Number of days the insights should be enabled on the policy.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyInsightsResponse": { + "description": "Firewall Policy Insights.", + "properties": { + "isEnabled": { + "description": "A flag to indicate if the insights are enabled on the policy.", + "type": "boolean" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "logAnalyticsResources": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsResourcesResponse", + "description": "Workspaces needed to configure the Firewall Policy Insights.", + "type": "object" }, - "routingWeight": { - "containers": [ - "properties" - ] + "retentionDays": { + "description": "Number of days the insights should be enabled on the policy.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetection": { + "description": "Configuration for intrusion detection mode and rules.", + "properties": { + "configuration": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionConfiguration", + "description": "Intrusion detection configuration properties.", + "type": "object" }, - "sharedKey": { - "containers": [ - "properties" + "mode": { + "description": "Intrusion detection general state.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:FirewallPolicyIntrusionDetectionStateType" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionBypassTrafficSpecifications": { + "description": "Intrusion detection bypass traffic specification.", + "properties": { + "description": { + "description": "Description of the bypass traffic rule.", + "type": "string" }, - "tags": { - "additionalProperties": { + "destinationAddresses": { + "description": "List of destination IP addresses or ranges for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - "trafficSelectorPolicies": { - "containers": [ - "properties" - ], + "destinationIpGroups": { + "description": "List of destination IpGroups for this rule.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "tunnelConnectionStatus": { - "containers": [ - "properties" - ], + "destinationPorts": { + "description": "List of destination ports or ranges.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:TunnelConnectionHealthResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "type": {}, - "useLocalAzureIpAddress": { - "containers": [ - "properties" - ] + "name": { + "description": "Name of the bypass traffic rule.", + "type": "string" }, - "usePolicyBasedTrafficSelectors": { - "containers": [ - "properties" + "protocol": { + "description": "The rule bypass protocol.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:FirewallPolicyIntrusionDetectionProtocol" + } ] }, - "virtualNetworkGateway1": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", - "containers": [ - "properties" - ] + "sourceAddresses": { + "description": "List of source IP addresses or ranges for this rule.", + "items": { + "type": "string" + }, + "type": "array" }, - "virtualNetworkGateway2": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", - "containers": [ - "properties" - ] + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", + "items": { + "type": "string" + }, + "type": "array" } - } + }, + "type": "object" }, - "azure-native:network:getVirtualNetworkGatewayNatRule": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionBypassTrafficSpecificationsResponse": { + "description": "Intrusion detection bypass traffic specification.", + "properties": { + "description": { + "description": "Description of the bypass traffic rule.", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "destinationAddresses": { + "description": "List of destination IP addresses or ranges for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { + "destinationIpGroups": { + "description": "List of destination IpGroups for this rule.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "natRuleName", - "required": true, - "value": { + "destinationPorts": { + "description": "List of destination ports or ranges.", + "items": { "type": "string" - } + }, + "type": "array" + }, + "name": { + "description": "Name of the bypass traffic rule.", + "type": "string" + }, + "protocol": { + "description": "The rule bypass protocol.", + "type": "string" + }, + "sourceAddresses": { + "description": "List of source IP addresses or ranges for this rule.", + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", + "items": { + "type": "string" + }, + "type": "array" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "response": { - "etag": {}, - "externalMappings": { - "containers": [ - "properties" - ], + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionConfiguration": { + "description": "The operation for configuring intrusion detection.", + "properties": { + "bypassTrafficSettings": { + "description": "List of rules for traffic to bypass.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionBypassTrafficSpecifications", "type": "object" - } + }, + "type": "array" }, - "id": {}, - "internalMappings": { - "containers": [ - "properties" - ], + "privateRanges": { + "description": "IDPS Private IP address ranges are used to identify traffic direction (i.e. inbound, outbound, etc.). By default, only ranges defined by IANA RFC 1918 are considered private IP addresses. To modify default ranges, specify your Private IP address ranges with this property", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "string" + }, + "type": "array" + }, + "signatureOverrides": { + "description": "List of specific signatures states.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionSignatureSpecification", "type": "object" - } + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionConfigurationResponse": { + "description": "The operation for configuring intrusion detection.", + "properties": { + "bypassTrafficSettings": { + "description": "List of rules for traffic to bypass.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionBypassTrafficSpecificationsResponse", + "type": "object" + }, + "type": "array" }, - "ipConfigurationId": { - "containers": [ - "properties" - ] + "privateRanges": { + "description": "IDPS Private IP address ranges are used to identify traffic direction (i.e. inbound, outbound, etc.). By default, only ranges defined by IANA RFC 1918 are considered private IP addresses. To modify default ranges, specify your Private IP address ranges with this property", + "items": { + "type": "string" + }, + "type": "array" + }, + "signatureOverrides": { + "description": "List of specific signatures states.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionSignatureSpecificationResponse", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionResponse": { + "description": "Configuration for intrusion detection mode and rules.", + "properties": { + "configuration": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionConfigurationResponse", + "description": "Intrusion detection configuration properties.", + "type": "object" }, "mode": { - "containers": [ - "properties" - ] + "description": "Intrusion detection general state.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionSignatureSpecification": { + "description": "Intrusion detection signatures specification states.", + "properties": { + "id": { + "description": "Signature id.", + "type": "string" }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" + "mode": { + "description": "The signature state.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:FirewallPolicyIntrusionDetectionStateType" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionSignatureSpecificationResponse": { + "description": "Intrusion detection signatures specification states.", + "properties": { + "id": { + "description": "Signature id.", + "type": "string" }, - "type": {} - } + "mode": { + "description": "The signature state.", + "type": "string" + } + }, + "type": "object" }, - "azure-native:network:getVirtualNetworkPeering": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsResources": { + "description": "Log Analytics Resources for Firewall Policy Insights.", + "properties": { + "defaultWorkspaceId": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The default workspace Id for Firewall Policy Insights.", + "type": "object" }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" - } + "workspaces": { + "description": "List of workspaces for Firewall Policy Insights.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsWorkspace", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsResourcesResponse": { + "description": "Log Analytics Resources for Firewall Policy Insights.", + "properties": { + "defaultWorkspaceId": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The default workspace Id for Firewall Policy Insights.", + "type": "object" }, - { - "location": "path", - "name": "virtualNetworkPeeringName", - "required": true, - "value": { - "type": "string" - } + "workspaces": { + "description": "List of workspaces for Firewall Policy Insights.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsWorkspaceResponse", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsWorkspace": { + "description": "Log Analytics Workspace for Firewall Policy Insights.", + "properties": { + "region": { + "description": "Region to configure the Workspace.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "workspaceId": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The workspace Id for Firewall Policy Insights.", + "type": "object" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "response": { - "allowForwardedTraffic": { - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsWorkspaceResponse": { + "description": "Log Analytics Workspace for Firewall Policy Insights.", + "properties": { + "region": { + "description": "Region to configure the Workspace.", + "type": "string" }, - "allowGatewayTransit": { - "containers": [ - "properties" - ] + "workspaceId": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The workspace Id for Firewall Policy Insights.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyNatRuleCollection": { + "description": "Firewall Policy NAT Rule Collection.", + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionAction", + "description": "The action type of a Nat rule collection.", + "type": "object" }, - "allowVirtualNetworkAccess": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the rule collection.", + "type": "string" }, - "doNotVerifyRemoteGateways": { - "containers": [ - "properties" - ] + "priority": { + "description": "Priority of the Firewall Policy Rule Collection resource.", + "type": "integer" }, - "etag": {}, - "id": {}, - "name": {}, - "peeringState": { - "containers": [ - "properties" - ] + "ruleCollectionType": { + "const": "FirewallPolicyNatRuleCollection", + "description": "The type of the rule collection.\nExpected value is 'FirewallPolicyNatRuleCollection'.", + "type": "string" }, - "peeringSyncLevel": { - "containers": [ - "properties" + "rules": { + "description": "List of rules included in a rule collection.", + "items": { + "discriminator": { + "mapping": { + "ApplicationRule": "#/types/azure-native_network_v20230201:network:ApplicationRule", + "NatRule": "#/types/azure-native_network_v20230201:network:NatRule", + "NetworkRule": "#/types/azure-native_network_v20230201:network:NetworkRule" + }, + "propertyName": "ruleType" + }, + "oneOf": [ + { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationRule", + "type": "object" + }, + { + "$ref": "#/types/azure-native_network_v20230201:network:NatRule", + "type": "object" + }, + { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkRule", + "type": "object" + } + ] + }, + "type": "array" + } + }, + "required": [ + "ruleCollectionType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionAction": { + "description": "Properties of the FirewallPolicyNatRuleCollectionAction.", + "properties": { + "type": { + "description": "The type of action.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:FirewallPolicyNatRuleCollectionActionType" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionActionResponse": { + "description": "Properties of the FirewallPolicyNatRuleCollectionAction.", + "properties": { + "type": { + "description": "The type of action.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse": { + "description": "Firewall Policy NAT Rule Collection.", + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionActionResponse", + "description": "The action type of a Nat rule collection.", + "type": "object" }, - "provisioningState": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the rule collection.", + "type": "string" }, - "remoteAddressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", - "containers": [ - "properties" - ] + "priority": { + "description": "Priority of the Firewall Policy Rule Collection resource.", + "type": "integer" }, - "remoteBgpCommunities": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", - "containers": [ - "properties" - ] + "ruleCollectionType": { + "const": "FirewallPolicyNatRuleCollection", + "description": "The type of the rule collection.\nExpected value is 'FirewallPolicyNatRuleCollection'.", + "type": "string" }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "rules": { + "description": "List of rules included in a rule collection.", + "items": { + "discriminator": { + "mapping": { + "ApplicationRule": "#/types/azure-native_network_v20230201:network:ApplicationRuleResponse", + "NatRule": "#/types/azure-native_network_v20230201:network:NatRuleResponse", + "NetworkRule": "#/types/azure-native_network_v20230201:network:NetworkRuleResponse" + }, + "propertyName": "ruleType" + }, + "oneOf": [ + { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationRuleResponse", + "type": "object" + }, + { + "$ref": "#/types/azure-native_network_v20230201:network:NatRuleResponse", + "type": "object" + }, + { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkRuleResponse", + "type": "object" + } + ] + }, + "type": "array" + } + }, + "required": [ + "ruleCollectionType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyRuleApplicationProtocol": { + "description": "Properties of the application rule protocol.", + "properties": { + "port": { + "description": "Port number for the protocol, cannot be greater than 64000.", + "type": "integer" }, - "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", - "containers": [ - "properties" + "protocolType": { + "description": "Protocol type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:FirewallPolicyRuleApplicationProtocolType" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyRuleApplicationProtocolResponse": { + "description": "Properties of the application rule protocol.", + "properties": { + "port": { + "description": "Port number for the protocol, cannot be greater than 64000.", + "type": "integer" }, - "remoteVirtualNetworkEncryption": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", - "containers": [ - "properties" + "protocolType": { + "description": "Protocol type.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicySNAT": { + "description": "The private IP addresses/IP ranges to which traffic will not be SNAT.", + "properties": { + "autoLearnPrivateRanges": { + "description": "The operation mode for automatically learning private ranges to not be SNAT", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:AutoLearnPrivateRangesMode" + } ] }, - "resourceGuid": { - "containers": [ - "properties" - ] + "privateRanges": { + "description": "List of private IP addresses/IP address ranges to not be SNAT.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicySNATResponse": { + "description": "The private IP addresses/IP ranges to which traffic will not be SNAT.", + "properties": { + "autoLearnPrivateRanges": { + "description": "The operation mode for automatically learning private ranges to not be SNAT", + "type": "string" }, - "type": {}, - "useRemoteGateways": { - "containers": [ - "properties" + "privateRanges": { + "description": "List of private IP addresses/IP address ranges to not be SNAT.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicySQL": { + "description": "SQL Settings in Firewall Policy.", + "properties": { + "allowSqlRedirect": { + "description": "A flag to indicate if SQL Redirect traffic filtering is enabled. Turning on the flag requires no rule using port 11000-11999.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicySQLResponse": { + "description": "SQL Settings in Firewall Policy.", + "properties": { + "allowSqlRedirect": { + "description": "A flag to indicate if SQL Redirect traffic filtering is enabled. Turning on the flag requires no rule using port 11000-11999.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicySku": { + "description": "SKU of Firewall policy.", + "properties": { + "tier": { + "description": "Tier of Firewall Policy.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:FirewallPolicySkuTier" + } ] } - } + }, + "type": "object" }, - "azure-native:network:getVirtualNetworkTap": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:FirewallPolicySkuResponse": { + "description": "SKU of Firewall policy.", + "properties": { + "tier": { + "description": "Tier of Firewall Policy.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelist": { + "description": "ThreatIntel Whitelist for Firewall Policy.", + "properties": { + "fqdns": { + "description": "List of FQDNs for the ThreatIntel Whitelist.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "tapName", - "required": true, - "value": { + "ipAddresses": { + "description": "List of IP addresses for the ThreatIntel Whitelist.", + "items": { "type": "string" - } + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelistResponse": { + "description": "ThreatIntel Whitelist for Firewall Policy.", + "properties": { + "fqdns": { + "description": "List of FQDNs for the ThreatIntel Whitelist.", + "items": { + "type": "string" + }, + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "ipAddresses": { + "description": "List of IP addresses for the ThreatIntel Whitelist.", + "items": { "type": "string" - } + }, + "type": "array" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "response": { - "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", - "containers": [ - "properties" + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyTransportSecurity": { + "description": "Configuration needed to perform TLS termination \u0026 initiation.", + "properties": { + "certificateAuthority": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyCertificateAuthority", + "description": "The CA used for intermediate CA generation.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FirewallPolicyTransportSecurityResponse": { + "description": "Configuration needed to perform TLS termination \u0026 initiation.", + "properties": { + "certificateAuthority": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyCertificateAuthorityResponse", + "description": "The CA used for intermediate CA generation.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FlowLogFormatParameters": { + "description": "Parameters that define the flow log format.", + "properties": { + "type": { + "description": "The file type of flow log.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:FlowLogFormatType" + } ] }, - "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", - "containers": [ - "properties" - ] - }, - "destinationPort": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "networkInterfaceTapConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", - "type": "object" - } + "version": { + "default": 0, + "description": "The version (revision) of the flow log.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FlowLogFormatParametersResponse": { + "description": "Parameters that define the flow log format.", + "properties": { + "type": { + "description": "The file type of flow log.", + "type": "string" }, - "provisioningState": { - "containers": [ - "properties" - ] + "version": { + "default": 0, + "description": "The version (revision) of the flow log.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FlowLogResponse": { + "description": "A flow log resource.", + "properties": { + "enabled": { + "description": "Flag to enable/disable flow logging.", + "type": "boolean" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "flowAnalyticsConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse", + "description": "Parameters that define the configuration of traffic analytics.", + "type": "object" }, - "type": {} - } - }, - "azure-native:network:getVirtualRouter": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "format": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParametersResponse", + "description": "Parameters that define the flow log format.", + "type": "object" }, - { - "location": "path", - "name": "virtualRouterName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "location": { + "description": "Resource location.", + "type": "string" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "response": { - "etag": {}, - "hostedGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "name": { + "description": "Resource name.", + "type": "string" }, - "hostedSubnet": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "provisioningState": { + "description": "The provisioning state of the flow log.", + "type": "string" }, - "id": {}, - "location": {}, - "name": {}, - "peerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "retentionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParametersResponse", + "description": "Parameters that define the retention policy for flow log.", + "type": "object" }, - "provisioningState": { - "containers": [ - "properties" - ] + "storageId": { + "description": "ID of the storage account which is used to store the flow log.", + "type": "string" }, "tags": { "additionalProperties": { "type": "string" - } + }, + "description": "Resource tags.", + "type": "object" }, - "type": {}, - "virtualRouterAsn": { - "containers": [ - "properties" - ] + "targetResourceGuid": { + "description": "Guid of network security group to which flow log will be applied.", + "type": "string" }, - "virtualRouterIps": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + "targetResourceId": { + "description": "ID of network security group to which flow log will be applied.", + "type": "string" + }, + "type": { + "description": "Resource type.", + "type": "string" } - } + }, + "required": [ + "etag", + "name", + "provisioningState", + "storageId", + "targetResourceGuid", + "targetResourceId", + "type" + ], + "type": "object" }, - "azure-native:network:getVirtualRouterPeering": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:FrontendIPConfiguration": { + "description": "Frontend IP address of the load balancer.", + "properties": { + "gatewayLoadBalancer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The reference to gateway load balancer frontend IP.", + "type": "object" }, - { - "location": "path", - "name": "virtualRouterName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "The name of the resource that is unique within the set of frontend IP configurations used by the load balancer. This name can be used to access the resource.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "peerAsn": { - "containers": [ - "properties" - ] + "privateIPAddress": { + "description": "The private IP address of the IP configuration.", + "type": "string" }, - "peerIp": { - "containers": [ - "properties" + "privateIPAddressVersion": { + "description": "Whether the specific ipconfiguration is IPv4 or IPv6. Default is taken as IPv4.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPVersion" + } ] }, - "provisioningState": { - "containers": [ - "properties" + "privateIPAllocationMethod": { + "description": "The Private IP allocation method.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPAllocationMethod" + } ] }, - "type": {} - } - }, - "azure-native:network:getVirtualWan": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", + "description": "The reference to the Public IP resource.", + "type": "object" }, - { - "location": "path", - "name": "VirtualWANName", - "required": true, - "value": { - "sdkName": "virtualWANName", - "type": "string" - } + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The reference to the Public IP Prefix resource.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", + "description": "The reference to the subnet resource.", + "type": "object" + }, + "zones": { + "description": "A list of availability zones denoting the IP allocated for the resource needs to come from.", + "items": { "type": "string" - } + }, + "type": "array" } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "response": { - "allowBranchToBranchTraffic": { - "containers": [ - "properties" - ] - }, - "allowVnetToVnetTraffic": { - "containers": [ - "properties" - ] - }, - "disableVpnEncryption": { - "containers": [ - "properties" - ] + }, + "type": "object" + }, + "azure-native_network_v20230201:network:FrontendIPConfigurationResponse": { + "description": "Frontend IP address of the load balancer.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "office365LocalBreakoutCategory": { - "containers": [ - "properties" - ] + "gatewayLoadBalancer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The reference to gateway load balancer frontend IP.", + "type": "object" }, - "provisioningState": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "inboundNatPools": { + "description": "An array of references to inbound pools that use this frontend IP.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" }, - "type": {}, - "virtualHubs": { - "containers": [ - "properties" - ], + "inboundNatRules": { + "description": "An array of references to inbound rules that use this frontend IP.", "items": { "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" - } + }, + "type": "array" }, - "vpnSites": { - "containers": [ - "properties" - ], + "loadBalancingRules": { + "description": "An array of references to load balancing rules that use this frontend IP.", "items": { "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" - } - } - } - }, - "azure-native:network:getVpnConnection": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "The name of the resource that is unique within the set of frontend IP configurations used by the load balancer. This name can be used to access the resource.", + "type": "string" }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } + "outboundRules": { + "description": "An array of references to outbound rules that use this frontend IP.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "response": { - "connectionBandwidth": { - "containers": [ - "properties" - ] + "privateIPAddress": { + "description": "The private IP address of the IP configuration.", + "type": "string" }, - "connectionStatus": { - "containers": [ - "properties" - ] + "privateIPAddressVersion": { + "description": "Whether the specific ipconfiguration is IPv4 or IPv6. Default is taken as IPv4.", + "type": "string" }, - "dpdTimeoutSeconds": { - "containers": [ - "properties" - ] + "privateIPAllocationMethod": { + "description": "The Private IP allocation method.", + "type": "string" }, - "egressBytesTransferred": { - "containers": [ - "properties" - ] + "provisioningState": { + "description": "The provisioning state of the frontend IP configuration resource.", + "type": "string" }, - "enableBgp": { - "containers": [ - "properties" - ] + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "description": "The reference to the Public IP resource.", + "type": "object" }, - "enableInternetSecurity": { - "containers": [ - "properties" - ] + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The reference to the Public IP Prefix resource.", + "type": "object" }, - "enableRateLimiting": { - "containers": [ - "properties" - ] + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "description": "The reference to the subnet resource.", + "type": "object" }, - "etag": {}, - "id": {}, - "ingressBytesTransferred": { - "containers": [ - "properties" - ] + "type": { + "description": "Type of the resource.", + "type": "string" }, - "ipsecPolicies": { - "containers": [ - "properties" - ], + "zones": { + "description": "A list of availability zones denoting the IP allocated for the resource needs to come from.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", - "type": "object" - } - }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "etag", + "inboundNatPools", + "inboundNatRules", + "loadBalancingRules", + "outboundRules", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfiguration": { + "description": "GatewayCustomBgpIpAddressIpConfiguration for a virtual network gateway connection.", + "properties": { + "customBgpIpAddress": { + "description": "The custom BgpPeeringAddress which belongs to IpconfigurationId.", + "type": "string" }, - "remoteVpnSite": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "ipConfigurationId": { + "description": "The IpconfigurationId of ipconfiguration which belongs to gateway.", + "type": "string" + } + }, + "required": [ + "customBgpIpAddress", + "ipConfigurationId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse": { + "description": "GatewayCustomBgpIpAddressIpConfiguration for a virtual network gateway connection.", + "properties": { + "customBgpIpAddress": { + "description": "The custom BgpPeeringAddress which belongs to IpconfigurationId.", + "type": "string" }, - "routingConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", - "containers": [ - "properties" - ] + "ipConfigurationId": { + "description": "The IpconfigurationId of ipconfiguration which belongs to gateway.", + "type": "string" + } + }, + "required": [ + "customBgpIpAddress", + "ipConfigurationId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterface": { + "description": "Gateway load balancer tunnel interface of a load balancer backend address pool.", + "properties": { + "identifier": { + "description": "Identifier of gateway load balancer tunnel interface.", + "type": "integer" }, - "routingWeight": { - "containers": [ - "properties" + "port": { + "description": "Port of gateway load balancer tunnel interface.", + "type": "integer" + }, + "protocol": { + "description": "Protocol of gateway load balancer tunnel interface.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:GatewayLoadBalancerTunnelProtocol" + } ] }, - "sharedKey": { - "containers": [ - "properties" + "type": { + "description": "Traffic type of gateway load balancer tunnel interface.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:GatewayLoadBalancerTunnelInterfaceType" + } ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse": { + "description": "Gateway load balancer tunnel interface of a load balancer backend address pool.", + "properties": { + "identifier": { + "description": "Identifier of gateway load balancer tunnel interface.", + "type": "integer" }, - "trafficSelectorPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", - "type": "object" - } + "port": { + "description": "Port of gateway load balancer tunnel interface.", + "type": "integer" }, - "useLocalAzureIpAddress": { - "containers": [ - "properties" - ] + "protocol": { + "description": "Protocol of gateway load balancer tunnel interface.", + "type": "string" }, - "usePolicyBasedTrafficSelectors": { - "containers": [ - "properties" - ] + "type": { + "description": "Traffic type of gateway load balancer tunnel interface.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:GatewayRouteResponse": { + "description": "Gateway routing details.", + "properties": { + "asPath": { + "description": "The route's AS path sequence.", + "type": "string" }, - "vpnConnectionProtocolType": { - "containers": [ - "properties" - ] + "localAddress": { + "description": "The gateway's local address.", + "type": "string" }, - "vpnLinkConnections": { - "containers": [ - "properties" - ], + "network": { + "description": "The route's network prefix.", + "type": "string" + }, + "nextHop": { + "description": "The route's next hop.", + "type": "string" + }, + "origin": { + "description": "The source this route was learned from.", + "type": "string" + }, + "sourcePeer": { + "description": "The peer this route was learned from.", + "type": "string" + }, + "weight": { + "description": "The route's weight.", + "type": "integer" + } + }, + "required": [ + "asPath", + "localAddress", + "network", + "nextHop", + "origin", + "sourcePeer", + "weight" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:GroupByUserSession": { + "description": "Define user session identifier group by clauses.", + "properties": { + "groupByVariables": { + "description": "List of group by clause variables.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:GroupByVariable", "type": "object" - } + }, + "type": "array" } - } + }, + "required": [ + "groupByVariables" + ], + "type": "object" }, - "azure-native:network:getVpnGateway": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:GroupByUserSessionResponse": { + "description": "Define user session identifier group by clauses.", + "properties": { + "groupByVariables": { + "description": "List of group by clause variables.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GroupByVariableResponse", + "type": "object" + }, + "type": "array" } + }, + "required": [ + "groupByVariables" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "response": { - "bgpSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", - "containers": [ - "properties" + "type": "object" + }, + "azure-native_network_v20230201:network:GroupByVariable": { + "description": "Define user session group by clause variables.", + "properties": { + "variableName": { + "description": "User Session clause variable.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayFirewallUserSessionVariable" + } ] + } + }, + "required": [ + "variableName" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:GroupByVariableResponse": { + "description": "Define user session group by clause variables.", + "properties": { + "variableName": { + "description": "User Session clause variable.", + "type": "string" + } + }, + "required": [ + "variableName" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:HTTPHeader": { + "description": "The HTTP header.", + "properties": { + "name": { + "description": "The name in HTTP header.", + "type": "string" }, - "connections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnConnectionResponse", - "type": "object" - } + "value": { + "description": "The value in HTTP header.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:HTTPHeaderResponse": { + "description": "The HTTP header.", + "properties": { + "name": { + "description": "The name in HTTP header.", + "type": "string" }, - "enableBgpRouteTranslationForNat": { - "containers": [ - "properties" - ] + "value": { + "description": "The value in HTTP header.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:Hub": { + "description": "Hub Item.", + "properties": { + "resourceId": { + "description": "Resource Id.", + "type": "string" }, - "etag": {}, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], + "resourceType": { + "description": "Resource Type.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:HubIPAddresses": { + "description": "IP addresses associated with azure firewall.", + "properties": { + "privateIPAddress": { + "description": "Private IP Address associated with azure firewall.", + "type": "string" + }, + "publicIPs": { + "$ref": "#/types/azure-native_network_v20230201:network:HubPublicIPAddresses", + "description": "Public IP addresses associated with azure firewall.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:HubIPAddressesResponse": { + "description": "IP addresses associated with azure firewall.", + "properties": { + "privateIPAddress": { + "description": "Private IP Address associated with azure firewall.", + "type": "string" + }, + "publicIPs": { + "$ref": "#/types/azure-native_network_v20230201:network:HubPublicIPAddressesResponse", + "description": "Public IP addresses associated with azure firewall.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:HubPublicIPAddresses": { + "description": "Public IP addresses associated with azure firewall.", + "properties": { + "addresses": { + "description": "The list of Public IP addresses associated with azure firewall or IP addresses to be retained.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallPublicIPAddress", "type": "object" - } - }, - "isRoutingPreferenceInternet": { - "containers": [ - "properties" - ] + }, + "type": "array" }, - "location": {}, - "name": {}, - "natRules": { - "containers": [ - "properties" - ], + "count": { + "description": "The number of Public IP addresses associated with azure firewall.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:HubPublicIPAddressesResponse": { + "description": "Public IP addresses associated with azure firewall.", + "properties": { + "addresses": { + "description": "The list of Public IP addresses associated with azure firewall or IP addresses to be retained.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallPublicIPAddressResponse", "type": "object" - } + }, + "type": "array" }, - "provisioningState": { - "containers": [ - "properties" - ] + "count": { + "description": "The number of Public IP addresses associated with azure firewall.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:HubResponse": { + "description": "Hub Item.", + "properties": { + "resourceId": { + "description": "Resource Id.", + "type": "string" }, - "tags": { - "additionalProperties": { + "resourceType": { + "description": "Resource Type.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:HubRoute": { + "description": "RouteTable route.", + "properties": { + "destinationType": { + "description": "The type of destinations (eg: CIDR, ResourceId, Service).", + "type": "string" + }, + "destinations": { + "description": "List of all destinations.", + "items": { "type": "string" - } + }, + "type": "array" }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "name": { + "description": "The name of the Route that is unique within a RouteTable. This name can be used to access this route.", + "type": "string" }, - "vpnGatewayScaleUnit": { - "containers": [ - "properties" - ] + "nextHop": { + "description": "NextHop resource ID.", + "type": "string" + }, + "nextHopType": { + "description": "The type of next hop (eg: ResourceId).", + "type": "string" } - } + }, + "required": [ + "destinationType", + "destinations", + "name", + "nextHop", + "nextHopType" + ], + "type": "object" }, - "azure-native:network:getVpnServerConfiguration": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:HubRouteResponse": { + "description": "RouteTable route.", + "properties": { + "destinationType": { + "description": "The type of destinations (eg: CIDR, ResourceId, Service).", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "destinations": { + "description": "List of all destinations.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "vpnServerConfigurationName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "The name of the Route that is unique within a RouteTable. This name can be used to access this route.", + "type": "string" + }, + "nextHop": { + "description": "NextHop resource ID.", + "type": "string" + }, + "nextHopType": { + "description": "The type of next hop (eg: ResourceId).", + "type": "string" } + }, + "required": [ + "destinationType", + "destinations", + "name", + "nextHop", + "nextHopType" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "properties": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPropertiesResponse" - }, - "tags": { - "additionalProperties": { + "type": "object" + }, + "azure-native_network_v20230201:network:IPConfigurationBgpPeeringAddress": { + "description": "Properties of IPConfigurationBgpPeeringAddress.", + "properties": { + "customBgpIpAddresses": { + "description": "The list of custom BGP peering addresses which belong to IP configuration.", + "items": { "type": "string" - } + }, + "type": "array" }, - "type": {} - } + "ipconfigurationId": { + "description": "The ID of IP configuration which belongs to gateway.", + "type": "string" + } + }, + "type": "object" }, - "azure-native:network:getVpnSite": { - "GET": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "azure-native_network_v20230201:network:IPConfigurationBgpPeeringAddressResponse": { + "description": "Properties of IPConfigurationBgpPeeringAddress.", + "properties": { + "customBgpIpAddresses": { + "description": "The list of custom BGP peering addresses which belong to IP configuration.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "defaultBgpIpAddresses": { + "description": "The list of default BGP peering addresses which belong to IP configuration.", + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "vpnSiteName", - "required": true, - "value": { + "ipconfigurationId": { + "description": "The ID of IP configuration which belongs to gateway.", + "type": "string" + }, + "tunnelIpAddresses": { + "description": "The list of tunnel public IP addresses which belong to IP configuration.", + "items": { "type": "string" - } + }, + "type": "array" } + }, + "required": [ + "defaultBgpIpAddresses", + "tunnelIpAddresses" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "response": { - "addressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", - "containers": [ - "properties" - ] - }, - "bgpProperties": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", - "containers": [ - "properties" - ] + "type": "object" + }, + "azure-native_network_v20230201:network:IPConfigurationProfile": { + "description": "IP configuration profile child resource.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" }, - "deviceProperties": { - "$ref": "#/types/azure-native_network_v20230201:network:DevicePropertiesResponse", - "containers": [ - "properties" - ] + "name": { + "description": "The name of the resource. This name can be used to access the resource.", + "type": "string" }, - "etag": {}, - "id": {}, - "ipAddress": { - "containers": [ - "properties" - ] + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", + "description": "The reference to the subnet resource to create a container network interface ip configuration.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:IPConfigurationProfileResponse": { + "description": "IP configuration profile child resource.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "isSecuritySite": { - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "location": {}, - "name": {}, - "o365Policy": { - "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyPropertiesResponse", - "containers": [ - "properties" - ] + "name": { + "description": "The name of the resource. This name can be used to access the resource.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] - }, - "siteKey": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } + "description": "The provisioning state of the IP configuration profile resource.", + "type": "string" }, - "type": {}, - "virtualWan": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "description": "The reference to the subnet resource to create a container network interface ip configuration.", + "type": "object" }, - "vpnSiteLinks": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkResponse", - "type": "object" - } - } - } - }, - "azure-native:network:getWebApplicationFirewallPolicy": { - "GET": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "policyName", - "required": true, - "value": { - "maxLength": 128, - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "type": { + "description": "Sub Resource type.", + "type": "string" } + }, + "required": [ + "etag", + "provisioningState", + "type" ], - "POST": null, - "apiVersion": "2023-02-01", - "isResourceGetter": true, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "response": { - "applicationGateways": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayResponse", - "type": "object" - } - }, - "customRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRuleResponse", - "type": "object" - } + "type": "object" + }, + "azure-native_network_v20230201:network:IPConfigurationResponse": { + "description": "IP configuration.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "etag": {}, - "httpListeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - "id": {}, - "location": {}, - "managedRules": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinitionResponse", - "containers": [ - "properties" - ] + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" }, - "name": {}, - "pathBasedRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "privateIPAddress": { + "description": "The private IP address of the IP configuration.", + "type": "string" }, - "policySettings": { - "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsResponse", - "containers": [ - "properties" - ] + "privateIPAllocationMethod": { + "default": "Dynamic", + "description": "The private IP address allocation method.", + "type": "string" }, "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceState": { - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native_network_v20230201:network:getActiveSessions": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "description": "The provisioning state of the IP configuration resource.", + "type": "string" }, - { - "location": "path", - "name": "bastionHostName", - "required": true, - "value": { - "type": "string" - } + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "description": "The reference to the public IP resource.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "description": "The reference to the subnet resource.", + "type": "object" } + }, + "required": [ + "etag", + "provisioningState" ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}/getActiveSessions", - "response": { - "nextLink": {}, - "value": { - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:BastionActiveSessionResponse", - "type": "object" - } - } - } + "type": "object" }, - "azure-native_network_v20230201:network:getApplicationGatewayBackendHealthOnDemand": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:InboundNatPool": { + "description": "Inbound NAT pool of the load balancer.", + "properties": { + "backendPort": { + "description": "The port used for internal connections on the endpoint. Acceptable values are between 1 and 65535.", + "type": "integer" }, - { - "location": "path", - "name": "applicationGatewayName", - "required": true, - "value": { - "type": "string" - } + "enableFloatingIP": { + "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", + "type": "boolean" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "enableTcpReset": { + "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", + "type": "boolean" }, - { - "location": "query", - "name": "$expand", - "value": { - "sdkName": "expand", - "type": "string" - } + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "A reference to frontend IP addresses.", + "type": "object" }, - { - "body": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "type": "object" - }, - "backendHttpSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "type": "object" - }, - "host": { - "type": "string" - }, - "match": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatch", - "type": "object" - }, - "path": { - "type": "string" - }, - "pickHostNameFromBackendHttpSettings": { - "type": "boolean" - }, - "protocol": { - "type": "string" - }, - "timeout": { - "type": "integer" - } - } - }, - "location": "body", - "name": "probeRequest", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/getBackendHealthOnDemand", - "response": { - "backendAddressPool": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse" + "frontendPortRangeEnd": { + "description": "The last port number in the range of external ports that will be used to provide Inbound Nat to NICs associated with a load balancer. Acceptable values range between 1 and 65535.", + "type": "integer" }, - "backendHealthHttpSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHealthHttpSettingsResponse" - } - } - }, - "azure-native_network_v20230201:network:getBastionShareableLink": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "frontendPortRangeStart": { + "description": "The first port number in the range of external ports that will be used to provide Inbound Nat to NICs associated with a load balancer. Acceptable values range between 1 and 65534.", + "type": "integer" }, - { - "location": "path", - "name": "bastionHostName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "idleTimeoutInMinutes": { + "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", + "type": "integer" }, - { - "body": { - "properties": { - "vms": { - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:BastionShareableLink", - "type": "object" - }, - "type": "array" - } + "name": { + "description": "The name of the resource that is unique within the set of inbound NAT pools used by the load balancer. This name can be used to access the resource.", + "type": "string" + }, + "protocol": { + "description": "The reference to the transport protocol used by the inbound NAT pool.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:TransportProtocol" } - }, - "location": "body", - "name": "bslRequest", - "required": true, - "value": {} + ] } + }, + "required": [ + "backendPort", + "frontendPortRangeEnd", + "frontendPortRangeStart", + "protocol" ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}/getShareableLinks", - "response": { - "nextLink": {}, - "value": { - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:BastionShareableLinkResponse", - "type": "object" - } - } - } + "type": "object" }, - "azure-native_network_v20230201:network:getP2sVpnGatewayP2sVpnConnectionHealth": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:InboundNatPoolResponse": { + "description": "Inbound NAT pool of the load balancer.", + "properties": { + "backendPort": { + "description": "The port used for internal connections on the endpoint. Acceptable values are between 1 and 65535.", + "type": "integer" }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } + "enableFloatingIP": { + "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", + "type": "boolean" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}/getP2sVpnConnectionHealth", - "response": { - "customDnsServers": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } + "enableTcpReset": { + "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", + "type": "boolean" }, - "etag": {}, - "id": {}, - "isRoutingPreferenceInternet": { - "containers": [ - "properties" - ] + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - "location": {}, - "name": {}, - "p2SConnectionConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", - "type": "object" - } + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "A reference to frontend IP addresses.", + "type": "object" }, - "provisioningState": { - "containers": [ - "properties" - ] + "frontendPortRangeEnd": { + "description": "The last port number in the range of external ports that will be used to provide Inbound Nat to NICs associated with a load balancer. Acceptable values range between 1 and 65535.", + "type": "integer" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "frontendPortRangeStart": { + "description": "The first port number in the range of external ports that will be used to provide Inbound Nat to NICs associated with a load balancer. Acceptable values range between 1 and 65534.", + "type": "integer" }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "id": { + "description": "Resource ID.", + "type": "string" }, - "vpnClientConnectionHealth": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", - "containers": [ - "properties" - ] + "idleTimeoutInMinutes": { + "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", + "type": "integer" }, - "vpnGatewayScaleUnit": { - "containers": [ - "properties" - ] + "name": { + "description": "The name of the resource that is unique within the set of inbound NAT pools used by the load balancer. This name can be used to access the resource.", + "type": "string" }, - "vpnServerConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "containers": [ - "properties" - ] + "protocol": { + "description": "The reference to the transport protocol used by the inbound NAT pool.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the inbound NAT pool resource.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" } - } + }, + "required": [ + "backendPort", + "etag", + "frontendPortRangeEnd", + "frontendPortRangeStart", + "protocol", + "provisioningState", + "type" + ], + "type": "object" }, - "azure-native_network_v20230201:network:getP2sVpnGatewayP2sVpnConnectionHealthDetailed": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:InboundNatRule": { + "description": "Inbound NAT rule of the load balancer.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "A reference to backendAddressPool resource.", + "type": "object" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "backendPort": { + "description": "The port used for the internal endpoint. Acceptable values range from 1 to 65535.", + "type": "integer" }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } + "enableFloatingIP": { + "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", + "type": "boolean" }, - { - "body": { - "properties": { - "outputBlobSasUrl": { - "type": "string" - }, - "vpnUserNamesFilter": { - "items": { - "type": "string" - }, - "type": "array" - } + "enableTcpReset": { + "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", + "type": "boolean" + }, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "A reference to frontend IP addresses.", + "type": "object" + }, + "frontendPort": { + "description": "The port for the external endpoint. Port numbers for each rule must be unique within the Load Balancer. Acceptable values range from 1 to 65534.", + "type": "integer" + }, + "frontendPortRangeEnd": { + "description": "The port range end for the external endpoint. This property is used together with BackendAddressPool and FrontendPortRangeStart. Individual inbound NAT rule port mappings will be created for each backend address from BackendAddressPool. Acceptable values range from 1 to 65534.", + "type": "integer" + }, + "frontendPortRangeStart": { + "description": "The port range start for the external endpoint. This property is used together with BackendAddressPool and FrontendPortRangeEnd. Individual inbound NAT rule port mappings will be created for each backend address from BackendAddressPool. Acceptable values range from 1 to 65534.", + "type": "integer" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "idleTimeoutInMinutes": { + "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", + "type": "integer" + }, + "name": { + "description": "The name of the resource that is unique within the set of inbound NAT rules used by the load balancer. This name can be used to access the resource.", + "type": "string" + }, + "protocol": { + "description": "The reference to the transport protocol used by the load balancing rule.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:TransportProtocol" } - }, - "location": "body", - "name": "request", - "required": true, - "value": {} + ] } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}/getP2sVpnConnectionHealthDetailed", - "response": { - "sasUrl": {} - } + }, + "type": "object" }, - "azure-native_network_v20230201:network:getVirtualNetworkGatewayAdvertisedRoutes": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:InboundNatRuleResponse": { + "description": "Inbound NAT rule of the load balancer.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "A reference to backendAddressPool resource.", + "type": "object" }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } + "backendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "description": "A reference to a private IP address defined on a network interface of a VM. Traffic sent to the frontend port of each of the frontend IP configurations is forwarded to the backend IP.", + "type": "object" }, - { - "location": "query", - "name": "peer", - "required": true, - "value": { - "type": "string" - } + "backendPort": { + "description": "The port used for the internal endpoint. Acceptable values range from 1 to 65535.", + "type": "integer" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getAdvertisedRoutes", - "response": { - "value": { - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:GatewayRouteResponse", - "type": "object" - } - } - } - }, - "azure-native_network_v20230201:network:getVirtualNetworkGatewayBgpPeerStatus": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "enableFloatingIP": { + "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", + "type": "boolean" }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } + "enableTcpReset": { + "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", + "type": "boolean" }, - { - "location": "query", - "name": "peer", - "value": { - "type": "string" - } + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "A reference to frontend IP addresses.", + "type": "object" + }, + "frontendPort": { + "description": "The port for the external endpoint. Port numbers for each rule must be unique within the Load Balancer. Acceptable values range from 1 to 65534.", + "type": "integer" + }, + "frontendPortRangeEnd": { + "description": "The port range end for the external endpoint. This property is used together with BackendAddressPool and FrontendPortRangeStart. Individual inbound NAT rule port mappings will be created for each backend address from BackendAddressPool. Acceptable values range from 1 to 65534.", + "type": "integer" + }, + "frontendPortRangeStart": { + "description": "The port range start for the external endpoint. This property is used together with BackendAddressPool and FrontendPortRangeEnd. Individual inbound NAT rule port mappings will be created for each backend address from BackendAddressPool. Acceptable values range from 1 to 65534.", + "type": "integer" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "idleTimeoutInMinutes": { + "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", + "type": "integer" + }, + "name": { + "description": "The name of the resource that is unique within the set of inbound NAT rules used by the load balancer. This name can be used to access the resource.", + "type": "string" + }, + "protocol": { + "description": "The reference to the transport protocol used by the load balancing rule.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the inbound NAT rule resource.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" } + }, + "required": [ + "backendIPConfiguration", + "etag", + "provisioningState", + "type" ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getBgpPeerStatus", - "response": { - "value": { - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpPeerStatusResponse", - "type": "object" - } - } - } + "type": "object" }, - "azure-native_network_v20230201:network:getVirtualNetworkGatewayConnectionIkeSas": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayConnectionName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:IpTag": { + "description": "Contains the IpTag associated with the object.", + "properties": { + "ipTagType": { + "description": "The IP tag type. Example: FirstPartyUsage.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "tag": { + "description": "The value of the IP tag associated with the public IP. Example: SQL.", + "type": "string" } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}/getikesas", - "response": { - "value": { + }, + "type": "object" + }, + "azure-native_network_v20230201:network:IpTagResponse": { + "description": "Contains the IpTag associated with the object.", + "properties": { + "ipTagType": { + "description": "The IP tag type. Example: FirstPartyUsage.", + "type": "string" + }, + "tag": { + "description": "The value of the IP tag associated with the public IP. Example: SQL.", "type": "string" } - } + }, + "type": "object" }, - "azure-native_network_v20230201:network:getVirtualNetworkGatewayLearnedRoutes": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:IpsecPolicy": { + "description": "An IPSec Policy configuration for a virtual network gateway connection.", + "properties": { + "dhGroup": { + "description": "The DH Group used in IKE Phase 1 for initial SA.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:DhGroup" + } + ] }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } + "ikeEncryption": { + "description": "The IKE encryption algorithm (IKE phase 2).", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IkeEncryption" + } + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "ikeIntegrity": { + "description": "The IKE integrity algorithm (IKE phase 2).", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IkeIntegrity" + } + ] + }, + "ipsecEncryption": { + "description": "The IPSec encryption algorithm (IKE phase 1).", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IpsecEncryption" + } + ] + }, + "ipsecIntegrity": { + "description": "The IPSec integrity algorithm (IKE phase 1).", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IpsecIntegrity" + } + ] + }, + "pfsGroup": { + "description": "The Pfs Group used in IKE Phase 2 for new child SA.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:PfsGroup" + } + ] + }, + "saDataSizeKilobytes": { + "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) payload size in KB for a site to site VPN tunnel.", + "type": "integer" + }, + "saLifeTimeSeconds": { + "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) lifetime in seconds for a site to site VPN tunnel.", + "type": "integer" } + }, + "required": [ + "dhGroup", + "ikeEncryption", + "ikeIntegrity", + "ipsecEncryption", + "ipsecIntegrity", + "pfsGroup", + "saDataSizeKilobytes", + "saLifeTimeSeconds" ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getLearnedRoutes", - "response": { - "value": { - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:GatewayRouteResponse", - "type": "object" - } - } - } + "type": "object" }, - "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnProfilePackageUrl": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:IpsecPolicyResponse": { + "description": "An IPSec Policy configuration for a virtual network gateway connection.", + "properties": { + "dhGroup": { + "description": "The DH Group used in IKE Phase 1 for initial SA.", + "type": "string" }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } + "ikeEncryption": { + "description": "The IKE encryption algorithm (IKE phase 2).", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getvpnprofilepackageurl", - "response": { - "value": { + "ikeIntegrity": { + "description": "The IKE integrity algorithm (IKE phase 2).", "type": "string" - } - } - }, - "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnclientConnectionHealth": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } + "ipsecEncryption": { + "description": "The IPSec encryption algorithm (IKE phase 1).", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "ipsecIntegrity": { + "description": "The IPSec integrity algorithm (IKE phase 1).", + "type": "string" + }, + "pfsGroup": { + "description": "The Pfs Group used in IKE Phase 2 for new child SA.", + "type": "string" + }, + "saDataSizeKilobytes": { + "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) payload size in KB for a site to site VPN tunnel.", + "type": "integer" + }, + "saLifeTimeSeconds": { + "description": "The IPSec Security Association (also called Quick Mode or Phase 2 SA) lifetime in seconds for a site to site VPN tunnel.", + "type": "integer" } + }, + "required": [ + "dhGroup", + "ikeEncryption", + "ikeIntegrity", + "ipsecEncryption", + "ipsecIntegrity", + "pfsGroup", + "saDataSizeKilobytes", + "saLifeTimeSeconds" ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getVpnClientConnectionHealth", - "response": { - "value": { - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthDetailResponse", - "type": "object" - } + "type": "object" + }, + "azure-native_network_v20230201:network:Ipv6CircuitConnectionConfig": { + "description": "IPv6 Circuit Connection properties for global reach.", + "properties": { + "addressPrefix": { + "description": "/125 IP address space to carve out customer addresses for global reach.", + "type": "string" } - } + }, + "type": "object" }, - "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnclientIpsecParameters": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse": { + "description": "IPv6 Circuit Connection properties for global reach.", + "properties": { + "addressPrefix": { + "description": "/125 IP address space to carve out customer addresses for global reach.", + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "circuitConnectionStatus": { + "description": "Express Route Circuit connection state.", + "type": "string" } + }, + "required": [ + "circuitConnectionStatus" ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getvpnclientipsecparameters", - "response": { - "dhGroup": {}, - "ikeEncryption": {}, - "ikeIntegrity": {}, - "ipsecEncryption": {}, - "ipsecIntegrity": {}, - "pfsGroup": {}, - "saDataSizeKilobytes": {}, - "saLifeTimeSeconds": {} - } + "type": "object" }, - "azure-native_network_v20230201:network:getVpnLinkConnectionIkeSas": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig": { + "description": "Contains IPv6 peering config.", + "properties": { + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", + "description": "The Microsoft peering configuration.", + "type": "object" }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } + "primaryPeerAddressPrefix": { + "description": "The primary address prefix.", + "type": "string" }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "type": "string" - } + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The reference to the RouteFilter resource.", + "type": "object" }, - { - "location": "path", - "name": "linkConnectionName", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}/vpnLinkConnections/{linkConnectionName}/getikesas", - "response": { - "value": { + "secondaryPeerAddressPrefix": { + "description": "The secondary address prefix.", "type": "string" + }, + "state": { + "description": "The state of peering.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ExpressRouteCircuitPeeringState" + } + ] } - } + }, + "type": "object" }, - "azure-native_network_v20230201:network:listActiveConnectivityConfigurations": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "regions": { - "items": { - "type": "string" - }, - "type": "array" - }, - "skipToken": { - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse": { + "description": "Contains IPv6 peering config.", + "properties": { + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", + "description": "The Microsoft peering configuration.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "primaryPeerAddressPrefix": { + "description": "The primary address prefix.", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The reference to the RouteFilter resource.", + "type": "object" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "secondaryPeerAddressPrefix": { + "description": "The secondary address prefix.", + "type": "string" }, - { - "location": "query", - "name": "$top", - "value": { - "sdkName": "top", - "type": "integer" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listActiveConnectivityConfigurations", - "response": { - "skipToken": {}, - "value": { - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ActiveConnectivityConfigurationResponse", - "type": "object" - } + "state": { + "description": "The state of peering.", + "type": "string" } - } + }, + "type": "object" }, - "azure-native_network_v20230201:network:listActiveSecurityAdminRules": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "regions": { - "items": { - "type": "string" - }, - "type": "array" - }, - "skipToken": { - "type": "string" - } + "azure-native_network_v20230201:network:LoadBalancerBackendAddress": { + "description": "Load balancer backend addresses.", + "properties": { + "adminState": { + "description": "A list of administrative states which once set can override health probe so that Load Balancer will always forward new connections to backend, or deny new connections and reset existing connections.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:LoadBalancerBackendAddressAdminState" } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "ipAddress": { + "description": "IP Address belonging to the referenced virtual network.", + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "loadBalancerFrontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to the frontend ip address configuration defined in regional loadbalancer.", + "type": "object" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the backend address.", + "type": "string" }, - { - "location": "query", - "name": "$top", - "value": { - "sdkName": "top", - "type": "integer" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listActiveSecurityAdminRules", - "response": { - "skipToken": {}, - "value": { - "items": { - "oneOf": [ - "#/types/azure-native_network_v20230201:network:ActiveDefaultSecurityAdminRuleResponse", - "#/types/azure-native_network_v20230201:network:ActiveSecurityAdminRuleResponse" - ] - } + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to an existing subnet.", + "type": "object" + }, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Reference to an existing virtual network.", + "type": "object" } - } + }, + "type": "object" }, - "azure-native_network_v20230201:network:listFirewallPolicyIdpsSignature": { - "GET": null, - "POST": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse": { + "description": "Load balancer backend addresses.", + "properties": { + "adminState": { + "description": "A list of administrative states which once set can override health probe so that Load Balancer will always forward new connections to backend, or deny new connections and reset existing connections.", + "type": "string" }, - { - "body": { - "properties": { - "filters": { - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:FilterItems", - "type": "object" - }, - "type": "array" - }, - "orderBy": { - "$ref": "#/types/azure-native_network_v20230201:network:OrderBy", - "type": "object" - }, - "resultsPerPage": { - "maximum": 1000, - "minimum": 1, - "type": "integer" - }, - "search": { - "type": "string" - }, - "skip": { - "type": "integer" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/listIdpsSignatures", - "response": { - "matchingRecordsCount": {}, - "signatures": { + "inboundNatRulesPortMapping": { + "description": "Collection of inbound NAT rule port mappings.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SingleQueryResultResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NatRulePortMappingResponse", "type": "object" - } - } - } - }, - "azure-native_network_v20230201:network:listFirewallPolicyIdpsSignaturesFilterValue": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "filterName": { - "type": "string" - } - } }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "ipAddress": { + "description": "IP Address belonging to the referenced virtual network.", + "type": "string" }, - { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "type": "string" - } + "loadBalancerFrontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to the frontend ip address configuration defined in regional loadbalancer.", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "name": { + "description": "Name of the backend address.", + "type": "string" + }, + "networkInterfaceIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to IP address defined in network interfaces.", + "type": "object" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to an existing subnet.", + "type": "object" + }, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to an existing virtual network.", + "type": "object" } + }, + "required": [ + "inboundNatRulesPortMapping", + "networkInterfaceIPConfiguration" ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/listIdpsFilterOptions", - "response": { - "filterValues": { - "items": { - "type": "string" - } - } - } + "type": "object" }, - "azure-native_network_v20230201:network:listNetworkManagerDeploymentStatus": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "deploymentTypes": { - "items": { - "type": "string" - }, - "type": "array" - }, - "regions": { - "items": { - "type": "string" - }, - "type": "array" - }, - "skipToken": { - "type": "string" - } + "azure-native_network_v20230201:network:LoadBalancerSku": { + "description": "SKU of a load balancer.", + "properties": { + "name": { + "description": "Name of a load balancer SKU.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:LoadBalancerSkuName" } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + ] }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "tier": { + "description": "Tier of a load balancer SKU.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:LoadBalancerSkuTier" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:LoadBalancerSkuResponse": { + "description": "SKU of a load balancer.", + "properties": { + "name": { + "description": "Name of a load balancer SKU.", + "type": "string" }, - { - "location": "query", - "name": "$top", - "value": { - "sdkName": "top", - "type": "integer" - } + "tier": { + "description": "Tier of a load balancer SKU.", + "type": "string" } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listDeploymentStatus", - "response": { - "skipToken": {}, - "value": { + }, + "type": "object" + }, + "azure-native_network_v20230201:network:LoadBalancingRule": { + "description": "A load balancing rule for a load balancer.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "A reference to a pool of DIPs. Inbound traffic is randomly load balanced across IPs in the backend IPs.", + "type": "object" + }, + "backendAddressPools": { + "description": "An array of references to pool of DIPs.", "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerDeploymentStatusResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" - } - } - } - }, - "azure-native_network_v20230201:network:listNetworkManagerEffectiveConnectivityConfigurations": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "skipToken": { - "type": "string" - } - } }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "backendPort": { + "description": "The port used for internal connections on the endpoint. Acceptable values are between 0 and 65535. Note that value 0 enables \"Any Port\".", + "type": "integer" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "disableOutboundSnat": { + "description": "Configures SNAT for the VMs in the backend pool to use the publicIP address specified in the frontend of the load balancing rule.", + "type": "boolean" }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" - } + "enableFloatingIP": { + "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", + "type": "boolean" }, - { - "location": "query", - "name": "$top", - "value": { - "sdkName": "top", - "type": "integer" - } - } - ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/listNetworkManagerEffectiveConnectivityConfigurations", - "response": { - "skipToken": {}, - "value": { - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:EffectiveConnectivityConfigurationResponse", - "type": "object" - } - } - } - }, - "azure-native_network_v20230201:network:listNetworkManagerEffectiveSecurityAdminRules": { - "GET": null, - "POST": [ - { - "body": { - "properties": { - "skipToken": { - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "enableTcpReset": { + "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", + "type": "boolean" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "A reference to frontend IP addresses.", + "type": "object" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "frontendPort": { + "description": "The port for the external endpoint. Port numbers for each rule must be unique within the Load Balancer. Acceptable values are between 0 and 65534. Note that value 0 enables \"Any Port\".", + "type": "integer" }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "query", - "name": "$top", - "value": { - "sdkName": "top", - "type": "integer" - } + "idleTimeoutInMinutes": { + "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", + "type": "integer" + }, + "loadDistribution": { + "description": "The load distribution policy for this rule.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:LoadDistribution" + } + ] + }, + "name": { + "description": "The name of the resource that is unique within the set of load balancing rules used by the load balancer. This name can be used to access the resource.", + "type": "string" + }, + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The reference to the load balancer probe used by the load balancing rule.", + "type": "object" + }, + "protocol": { + "description": "The reference to the transport protocol used by the load balancing rule.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:TransportProtocol" + } + ] } + }, + "required": [ + "frontendPort", + "protocol" ], - "apiVersion": "2023-02-01", - "isResourceGetter": false, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/listNetworkManagerEffectiveSecurityAdminRules", - "response": { - "skipToken": {}, - "value": { + "type": "object" + }, + "azure-native_network_v20230201:network:LoadBalancingRuleResponse": { + "description": "A load balancing rule for a load balancer.", + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "A reference to a pool of DIPs. Inbound traffic is randomly load balanced across IPs in the backend IPs.", + "type": "object" + }, + "backendAddressPools": { + "description": "An array of references to pool of DIPs.", "items": { - "oneOf": [ - "#/types/azure-native_network_v20230201:network:EffectiveDefaultSecurityAdminRuleResponse", - "#/types/azure-native_network_v20230201:network:EffectiveSecurityAdminRuleResponse" - ] - } - } - } - } - }, - "resources": { - "azure-native:keyvault:AccessPolicy": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "backendPort": { + "description": "The port used for internal connections on the endpoint. Acceptable values are between 0 and 65535. Note that value 0 enables \"Any Port\".", + "type": "integer" }, - { - "location": "path", - "name": "vaultName", - "required": true, - "value": { - "type": "string" - } + "disableOutboundSnat": { + "description": "Configures SNAT for the VMs in the backend pool to use the publicIP address specified in the frontend of the load balancing rule.", + "type": "boolean" }, - { - "location": "path", - "name": "policy.objectId", - "value": { - "type": "string" - } + "enableFloatingIP": { + "description": "Configures a virtual machine's endpoint for the floating IP capability required to configure a SQL AlwaysOn Availability Group. This setting is required when using the SQL AlwaysOn Availability Groups in SQL server. This setting can't be changed after you create the endpoint.", + "type": "boolean" }, - { - "body": { - "properties": { - "policy": { - "type": "#/types/azure-native:keyvault:AccessPolicyEntry" - } - }, - "required": [ - "resourceGroupName", - "vaultName", - "policy" - ] - }, - "location": "body", - "name": "properties", - "value": null + "enableTcpReset": { + "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", + "type": "boolean" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "A reference to frontend IP addresses.", + "type": "object" + }, + "frontendPort": { + "description": "The port for the external endpoint. Port numbers for each rule must be unique within the Load Balancer. Acceptable values are between 0 and 65534. Note that value 0 enables \"Any Port\".", + "type": "integer" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "idleTimeoutInMinutes": { + "description": "The timeout for the TCP idle connection. The value can be set between 4 and 30 minutes. The default value is 4 minutes. This element is only used when the protocol is set to TCP.", + "type": "integer" + }, + "loadDistribution": { + "description": "The load distribution policy for this rule.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within the set of load balancing rules used by the load balancer. This name can be used to access the resource.", + "type": "string" + }, + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The reference to the load balancer probe used by the load balancing rule.", + "type": "object" + }, + "protocol": { + "description": "The reference to the transport protocol used by the load balancing rule.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the load balancing rule resource.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" } + }, + "required": [ + "etag", + "frontendPort", + "protocol", + "provisioningState", + "type" ], - "apiVersion": "", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/accessPolicy/{policy.objectId}", - "response": null + "type": "object" }, - "azure-native:storage:Blob": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:LocalNetworkGateway": { + "description": "A common class for general resource information.", + "properties": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", + "description": "Local network gateway's BGP speaker settings.", + "type": "object" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "fqdn": { + "description": "FQDN of local network gateway.", + "type": "string" }, - { - "location": "path", - "name": "accountName", - "required": true, - "value": { - "type": "string" - } + "gatewayIpAddress": { + "description": "IP address of local network gateway.", + "type": "string" }, - { - "location": "path", - "name": "containerName", - "required": true, - "value": { - "type": "string" - } + "id": { + "description": "Resource ID.", + "type": "string" }, - { - "location": "path", - "name": "blobName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "localNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "description": "Local network site address space.", + "type": "object" }, - { - "body": { - "properties": { - "accessTier": { - "type": "string" - }, - "contentMd5": { - "forceNew": true, - "type": "string" - }, - "contentType": { - "type": "string" - }, - "metadata": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "source": { - "$ref": "pulumi.json#/Asset", - "forceNew": true - }, - "type": { - "forceNew": true, - "type": "string" - } - }, - "required": [ - "resourceGroupName", - "accountName", - "containerName", - "blobName", - "type" - ] + "location": { + "description": "Resource location.", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" }, - "location": "body", - "name": "properties", - "value": null + "description": "Resource tags.", + "type": "object" } - ], - "apiVersion": "", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/blobs/{blobName}", - "response": null + }, + "type": "object" }, - "azure-native:storage:BlobContainerLegalHold": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:LocalNetworkGatewayResponse": { + "description": "A common class for general resource information.", + "properties": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "description": "Local network gateway's BGP speaker settings.", + "type": "object" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" }, - { - "location": "path", - "name": "accountName", - "required": true, - "value": { - "type": "string" - } + "fqdn": { + "description": "FQDN of local network gateway.", + "type": "string" }, - { - "location": "path", - "name": "containerName", - "required": true, - "value": { - "type": "string" - } + "gatewayIpAddress": { + "description": "IP address of local network gateway.", + "type": "string" }, - { - "body": { - "properties": { - "allowProtectedAppendWritesAll": { - "type": "boolean" - }, - "tags": { - "items": { - "type": "string" - }, - "type": "array" - } - }, - "required": [ - "resourceGroupName", - "accountName", - "containerName", - "tags" - ] + "id": { + "description": "Resource ID.", + "type": "string" + }, + "localNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "description": "Local network site address space.", + "type": "object" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the local network gateway resource.", + "type": "string" + }, + "resourceGuid": { + "description": "The resource GUID property of the local network gateway resource.", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" }, - "location": "body", - "name": "properties", - "value": null + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" } + }, + "required": [ + "etag", + "name", + "provisioningState", + "resourceGuid", + "type" ], - "apiVersion": "", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/legalHold", - "response": null + "type": "object" }, - "azure-native:storage:StorageAccountStaticWebsite": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ManagedRuleGroupOverride": { + "description": "Defines a managed rule group override setting.", + "properties": { + "ruleGroupName": { + "description": "The managed rule group to override.", + "type": "string" }, - { - "location": "path", - "name": "accountName", - "required": true, - "value": { - "type": "string" - } + "rules": { + "description": "List of rules that will be disabled. If none specified, all rules in the group will be disabled.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleOverride", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "ruleGroupName" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ManagedRuleGroupOverrideResponse": { + "description": "Defines a managed rule group override setting.", + "properties": { + "ruleGroupName": { + "description": "The managed rule group to override.", + "type": "string" }, - { - "body": { - "properties": { - "error404Document": { - "type": "string" - }, - "indexDocument": { - "type": "string" - } - } + "rules": { + "description": "List of rules that will be disabled. If none specified, all rules in the group will be disabled.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleOverrideResponse", + "type": "object" }, - "location": "body", - "name": "properties", - "value": null + "type": "array" } + }, + "required": [ + "ruleGroupName" ], - "apiVersion": "", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/staticWebsite", - "response": null + "type": "object" }, - "azure-native_network_v20230201:network:AdminRule": { - "PUT": [ - { - "body": { - "properties": { - "access": { - "containers": [ - "properties" - ], - "type": "string" - }, - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItem", - "type": "object" - }, - "type": "array" - }, - "direction": { - "containers": [ - "properties" - ], - "type": "string" - }, - "kind": { - "const": "Custom", + "azure-native_network_v20230201:network:ManagedRuleOverride": { + "description": "Defines a managed rule group override setting.", + "properties": { + "action": { + "description": "Describes the override action to be applied when rule matches.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ActionType" + } + ] + }, + "ruleId": { + "description": "Identifier for the managed rule.", + "type": "string" + }, + "state": { + "description": "The state of the managed rule. Defaults to Disabled if not specified.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ManagedRuleEnabledState" + } + ] + } + }, + "required": [ + "ruleId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ManagedRuleOverrideResponse": { + "description": "Defines a managed rule group override setting.", + "properties": { + "action": { + "description": "Describes the override action to be applied when rule matches.", + "type": "string" + }, + "ruleId": { + "description": "Identifier for the managed rule.", + "type": "string" + }, + "state": { + "description": "The state of the managed rule. Defaults to Disabled if not specified.", + "type": "string" + } + }, + "required": [ + "ruleId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ManagedRuleSet": { + "description": "Defines a managed rule set.", + "properties": { + "ruleGroupOverrides": { + "description": "Defines the rule group overrides to apply to the rule set.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleGroupOverride", + "type": "object" + }, + "type": "array" + }, + "ruleSetType": { + "description": "Defines the rule set type to use.", + "type": "string" + }, + "ruleSetVersion": { + "description": "Defines the version of the rule set to use.", + "type": "string" + } + }, + "required": [ + "ruleSetType", + "ruleSetVersion" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ManagedRuleSetResponse": { + "description": "Defines a managed rule set.", + "properties": { + "ruleGroupOverrides": { + "description": "Defines the rule group overrides to apply to the rule set.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleGroupOverrideResponse", + "type": "object" + }, + "type": "array" + }, + "ruleSetType": { + "description": "Defines the rule set type to use.", + "type": "string" + }, + "ruleSetVersion": { + "description": "Defines the version of the rule set to use.", + "type": "string" + } + }, + "required": [ + "ruleSetType", + "ruleSetVersion" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ManagedRulesDefinition": { + "description": "Allow to exclude some variable satisfy the condition for the WAF check.", + "properties": { + "exclusions": { + "description": "The Exclusions that are applied on the policy.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:OwaspCrsExclusionEntry", + "type": "object" + }, + "type": "array" + }, + "managedRuleSets": { + "description": "The managed rule sets that are associated with the policy.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleSet", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "managedRuleSets" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ManagedRulesDefinitionResponse": { + "description": "Allow to exclude some variable satisfy the condition for the WAF check.", + "properties": { + "exclusions": { + "description": "The Exclusions that are applied on the policy.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:OwaspCrsExclusionEntryResponse", + "type": "object" + }, + "type": "array" + }, + "managedRuleSets": { + "description": "The managed rule sets that are associated with the policy.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleSetResponse", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "managedRuleSets" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ManagedServiceIdentity": { + "description": "Identity for the resource.", + "properties": { + "type": { + "$ref": "#/types/azure-native:network:ResourceIdentityType", + "description": "The type of identity used for the resource. The type 'SystemAssigned, UserAssigned' includes both an implicitly created identity and a set of user assigned identities. The type 'None' will remove any identities from the virtual machine." + }, + "userAssignedIdentities": { + "description": "The list of user identities associated with resource. The user identity dictionary key references will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}'.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ManagedServiceIdentityResponse": { + "description": "Identity for the resource.", + "properties": { + "principalId": { + "description": "The principal id of the system assigned identity. This property will only be provided for a system assigned identity.", + "type": "string" + }, + "tenantId": { + "description": "The tenant id of the system assigned identity. This property will only be provided for a system assigned identity.", + "type": "string" + }, + "type": { + "description": "The type of identity used for the resource. The type 'SystemAssigned, UserAssigned' includes both an implicitly created identity and a set of user assigned identities. The type 'None' will remove any identities from the virtual machine.", + "type": "string" + }, + "userAssignedIdentities": { + "additionalProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponseUserAssignedIdentities", + "type": "object" + }, + "description": "The list of user identities associated with resource. The user identity dictionary key references will be ARM resource ids in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}'.", + "type": "object" + } + }, + "required": [ + "principalId", + "tenantId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ManagedServiceIdentityResponseUserAssignedIdentities": { + "properties": { + "clientId": { + "description": "The client id of user assigned identity.", + "type": "string" + }, + "principalId": { + "description": "The principal id of user assigned identity.", + "type": "string" + } + }, + "required": [ + "clientId", + "principalId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:MatchCondition": { + "description": "Define match conditions.", + "properties": { + "matchValues": { + "description": "Match value.", + "items": { + "type": "string" + }, + "type": "array" + }, + "matchVariables": { + "description": "List of match variables.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:MatchVariable", + "type": "object" + }, + "type": "array" + }, + "negationConditon": { + "description": "Whether this is negate condition or not.", + "type": "boolean" + }, + "operator": { + "description": "The operator to be matched.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:WebApplicationFirewallOperator" + } + ] + }, + "transforms": { + "description": "List of transforms.", + "items": { + "oneOf": [ + { "type": "string" }, - "priority": { - "containers": [ - "properties" - ], - "maximum": 4096, - "minimum": 1, - "type": "integer" - }, - "protocol": { - "containers": [ - "properties" - ], + { + "$ref": "#/types/azure-native:network:WebApplicationFirewallTransform" + } + ] + }, + "type": "array" + } + }, + "required": [ + "matchValues", + "matchVariables", + "operator" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:MatchConditionResponse": { + "description": "Define match conditions.", + "properties": { + "matchValues": { + "description": "Match value.", + "items": { + "type": "string" + }, + "type": "array" + }, + "matchVariables": { + "description": "List of match variables.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:MatchVariableResponse", + "type": "object" + }, + "type": "array" + }, + "negationConditon": { + "description": "Whether this is negate condition or not.", + "type": "boolean" + }, + "operator": { + "description": "The operator to be matched.", + "type": "string" + }, + "transforms": { + "description": "List of transforms.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "matchValues", + "matchVariables", + "operator" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:MatchVariable": { + "description": "Define match variables.", + "properties": { + "selector": { + "description": "The selector of match variable.", + "type": "string" + }, + "variableName": { + "description": "Match Variable.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:WebApplicationFirewallMatchVariable" + } + ] + } + }, + "required": [ + "variableName" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:MatchVariableResponse": { + "description": "Define match variables.", + "properties": { + "selector": { + "description": "The selector of match variable.", + "type": "string" + }, + "variableName": { + "description": "Match Variable.", + "type": "string" + } + }, + "required": [ + "variableName" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NatGateway": { + "description": "Nat Gateway resource.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + }, + "idleTimeoutInMinutes": { + "description": "The idle timeout of the nat gateway.", + "type": "integer" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "publicIpAddresses": { + "description": "An array of public ip addresses associated with the nat gateway resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "publicIpPrefixes": { + "description": "An array of public ip prefixes associated with the nat gateway resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySku", + "description": "The nat gateway SKU.", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "zones": { + "description": "A list of availability zones denoting the zone in which Nat Gateway should be deployed.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:NatGatewayResponse": { + "description": "Nat Gateway resource.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "idleTimeoutInMinutes": { + "description": "The idle timeout of the nat gateway.", + "type": "integer" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the NAT gateway resource.", + "type": "string" + }, + "publicIpAddresses": { + "description": "An array of public ip addresses associated with the nat gateway resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "publicIpPrefixes": { + "description": "An array of public ip prefixes associated with the nat gateway resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "resourceGuid": { + "description": "The resource GUID property of the NAT gateway resource.", + "type": "string" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySkuResponse", + "description": "The nat gateway SKU.", + "type": "object" + }, + "subnets": { + "description": "An array of references to the subnets using this nat gateway resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "zones": { + "description": "A list of availability zones denoting the zone in which Nat Gateway should be deployed.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "etag", + "name", + "provisioningState", + "resourceGuid", + "subnets", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NatGatewaySku": { + "description": "SKU of nat gateway.", + "properties": { + "name": { + "description": "Name of Nat Gateway SKU.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:NatGatewaySkuName" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:NatGatewaySkuResponse": { + "description": "SKU of nat gateway.", + "properties": { + "name": { + "description": "Name of Nat Gateway SKU.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:NatRule": { + "description": "Rule of type nat.", + "properties": { + "description": { + "description": "Description of the rule.", + "type": "string" + }, + "destinationAddresses": { + "description": "List of destination IP addresses or Service Tags.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationPorts": { + "description": "List of destination ports.", + "items": { + "type": "string" + }, + "type": "array" + }, + "ipProtocols": { + "description": "Array of FirewallPolicyRuleNetworkProtocols.", + "items": { + "oneOf": [ + { "type": "string" }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItem", - "type": "object" - }, - "type": "array" + { + "$ref": "#/types/azure-native:network:FirewallPolicyRuleNetworkProtocol" } - }, - "required": [ - "access", - "direction", - "kind", - "priority", - "protocol" ] }, - "location": "body", - "name": "adminRule", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "name": { + "description": "Name of the rule.", + "type": "string" + }, + "ruleType": { + "const": "NatRule", + "description": "Rule Type.\nExpected value is 'NatRule'.", + "type": "string" + }, + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", + "items": { "type": "string" - } + }, + "type": "array" + }, + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", + "items": { + "type": "string" + }, + "type": "array" + }, + "translatedAddress": { + "description": "The translated address for this NAT rule.", + "type": "string" + }, + "translatedFqdn": { + "description": "The translated FQDN for this NAT rule.", + "type": "string" + }, + "translatedPort": { + "description": "The translated port for this NAT rule.", + "type": "string" + } + }, + "required": [ + "ruleType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NatRulePortMappingResponse": { + "description": "Individual port mappings for inbound NAT rule created for backend pool.", + "properties": { + "backendPort": { + "description": "Backend port.", + "type": "integer" + }, + "frontendPort": { + "description": "Frontend port.", + "type": "integer" + }, + "inboundNatRuleName": { + "description": "Name of inbound NAT rule.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:NatRuleResponse": { + "description": "Rule of type nat.", + "properties": { + "description": { + "description": "Description of the rule.", + "type": "string" + }, + "destinationAddresses": { + "description": "List of destination IP addresses or Service Tags.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationPorts": { + "description": "List of destination ports.", + "items": { + "type": "string" + }, + "type": "array" + }, + "ipProtocols": { + "description": "Array of FirewallPolicyRuleNetworkProtocols.", + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "description": "Name of the rule.", + "type": "string" + }, + "ruleType": { + "const": "NatRule", + "description": "Rule Type.\nExpected value is 'NatRule'.", + "type": "string" + }, + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", + "items": { + "type": "string" + }, + "type": "array" + }, + "translatedAddress": { + "description": "The translated address for this NAT rule.", + "type": "string" + }, + "translatedFqdn": { + "description": "The translated FQDN for this NAT rule.", + "type": "string" + }, + "translatedPort": { + "description": "The translated port for this NAT rule.", + "type": "string" + } + }, + "required": [ + "ruleType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkInterfaceDnsSettings": { + "description": "DNS settings of a network interface.", + "properties": { + "dnsServers": { + "description": "List of DNS servers IP addresses. Use 'AzureProvidedDNS' to switch to azure provided DNS resolution. 'AzureProvidedDNS' value cannot be combined with other IPs, it must be the only value in dnsServers collection.", + "items": { + "type": "string" + }, + "type": "array" + }, + "internalDnsNameLabel": { + "description": "Relative DNS name for this NIC used for internal communications between VMs in the same virtual network.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse": { + "description": "DNS settings of a network interface.", + "properties": { + "appliedDnsServers": { + "description": "If the VM that uses this NIC is part of an Availability Set, then this list will have the union of all DNS servers from all NICs that are part of the Availability Set. This property is what is configured on each of those VMs.", + "items": { + "type": "string" + }, + "type": "array" + }, + "dnsServers": { + "description": "List of DNS servers IP addresses. Use 'AzureProvidedDNS' to switch to azure provided DNS resolution. 'AzureProvidedDNS' value cannot be combined with other IPs, it must be the only value in dnsServers collection.", + "items": { + "type": "string" + }, + "type": "array" + }, + "internalDnsNameLabel": { + "description": "Relative DNS name for this NIC used for internal communications between VMs in the same virtual network.", + "type": "string" + }, + "internalDomainNameSuffix": { + "description": "Even if internalDnsNameLabel is not specified, a DNS entry is created for the primary NIC of the VM. This DNS name can be constructed by concatenating the VM name with the value of internalDomainNameSuffix.", + "type": "string" + }, + "internalFqdn": { + "description": "Fully qualified DNS name supporting internal communications between VMs in the same virtual network.", + "type": "string" + } + }, + "required": [ + "appliedDnsServers", + "internalDomainNameSuffix", + "internalFqdn" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration": { + "description": "IPConfiguration in a network interface.", + "properties": { + "applicationGatewayBackendAddressPools": { + "description": "The reference to ApplicationGatewayBackendAddressPool resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPool", + "type": "object" + }, + "type": "array" + }, + "applicationSecurityGroups": { + "description": "Application security groups in which the IP configuration is included.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" + }, + "type": "array" + }, + "gatewayLoadBalancer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The reference to gateway load balancer frontend IP.", + "type": "object" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "loadBalancerBackendAddressPools": { + "description": "The reference to LoadBalancerBackendAddressPool resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPool", + "type": "object" + }, + "type": "array" + }, + "loadBalancerInboundNatRules": { + "description": "A list of references of LoadBalancerInboundNatRules.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRule", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "primary": { + "description": "Whether this is a primary customer address on the network interface.", + "type": "boolean" + }, + "privateIPAddress": { + "description": "Private IP address of the IP configuration.", + "type": "string" + }, + "privateIPAddressVersion": { + "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPVersion" + } + ] + }, + "privateIPAllocationMethod": { + "description": "The private IP address allocation method.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPAllocationMethod" + } + ] + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", + "description": "Public IP address bound to the IP configuration.", + "type": "object" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", + "description": "Subnet bound to the IP configuration.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "virtualNetworkTaps": { + "description": "The reference to Virtual Network Taps.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTap", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationPrivateLinkConnectionPropertiesResponse": { + "description": "PrivateLinkConnection properties for the network interface.", + "properties": { + "fqdns": { + "description": "List of FQDNs for current private link connection.", + "items": { + "type": "string" + }, + "type": "array" + }, + "groupId": { + "description": "The group ID for current private link connection.", + "type": "string" + }, + "requiredMemberName": { + "description": "The required member name for current private link connection.", + "type": "string" + } + }, + "required": [ + "fqdns", + "groupId", + "requiredMemberName" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse": { + "description": "IPConfiguration in a network interface.", + "properties": { + "applicationGatewayBackendAddressPools": { + "description": "The reference to ApplicationGatewayBackendAddressPool resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", + "type": "object" + }, + "type": "array" + }, + "applicationSecurityGroups": { + "description": "Application security groups in which the IP configuration is included.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + }, + "type": "array" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "gatewayLoadBalancer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The reference to gateway load balancer frontend IP.", + "type": "object" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "loadBalancerBackendAddressPools": { + "description": "The reference to LoadBalancerBackendAddressPool resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPoolResponse", + "type": "object" + }, + "type": "array" + }, + "loadBalancerInboundNatRules": { + "description": "A list of references of LoadBalancerInboundNatRules.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRuleResponse", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "primary": { + "description": "Whether this is a primary customer address on the network interface.", + "type": "boolean" + }, + "privateIPAddress": { + "description": "Private IP address of the IP configuration.", + "type": "string" + }, + "privateIPAddressVersion": { + "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", + "type": "string" + }, + "privateIPAllocationMethod": { + "description": "The private IP address allocation method.", + "type": "string" + }, + "privateLinkConnectionProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationPrivateLinkConnectionPropertiesResponse", + "description": "PrivateLinkConnection properties for the network interface.", + "type": "object" + }, + "provisioningState": { + "description": "The provisioning state of the network interface IP configuration.", + "type": "string" + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "description": "Public IP address bound to the IP configuration.", + "type": "object" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "description": "Subnet bound to the IP configuration.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "virtualNetworkTaps": { + "description": "The reference to Virtual Network Taps.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "etag", + "privateLinkConnectionProperties", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkInterfaceResponse": { + "description": "A network interface in a resource group.", + "properties": { + "auxiliaryMode": { + "description": "Auxiliary mode of Network Interface resource.", + "type": "string" + }, + "auxiliarySku": { + "description": "Auxiliary sku of Network Interface resource.", + "type": "string" + }, + "disableTcpStateTracking": { + "description": "Indicates whether to disable tcp state tracking.", + "type": "boolean" + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse", + "description": "The DNS settings in network interface.", + "type": "object" + }, + "dscpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "A reference to the dscp configuration to which the network interface is linked.", + "type": "object" + }, + "enableAcceleratedNetworking": { + "description": "If the network interface is configured for accelerated networking. Not applicable to VM sizes which require accelerated networking.", + "type": "boolean" + }, + "enableIPForwarding": { + "description": "Indicates whether IP forwarding is enabled on this network interface.", + "type": "boolean" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", + "description": "The extended location of the network interface.", + "type": "object" + }, + "hostedWorkloads": { + "description": "A list of references to linked BareMetal resources.", + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipConfigurations": { + "description": "A list of IPConfigurations of the network interface.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "macAddress": { + "description": "The MAC address of the network interface.", + "type": "string" + }, + "migrationPhase": { + "description": "Migration phase of Network Interface resource.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", + "description": "The reference to the NetworkSecurityGroup resource.", + "type": "object" + }, + "nicType": { + "description": "Type of Network Interface resource.", + "type": "string" + }, + "primary": { + "description": "Whether this is a primary network interface on a virtual machine.", + "type": "boolean" + }, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "description": "A reference to the private endpoint to which the network interface is linked.", + "type": "object" + }, + "privateLinkService": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceResponse", + "description": "Privatelinkservice of the network interface resource.", + "type": "object" + }, + "provisioningState": { + "description": "The provisioning state of the network interface resource.", + "type": "string" + }, + "resourceGuid": { + "description": "The resource GUID property of the network interface resource.", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "tapConfigurations": { + "description": "A list of TapConfigurations of the network interface.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "virtualMachine": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The reference to a virtual machine.", + "type": "object" + }, + "vnetEncryptionSupported": { + "description": "Whether the virtual machine this nic is attached to supports encryption.", + "type": "boolean" + }, + "workloadType": { + "description": "WorkloadType of the NetworkInterface for BareMetal resources", + "type": "string" + } + }, + "required": [ + "dscpConfiguration", + "etag", + "hostedWorkloads", + "macAddress", + "name", + "primary", + "privateEndpoint", + "provisioningState", + "resourceGuid", + "tapConfigurations", + "type", + "virtualMachine", + "vnetEncryptionSupported" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse": { + "description": "Tap configuration in a Network Interface.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the network interface tap configuration resource.", + "type": "string" + }, + "type": { + "description": "Sub Resource type.", + "type": "string" + }, + "virtualNetworkTap": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", + "description": "The reference to the Virtual Network Tap resource.", + "type": "object" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkManagerDeploymentStatusResponse": { + "description": "Network Manager Deployment Status.", + "properties": { + "commitTime": { + "description": "Commit Time.", + "type": "string" + }, + "configurationIds": { + "description": "List of configuration ids.", + "items": { + "type": "string" + }, + "type": "array" + }, + "deploymentStatus": { + "description": "Deployment Status.", + "type": "string" + }, + "deploymentType": { + "description": "Configuration Deployment Type.", + "type": "string" + }, + "errorMessage": { + "description": "Error Message.", + "type": "string" + }, + "region": { + "description": "Region Name.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkManagerPropertiesNetworkManagerScopes": { + "description": "Scope of Network Manager.", + "properties": { + "managementGroups": { + "description": "List of management groups.", + "items": { + "type": "string" + }, + "type": "array" + }, + "subscriptions": { + "description": "List of subscriptions.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkManagerPropertiesResponseNetworkManagerScopes": { + "description": "Scope of Network Manager.", + "properties": { + "crossTenantScopes": { + "description": "List of cross tenant scopes.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:CrossTenantScopesResponse", + "type": "object" + }, + "type": "array" + }, + "managementGroups": { + "description": "List of management groups.", + "items": { + "type": "string" + }, + "type": "array" + }, + "subscriptions": { + "description": "List of subscriptions.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "crossTenantScopes" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkManagerSecurityGroupItem": { + "description": "Network manager security group item.", + "properties": { + "networkGroupId": { + "description": "Network manager group Id.", + "type": "string" + } + }, + "required": [ + "networkGroupId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse": { + "description": "Network manager security group item.", + "properties": { + "networkGroupId": { + "description": "Network manager group Id.", + "type": "string" + } + }, + "required": [ + "networkGroupId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkRule": { + "description": "Rule of type network.", + "properties": { + "description": { + "description": "Description of the rule.", + "type": "string" + }, + "destinationAddresses": { + "description": "List of destination IP addresses or Service Tags.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationFqdns": { + "description": "List of destination FQDNs.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationIpGroups": { + "description": "List of destination IpGroups for this rule.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationPorts": { + "description": "List of destination ports.", + "items": { + "type": "string" + }, + "type": "array" + }, + "ipProtocols": { + "description": "Array of FirewallPolicyRuleNetworkProtocols.", + "items": { + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:FirewallPolicyRuleNetworkProtocol" + } + ] + }, + "type": "array" + }, + "name": { + "description": "Name of the rule.", + "type": "string" + }, + "ruleType": { + "const": "NetworkRule", + "description": "Rule Type.\nExpected value is 'NetworkRule'.", + "type": "string" + }, + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "ruleType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkRuleResponse": { + "description": "Rule of type network.", + "properties": { + "description": { + "description": "Description of the rule.", + "type": "string" + }, + "destinationAddresses": { + "description": "List of destination IP addresses or Service Tags.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationFqdns": { + "description": "List of destination FQDNs.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationIpGroups": { + "description": "List of destination IpGroups for this rule.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationPorts": { + "description": "List of destination ports.", + "items": { + "type": "string" + }, + "type": "array" + }, + "ipProtocols": { + "description": "Array of FirewallPolicyRuleNetworkProtocols.", + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "description": "Name of the rule.", + "type": "string" + }, + "ruleType": { + "const": "NetworkRule", + "description": "Rule Type.\nExpected value is 'NetworkRule'.", + "type": "string" + }, + "sourceAddresses": { + "description": "List of source IP addresses for this rule.", + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceIpGroups": { + "description": "List of source IpGroups for this rule.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "ruleType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkSecurityGroup": { + "description": "NetworkSecurityGroup resource.", + "properties": { + "flushConnection": { + "description": "When enabled, flows created from Network Security Group connections will be re-evaluated when rules are updates. Initial enablement will trigger re-evaluation.", + "type": "boolean" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "securityRules": { + "description": "A collection of security rules of the network security group.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRule", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkSecurityGroupResponse": { + "description": "NetworkSecurityGroup resource.", + "properties": { + "defaultSecurityRules": { + "description": "The default security rules of network security group.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", + "type": "object" + }, + "type": "array" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "flowLogs": { + "description": "A collection of references to flow log resources.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", + "type": "object" + }, + "type": "array" + }, + "flushConnection": { + "description": "When enabled, flows created from Network Security Group connections will be re-evaluated when rules are updates. Initial enablement will trigger re-evaluation.", + "type": "boolean" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "networkInterfaces": { + "description": "A collection of references to network interfaces.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the network security group resource.", + "type": "string" + }, + "resourceGuid": { + "description": "The resource GUID property of the network security group resource.", + "type": "string" + }, + "securityRules": { + "description": "A collection of security rules of the network security group.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", + "type": "object" + }, + "type": "array" + }, + "subnets": { + "description": "A collection of references to subnets.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "defaultSecurityRules", + "etag", + "flowLogs", + "name", + "networkInterfaces", + "provisioningState", + "resourceGuid", + "subnets", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionProperties": { + "description": "Properties of the NetworkVirtualApplianceConnection subresource.", + "properties": { + "asn": { + "description": "Network Virtual Appliance ASN.", + "type": "number" + }, + "bgpPeerAddress": { + "description": "List of bgpPeerAddresses for the NVA instances", + "items": { + "type": "string" + }, + "type": "array" + }, + "enableInternetSecurity": { + "description": "Enable internet security.", + "type": "boolean" + }, + "name": { + "description": "The name of the resource.", + "type": "string" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfv", + "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", + "type": "object" + }, + "tunnelIdentifier": { + "description": "Unique identifier for the connection.", + "type": "number" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionPropertiesResponse": { + "description": "Properties of the NetworkVirtualApplianceConnection subresource.", + "properties": { + "asn": { + "description": "Network Virtual Appliance ASN.", + "type": "number" + }, + "bgpPeerAddress": { + "description": "List of bgpPeerAddresses for the NVA instances", + "items": { + "type": "string" + }, + "type": "array" + }, + "enableInternetSecurity": { + "description": "Enable internet security.", + "type": "boolean" + }, + "name": { + "description": "The name of the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the NetworkVirtualApplianceConnection resource.", + "type": "string" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvResponse", + "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", + "type": "object" + }, + "tunnelIdentifier": { + "description": "Unique identifier for the connection.", + "type": "number" + } + }, + "required": [ + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:O365BreakOutCategoryPolicies": { + "description": "Office365 breakout categories.", + "properties": { + "allow": { + "description": "Flag to control allow category.", + "type": "boolean" + }, + "default": { + "description": "Flag to control default category.", + "type": "boolean" + }, + "optimize": { + "description": "Flag to control optimize category.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:O365BreakOutCategoryPoliciesResponse": { + "description": "Office365 breakout categories.", + "properties": { + "allow": { + "description": "Flag to control allow category.", + "type": "boolean" + }, + "default": { + "description": "Flag to control default category.", + "type": "boolean" + }, + "optimize": { + "description": "Flag to control optimize category.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:O365PolicyProperties": { + "description": "The Office365 breakout policy.", + "properties": { + "breakOutCategories": { + "$ref": "#/types/azure-native_network_v20230201:network:O365BreakOutCategoryPolicies", + "description": "Office365 breakout categories.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:O365PolicyPropertiesResponse": { + "description": "The Office365 breakout policy.", + "properties": { + "breakOutCategories": { + "$ref": "#/types/azure-native_network_v20230201:network:O365BreakOutCategoryPoliciesResponse", + "description": "Office365 breakout categories.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:Office365PolicyProperties": { + "description": "Network Virtual Appliance Sku Properties.", + "properties": { + "breakOutCategories": { + "$ref": "#/types/azure-native_network_v20230201:network:BreakOutCategoryPolicies", + "description": "Office 365 breakout categories.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:Office365PolicyPropertiesResponse": { + "description": "Network Virtual Appliance Sku Properties.", + "properties": { + "breakOutCategories": { + "$ref": "#/types/azure-native_network_v20230201:network:BreakOutCategoryPoliciesResponse", + "description": "Office 365 breakout categories.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:OrderBy": { + "description": "Describes a column to sort", + "properties": { + "field": { + "description": "Describes the actual column name to sort by", + "type": "string" + }, + "order": { + "description": "Describes if results should be in ascending/descending order", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:FirewallPolicyIDPSQuerySortOrder" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:OutboundRule": { + "description": "Outbound rule of the load balancer.", + "properties": { + "allocatedOutboundPorts": { + "description": "The number of outbound ports to be used for NAT.", + "type": "integer" + }, + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "A reference to a pool of DIPs. Outbound traffic is randomly load balanced across IPs in the backend IPs.", + "type": "object" + }, + "enableTcpReset": { + "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", + "type": "boolean" + }, + "frontendIPConfigurations": { + "description": "The Frontend IP addresses of the load balancer.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "idleTimeoutInMinutes": { + "description": "The timeout for the TCP idle connection.", + "type": "integer" + }, + "name": { + "description": "The name of the resource that is unique within the set of outbound rules used by the load balancer. This name can be used to access the resource.", + "type": "string" + }, + "protocol": { + "description": "The protocol for the outbound rule in load balancer.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:LoadBalancerOutboundRuleProtocol" + } + ] + } + }, + "required": [ + "backendAddressPool", + "frontendIPConfigurations", + "protocol" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:OutboundRuleResponse": { + "description": "Outbound rule of the load balancer.", + "properties": { + "allocatedOutboundPorts": { + "description": "The number of outbound ports to be used for NAT.", + "type": "integer" + }, + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "A reference to a pool of DIPs. Outbound traffic is randomly load balanced across IPs in the backend IPs.", + "type": "object" + }, + "enableTcpReset": { + "description": "Receive bidirectional TCP Reset on TCP flow idle timeout or unexpected connection termination. This element is only used when the protocol is set to TCP.", + "type": "boolean" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "frontendIPConfigurations": { + "description": "The Frontend IP addresses of the load balancer.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "idleTimeoutInMinutes": { + "description": "The timeout for the TCP idle connection.", + "type": "integer" + }, + "name": { + "description": "The name of the resource that is unique within the set of outbound rules used by the load balancer. This name can be used to access the resource.", + "type": "string" + }, + "protocol": { + "description": "The protocol for the outbound rule in load balancer.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the outbound rule resource.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "backendAddressPool", + "etag", + "frontendIPConfigurations", + "protocol", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:OwaspCrsExclusionEntry": { + "description": "Allow to exclude some variable satisfy the condition for the WAF check.", + "properties": { + "exclusionManagedRuleSets": { + "description": "The managed rule sets that are associated with the exclusion.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRuleSet", + "type": "object" + }, + "type": "array" + }, + "matchVariable": { + "description": "The variable to be excluded.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:OwaspCrsExclusionEntryMatchVariable" + } + ] + }, + "selector": { + "description": "When matchVariable is a collection, operator used to specify which elements in the collection this exclusion applies to.", + "type": "string" + }, + "selectorMatchOperator": { + "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:OwaspCrsExclusionEntrySelectorMatchOperator" + } + ] + } + }, + "required": [ + "matchVariable", + "selector", + "selectorMatchOperator" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:OwaspCrsExclusionEntryResponse": { + "description": "Allow to exclude some variable satisfy the condition for the WAF check.", + "properties": { + "exclusionManagedRuleSets": { + "description": "The managed rule sets that are associated with the exclusion.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRuleSetResponse", + "type": "object" + }, + "type": "array" + }, + "matchVariable": { + "description": "The variable to be excluded.", + "type": "string" + }, + "selector": { + "description": "When matchVariable is a collection, operator used to specify which elements in the collection this exclusion applies to.", + "type": "string" + }, + "selectorMatchOperator": { + "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", + "type": "string" + } + }, + "required": [ + "matchVariable", + "selector", + "selectorMatchOperator" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:P2SConnectionConfiguration": { + "description": "P2SConnectionConfiguration Resource.", + "properties": { + "enableInternetSecurity": { + "description": "Flag indicating whether the enable internet security flag is turned on for the P2S Connections or not.", + "type": "boolean" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", + "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", + "type": "object" + }, + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:P2SConnectionConfigurationResponse": { + "description": "P2SConnectionConfiguration Resource.", + "properties": { + "configurationPolicyGroupAssociations": { + "description": "List of Configuration Policy Groups that this P2SConnectionConfiguration is attached to.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "enableInternetSecurity": { + "description": "Flag indicating whether the enable internet security flag is turned on for the P2S Connections or not.", + "type": "boolean" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "previousConfigurationPolicyGroupAssociations": { + "description": "List of previous Configuration Policy Groups that this P2SConnectionConfiguration was attached to.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupResponse", + "type": "object" + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the P2SConnectionConfiguration resource.", + "type": "string" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", + "type": "object" + }, + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", + "type": "object" + } + }, + "required": [ + "configurationPolicyGroupAssociations", + "etag", + "previousConfigurationPolicyGroupAssociations", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:P2SVpnGatewayResponse": { + "description": "P2SVpnGateway Resource.", + "properties": { + "customDnsServers": { + "description": "List of all customer specified DNS servers IP addresses.", + "items": { + "type": "string" + }, + "type": "array" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "isRoutingPreferenceInternet": { + "description": "Enable Routing Preference property for the Public IP Interface of the P2SVpnGateway.", + "type": "boolean" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "p2SConnectionConfigurations": { + "description": "List of all p2s connection configurations of the gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the P2S VPN gateway resource.", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The VirtualHub to which the gateway belongs.", + "type": "object" + }, + "vpnClientConnectionHealth": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", + "description": "All P2S VPN clients' connection health status.", + "type": "object" + }, + "vpnGatewayScaleUnit": { + "description": "The scale unit for this p2s vpn gateway.", + "type": "integer" + }, + "vpnServerConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The VpnServerConfiguration to which the p2sVpnGateway is attached to.", + "type": "object" + } + }, + "required": [ + "etag", + "location", + "name", + "provisioningState", + "type", + "vpnClientConnectionHealth" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:PacketCaptureFilter": { + "description": "Filter that is applied to packet capture request. Multiple filters can be applied.", + "properties": { + "localIPAddress": { + "description": "Local IP Address to be filtered on. Notation: \"127.0.0.1\" for single address entry. \"127.0.0.1-127.0.0.255\" for range. \"127.0.0.1;127.0.0.5\"? for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", + "type": "string" + }, + "localPort": { + "description": "Local port to be filtered on. Notation: \"80\" for single port entry.\"80-85\" for range. \"80;443;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", + "type": "string" + }, + "protocol": { + "default": "Any", + "description": "Protocol to be filtered on.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:PcProtocol" + } + ] + }, + "remoteIPAddress": { + "description": "Local IP Address to be filtered on. Notation: \"127.0.0.1\" for single address entry. \"127.0.0.1-127.0.0.255\" for range. \"127.0.0.1;127.0.0.5;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", + "type": "string" + }, + "remotePort": { + "description": "Remote port to be filtered on. Notation: \"80\" for single port entry.\"80-85\" for range. \"80;443;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PacketCaptureFilterResponse": { + "description": "Filter that is applied to packet capture request. Multiple filters can be applied.", + "properties": { + "localIPAddress": { + "description": "Local IP Address to be filtered on. Notation: \"127.0.0.1\" for single address entry. \"127.0.0.1-127.0.0.255\" for range. \"127.0.0.1;127.0.0.5\"? for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", + "type": "string" + }, + "localPort": { + "description": "Local port to be filtered on. Notation: \"80\" for single port entry.\"80-85\" for range. \"80;443;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", + "type": "string" + }, + "protocol": { + "default": "Any", + "description": "Protocol to be filtered on.", + "type": "string" + }, + "remoteIPAddress": { + "description": "Local IP Address to be filtered on. Notation: \"127.0.0.1\" for single address entry. \"127.0.0.1-127.0.0.255\" for range. \"127.0.0.1;127.0.0.5;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", + "type": "string" + }, + "remotePort": { + "description": "Remote port to be filtered on. Notation: \"80\" for single port entry.\"80-85\" for range. \"80;443;\" for multiple entries. Multiple ranges not currently supported. Mixing ranges with multiple entries not currently supported. Default = null.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PacketCaptureMachineScope": { + "description": "A list of AzureVMSS instances which can be included or excluded to run packet capture. If both included and excluded are empty, then the packet capture will run on all instances of AzureVMSS.", + "properties": { + "exclude": { + "description": "List of AzureVMSS instances which has to be excluded from the AzureVMSS from running packet capture.", + "items": { + "type": "string" + }, + "type": "array" + }, + "include": { + "description": "List of AzureVMSS instances to run packet capture on.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PacketCaptureMachineScopeResponse": { + "description": "A list of AzureVMSS instances which can be included or excluded to run packet capture. If both included and excluded are empty, then the packet capture will run on all instances of AzureVMSS.", + "properties": { + "exclude": { + "description": "List of AzureVMSS instances which has to be excluded from the AzureVMSS from running packet capture.", + "items": { + "type": "string" + }, + "type": "array" + }, + "include": { + "description": "List of AzureVMSS instances to run packet capture on.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PacketCaptureStorageLocation": { + "description": "The storage location for a packet capture session.", + "properties": { + "filePath": { + "description": "A valid local path on the targeting VM. Must include the name of the capture file (*.cap). For linux virtual machine it must start with /var/captures. Required if no storage ID is provided, otherwise optional.", + "type": "string" + }, + "storageId": { + "description": "The ID of the storage account to save the packet capture session. Required if no local file path is provided.", + "type": "string" + }, + "storagePath": { + "description": "The URI of the storage path to save the packet capture. Must be a well-formed URI describing the location to save the packet capture.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PacketCaptureStorageLocationResponse": { + "description": "The storage location for a packet capture session.", + "properties": { + "filePath": { + "description": "A valid local path on the targeting VM. Must include the name of the capture file (*.cap). For linux virtual machine it must start with /var/captures. Required if no storage ID is provided, otherwise optional.", + "type": "string" + }, + "storageId": { + "description": "The ID of the storage account to save the packet capture session. Required if no local file path is provided.", + "type": "string" + }, + "storagePath": { + "description": "The URI of the storage path to save the packet capture. Must be a well-formed URI describing the location to save the packet capture.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:Parameter": { + "description": "Parameters for an Action.", + "properties": { + "asPath": { + "description": "List of AS paths.", + "items": { + "type": "string" + }, + "type": "array" + }, + "community": { + "description": "List of BGP communities.", + "items": { + "type": "string" + }, + "type": "array" + }, + "routePrefix": { + "description": "List of route prefixes.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ParameterResponse": { + "description": "Parameters for an Action.", + "properties": { + "asPath": { + "description": "List of AS paths.", + "items": { + "type": "string" + }, + "type": "array" + }, + "community": { + "description": "List of BGP communities.", + "items": { + "type": "string" + }, + "type": "array" + }, + "routePrefix": { + "description": "List of route prefixes.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PartnerManagedResourcePropertiesResponse": { + "description": "Properties of the partner managed resource.", + "properties": { + "id": { + "description": "The partner managed resource id.", + "type": "string" + }, + "internalLoadBalancerId": { + "description": "The partner managed ILB resource id", + "type": "string" + }, + "standardLoadBalancerId": { + "description": "The partner managed SLB resource id", + "type": "string" + } + }, + "required": [ + "id", + "internalLoadBalancerId", + "standardLoadBalancerId" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse": { + "description": "Peer Express Route Circuit Connection in an ExpressRouteCircuitPeering resource.", + "properties": { + "addressPrefix": { + "description": "/29 IP address space to carve out Customer addresses for tunnels.", + "type": "string" + }, + "authResourceGuid": { + "description": "The resource guid of the authorization used for the express route circuit connection.", + "type": "string" + }, + "circuitConnectionStatus": { + "description": "Express Route Circuit connection state.", + "type": "string" + }, + "connectionName": { + "description": "The name of the express route circuit connection resource.", + "type": "string" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to Express Route Circuit Private Peering Resource of the circuit.", + "type": "object" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Reference to Express Route Circuit Private Peering Resource of the peered circuit.", + "type": "object" + }, + "provisioningState": { + "description": "The provisioning state of the peer express route circuit connection resource.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "circuitConnectionStatus", + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:PolicySettings": { + "description": "Defines contents of a web application firewall global configuration.", + "properties": { + "customBlockResponseBody": { + "description": "If the action type is block, customer can override the response body. The body must be specified in base64 encoding.", + "type": "string" + }, + "customBlockResponseStatusCode": { + "description": "If the action type is block, customer can override the response status code.", + "type": "integer" + }, + "fileUploadEnforcement": { + "default": true, + "description": "Whether allow WAF to enforce file upload limits.", + "type": "boolean" + }, + "fileUploadLimitInMb": { + "description": "Maximum file upload size in Mb for WAF.", + "type": "integer" + }, + "logScrubbing": { + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsLogScrubbing", + "description": "To scrub sensitive log fields", + "type": "object" + }, + "maxRequestBodySizeInKb": { + "description": "Maximum request body size in Kb for WAF.", + "type": "integer" + }, + "mode": { + "description": "The mode of the policy.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:WebApplicationFirewallMode" + } + ] + }, + "requestBodyCheck": { + "description": "Whether to allow WAF to check request Body.", + "type": "boolean" + }, + "requestBodyEnforcement": { + "default": true, + "description": "Whether allow WAF to enforce request body limits.", + "type": "boolean" + }, + "requestBodyInspectLimitInKB": { + "description": "Max inspection limit in KB for request body inspection for WAF.", + "type": "integer" + }, + "state": { + "description": "The state of the policy.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:WebApplicationFirewallEnabledState" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PolicySettingsLogScrubbing": { + "description": "To scrub sensitive log fields", + "properties": { + "scrubbingRules": { + "description": "The rules that are applied to the logs for scrubbing.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallScrubbingRules", + "type": "object" + }, + "type": "array" + }, + "state": { + "description": "State of the log scrubbing config. Default value is Enabled.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:WebApplicationFirewallScrubbingState" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PolicySettingsResponse": { + "description": "Defines contents of a web application firewall global configuration.", + "properties": { + "customBlockResponseBody": { + "description": "If the action type is block, customer can override the response body. The body must be specified in base64 encoding.", + "type": "string" + }, + "customBlockResponseStatusCode": { + "description": "If the action type is block, customer can override the response status code.", + "type": "integer" + }, + "fileUploadEnforcement": { + "default": true, + "description": "Whether allow WAF to enforce file upload limits.", + "type": "boolean" + }, + "fileUploadLimitInMb": { + "description": "Maximum file upload size in Mb for WAF.", + "type": "integer" + }, + "logScrubbing": { + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsResponseLogScrubbing", + "description": "To scrub sensitive log fields", + "type": "object" + }, + "maxRequestBodySizeInKb": { + "description": "Maximum request body size in Kb for WAF.", + "type": "integer" + }, + "mode": { + "description": "The mode of the policy.", + "type": "string" + }, + "requestBodyCheck": { + "description": "Whether to allow WAF to check request Body.", + "type": "boolean" + }, + "requestBodyEnforcement": { + "default": true, + "description": "Whether allow WAF to enforce request body limits.", + "type": "boolean" + }, + "requestBodyInspectLimitInKB": { + "description": "Max inspection limit in KB for request body inspection for WAF.", + "type": "integer" + }, + "state": { + "description": "The state of the policy.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PolicySettingsResponseLogScrubbing": { + "description": "To scrub sensitive log fields", + "properties": { + "scrubbingRules": { + "description": "The rules that are applied to the logs for scrubbing.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallScrubbingRulesResponse", + "type": "object" + }, + "type": "array" + }, + "state": { + "description": "State of the log scrubbing config. Default value is Enabled.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateDnsZoneConfig": { + "description": "PrivateDnsZoneConfig resource.", + "properties": { + "name": { + "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "privateDnsZoneId": { + "description": "The resource id of the private dns zone.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateDnsZoneConfigResponse": { + "description": "PrivateDnsZoneConfig resource.", + "properties": { + "name": { + "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "privateDnsZoneId": { + "description": "The resource id of the private dns zone.", + "type": "string" + }, + "recordSets": { + "description": "A collection of information regarding a recordSet, holding information to identify private resources.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RecordSetResponse", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "recordSets" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateEndpointConnectionResponse": { + "description": "PrivateEndpointConnection resource.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "linkIdentifier": { + "description": "The consumer link id.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "description": "The resource of private end point.", + "type": "object" + }, + "privateEndpointLocation": { + "description": "The location of the private endpoint.", + "type": "string" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", + "description": "A collection of information about the state of the connection between service consumer and provider.", + "type": "object" + }, + "provisioningState": { + "description": "The provisioning state of the private endpoint connection resource.", + "type": "string" + }, + "type": { + "description": "The resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "linkIdentifier", + "privateEndpoint", + "privateEndpointLocation", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateEndpointIPConfiguration": { + "description": "An IP Configuration of the private endpoint.", + "properties": { + "groupId": { + "description": "The ID of a group obtained from the remote resource that this private endpoint should connect to.", + "type": "string" + }, + "memberName": { + "description": "The member name of a group obtained from the remote resource that this private endpoint should connect to.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group.", + "type": "string" + }, + "privateIPAddress": { + "description": "A private ip address obtained from the private endpoint's subnet.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse": { + "description": "An IP Configuration of the private endpoint.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "groupId": { + "description": "The ID of a group obtained from the remote resource that this private endpoint should connect to.", + "type": "string" + }, + "memberName": { + "description": "The member name of a group obtained from the remote resource that this private endpoint should connect to.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group.", + "type": "string" + }, + "privateIPAddress": { + "description": "A private ip address obtained from the private endpoint's subnet.", + "type": "string" + }, + "type": { + "description": "The resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateEndpointResponse": { + "description": "Private endpoint resource.", + "properties": { + "applicationSecurityGroups": { + "description": "Application security groups in which the private endpoint IP configuration is included.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + }, + "type": "array" + }, + "customDnsConfigs": { + "description": "An array of custom dns configurations.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse", + "type": "object" + }, + "type": "array" + }, + "customNetworkInterfaceName": { + "description": "The custom name of the network interface attached to the private endpoint.", + "type": "string" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", + "description": "The extended location of the load balancer.", + "type": "object" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipConfigurations": { + "description": "A list of IP configurations of the private endpoint. This will be used to map to the First Party Service's endpoints.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "manualPrivateLinkServiceConnections": { + "description": "A grouping of information about the connection to the remote resource. Used when the network admin does not have access to approve connections to the remote resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "networkInterfaces": { + "description": "An array of references to the network interfaces created for this private endpoint.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + }, + "type": "array" + }, + "privateLinkServiceConnections": { + "description": "A grouping of information about the connection to the remote resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", + "type": "object" + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the private endpoint resource.", + "type": "string" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "description": "The ID of the subnet from which the private IP will be allocated.", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "name", + "networkInterfaces", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkService": { + "description": "Private link service resource.", + "properties": { + "autoApproval": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesAutoApproval", + "description": "The auto-approval list of the private link service.", + "type": "object" + }, + "enableProxyProtocol": { + "description": "Whether the private link service is enabled for proxy protocol or not.", + "type": "boolean" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "description": "The extended location of the load balancer.", + "type": "object" + }, + "fqdns": { + "description": "The list of Fqdn.", + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipConfigurations": { + "description": "An array of private link service IP configurations.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfiguration", + "type": "object" + }, + "type": "array" + }, + "loadBalancerFrontendIpConfigurations": { + "description": "An array of references to the load balancer IP configurations.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "visibility": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesVisibility", + "description": "The visibility list of the private link service.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkServiceConnection": { + "description": "PrivateLinkServiceConnection resource.", + "properties": { + "groupIds": { + "description": "The ID(s) of the group(s) obtained from the remote resource that this private endpoint should connect to.", + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionState", + "description": "A collection of read-only information about the state of the connection to the remote resource.", + "type": "object" + }, + "privateLinkServiceId": { + "description": "The resource id of private link service.", + "type": "string" + }, + "requestMessage": { + "description": "A message passed to the owner of the remote resource with this connection request. Restricted to 140 chars.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse": { + "description": "PrivateLinkServiceConnection resource.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "groupIds": { + "description": "The ID(s) of the group(s) obtained from the remote resource that this private endpoint should connect to.", + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", + "description": "A collection of read-only information about the state of the connection to the remote resource.", + "type": "object" + }, + "privateLinkServiceId": { + "description": "The resource id of private link service.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the private link service connection resource.", + "type": "string" + }, + "requestMessage": { + "description": "A message passed to the owner of the remote resource with this connection request. Restricted to 140 chars.", + "type": "string" + }, + "type": { + "description": "The resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkServiceConnectionState": { + "description": "A collection of information about the state of the connection between service consumer and provider.", + "properties": { + "actionsRequired": { + "description": "A message indicating if changes on the service provider require any updates on the consumer.", + "type": "string" + }, + "description": { + "description": "The reason for approval/rejection of the connection.", + "type": "string" + }, + "status": { + "description": "Indicates whether the connection has been Approved/Rejected/Removed by the owner of the service.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse": { + "description": "A collection of information about the state of the connection between service consumer and provider.", + "properties": { + "actionsRequired": { + "description": "A message indicating if changes on the service provider require any updates on the consumer.", + "type": "string" + }, + "description": { + "description": "The reason for approval/rejection of the connection.", + "type": "string" + }, + "status": { + "description": "Indicates whether the connection has been Approved/Rejected/Removed by the owner of the service.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkServiceIpConfiguration": { + "description": "The private link service ip configuration.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of private link service ip configuration.", + "type": "string" + }, + "primary": { + "description": "Whether the ip configuration is primary or not.", + "type": "boolean" + }, + "privateIPAddress": { + "description": "The private IP address of the IP configuration.", + "type": "string" + }, + "privateIPAddressVersion": { + "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPVersion" + } + ] + }, + "privateIPAllocationMethod": { + "description": "The private IP address allocation method.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPAllocationMethod" + } + ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", + "description": "The reference to the subnet resource.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse": { + "description": "The private link service ip configuration.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of private link service ip configuration.", + "type": "string" + }, + "primary": { + "description": "Whether the ip configuration is primary or not.", + "type": "boolean" + }, + "privateIPAddress": { + "description": "The private IP address of the IP configuration.", + "type": "string" + }, + "privateIPAddressVersion": { + "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", + "type": "string" + }, + "privateIPAllocationMethod": { + "description": "The private IP address allocation method.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the private link service IP configuration resource.", + "type": "string" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "description": "The reference to the subnet resource.", + "type": "object" + }, + "type": { + "description": "The resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkServicePropertiesAutoApproval": { + "description": "The auto-approval list of the private link service.", + "properties": { + "subscriptions": { + "description": "The list of subscriptions.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval": { + "description": "The auto-approval list of the private link service.", + "properties": { + "subscriptions": { + "description": "The list of subscriptions.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility": { + "description": "The visibility list of the private link service.", + "properties": { + "subscriptions": { + "description": "The list of subscriptions.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkServicePropertiesVisibility": { + "description": "The visibility list of the private link service.", + "properties": { + "subscriptions": { + "description": "The list of subscriptions.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PrivateLinkServiceResponse": { + "description": "Private link service resource.", + "properties": { + "alias": { + "description": "The alias of the private link service.", + "type": "string" + }, + "autoApproval": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval", + "description": "The auto-approval list of the private link service.", + "type": "object" + }, + "enableProxyProtocol": { + "description": "Whether the private link service is enabled for proxy protocol or not.", + "type": "boolean" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", + "description": "The extended location of the load balancer.", + "type": "object" + }, + "fqdns": { + "description": "The list of Fqdn.", + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipConfigurations": { + "description": "An array of private link service IP configurations.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "loadBalancerFrontendIpConfigurations": { + "description": "An array of references to the load balancer IP configurations.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "networkInterfaces": { + "description": "An array of references to the network interfaces created for this private link service.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + }, + "type": "array" + }, + "privateEndpointConnections": { + "description": "An array of list about connections to the private endpoint.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointConnectionResponse", + "type": "object" + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the private link service resource.", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "visibility": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility", + "description": "The visibility list of the private link service.", + "type": "object" + } + }, + "required": [ + "alias", + "etag", + "name", + "networkInterfaces", + "privateEndpointConnections", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:Probe": { + "description": "A load balancer probe.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + }, + "intervalInSeconds": { + "description": "The interval, in seconds, for how frequently to probe the endpoint for health status. Typically, the interval is slightly less than half the allocated timeout period (in seconds) which allows two full probes before taking the instance out of rotation. The default value is 15, the minimum value is 5.", + "type": "integer" + }, + "name": { + "description": "The name of the resource that is unique within the set of probes used by the load balancer. This name can be used to access the resource.", + "type": "string" + }, + "numberOfProbes": { + "description": "The number of probes where if no response, will result in stopping further traffic from being delivered to the endpoint. This values allows endpoints to be taken out of rotation faster or slower than the typical times used in Azure.", + "type": "integer" + }, + "port": { + "description": "The port for communicating the probe. Possible values range from 1 to 65535, inclusive.", + "type": "integer" + }, + "probeThreshold": { + "description": "The number of consecutive successful or failed probes in order to allow or deny traffic from being delivered to this endpoint. After failing the number of consecutive probes equal to this value, the endpoint will be taken out of rotation and require the same number of successful consecutive probes to be placed back in rotation.", + "type": "integer" + }, + "protocol": { + "description": "The protocol of the end point. If 'Tcp' is specified, a received ACK is required for the probe to be successful. If 'Http' or 'Https' is specified, a 200 OK response from the specifies URI is required for the probe to be successful.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ProbeProtocol" + } + ] + }, + "requestPath": { + "description": "The URI used for requesting health status from the VM. Path is required if a protocol is set to http. Otherwise, it is not allowed. There is no default value.", + "type": "string" + } + }, + "required": [ + "port", + "protocol" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ProbeResponse": { + "description": "A load balancer probe.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "intervalInSeconds": { + "description": "The interval, in seconds, for how frequently to probe the endpoint for health status. Typically, the interval is slightly less than half the allocated timeout period (in seconds) which allows two full probes before taking the instance out of rotation. The default value is 15, the minimum value is 5.", + "type": "integer" + }, + "loadBalancingRules": { + "description": "The load balancer rules that use this probe.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource that is unique within the set of probes used by the load balancer. This name can be used to access the resource.", + "type": "string" + }, + "numberOfProbes": { + "description": "The number of probes where if no response, will result in stopping further traffic from being delivered to the endpoint. This values allows endpoints to be taken out of rotation faster or slower than the typical times used in Azure.", + "type": "integer" + }, + "port": { + "description": "The port for communicating the probe. Possible values range from 1 to 65535, inclusive.", + "type": "integer" + }, + "probeThreshold": { + "description": "The number of consecutive successful or failed probes in order to allow or deny traffic from being delivered to this endpoint. After failing the number of consecutive probes equal to this value, the endpoint will be taken out of rotation and require the same number of successful consecutive probes to be placed back in rotation.", + "type": "integer" + }, + "protocol": { + "description": "The protocol of the end point. If 'Tcp' is specified, a received ACK is required for the probe to be successful. If 'Http' or 'Https' is specified, a 200 OK response from the specifies URI is required for the probe to be successful.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the probe resource.", + "type": "string" + }, + "requestPath": { + "description": "The URI used for requesting health status from the VM. Path is required if a protocol is set to http. Otherwise, it is not allowed. There is no default value.", + "type": "string" + }, + "type": { + "description": "Type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "loadBalancingRules", + "port", + "protocol", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:PropagatedRouteTable": { + "description": "The list of RouteTables to advertise the routes to.", + "properties": { + "ids": { + "description": "The list of resource ids of all the RouteTables.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "labels": { + "description": "The list of labels.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PropagatedRouteTableNfv": { + "description": "Nfv version of the list of RouteTables to advertise the routes to.", + "properties": { + "ids": { + "description": "The list of resource ids of all the RouteTables.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResource", + "type": "object" + }, + "type": "array" + }, + "labels": { + "description": "The list of labels.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PropagatedRouteTableNfvResponse": { + "description": "Nfv version of the list of RouteTables to advertise the routes to.", + "properties": { + "ids": { + "description": "The list of resource ids of all the RouteTables.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "labels": { + "description": "The list of labels.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PropagatedRouteTableResponse": { + "description": "The list of RouteTables to advertise the routes to.", + "properties": { + "ids": { + "description": "The list of resource ids of all the RouteTables.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "labels": { + "description": "The list of labels.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PublicIPAddress": { + "description": "Public IP address resource.", + "properties": { + "ddosSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettings", + "description": "The DDoS protection custom policy associated with the public IP address.", + "type": "object" + }, + "deleteOption": { + "description": "Specify what happens to the public IP address when the VM using it is deleted", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:DeleteOptions" + } + ] + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettings", + "description": "The FQDN of the DNS record associated with the public IP address.", + "type": "object" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "description": "The extended location of the public ip address.", + "type": "object" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "idleTimeoutInMinutes": { + "description": "The idle timeout of the public IP address.", + "type": "integer" + }, + "ipAddress": { + "description": "The IP address associated with the public IP address resource.", + "type": "string" + }, + "ipTags": { + "description": "The list of tags associated with the public IP address.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpTag", + "type": "object" + }, + "type": "array" + }, + "linkedPublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", + "description": "The linked public IP address of the public IP address resource.", + "type": "object" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "migrationPhase": { + "description": "Migration phase of Public IP Address.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:PublicIPAddressMigrationPhase" + } + ] + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGateway", + "description": "The NatGateway for the Public IP address.", + "type": "object" + }, + "publicIPAddressVersion": { + "description": "The public IP address version.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPVersion" + } + ] + }, + "publicIPAllocationMethod": { + "description": "The public IP address allocation method.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPAllocationMethod" + } + ] + }, + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The Public IP Prefix this Public IP Address should be allocated from.", + "type": "object" + }, + "servicePublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", + "description": "The service public IP address of the public IP address resource.", + "type": "object" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSku", + "description": "The public IP address SKU.", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "zones": { + "description": "A list of availability zones denoting the IP allocated for the resource needs to come from.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PublicIPAddressDnsSettings": { + "description": "Contains FQDN of the DNS record associated with the public IP address.", + "properties": { + "domainNameLabel": { + "description": "The domain name label. The concatenation of the domain name label and the regionalized DNS zone make up the fully qualified domain name associated with the public IP address. If a domain name label is specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system.", + "type": "string" + }, + "domainNameLabelScope": { + "$ref": "#/types/azure-native:network:PublicIpAddressDnsSettingsDomainNameLabelScope", + "description": "The domain name label scope. If a domain name label and a domain name label scope are specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system with a hashed value includes in FQDN." + }, + "fqdn": { + "description": "The Fully Qualified Domain Name of the A DNS record associated with the public IP. This is the concatenation of the domainNameLabel and the regionalized DNS zone.", + "type": "string" + }, + "reverseFqdn": { + "description": "The reverse FQDN. A user-visible, fully qualified domain name that resolves to this public IP address. If the reverseFqdn is specified, then a PTR DNS record is created pointing from the IP address in the in-addr.arpa domain to the reverse FQDN.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse": { + "description": "Contains FQDN of the DNS record associated with the public IP address.", + "properties": { + "domainNameLabel": { + "description": "The domain name label. The concatenation of the domain name label and the regionalized DNS zone make up the fully qualified domain name associated with the public IP address. If a domain name label is specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system.", + "type": "string" + }, + "domainNameLabelScope": { + "description": "The domain name label scope. If a domain name label and a domain name label scope are specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system with a hashed value includes in FQDN.", + "type": "string" + }, + "fqdn": { + "description": "The Fully Qualified Domain Name of the A DNS record associated with the public IP. This is the concatenation of the domainNameLabel and the regionalized DNS zone.", + "type": "string" + }, + "reverseFqdn": { + "description": "The reverse FQDN. A user-visible, fully qualified domain name that resolves to this public IP address. If the reverseFqdn is specified, then a PTR DNS record is created pointing from the IP address in the in-addr.arpa domain to the reverse FQDN.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PublicIPAddressResponse": { + "description": "Public IP address resource.", + "properties": { + "ddosSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettingsResponse", + "description": "The DDoS protection custom policy associated with the public IP address.", + "type": "object" + }, + "deleteOption": { + "description": "Specify what happens to the public IP address when the VM using it is deleted", + "type": "string" + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse", + "description": "The FQDN of the DNS record associated with the public IP address.", + "type": "object" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", + "description": "The extended location of the public ip address.", + "type": "object" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "idleTimeoutInMinutes": { + "description": "The idle timeout of the public IP address.", + "type": "integer" + }, + "ipAddress": { + "description": "The IP address associated with the public IP address resource.", + "type": "string" + }, + "ipConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", + "description": "The IP configuration associated with the public IP address.", + "type": "object" + }, + "ipTags": { + "description": "The list of tags associated with the public IP address.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", + "type": "object" + }, + "type": "array" + }, + "linkedPublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "description": "The linked public IP address of the public IP address resource.", + "type": "object" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "migrationPhase": { + "description": "Migration phase of Public IP Address.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", + "description": "The NatGateway for the Public IP address.", + "type": "object" + }, + "provisioningState": { + "description": "The provisioning state of the public IP address resource.", + "type": "string" + }, + "publicIPAddressVersion": { + "description": "The public IP address version.", + "type": "string" + }, + "publicIPAllocationMethod": { + "description": "The public IP address allocation method.", + "type": "string" + }, + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The Public IP Prefix this Public IP Address should be allocated from.", + "type": "object" + }, + "resourceGuid": { + "description": "The resource GUID property of the public IP address resource.", + "type": "string" + }, + "servicePublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "description": "The service public IP address of the public IP address resource.", + "type": "object" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuResponse", + "description": "The public IP address SKU.", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "zones": { + "description": "A list of availability zones denoting the IP allocated for the resource needs to come from.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "etag", + "ipConfiguration", + "name", + "provisioningState", + "resourceGuid", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:PublicIPAddressSku": { + "description": "SKU of a public IP address.", + "properties": { + "name": { + "description": "Name of a public IP address SKU.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:PublicIPAddressSkuName" + } + ] + }, + "tier": { + "description": "Tier of a public IP address SKU.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:PublicIPAddressSkuTier" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PublicIPAddressSkuResponse": { + "description": "SKU of a public IP address.", + "properties": { + "name": { + "description": "Name of a public IP address SKU.", + "type": "string" + }, + "tier": { + "description": "Tier of a public IP address SKU.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PublicIPPrefixSku": { + "description": "SKU of a public IP prefix.", + "properties": { + "name": { + "description": "Name of a public IP prefix SKU.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:PublicIPPrefixSkuName" + } + ] + }, + "tier": { + "description": "Tier of a public IP prefix SKU.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:PublicIPPrefixSkuTier" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:PublicIPPrefixSkuResponse": { + "description": "SKU of a public IP prefix.", + "properties": { + "name": { + "description": "Name of a public IP prefix SKU.", + "type": "string" + }, + "tier": { + "description": "Tier of a public IP prefix SKU.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:QosDefinition": { + "description": "Quality of Service defines the traffic configuration between endpoints. Mandatory to have one marking.", + "properties": { + "destinationIpRanges": { + "description": "Destination IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", + "type": "object" + }, + "type": "array" + }, + "destinationPortRanges": { + "description": "Destination port ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", + "type": "object" + }, + "type": "array" + }, + "markings": { + "description": "List of markings to be used in the configuration.", + "items": { + "type": "integer" + }, + "type": "array" + }, + "protocol": { + "description": "RNM supported protocol types.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ProtocolType" + } + ] + }, + "sourceIpRanges": { + "description": "Source IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", + "type": "object" + }, + "type": "array" + }, + "sourcePortRanges": { + "description": "Sources port ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:QosDefinitionResponse": { + "description": "Quality of Service defines the traffic configuration between endpoints. Mandatory to have one marking.", + "properties": { + "destinationIpRanges": { + "description": "Destination IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", + "type": "object" + }, + "type": "array" + }, + "destinationPortRanges": { + "description": "Destination port ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", + "type": "object" + }, + "type": "array" + }, + "markings": { + "description": "List of markings to be used in the configuration.", + "items": { + "type": "integer" + }, + "type": "array" + }, + "protocol": { + "description": "RNM supported protocol types.", + "type": "string" + }, + "sourceIpRanges": { + "description": "Source IP ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", + "type": "object" + }, + "type": "array" + }, + "sourcePortRanges": { + "description": "Sources port ranges.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:QosIpRange": { + "description": "Qos Traffic Profiler IP Range properties.", + "properties": { + "endIP": { + "description": "End IP Address.", + "type": "string" + }, + "startIP": { + "description": "Start IP Address.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:QosIpRangeResponse": { + "description": "Qos Traffic Profiler IP Range properties.", + "properties": { + "endIP": { + "description": "End IP Address.", + "type": "string" + }, + "startIP": { + "description": "Start IP Address.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:QosPortRange": { + "description": "Qos Traffic Profiler Port range properties.", + "properties": { + "end": { + "description": "Qos Port Range end.", + "type": "integer" + }, + "start": { + "description": "Qos Port Range start.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:QosPortRangeResponse": { + "description": "Qos Traffic Profiler Port range properties.", + "properties": { + "end": { + "description": "Qos Port Range end.", + "type": "integer" + }, + "start": { + "description": "Qos Port Range start.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:RadiusServer": { + "description": "Radius Server Settings.", + "properties": { + "radiusServerAddress": { + "description": "The address of this radius server.", + "type": "string" + }, + "radiusServerScore": { + "description": "The initial score assigned to this radius server.", + "type": "number" + }, + "radiusServerSecret": { + "description": "The secret used for this radius server.", + "type": "string" + } + }, + "required": [ + "radiusServerAddress" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:RadiusServerResponse": { + "description": "Radius Server Settings.", + "properties": { + "radiusServerAddress": { + "description": "The address of this radius server.", + "type": "string" + }, + "radiusServerScore": { + "description": "The initial score assigned to this radius server.", + "type": "number" + }, + "radiusServerSecret": { + "description": "The secret used for this radius server.", + "type": "string" + } + }, + "required": [ + "radiusServerAddress" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:RecordSetResponse": { + "description": "A collective group of information about the record set information.", + "properties": { + "fqdn": { + "description": "Fqdn that resolves to private endpoint ip address.", + "type": "string" + }, + "ipAddresses": { + "description": "The private ip address of the private endpoint.", + "items": { + "type": "string" + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the recordset.", + "type": "string" + }, + "recordSetName": { + "description": "Recordset name.", + "type": "string" + }, + "recordType": { + "description": "Resource record type.", + "type": "string" + }, + "ttl": { + "description": "Recordset time to live.", + "type": "integer" + } + }, + "required": [ + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ReferencedPublicIpAddressResponse": { + "description": "Reference to a public IP address.", + "properties": { + "id": { + "description": "The PublicIPAddress Reference.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ResourceNavigationLinkResponse": { + "description": "ResourceNavigationLink resource.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "link": { + "description": "Link to the external resource.", + "type": "string" + }, + "linkedResourceType": { + "description": "Resource type of the linked resource.", + "type": "string" + }, + "name": { + "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the resource navigation link resource.", + "type": "string" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "id", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:RetentionPolicyParameters": { + "description": "Parameters that define the retention policy for flow log.", + "properties": { + "days": { + "default": 0, + "description": "Number of days to retain flow log records.", + "type": "integer" + }, + "enabled": { + "default": false, + "description": "Flag to enable/disable retention.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:RetentionPolicyParametersResponse": { + "description": "Parameters that define the retention policy for flow log.", + "properties": { + "days": { + "default": 0, + "description": "Number of days to retain flow log records.", + "type": "integer" + }, + "enabled": { + "default": false, + "description": "Flag to enable/disable retention.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:Route": { + "description": "Route resource.", + "properties": { + "addressPrefix": { + "description": "The destination CIDR to which the route applies.", + "type": "string" + }, + "hasBgpOverride": { + "description": "A value indicating whether this route overrides overlapping BGP routes regardless of LPM.", + "type": "boolean" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "nextHopIpAddress": { + "description": "The IP address packets should be forwarded to. Next hop values are only allowed in routes where the next hop type is VirtualAppliance.", + "type": "string" + }, + "nextHopType": { + "description": "The type of Azure hop the packet should be sent to.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:RouteNextHopType" + } + ] + }, + "type": { + "description": "The type of the resource.", + "type": "string" + } + }, + "required": [ + "nextHopType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:RouteFilterRule": { + "description": "Route Filter Rule Resource.", + "properties": { + "access": { + "description": "The access type of the rule.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:Access" + } + ] + }, + "communities": { + "description": "The collection for bgp community values to filter on. e.g. ['12076:5010','12076:5020'].", + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "routeFilterRuleType": { + "description": "The rule type of the rule.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:RouteFilterRuleType" + } + ] + } + }, + "required": [ + "access", + "communities", + "routeFilterRuleType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:RouteFilterRuleResponse": { + "description": "Route Filter Rule Resource.", + "properties": { + "access": { + "description": "The access type of the rule.", + "type": "string" + }, + "communities": { + "description": "The collection for bgp community values to filter on. e.g. ['12076:5010','12076:5020'].", + "items": { + "type": "string" + }, + "type": "array" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the route filter rule resource.", + "type": "string" + }, + "routeFilterRuleType": { + "description": "The rule type of the rule.", + "type": "string" + } + }, + "required": [ + "access", + "communities", + "etag", + "provisioningState", + "routeFilterRuleType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:RouteMapRule": { + "description": "A RouteMap Rule.", + "properties": { + "actions": { + "description": "List of actions which will be applied on a match.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Action", + "type": "object" + }, + "type": "array" + }, + "matchCriteria": { + "description": "List of matching criterion which will be applied to traffic.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Criterion", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The unique name for the rule.", + "type": "string" + }, + "nextStepIfMatched": { + "description": "Next step after rule is evaluated. Current supported behaviors are 'Continue'(to next rule) and 'Terminate'.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:NextStep" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:RouteMapRuleResponse": { + "description": "A RouteMap Rule.", + "properties": { + "actions": { + "description": "List of actions which will be applied on a match.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ActionResponse", + "type": "object" + }, + "type": "array" + }, + "matchCriteria": { + "description": "List of matching criterion which will be applied to traffic.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:CriterionResponse", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The unique name for the rule.", + "type": "string" + }, + "nextStepIfMatched": { + "description": "Next step after rule is evaluated. Current supported behaviors are 'Continue'(to next rule) and 'Terminate'.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:RouteResponse": { + "description": "Route resource.", + "properties": { + "addressPrefix": { + "description": "The destination CIDR to which the route applies.", + "type": "string" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "hasBgpOverride": { + "description": "A value indicating whether this route overrides overlapping BGP routes regardless of LPM.", + "type": "boolean" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "nextHopIpAddress": { + "description": "The IP address packets should be forwarded to. Next hop values are only allowed in routes where the next hop type is VirtualAppliance.", + "type": "string" + }, + "nextHopType": { + "description": "The type of Azure hop the packet should be sent to.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the route resource.", + "type": "string" + }, + "type": { + "description": "The type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "nextHopType", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:RouteTable": { + "description": "Route table resource.", + "properties": { + "disableBgpRoutePropagation": { + "description": "Whether to disable the routes learned by BGP on that route table. True means disable.", + "type": "boolean" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "routes": { + "description": "Collection of routes contained within a route table.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Route", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:RouteTableResponse": { + "description": "Route table resource.", + "properties": { + "disableBgpRoutePropagation": { + "description": "Whether to disable the routes learned by BGP on that route table. True means disable.", + "type": "boolean" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the route table resource.", + "type": "string" + }, + "resourceGuid": { + "description": "The resource GUID property of the route table.", + "type": "string" + }, + "routes": { + "description": "Collection of routes contained within a route table.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteResponse", + "type": "object" + }, + "type": "array" + }, + "subnets": { + "description": "A collection of references to subnets.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "name", + "provisioningState", + "resourceGuid", + "subnets", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:RoutingConfiguration": { + "description": "Routing Configuration indicating the associated and propagated route tables for this connection.", + "properties": { + "associatedRouteTable": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The resource id RouteTable associated with this RoutingConfiguration.", + "type": "object" + }, + "inboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The resource id of the RouteMap associated with this RoutingConfiguration for inbound learned routes.", + "type": "object" + }, + "outboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The resource id of theRouteMap associated with this RoutingConfiguration for outbound advertised routes.", + "type": "object" + }, + "propagatedRouteTables": { + "$ref": "#/types/azure-native_network_v20230201:network:PropagatedRouteTable", + "description": "The list of RouteTables to advertise the routes to.", + "type": "object" + }, + "vnetRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:VnetRoute", + "description": "List of routes that control routing from VirtualHub into a virtual network connection.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:RoutingConfigurationNfv": { + "description": "NFV version of Routing Configuration indicating the associated and propagated route tables for this connection.", + "properties": { + "associatedRouteTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResource", + "description": "The resource id RouteTable associated with this RoutingConfiguration.", + "type": "object" + }, + "inboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResource", + "description": "The resource id of the RouteMap associated with this RoutingConfiguration for inbound learned routes.", + "type": "object" + }, + "outboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResource", + "description": "The resource id of the RouteMap associated with this RoutingConfiguration for outbound advertised routes.", + "type": "object" + }, + "propagatedRouteTables": { + "$ref": "#/types/azure-native_network_v20230201:network:PropagatedRouteTableNfv", + "description": "The list of RouteTables to advertise the routes to.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:RoutingConfigurationNfvResponse": { + "description": "NFV version of Routing Configuration indicating the associated and propagated route tables for this connection.", + "properties": { + "associatedRouteTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResourceResponse", + "description": "The resource id RouteTable associated with this RoutingConfiguration.", + "type": "object" + }, + "inboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResourceResponse", + "description": "The resource id of the RouteMap associated with this RoutingConfiguration for inbound learned routes.", + "type": "object" + }, + "outboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResourceResponse", + "description": "The resource id of the RouteMap associated with this RoutingConfiguration for outbound advertised routes.", + "type": "object" + }, + "propagatedRouteTables": { + "$ref": "#/types/azure-native_network_v20230201:network:PropagatedRouteTableNfvResponse", + "description": "The list of RouteTables to advertise the routes to.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:RoutingConfigurationNfvSubResource": { + "description": "Reference to RouteTableV3 associated with the connection.", + "properties": { + "resourceUri": { + "description": "Resource ID.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:RoutingConfigurationNfvSubResourceResponse": { + "description": "Reference to RouteTableV3 associated with the connection.", + "properties": { + "resourceUri": { + "description": "Resource ID.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:RoutingConfigurationResponse": { + "description": "Routing Configuration indicating the associated and propagated route tables for this connection.", + "properties": { + "associatedRouteTable": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The resource id RouteTable associated with this RoutingConfiguration.", + "type": "object" + }, + "inboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The resource id of the RouteMap associated with this RoutingConfiguration for inbound learned routes.", + "type": "object" + }, + "outboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The resource id of theRouteMap associated with this RoutingConfiguration for outbound advertised routes.", + "type": "object" + }, + "propagatedRouteTables": { + "$ref": "#/types/azure-native_network_v20230201:network:PropagatedRouteTableResponse", + "description": "The list of RouteTables to advertise the routes to.", + "type": "object" + }, + "vnetRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:VnetRouteResponse", + "description": "List of routes that control routing from VirtualHub into a virtual network connection.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:RoutingPolicy": { + "description": "The routing policy object used in a RoutingIntent resource.", + "properties": { + "destinations": { + "description": "List of all destinations which this routing policy is applicable to (for example: Internet, PrivateTraffic).", + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "description": "The unique name for the routing policy.", + "type": "string" + }, + "nextHop": { + "description": "The next hop resource id on which this routing policy is applicable to.", + "type": "string" + } + }, + "required": [ + "destinations", + "name", + "nextHop" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:RoutingPolicyResponse": { + "description": "The routing policy object used in a RoutingIntent resource.", + "properties": { + "destinations": { + "description": "List of all destinations which this routing policy is applicable to (for example: Internet, PrivateTraffic).", + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "description": "The unique name for the routing policy.", + "type": "string" + }, + "nextHop": { + "description": "The next hop resource id on which this routing policy is applicable to.", + "type": "string" + } + }, + "required": [ + "destinations", + "name", + "nextHop" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:SecurityRule": { + "description": "Network security rule.", + "properties": { + "access": { + "description": "The network traffic is allowed or denied.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:SecurityRuleAccess" + } + ] + }, + "description": { + "description": "A description for this rule. Restricted to 140 chars.", + "type": "string" + }, + "destinationAddressPrefix": { + "description": "The destination address prefix. CIDR or destination IP range. Asterisk '*' can also be used to match all source IPs. Default tags such as 'VirtualNetwork', 'AzureLoadBalancer' and 'Internet' can also be used.", + "type": "string" + }, + "destinationAddressPrefixes": { + "description": "The destination address prefixes. CIDR or destination IP ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationApplicationSecurityGroups": { + "description": "The application security group specified as destination.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" + }, + "type": "array" + }, + "destinationPortRange": { + "description": "The destination port or range. Integer or range between 0 and 65535. Asterisk '*' can also be used to match all ports.", + "type": "string" + }, + "destinationPortRanges": { + "description": "The destination port ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "direction": { + "description": "The direction of the rule. The direction specifies if rule will be evaluated on incoming or outgoing traffic.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:SecurityRuleDirection" + } + ] + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "priority": { + "description": "The priority of the rule. The value can be between 100 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", + "type": "integer" + }, + "protocol": { + "description": "Network protocol this rule applies to.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:SecurityRuleProtocol" + } + ] + }, + "sourceAddressPrefix": { + "description": "The CIDR or source IP range. Asterisk '*' can also be used to match all source IPs. Default tags such as 'VirtualNetwork', 'AzureLoadBalancer' and 'Internet' can also be used. If this is an ingress rule, specifies where network traffic originates from.", + "type": "string" + }, + "sourceAddressPrefixes": { + "description": "The CIDR or source IP ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceApplicationSecurityGroups": { + "description": "The application security group specified as source.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" + }, + "type": "array" + }, + "sourcePortRange": { + "description": "The source port or range. Integer or range between 0 and 65535. Asterisk '*' can also be used to match all ports.", + "type": "string" + }, + "sourcePortRanges": { + "description": "The source port ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "type": { + "description": "The type of the resource.", + "type": "string" + } + }, + "required": [ + "access", + "direction", + "priority", + "protocol" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:SecurityRuleResponse": { + "description": "Network security rule.", + "properties": { + "access": { + "description": "The network traffic is allowed or denied.", + "type": "string" + }, + "description": { + "description": "A description for this rule. Restricted to 140 chars.", + "type": "string" + }, + "destinationAddressPrefix": { + "description": "The destination address prefix. CIDR or destination IP range. Asterisk '*' can also be used to match all source IPs. Default tags such as 'VirtualNetwork', 'AzureLoadBalancer' and 'Internet' can also be used.", + "type": "string" + }, + "destinationAddressPrefixes": { + "description": "The destination address prefixes. CIDR or destination IP ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationApplicationSecurityGroups": { + "description": "The application security group specified as destination.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + }, + "type": "array" + }, + "destinationPortRange": { + "description": "The destination port or range. Integer or range between 0 and 65535. Asterisk '*' can also be used to match all ports.", + "type": "string" + }, + "destinationPortRanges": { + "description": "The destination port ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "direction": { + "description": "The direction of the rule. The direction specifies if rule will be evaluated on incoming or outgoing traffic.", + "type": "string" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "priority": { + "description": "The priority of the rule. The value can be between 100 and 4096. The priority number must be unique for each rule in the collection. The lower the priority number, the higher the priority of the rule.", + "type": "integer" + }, + "protocol": { + "description": "Network protocol this rule applies to.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the security rule resource.", + "type": "string" + }, + "sourceAddressPrefix": { + "description": "The CIDR or source IP range. Asterisk '*' can also be used to match all source IPs. Default tags such as 'VirtualNetwork', 'AzureLoadBalancer' and 'Internet' can also be used. If this is an ingress rule, specifies where network traffic originates from.", + "type": "string" + }, + "sourceAddressPrefixes": { + "description": "The CIDR or source IP ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceApplicationSecurityGroups": { + "description": "The application security group specified as source.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + }, + "type": "array" + }, + "sourcePortRange": { + "description": "The source port or range. Integer or range between 0 and 65535. Asterisk '*' can also be used to match all ports.", + "type": "string" + }, + "sourcePortRanges": { + "description": "The source port ranges.", + "items": { + "type": "string" + }, + "type": "array" + }, + "type": { + "description": "The type of the resource.", + "type": "string" + } + }, + "required": [ + "access", + "direction", + "etag", + "priority", + "protocol", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ServiceAssociationLinkResponse": { + "description": "ServiceAssociationLink resource.", + "properties": { + "allowDelete": { + "description": "If true, the resource can be deleted.", + "type": "boolean" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "link": { + "description": "Link to the external resource.", + "type": "string" + }, + "linkedResourceType": { + "description": "Resource type of the linked resource.", + "type": "string" + }, + "locations": { + "description": "A list of locations.", + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "description": "Name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the service association link resource.", + "type": "string" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ServiceEndpointPolicy": { + "description": "Service End point policy resource.", + "properties": { + "contextualServiceEndpointPolicies": { + "description": "A collection of contextual service endpoint policy.", + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "serviceAlias": { + "description": "The alias indicating if the policy belongs to a service", + "type": "string" + }, + "serviceEndpointPolicyDefinitions": { + "description": "A collection of service endpoint policy definitions of the service endpoint policy.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition": { + "description": "Service Endpoint policy definitions.", + "properties": { + "description": { + "description": "A description for this rule. Restricted to 140 chars.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "service": { + "description": "Service endpoint name.", + "type": "string" + }, + "serviceResources": { + "description": "A list of service resources.", + "items": { + "type": "string" + }, + "type": "array" + }, + "type": { + "description": "The type of the resource.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse": { + "description": "Service Endpoint policy definitions.", + "properties": { + "description": { + "description": "A description for this rule. Restricted to 140 chars.", + "type": "string" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the service endpoint policy definition resource.", + "type": "string" + }, + "service": { + "description": "Service endpoint name.", + "type": "string" + }, + "serviceResources": { + "description": "A list of service resources.", + "items": { + "type": "string" + }, + "type": "array" + }, + "type": { + "description": "The type of the resource.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ServiceEndpointPolicyResponse": { + "description": "Service End point policy resource.", + "properties": { + "contextualServiceEndpointPolicies": { + "description": "A collection of contextual service endpoint policy.", + "items": { + "type": "string" + }, + "type": "array" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "kind": { + "description": "Kind of service endpoint policy. This is metadata used for the Azure portal experience.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the service endpoint policy resource.", + "type": "string" + }, + "resourceGuid": { + "description": "The resource GUID property of the service endpoint policy resource.", + "type": "string" + }, + "serviceAlias": { + "description": "The alias indicating if the policy belongs to a service", + "type": "string" + }, + "serviceEndpointPolicyDefinitions": { + "description": "A collection of service endpoint policy definitions of the service endpoint policy.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse", + "type": "object" + }, + "type": "array" + }, + "subnets": { + "description": "A collection of references to subnets.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "kind", + "name", + "provisioningState", + "resourceGuid", + "subnets", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:ServiceEndpointPropertiesFormat": { + "description": "The service endpoint properties.", + "properties": { + "locations": { + "description": "A list of locations.", + "items": { + "type": "string" + }, + "type": "array" + }, + "service": { + "description": "The type of the endpoint service.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse": { + "description": "The service endpoint properties.", + "properties": { + "locations": { + "description": "A list of locations.", + "items": { + "type": "string" + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the service endpoint resource.", + "type": "string" + }, + "service": { + "description": "The type of the endpoint service.", + "type": "string" + } + }, + "required": [ + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:SingleQueryResultResponse": { + "properties": { + "description": { + "description": "Describes what is the signature enforces", + "type": "string" + }, + "destinationPorts": { + "description": "Describes the list of destination ports related to this signature", + "items": { + "type": "string" + }, + "type": "array" + }, + "direction": { + "description": "Describes in which direction signature is being enforced: 0 - Inbound, 1 - OutBound, 2 - Bidirectional", + "type": "integer" + }, + "group": { + "description": "Describes the groups the signature belongs to", + "type": "string" + }, + "inheritedFromParentPolicy": { + "description": "Describes if this override is inherited from base policy or not", + "type": "boolean" + }, + "lastUpdated": { + "description": "Describes the last updated time of the signature (provided from 3rd party vendor)", + "type": "string" + }, + "mode": { + "description": "The current mode enforced, 0 - Disabled, 1 - Alert, 2 -Deny", + "type": "integer" + }, + "protocol": { + "description": "Describes the protocol the signatures is being enforced in", + "type": "string" + }, + "severity": { + "description": "Describes the severity of signature: 1 - Low, 2 - Medium, 3 - High", + "type": "integer" + }, + "signatureId": { + "description": "The ID of the signature", + "type": "integer" + }, + "sourcePorts": { + "description": "Describes the list of source ports related to this signature", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:Sku": { + "description": "The sku of this Bastion Host.", + "properties": { + "name": { + "default": "Standard", + "description": "The name of this Bastion Host.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:BastionHostSkuName" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:SkuResponse": { + "description": "The sku of this Bastion Host.", + "properties": { + "name": { + "default": "Standard", + "description": "The name of this Bastion Host.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:StaticRoute": { + "description": "List of all Static Routes.", + "properties": { + "addressPrefixes": { + "description": "List of all address prefixes.", + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "description": "The name of the StaticRoute that is unique within a VnetRoute.", + "type": "string" + }, + "nextHopIpAddress": { + "description": "The ip address of the next hop.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:StaticRouteResponse": { + "description": "List of all Static Routes.", + "properties": { + "addressPrefixes": { + "description": "List of all address prefixes.", + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "description": "The name of the StaticRoute that is unique within a VnetRoute.", + "type": "string" + }, + "nextHopIpAddress": { + "description": "The ip address of the next hop.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:StaticRoutesConfig": { + "description": "Configuration for static routes on this HubVnetConnectionConfiguration for static routes on this HubVnetConnection.", + "properties": { + "vnetLocalRouteOverrideCriteria": { + "description": "Parameter determining whether NVA in spoke vnet is bypassed for traffic with destination in spoke.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VnetLocalRouteOverrideCriteria" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:StaticRoutesConfigResponse": { + "description": "Configuration for static routes on this HubVnetConnectionConfiguration for static routes on this HubVnetConnection.", + "properties": { + "propagateStaticRoutes": { + "description": "Boolean indicating whether static routes on this connection are automatically propagate to route tables which this connection propagates to.", + "type": "boolean" + }, + "vnetLocalRouteOverrideCriteria": { + "description": "Parameter determining whether NVA in spoke vnet is bypassed for traffic with destination in spoke.", + "type": "string" + } + }, + "required": [ + "propagateStaticRoutes" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:SubResource": { + "description": "Reference to another subresource.", + "properties": { + "id": { + "description": "Sub-resource ID. Both absolute resource ID and a relative resource ID are accepted.\nAn absolute ID starts with /subscriptions/ and contains the entire ID of the parent resource and the ID of the sub-resource in the end.\nA relative ID replaces the ID of the parent resource with a token '$self', followed by the sub-resource ID itself.\nExample of a relative ID: $self/frontEndConfigurations/my-frontend.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:SubResourceResponse": { + "description": "Reference to another subresource.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:Subnet": { + "description": "Subnet in a virtual network resource.", + "properties": { + "addressPrefix": { + "description": "The address prefix for the subnet.", + "type": "string" + }, + "addressPrefixes": { + "description": "List of address prefixes for the subnet.", + "items": { + "type": "string" + }, + "type": "array" + }, + "applicationGatewayIPConfigurations": { + "description": "Application gateway IP configurations of virtual network resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "delegations": { + "description": "An array of references to the delegations on the subnet.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Delegation", + "type": "object" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipAllocations": { + "description": "Array of IpAllocation which reference this subnet.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Nat gateway associated with this subnet.", + "type": "object" + }, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroup", + "description": "The reference to the NetworkSecurityGroup resource.", + "type": "object" + }, + "privateEndpointNetworkPolicies": { + "default": "Disabled", + "description": "Enable or Disable apply network policies on private end point in the subnet.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VirtualNetworkPrivateEndpointNetworkPolicies" + } + ] + }, + "privateLinkServiceNetworkPolicies": { + "default": "Enabled", + "description": "Enable or Disable apply network policies on private link service in the subnet.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VirtualNetworkPrivateLinkServiceNetworkPolicies" + } + ] + }, + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteTable", + "description": "The reference to the RouteTable resource.", + "type": "object" + }, + "serviceEndpointPolicies": { + "description": "An array of service endpoint policies.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicy", + "type": "object" + }, + "type": "array" + }, + "serviceEndpoints": { + "description": "An array of service endpoints.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormat", + "type": "object" + }, + "type": "array" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:SubnetResponse": { + "description": "Subnet in a virtual network resource.", + "properties": { + "addressPrefix": { + "description": "The address prefix for the subnet.", + "type": "string" + }, + "addressPrefixes": { + "description": "List of address prefixes for the subnet.", + "items": { + "type": "string" + }, + "type": "array" + }, + "applicationGatewayIPConfigurations": { + "description": "Application gateway IP configurations of virtual network resource.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "delegations": { + "description": "An array of references to the delegations on the subnet.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:DelegationResponse", + "type": "object" + }, + "type": "array" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipAllocations": { + "description": "Array of IpAllocation which reference this subnet.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "ipConfigurationProfiles": { + "description": "Array of IP configuration profiles which reference this subnet.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", + "type": "object" + }, + "type": "array" + }, + "ipConfigurations": { + "description": "An array of references to the network interface IP configurations using subnet.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Nat gateway associated with this subnet.", + "type": "object" + }, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", + "description": "The reference to the NetworkSecurityGroup resource.", + "type": "object" + }, + "privateEndpointNetworkPolicies": { + "default": "Disabled", + "description": "Enable or Disable apply network policies on private end point in the subnet.", + "type": "string" + }, + "privateEndpoints": { + "description": "An array of references to private endpoints.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "type": "object" + }, + "type": "array" + }, + "privateLinkServiceNetworkPolicies": { + "default": "Enabled", + "description": "Enable or Disable apply network policies on private link service in the subnet.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the subnet resource.", + "type": "string" + }, + "purpose": { + "description": "A read-only string identifying the intention of use for this subnet based on delegations and other user-defined properties.", + "type": "string" + }, + "resourceNavigationLinks": { + "description": "An array of references to the external resources using subnet.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ResourceNavigationLinkResponse", + "type": "object" + }, + "type": "array" + }, + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteTableResponse", + "description": "The reference to the RouteTable resource.", + "type": "object" + }, + "serviceAssociationLinks": { + "description": "An array of references to services injecting into this subnet.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceAssociationLinkResponse", + "type": "object" + }, + "type": "array" + }, + "serviceEndpointPolicies": { + "description": "An array of service endpoint policies.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyResponse", + "type": "object" + }, + "type": "array" + }, + "serviceEndpoints": { + "description": "An array of service endpoints.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse", + "type": "object" + }, + "type": "array" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "ipConfigurationProfiles", + "ipConfigurations", + "privateEndpoints", + "provisioningState", + "purpose", + "resourceNavigationLinks", + "serviceAssociationLinks" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:SystemDataResponse": { + "description": "Metadata pertaining to creation and last modification of the resource.", + "properties": { + "createdAt": { + "description": "The timestamp of resource creation (UTC).", + "type": "string" + }, + "createdBy": { + "description": "The identity that created the resource.", + "type": "string" + }, + "createdByType": { + "description": "The type of identity that created the resource.", + "type": "string" + }, + "lastModifiedAt": { + "description": "The type of identity that last modified the resource.", + "type": "string" + }, + "lastModifiedBy": { + "description": "The identity that last modified the resource.", + "type": "string" + }, + "lastModifiedByType": { + "description": "The type of identity that last modified the resource.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:TrafficAnalyticsConfigurationProperties": { + "description": "Parameters that define the configuration of traffic analytics.", + "properties": { + "enabled": { + "description": "Flag to enable/disable traffic analytics.", + "type": "boolean" + }, + "trafficAnalyticsInterval": { + "description": "The interval in minutes which would decide how frequently TA service should do flow analytics.", + "type": "integer" + }, + "workspaceId": { + "description": "The resource guid of the attached workspace.", + "type": "string" + }, + "workspaceRegion": { + "description": "The location of the attached workspace.", + "type": "string" + }, + "workspaceResourceId": { + "description": "Resource Id of the attached workspace.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:TrafficAnalyticsConfigurationPropertiesResponse": { + "description": "Parameters that define the configuration of traffic analytics.", + "properties": { + "enabled": { + "description": "Flag to enable/disable traffic analytics.", + "type": "boolean" + }, + "trafficAnalyticsInterval": { + "description": "The interval in minutes which would decide how frequently TA service should do flow analytics.", + "type": "integer" + }, + "workspaceId": { + "description": "The resource guid of the attached workspace.", + "type": "string" + }, + "workspaceRegion": { + "description": "The location of the attached workspace.", + "type": "string" + }, + "workspaceResourceId": { + "description": "Resource Id of the attached workspace.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:TrafficAnalyticsProperties": { + "description": "Parameters that define the configuration of traffic analytics.", + "properties": { + "networkWatcherFlowAnalyticsConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsConfigurationProperties", + "description": "Parameters that define the configuration of traffic analytics.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse": { + "description": "Parameters that define the configuration of traffic analytics.", + "properties": { + "networkWatcherFlowAnalyticsConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsConfigurationPropertiesResponse", + "description": "Parameters that define the configuration of traffic analytics.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:TrafficSelectorPolicy": { + "description": "An traffic selector policy for a virtual network gateway connection.", + "properties": { + "localAddressRanges": { + "description": "A collection of local address spaces in CIDR format.", + "items": { + "type": "string" + }, + "type": "array" + }, + "remoteAddressRanges": { + "description": "A collection of remote address spaces in CIDR format.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "localAddressRanges", + "remoteAddressRanges" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:TrafficSelectorPolicyResponse": { + "description": "An traffic selector policy for a virtual network gateway connection.", + "properties": { + "localAddressRanges": { + "description": "A collection of local address spaces in CIDR format.", + "items": { + "type": "string" + }, + "type": "array" + }, + "remoteAddressRanges": { + "description": "A collection of remote address spaces in CIDR format.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "localAddressRanges", + "remoteAddressRanges" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:TunnelConnectionHealthResponse": { + "description": "VirtualNetworkGatewayConnection properties.", + "properties": { + "connectionStatus": { + "description": "Virtual Network Gateway connection status.", + "type": "string" + }, + "egressBytesTransferred": { + "description": "The Egress Bytes Transferred in this connection.", + "type": "number" + }, + "ingressBytesTransferred": { + "description": "The Ingress Bytes Transferred in this connection.", + "type": "number" + }, + "lastConnectionEstablishedUtcTime": { + "description": "The time at which connection was established in Utc format.", + "type": "string" + }, + "tunnel": { + "description": "Tunnel name.", + "type": "string" + } + }, + "required": [ + "connectionStatus", + "egressBytesTransferred", + "ingressBytesTransferred", + "lastConnectionEstablishedUtcTime", + "tunnel" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VM": { + "description": "Describes a Virtual Machine.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VMResponse": { + "description": "Describes a Virtual Machine.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "name", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualApplianceAdditionalNicProperties": { + "description": "Network Virtual Appliance Additional NIC properties.", + "properties": { + "hasPublicIp": { + "description": "Flag (true or false) for Intent for Public Ip on additional nic", + "type": "boolean" + }, + "name": { + "description": "Name of additional nic", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualApplianceAdditionalNicPropertiesResponse": { + "description": "Network Virtual Appliance Additional NIC properties.", + "properties": { + "hasPublicIp": { + "description": "Flag (true or false) for Intent for Public Ip on additional nic", + "type": "boolean" + }, + "name": { + "description": "Name of additional nic", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualApplianceNicPropertiesResponse": { + "description": "Network Virtual Appliance NIC properties.", + "properties": { + "instanceName": { + "description": "Instance on which nic is attached.", + "type": "string" + }, + "name": { + "description": "NIC name.", + "type": "string" + }, + "privateIpAddress": { + "description": "Private IP address.", + "type": "string" + }, + "publicIpAddress": { + "description": "Public IP address.", + "type": "string" + } + }, + "required": [ + "instanceName", + "name", + "privateIpAddress", + "publicIpAddress" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualApplianceSkuProperties": { + "description": "Network Virtual Appliance Sku Properties.", + "properties": { + "bundledScaleUnit": { + "description": "Virtual Appliance Scale Unit.", + "type": "string" + }, + "marketPlaceVersion": { + "description": "Virtual Appliance Version.", + "type": "string" + }, + "vendor": { + "description": "Virtual Appliance Vendor.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualApplianceSkuPropertiesResponse": { + "description": "Network Virtual Appliance Sku Properties.", + "properties": { + "bundledScaleUnit": { + "description": "Virtual Appliance Scale Unit.", + "type": "string" + }, + "marketPlaceVersion": { + "description": "Virtual Appliance Version.", + "type": "string" + }, + "vendor": { + "description": "Virtual Appliance Vendor.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualHubId": { + "description": "Virtual Hub identifier.", + "properties": { + "id": { + "description": "The resource URI for the Virtual Hub where the ExpressRoute gateway is or will be deployed. The Virtual Hub resource and the ExpressRoute gateway resource reside in the same subscription.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualHubIdResponse": { + "description": "Virtual Hub identifier.", + "properties": { + "id": { + "description": "The resource URI for the Virtual Hub where the ExpressRoute gateway is or will be deployed. The Virtual Hub resource and the ExpressRoute gateway resource reside in the same subscription.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualHubRoute": { + "description": "VirtualHub route.", + "properties": { + "addressPrefixes": { + "description": "List of all addressPrefixes.", + "items": { + "type": "string" + }, + "type": "array" + }, + "nextHopIpAddress": { + "description": "NextHop ip address.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualHubRouteResponse": { + "description": "VirtualHub route.", + "properties": { + "addressPrefixes": { + "description": "List of all addressPrefixes.", + "items": { + "type": "string" + }, + "type": "array" + }, + "nextHopIpAddress": { + "description": "NextHop ip address.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualHubRouteTable": { + "description": "VirtualHub route table.", + "properties": { + "routes": { + "description": "List of all routes.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRoute", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualHubRouteTableResponse": { + "description": "VirtualHub route table.", + "properties": { + "routes": { + "description": "List of all routes.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteResponse", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualHubRouteTableV2": { + "description": "VirtualHubRouteTableV2 Resource.", + "properties": { + "attachedConnections": { + "description": "List of all connections attached to this route table v2.", + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "routes": { + "description": "List of all routes.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualHubRouteTableV2Response": { + "description": "VirtualHubRouteTableV2 Resource.", + "properties": { + "attachedConnections": { + "description": "List of all connections attached to this route table v2.", + "items": { + "type": "string" + }, + "type": "array" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the virtual hub route table v2 resource.", + "type": "string" + }, + "routes": { + "description": "List of all routes.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2Response", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "etag", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualHubRouteV2": { + "description": "VirtualHubRouteTableV2 route.", + "properties": { + "destinationType": { + "description": "The type of destinations.", + "type": "string" + }, + "destinations": { + "description": "List of all destinations.", + "items": { + "type": "string" + }, + "type": "array" + }, + "nextHopType": { + "description": "The type of next hops.", + "type": "string" + }, + "nextHops": { + "description": "NextHops ip address.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualHubRouteV2Response": { + "description": "VirtualHubRouteTableV2 route.", + "properties": { + "destinationType": { + "description": "The type of destinations.", + "type": "string" + }, + "destinations": { + "description": "List of all destinations.", + "items": { + "type": "string" + }, + "type": "array" + }, + "nextHopType": { + "description": "The type of next hops.", + "type": "string" + }, + "nextHops": { + "description": "NextHops ip address.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkBgpCommunities": { + "description": "Bgp Communities sent over ExpressRoute with each route corresponding to a prefix in this VNET.", + "properties": { + "virtualNetworkCommunity": { + "description": "The BGP community associated with the virtual network.", + "type": "string" + } + }, + "required": [ + "virtualNetworkCommunity" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse": { + "description": "Bgp Communities sent over ExpressRoute with each route corresponding to a prefix in this VNET.", + "properties": { + "regionalCommunity": { + "description": "The BGP community associated with the region of the virtual network.", + "type": "string" + }, + "virtualNetworkCommunity": { + "description": "The BGP community associated with the virtual network.", + "type": "string" + } + }, + "required": [ + "regionalCommunity", + "virtualNetworkCommunity" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkEncryption": { + "description": "Indicates if encryption is enabled on virtual network and if VM without encryption is allowed in encrypted VNet.", + "properties": { + "enabled": { + "description": "Indicates if encryption is enabled on the virtual network.", + "type": "boolean" + }, + "enforcement": { + "description": "If the encrypted VNet allows VM that does not support encryption", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VirtualNetworkEncryptionEnforcement" + } + ] + } + }, + "required": [ + "enabled" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse": { + "description": "Indicates if encryption is enabled on virtual network and if VM without encryption is allowed in encrypted VNet.", + "properties": { + "enabled": { + "description": "Indicates if encryption is enabled on the virtual network.", + "type": "boolean" + }, + "enforcement": { + "description": "If the encrypted VNet allows VM that does not support encryption", + "type": "string" + } + }, + "required": [ + "enabled" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGateway": { + "description": "A common class for general resource information.", + "properties": { + "activeActive": { + "description": "ActiveActive flag.", + "type": "boolean" + }, + "adminState": { + "description": "Property to indicate if the Express Route Gateway serves traffic when there are multiple Express Route Gateways in the vnet", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:AdminState" + } + ] + }, + "allowRemoteVnetTraffic": { + "description": "Configure this gateway to accept traffic from other Azure Virtual Networks. This configuration does not support connectivity to Azure Virtual WAN.", + "type": "boolean" + }, + "allowVirtualWanTraffic": { + "description": "Configures this gateway to accept traffic from remote Virtual WAN networks.", + "type": "boolean" + }, + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", + "description": "Virtual network gateway's BGP speaker settings.", + "type": "object" + }, + "customRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "description": "The reference to the address space resource which represents the custom routes address space specified by the customer for virtual network gateway and VpnClient.", + "type": "object" + }, + "disableIPSecReplayProtection": { + "description": "disableIPSecReplayProtection flag.", + "type": "boolean" + }, + "enableBgp": { + "description": "Whether BGP is enabled for this virtual network gateway or not.", + "type": "boolean" + }, + "enableBgpRouteTranslationForNat": { + "description": "EnableBgpRouteTranslationForNat flag.", + "type": "boolean" + }, + "enableDnsForwarding": { + "description": "Whether dns forwarding is enabled or not.", + "type": "boolean" + }, + "enablePrivateIpAddress": { + "description": "Whether private IP needs to be enabled on this gateway for connections or not.", + "type": "boolean" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "description": "The extended location of type local virtual network gateway.", + "type": "object" + }, + "gatewayDefaultSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The reference to the LocalNetworkGateway resource which represents local network site having default routes. Assign Null value in case of removing existing default site setting.", + "type": "object" + }, + "gatewayType": { + "description": "The type of this virtual network gateway.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VirtualNetworkGatewayType" + } + ] + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipConfigurations": { + "description": "IP configurations for virtual network gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "natRules": { + "description": "NatRules for virtual network gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule", + "type": "object" + }, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySku", + "description": "The reference to the VirtualNetworkGatewaySku resource which represents the SKU selected for Virtual network gateway.", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "vNetExtendedLocationResourceId": { + "description": "Customer vnet resource id. VirtualNetworkGateway of type local gateway is associated with the customer vnet.", + "type": "string" + }, + "virtualNetworkGatewayPolicyGroups": { + "description": "The reference to the VirtualNetworkGatewayPolicyGroup resource which represents the available VirtualNetworkGatewayPolicyGroup for the gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroup", + "type": "object" + }, + "type": "array" + }, + "vpnClientConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfiguration", + "description": "The reference to the VpnClientConfiguration resource which represents the P2S VpnClient configurations.", + "type": "object" + }, + "vpnGatewayGeneration": { + "description": "The generation for this VirtualNetworkGateway. Must be None if gatewayType is not VPN.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnGatewayGeneration" + } + ] + }, + "vpnType": { + "description": "The type of this virtual network gateway.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnType" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfiguration": { + "description": "IP configuration for virtual network gateway.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "privateIPAllocationMethod": { + "description": "The private IP address allocation method.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:IPAllocationMethod" + } + ] + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The reference to the public IP resource.", + "type": "object" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The reference to the subnet resource.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse": { + "description": "IP configuration for virtual network gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "privateIPAddress": { + "description": "Private IP Address for this gateway.", + "type": "string" + }, + "privateIPAllocationMethod": { + "description": "The private IP address allocation method.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the virtual network gateway IP configuration resource.", + "type": "string" + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The reference to the public IP resource.", + "type": "object" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The reference to the subnet resource.", + "type": "object" + } + }, + "required": [ + "etag", + "privateIPAddress", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule": { + "description": "VirtualNetworkGatewayNatRule Resource.", + "properties": { + "externalMappings": { + "description": "The private IP address external mapping for NAT.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "internalMappings": { + "description": "The private IP address internal mapping for NAT.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "ipConfigurationId": { + "description": "The IP Configuration ID this NAT rule applies to.", + "type": "string" + }, + "mode": { + "description": "The Source NAT direction of a VPN NAT.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnNatRuleMode" + } + ] + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "type": { + "description": "The type of NAT rule for VPN NAT.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnNatRuleType" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse": { + "description": "VirtualNetworkGatewayNatRule Resource.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "externalMappings": { + "description": "The private IP address external mapping for NAT.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "internalMappings": { + "description": "The private IP address internal mapping for NAT.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + }, + "type": "array" + }, + "ipConfigurationId": { + "description": "The IP Configuration ID this NAT rule applies to.", + "type": "string" + }, + "mode": { + "description": "The Source NAT direction of a VPN NAT.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the NAT Rule resource.", + "type": "string" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroup": { + "description": "Parameters for VirtualNetworkGatewayPolicyGroup.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + }, + "isDefault": { + "description": "Shows if this is a Default VirtualNetworkGatewayPolicyGroup or not.", + "type": "boolean" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "policyMembers": { + "description": "Multiple PolicyMembers for VirtualNetworkGatewayPolicyGroup.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupMember", + "type": "object" + }, + "type": "array" + }, + "priority": { + "description": "Priority for VirtualNetworkGatewayPolicyGroup.", + "type": "integer" + } + }, + "required": [ + "isDefault", + "policyMembers", + "priority" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupMember": { + "description": "Vpn Client Connection configuration PolicyGroup member", + "properties": { + "attributeType": { + "description": "The Vpn Policy member attribute type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnPolicyMemberAttributeType" + } + ] + }, + "attributeValue": { + "description": "The value of Attribute used for this VirtualNetworkGatewayPolicyGroupMember.", + "type": "string" + }, + "name": { + "description": "Name of the VirtualNetworkGatewayPolicyGroupMember.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupMemberResponse": { + "description": "Vpn Client Connection configuration PolicyGroup member", + "properties": { + "attributeType": { + "description": "The Vpn Policy member attribute type.", + "type": "string" + }, + "attributeValue": { + "description": "The value of Attribute used for this VirtualNetworkGatewayPolicyGroupMember.", + "type": "string" + }, + "name": { + "description": "Name of the VirtualNetworkGatewayPolicyGroupMember.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse": { + "description": "Parameters for VirtualNetworkGatewayPolicyGroup.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "isDefault": { + "description": "Shows if this is a Default VirtualNetworkGatewayPolicyGroup or not.", + "type": "boolean" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "policyMembers": { + "description": "Multiple PolicyMembers for VirtualNetworkGatewayPolicyGroup.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupMemberResponse", + "type": "object" + }, + "type": "array" + }, + "priority": { + "description": "Priority for VirtualNetworkGatewayPolicyGroup.", + "type": "integer" + }, + "provisioningState": { + "description": "The provisioning state of the VirtualNetworkGatewayPolicyGroup resource.", + "type": "string" + }, + "vngClientConnectionConfigurations": { + "description": "List of references to vngClientConnectionConfigurations.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "etag", + "isDefault", + "policyMembers", + "priority", + "provisioningState", + "vngClientConnectionConfigurations" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayResponse": { + "description": "A common class for general resource information.", + "properties": { + "activeActive": { + "description": "ActiveActive flag.", + "type": "boolean" + }, + "adminState": { + "description": "Property to indicate if the Express Route Gateway serves traffic when there are multiple Express Route Gateways in the vnet", + "type": "string" + }, + "allowRemoteVnetTraffic": { + "description": "Configure this gateway to accept traffic from other Azure Virtual Networks. This configuration does not support connectivity to Azure Virtual WAN.", + "type": "boolean" + }, + "allowVirtualWanTraffic": { + "description": "Configures this gateway to accept traffic from remote Virtual WAN networks.", + "type": "boolean" + }, + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "description": "Virtual network gateway's BGP speaker settings.", + "type": "object" + }, + "customRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "description": "The reference to the address space resource which represents the custom routes address space specified by the customer for virtual network gateway and VpnClient.", + "type": "object" + }, + "disableIPSecReplayProtection": { + "description": "disableIPSecReplayProtection flag.", + "type": "boolean" + }, + "enableBgp": { + "description": "Whether BGP is enabled for this virtual network gateway or not.", + "type": "boolean" + }, + "enableBgpRouteTranslationForNat": { + "description": "EnableBgpRouteTranslationForNat flag.", + "type": "boolean" + }, + "enableDnsForwarding": { + "description": "Whether dns forwarding is enabled or not.", + "type": "boolean" + }, + "enablePrivateIpAddress": { + "description": "Whether private IP needs to be enabled on this gateway for connections or not.", + "type": "boolean" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse", + "description": "The extended location of type local virtual network gateway.", + "type": "object" + }, + "gatewayDefaultSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The reference to the LocalNetworkGateway resource which represents local network site having default routes. Assign Null value in case of removing existing default site setting.", + "type": "object" + }, + "gatewayType": { + "description": "The type of this virtual network gateway.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "inboundDnsForwardingEndpoint": { + "description": "The IP address allocated by the gateway to which dns requests can be sent.", + "type": "string" + }, + "ipConfigurations": { + "description": "IP configurations for virtual network gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "natRules": { + "description": "NatRules for virtual network gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse", + "type": "object" + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the virtual network gateway resource.", + "type": "string" + }, + "resourceGuid": { + "description": "The resource GUID property of the virtual network gateway resource.", + "type": "string" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse", + "description": "The reference to the VirtualNetworkGatewaySku resource which represents the SKU selected for Virtual network gateway.", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "vNetExtendedLocationResourceId": { + "description": "Customer vnet resource id. VirtualNetworkGateway of type local gateway is associated with the customer vnet.", + "type": "string" + }, + "virtualNetworkGatewayPolicyGroups": { + "description": "The reference to the VirtualNetworkGatewayPolicyGroup resource which represents the available VirtualNetworkGatewayPolicyGroup for the gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse", + "type": "object" + }, + "type": "array" + }, + "vpnClientConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfigurationResponse", + "description": "The reference to the VpnClientConfiguration resource which represents the P2S VpnClient configurations.", + "type": "object" + }, + "vpnGatewayGeneration": { + "description": "The generation for this VirtualNetworkGateway. Must be None if gatewayType is not VPN.", + "type": "string" + }, + "vpnType": { + "description": "The type of this virtual network gateway.", + "type": "string" + } + }, + "required": [ + "etag", + "inboundDnsForwardingEndpoint", + "name", + "provisioningState", + "resourceGuid", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewaySku": { + "description": "VirtualNetworkGatewaySku details.", + "properties": { + "name": { + "description": "Gateway SKU name.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VirtualNetworkGatewaySkuName" + } + ] + }, + "tier": { + "description": "Gateway SKU tier.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VirtualNetworkGatewaySkuTier" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse": { + "description": "VirtualNetworkGatewaySku details.", + "properties": { + "capacity": { + "description": "The capacity.", + "type": "integer" + }, + "name": { + "description": "Gateway SKU name.", + "type": "string" + }, + "tier": { + "description": "Gateway SKU tier.", + "type": "string" + } + }, + "required": [ + "capacity" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkPeering": { + "description": "Peerings in a virtual network resource.", + "properties": { + "allowForwardedTraffic": { + "description": "Whether the forwarded traffic from the VMs in the local virtual network will be allowed/disallowed in remote virtual network.", + "type": "boolean" + }, + "allowGatewayTransit": { + "description": "If gateway links can be used in remote virtual networking to link to this virtual network.", + "type": "boolean" + }, + "allowVirtualNetworkAccess": { + "description": "Whether the VMs in the local virtual network space would be able to access the VMs in remote virtual network space.", + "type": "boolean" + }, + "doNotVerifyRemoteGateways": { + "description": "If we need to verify the provisioning state of the remote gateway.", + "type": "boolean" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "peeringState": { + "description": "The status of the virtual network peering.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VirtualNetworkPeeringState" + } + ] + }, + "peeringSyncLevel": { + "description": "The peering sync status of the virtual network peering.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VirtualNetworkPeeringLevel" + } + ] + }, + "remoteAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "description": "The reference to the address space peered with the remote virtual network.", + "type": "object" + }, + "remoteBgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunities", + "description": "The reference to the remote virtual network's Bgp Communities.", + "type": "object" + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "The reference to the remote virtual network. The remote virtual network can be in the same or different region (preview). See here to register for the preview and learn more (https://docs.microsoft.com/en-us/azure/virtual-network/virtual-network-create-peering).", + "type": "object" + }, + "remoteVirtualNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "description": "The reference to the current address space of the remote virtual network.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "useRemoteGateways": { + "description": "If remote gateways can be used on this virtual network. If the flag is set to true, and allowGatewayTransit on remote peering is also true, virtual network will use gateways of remote virtual network for transit. Only one peering can have this flag set to true. This flag cannot be set if virtual network already has a gateway.", + "type": "boolean" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkPeeringResponse": { + "description": "Peerings in a virtual network resource.", + "properties": { + "allowForwardedTraffic": { + "description": "Whether the forwarded traffic from the VMs in the local virtual network will be allowed/disallowed in remote virtual network.", + "type": "boolean" + }, + "allowGatewayTransit": { + "description": "If gateway links can be used in remote virtual networking to link to this virtual network.", + "type": "boolean" + }, + "allowVirtualNetworkAccess": { + "description": "Whether the VMs in the local virtual network space would be able to access the VMs in remote virtual network space.", + "type": "boolean" + }, + "doNotVerifyRemoteGateways": { + "description": "If we need to verify the provisioning state of the remote gateway.", + "type": "boolean" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "peeringState": { + "description": "The status of the virtual network peering.", + "type": "string" + }, + "peeringSyncLevel": { + "description": "The peering sync status of the virtual network peering.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the virtual network peering resource.", + "type": "string" + }, + "remoteAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "description": "The reference to the address space peered with the remote virtual network.", + "type": "object" + }, + "remoteBgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", + "description": "The reference to the remote virtual network's Bgp Communities.", + "type": "object" + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "The reference to the remote virtual network. The remote virtual network can be in the same or different region (preview). See here to register for the preview and learn more (https://docs.microsoft.com/en-us/azure/virtual-network/virtual-network-create-peering).", + "type": "object" + }, + "remoteVirtualNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "description": "The reference to the current address space of the remote virtual network.", + "type": "object" + }, + "remoteVirtualNetworkEncryption": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", + "description": "The reference to the remote virtual network's encryption", + "type": "object" + }, + "resourceGuid": { + "description": "The resourceGuid property of the Virtual Network peering resource.", + "type": "string" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "useRemoteGateways": { + "description": "If remote gateways can be used on this virtual network. If the flag is set to true, and allowGatewayTransit on remote peering is also true, virtual network will use gateways of remote virtual network for transit. Only one peering can have this flag set to true. This flag cannot be set if virtual network already has a gateway.", + "type": "boolean" + } + }, + "required": [ + "etag", + "provisioningState", + "remoteVirtualNetworkEncryption", + "resourceGuid" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkTap": { + "description": "Virtual Network Tap resource.", + "properties": { + "destinationLoadBalancerFrontEndIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", + "description": "The reference to the private IP address on the internal Load Balancer that will receive the tap.", + "type": "object" + }, + "destinationNetworkInterfaceIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration", + "description": "The reference to the private IP Address of the collector nic that will receive the tap.", + "type": "object" + }, + "destinationPort": { + "description": "The VXLAN destination port that will receive the tapped traffic.", + "type": "integer" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualNetworkTapResponse": { + "description": "Virtual Network Tap resource.", + "properties": { + "destinationLoadBalancerFrontEndIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "description": "The reference to the private IP address on the internal Load Balancer that will receive the tap.", + "type": "object" + }, + "destinationNetworkInterfaceIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "description": "The reference to the private IP Address of the collector nic that will receive the tap.", + "type": "object" + }, + "destinationPort": { + "description": "The VXLAN destination port that will receive the tapped traffic.", + "type": "integer" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "location": { + "description": "Resource location.", + "type": "string" + }, + "name": { + "description": "Resource name.", + "type": "string" + }, + "networkInterfaceTapConfigurations": { + "description": "Specifies the list of resource IDs for the network interface IP configuration that needs to be tapped.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the virtual network tap resource.", + "type": "string" + }, + "resourceGuid": { + "description": "The resource GUID property of the virtual network tap resource.", + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "description": "Resource tags.", + "type": "object" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "name", + "networkInterfaceTapConfigurations", + "provisioningState", + "resourceGuid", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualRouterAutoScaleConfiguration": { + "description": "The VirtualHub Router autoscale configuration.", + "properties": { + "minCapacity": { + "description": "The minimum number of scale units for VirtualHub Router.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VirtualRouterAutoScaleConfigurationResponse": { + "description": "The VirtualHub Router autoscale configuration.", + "properties": { + "minCapacity": { + "description": "The minimum number of scale units for VirtualHub Router.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VnetRoute": { + "description": "List of routes that control routing from VirtualHub into a virtual network connection.", + "properties": { + "staticRoutes": { + "description": "List of all Static Routes.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:StaticRoute", + "type": "object" + }, + "type": "array" + }, + "staticRoutesConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:StaticRoutesConfig", + "description": "Configuration for static routes on this HubVnetConnection.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VnetRouteResponse": { + "description": "List of routes that control routing from VirtualHub into a virtual network connection.", + "properties": { + "bgpConnections": { + "description": "The list of references to HubBgpConnection objects.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "staticRoutes": { + "description": "List of all Static Routes.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:StaticRouteResponse", + "type": "object" + }, + "type": "array" + }, + "staticRoutesConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:StaticRoutesConfigResponse", + "description": "Configuration for static routes on this HubVnetConnection.", + "type": "object" + } + }, + "required": [ + "bgpConnections" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VngClientConnectionConfiguration": { + "description": "A vpn client connection configuration for client connection configuration.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "virtualNetworkGatewayPolicyGroups": { + "description": "List of references to virtualNetworkGatewayPolicyGroups", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", + "type": "object" + } + }, + "required": [ + "virtualNetworkGatewayPolicyGroups", + "vpnClientAddressPool" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VngClientConnectionConfigurationResponse": { + "description": "A vpn client connection configuration for client connection configuration.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the VngClientConnectionConfiguration resource.", + "type": "string" + }, + "virtualNetworkGatewayPolicyGroups": { + "description": "List of references to virtualNetworkGatewayPolicyGroups", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", + "type": "object" + } + }, + "required": [ + "etag", + "provisioningState", + "virtualNetworkGatewayPolicyGroups", + "vpnClientAddressPool" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VpnClientConfiguration": { + "description": "VpnClientConfiguration for P2S client.", + "properties": { + "aadAudience": { + "description": "The AADAudience property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", + "type": "string" + }, + "aadIssuer": { + "description": "The AADIssuer property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", + "type": "string" + }, + "aadTenant": { + "description": "The AADTenant property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", + "type": "string" + }, + "radiusServerAddress": { + "description": "The radius server address property of the VirtualNetworkGateway resource for vpn client connection.", + "type": "string" + }, + "radiusServerSecret": { + "description": "The radius secret property of the VirtualNetworkGateway resource for vpn client connection.", + "type": "string" + }, + "radiusServers": { + "description": "The radiusServers property for multiple radius server configuration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RadiusServer", + "type": "object" + }, + "type": "array" + }, + "vngClientConnectionConfigurations": { + "description": "per ip address pool connection policy for virtual network gateway P2S client.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VngClientConnectionConfiguration", + "type": "object" + }, + "type": "array" + }, + "vpnAuthenticationTypes": { + "description": "VPN authentication types for the virtual network gateway..", + "items": { + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnAuthenticationType" + } + ] + }, + "type": "array" + }, + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", + "type": "object" + }, + "vpnClientIpsecPolicies": { + "description": "VpnClientIpsecPolicies for virtual network gateway P2S client.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", + "type": "object" + }, + "type": "array" + }, + "vpnClientProtocols": { + "description": "VpnClientProtocols for Virtual network gateway.", + "items": { + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnClientProtocol" + } + ] + }, + "type": "array" + }, + "vpnClientRevokedCertificates": { + "description": "VpnClientRevokedCertificate for Virtual network gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientRevokedCertificate", + "type": "object" + }, + "type": "array" + }, + "vpnClientRootCertificates": { + "description": "VpnClientRootCertificate for virtual network gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientRootCertificate", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnClientConfigurationResponse": { + "description": "VpnClientConfiguration for P2S client.", + "properties": { + "aadAudience": { + "description": "The AADAudience property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", + "type": "string" + }, + "aadIssuer": { + "description": "The AADIssuer property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", + "type": "string" + }, + "aadTenant": { + "description": "The AADTenant property of the VirtualNetworkGateway resource for vpn client connection used for AAD authentication.", + "type": "string" + }, + "radiusServerAddress": { + "description": "The radius server address property of the VirtualNetworkGateway resource for vpn client connection.", + "type": "string" + }, + "radiusServerSecret": { + "description": "The radius secret property of the VirtualNetworkGateway resource for vpn client connection.", + "type": "string" + }, + "radiusServers": { + "description": "The radiusServers property for multiple radius server configuration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RadiusServerResponse", + "type": "object" + }, + "type": "array" + }, + "vngClientConnectionConfigurations": { + "description": "per ip address pool connection policy for virtual network gateway P2S client.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VngClientConnectionConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "vpnAuthenticationTypes": { + "description": "VPN authentication types for the virtual network gateway..", + "items": { + "type": "string" + }, + "type": "array" + }, + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "description": "The reference to the address space resource which represents Address space for P2S VpnClient.", + "type": "object" + }, + "vpnClientIpsecPolicies": { + "description": "VpnClientIpsecPolicies for virtual network gateway P2S client.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + }, + "type": "array" + }, + "vpnClientProtocols": { + "description": "VpnClientProtocols for Virtual network gateway.", + "items": { + "type": "string" + }, + "type": "array" + }, + "vpnClientRevokedCertificates": { + "description": "VpnClientRevokedCertificate for Virtual network gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientRevokedCertificateResponse", + "type": "object" + }, + "type": "array" + }, + "vpnClientRootCertificates": { + "description": "VpnClientRootCertificate for virtual network gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientRootCertificateResponse", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnClientConnectionHealthDetailResponse": { + "description": "VPN client connection health detail.", + "properties": { + "egressBytesTransferred": { + "description": "The egress bytes per second.", + "type": "number" + }, + "egressPacketsTransferred": { + "description": "The egress packets per second.", + "type": "number" + }, + "ingressBytesTransferred": { + "description": "The ingress bytes per second.", + "type": "number" + }, + "ingressPacketsTransferred": { + "description": "The ingress packets per second.", + "type": "number" + }, + "maxBandwidth": { + "description": "The max band width.", + "type": "number" + }, + "maxPacketsPerSecond": { + "description": "The max packets transferred per second.", + "type": "number" + }, + "privateIpAddress": { + "description": "The assigned private Ip of a connected vpn client.", + "type": "string" + }, + "publicIpAddress": { + "description": "The public Ip of a connected vpn client.", + "type": "string" + }, + "vpnConnectionDuration": { + "description": "The duration time of a connected vpn client.", + "type": "number" + }, + "vpnConnectionId": { + "description": "The vpn client Id.", + "type": "string" + }, + "vpnConnectionTime": { + "description": "The start time of a connected vpn client.", + "type": "string" + }, + "vpnUserName": { + "description": "The user name of a connected vpn client.", + "type": "string" + } + }, + "required": [ + "egressBytesTransferred", + "egressPacketsTransferred", + "ingressBytesTransferred", + "ingressPacketsTransferred", + "maxBandwidth", + "maxPacketsPerSecond", + "privateIpAddress", + "publicIpAddress", + "vpnConnectionDuration", + "vpnConnectionId", + "vpnConnectionTime", + "vpnUserName" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VpnClientConnectionHealthResponse": { + "description": "VpnClientConnectionHealth properties.", + "properties": { + "allocatedIpAddresses": { + "description": "List of allocated ip addresses to the connected p2s vpn clients.", + "items": { + "type": "string" + }, + "type": "array" + }, + "totalEgressBytesTransferred": { + "description": "Total of the Egress Bytes Transferred in this connection.", + "type": "number" + }, + "totalIngressBytesTransferred": { + "description": "Total of the Ingress Bytes Transferred in this P2S Vpn connection.", + "type": "number" + }, + "vpnClientConnectionsCount": { + "description": "The total of p2s vpn clients connected at this time to this P2SVpnGateway.", + "type": "integer" + } + }, + "required": [ + "totalEgressBytesTransferred", + "totalIngressBytesTransferred" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VpnClientRevokedCertificate": { + "description": "VPN client revoked certificate of virtual network gateway.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "thumbprint": { + "description": "The revoked VPN client certificate thumbprint.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnClientRevokedCertificateResponse": { + "description": "VPN client revoked certificate of virtual network gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the VPN client revoked certificate resource.", + "type": "string" + }, + "thumbprint": { + "description": "The revoked VPN client certificate thumbprint.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VpnClientRootCertificate": { + "description": "VPN client root certificate of virtual network gateway.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "publicCertData": { + "description": "The certificate public data.", + "type": "string" + } + }, + "required": [ + "publicCertData" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VpnClientRootCertificateResponse": { + "description": "VPN client root certificate of virtual network gateway.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the VPN client root certificate resource.", + "type": "string" + }, + "publicCertData": { + "description": "The certificate public data.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "publicCertData" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VpnConnection": { + "description": "VpnConnection Resource.", + "properties": { + "connectionBandwidth": { + "description": "Expected bandwidth in MBPS.", + "type": "integer" + }, + "dpdTimeoutSeconds": { + "description": "DPD timeout in seconds for vpn connection.", + "type": "integer" + }, + "enableBgp": { + "description": "EnableBgp flag.", + "type": "boolean" + }, + "enableInternetSecurity": { + "description": "Enable internet security.", + "type": "boolean" + }, + "enableRateLimiting": { + "description": "EnableBgp flag.", + "type": "boolean" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipsecPolicies": { + "description": "The IPSec Policies to be considered by this connection.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "remoteVpnSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Id of the connected vpn site.", + "type": "object" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", + "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", + "type": "object" + }, + "routingWeight": { + "description": "Routing weight for vpn connection.", + "type": "integer" + }, + "sharedKey": { + "description": "SharedKey for the vpn connection.", + "type": "string" + }, + "trafficSelectorPolicies": { + "description": "The Traffic Selector Policies to be considered by this connection.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicy", + "type": "object" + }, + "type": "array" + }, + "useLocalAzureIpAddress": { + "description": "Use local azure ip to initiate connection.", + "type": "boolean" + }, + "usePolicyBasedTrafficSelectors": { + "description": "Enable policy-based traffic selectors.", + "type": "boolean" + }, + "vpnConnectionProtocolType": { + "description": "Connection protocol used for this connection.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionProtocol" + } + ] + }, + "vpnLinkConnections": { + "description": "List of all vpn site link connections to the gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnection", + "type": "object" + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnConnectionResponse": { + "description": "VpnConnection Resource.", + "properties": { + "connectionBandwidth": { + "description": "Expected bandwidth in MBPS.", + "type": "integer" + }, + "connectionStatus": { + "description": "The connection status.", + "type": "string" + }, + "dpdTimeoutSeconds": { + "description": "DPD timeout in seconds for vpn connection.", + "type": "integer" + }, + "egressBytesTransferred": { + "description": "Egress bytes transferred.", + "type": "number" + }, + "enableBgp": { + "description": "EnableBgp flag.", + "type": "boolean" + }, + "enableInternetSecurity": { + "description": "Enable internet security.", + "type": "boolean" + }, + "enableRateLimiting": { + "description": "EnableBgp flag.", + "type": "boolean" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ingressBytesTransferred": { + "description": "Ingress bytes transferred.", + "type": "number" + }, + "ipsecPolicies": { + "description": "The IPSec Policies to be considered by this connection.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the VPN connection resource.", + "type": "string" + }, + "remoteVpnSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Id of the connected vpn site.", + "type": "object" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "description": "The Routing Configuration indicating the associated and propagated route tables on this connection.", + "type": "object" + }, + "routingWeight": { + "description": "Routing weight for vpn connection.", + "type": "integer" + }, + "sharedKey": { + "description": "SharedKey for the vpn connection.", + "type": "string" + }, + "trafficSelectorPolicies": { + "description": "The Traffic Selector Policies to be considered by this connection.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", + "type": "object" + }, + "type": "array" + }, + "useLocalAzureIpAddress": { + "description": "Use local azure ip to initiate connection.", + "type": "boolean" + }, + "usePolicyBasedTrafficSelectors": { + "description": "Enable policy-based traffic selectors.", + "type": "boolean" + }, + "vpnConnectionProtocolType": { + "description": "Connection protocol used for this connection.", + "type": "string" + }, + "vpnLinkConnections": { + "description": "List of all vpn site link connections to the gateway.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "connectionStatus", + "egressBytesTransferred", + "etag", + "ingressBytesTransferred", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VpnGatewayIpConfigurationResponse": { + "description": "IP Configuration of a VPN Gateway Resource.", + "properties": { + "id": { + "description": "The identifier of the IP configuration for a VPN Gateway.", + "type": "string" + }, + "privateIpAddress": { + "description": "The private IP address of this IP configuration.", + "type": "string" + }, + "publicIpAddress": { + "description": "The public IP address of this IP configuration.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnGatewayNatRule": { + "description": "VpnGatewayNatRule Resource.", + "properties": { + "externalMappings": { + "description": "The private IP address external mapping for NAT.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "internalMappings": { + "description": "The private IP address internal mapping for NAT.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "ipConfigurationId": { + "description": "The IP Configuration ID this NAT rule applies to.", + "type": "string" + }, + "mode": { + "description": "The Source NAT direction of a VPN NAT.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnNatRuleMode" + } + ] + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "type": { + "description": "The type of NAT rule for VPN NAT.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnNatRuleType" + } + ] + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnGatewayNatRuleResponse": { + "description": "VpnGatewayNatRule Resource.", + "properties": { + "egressVpnSiteLinkConnections": { + "description": "List of egress VpnSiteLinkConnections.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "externalMappings": { + "description": "The private IP address external mapping for NAT.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + }, + "type": "array" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ingressVpnSiteLinkConnections": { + "description": "List of ingress VpnSiteLinkConnections.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "internalMappings": { + "description": "The private IP address internal mapping for NAT.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + }, + "type": "array" + }, + "ipConfigurationId": { + "description": "The IP Configuration ID this NAT rule applies to.", + "type": "string" + }, + "mode": { + "description": "The Source NAT direction of a VPN NAT.", + "type": "string" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the NAT Rule resource.", + "type": "string" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "egressVpnSiteLinkConnections", + "etag", + "ingressVpnSiteLinkConnections", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VpnLinkBgpSettings": { + "description": "BGP settings details for a link.", + "properties": { + "asn": { + "description": "The BGP speaker's ASN.", + "type": "number" + }, + "bgpPeeringAddress": { + "description": "The BGP peering address and BGP identifier of this BGP speaker.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnLinkBgpSettingsResponse": { + "description": "BGP settings details for a link.", + "properties": { + "asn": { + "description": "The BGP speaker's ASN.", + "type": "number" + }, + "bgpPeeringAddress": { + "description": "The BGP peering address and BGP identifier of this BGP speaker.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnLinkProviderProperties": { + "description": "List of properties of a link provider.", + "properties": { + "linkProviderName": { + "description": "Name of the link provider.", + "type": "string" + }, + "linkSpeedInMbps": { + "description": "Link speed.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnLinkProviderPropertiesResponse": { + "description": "List of properties of a link provider.", + "properties": { + "linkProviderName": { + "description": "Name of the link provider.", + "type": "string" + }, + "linkSpeedInMbps": { + "description": "Link speed.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnNatRuleMapping": { + "description": "Vpn NatRule mapping.", + "properties": { + "addressSpace": { + "description": "Address space for Vpn NatRule mapping.", + "type": "string" + }, + "portRange": { + "description": "Port range for Vpn NatRule mapping.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnNatRuleMappingResponse": { + "description": "Vpn NatRule mapping.", + "properties": { + "addressSpace": { + "description": "Address space for Vpn NatRule mapping.", + "type": "string" + }, + "portRange": { + "description": "Port range for Vpn NatRule mapping.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigRadiusClientRootCertificate": { + "description": "Properties of the Radius client root certificate of VpnServerConfiguration.", + "properties": { + "name": { + "description": "The certificate name.", + "type": "string" + }, + "thumbprint": { + "description": "The Radius client root certificate thumbprint.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigRadiusClientRootCertificateResponse": { + "description": "Properties of the Radius client root certificate of VpnServerConfiguration.", + "properties": { + "name": { + "description": "The certificate name.", + "type": "string" + }, + "thumbprint": { + "description": "The Radius client root certificate thumbprint.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigRadiusServerRootCertificate": { + "description": "Properties of Radius Server root certificate of VpnServerConfiguration.", + "properties": { + "name": { + "description": "The certificate name.", + "type": "string" + }, + "publicCertData": { + "description": "The certificate public data.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigRadiusServerRootCertificateResponse": { + "description": "Properties of Radius Server root certificate of VpnServerConfiguration.", + "properties": { + "name": { + "description": "The certificate name.", + "type": "string" + }, + "publicCertData": { + "description": "The certificate public data.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigVpnClientRevokedCertificate": { + "description": "Properties of the revoked VPN client certificate of VpnServerConfiguration.", + "properties": { + "name": { + "description": "The certificate name.", + "type": "string" + }, + "thumbprint": { + "description": "The revoked VPN client certificate thumbprint.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigVpnClientRevokedCertificateResponse": { + "description": "Properties of the revoked VPN client certificate of VpnServerConfiguration.", + "properties": { + "name": { + "description": "The certificate name.", + "type": "string" + }, + "thumbprint": { + "description": "The revoked VPN client certificate thumbprint.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigVpnClientRootCertificate": { + "description": "Properties of VPN client root certificate of VpnServerConfiguration.", + "properties": { + "name": { + "description": "The certificate name.", + "type": "string" + }, + "publicCertData": { + "description": "The certificate public data.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigVpnClientRootCertificateResponse": { + "description": "Properties of VPN client root certificate of VpnServerConfiguration.", + "properties": { + "name": { + "description": "The certificate name.", + "type": "string" + }, + "publicCertData": { + "description": "The certificate public data.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroup": { + "description": "VpnServerConfigurationPolicyGroup Resource.", + "properties": { + "id": { + "description": "Resource ID.", + "type": "string" + }, + "isDefault": { + "description": "Shows if this is a Default VpnServerConfigurationPolicyGroup or not.", + "type": "boolean" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "policyMembers": { + "description": "Multiple PolicyMembers for VpnServerConfigurationPolicyGroup.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMember", + "type": "object" + }, + "type": "array" + }, + "priority": { + "description": "Priority for VpnServerConfigurationPolicyGroup.", + "type": "integer" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMember": { + "description": "VpnServerConfiguration PolicyGroup member", + "properties": { + "attributeType": { + "description": "The Vpn Policy member attribute type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnPolicyMemberAttributeType" + } + ] + }, + "attributeValue": { + "description": "The value of Attribute used for this VpnServerConfigurationPolicyGroupMember.", + "type": "string" + }, + "name": { + "description": "Name of the VpnServerConfigurationPolicyGroupMember.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse": { + "description": "VpnServerConfiguration PolicyGroup member", + "properties": { + "attributeType": { + "description": "The Vpn Policy member attribute type.", + "type": "string" + }, + "attributeValue": { + "description": "The value of Attribute used for this VpnServerConfigurationPolicyGroupMember.", + "type": "string" + }, + "name": { + "description": "Name of the VpnServerConfigurationPolicyGroupMember.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupResponse": { + "description": "VpnServerConfigurationPolicyGroup Resource.", + "properties": { + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "isDefault": { + "description": "Shows if this is a Default VpnServerConfigurationPolicyGroup or not.", + "type": "boolean" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "p2SConnectionConfigurations": { + "description": "List of references to P2SConnectionConfigurations.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "policyMembers": { + "description": "Multiple PolicyMembers for VpnServerConfigurationPolicyGroup.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse", + "type": "object" + }, + "type": "array" + }, + "priority": { + "description": "Priority for VpnServerConfigurationPolicyGroup.", + "type": "integer" + }, + "provisioningState": { + "description": "The provisioning state of the VpnServerConfigurationPolicyGroup resource.", + "type": "string" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "p2SConnectionConfigurations", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigurationProperties": { + "description": "Parameters for VpnServerConfiguration.", + "properties": { + "aadAuthenticationParameters": { + "$ref": "#/types/azure-native_network_v20230201:network:AadAuthenticationParameters", + "description": "The set of aad vpn authentication parameters.", + "type": "object" + }, + "configurationPolicyGroups": { + "description": "List of all VpnServerConfigurationPolicyGroups.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroup", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the VpnServerConfiguration that is unique within a resource group.", + "type": "string" + }, + "radiusClientRootCertificates": { + "description": "Radius client root certificate of VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigRadiusClientRootCertificate", + "type": "object" + }, + "type": "array" + }, + "radiusServerAddress": { + "description": "The radius server address property of the VpnServerConfiguration resource for point to site client connection.", + "type": "string" + }, + "radiusServerRootCertificates": { + "description": "Radius Server root certificate of VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigRadiusServerRootCertificate", + "type": "object" + }, + "type": "array" + }, + "radiusServerSecret": { + "description": "The radius secret property of the VpnServerConfiguration resource for point to site client connection.", + "type": "string" + }, + "radiusServers": { + "description": "Multiple Radius Server configuration for VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RadiusServer", + "type": "object" + }, + "type": "array" + }, + "vpnAuthenticationTypes": { + "description": "VPN authentication types for the VpnServerConfiguration.", + "items": { + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnAuthenticationType" + } + ] + }, + "type": "array" + }, + "vpnClientIpsecPolicies": { + "description": "VpnClientIpsecPolicies for VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", + "type": "object" + }, + "type": "array" + }, + "vpnClientRevokedCertificates": { + "description": "VPN client revoked certificate of VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigVpnClientRevokedCertificate", + "type": "object" + }, + "type": "array" + }, + "vpnClientRootCertificates": { + "description": "VPN client root certificate of VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigVpnClientRootCertificate", + "type": "object" + }, + "type": "array" + }, + "vpnProtocols": { + "description": "VPN protocols for the VpnServerConfiguration.", + "items": { + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnGatewayTunnelingProtocol" + } + ] + }, + "type": "array" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnServerConfigurationPropertiesResponse": { + "description": "Parameters for VpnServerConfiguration.", + "properties": { + "aadAuthenticationParameters": { + "$ref": "#/types/azure-native_network_v20230201:network:AadAuthenticationParametersResponse", + "description": "The set of aad vpn authentication parameters.", + "type": "object" + }, + "configurationPolicyGroups": { + "description": "List of all VpnServerConfigurationPolicyGroups.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupResponse", + "type": "object" + }, + "type": "array" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "name": { + "description": "The name of the VpnServerConfiguration that is unique within a resource group.", + "type": "string" + }, + "p2SVpnGateways": { + "description": "List of references to P2SVpnGateways.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:P2SVpnGatewayResponse", + "type": "object" + }, + "type": "array" + }, + "provisioningState": { + "description": "The provisioning state of the VpnServerConfiguration resource. Possible values are: 'Updating', 'Deleting', and 'Failed'.", + "type": "string" + }, + "radiusClientRootCertificates": { + "description": "Radius client root certificate of VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigRadiusClientRootCertificateResponse", + "type": "object" + }, + "type": "array" + }, + "radiusServerAddress": { + "description": "The radius server address property of the VpnServerConfiguration resource for point to site client connection.", + "type": "string" + }, + "radiusServerRootCertificates": { + "description": "Radius Server root certificate of VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigRadiusServerRootCertificateResponse", + "type": "object" + }, + "type": "array" + }, + "radiusServerSecret": { + "description": "The radius secret property of the VpnServerConfiguration resource for point to site client connection.", + "type": "string" + }, + "radiusServers": { + "description": "Multiple Radius Server configuration for VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RadiusServerResponse", + "type": "object" + }, + "type": "array" + }, + "vpnAuthenticationTypes": { + "description": "VPN authentication types for the VpnServerConfiguration.", + "items": { + "type": "string" + }, + "type": "array" + }, + "vpnClientIpsecPolicies": { + "description": "VpnClientIpsecPolicies for VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + }, + "type": "array" + }, + "vpnClientRevokedCertificates": { + "description": "VPN client revoked certificate of VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigVpnClientRevokedCertificateResponse", + "type": "object" + }, + "type": "array" + }, + "vpnClientRootCertificates": { + "description": "VPN client root certificate of VpnServerConfiguration.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigVpnClientRootCertificateResponse", + "type": "object" + }, + "type": "array" + }, + "vpnProtocols": { + "description": "VPN protocols for the VpnServerConfiguration.", + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "etag", + "p2SVpnGateways", + "provisioningState" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VpnSiteLink": { + "description": "VpnSiteLink Resource.", + "properties": { + "bgpProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnLinkBgpSettings", + "description": "The set of bgp properties.", + "type": "object" + }, + "fqdn": { + "description": "FQDN of vpn-site-link.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipAddress": { + "description": "The ip-address for the vpn-site-link.", + "type": "string" + }, + "linkProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnLinkProviderProperties", + "description": "The link provider properties.", + "type": "object" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnSiteLinkConnection": { + "description": "VpnSiteLinkConnection Resource.", + "properties": { + "connectionBandwidth": { + "description": "Expected bandwidth in MBPS.", + "type": "integer" + }, + "egressNatRules": { + "description": "List of egress NatRules.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "enableBgp": { + "description": "EnableBgp flag.", + "type": "boolean" + }, + "enableRateLimiting": { + "description": "EnableBgp flag.", + "type": "boolean" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ingressNatRules": { + "description": "List of ingress NatRules.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "ipsecPolicies": { + "description": "The IPSec Policies to be considered by this connection.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "routingWeight": { + "description": "Routing weight for vpn connection.", + "type": "integer" + }, + "sharedKey": { + "description": "SharedKey for the vpn connection.", + "type": "string" + }, + "useLocalAzureIpAddress": { + "description": "Use local azure ip to initiate connection.", + "type": "boolean" + }, + "usePolicyBasedTrafficSelectors": { + "description": "Enable policy-based traffic selectors.", + "type": "boolean" + }, + "vpnConnectionProtocolType": { + "description": "Connection protocol used for this connection.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionProtocol" + } + ] + }, + "vpnGatewayCustomBgpAddresses": { + "description": "vpnGatewayCustomBgpAddresses used by this connection.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfiguration", + "type": "object" + }, + "type": "array" + }, + "vpnLinkConnectionMode": { + "description": "Vpn link connection mode.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:VpnLinkConnectionMode" + } + ] + }, + "vpnSiteLink": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "description": "Id of the connected vpn site link.", + "type": "object" + } + }, + "type": "object" + }, + "azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse": { + "description": "VpnSiteLinkConnection Resource.", + "properties": { + "connectionBandwidth": { + "description": "Expected bandwidth in MBPS.", + "type": "integer" + }, + "connectionStatus": { + "description": "The connection status.", + "type": "string" + }, + "egressBytesTransferred": { + "description": "Egress bytes transferred.", + "type": "number" + }, + "egressNatRules": { + "description": "List of egress NatRules.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "enableBgp": { + "description": "EnableBgp flag.", + "type": "boolean" + }, + "enableRateLimiting": { + "description": "EnableBgp flag.", + "type": "boolean" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ingressBytesTransferred": { + "description": "Ingress bytes transferred.", + "type": "number" + }, + "ingressNatRules": { + "description": "List of ingress NatRules.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + }, + "type": "array" + }, + "ipsecPolicies": { + "description": "The IPSec Policies to be considered by this connection.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the VPN site link connection resource.", + "type": "string" + }, + "routingWeight": { + "description": "Routing weight for vpn connection.", + "type": "integer" + }, + "sharedKey": { + "description": "SharedKey for the vpn connection.", + "type": "string" + }, + "type": { + "description": "Resource type.", + "type": "string" + }, + "useLocalAzureIpAddress": { + "description": "Use local azure ip to initiate connection.", + "type": "boolean" + }, + "usePolicyBasedTrafficSelectors": { + "description": "Enable policy-based traffic selectors.", + "type": "boolean" + }, + "vpnConnectionProtocolType": { + "description": "Connection protocol used for this connection.", + "type": "string" + }, + "vpnGatewayCustomBgpAddresses": { + "description": "vpnGatewayCustomBgpAddresses used by this connection.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse", + "type": "object" + }, + "type": "array" + }, + "vpnLinkConnectionMode": { + "description": "Vpn link connection mode.", + "type": "string" + }, + "vpnSiteLink": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "description": "Id of the connected vpn site link.", + "type": "object" + } + }, + "required": [ + "connectionStatus", + "egressBytesTransferred", + "etag", + "ingressBytesTransferred", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:VpnSiteLinkResponse": { + "description": "VpnSiteLink Resource.", + "properties": { + "bgpProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnLinkBgpSettingsResponse", + "description": "The set of bgp properties.", + "type": "object" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "fqdn": { + "description": "FQDN of vpn-site-link.", + "type": "string" + }, + "id": { + "description": "Resource ID.", + "type": "string" + }, + "ipAddress": { + "description": "The ip-address for the vpn-site-link.", + "type": "string" + }, + "linkProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnLinkProviderPropertiesResponse", + "description": "The link provider properties.", + "type": "object" + }, + "name": { + "description": "The name of the resource that is unique within a resource group. This name can be used to access the resource.", + "type": "string" + }, + "provisioningState": { + "description": "The provisioning state of the VPN site link resource.", + "type": "string" + }, + "type": { + "description": "Resource type.", + "type": "string" + } + }, + "required": [ + "etag", + "provisioningState", + "type" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallCustomRule": { + "description": "Defines contents of a web application rule.", + "properties": { + "action": { + "description": "Type of Actions.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:WebApplicationFirewallAction" + } + ] + }, + "groupByUserSession": { + "description": "List of user session identifier group by clauses.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GroupByUserSession", + "type": "object" + }, + "type": "array" + }, + "matchConditions": { + "description": "List of match conditions.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:MatchCondition", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource that is unique within a policy. This name can be used to access the resource.", + "type": "string" + }, + "priority": { + "description": "Priority of the rule. Rules with a lower value will be evaluated before rules with a higher value.", + "type": "integer" + }, + "rateLimitDuration": { + "description": "Duration over which Rate Limit policy will be applied. Applies only when ruleType is RateLimitRule.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ApplicationGatewayFirewallRateLimitDuration" + } + ] + }, + "rateLimitThreshold": { + "description": "Rate Limit threshold to apply in case ruleType is RateLimitRule. Must be greater than or equal to 1", + "type": "integer" + }, + "ruleType": { + "description": "The rule type.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:WebApplicationFirewallRuleType" + } + ] + }, + "state": { + "description": "Describes if the custom rule is in enabled or disabled state. Defaults to Enabled if not specified.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:WebApplicationFirewallState" + } + ] + } + }, + "required": [ + "action", + "matchConditions", + "priority", + "ruleType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallCustomRuleResponse": { + "description": "Defines contents of a web application rule.", + "properties": { + "action": { + "description": "Type of Actions.", + "type": "string" + }, + "etag": { + "description": "A unique read-only string that changes whenever the resource is updated.", + "type": "string" + }, + "groupByUserSession": { + "description": "List of user session identifier group by clauses.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GroupByUserSessionResponse", + "type": "object" + }, + "type": "array" + }, + "matchConditions": { + "description": "List of match conditions.", + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:MatchConditionResponse", + "type": "object" + }, + "type": "array" + }, + "name": { + "description": "The name of the resource that is unique within a policy. This name can be used to access the resource.", + "type": "string" + }, + "priority": { + "description": "Priority of the rule. Rules with a lower value will be evaluated before rules with a higher value.", + "type": "integer" + }, + "rateLimitDuration": { + "description": "Duration over which Rate Limit policy will be applied. Applies only when ruleType is RateLimitRule.", + "type": "string" + }, + "rateLimitThreshold": { + "description": "Rate Limit threshold to apply in case ruleType is RateLimitRule. Must be greater than or equal to 1", + "type": "integer" + }, + "ruleType": { + "description": "The rule type.", + "type": "string" + }, + "state": { + "description": "Describes if the custom rule is in enabled or disabled state. Defaults to Enabled if not specified.", + "type": "string" + } + }, + "required": [ + "action", + "etag", + "matchConditions", + "priority", + "ruleType" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallScrubbingRules": { + "description": "Allow certain variables to be scrubbed on WAF logs", + "properties": { + "matchVariable": { + "description": "The variable to be scrubbed from the logs.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ScrubbingRuleEntryMatchVariable" + } + ] + }, + "selector": { + "description": "When matchVariable is a collection, operator used to specify which elements in the collection this rule applies to.", + "type": "string" + }, + "selectorMatchOperator": { + "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this rule applies to.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ScrubbingRuleEntryMatchOperator" + } + ] + }, + "state": { + "description": "Defines the state of log scrubbing rule. Default value is Enabled.", + "oneOf": [ + { + "type": "string" + }, + { + "$ref": "#/types/azure-native:network:ScrubbingRuleEntryState" + } + ] + } + }, + "required": [ + "matchVariable", + "selectorMatchOperator" + ], + "type": "object" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallScrubbingRulesResponse": { + "description": "Allow certain variables to be scrubbed on WAF logs", + "properties": { + "matchVariable": { + "description": "The variable to be scrubbed from the logs.", + "type": "string" + }, + "selector": { + "description": "When matchVariable is a collection, operator used to specify which elements in the collection this rule applies to.", + "type": "string" + }, + "selectorMatchOperator": { + "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this rule applies to.", + "type": "string" + }, + "state": { + "description": "Defines the state of log scrubbing rule. Default value is Enabled.", + "type": "string" + } + }, + "required": [ + "matchVariable", + "selectorMatchOperator" + ], + "type": "object" + } + } +} +--- + +[TestVnetGen - 2] +{ + "invokes": { + "azure-native:network:getAdminRule": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleCollectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "response": { + "access": { + "containers": [ + "properties" + ] + }, + "description": { + "containers": [ + "properties" + ] + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + }, + "direction": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "kind": { + "const": "Custom" + }, + "name": {}, + "priority": { + "containers": [ + "properties" + ] + }, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native:network:getAdminRuleCollection": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleCollectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "response": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "type": "object" + } + }, + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native:network:getApplicationGateway": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "applicationGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "response": { + "authenticationCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse", + "type": "object" + } + }, + "autoscaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse", + "containers": [ + "properties" + ] + }, + "backendAddressPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", + "type": "object" + } + }, + "backendHttpSettingsCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse", + "type": "object" + } + }, + "backendSettingsCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse", + "type": "object" + } + }, + "customErrorConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", + "type": "object" + } + }, + "defaultPredefinedSslPolicy": { + "containers": [ + "properties" + ] + }, + "enableFips": { + "containers": [ + "properties" + ] + }, + "enableHttp2": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "forceFirewallPolicyAssociation": { + "containers": [ + "properties" + ] + }, + "frontendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse", + "type": "object" + } + }, + "frontendPorts": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse", + "type": "object" + } + }, + "gatewayIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", + "type": "object" + } + }, + "globalConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse", + "containers": [ + "properties" + ] + }, + "httpListeners": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse", + "type": "object" + } + }, + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "listeners": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListenerResponse", + "type": "object" + } + }, + "loadDistributionPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "operationalState": { + "containers": [ + "properties" + ] + }, + "privateEndpointConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse", + "type": "object" + } + }, + "privateLinkConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse", + "type": "object" + } + }, + "probes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "redirectConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse", + "type": "object" + } + }, + "requestRoutingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "rewriteRuleSets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse", + "type": "object" + } + }, + "routingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse", + "type": "object" + } + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySkuResponse", + "containers": [ + "properties" + ] + }, + "sslCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse", + "type": "object" + } + }, + "sslPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", + "containers": [ + "properties" + ] + }, + "sslProfiles": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "trustedClientCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse", + "type": "object" + } + }, + "trustedRootCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse", + "type": "object" + } + }, + "type": {}, + "urlPathMaps": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse", + "type": "object" + } + }, + "webApplicationFirewallConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse", + "containers": [ + "properties" + ] + }, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native:network:getApplicationGatewayPrivateEndpointConnection": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "applicationGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "response": { + "etag": {}, + "id": {}, + "linkIdentifier": { + "containers": [ + "properties" + ] + }, + "name": {}, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "containers": [ + "properties" + ] + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getApplicationSecurityGroup": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "applicationSecurityGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getAzureFirewall": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "azureFirewallName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "response": { + "additionalProperties": { + "additionalProperties": { + "type": "string" + }, + "containers": [ + "properties" + ] + }, + "applicationRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollectionResponse", + "type": "object" + } + }, + "etag": {}, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "hubIPAddresses": { + "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddressesResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", + "type": "object" + } + }, + "ipGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIpGroupsResponse", + "type": "object" + } + }, + "location": {}, + "managementIpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "name": {}, + "natRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollectionResponse", + "type": "object" + } + }, + "networkRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollectionResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSkuResponse", + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "threatIntelMode": { + "containers": [ + "properties" + ] + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native:network:getBastionHost": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "bastionHostName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "response": { + "disableCopyPaste": { + "containers": [ + "properties" + ], + "default": false + }, + "dnsName": { + "containers": [ + "properties" + ] + }, + "enableFileCopy": { + "containers": [ + "properties" + ], + "default": false + }, + "enableIpConnect": { + "containers": [ + "properties" + ], + "default": false + }, + "enableKerberos": { + "containers": [ + "properties" + ], + "default": false + }, + "enableShareableLink": { + "containers": [ + "properties" + ], + "default": false + }, + "enableTunneling": { + "containers": [ + "properties" + ], + "default": false + }, + "etag": {}, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfigurationResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "scaleUnits": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:SkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getConfigurationPolicyGroup": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "vpnServerConfigurationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationPolicyGroupName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "response": { + "etag": {}, + "id": {}, + "isDefault": { + "containers": [ + "properties" + ] + }, + "name": {}, + "p2SConnectionConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "policyMembers": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse", + "type": "object" + } + }, + "priority": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getConnectionMonitor": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionMonitorName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "response": { + "autoStart": { + "containers": [ + "properties" + ], + "default": true + }, + "connectionMonitorType": { + "containers": [ + "properties" + ] + }, + "destination": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestinationResponse", + "containers": [ + "properties" + ] + }, + "endpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointResponse", + "type": "object" + } + }, + "etag": {}, + "id": {}, + "location": {}, + "monitoringIntervalInSeconds": { + "containers": [ + "properties" + ], + "default": 60 + }, + "monitoringStatus": { + "containers": [ + "properties" + ] + }, + "name": {}, + "notes": { + "containers": [ + "properties" + ] + }, + "outputs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutputResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "source": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSourceResponse", + "containers": [ + "properties" + ] + }, + "startTime": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "testConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationResponse", + "type": "object" + } + }, + "testGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroupResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native:network:getConnectivityConfiguration": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "response": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", + "type": "object" + } + }, + "connectivityTopology": { + "containers": [ + "properties" + ] + }, + "deleteExistingPeering": { + "containers": [ + "properties" + ] + }, + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "hubs": { + "arrayIdentifiers": [ + "resourceId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", + "type": "object" + } + }, + "id": {}, + "isGlobal": { + "containers": [ + "properties" + ] + }, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native:network:getCustomIPPrefix": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "customIpPrefixName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "response": { + "asn": { + "containers": [ + "properties" + ] + }, + "authorizationMessage": { + "containers": [ + "properties" + ] + }, + "childCustomIpPrefixes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "cidr": { + "containers": [ + "properties" + ] + }, + "commissionedState": { + "containers": [ + "properties" + ] + }, + "customIpPrefixParent": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRouteAdvertise": { + "containers": [ + "properties" + ] + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "failedReason": { + "containers": [ + "properties" + ] + }, + "geo": { + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "noInternetAdvertise": { + "containers": [ + "properties" + ] + }, + "prefixType": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIpPrefixes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "signedMessage": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native:network:getDdosCustomPolicy": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ddosCustomPolicyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getDdosProtectionPlan": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ddosProtectionPlanName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIPAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualNetworks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + } + } + }, + "azure-native:network:getDefaultAdminRule": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleCollectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "response": { + "access": { + "containers": [ + "properties" + ] + }, + "description": { + "containers": [ + "properties" + ] + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + }, + "direction": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "flag": { + "containers": [ + "properties" + ] + }, + "id": {}, + "kind": { + "const": "Default" + }, + "name": {}, + "priority": { + "containers": [ + "properties" + ] + }, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native:network:getDscpConfiguration": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "dscpConfigurationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "response": { + "associatedNetworkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } + }, + "destinationIpRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", + "type": "object" + } + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", + "type": "object" + } + }, + "etag": {}, + "id": {}, + "location": {}, + "markings": { + "containers": [ + "properties" + ], + "items": { + "type": "integer" + } + }, + "name": {}, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "qosCollectionId": { + "containers": [ + "properties" + ] + }, + "qosDefinitionCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosDefinitionResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sourceIpRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", + "type": "object" + } + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getExpressRouteCircuit": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "response": { + "allowClassicOperations": { + "containers": [ + "properties" + ] + }, + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "authorizationStatus": { + "containers": [ + "properties" + ] + }, + "authorizations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorizationResponse", + "type": "object" + } + }, + "bandwidthInGbps": { + "containers": [ + "properties" + ] + }, + "circuitProvisioningState": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRoutePort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "gatewayManagerEtag": { + "containers": [ + "properties" + ] + }, + "globalReachEnabled": { + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "peerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "serviceKey": { + "containers": [ + "properties" + ] + }, + "serviceProviderNotes": { + "containers": [ + "properties" + ] + }, + "serviceProviderProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderPropertiesResponse", + "containers": [ + "properties" + ] + }, + "serviceProviderProvisioningState": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSkuResponse" + }, + "stag": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getExpressRouteCircuitAuthorization": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "authorizationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "response": { + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "authorizationUseStatus": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getExpressRouteCircuitConnection": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "circuitConnectionStatus": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "ipv6CircuitConnectionConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse", + "containers": [ + "properties" + ] + }, + "name": {}, + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getExpressRouteCircuitPeering": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "response": { + "azureASN": { + "containers": [ + "properties" + ] + }, + "connections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse", + "type": "object" + } + }, + "etag": {}, + "expressRouteConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse", + "containers": [ + "properties" + ] + }, + "gatewayManagerEtag": { + "containers": [ + "properties" + ] + }, + "id": {}, + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "containers": [ + "properties" + ] + }, + "lastModifiedBy": { + "containers": [ + "properties" + ] + }, + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", + "containers": [ + "properties" + ] + }, + "name": {}, + "peerASN": { + "containers": [ + "properties" + ] + }, + "peeredConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse", + "type": "object" + } + }, + "peeringType": { + "containers": [ + "properties" + ] + }, + "primaryAzurePort": { + "containers": [ + "properties" + ] + }, + "primaryPeerAddressPrefix": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "secondaryAzurePort": { + "containers": [ + "properties" + ] + }, + "secondaryPeerAddressPrefix": { + "containers": [ + "properties" + ] + }, + "sharedKey": { + "containers": [ + "properties" + ] + }, + "state": { + "containers": [ + "properties" + ] + }, + "stats": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse", + "containers": [ + "properties" + ] + }, + "type": {}, + "vlanId": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getExpressRouteConnection": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "expressRouteGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "response": { + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ] + }, + "enablePrivateLinkFastPath": { + "containers": [ + "properties" + ] + }, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse", + "containers": [ + "properties" + ] + }, + "expressRouteGatewayBypass": { + "containers": [ + "properties" + ] + }, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "containers": [ + "properties" + ] + }, + "routingWeight": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getExpressRouteCrossConnectionPeering": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "crossConnectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "response": { + "azureASN": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "gatewayManagerEtag": { + "containers": [ + "properties" + ] + }, + "id": {}, + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "containers": [ + "properties" + ] + }, + "lastModifiedBy": { + "containers": [ + "properties" + ] + }, + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", + "containers": [ + "properties" + ] + }, + "name": {}, + "peerASN": { + "containers": [ + "properties" + ] + }, + "peeringType": { + "containers": [ + "properties" + ] + }, + "primaryAzurePort": { + "containers": [ + "properties" + ] + }, + "primaryPeerAddressPrefix": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "secondaryAzurePort": { + "containers": [ + "properties" + ] + }, + "secondaryPeerAddressPrefix": { + "containers": [ + "properties" + ] + }, + "sharedKey": { + "containers": [ + "properties" + ] + }, + "state": { + "containers": [ + "properties" + ] + }, + "vlanId": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getExpressRouteGateway": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "expressRouteGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "response": { + "allowNonVirtualWanTraffic": { + "containers": [ + "properties" + ] + }, + "autoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRouteConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionResponse", + "type": "object" + } + }, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubIdResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getExpressRoutePort": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "expressRoutePortName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "response": { + "allocationDate": { + "containers": [ + "properties" + ] + }, + "bandwidthInGbps": { + "containers": [ + "properties" + ] + }, + "billingType": { + "containers": [ + "properties" + ] + }, + "circuits": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "encapsulation": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "etherType": { + "containers": [ + "properties" + ] + }, + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "links": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkResponse", + "type": "object" + } + }, + "location": {}, + "mtu": { + "containers": [ + "properties" + ] + }, + "name": {}, + "peeringLocation": { + "containers": [ + "properties" + ] + }, + "provisionedBandwidthInGbps": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getExpressRoutePortAuthorization": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "expressRoutePortName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "authorizationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "response": { + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "authorizationUseStatus": { + "containers": [ + "properties" + ] + }, + "circuitResourceUri": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getFirewallPolicy": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "firewallPolicyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "response": { + "basePolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "childPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DnsSettingsResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "explicitProxy": { + "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxyResponse", + "containers": [ + "properties" + ] + }, + "firewalls": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "insights": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsightsResponse", + "containers": [ + "properties" + ] + }, + "intrusionDetection": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "ruleCollectionGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySkuResponse", + "containers": [ + "properties" + ] + }, + "snat": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNATResponse", + "containers": [ + "properties" + ] + }, + "sql": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQLResponse", + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "threatIntelMode": { + "containers": [ + "properties" + ] + }, + "threatIntelWhitelist": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelistResponse", + "containers": [ + "properties" + ] + }, + "transportSecurity": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurityResponse", + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getFirewallPolicyRuleCollectionGroup": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "firewallPolicyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleCollectionGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "priority": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "ruleCollections": { + "containers": [ + "properties" + ], + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse", + "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse" + ] + } + }, + "type": {} + } + }, + "azure-native:network:getFlowLog": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "flowLogName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "response": { + "enabled": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "flowAnalyticsConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse", + "containers": [ + "properties" + ] + }, + "format": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParametersResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "retentionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParametersResponse", + "containers": [ + "properties" + ] + }, + "storageId": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "targetResourceGuid": { + "containers": [ + "properties" + ] + }, + "targetResourceId": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getHubRouteTable": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "response": { + "associatedConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "labels": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "name": {}, + "propagatingConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubRouteResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native:network:getHubVirtualNetworkConnection": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "response": { + "allowHubToRemoteVnetTransit": { + "containers": [ + "properties" + ] + }, + "allowRemoteVnetToUseHubVnetGateways": { + "containers": [ + "properties" + ] + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getInboundNatRule": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "loadBalancerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "inboundNatRuleName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "response": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "backendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "backendPort": { + "containers": [ + "properties" + ] + }, + "enableFloatingIP": { + "containers": [ + "properties" + ] + }, + "enableTcpReset": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "frontendPort": { + "containers": [ + "properties" + ] + }, + "frontendPortRangeEnd": { + "containers": [ + "properties" + ] + }, + "frontendPortRangeStart": { + "containers": [ + "properties" + ] + }, + "id": {}, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ] + }, + "name": {}, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getIpAllocation": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ipAllocationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "response": { + "allocationTags": { + "additionalProperties": { + "type": "string" + }, + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "ipamAllocationId": { + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "prefix": { + "containers": [ + "properties" + ] + }, + "prefixLength": { + "containers": [ + "properties" + ], + "default": 0 + }, + "prefixType": { + "containers": [ + "properties" + ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getIpGroup": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ipGroupsName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "response": { + "etag": {}, + "firewallPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "firewalls": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "id": {}, + "ipAddresses": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getLoadBalancer": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "loadBalancerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "response": { + "backendAddressPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPoolResponse", + "type": "object" + } + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "frontendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "type": "object" + } + }, + "id": {}, + "inboundNatPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPoolResponse", + "type": "object" + } + }, + "inboundNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRuleResponse", + "type": "object" + } + }, + "loadBalancingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRuleResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "outboundRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:OutboundRuleResponse", + "type": "object" + } + }, + "probes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ProbeResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getLoadBalancerBackendAddressPool": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "loadBalancerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "backendAddressPoolName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "response": { + "backendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "type": "object" + } + }, + "drainPeriodInSeconds": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "inboundNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "loadBalancerBackendAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse", + "type": "object" + } + }, + "loadBalancingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "location": { + "containers": [ + "properties" + ] + }, + "name": {}, + "outboundRule": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "outboundRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tunnelInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse", + "type": "object" + } + }, + "type": {}, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getLocalNetworkGateway": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "localNetworkGatewayName", + "required": true, + "value": { + "minLength": 1, + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "response": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "fqdn": { + "containers": [ + "properties" + ] + }, + "gatewayIpAddress": { + "containers": [ + "properties" + ] + }, + "id": {}, + "localNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getManagementGroupNetworkManagerConnection": { + "GET": [ + { + "location": "path", + "name": "managementGroupId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerConnectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "networkManagerId": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native:network:getNatGateway": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "natGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "response": { + "etag": {}, + "id": {}, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIpAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "publicIpPrefixes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySkuResponse" + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native:network:getNatRule": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "natRuleName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "response": { + "egressVpnSiteLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "etag": {}, + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, + "id": {}, + "ingressVpnSiteLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, + "ipConfigurationId": { + "containers": [ + "properties" + ] + }, + "mode": { + "containers": [ + "properties" + ] + }, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getNetworkGroup": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkGroupName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native:network:getNetworkInterface": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkInterfaceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "response": { + "auxiliaryMode": { + "containers": [ + "properties" + ] + }, + "auxiliarySku": { + "containers": [ + "properties" + ] + }, + "disableTcpStateTracking": { + "containers": [ + "properties" + ] + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse", + "containers": [ + "properties" + ] + }, + "dscpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "enableAcceleratedNetworking": { + "containers": [ + "properties" + ] + }, + "enableIPForwarding": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "hostedWorkloads": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "type": "object" + } + }, + "location": {}, + "macAddress": { + "containers": [ + "properties" + ] + }, + "migrationPhase": { + "containers": [ + "properties" + ] + }, + "name": {}, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", + "containers": [ + "properties" + ] + }, + "nicType": { + "containers": [ + "properties" + ] + }, + "primary": { + "containers": [ + "properties" + ] + }, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "containers": [ + "properties" + ] + }, + "privateLinkService": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "tapConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", + "type": "object" + } + }, + "type": {}, + "virtualMachine": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "vnetEncryptionSupported": { + "containers": [ + "properties" + ] + }, + "workloadType": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getNetworkInterfaceTapConfiguration": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkInterfaceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "tapConfigurationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {}, + "virtualNetworkTap": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getNetworkManager": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "networkManagerScopeAccesses": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "networkManagerScopes": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesResponseNetworkManagerScopes", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getNetworkProfile": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkProfileName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "response": { + "containerNetworkInterfaceConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse", + "type": "object" + } + }, + "containerNetworkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceResponse", + "type": "object" + } + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getNetworkSecurityGroup": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkSecurityGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "response": { + "defaultSecurityRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", + "type": "object" + } + }, + "etag": {}, + "flowLogs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", + "type": "object" + } + }, + "flushConnection": { + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "networkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "securityRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", + "type": "object" + } + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getNetworkVirtualAppliance": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkVirtualApplianceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "response": { + "additionalNics": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicPropertiesResponse", + "type": "object" + } + }, + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "bootStrapConfigurationBlobs": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "cloudInitConfiguration": { + "containers": [ + "properties" + ] + }, + "cloudInitConfigurationBlobs": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "delegation": { + "$ref": "#/types/azure-native_network_v20230201:network:DelegationPropertiesResponse", + "containers": [ + "properties" + ] + }, + "deploymentType": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "inboundSecurityRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "nvaSku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuPropertiesResponse", + "containers": [ + "properties" + ] + }, + "partnerManagedResource": { + "$ref": "#/types/azure-native_network_v20230201:network:PartnerManagedResourcePropertiesResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "sshPublicKey": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualApplianceAsn": { + "containers": [ + "properties" + ] + }, + "virtualApplianceConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "virtualApplianceNics": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceNicPropertiesResponse", + "type": "object" + } + }, + "virtualApplianceSites": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getNetworkVirtualApplianceConnection": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkVirtualApplianceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", + "response": { + "id": {}, + "name": {}, + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionPropertiesResponse" + } + } + }, + "azure-native:network:getNetworkWatcher": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getP2sVpnGateway": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "response": { + "customDnsServers": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "isRoutingPreferenceInternet": { + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "p2SConnectionConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "vpnClientConnectionHealth": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", + "containers": [ + "properties" + ] + }, + "vpnGatewayScaleUnit": { + "containers": [ + "properties" + ] + }, + "vpnServerConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getPacketCapture": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "packetCaptureName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "response": { + "bytesToCapturePerPacket": { + "containers": [ + "properties" + ], + "default": 0 + }, + "etag": {}, + "filters": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilterResponse", + "type": "object" + } + }, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "scope": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScopeResponse", + "containers": [ + "properties" + ] + }, + "storageLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocationResponse", + "containers": [ + "properties" + ] + }, + "target": { + "containers": [ + "properties" + ] + }, + "targetType": { + "containers": [ + "properties" + ] + }, + "timeLimitInSeconds": { + "containers": [ + "properties" + ], + "default": 18000 + }, + "totalBytesPerSession": { + "containers": [ + "properties" + ], + "default": 1073741824 + } + } + }, + "azure-native:network:getPrivateDnsZoneGroup": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "privateEndpointName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "privateDnsZoneGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "privateDnsZoneConfigs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfigResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getPrivateEndpoint": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "privateEndpointName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "response": { + "applicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + } + }, + "customDnsConfigs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse", + "type": "object" + } + }, + "customNetworkInterfaceName": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse", + "type": "object" + } + }, + "location": {}, + "manualPrivateLinkServiceConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", + "type": "object" + } + }, + "name": {}, + "networkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } + }, + "privateLinkServiceConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getPrivateLinkService": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "serviceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "response": { + "alias": { + "containers": [ + "properties" + ] + }, + "autoApproval": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval", + "containers": [ + "properties" + ] + }, + "enableProxyProtocol": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "fqdns": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse", + "type": "object" + } + }, + "loadBalancerFrontendIpConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "networkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } + }, + "privateEndpointConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointConnectionResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "visibility": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getPrivateLinkServicePrivateEndpointConnection": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "serviceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peConnectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "response": { + "etag": {}, + "id": {}, + "linkIdentifier": { + "containers": [ + "properties" + ] + }, + "name": {}, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "containers": [ + "properties" + ] + }, + "privateEndpointLocation": { + "containers": [ + "properties" + ] + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getPublicIPAddress": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "publicIpAddressName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "response": { + "ddosSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettingsResponse", + "containers": [ + "properties" + ] + }, + "deleteOption": { + "containers": [ + "properties" + ] + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "id": {}, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ] + }, + "ipAddress": { + "containers": [ + "properties" + ] + }, + "ipConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "ipTags": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", + "type": "object" + } + }, + "linkedPublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "migrationPhase": { + "containers": [ + "properties" + ] + }, + "name": {}, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIPAddressVersion": { + "containers": [ + "properties" + ] + }, + "publicIPAllocationMethod": { + "containers": [ + "properties" + ] + }, + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "servicePublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native:network:getPublicIPPrefix": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "publicIpPrefixName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "response": { + "customIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "id": {}, + "ipPrefix": { + "containers": [ + "properties" + ] + }, + "ipTags": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", + "type": "object" + } + }, + "loadBalancerFrontendIpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", + "containers": [ + "properties" + ] + }, + "prefixLength": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIPAddressVersion": { + "containers": [ + "properties" + ] + }, + "publicIPAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ReferencedPublicIpAddressResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native:network:getRoute": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "hasBgpOverride": { + "containers": [ + "properties" + ] + }, + "id": {}, + "name": {}, + "nextHopIpAddress": { + "containers": [ + "properties" + ] + }, + "nextHopType": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getRouteFilter": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeFilterName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "response": { + "etag": {}, + "id": {}, + "ipv6Peerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "peerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "rules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRuleResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getRouteFilterRule": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeFilterName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "response": { + "access": { + "containers": [ + "properties" + ] + }, + "communities": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routeFilterRuleType": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getRouteMap": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeMapName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "response": { + "associatedInboundConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "associatedOutboundConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "rules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRuleResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native:network:getRouteTable": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "response": { + "disableBgpRoutePropagation": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteResponse", + "type": "object" + } + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getRoutingIntent": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routingIntentName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routingPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicyResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native:network:getScopeConnection": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "scopeConnectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "resourceId": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "tenantId": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getSecurityAdminConfiguration": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "response": { + "applyOnNetworkIntentPolicyBasedServices": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native:network:getSecurityPartnerProvider": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "securityPartnerProviderName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "response": { + "connectionStatus": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "securityProviderName": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getSecurityRule": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkSecurityGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "securityRuleName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "response": { + "access": { + "containers": [ + "properties" + ] + }, + "description": { + "containers": [ + "properties" + ] + }, + "destinationAddressPrefix": { + "containers": [ + "properties" + ] + }, + "destinationAddressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "destinationApplicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + } + }, + "destinationPortRange": { + "containers": [ + "properties" + ] + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "direction": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "priority": { + "containers": [ + "properties" + ] + }, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "sourceAddressPrefix": { + "containers": [ + "properties" + ] + }, + "sourceAddressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "sourceApplicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + } + }, + "sourcePortRange": { + "containers": [ + "properties" + ] + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getServiceEndpointPolicy": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "serviceEndpointPolicyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "response": { + "contextualServiceEndpointPolicies": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "kind": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "serviceAlias": { + "containers": [ + "properties" + ] + }, + "serviceEndpointPolicyDefinitions": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse", + "type": "object" + } + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getServiceEndpointPolicyDefinition": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "serviceEndpointPolicyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "serviceEndpointPolicyDefinitionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "service": { + "containers": [ + "properties" + ] + }, + "serviceResources": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getStaticMember": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "staticMemberName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "region": { + "containers": [ + "properties" + ] + }, + "resourceId": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native:network:getSubnet": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subnetName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "addressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "applicationGatewayIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", + "type": "object" + } + }, + "delegations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:DelegationResponse", + "type": "object" + } + }, + "etag": {}, + "id": {}, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "ipConfigurationProfiles": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", + "type": "object" + } + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", + "type": "object" + } + }, + "name": {}, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", + "containers": [ + "properties" + ] + }, + "privateEndpointNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Disabled" + }, + "privateEndpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "type": "object" + } + }, + "privateLinkServiceNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Enabled" + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "purpose": { + "containers": [ + "properties" + ] + }, + "resourceNavigationLinks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ResourceNavigationLinkResponse", + "type": "object" + } + }, + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteTableResponse", + "containers": [ + "properties" + ] + }, + "serviceAssociationLinks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceAssociationLinkResponse", + "type": "object" + } + }, + "serviceEndpointPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyResponse", + "type": "object" + } + }, + "serviceEndpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native:network:getSubscriptionNetworkManagerConnection": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerConnectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "networkManagerId": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native:network:getVirtualApplianceSite": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkVirtualApplianceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "siteName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyPropertiesResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getVirtualHub": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "allowBranchToBranchTraffic": { + "containers": [ + "properties" + ] + }, + "azureFirewall": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "bgpConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "etag": {}, + "expressRouteGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "hubRoutingPreference": { + "containers": [ + "properties" + ] + }, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "kind": {}, + "location": {}, + "name": {}, + "p2SVpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "preferredRoutingGateway": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routeMaps": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableResponse", + "containers": [ + "properties" + ] + }, + "routingState": { + "containers": [ + "properties" + ] + }, + "securityPartnerProvider": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "securityProviderName": { + "containers": [ + "properties" + ] + }, + "sku": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHubRouteTableV2s": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2Response", + "type": "object" + } + }, + "virtualRouterAsn": { + "containers": [ + "properties" + ] + }, + "virtualRouterAutoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfigurationResponse", + "containers": [ + "properties" + ] + }, + "virtualRouterIps": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "vpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getVirtualHubBgpConnection": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "response": { + "connectionState": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "hubVirtualNetworkConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "name": {}, + "peerAsn": { + "containers": [ + "properties" + ] + }, + "peerIp": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getVirtualHubIpConfiguration": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ipConfigName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "privateIPAddress": { + "containers": [ + "properties" + ] + }, + "privateIPAllocationMethod": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "containers": [ + "properties" + ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getVirtualHubRouteTableV2": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "response": { + "attachedConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2Response", + "type": "object" + } + } + } + }, + "azure-native:network:getVirtualNetwork": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "response": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "bgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", + "containers": [ + "properties" + ] + }, + "ddosProtectionPlan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "dhcpOptions": { + "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptionsResponse", + "containers": [ + "properties" + ] + }, + "enableDdosProtection": { + "containers": [ + "properties" + ], + "default": false + }, + "enableVmProtection": { + "containers": [ + "properties" + ], + "default": false + }, + "encryption": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "flowLogs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", + "type": "object" + } + }, + "flowTimeoutInMinutes": { + "containers": [ + "properties" + ] + }, + "id": {}, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualNetworkPeerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringResponse", + "type": "object" + } + } + } + }, + "azure-native:network:getVirtualNetworkGateway": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "response": { + "activeActive": { + "containers": [ + "properties" + ] + }, + "adminState": { + "containers": [ + "properties" + ] + }, + "allowRemoteVnetTraffic": { + "containers": [ + "properties" + ] + }, + "allowVirtualWanTraffic": { + "containers": [ + "properties" + ] + }, + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "containers": [ + "properties" + ] + }, + "customRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "disableIPSecReplayProtection": { + "containers": [ + "properties" + ] + }, + "enableBgp": { + "containers": [ + "properties" + ] + }, + "enableBgpRouteTranslationForNat": { + "containers": [ + "properties" + ] + }, + "enableDnsForwarding": { + "containers": [ + "properties" + ] + }, + "enablePrivateIpAddress": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "gatewayDefaultSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "gatewayType": { + "containers": [ + "properties" + ] + }, + "id": {}, + "inboundDnsForwardingEndpoint": { + "containers": [ + "properties" + ] + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "natRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse", + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "vNetExtendedLocationResourceId": { + "containers": [ + "properties" + ] + }, + "virtualNetworkGatewayPolicyGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse", + "type": "object" + } + }, + "vpnClientConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfigurationResponse", + "containers": [ + "properties" + ] + }, + "vpnGatewayGeneration": { + "containers": [ + "properties" + ] + }, + "vpnType": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getVirtualNetworkGatewayConnection": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayConnectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "response": { + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "connectionMode": { + "containers": [ + "properties" + ] + }, + "connectionProtocol": { + "containers": [ + "properties" + ] + }, + "connectionStatus": { + "containers": [ + "properties" + ] + }, + "connectionType": { + "containers": [ + "properties" + ] + }, + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ] + }, + "egressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "egressNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "enableBgp": { + "containers": [ + "properties" + ] + }, + "enablePrivateLinkFastPath": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRouteGatewayBypass": { + "containers": [ + "properties" + ] + }, + "gatewayCustomBgpIpAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse", + "type": "object" + } + }, + "id": {}, + "ingressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "ingressNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "ipsecPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + } + }, + "localNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGatewayResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "peer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "routingWeight": { + "containers": [ + "properties" + ] + }, + "sharedKey": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "trafficSelectorPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", + "type": "object" + } + }, + "tunnelConnectionStatus": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TunnelConnectionHealthResponse", + "type": "object" + } + }, + "type": {}, + "useLocalAzureIpAddress": { + "containers": [ + "properties" + ] + }, + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ] + }, + "virtualNetworkGateway1": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", + "containers": [ + "properties" + ] + }, + "virtualNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getVirtualNetworkGatewayNatRule": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "natRuleName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "response": { + "etag": {}, + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, + "id": {}, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, + "ipConfigurationId": { + "containers": [ + "properties" + ] + }, + "mode": { + "containers": [ + "properties" + ] + }, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getVirtualNetworkPeering": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkPeeringName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "response": { + "allowForwardedTraffic": { + "containers": [ + "properties" + ] + }, + "allowGatewayTransit": { + "containers": [ + "properties" + ] + }, + "allowVirtualNetworkAccess": { + "containers": [ + "properties" + ] + }, + "doNotVerifyRemoteGateways": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "peeringState": { + "containers": [ + "properties" + ] + }, + "peeringSyncLevel": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "remoteAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "remoteBgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", + "containers": [ + "properties" + ] + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "remoteVirtualNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "remoteVirtualNetworkEncryption": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "type": {}, + "useRemoteGateways": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getVirtualNetworkTap": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "tapName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "response": { + "destinationLoadBalancerFrontEndIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "destinationNetworkInterfaceIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "destinationPort": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "networkInterfaceTapConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getVirtualRouter": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualRouterName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "response": { + "etag": {}, + "hostedGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "hostedSubnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "peerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualRouterAsn": { + "containers": [ + "properties" + ] + }, + "virtualRouterIps": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + } + } + }, + "azure-native:network:getVirtualRouterPeering": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualRouterName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "peerAsn": { + "containers": [ + "properties" + ] + }, + "peerIp": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native:network:getVirtualWan": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "VirtualWANName", + "required": true, + "value": { + "sdkName": "virtualWANName", + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "response": { + "allowBranchToBranchTraffic": { + "containers": [ + "properties" + ] + }, + "allowVnetToVnetTraffic": { + "containers": [ + "properties" + ] + }, + "disableVpnEncryption": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "office365LocalBreakoutCategory": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHubs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "vpnSites": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + } + } + }, + "azure-native:network:getVpnConnection": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "response": { + "connectionBandwidth": { + "containers": [ + "properties" + ] + }, + "connectionStatus": { + "containers": [ + "properties" + ] + }, + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ] + }, + "egressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "enableBgp": { + "containers": [ + "properties" + ] + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ] + }, + "enableRateLimiting": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "ingressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "ipsecPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + } + }, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "remoteVpnSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "containers": [ + "properties" + ] + }, + "routingWeight": { + "containers": [ + "properties" + ] + }, + "sharedKey": { + "containers": [ + "properties" + ] + }, + "trafficSelectorPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", + "type": "object" + } + }, + "useLocalAzureIpAddress": { + "containers": [ + "properties" + ] + }, + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ] + }, + "vpnConnectionProtocolType": { + "containers": [ + "properties" + ] + }, + "vpnLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse", + "type": "object" + } + } + } + }, + "azure-native:network:getVpnGateway": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "response": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "containers": [ + "properties" + ] + }, + "connections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnConnectionResponse", + "type": "object" + } + }, + "enableBgpRouteTranslationForNat": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayIpConfigurationResponse", + "type": "object" + } + }, + "isRoutingPreferenceInternet": { + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "natRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRuleResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "vpnGatewayScaleUnit": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native:network:getVpnServerConfiguration": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "vpnServerConfigurationName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPropertiesResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native:network:getVpnSite": { + "GET": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "vpnSiteName", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "response": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "bgpProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "containers": [ + "properties" + ] + }, + "deviceProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:DevicePropertiesResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "ipAddress": { + "containers": [ + "properties" + ] + }, + "isSecuritySite": { + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyPropertiesResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "siteKey": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "vpnSiteLinks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkResponse", + "type": "object" + } + } + } + }, + "azure-native:network:getWebApplicationFirewallPolicy": { + "GET": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "policyName", + "required": true, + "value": { + "maxLength": 128, + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "POST": null, + "apiVersion": "2023-02-01", + "isResourceGetter": true, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "response": { + "applicationGateways": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayResponse", + "type": "object" + } + }, + "customRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRuleResponse", + "type": "object" + } + }, + "etag": {}, + "httpListeners": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "id": {}, + "location": {}, + "managedRules": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinitionResponse", + "containers": [ + "properties" + ] + }, + "name": {}, + "pathBasedRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "policySettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:getActiveSessions": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "bastionHostName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}/getActiveSessions", + "response": { + "nextLink": {}, + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BastionActiveSessionResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:getApplicationGatewayBackendHealthOnDemand": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "applicationGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$expand", + "value": { + "sdkName": "expand", + "type": "string" + } + }, + { + "body": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "host": { + "type": "string" + }, + "match": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatch", + "type": "object" + }, + "path": { + "type": "string" + }, + "pickHostNameFromBackendHttpSettings": { + "type": "boolean" + }, + "protocol": { + "type": "string" + }, + "timeout": { + "type": "integer" + } + } + }, + "location": "body", + "name": "probeRequest", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/getBackendHealthOnDemand", + "response": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse" + }, + "backendHealthHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHealthHttpSettingsResponse" + } + } + }, + "azure-native_network_v20230201:network:getBastionShareableLink": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "bastionHostName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "body": { + "properties": { + "vms": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BastionShareableLink", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "bslRequest", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}/getShareableLinks", + "response": { + "nextLink": {}, + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BastionShareableLinkResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:getP2sVpnGatewayP2sVpnConnectionHealth": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}/getP2sVpnConnectionHealth", + "response": { + "customDnsServers": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "isRoutingPreferenceInternet": { + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "p2SConnectionConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "vpnClientConnectionHealth": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", + "containers": [ + "properties" + ] + }, + "vpnGatewayScaleUnit": { + "containers": [ + "properties" + ] + }, + "vpnServerConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:getP2sVpnGatewayP2sVpnConnectionHealthDetailed": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "body": { + "properties": { + "outputBlobSasUrl": { + "type": "string" + }, + "vpnUserNamesFilter": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "request", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}/getP2sVpnConnectionHealthDetailed", + "response": { + "sasUrl": {} + } + }, + "azure-native_network_v20230201:network:getVirtualNetworkGatewayAdvertisedRoutes": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "peer", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getAdvertisedRoutes", + "response": { + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayRouteResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:getVirtualNetworkGatewayBgpPeerStatus": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "peer", + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getBgpPeerStatus", + "response": { + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpPeerStatusResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:getVirtualNetworkGatewayConnectionIkeSas": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayConnectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}/getikesas", + "response": { + "value": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:getVirtualNetworkGatewayLearnedRoutes": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getLearnedRoutes", + "response": { + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayRouteResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnProfilePackageUrl": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getvpnprofilepackageurl", + "response": { + "value": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnclientConnectionHealth": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getVpnClientConnectionHealth", + "response": { + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthDetailResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:getVirtualNetworkGatewayVpnclientIpsecParameters": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/getvpnclientipsecparameters", + "response": { + "dhGroup": {}, + "ikeEncryption": {}, + "ikeIntegrity": {}, + "ipsecEncryption": {}, + "ipsecIntegrity": {}, + "pfsGroup": {}, + "saDataSizeKilobytes": {}, + "saLifeTimeSeconds": {} + } + }, + "azure-native_network_v20230201:network:getVpnLinkConnectionIkeSas": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "linkConnectionName", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}/vpnLinkConnections/{linkConnectionName}/getikesas", + "response": { + "value": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:listActiveConnectivityConfigurations": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "regions": { + "items": { + "type": "string" + }, + "type": "array" + }, + "skipToken": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$top", + "value": { + "sdkName": "top", + "type": "integer" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listActiveConnectivityConfigurations", + "response": { + "skipToken": {}, + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ActiveConnectivityConfigurationResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:listActiveSecurityAdminRules": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "regions": { + "items": { + "type": "string" + }, + "type": "array" + }, + "skipToken": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$top", + "value": { + "sdkName": "top", + "type": "integer" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listActiveSecurityAdminRules", + "response": { + "skipToken": {}, + "value": { + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:ActiveDefaultSecurityAdminRuleResponse", + "#/types/azure-native_network_v20230201:network:ActiveSecurityAdminRuleResponse" + ] + } + } + } + }, + "azure-native_network_v20230201:network:listFirewallPolicyIdpsSignature": { + "GET": null, + "POST": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "firewallPolicyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "body": { + "properties": { + "filters": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FilterItems", + "type": "object" + }, + "type": "array" + }, + "orderBy": { + "$ref": "#/types/azure-native_network_v20230201:network:OrderBy", + "type": "object" + }, + "resultsPerPage": { + "maximum": 1000, + "minimum": 1, + "type": "integer" + }, + "search": { + "type": "string" + }, + "skip": { + "type": "integer" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/listIdpsSignatures", + "response": { + "matchingRecordsCount": {}, + "signatures": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SingleQueryResultResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:listFirewallPolicyIdpsSignaturesFilterValue": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "filterName": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "firewallPolicyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/listIdpsFilterOptions", + "response": { + "filterValues": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:listNetworkManagerDeploymentStatus": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "deploymentTypes": { + "items": { + "type": "string" + }, + "type": "array" + }, + "regions": { + "items": { + "type": "string" + }, + "type": "array" + }, + "skipToken": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$top", + "value": { + "sdkName": "top", + "type": "integer" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/listDeploymentStatus", + "response": { + "skipToken": {}, + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerDeploymentStatusResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:listNetworkManagerEffectiveConnectivityConfigurations": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "skipToken": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$top", + "value": { + "sdkName": "top", + "type": "integer" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/listNetworkManagerEffectiveConnectivityConfigurations", + "response": { + "skipToken": {}, + "value": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:EffectiveConnectivityConfigurationResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:listNetworkManagerEffectiveSecurityAdminRules": { + "GET": null, + "POST": [ + { + "body": { + "properties": { + "skipToken": { + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "$top", + "value": { + "sdkName": "top", + "type": "integer" + } + } + ], + "apiVersion": "2023-02-01", + "isResourceGetter": false, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/listNetworkManagerEffectiveSecurityAdminRules", + "response": { + "skipToken": {}, + "value": { + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:EffectiveDefaultSecurityAdminRuleResponse", + "#/types/azure-native_network_v20230201:network:EffectiveSecurityAdminRuleResponse" + ] + } + } + } + } + }, + "resources": { + "azure-native:keyvault:AccessPolicy": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "vaultName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "policy.objectId", + "value": { + "type": "string" + } + }, + { + "body": { + "properties": { + "policy": { + "type": "#/types/azure-native:keyvault:AccessPolicyEntry" + } + }, + "required": [ + "resourceGroupName", + "vaultName", + "policy" + ] + }, + "location": "body", + "name": "properties", + "value": null + } + ], + "apiVersion": "", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.KeyVault/vaults/{vaultName}/accessPolicy/{policy.objectId}", + "response": null + }, + "azure-native:storage:Blob": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "accountName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "containerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "blobName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "accessTier": { + "type": "string" + }, + "contentMd5": { + "forceNew": true, + "type": "string" + }, + "contentType": { + "type": "string" + }, + "metadata": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "source": { + "$ref": "pulumi.json#/Asset", + "forceNew": true + }, + "type": { + "forceNew": true, + "type": "string" + } + }, + "required": [ + "resourceGroupName", + "accountName", + "containerName", + "blobName", + "type" + ] + }, + "location": "body", + "name": "properties", + "value": null + } + ], + "apiVersion": "", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/blobs/{blobName}", + "response": null + }, + "azure-native:storage:BlobContainerLegalHold": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "accountName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "containerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "body": { + "properties": { + "allowProtectedAppendWritesAll": { + "type": "boolean" + }, + "tags": { + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "resourceGroupName", + "accountName", + "containerName", + "tags" + ] + }, + "location": "body", + "name": "properties", + "value": null + } + ], + "apiVersion": "", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/blobServices/default/containers/{containerName}/legalHold", + "response": null + }, + "azure-native:storage:StorageAccountStaticWebsite": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "accountName", + "required": true, + "value": { + "type": "string" + } + }, + { + "body": { + "properties": { + "error404Document": { + "type": "string" + }, + "indexDocument": { + "type": "string" + } + } + }, + "location": "body", + "name": "properties", + "value": null + } + ], + "apiVersion": "", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Storage/storageAccounts/{accountName}/staticWebsite", + "response": null + }, + "azure-native_network_v20230201:network:AdminRule": { + "PUT": [ + { + "body": { + "properties": { + "access": { + "containers": [ + "properties" + ], + "type": "string" + }, + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItem", + "type": "object" + }, + "type": "array" + }, + "direction": { + "containers": [ + "properties" + ], + "type": "string" + }, + "kind": { + "const": "Custom", + "type": "string" + }, + "priority": { + "containers": [ + "properties" + ], + "maximum": 4096, + "minimum": 1, + "type": "integer" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItem", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "access", + "direction", + "kind", + "priority", + "protocol" + ] + }, + "location": "body", + "name": "adminRule", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleCollectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "response": { + "access": { + "containers": [ + "properties" + ] + }, + "description": { + "containers": [ + "properties" + ] + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + }, + "direction": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "kind": { + "const": "Custom" + }, + "name": {}, + "priority": { + "containers": [ + "properties" + ] + }, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:AdminRuleCollection": { + "PUT": [ + { + "body": { + "properties": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItem", + "type": "object" + }, + "type": "array" + }, + "description": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "appliesToGroups" + ] + }, + "location": "body", + "name": "ruleCollection", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleCollectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", + "response": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "type": "object" + } + }, + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGateway": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "applicationGatewayName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "authenticationCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificate", + "type": "object" + }, + "type": "array" + }, + "autoscaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "backendAddressPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPool", + "type": "object" + }, + "type": "array" + }, + "backendHttpSettingsCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettings", + "type": "object" + }, + "type": "array" + }, + "backendSettingsCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettings", + "type": "object" + }, + "type": "array" + }, + "customErrorConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomError", + "type": "object" + }, + "type": "array" + }, + "enableFips": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableHttp2": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "forceFirewallPolicyAssociation": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "frontendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "frontendPorts": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPort", + "type": "object" + }, + "type": "array" + }, + "gatewayIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "globalConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "httpListeners": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListener", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", + "type": "object" + }, + "listeners": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListener", + "type": "object" + }, + "type": "array" + }, + "loadDistributionPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicy", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "privateLinkConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfiguration", + "type": "object" + }, + "type": "array" + }, + "probes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbe", + "type": "object" + }, + "type": "array" + }, + "redirectConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfiguration", + "type": "object" + }, + "type": "array" + }, + "requestRoutingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRule", + "type": "object" + }, + "type": "array" + }, + "rewriteRuleSets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSet", + "type": "object" + }, + "type": "array" + }, + "routingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRule", + "type": "object" + }, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySku", + "containers": [ + "properties" + ], + "type": "object" + }, + "sslCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificate", + "type": "object" + }, + "type": "array" + }, + "sslPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicy", + "containers": [ + "properties" + ], + "type": "object" + }, + "sslProfiles": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfile", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "trustedClientCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificate", + "type": "object" + }, + "type": "array" + }, + "trustedRootCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificate", + "type": "object" + }, + "type": "array" + }, + "urlPathMaps": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMap", + "type": "object" + }, + "type": "array" + }, + "webApplicationFirewallConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "authenticationCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse", + "type": "object" + } + }, + "autoscaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse", + "containers": [ + "properties" + ] + }, + "backendAddressPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", + "type": "object" + } + }, + "backendHttpSettingsCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse", + "type": "object" + } + }, + "backendSettingsCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse", + "type": "object" + } + }, + "customErrorConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", + "type": "object" + } + }, + "defaultPredefinedSslPolicy": { + "containers": [ + "properties" + ] + }, + "enableFips": { + "containers": [ + "properties" + ] + }, + "enableHttp2": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "forceFirewallPolicyAssociation": { + "containers": [ + "properties" + ] + }, + "frontendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse", + "type": "object" + } + }, + "frontendPorts": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse", + "type": "object" + } + }, + "gatewayIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", + "type": "object" + } + }, + "globalConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse", + "containers": [ + "properties" + ] + }, + "httpListeners": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse", + "type": "object" + } + }, + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "listeners": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListenerResponse", + "type": "object" + } + }, + "loadDistributionPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "operationalState": { + "containers": [ + "properties" + ] + }, + "privateEndpointConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse", + "type": "object" + } + }, + "privateLinkConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse", + "type": "object" + } + }, + "probes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "redirectConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse", + "type": "object" + } + }, + "requestRoutingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "rewriteRuleSets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse", + "type": "object" + } + }, + "routingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse", + "type": "object" + } + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySkuResponse", + "containers": [ + "properties" + ] + }, + "sslCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse", + "type": "object" + } + }, + "sslPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", + "containers": [ + "properties" + ] + }, + "sslProfiles": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "trustedClientCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse", + "type": "object" + } + }, + "trustedRootCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse", + "type": "object" + } + }, + "type": {}, + "urlPathMaps": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse", + "type": "object" + } + }, + "webApplicationFirewallConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse", + "containers": [ + "properties" + ] + }, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnection": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "applicationGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionState", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "linkIdentifier": { + "containers": [ + "properties" + ] + }, + "name": {}, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "containers": [ + "properties" + ] + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationSecurityGroup": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "applicationSecurityGroupName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:AzureFirewall": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "azureFirewallName", + "required": true, + "value": { + "autoname": "random", + "maxLength": 56, + "minLength": 1, + "type": "string" + } + }, + { + "body": { + "properties": { + "additionalProperties": { + "additionalProperties": { + "type": "string" + }, + "containers": [ + "properties" + ], + "type": "object" + }, + "applicationRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollection", + "type": "object" + }, + "type": "array" + }, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "hubIPAddresses": { + "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddresses", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "managementIpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "natRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollection", + "type": "object" + }, + "type": "array" + }, + "networkRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollection", + "type": "object" + }, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSku", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "threatIntelMode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "additionalProperties": { + "additionalProperties": { + "type": "string" + }, + "containers": [ + "properties" + ] + }, + "applicationRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollectionResponse", + "type": "object" + } + }, + "etag": {}, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "hubIPAddresses": { + "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddressesResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", + "type": "object" + } + }, + "ipGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIpGroupsResponse", + "type": "object" + } + }, + "location": {}, + "managementIpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "name": {}, + "natRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollectionResponse", + "type": "object" + } + }, + "networkRuleCollections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollectionResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSkuResponse", + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "threatIntelMode": { + "containers": [ + "properties" + ] + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:BastionHost": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "bastionHostName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "disableCopyPaste": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "dnsName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "enableFileCopy": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "enableIpConnect": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "enableKerberos": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "enableShareableLink": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "enableTunneling": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "scaleUnits": { + "containers": [ + "properties" + ], + "maximum": 50, + "minimum": 2, + "type": "integer" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:Sku", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "disableCopyPaste": { + "containers": [ + "properties" + ], + "default": false + }, + "dnsName": { + "containers": [ + "properties" + ] + }, + "enableFileCopy": { + "containers": [ + "properties" + ], + "default": false + }, + "enableIpConnect": { + "containers": [ + "properties" + ], + "default": false + }, + "enableKerberos": { + "containers": [ + "properties" + ], + "default": false + }, + "enableShareableLink": { + "containers": [ + "properties" + ], + "default": false + }, + "enableTunneling": { + "containers": [ + "properties" + ], + "default": false + }, + "etag": {}, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfigurationResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "scaleUnits": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:SkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ConfigurationPolicyGroup": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "vpnServerConfigurationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationPolicyGroupName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "isDefault": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "name": { + "type": "string" + }, + "policyMembers": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMember", + "type": "object" + }, + "type": "array" + }, + "priority": { + "containers": [ + "properties" + ], + "type": "integer" + } + } + }, + "location": "body", + "name": "VpnServerConfigurationPolicyGroupParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "isDefault": { + "containers": [ + "properties" + ] + }, + "name": {}, + "p2SConnectionConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "policyMembers": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse", + "type": "object" + } + }, + "priority": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ConnectionMonitor": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionMonitorName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "autoStart": { + "containers": [ + "properties" + ], + "default": true, + "type": "boolean" + }, + "destination": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestination", + "containers": [ + "properties" + ], + "type": "object" + }, + "endpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpoint", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "monitoringIntervalInSeconds": { + "containers": [ + "properties" + ], + "default": 60, + "maximum": 1800, + "minimum": 30, + "type": "integer" + }, + "notes": { + "containers": [ + "properties" + ], + "type": "string" + }, + "outputs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutput", + "type": "object" + }, + "type": "array" + }, + "source": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSource", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "testConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfiguration", + "type": "object" + }, + "type": "array" + }, + "testGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroup", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "query", + "name": "migrate", + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", + "putAsyncStyle": "azure-async-operation", + "requiredContainers": [ + [ + "properties" + ] + ], + "response": { + "autoStart": { + "containers": [ + "properties" + ], + "default": true + }, + "connectionMonitorType": { + "containers": [ + "properties" + ] + }, + "destination": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestinationResponse", + "containers": [ + "properties" + ] + }, + "endpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointResponse", + "type": "object" + } + }, + "etag": {}, + "id": {}, + "location": {}, + "monitoringIntervalInSeconds": { + "containers": [ + "properties" + ], + "default": 60 + }, + "monitoringStatus": { + "containers": [ + "properties" + ] + }, + "name": {}, + "notes": { + "containers": [ + "properties" + ] + }, + "outputs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutputResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "source": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSourceResponse", + "containers": [ + "properties" + ] + }, + "startTime": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "testConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationResponse", + "type": "object" + } + }, + "testGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroupResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ConnectivityConfiguration": { + "PUT": [ + { + "body": { + "properties": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItem", + "type": "object" + }, + "type": "array" + }, + "connectivityTopology": { + "containers": [ + "properties" + ], + "type": "string" + }, + "deleteExistingPeering": { + "containers": [ + "properties" + ], + "type": "string" + }, + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "hubs": { + "arrayIdentifiers": [ + "resourceId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Hub", + "type": "object" + }, + "type": "array" + }, + "isGlobal": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "appliesToGroups", + "connectivityTopology" + ] + }, + "location": "body", + "name": "connectivityConfiguration", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", + "response": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", + "type": "object" + } + }, + "connectivityTopology": { + "containers": [ + "properties" + ] + }, + "deleteExistingPeering": { + "containers": [ + "properties" + ] + }, + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "hubs": { + "arrayIdentifiers": [ + "resourceId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", + "type": "object" + } + }, + "id": {}, + "isGlobal": { + "containers": [ + "properties" + ] + }, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:CustomIPPrefix": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "customIpPrefixName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "asn": { + "containers": [ + "properties" + ], + "type": "string" + }, + "authorizationMessage": { + "containers": [ + "properties" + ], + "type": "string" + }, + "cidr": { + "containers": [ + "properties" + ], + "type": "string" + }, + "commissionedState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "customIpPrefixParent": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "expressRouteAdvertise": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "geo": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "noInternetAdvertise": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "prefixType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "signedMessage": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", + "putAsyncStyle": "location", + "response": { + "asn": { + "containers": [ + "properties" + ] + }, + "authorizationMessage": { + "containers": [ + "properties" + ] + }, + "childCustomIpPrefixes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "cidr": { + "containers": [ + "properties" + ] + }, + "commissionedState": { + "containers": [ + "properties" + ] + }, + "customIpPrefixParent": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRouteAdvertise": { + "containers": [ + "properties" + ] + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "failedReason": { + "containers": [ + "properties" + ] + }, + "geo": { + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "noInternetAdvertise": { + "containers": [ + "properties" + ] + }, + "prefixType": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIpPrefixes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "signedMessage": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:DdosCustomPolicy": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ddosCustomPolicyName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:DdosProtectionPlan": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ddosProtectionPlanName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIPAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualNetworks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:DefaultAdminRule": { + "PUT": [ + { + "body": { + "properties": { + "flag": { + "containers": [ + "properties" + ], + "type": "string" + }, + "kind": { + "const": "Default", + "type": "string" + } + }, + "required": [ + "kind" + ] + }, + "location": "body", + "name": "adminRule", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleCollectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", + "response": { + "access": { + "containers": [ + "properties" + ] + }, + "description": { + "containers": [ + "properties" + ] + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + }, + "direction": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "flag": { + "containers": [ + "properties" + ] + }, + "id": {}, + "kind": { + "const": "Default" + }, + "name": {}, + "priority": { + "containers": [ + "properties" + ] + }, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:DscpConfiguration": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "dscpConfigurationName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "destinationIpRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", + "type": "object" + }, + "type": "array" + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "markings": { + "containers": [ + "properties" + ], + "items": { + "type": "integer" + }, + "type": "array" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "qosDefinitionCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosDefinition", + "type": "object" + }, + "type": "array" + }, + "sourceIpRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", + "type": "object" + }, + "type": "array" + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", + "putAsyncStyle": "location", + "response": { + "associatedNetworkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } + }, + "destinationIpRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", + "type": "object" + } + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", + "type": "object" + } + }, + "etag": {}, + "id": {}, + "location": {}, + "markings": { + "containers": [ + "properties" + ], + "items": { + "type": "integer" + } + }, + "name": {}, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "qosCollectionId": { + "containers": [ + "properties" + ] + }, + "qosDefinitionCollection": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosDefinitionResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sourceIpRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", + "type": "object" + } + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuit": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "allowClassicOperations": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "authorizations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "bandwidthInGbps": { + "containers": [ + "properties" + ], + "type": "number" + }, + "circuitProvisioningState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "expressRoutePort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "gatewayManagerEtag": { + "containers": [ + "properties" + ], + "type": "string" + }, + "globalReachEnabled": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "peerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeering", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "serviceKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "serviceProviderNotes": { + "containers": [ + "properties" + ], + "type": "string" + }, + "serviceProviderProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "serviceProviderProvisioningState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSku", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allowClassicOperations": { + "containers": [ + "properties" + ] + }, + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "authorizationStatus": { + "containers": [ + "properties" + ] + }, + "authorizations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorizationResponse", + "type": "object" + } + }, + "bandwidthInGbps": { + "containers": [ + "properties" + ] + }, + "circuitProvisioningState": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRoutePort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "gatewayManagerEtag": { + "containers": [ + "properties" + ] + }, + "globalReachEnabled": { + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "peerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "serviceKey": { + "containers": [ + "properties" + ] + }, + "serviceProviderNotes": { + "containers": [ + "properties" + ] + }, + "serviceProviderProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderPropertiesResponse", + "containers": [ + "properties" + ] + }, + "serviceProviderProvisioningState": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSkuResponse" + }, + "stag": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "authorizationName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "authorizationUseStatus": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + } + } + }, + "location": "body", + "name": "authorizationParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "authorizationUseStatus": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitConnection": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "ipv6CircuitConnectionConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfig", + "containers": [ + "properties" + ], + "type": "object" + }, + "name": { + "type": "string" + }, + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "expressRouteCircuitConnectionParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "circuitConnectionStatus": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "ipv6CircuitConnectionConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse", + "containers": [ + "properties" + ] + }, + "name": {}, + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeering": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "circuitName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "azureASN": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "connections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnection", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "gatewayManagerEtag": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig", + "containers": [ + "properties" + ], + "type": "object" + }, + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", + "containers": [ + "properties" + ], + "type": "object" + }, + "name": { + "type": "string" + }, + "peerASN": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 1, + "type": "number" + }, + "peeringType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "primaryAzurePort": { + "containers": [ + "properties" + ], + "type": "string" + }, + "primaryPeerAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "secondaryAzurePort": { + "containers": [ + "properties" + ], + "type": "string" + }, + "secondaryPeerAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sharedKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "state": { + "containers": [ + "properties" + ], + "type": "string" + }, + "stats": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStats", + "containers": [ + "properties" + ], + "type": "object" + }, + "vlanId": { + "containers": [ + "properties" + ], + "type": "integer" + } + } + }, + "location": "body", + "name": "peeringParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "azureASN": { + "containers": [ + "properties" + ] + }, + "connections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse", + "type": "object" + } + }, + "etag": {}, + "expressRouteConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse", + "containers": [ + "properties" + ] + }, + "gatewayManagerEtag": { + "containers": [ + "properties" + ] + }, + "id": {}, + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "containers": [ + "properties" + ] + }, + "lastModifiedBy": { + "containers": [ + "properties" + ] + }, + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", + "containers": [ + "properties" + ] + }, + "name": {}, + "peerASN": { + "containers": [ + "properties" + ] + }, + "peeredConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse", + "type": "object" + } + }, + "peeringType": { + "containers": [ + "properties" + ] + }, + "primaryAzurePort": { + "containers": [ + "properties" + ] + }, + "primaryPeerAddressPrefix": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "secondaryAzurePort": { + "containers": [ + "properties" + ] + }, + "secondaryPeerAddressPrefix": { + "containers": [ + "properties" + ] + }, + "sharedKey": { + "containers": [ + "properties" + ] + }, + "state": { + "containers": [ + "properties" + ] + }, + "stats": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse", + "containers": [ + "properties" + ] + }, + "type": {}, + "vlanId": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteConnection": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "expressRouteGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enablePrivateLinkFastPath": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringId", + "containers": [ + "properties" + ], + "type": "object" + }, + "expressRouteGatewayBypass": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "routingWeight": { + "containers": [ + "properties" + ], + "type": "integer" + } + }, + "required": [ + "expressRouteCircuitPeering", + "name" + ] + }, + "location": "body", + "name": "putExpressRouteConnectionParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ] + }, + "enablePrivateLinkFastPath": { + "containers": [ + "properties" + ] + }, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse", + "containers": [ + "properties" + ] + }, + "expressRouteGatewayBypass": { + "containers": [ + "properties" + ] + }, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "containers": [ + "properties" + ] + }, + "routingWeight": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteCrossConnectionPeering": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "crossConnectionName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "gatewayManagerEtag": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig", + "containers": [ + "properties" + ], + "type": "object" + }, + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", + "containers": [ + "properties" + ], + "type": "object" + }, + "name": { + "type": "string" + }, + "peerASN": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 1, + "type": "number" + }, + "peeringType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "primaryPeerAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "secondaryPeerAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sharedKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "state": { + "containers": [ + "properties" + ], + "type": "string" + }, + "vlanId": { + "containers": [ + "properties" + ], + "type": "integer" + } + } + }, + "location": "body", + "name": "peeringParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "azureASN": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "gatewayManagerEtag": { + "containers": [ + "properties" + ] + }, + "id": {}, + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "containers": [ + "properties" + ] + }, + "lastModifiedBy": { + "containers": [ + "properties" + ] + }, + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", + "containers": [ + "properties" + ] + }, + "name": {}, + "peerASN": { + "containers": [ + "properties" + ] + }, + "peeringType": { + "containers": [ + "properties" + ] + }, + "primaryAzurePort": { + "containers": [ + "properties" + ] + }, + "primaryPeerAddressPrefix": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "secondaryAzurePort": { + "containers": [ + "properties" + ] + }, + "secondaryPeerAddressPrefix": { + "containers": [ + "properties" + ] + }, + "sharedKey": { + "containers": [ + "properties" + ] + }, + "state": { + "containers": [ + "properties" + ] + }, + "vlanId": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteGateway": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "expressRouteGatewayName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "allowNonVirtualWanTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "autoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesAutoScaleConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "expressRouteConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnection", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubId", + "containers": [ + "properties" + ], + "type": "object" + } + }, + "required": [ + "virtualHub" + ] + }, + "location": "body", + "name": "putExpressRouteGatewayParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allowNonVirtualWanTraffic": { + "containers": [ + "properties" + ] + }, + "autoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRouteConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionResponse", + "type": "object" + } + }, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubIdResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:ExpressRoutePort": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "expressRoutePortName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "bandwidthInGbps": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "billingType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "encapsulation": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", + "type": "object" + }, + "links": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLink", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "peeringLocation": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allocationDate": { + "containers": [ + "properties" + ] + }, + "bandwidthInGbps": { + "containers": [ + "properties" + ] + }, + "billingType": { + "containers": [ + "properties" + ] + }, + "circuits": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "encapsulation": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "etherType": { + "containers": [ + "properties" + ] + }, + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "links": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkResponse", + "type": "object" + } + }, + "location": {}, + "mtu": { + "containers": [ + "properties" + ] + }, + "name": {}, + "peeringLocation": { + "containers": [ + "properties" + ] + }, + "provisionedBandwidthInGbps": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ExpressRoutePortAuthorization": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "expressRoutePortName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "authorizationName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + } + } + }, + "location": "body", + "name": "authorizationParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "authorizationUseStatus": { + "containers": [ + "properties" + ] + }, + "circuitResourceUri": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicy": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "firewallPolicyName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "basePolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DnsSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "explicitProxy": { + "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxy", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", + "type": "object" + }, + "insights": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsights", + "containers": [ + "properties" + ], + "type": "object" + }, + "intrusionDetection": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetection", + "containers": [ + "properties" + ], + "type": "object" + }, + "location": { + "type": "string" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySku", + "containers": [ + "properties" + ], + "type": "object" + }, + "snat": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNAT", + "containers": [ + "properties" + ], + "type": "object" + }, + "sql": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQL", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "threatIntelMode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "threatIntelWhitelist": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelist", + "containers": [ + "properties" + ], + "type": "object" + }, + "transportSecurity": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurity", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "basePolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "childPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DnsSettingsResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "explicitProxy": { + "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxyResponse", + "containers": [ + "properties" + ] + }, + "firewalls": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "insights": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsightsResponse", + "containers": [ + "properties" + ] + }, + "intrusionDetection": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "ruleCollectionGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySkuResponse", + "containers": [ + "properties" + ] + }, + "snat": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNATResponse", + "containers": [ + "properties" + ] + }, + "sql": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQLResponse", + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "threatIntelMode": { + "containers": [ + "properties" + ] + }, + "threatIntelWhitelist": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelistResponse", + "containers": [ + "properties" + ] + }, + "transportSecurity": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurityResponse", + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicyRuleCollectionGroup": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "firewallPolicyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleCollectionGroupName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "priority": { + "containers": [ + "properties" + ], + "maximum": 65000, + "minimum": 100, + "type": "integer" + }, + "ruleCollections": { + "containers": [ + "properties" + ], + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollection", + "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollection" + ] + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "priority": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "ruleCollections": { + "containers": [ + "properties" + ], + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse", + "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse" + ] + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:FlowLog": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "flowLogName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "enabled": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "flowAnalyticsConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "format": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParameters", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "retentionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParameters", + "containers": [ + "properties" + ], + "type": "object" + }, + "storageId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "targetResourceId": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "storageId", + "targetResourceId" + ] + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "enabled": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "flowAnalyticsConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse", + "containers": [ + "properties" + ] + }, + "format": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParametersResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "retentionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParametersResponse", + "containers": [ + "properties" + ] + }, + "storageId": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "targetResourceGuid": { + "containers": [ + "properties" + ] + }, + "targetResourceId": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:HubRouteTable": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "labels": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubRoute", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "routeTableParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "associatedConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "labels": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "name": {}, + "propagatingConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubRouteResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:HubVirtualNetworkConnection": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "allowHubToRemoteVnetTransit": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "allowRemoteVnetToUseHubVnetGateways": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "hubVirtualNetworkConnectionParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allowHubToRemoteVnetTransit": { + "containers": [ + "properties" + ] + }, + "allowRemoteVnetToUseHubVnetGateways": { + "containers": [ + "properties" + ] + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:InboundNatRule": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "loadBalancerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "inboundNatRuleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "backendPort": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "enableFloatingIP": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableTcpReset": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "frontendPort": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "frontendPortRangeEnd": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "frontendPortRangeStart": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "name": { + "type": "string" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "inboundNatRuleParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "backendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "backendPort": { + "containers": [ + "properties" + ] + }, + "enableFloatingIP": { + "containers": [ + "properties" + ] + }, + "enableTcpReset": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "frontendPort": { + "containers": [ + "properties" + ] + }, + "frontendPortRangeEnd": { + "containers": [ + "properties" + ] + }, + "frontendPortRangeStart": { + "containers": [ + "properties" + ] + }, + "id": {}, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ] + }, + "name": {}, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:IpAllocation": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ipAllocationName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "allocationTags": { + "additionalProperties": { + "type": "string" + }, + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "ipamAllocationId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "location": { + "type": "string" + }, + "prefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "prefixLength": { + "containers": [ + "properties" + ], + "default": 0, + "type": "integer" + }, + "prefixType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "type": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allocationTags": { + "additionalProperties": { + "type": "string" + }, + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "ipamAllocationId": { + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "prefix": { + "containers": [ + "properties" + ] + }, + "prefixLength": { + "containers": [ + "properties" + ], + "default": 0 + }, + "prefixType": { + "containers": [ + "properties" + ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:IpGroup": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ipGroupsName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "ipAddresses": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "firewallPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "firewalls": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "id": {}, + "ipAddresses": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:LoadBalancer": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "loadBalancerName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "backendAddressPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPool", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "frontendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "inboundNatPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPool", + "type": "object" + }, + "type": "array" + }, + "inboundNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRule", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "loadBalancingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRule", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "outboundRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:OutboundRule", + "type": "object" + }, + "type": "array" + }, + "probes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Probe", + "type": "object" + }, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSku", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "backendAddressPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPoolResponse", + "type": "object" + } + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "frontendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "type": "object" + } + }, + "id": {}, + "inboundNatPools": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPoolResponse", + "type": "object" + } + }, + "inboundNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRuleResponse", + "type": "object" + } + }, + "loadBalancingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRuleResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "outboundRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:OutboundRuleResponse", + "type": "object" + } + }, + "probes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ProbeResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:LoadBalancerBackendAddressPool": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "loadBalancerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "backendAddressPoolName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "drainPeriodInSeconds": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "id": { + "type": "string" + }, + "loadBalancerBackendAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddress", + "type": "object" + }, + "type": "array" + }, + "location": { + "containers": [ + "properties" + ], + "type": "string" + }, + "name": { + "type": "string" + }, + "tunnelInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterface", + "type": "object" + }, + "type": "array" + }, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "autoLocationDisabled": true, + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "backendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "type": "object" + } + }, + "drainPeriodInSeconds": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "inboundNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "loadBalancerBackendAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse", + "type": "object" + } + }, + "loadBalancingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "location": { + "containers": [ + "properties" + ] + }, + "name": {}, + "outboundRule": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "outboundRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tunnelInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse", + "type": "object" + } + }, + "type": {}, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:LocalNetworkGateway": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "localNetworkGatewayName", + "required": true, + "value": { + "autoname": "random", + "minLength": 1, + "type": "string" + } + }, + { + "body": { + "properties": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "fqdn": { + "containers": [ + "properties" + ], + "type": "string" + }, + "gatewayIpAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "localNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", + "putAsyncStyle": "azure-async-operation", + "requiredContainers": [ + [ + "properties" + ] + ], + "response": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "fqdn": { + "containers": [ + "properties" + ] + }, + "gatewayIpAddress": { + "containers": [ + "properties" + ] + }, + "id": {}, + "localNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ManagementGroupNetworkManagerConnection": { + "PUT": [ + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "networkManagerId": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "managementGroupId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerConnectionName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "path": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "networkManagerId": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:NatGateway": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "natGatewayName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "location": { + "type": "string" + }, + "publicIpAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "publicIpPrefixes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySku", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIpAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "publicIpPrefixes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySkuResponse" + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:NatRule": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "natRuleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "ipConfigurationId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "mode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "name": { + "type": "string" + }, + "type": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "NatRuleParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "egressVpnSiteLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "etag": {}, + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, + "id": {}, + "ingressVpnSiteLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, + "ipConfigurationId": { + "containers": [ + "properties" + ] + }, + "mode": { + "containers": [ + "properties" + ] + }, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:NetworkGroup": { + "PUT": [ + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkGroupName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:NetworkInterface": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkInterfaceName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "auxiliaryMode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "auxiliarySku": { + "containers": [ + "properties" + ], + "type": "string" + }, + "disableTcpStateTracking": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "enableAcceleratedNetworking": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableIPForwarding": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "migrationPhase": { + "containers": [ + "properties" + ], + "type": "string" + }, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroup", + "containers": [ + "properties" + ], + "type": "object" + }, + "nicType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "privateLinkService": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkService", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "workloadType": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "auxiliaryMode": { + "containers": [ + "properties" + ] + }, + "auxiliarySku": { + "containers": [ + "properties" + ] + }, + "disableTcpStateTracking": { + "containers": [ + "properties" + ] + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse", + "containers": [ + "properties" + ] + }, + "dscpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "enableAcceleratedNetworking": { + "containers": [ + "properties" + ] + }, + "enableIPForwarding": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "hostedWorkloads": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "type": "object" + } + }, + "location": {}, + "macAddress": { + "containers": [ + "properties" + ] + }, + "migrationPhase": { + "containers": [ + "properties" + ] + }, + "name": {}, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", + "containers": [ + "properties" + ] + }, + "nicType": { + "containers": [ + "properties" + ] + }, + "primary": { + "containers": [ + "properties" + ] + }, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "containers": [ + "properties" + ] + }, + "privateLinkService": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "tapConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", + "type": "object" + } + }, + "type": {}, + "virtualMachine": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "vnetEncryptionSupported": { + "containers": [ + "properties" + ] + }, + "workloadType": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:NetworkInterfaceTapConfiguration": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkInterfaceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "tapConfigurationName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "virtualNetworkTap": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTap", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "tapConfigurationParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {}, + "virtualNetworkTap": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:NetworkManager": { + "PUT": [ + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "networkManagerScopeAccesses": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "networkManagerScopes": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesNetworkManagerScopes", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + }, + "required": [ + "networkManagerScopeAccesses", + "networkManagerScopes" + ] + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "networkManagerScopeAccesses": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "networkManagerScopes": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesResponseNetworkManagerScopes", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:NetworkProfile": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkProfileName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "containerNetworkInterfaceConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfiguration", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", + "response": { + "containerNetworkInterfaceConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse", + "type": "object" + } + }, + "containerNetworkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceResponse", + "type": "object" + } + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:NetworkSecurityGroup": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkSecurityGroupName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "flushConnection": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "securityRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRule", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "defaultSecurityRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", + "type": "object" + } + }, + "etag": {}, + "flowLogs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", + "type": "object" + } + }, + "flushConnection": { + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "networkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "securityRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", + "type": "object" + } + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:NetworkVirtualAppliance": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkVirtualApplianceName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "additionalNics": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicProperties", + "type": "object" + }, + "type": "array" + }, + "bootStrapConfigurationBlobs": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "cloudInitConfiguration": { + "containers": [ + "properties" + ], + "type": "string" + }, + "cloudInitConfigurationBlobs": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "delegation": { + "$ref": "#/types/azure-native_network_v20230201:network:DelegationProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", + "type": "object" + }, + "location": { + "type": "string" + }, + "nvaSku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "sshPublicKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualApplianceAsn": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "additionalNics": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicPropertiesResponse", + "type": "object" + } + }, + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "bootStrapConfigurationBlobs": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "cloudInitConfiguration": { + "containers": [ + "properties" + ] + }, + "cloudInitConfigurationBlobs": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "delegation": { + "$ref": "#/types/azure-native_network_v20230201:network:DelegationPropertiesResponse", + "containers": [ + "properties" + ] + }, + "deploymentType": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "inboundSecurityRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "nvaSku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuPropertiesResponse", + "containers": [ + "properties" + ] + }, + "partnerManagedResource": { + "$ref": "#/types/azure-native_network_v20230201:network:PartnerManagedResourcePropertiesResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "sshPublicKey": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualApplianceAsn": { + "containers": [ + "properties" + ] + }, + "virtualApplianceConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "virtualApplianceNics": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceNicPropertiesResponse", + "type": "object" + } + }, + "virtualApplianceSites": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:NetworkVirtualApplianceConnection": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkVirtualApplianceName", + "required": true, + "value": { + "pattern": "^[A-Za-z0-9_]+", + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "pattern": "^[A-Za-z0-9_]+", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionProperties", + "type": "object" + } + } + }, + "location": "body", + "name": "NetworkVirtualApplianceConnectionParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "id": {}, + "name": {}, + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionPropertiesResponse" + } + } + }, + "azure-native_network_v20230201:network:NetworkWatcher": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:P2sVpnGateway": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "customDnsServers": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "isRoutingPreferenceInternet": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "location": { + "type": "string" + }, + "p2SConnectionConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfiguration", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "vpnGatewayScaleUnit": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "vpnServerConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + }, + "required": [ + "location" + ] + }, + "location": "body", + "name": "p2SVpnGatewayParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "customDnsServers": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "isRoutingPreferenceInternet": { + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "p2SConnectionConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "vpnClientConnectionHealth": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", + "containers": [ + "properties" + ] + }, + "vpnGatewayScaleUnit": { + "containers": [ + "properties" + ] + }, + "vpnServerConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:PacketCapture": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkWatcherName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "packetCaptureName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "bytesToCapturePerPacket": { + "containers": [ + "properties" + ], + "default": 0, + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "filters": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilter", + "type": "object" + }, + "type": "array" + }, + "scope": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScope", + "containers": [ + "properties" + ], + "type": "object" + }, + "storageLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocation", + "containers": [ + "properties" + ], + "type": "object" + }, + "target": { + "containers": [ + "properties" + ], + "type": "string" + }, + "targetType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "timeLimitInSeconds": { + "containers": [ + "properties" + ], + "default": 18000, + "maximum": 18000, + "minimum": 0, + "type": "integer" + }, + "totalBytesPerSession": { + "containers": [ + "properties" + ], + "default": 1073741824, + "maximum": 4294967295, + "minimum": 0, + "type": "number" + } + }, + "required": [ + "storageLocation", + "target" + ] + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", + "putAsyncStyle": "azure-async-operation", + "requiredContainers": [ + [ + "properties" + ] + ], + "response": { + "bytesToCapturePerPacket": { + "containers": [ + "properties" + ], + "default": 0 + }, + "etag": {}, + "filters": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilterResponse", + "type": "object" + } + }, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "scope": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScopeResponse", + "containers": [ + "properties" + ] + }, + "storageLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocationResponse", + "containers": [ + "properties" + ] + }, + "target": { + "containers": [ + "properties" + ] + }, + "targetType": { + "containers": [ + "properties" + ] + }, + "timeLimitInSeconds": { + "containers": [ + "properties" + ], + "default": 18000 + }, + "totalBytesPerSession": { + "containers": [ + "properties" + ], + "default": 1073741824 + } + } + }, + "azure-native_network_v20230201:network:PrivateDnsZoneGroup": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "privateEndpointName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "privateDnsZoneGroupName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "privateDnsZoneConfigs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfig", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "privateDnsZoneConfigs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfigResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:PrivateEndpoint": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "privateEndpointName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "applicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" + }, + "type": "array" + }, + "customDnsConfigs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormat", + "type": "object" + }, + "type": "array" + }, + "customNetworkInterfaceName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "manualPrivateLinkServiceConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnection", + "type": "object" + }, + "type": "array" + }, + "privateLinkServiceConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnection", + "type": "object" + }, + "type": "array" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", + "containers": [ + "properties" + ], + "forceNew": true, + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "applicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + } + }, + "customDnsConfigs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse", + "type": "object" + } + }, + "customNetworkInterfaceName": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse", + "type": "object" + } + }, + "location": {}, + "manualPrivateLinkServiceConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", + "type": "object" + } + }, + "name": {}, + "networkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } + }, + "privateLinkServiceConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:PrivateLinkService": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "serviceName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "autoApproval": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesAutoApproval", + "containers": [ + "properties" + ], + "type": "object" + }, + "enableProxyProtocol": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "fqdns": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfiguration", + "type": "object" + }, + "type": "array" + }, + "loadBalancerFrontendIpConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "visibility": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesVisibility", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "alias": { + "containers": [ + "properties" + ] + }, + "autoApproval": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval", + "containers": [ + "properties" + ] + }, + "enableProxyProtocol": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "fqdns": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse", + "type": "object" + } + }, + "loadBalancerFrontendIpConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "networkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } + }, + "privateEndpointConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointConnectionResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "visibility": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:PrivateLinkServicePrivateEndpointConnection": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "serviceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peConnectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionState", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", + "response": { + "etag": {}, + "id": {}, + "linkIdentifier": { + "containers": [ + "properties" + ] + }, + "name": {}, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "containers": [ + "properties" + ] + }, + "privateEndpointLocation": { + "containers": [ + "properties" + ] + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:PublicIPAddress": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "publicIpAddressName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "ddosSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "deleteOption": { + "containers": [ + "properties" + ], + "type": "string" + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "ipAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "ipTags": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpTag", + "type": "object" + }, + "type": "array" + }, + "linkedPublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", + "containers": [ + "properties" + ], + "type": "object" + }, + "location": { + "forceNew": true, + "type": "string" + }, + "migrationPhase": { + "containers": [ + "properties" + ], + "type": "string" + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGateway", + "containers": [ + "properties" + ], + "type": "object" + }, + "publicIPAddressVersion": { + "containers": [ + "properties" + ], + "forceNew": true, + "type": "string" + }, + "publicIPAllocationMethod": { + "containers": [ + "properties" + ], + "type": "string" + }, + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "forceNew": true, + "type": "object" + }, + "servicePublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", + "containers": [ + "properties" + ], + "type": "object" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSku", + "forceNew": true, + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "ddosSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettingsResponse", + "containers": [ + "properties" + ] + }, + "deleteOption": { + "containers": [ + "properties" + ] + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "id": {}, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ] + }, + "ipAddress": { + "containers": [ + "properties" + ] + }, + "ipConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "ipTags": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", + "type": "object" + } + }, + "linkedPublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "migrationPhase": { + "containers": [ + "properties" + ] + }, + "name": {}, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIPAddressVersion": { + "containers": [ + "properties" + ] + }, + "publicIPAllocationMethod": { + "containers": [ + "properties" + ] + }, + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "servicePublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:PublicIPPrefix": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "publicIpPrefixName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "customIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "id": { + "type": "string" + }, + "ipTags": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpTag", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGateway", + "containers": [ + "properties" + ], + "type": "object" + }, + "prefixLength": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "publicIPAddressVersion": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSku", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", + "putAsyncStyle": "location", + "response": { + "customIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "id": {}, + "ipPrefix": { + "containers": [ + "properties" + ] + }, + "ipTags": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", + "type": "object" + } + }, + "loadBalancerFrontendIpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", + "containers": [ + "properties" + ] + }, + "prefixLength": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIPAddressVersion": { + "containers": [ + "properties" + ] + }, + "publicIPAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ReferencedPublicIpAddressResponse", + "type": "object" + } + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:Route": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "hasBgpOverride": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "nextHopIpAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "nextHopType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "type": { + "type": "string" + } + }, + "required": [ + "nextHopType" + ] + }, + "location": "body", + "name": "routeParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "hasBgpOverride": { + "containers": [ + "properties" + ] + }, + "id": {}, + "name": {}, + "nextHopIpAddress": { + "containers": [ + "properties" + ] + }, + "nextHopType": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:RouteFilter": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeFilterName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "rules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRule", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + }, + "required": [ + "location" + ] + }, + "location": "body", + "name": "routeFilterParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "ipv6Peerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "peerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "rules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRuleResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:RouteFilterRule": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeFilterName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ruleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "access": { + "containers": [ + "properties" + ], + "type": "string" + }, + "communities": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "name": { + "type": "string" + }, + "routeFilterRuleType": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "access", + "communities", + "routeFilterRuleType" + ] + }, + "location": "body", + "name": "routeFilterRuleParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "access": { + "containers": [ + "properties" + ] + }, + "communities": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routeFilterRuleType": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:RouteMap": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeMapName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "associatedInboundConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "associatedOutboundConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "rules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRule", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "routeMapParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "associatedInboundConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "associatedOutboundConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "rules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRuleResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:RouteTable": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "disableBgpRoutePropagation": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Route", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "disableBgpRoutePropagation": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteResponse", + "type": "object" + } + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:RoutingIntent": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routingIntentName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "routingPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicy", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "routingIntentParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routingPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicyResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ScopeConnection": { + "PUT": [ + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "resourceId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tenantId": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "scopeConnectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "resourceId": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "tenantId": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:SecurityAdminConfiguration": { + "PUT": [ + { + "body": { + "properties": { + "applyOnNetworkIntentPolicyBasedServices": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "description": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "securityAdminConfiguration", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "configurationName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", + "response": { + "applyOnNetworkIntentPolicyBasedServices": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:SecurityPartnerProvider": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "securityPartnerProviderName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "securityProviderName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "connectionStatus": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "securityProviderName": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:SecurityRule": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkSecurityGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "securityRuleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "access": { + "containers": [ + "properties" + ], + "type": "string" + }, + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "destinationAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "destinationAddressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationApplicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" + }, + "type": "array" + }, + "destinationPortRange": { + "containers": [ + "properties" + ], + "type": "string" + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "direction": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "priority": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sourceAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sourceAddressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceApplicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" + }, + "type": "array" + }, + "sourcePortRange": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "type": { + "type": "string" + } + }, + "required": [ + "access", + "direction", + "priority", + "protocol" + ] + }, + "location": "body", + "name": "securityRuleParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "access": { + "containers": [ + "properties" + ] + }, + "description": { + "containers": [ + "properties" + ] + }, + "destinationAddressPrefix": { + "containers": [ + "properties" + ] + }, + "destinationAddressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "destinationApplicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + } + }, + "destinationPortRange": { + "containers": [ + "properties" + ] + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "direction": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "priority": { + "containers": [ + "properties" + ] + }, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "sourceAddressPrefix": { + "containers": [ + "properties" + ] + }, + "sourceAddressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "sourceApplicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + } + }, + "sourcePortRange": { + "containers": [ + "properties" + ] + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ServiceEndpointPolicy": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "serviceEndpointPolicyName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "contextualServiceEndpointPolicies": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "serviceAlias": { + "containers": [ + "properties" + ], + "type": "string" + }, + "serviceEndpointPolicyDefinitions": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "contextualServiceEndpointPolicies": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "kind": {}, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "serviceAlias": { + "containers": [ + "properties" + ] + }, + "serviceEndpointPolicyDefinitions": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse", + "type": "object" + } + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "serviceEndpointPolicyName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "serviceEndpointPolicyDefinitionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "service": { + "containers": [ + "properties" + ], + "type": "string" + }, + "serviceResources": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "type": { + "type": "string" + } + } + }, + "location": "body", + "name": "ServiceEndpointPolicyDefinitions", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "service": { + "containers": [ + "properties" + ] + }, + "serviceResources": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:StaticMember": { + "PUT": [ + { + "body": { + "properties": { + "resourceId": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "staticMemberName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "region": { + "containers": [ + "properties" + ] + }, + "resourceId": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:Subnet": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subnetName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "addressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "applicationGatewayIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "delegations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Delegation", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroup", + "containers": [ + "properties" + ], + "type": "object" + }, + "privateEndpointNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Disabled", + "type": "string" + }, + "privateLinkServiceNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Enabled", + "type": "string" + }, + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteTable", + "containers": [ + "properties" + ], + "type": "object" + }, + "serviceEndpointPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicy", + "type": "object" + }, + "type": "array" + }, + "serviceEndpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormat", + "type": "object" + }, + "type": "array" + }, + "type": { + "type": "string" + } + } + }, + "location": "body", + "name": "subnetParameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "addressPrefixes": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "applicationGatewayIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", + "type": "object" + } + }, + "delegations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:DelegationResponse", + "type": "object" + } + }, + "etag": {}, + "id": {}, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "ipConfigurationProfiles": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", + "type": "object" + } + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", + "type": "object" + } + }, + "name": {}, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", + "containers": [ + "properties" + ] + }, + "privateEndpointNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Disabled" + }, + "privateEndpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "type": "object" + } + }, + "privateLinkServiceNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Enabled" + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "purpose": { + "containers": [ + "properties" + ] + }, + "resourceNavigationLinks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ResourceNavigationLinkResponse", + "type": "object" + } + }, + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteTableResponse", + "containers": [ + "properties" + ] + }, + "serviceAssociationLinks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceAssociationLinkResponse", + "type": "object" + } + }, + "serviceEndpointPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyResponse", + "type": "object" + } + }, + "serviceEndpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:SubscriptionNetworkManagerConnection": { + "PUT": [ + { + "body": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "networkManagerId": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkManagerConnectionName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "path": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", + "response": { + "description": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "networkManagerId": { + "containers": [ + "properties" + ] + }, + "systemData": { + "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualApplianceSite": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "networkVirtualApplianceName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "siteName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyProperties", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyPropertiesResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualHub": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "allowBranchToBranchTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "azureFirewall": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "expressRouteGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "hubRoutingPreference": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "p2SVpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "preferredRoutingGateway": { + "containers": [ + "properties" + ], + "type": "string" + }, + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTable", + "containers": [ + "properties" + ], + "type": "object" + }, + "securityPartnerProvider": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "securityProviderName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sku": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualHubRouteTableV2s": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "virtualRouterAsn": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "virtualRouterAutoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "virtualRouterIps": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "vpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + }, + "required": [ + "location" + ] + }, + "location": "body", + "name": "virtualHubParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressPrefix": { + "containers": [ + "properties" + ] + }, + "allowBranchToBranchTraffic": { + "containers": [ + "properties" + ] + }, + "azureFirewall": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "bgpConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "etag": {}, + "expressRouteGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "hubRoutingPreference": { + "containers": [ + "properties" + ] + }, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "kind": {}, + "location": {}, + "name": {}, + "p2SVpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "preferredRoutingGateway": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routeMaps": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableResponse", + "containers": [ + "properties" + ] + }, + "routingState": { + "containers": [ + "properties" + ] + }, + "securityPartnerProvider": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "securityProviderName": { + "containers": [ + "properties" + ] + }, + "sku": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHubRouteTableV2s": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2Response", + "type": "object" + } + }, + "virtualRouterAsn": { + "containers": [ + "properties" + ] + }, + "virtualRouterAutoScaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfigurationResponse", + "containers": [ + "properties" + ] + }, + "virtualRouterIps": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "vpnGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:VirtualHubBgpConnection": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "hubVirtualNetworkConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "peerAsn": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "peerIp": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "connectionState": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "hubVirtualNetworkConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "name": {}, + "peerAsn": { + "containers": [ + "properties" + ] + }, + "peerIp": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualHubIpConfiguration": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "ipConfigName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "privateIPAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "privateIPAllocationMethod": { + "containers": [ + "properties" + ], + "type": "string" + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", + "containers": [ + "properties" + ], + "type": "object" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "privateIPAddress": { + "containers": [ + "properties" + ] + }, + "privateIPAllocationMethod": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "containers": [ + "properties" + ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualHubRouteTableV2": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualHubName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "routeTableName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "attachedConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "virtualHubRouteTableV2Parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "attachedConnections": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2Response", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:VirtualNetwork": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "bgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunities", + "containers": [ + "properties" + ], + "type": "object" + }, + "ddosProtectionPlan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "dhcpOptions": { + "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptions", + "containers": [ + "properties" + ], + "type": "object" + }, + "enableDdosProtection": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "enableVmProtection": { + "containers": [ + "properties" + ], + "default": false, + "type": "boolean" + }, + "encryption": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryption", + "containers": [ + "properties" + ], + "type": "object" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "flowTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "id": { + "type": "string" + }, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "location": { + "forceNew": true, + "type": "string" + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualNetworkPeerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeering", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "bgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", + "containers": [ + "properties" + ] + }, + "ddosProtectionPlan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "dhcpOptions": { + "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptionsResponse", + "containers": [ + "properties" + ] + }, + "enableDdosProtection": { + "containers": [ + "properties" + ], + "default": false + }, + "enableVmProtection": { + "containers": [ + "properties" + ], + "default": false + }, + "encryption": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "flowLogs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", + "type": "object" + } + }, + "flowTimeoutInMinutes": { + "containers": [ + "properties" + ] + }, + "id": {}, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "subnets": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualNetworkPeerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGateway": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "activeActive": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "adminState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "allowRemoteVnetTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "allowVirtualWanTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "customRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "disableIPSecReplayProtection": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableBgp": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableBgpRouteTranslationForNat": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableDnsForwarding": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enablePrivateIpAddress": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "gatewayDefaultSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "gatewayType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfiguration", + "type": "object" + }, + "type": "array" + }, + "location": { + "type": "string" + }, + "natRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySku", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "vNetExtendedLocationResourceId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "virtualNetworkGatewayPolicyGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroup", + "type": "object" + }, + "type": "array" + }, + "vpnClientConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "vpnGatewayGeneration": { + "containers": [ + "properties" + ], + "type": "string" + }, + "vpnType": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", + "putAsyncStyle": "azure-async-operation", + "requiredContainers": [ + [ + "properties" + ] + ], + "response": { + "activeActive": { + "containers": [ + "properties" + ] + }, + "adminState": { + "containers": [ + "properties" + ] + }, + "allowRemoteVnetTraffic": { + "containers": [ + "properties" + ] + }, + "allowVirtualWanTraffic": { + "containers": [ + "properties" + ] + }, + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "containers": [ + "properties" + ] + }, + "customRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "disableIPSecReplayProtection": { + "containers": [ + "properties" + ] + }, + "enableBgp": { + "containers": [ + "properties" + ] + }, + "enableBgpRouteTranslationForNat": { + "containers": [ + "properties" + ] + }, + "enableDnsForwarding": { + "containers": [ + "properties" + ] + }, + "enablePrivateIpAddress": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "gatewayDefaultSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "gatewayType": { + "containers": [ + "properties" + ] + }, + "id": {}, + "inboundDnsForwardingEndpoint": { + "containers": [ + "properties" + ] + }, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse", + "type": "object" + } + }, + "location": {}, + "name": {}, + "natRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse", + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "vNetExtendedLocationResourceId": { + "containers": [ + "properties" + ] + }, + "virtualNetworkGatewayPolicyGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse", + "type": "object" + } + }, + "vpnClientConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfigurationResponse", + "containers": [ + "properties" + ] + }, + "vpnGatewayGeneration": { + "containers": [ + "properties" + ] + }, + "vpnType": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayConnection": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayConnectionName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "connectionMode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "connectionProtocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "connectionType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "egressNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "enableBgp": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enablePrivateLinkFastPath": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "expressRouteGatewayBypass": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "gatewayCustomBgpIpAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfiguration", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "ingressNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "ipsecPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", + "type": "object" + }, + "type": "array" + }, + "localNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGateway", + "containers": [ + "properties" + ], + "type": "object" + }, + "location": { + "type": "string" + }, + "peer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "routingWeight": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "sharedKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "trafficSelectorPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicy", + "type": "object" + }, + "type": "array" + }, + "useLocalAzureIpAddress": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "virtualNetworkGateway1": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGateway", + "containers": [ + "properties" + ], + "type": "object" + }, + "virtualNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGateway", + "containers": [ + "properties" + ], + "type": "object" + } + }, + "required": [ + "connectionType", + "virtualNetworkGateway1" + ] + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", + "putAsyncStyle": "azure-async-operation", + "requiredContainers": [ + [ + "properties" + ] + ], + "response": { + "authorizationKey": { + "containers": [ + "properties" + ] + }, + "connectionMode": { + "containers": [ + "properties" + ] + }, + "connectionProtocol": { + "containers": [ + "properties" + ] + }, + "connectionStatus": { + "containers": [ + "properties" + ] + }, + "connectionType": { + "containers": [ + "properties" + ] + }, + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ] + }, + "egressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "egressNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "enableBgp": { + "containers": [ + "properties" + ] + }, + "enablePrivateLinkFastPath": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRouteGatewayBypass": { + "containers": [ + "properties" + ] + }, + "gatewayCustomBgpIpAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse", + "type": "object" + } + }, + "id": {}, + "ingressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "ingressNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "ipsecPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + } + }, + "localNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGatewayResponse", + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "peer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "routingWeight": { + "containers": [ + "properties" + ] + }, + "sharedKey": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "trafficSelectorPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", + "type": "object" + } + }, + "tunnelConnectionStatus": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TunnelConnectionHealthResponse", + "type": "object" + } + }, + "type": {}, + "useLocalAzureIpAddress": { + "containers": [ + "properties" + ] + }, + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ] + }, + "virtualNetworkGateway1": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", + "containers": [ + "properties" + ] + }, + "virtualNetworkGateway2": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkGatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "natRuleName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "ipConfigurationId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "mode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "name": { + "type": "string" + }, + "type": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "NatRuleParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, + "id": {}, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, + "ipConfigurationId": { + "containers": [ + "properties" + ] + }, + "mode": { + "containers": [ + "properties" + ] + }, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualNetworkPeering": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualNetworkPeeringName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "allowForwardedTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "allowGatewayTransit": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "allowVirtualNetworkAccess": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "doNotVerifyRemoteGateways": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "peeringState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "peeringSyncLevel": { + "containers": [ + "properties" + ], + "type": "string" + }, + "remoteAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "remoteBgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunities", + "containers": [ + "properties" + ], + "type": "object" + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "remoteVirtualNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "type": { + "type": "string" + }, + "useRemoteGateways": { + "containers": [ + "properties" + ], + "type": "boolean" + } + } + }, + "location": "body", + "name": "VirtualNetworkPeeringParameters", + "required": true, + "value": {} + }, + { + "location": "query", + "name": "syncRemoteAddressSpace", + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allowForwardedTraffic": { + "containers": [ + "properties" + ] + }, + "allowGatewayTransit": { + "containers": [ + "properties" + ] + }, + "allowVirtualNetworkAccess": { + "containers": [ + "properties" + ] + }, + "doNotVerifyRemoteGateways": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "peeringState": { + "containers": [ + "properties" + ] + }, + "peeringSyncLevel": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "remoteAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "remoteBgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", + "containers": [ + "properties" + ] + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "remoteVirtualNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "remoteVirtualNetworkEncryption": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "type": {}, + "useRemoteGateways": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkTap": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "tapName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "destinationLoadBalancerFrontEndIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "destinationNetworkInterfaceIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "destinationPort": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "destinationLoadBalancerFrontEndIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "destinationNetworkInterfaceIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "destinationPort": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "networkInterfaceTapConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualRouter": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualRouterName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "hostedGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "hostedSubnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualRouterAsn": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "virtualRouterIps": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "hostedGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "hostedSubnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "location": {}, + "name": {}, + "peerings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualRouterAsn": { + "containers": [ + "properties" + ] + }, + "virtualRouterIps": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:VirtualRouterPeering": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "virtualRouterName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "peeringName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "peerAsn": { + "containers": [ + "properties" + ], + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "peerIp": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "name": {}, + "peerAsn": { + "containers": [ + "properties" + ] + }, + "peerIp": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualWan": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "VirtualWANName", + "required": true, + "value": { + "autoname": "random", + "sdkName": "virtualWANName", + "type": "string" + } + }, + { + "body": { + "properties": { + "allowBranchToBranchTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "allowVnetToVnetTraffic": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "disableVpnEncryption": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "type": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "location" + ] + }, + "location": "body", + "name": "WANParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "allowBranchToBranchTraffic": { + "containers": [ + "properties" + ] + }, + "allowVnetToVnetTraffic": { + "containers": [ + "properties" + ] + }, + "disableVpnEncryption": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "office365LocalBreakoutCategory": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHubs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "vpnSites": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:VpnConnection": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "connectionName", + "required": true, + "value": { + "autoname": "copy", + "type": "string" + } + }, + { + "body": { + "properties": { + "connectionBandwidth": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "enableBgp": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "enableRateLimiting": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "ipsecPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", + "type": "object" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "remoteVpnSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "routingWeight": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "sharedKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "trafficSelectorPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicy", + "type": "object" + }, + "type": "array" + }, + "useLocalAzureIpAddress": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "vpnConnectionProtocolType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "vpnLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnection", + "type": "object" + }, + "type": "array" + } + } + }, + "location": "body", + "name": "VpnConnectionParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "connectionBandwidth": { + "containers": [ + "properties" + ] + }, + "connectionStatus": { + "containers": [ + "properties" + ] + }, + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ] + }, + "egressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "enableBgp": { + "containers": [ + "properties" + ] + }, + "enableInternetSecurity": { + "containers": [ + "properties" + ] + }, + "enableRateLimiting": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "ingressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "ipsecPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + } + }, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "remoteVpnSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "containers": [ + "properties" + ] + }, + "routingWeight": { + "containers": [ + "properties" + ] + }, + "sharedKey": { + "containers": [ + "properties" + ] + }, + "trafficSelectorPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", + "type": "object" + } + }, + "useLocalAzureIpAddress": { + "containers": [ + "properties" + ] + }, + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ] + }, + "vpnConnectionProtocolType": { + "containers": [ + "properties" + ] + }, + "vpnLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:VpnGateway": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "gatewayName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "connections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnConnection", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "enableBgpRouteTranslationForNat": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "isRoutingPreferenceInternet": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "location": { + "type": "string" + }, + "natRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRule", + "type": "object" + }, + "maintainSubResourceIfUnset": true, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "vpnGatewayScaleUnit": { + "containers": [ + "properties" + ], + "type": "integer" + } + }, + "required": [ + "location" + ] + }, + "location": "body", + "name": "vpnGatewayParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "containers": [ + "properties" + ] + }, + "connections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnConnectionResponse", + "type": "object" + } + }, + "enableBgpRouteTranslationForNat": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayIpConfigurationResponse", + "type": "object" + } + }, + "isRoutingPreferenceInternet": { + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "natRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRuleResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "vpnGatewayScaleUnit": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:VpnServerConfiguration": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "vpnServerConfigurationName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "name": { + "type": "string" + }, + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationProperties", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "location": "body", + "name": "VpnServerConfigurationParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "properties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPropertiesResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:VpnSite": { + "PUT": [ + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "vpnSiteName", + "required": true, + "value": { + "autoname": "random", + "type": "string" + } + }, + { + "body": { + "properties": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "bgpProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "deviceProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:DeviceProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "ipAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "isSecuritySite": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "location": { + "type": "string" + }, + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyProperties", + "containers": [ + "properties" + ], + "type": "object" + }, + "siteKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "vpnSiteLinks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLink", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "location" + ] + }, + "location": "body", + "name": "VpnSiteParameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", + "putAsyncStyle": "azure-async-operation", + "response": { + "addressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "bgpProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "containers": [ + "properties" + ] + }, + "deviceProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:DevicePropertiesResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "ipAddress": { + "containers": [ + "properties" + ] + }, + "isSecuritySite": { + "containers": [ + "properties" + ] + }, + "location": {}, + "name": {}, + "o365Policy": { + "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyPropertiesResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "siteKey": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualWan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "vpnSiteLinks": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:WebApplicationFirewallPolicy": { + "PUT": [ + { + "location": "path", + "name": "resourceGroupName", + "required": true, + "value": { + "type": "string" + } + }, + { + "location": "path", + "name": "policyName", + "required": true, + "value": { + "autoname": "random", + "maxLength": 128, + "type": "string" + } + }, + { + "location": "path", + "name": "subscriptionId", + "required": true, + "value": { + "type": "string" + } + }, + { + "body": { + "properties": { + "customRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRule", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "managedRules": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinition", + "containers": [ + "properties" + ], + "type": "object" + }, + "policySettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + }, + "required": [ + "managedRules" + ] + }, + "location": "body", + "name": "parameters", + "required": true, + "value": {} + } + ], + "apiVersion": "2023-02-01", + "defaultBody": null, + "deleteAsyncStyle": "location", + "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", + "response": { + "applicationGateways": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayResponse", + "type": "object" + } + }, + "customRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRuleResponse", + "type": "object" + } + }, + "etag": {}, + "httpListeners": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "id": {}, + "location": {}, + "managedRules": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinitionResponse", + "containers": [ + "properties" + ] + }, + "name": {}, + "pathBasedRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "policySettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceState": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + } + }, + "types": { + "azure-native_network_v20230201:network:AadAuthenticationParameters": { + "properties": { + "aadAudience": { + "type": "string" + }, + "aadIssuer": { + "type": "string" + }, + "aadTenant": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:AadAuthenticationParametersResponse": { + "properties": { + "aadAudience": {}, + "aadIssuer": {}, + "aadTenant": {} + } + }, + "azure-native_network_v20230201:network:Action": { + "properties": { + "parameters": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Parameter", + "type": "object" + }, + "type": "array" + }, + "type": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ActionResponse": { + "properties": { + "parameters": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ParameterResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ActiveConnectivityConfigurationResponse": { + "properties": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", + "type": "object" + } + }, + "commitTime": {}, + "configurationGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", + "type": "object" + } + }, + "connectivityTopology": { + "containers": [ + "properties" + ] + }, + "deleteExistingPeering": { + "containers": [ + "properties" + ] + }, + "description": { + "containers": [ + "properties" + ] + }, + "hubs": { + "arrayIdentifiers": [ + "resourceId" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", + "type": "object" + } + }, + "id": {}, + "isGlobal": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "region": {}, + "resourceGuid": { + "containers": [ + "properties" + ] + } + }, + "required": [ + "appliesToGroups", + "connectivityTopology" + ] + }, + "azure-native_network_v20230201:network:ActiveDefaultSecurityAdminRuleResponse": { + "properties": { + "access": { + "containers": [ + "properties" + ] + }, + "commitTime": {}, + "configurationDescription": {}, + "description": { + "containers": [ + "properties" + ] + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + }, + "direction": { + "containers": [ + "properties" + ] + }, + "flag": { + "containers": [ + "properties" + ] + }, + "id": {}, + "kind": { + "const": "Default" + }, + "priority": { + "containers": [ + "properties" + ] + }, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "region": {}, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "ruleCollectionAppliesToGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "type": "object" + } + }, + "ruleCollectionDescription": {}, + "ruleGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", + "type": "object" + } + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + } + }, + "required": [ + "kind" + ] + }, + "azure-native_network_v20230201:network:ActiveSecurityAdminRuleResponse": { + "properties": { + "access": { + "containers": [ + "properties" + ] + }, + "commitTime": {}, + "configurationDescription": {}, + "description": { + "containers": [ + "properties" + ] + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + }, + "direction": { + "containers": [ + "properties" + ] + }, + "id": {}, + "kind": { + "const": "Custom" + }, + "priority": { + "containers": [ + "properties" + ] + }, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "region": {}, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "ruleCollectionAppliesToGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "type": "object" + } + }, + "ruleCollectionDescription": {}, + "ruleGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", + "type": "object" + } + }, + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } + } + }, + "required": [ + "access", + "direction", + "kind", + "priority", + "protocol" + ] + }, + "azure-native_network_v20230201:network:AddressPrefixItem": { + "properties": { + "addressPrefix": { + "type": "string" + }, + "addressPrefixType": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:AddressPrefixItemResponse": { + "properties": { + "addressPrefix": {}, + "addressPrefixType": {} + } + }, + "azure-native_network_v20230201:network:AddressSpace": { + "properties": { + "addressPrefixes": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:AddressSpaceResponse": { + "properties": { + "addressPrefixes": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificate": { + "properties": { + "data": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse": { + "properties": { + "data": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfiguration": { + "properties": { + "maxCapacity": { + "minimum": 2, + "type": "integer" + }, + "minCapacity": { + "minimum": 0, + "type": "integer" + } + }, + "required": [ + "minCapacity" + ] + }, + "azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse": { + "properties": { + "maxCapacity": {}, + "minCapacity": {} + }, + "required": [ + "minCapacity" + ] + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendAddress": { + "properties": { + "fqdn": { + "type": "string" + }, + "ipAddress": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPool": { + "properties": { + "backendAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddress", + "type": "object" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse": { + "properties": { + "backendAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressResponse", + "type": "object" + } + }, + "backendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "type": "object" + } + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendAddressResponse": { + "properties": { + "fqdn": {}, + "ipAddress": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendHealthHttpSettingsResponse": { + "properties": { + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse" + }, + "servers": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHealthServerResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendHealthServerResponse": { + "properties": { + "address": {}, + "health": {}, + "healthProbeLog": {}, + "ipConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettings": { + "properties": { + "affinityCookieName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "authenticationCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "connectionDraining": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayConnectionDraining", + "containers": [ + "properties" + ], + "type": "object" + }, + "cookieBasedAffinity": { + "containers": [ + "properties" + ], + "type": "string" + }, + "hostName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "path": { + "containers": [ + "properties" + ], + "type": "string" + }, + "pickHostNameFromBackendAddress": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "port": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "probeEnabled": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "requestTimeout": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "trustedRootCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse": { + "properties": { + "affinityCookieName": { + "containers": [ + "properties" + ] + }, + "authenticationCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "connectionDraining": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayConnectionDrainingResponse", + "containers": [ + "properties" + ] + }, + "cookieBasedAffinity": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "hostName": { + "containers": [ + "properties" + ] + }, + "id": {}, + "name": {}, + "path": { + "containers": [ + "properties" + ] + }, + "pickHostNameFromBackendAddress": { + "containers": [ + "properties" + ] + }, + "port": { + "containers": [ + "properties" + ] + }, + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "probeEnabled": { + "containers": [ + "properties" + ] + }, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "requestTimeout": { + "containers": [ + "properties" + ] + }, + "trustedRootCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendSettings": { + "properties": { + "hostName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "pickHostNameFromBackendAddress": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "port": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "timeout": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "trustedRootCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse": { + "properties": { + "etag": {}, + "hostName": { + "containers": [ + "properties" + ] + }, + "id": {}, + "name": {}, + "pickHostNameFromBackendAddress": { + "containers": [ + "properties" + ] + }, + "port": { + "containers": [ + "properties" + ] + }, + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "timeout": { + "containers": [ + "properties" + ] + }, + "trustedRootCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayClientAuthConfiguration": { + "properties": { + "verifyClientCertIssuerDN": { + "type": "boolean" + }, + "verifyClientRevocation": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayClientAuthConfigurationResponse": { + "properties": { + "verifyClientCertIssuerDN": {}, + "verifyClientRevocation": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayConnectionDraining": { + "properties": { + "drainTimeoutInSec": { + "maximum": 3600, + "minimum": 1, + "type": "integer" + }, + "enabled": { + "type": "boolean" + } + }, + "required": [ + "drainTimeoutInSec", + "enabled" + ] + }, + "azure-native_network_v20230201:network:ApplicationGatewayConnectionDrainingResponse": { + "properties": { + "drainTimeoutInSec": {}, + "enabled": {} + }, + "required": [ + "drainTimeoutInSec", + "enabled" + ] + }, + "azure-native_network_v20230201:network:ApplicationGatewayCustomError": { + "properties": { + "customErrorPageUrl": { + "type": "string" + }, + "statusCode": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse": { + "properties": { + "customErrorPageUrl": {}, + "statusCode": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayFirewallDisabledRuleGroup": { + "properties": { + "ruleGroupName": { + "type": "string" + }, + "rules": { + "items": { + "type": "integer" + }, + "type": "array" + } + }, + "required": [ + "ruleGroupName" + ] + }, + "azure-native_network_v20230201:network:ApplicationGatewayFirewallDisabledRuleGroupResponse": { + "properties": { + "ruleGroupName": {}, + "rules": { + "items": { + "type": "integer" + } + } + }, + "required": [ + "ruleGroupName" + ] + }, + "azure-native_network_v20230201:network:ApplicationGatewayFirewallExclusion": { + "properties": { + "matchVariable": { + "type": "string" + }, + "selector": { + "type": "string" + }, + "selectorMatchOperator": { + "type": "string" + } + }, + "required": [ + "matchVariable", + "selector", + "selectorMatchOperator" + ] + }, + "azure-native_network_v20230201:network:ApplicationGatewayFirewallExclusionResponse": { + "properties": { + "matchVariable": {}, + "selector": {}, + "selectorMatchOperator": {} + }, + "required": [ + "matchVariable", + "selector", + "selectorMatchOperator" + ] + }, + "azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfiguration": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "privateIPAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "privateIPAllocationMethod": { + "containers": [ + "properties" + ], + "type": "string" + }, + "privateLinkConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse": { + "properties": { + "etag": {}, + "id": {}, + "name": {}, + "privateIPAddress": { + "containers": [ + "properties" + ] + }, + "privateIPAllocationMethod": { + "containers": [ + "properties" + ] + }, + "privateLinkConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayFrontendPort": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "port": { + "containers": [ + "properties" + ], + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse": { + "properties": { + "etag": {}, + "id": {}, + "name": {}, + "port": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayGlobalConfiguration": { + "properties": { + "enableRequestBuffering": { + "type": "boolean" + }, + "enableResponseBuffering": { + "type": "boolean" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse": { + "properties": { + "enableRequestBuffering": {}, + "enableResponseBuffering": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayHeaderConfiguration": { + "properties": { + "headerName": { + "type": "string" + }, + "headerValue": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayHeaderConfigurationResponse": { + "properties": { + "headerName": {}, + "headerValue": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayHttpListener": { + "properties": { + "customErrorConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomError", + "type": "object" + }, + "type": "array" + }, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "frontendPort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "hostName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "hostNames": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "requireServerNameIndication": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "sslCertificate": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "sslProfile": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse": { + "properties": { + "customErrorConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", + "type": "object" + } + }, + "etag": {}, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "frontendPort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "hostName": { + "containers": [ + "properties" + ] + }, + "hostNames": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "id": {}, + "name": {}, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "requireServerNameIndication": { + "containers": [ + "properties" + ] + }, + "sslCertificate": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "sslProfile": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse": { + "properties": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayListener": { + "properties": { + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "frontendPort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "id": { + "type": "string" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "name": { + "type": "string" }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } + "protocol": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { - "type": "string" - } + "sslCertificate": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" }, - { - "location": "path", - "name": "ruleName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "sslProfile": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "response": { - "access": { + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayListenerResponse": { + "properties": { + "etag": {}, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "description": { + "frontendPort": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "destinationPortRanges": { + "id": {}, + "name": {}, + "protocol": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "sslCertificate": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "sslProfile": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicy": { + "properties": { + "id": { + "type": "string" + }, + "loadDistributionAlgorithm": { "containers": [ "properties" ], - "items": { - "type": "string" - } + "type": "string" }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" + "loadDistributionTargets": { + "containers": [ + "properties" ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionTarget", + "type": "object" + }, + "type": "array" + }, + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse": { + "properties": { + "etag": {}, + "id": {}, + "loadDistributionAlgorithm": { + "containers": [ + "properties" + ] + }, + "loadDistributionTargets": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionTargetResponse", "type": "object" } }, - "direction": { + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionTarget": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "weightPerServer": { + "containers": [ + "properties" + ], + "maximum": 100, + "minimum": 1, + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionTargetResponse": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, "etag": {}, "id": {}, - "kind": { - "const": "Custom" - }, "name": {}, - "priority": { + "type": {}, + "weightPerServer": { "containers": [ "properties" ] + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayPathRule": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" }, - "protocol": { + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "loadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "name": { + "type": "string" + }, + "paths": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + }, + "type": "array" + }, + "redirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "rewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayPathRuleResponse": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "provisioningState": { + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "resourceGuid": { + "etag": {}, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "sourcePortRanges": { + "id": {}, + "loadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "name": {}, + "paths": { "containers": [ "properties" ], @@ -38285,2092 +74388,1322 @@ "type": "string" } }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" + "provisioningState": { + "containers": [ + "properties" + ] + }, + "redirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "rewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse": { + "properties": { + "etag": {}, + "id": {}, + "linkIdentifier": { + "containers": [ + "properties" + ] + }, + "name": {}, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "containers": [ + "properties" + ] + }, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfiguration": { + "properties": { + "id": { + "type": "string" + }, + "ipConfigurations": { + "containers": [ + "properties" ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkIpConfiguration", + "type": "object" + }, + "type": "array" + }, + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse": { + "properties": { + "etag": {}, + "id": {}, + "ipConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkIpConfigurationResponse", "type": "object" } }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] }, "type": {} } }, - "azure-native_network_v20230201:network:AdminRuleCollection": { - "PUT": [ - { - "body": { - "properties": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItem", - "type": "object" - }, - "type": "array" - }, - "description": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "appliesToGroups" - ] - }, - "location": "body", - "name": "ruleCollection", - "required": true, - "value": {} + "azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkIpConfiguration": { + "properties": { + "id": { + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "name": { + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "primary": { + "containers": [ + "properties" + ], + "type": "boolean" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "privateIPAddress": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } + "privateIPAllocationMethod": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}", - "response": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkIpConfigurationResponse": { + "properties": { + "etag": {}, + "id": {}, + "name": {}, + "primary": { + "containers": [ + "properties" + ] + }, + "privateIPAddress": { + "containers": [ + "properties" + ] + }, + "privateIPAllocationMethod": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayProbe": { + "properties": { + "host": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "interval": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "match": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatch", + "containers": [ + "properties" + ], + "type": "object" + }, + "minServers": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "name": { + "type": "string" + }, + "path": { + "containers": [ + "properties" + ], + "type": "string" + }, + "pickHostNameFromBackendHttpSettings": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "pickHostNameFromBackendSettings": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "port": { + "containers": [ + "properties" + ], + "maximum": 65535, + "minimum": 1, + "type": "integer" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "timeout": { + "containers": [ + "properties" ], + "type": "integer" + }, + "unhealthyThreshold": { "containers": [ "properties" ], + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatch": { + "properties": { + "body": { + "type": "string" + }, + "statusCodes": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", - "type": "object" + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatchResponse": { + "properties": { + "body": {}, + "statusCodes": { + "items": { + "type": "string" } - }, - "description": { + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayProbeResponse": { + "properties": { + "etag": {}, + "host": { "containers": [ "properties" ] }, - "etag": {}, "id": {}, + "interval": { + "containers": [ + "properties" + ] + }, + "match": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeHealthResponseMatchResponse", + "containers": [ + "properties" + ] + }, + "minServers": { + "containers": [ + "properties" + ] + }, "name": {}, - "provisioningState": { + "path": { "containers": [ "properties" ] }, - "resourceGuid": { + "pickHostNameFromBackendHttpSettings": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "pickHostNameFromBackendSettings": { + "containers": [ + "properties" + ] }, - "type": {} - } - }, - "azure-native_network_v20230201:network:ApplicationGateway": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "port": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "applicationGatewayName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "protocol": { + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "authenticationCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificate", - "type": "object" - }, - "type": "array" - }, - "autoscaleConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "backendAddressPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPool", - "type": "object" - }, - "type": "array" - }, - "backendHttpSettingsCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettings", - "type": "object" - }, - "type": "array" - }, - "backendSettingsCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettings", - "type": "object" - }, - "type": "array" - }, - "customErrorConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomError", - "type": "object" - }, - "type": "array" - }, - "enableFips": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableHttp2": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "firewallPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "forceFirewallPolicyAssociation": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "frontendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "frontendPorts": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPort", - "type": "object" - }, - "type": "array" - }, - "gatewayIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "globalConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "httpListeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListener", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", - "type": "object" - }, - "listeners": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListener", - "type": "object" - }, - "type": "array" - }, - "loadDistributionPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicy", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "privateLinkConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfiguration", - "type": "object" - }, - "type": "array" - }, - "probes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbe", - "type": "object" - }, - "type": "array" - }, - "redirectConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfiguration", - "type": "object" - }, - "type": "array" - }, - "requestRoutingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRule", - "type": "object" - }, - "type": "array" - }, - "rewriteRuleSets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSet", - "type": "object" - }, - "type": "array" - }, - "routingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRule", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySku", - "containers": [ - "properties" - ], - "type": "object" - }, - "sslCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificate", - "type": "object" - }, - "type": "array" - }, - "sslPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicy", - "containers": [ - "properties" - ], - "type": "object" - }, - "sslProfiles": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfile", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "trustedClientCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificate", - "type": "object" - }, - "type": "array" - }, - "trustedRootCertificates": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificate", - "type": "object" - }, - "type": "array" - }, - "urlPathMaps": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMap", - "type": "object" - }, - "type": "array" - }, - "webApplicationFirewallConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "provisioningState": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "authenticationCertificates": { + "timeout": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse", - "type": "object" - } + ] }, - "autoscaleConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse", + "type": {}, + "unhealthyThreshold": { "containers": [ "properties" ] + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRedirectConfiguration": { + "properties": { + "id": { + "type": "string" }, - "backendAddressPools": { + "includePath": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", - "type": "object" - } + "type": "boolean" }, - "backendHttpSettingsCollection": { + "includeQueryString": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse", - "type": "object" - } + "type": "boolean" }, - "backendSettingsCollection": { + "name": { + "type": "string" + }, + "pathRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" - } + }, + "type": "array" }, - "customErrorConfigurations": { + "redirectType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "requestRoutingRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" - } + }, + "type": "array" }, - "defaultPredefinedSslPolicy": { + "targetListener": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" - ] + ], + "type": "object" }, - "enableFips": { + "targetUrl": { "containers": [ "properties" - ] + ], + "type": "string" }, - "enableHttp2": { + "urlPathMaps": { "containers": [ "properties" - ] - }, + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse": { + "properties": { "etag": {}, - "firewallPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "id": {}, + "includePath": { "containers": [ "properties" ] }, - "forceFirewallPolicyAssociation": { + "includeQueryString": { "containers": [ "properties" ] }, - "frontendIPConfigurations": { + "name": {}, + "pathRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "frontendPorts": { + "redirectType": { + "containers": [ + "properties" + ] + }, + "requestRoutingRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "gatewayIPConfigurations": { + "targetListener": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "targetUrl": { + "containers": [ + "properties" + ] + }, + "type": {}, + "urlPathMaps": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRule": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" }, - "globalConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse", + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" - ] + ], + "type": "object" }, - "httpListeners": { + "httpListener": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse", - "type": "object" - } + "type": "object" }, - "id": {}, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + "id": { + "type": "string" }, - "listeners": { + "loadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListenerResponse", - "type": "object" - } + "type": "object" }, - "loadDistributionPolicies": { + "name": { + "type": "string" + }, + "priority": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse", - "type": "object" - } + "maximum": 20000, + "minimum": 1, + "type": "integer" }, - "location": {}, - "name": {}, - "operationalState": { + "redirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" - ] + ], + "type": "object" }, - "privateEndpointConnections": { + "rewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse", - "type": "object" - } + "type": "object" }, - "privateLinkConfigurations": { + "ruleType": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse", - "type": "object" - } + "type": "string" }, - "probes": { + "urlPathMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeResponse", - "type": "object" - } - }, - "provisioningState": { + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "redirectConfigurations": { + "backendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse", - "type": "object" - } + ] }, - "requestRoutingRules": { + "etag": {}, + "httpListener": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse", - "type": "object" - } + ] }, - "resourceGuid": { + "id": {}, + "loadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "rewriteRuleSets": { + "name": {}, + "priority": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse", - "type": "object" - } + ] }, - "routingRules": { + "provisioningState": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse", - "type": "object" - } + ] }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySkuResponse", + "redirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "sslCertificates": { + "rewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse", - "type": "object" - } + ] }, - "sslPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", + "ruleType": { "containers": [ "properties" ] }, - "sslProfiles": { + "type": {}, + "urlPathMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayResponse": { + "properties": { + "authenticationCertificates": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificateResponse", "type": "object" } }, - "tags": { - "additionalProperties": { - "type": "string" - } + "autoscaleConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayAutoscaleConfigurationResponse", + "containers": [ + "properties" + ] }, - "trustedClientCertificates": { + "backendAddressPools": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", "type": "object" } }, - "trustedRootCertificates": { + "backendHttpSettingsCollection": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendHttpSettingsResponse", "type": "object" } }, - "type": {}, - "urlPathMaps": { + "backendSettingsCollection": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendSettingsResponse", "type": "object" } }, - "webApplicationFirewallConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse", + "customErrorConfigurations": { "containers": [ "properties" - ] - }, - "zones": { + ], "items": { - "type": "string" - } - } - } - }, - "azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnection": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "applicationGatewayName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorResponse", + "type": "object" } }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionState", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationGateways/{applicationGatewayName}/privateEndpointConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "linkIdentifier": { + "defaultPredefinedSslPolicy": { "containers": [ "properties" ] }, - "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "enableFips": { "containers": [ "properties" ] }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", + "enableHttp2": { "containers": [ "properties" ] }, - "provisioningState": { + "etag": {}, + "firewallPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native_network_v20230201:network:ApplicationSecurityGroup": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "applicationSecurityGroupName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/applicationSecurityGroups/{applicationSecurityGroupName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { + "forceFirewallPolicyAssociation": { "containers": [ "properties" ] }, - "resourceGuid": { + "frontendIPConfigurations": { "containers": [ "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native_network_v20230201:network:AzureFirewall": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "azureFirewallName", - "required": true, - "value": { - "autoname": "random", - "maxLength": 56, - "minLength": 1, - "type": "string" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfigurationResponse", + "type": "object" } }, - { - "body": { - "properties": { - "additionalProperties": { - "additionalProperties": { - "type": "string" - }, - "containers": [ - "properties" - ], - "type": "object" - }, - "applicationRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollection", - "type": "object" - }, - "type": "array" - }, - "firewallPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "hubIPAddresses": { - "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddresses", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "managementIpConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "natRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollection", - "type": "object" - }, - "type": "array" - }, - "networkRuleCollections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollection", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSku", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "threatIntelMode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/azureFirewalls/{azureFirewallName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "additionalProperties": { - "additionalProperties": { - "type": "string" - }, + "frontendPorts": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFrontendPortResponse", + "type": "object" + } }, - "applicationRuleCollections": { + "gatewayIPConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", "type": "object" - } - }, - "etag": {}, - "firewallPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + } + }, + "globalConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayGlobalConfigurationResponse", "containers": [ "properties" ] }, - "hubIPAddresses": { - "$ref": "#/types/azure-native_network_v20230201:network:HubIPAddressesResponse", + "httpListeners": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHttpListenerResponse", + "type": "object" + } }, "id": {}, - "ipConfigurations": { + "identity": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + }, + "listeners": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayListenerResponse", "type": "object" } }, - "ipGroups": { + "loadDistributionPolicies": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIpGroupsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicyResponse", "type": "object" } }, "location": {}, - "managementIpConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse", + "name": {}, + "operationalState": { "containers": [ "properties" ] }, - "name": {}, - "natRuleCollections": { + "privateEndpointConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateEndpointConnectionResponse", "type": "object" } }, - "networkRuleCollections": { + "privateLinkConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPrivateLinkConfigurationResponse", "type": "object" } }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSkuResponse", + "probes": { "containers": [ "properties" - ] - }, - "tags": { - "additionalProperties": { - "type": "string" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProbeResponse", + "type": "object" } }, - "threatIntelMode": { + "provisioningState": { "containers": [ "properties" ] }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "redirectConfigurations": { "containers": [ "properties" - ] - }, - "zones": { + ], "items": { - "type": "string" - } - } - } - }, - "azure-native_network_v20230201:network:BastionHost": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "bastionHostName", - "required": true, - "value": { - "autoname": "random", - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectConfigurationResponse", + "type": "object" } }, - { - "body": { - "properties": { - "disableCopyPaste": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "dnsName": { - "containers": [ - "properties" - ], - "type": "string" - }, - "enableFileCopy": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "enableIpConnect": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "enableKerberos": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "enableShareableLink": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "enableTunneling": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "scaleUnits": { - "containers": [ - "properties" - ], - "maximum": 50, - "minimum": 2, - "type": "integer" - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:Sku", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/bastionHosts/{bastionHostName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "disableCopyPaste": { + "requestRoutingRules": { "containers": [ "properties" ], - "default": false + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleResponse", + "type": "object" + } }, - "dnsName": { + "resourceGuid": { "containers": [ "properties" ] }, - "enableFileCopy": { - "containers": [ - "properties" - ], - "default": false - }, - "enableIpConnect": { - "containers": [ - "properties" - ], - "default": false - }, - "enableKerberos": { + "rewriteRuleSets": { "containers": [ "properties" ], - "default": false + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse", + "type": "object" + } }, - "enableShareableLink": { + "routingRules": { "containers": [ "properties" ], - "default": false + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse", + "type": "object" + } }, - "enableTunneling": { + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySkuResponse", "containers": [ "properties" - ], - "default": false + ] }, - "etag": {}, - "id": {}, - "ipConfigurations": { + "sslCertificates": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:BastionHostIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse", "type": "object" } }, - "location": {}, - "name": {}, - "provisioningState": { + "sslPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", "containers": [ "properties" ] }, - "scaleUnits": { + "sslProfiles": { "containers": [ "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:SkuResponse" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse", + "type": "object" + } }, "tags": { "additionalProperties": { "type": "string" } }, - "type": {} - } - }, - "azure-native_network_v20230201:network:ConfigurationPolicyGroup": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "vpnServerConfigurationName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "configurationPolicyGroupName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "isDefault": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "name": { - "type": "string" - }, - "policyMembers": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMember", - "type": "object" - }, - "type": "array" - }, - "priority": { - "containers": [ - "properties" - ], - "type": "integer" - } - } - }, - "location": "body", - "name": "VpnServerConfigurationPolicyGroupParameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}/configurationPolicyGroups/{configurationPolicyGroupName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "isDefault": { - "containers": [ - "properties" - ] - }, - "name": {}, - "p2SConnectionConfigurations": { + "trustedClientCertificates": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse", "type": "object" } }, - "policyMembers": { + "trustedRootCertificates": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse", "type": "object" } }, - "priority": { + "type": {}, + "urlPathMaps": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse", + "type": "object" + } }, - "provisioningState": { + "webApplicationFirewallConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse", "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native_network_v20230201:network:ConnectionMonitor": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "zones": { + "items": { "type": "string" } + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRule": { + "properties": { + "actionSet": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleActionSet", + "type": "object" }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { - "type": "string" - } + "conditions": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleCondition", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "connectionMonitorName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "name": { + "type": "string" }, - { - "body": { - "properties": { - "autoStart": { - "containers": [ - "properties" - ], - "default": true, - "type": "boolean" - }, - "destination": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestination", - "containers": [ - "properties" - ], - "type": "object" - }, - "endpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpoint", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "monitoringIntervalInSeconds": { - "containers": [ - "properties" - ], - "default": 60, - "maximum": 1800, - "minimum": 30, - "type": "integer" - }, - "notes": { - "containers": [ - "properties" - ], - "type": "string" - }, - "outputs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutput", - "type": "object" - }, - "type": "array" - }, - "source": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSource", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "testConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfiguration", - "type": "object" - }, - "type": "array" - }, - "testGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroup", - "type": "object" - }, - "type": "array" - } - } + "ruleSequence": { + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleActionSet": { + "properties": { + "requestHeaderConfigurations": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHeaderConfiguration", + "type": "object" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" + }, + "responseHeaderConfigurations": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHeaderConfiguration", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" + "urlConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlConfiguration", + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleActionSetResponse": { + "properties": { + "requestHeaderConfigurations": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHeaderConfigurationResponse", + "type": "object" } }, - { - "location": "query", - "name": "migrate", - "value": { - "type": "string" + "responseHeaderConfigurations": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayHeaderConfigurationResponse", + "type": "object" } + }, + "urlConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayUrlConfigurationResponse" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/connectionMonitors/{connectionMonitorName}", - "putAsyncStyle": "azure-async-operation", - "requiredContainers": [ - [ - "properties" - ] - ], - "response": { - "autoStart": { - "containers": [ - "properties" - ], - "default": true + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleCondition": { + "properties": { + "ignoreCase": { + "type": "boolean" }, - "connectionMonitorType": { + "negate": { + "type": "boolean" + }, + "pattern": { + "type": "string" + }, + "variable": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleConditionResponse": { + "properties": { + "ignoreCase": {}, + "negate": {}, + "pattern": {}, + "variable": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleResponse": { + "properties": { + "actionSet": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleActionSetResponse" + }, + "conditions": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleConditionResponse", + "type": "object" + } + }, + "name": {}, + "ruleSequence": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSet": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "rewriteRules": { "containers": [ "properties" - ] - }, - "destination": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorDestinationResponse", + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRule", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleSetResponse": { + "properties": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "endpoints": { + "rewriteRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRewriteRuleResponse", "type": "object" } - }, - "etag": {}, - "id": {}, - "location": {}, - "monitoringIntervalInSeconds": { + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayRoutingRule": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "default": 60 + "type": "object" }, - "monitoringStatus": { + "backendSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" - ] + ], + "type": "object" }, - "name": {}, - "notes": { + "id": { + "type": "string" + }, + "listener": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" - ] + ], + "type": "object" }, - "outputs": { + "name": { + "type": "string" + }, + "priority": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorOutputResponse", - "type": "object" - } + "maximum": 20000, + "minimum": 1, + "type": "integer" }, - "provisioningState": { + "ruleType": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "priority" + ] + }, + "azure-native_network_v20230201:network:ApplicationGatewayRoutingRuleResponse": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "source": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSourceResponse", + "backendSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "startTime": { + "etag": {}, + "id": {}, + "listener": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "name": {}, + "priority": { + "containers": [ + "properties" + ] }, - "testConfigurations": { + "provisioningState": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationResponse", - "type": "object" - } + ] }, - "testGroups": { + "ruleType": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestGroupResponse", - "type": "object" - } + ] }, "type": {} - } + }, + "required": [ + "priority" + ] }, - "azure-native_network_v20230201:network:ConnectivityConfiguration": { - "PUT": [ - { - "body": { - "properties": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItem", - "type": "object" - }, - "type": "array" - }, - "connectivityTopology": { - "containers": [ - "properties" - ], - "type": "string" - }, - "deleteExistingPeering": { - "containers": [ - "properties" - ], - "type": "string" - }, - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "hubs": { - "arrayIdentifiers": [ - "resourceId" - ], - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:Hub", - "type": "object" - }, - "type": "array" - }, - "isGlobal": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "appliesToGroups", - "connectivityTopology" - ] - }, - "location": "body", - "name": "connectivityConfiguration", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ApplicationGatewaySku": { + "properties": { + "capacity": { + "type": "integer" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "name": { + "type": "string" }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "tier": { + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/connectivityConfigurations/{configurationName}", - "response": { - "appliesToGroups": { - "arrayIdentifiers": [ - "networkGroupId" - ], + } + }, + "azure-native_network_v20230201:network:ApplicationGatewaySkuResponse": { + "properties": { + "capacity": {}, + "name": {}, + "tier": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewaySslCertificate": { + "properties": { + "data": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", - "type": "object" - } + "type": "string" }, - "connectivityTopology": { + "id": { + "type": "string" + }, + "keyVaultSecretId": { "containers": [ "properties" - ] + ], + "type": "string" }, - "deleteExistingPeering": { + "name": { + "type": "string" + }, + "password": { "containers": [ "properties" - ] - }, - "description": { + ], + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewaySslCertificateResponse": { + "properties": { + "data": { "containers": [ "properties" ] }, "etag": {}, - "hubs": { - "arrayIdentifiers": [ - "resourceId" - ], + "id": {}, + "keyVaultSecretId": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", - "type": "object" - } + ] }, - "id": {}, - "isGlobal": { + "name": {}, + "password": { "containers": [ "properties" ] }, - "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "resourceGuid": { + "publicCertData": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" - }, "type": {} } }, - "azure-native_network_v20230201:network:CustomIPPrefix": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:ApplicationGatewaySslPolicy": { + "properties": { + "cipherSuites": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "customIpPrefixName", - "required": true, - "value": { - "autoname": "random", + "disabledSslProtocols": { + "items": { "type": "string" - } - }, - { - "body": { - "properties": { - "asn": { - "containers": [ - "properties" - ], - "type": "string" - }, - "authorizationMessage": { - "containers": [ - "properties" - ], - "type": "string" - }, - "cidr": { - "containers": [ - "properties" - ], - "type": "string" - }, - "commissionedState": { - "containers": [ - "properties" - ], - "type": "string" - }, - "customIpPrefixParent": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "expressRouteAdvertise": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", - "type": "object" - }, - "geo": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "noInternetAdvertise": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "prefixType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "signedMessage": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "minProtocolVersion": { + "type": "string" + }, + "policyName": { + "type": "string" + }, + "policyType": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse": { + "properties": { + "cipherSuites": { + "items": { "type": "string" } + }, + "disabledSslProtocols": { + "items": { + "type": "string" + } + }, + "minProtocolVersion": {}, + "policyName": {}, + "policyType": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewaySslProfile": { + "properties": { + "clientAuthConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayClientAuthConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "sslPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicy", + "containers": [ + "properties" + ], + "type": "object" + }, + "trustedClientCertificates": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/customIpPrefixes/{customIpPrefixName}", - "putAsyncStyle": "location", - "response": { - "asn": { + } + }, + "azure-native_network_v20230201:network:ApplicationGatewaySslProfileResponse": { + "properties": { + "clientAuthConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayClientAuthConfigurationResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "authorizationMessage": { + "sslPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse", "containers": [ "properties" ] }, - "childCustomIpPrefixes": { + "trustedClientCertificates": { "containers": [ "properties" ], @@ -40379,222 +75712,462 @@ "type": "object" } }, - "cidr": { + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificate": { + "properties": { + "data": { "containers": [ "properties" - ] + ], + "type": "string" }, - "commissionedState": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificateResponse": { + "properties": { + "clientCertIssuerDN": { "containers": [ "properties" ] }, - "customIpPrefixParent": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "data": { "containers": [ "properties" ] }, "etag": {}, - "expressRouteAdvertise": { + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" - }, - "failedReason": { + "type": {}, + "validatedCertData": { "containers": [ "properties" ] + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificate": { + "properties": { + "data": { + "containers": [ + "properties" + ], + "type": "string" }, - "geo": { + "id": { + "type": "string" + }, + "keyVaultSecretId": { "containers": [ "properties" - ] + ], + "type": "string" }, - "id": {}, - "location": {}, - "name": {}, - "noInternetAdvertise": { + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayTrustedRootCertificateResponse": { + "properties": { + "data": { "containers": [ "properties" ] }, - "prefixType": { + "etag": {}, + "id": {}, + "keyVaultSecretId": { "containers": [ "properties" ] }, + "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "publicIpPrefixes": { + "type": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayUrlConfiguration": { + "properties": { + "modifiedPath": { + "type": "string" + }, + "modifiedQueryString": { + "type": "string" + }, + "reroute": { + "type": "boolean" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayUrlConfigurationResponse": { + "properties": { + "modifiedPath": {}, + "modifiedQueryString": {}, + "reroute": {} + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayUrlPathMap": { + "properties": { + "defaultBackendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "defaultBackendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "defaultLoadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "defaultRedirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "defaultRewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "pathRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPathRule", "type": "object" - } + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:ApplicationGatewayUrlPathMapResponse": { + "properties": { + "defaultBackendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "resourceGuid": { + "defaultBackendHttpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "signedMessage": { + "defaultLoadDistributionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "defaultRedirectConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "type": {}, - "zones": { + "defaultRewriteRuleSet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "pathRules": { + "containers": [ + "properties" + ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayPathRuleResponse", + "type": "object" } - } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "type": {} } }, - "azure-native_network_v20230201:network:DdosCustomPolicy": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfiguration": { + "properties": { + "disabledRuleGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFirewallDisabledRuleGroup", + "type": "object" + }, + "type": "array" + }, + "enabled": { + "type": "boolean" + }, + "exclusions": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFirewallExclusion", + "type": "object" + }, + "type": "array" + }, + "fileUploadLimitInMb": { + "minimum": 0, + "type": "integer" + }, + "firewallMode": { + "type": "string" + }, + "maxRequestBodySize": { + "maximum": 128, + "minimum": 8, + "type": "integer" + }, + "maxRequestBodySizeInKb": { + "maximum": 128, + "minimum": 8, + "type": "integer" + }, + "requestBodyCheck": { + "type": "boolean" + }, + "ruleSetType": { + "type": "string" + }, + "ruleSetVersion": { + "type": "string" + } + }, + "required": [ + "enabled", + "firewallMode", + "ruleSetType", + "ruleSetVersion" + ] + }, + "azure-native_network_v20230201:network:ApplicationGatewayWebApplicationFirewallConfigurationResponse": { + "properties": { + "disabledRuleGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFirewallDisabledRuleGroupResponse", + "type": "object" } }, - { - "location": "path", - "name": "ddosCustomPolicyName", - "required": true, - "value": { - "autoname": "random", - "type": "string" + "enabled": {}, + "exclusions": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFirewallExclusionResponse", + "type": "object" } }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } + "fileUploadLimitInMb": {}, + "firewallMode": {}, + "maxRequestBodySize": {}, + "maxRequestBodySizeInKb": {}, + "requestBodyCheck": {}, + "ruleSetType": {}, + "ruleSetVersion": {} + }, + "required": [ + "enabled", + "firewallMode", + "ruleSetType", + "ruleSetVersion" + ] + }, + "azure-native_network_v20230201:network:ApplicationRule": { + "properties": { + "description": { + "type": "string" + }, + "destinationAddresses": { + "items": { + "type": "string" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "fqdnTags": { + "items": { "type": "string" - } + }, + "type": "array" + }, + "httpHeadersToInsert": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyHttpHeaderToInsert", + "type": "object" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "protocols": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyRuleApplicationProtocol", + "type": "object" + }, + "type": "array" + }, + "ruleType": { + "const": "ApplicationRule", + "type": "string" + }, + "sourceAddresses": { + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceIpGroups": { + "items": { + "type": "string" + }, + "type": "array" + }, + "targetFqdns": { + "items": { + "type": "string" + }, + "type": "array" + }, + "targetUrls": { + "items": { + "type": "string" + }, + "type": "array" + }, + "terminateTLS": { + "type": "boolean" + }, + "webCategories": { + "items": { + "type": "string" + }, + "type": "array" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosCustomPolicies/{ddosCustomPolicyName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "location": {}, + }, + "required": [ + "ruleType" + ] + }, + "azure-native_network_v20230201:network:ApplicationRuleResponse": { + "properties": { + "description": {}, + "destinationAddresses": { + "items": { + "type": "string" + } + }, + "fqdnTags": { + "items": { + "type": "string" + } + }, + "httpHeadersToInsert": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyHttpHeaderToInsertResponse", + "type": "object" + } + }, "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + "protocols": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyRuleApplicationProtocolResponse", + "type": "object" + } }, - "resourceGuid": { - "containers": [ - "properties" - ] + "ruleType": { + "const": "ApplicationRule" }, - "tags": { - "additionalProperties": { + "sourceAddresses": { + "items": { "type": "string" } }, - "type": {} - } - }, - "azure-native_network_v20230201:network:DdosProtectionPlan": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "sourceIpGroups": { + "items": { "type": "string" } }, - { - "location": "path", - "name": "ddosProtectionPlanName", - "required": true, - "value": { - "autoname": "random", + "targetFqdns": { + "items": { "type": "string" } }, - { - "body": { - "properties": { - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "targetUrls": { + "items": { + "type": "string" + } }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "terminateTLS": {}, + "webCategories": { + "items": { "type": "string" } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ddosProtectionPlans/{ddosProtectionPlanName}", - "putAsyncStyle": "azure-async-operation", - "response": { + }, + "required": [ + "ruleType" + ] + }, + "azure-native_network_v20230201:network:ApplicationSecurityGroup": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:ApplicationSecurityGroupResponse": { + "properties": { "etag": {}, "id": {}, "location": {}, @@ -40604,15 +76177,6 @@ "properties" ] }, - "publicIPAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } - }, "resourceGuid": { "containers": [ "properties" @@ -40623,351 +76187,197 @@ "type": "string" } }, - "type": {}, - "virtualNetworks": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } - } + "type": {} } }, - "azure-native_network_v20230201:network:DefaultAdminRule": { - "PUT": [ - { - "body": { - "properties": { - "flag": { - "containers": [ - "properties" - ], - "type": "string" - }, - "kind": { - "const": "Default", - "type": "string" - } - }, - "required": [ - "kind" - ] - }, - "location": "body", - "name": "adminRule", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:AzureFirewallApplicationRule": { + "properties": { + "description": { + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "fqdnTags": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "name": { + "type": "string" }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "type": "string" - } + "protocols": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleProtocol", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "ruleCollectionName", - "required": true, - "value": { + "sourceAddresses": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "ruleName", - "required": true, - "value": { - "autoname": "copy", + "sourceIpGroups": { + "items": { "type": "string" - } + }, + "type": "array" + }, + "targetFqdns": { + "items": { + "type": "string" + }, + "type": "array" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}/ruleCollections/{ruleCollectionName}/rules/{ruleName}", - "response": { - "access": { + } + }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollection": { + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallRCAction", "containers": [ "properties" - ] + ], + "type": "object" }, - "description": { - "containers": [ - "properties" - ] + "id": { + "type": "string" }, - "destinationPortRanges": { + "name": { + "type": "string" + }, + "priority": { "containers": [ "properties" ], - "items": { - "type": "string" - } + "maximum": 65000, + "minimum": 100, + "type": "integer" }, - "destinations": { - "arrayIdentifiers": [ - "addressPrefix" - ], + "rules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRule", "type": "object" - } - }, - "direction": { + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRuleCollectionResponse": { + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallRCActionResponse", "containers": [ "properties" ] }, "etag": {}, - "flag": { - "containers": [ - "properties" - ] - }, "id": {}, - "kind": { - "const": "Default" - }, "name": {}, "priority": { "containers": [ "properties" ] }, - "protocol": { - "containers": [ - "properties" - ] - }, "provisioningState": { "containers": [ "properties" ] }, - "resourceGuid": { - "containers": [ - "properties" - ] - }, - "sourcePortRanges": { + "rules": { "containers": [ "properties" ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRuleProtocol": { + "properties": { + "port": { + "maximum": 64000, + "minimum": 0, + "type": "integer" + }, + "protocolType": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRuleProtocolResponse": { + "properties": { + "port": {}, + "protocolType": {} + } + }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRuleResponse": { + "properties": { + "description": {}, + "fqdnTags": { "items": { "type": "string" } }, - "sources": { - "arrayIdentifiers": [ - "addressPrefix" - ], - "containers": [ - "properties" - ], + "name": {}, + "protocols": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleProtocolResponse", "type": "object" } }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" - }, - "type": {} - } - }, - "azure-native_network_v20230201:network:DscpConfiguration": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "sourceAddresses": { + "items": { "type": "string" } }, - { - "location": "path", - "name": "dscpConfigurationName", - "required": true, - "value": { - "autoname": "random", + "sourceIpGroups": { + "items": { "type": "string" } }, - { - "body": { - "properties": { - "destinationIpRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", - "type": "object" - }, - "type": "array" - }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "markings": { - "containers": [ - "properties" - ], - "items": { - "type": "integer" - }, - "type": "array" - }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" - }, - "qosDefinitionCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosDefinition", - "type": "object" - }, - "type": "array" - }, - "sourceIpRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", - "type": "object" - }, - "type": "array" - }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "targetFqdns": { + "items": { "type": "string" } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/dscpConfigurations/{dscpConfigurationName}", - "putAsyncStyle": "location", - "response": { - "associatedNetworkInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", - "type": "object" - } + } + }, + "azure-native_network_v20230201:network:AzureFirewallIPConfiguration": { + "properties": { + "id": { + "type": "string" }, - "destinationIpRanges": { + "name": { + "type": "string" + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", - "type": "object" - } + "type": "object" }, - "destinationPortRanges": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", - "type": "object" - } - }, + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallIPConfigurationResponse": { + "properties": { "etag": {}, "id": {}, - "location": {}, - "markings": { - "containers": [ - "properties" - ], - "items": { - "type": "integer" - } - }, "name": {}, - "protocol": { + "privateIPAddress": { "containers": [ "properties" ] @@ -40977,956 +76387,1445 @@ "properties" ] }, - "qosCollectionId": { + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "qosDefinitionCollection": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosDefinitionResponse", - "type": "object" - } - }, - "resourceGuid": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "sourceIpRanges": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", - "type": "object" - } + "type": {} + } + }, + "azure-native_network_v20230201:network:AzureFirewallIpGroupsResponse": { + "properties": { + "changeNumber": {}, + "id": {} + } + }, + "azure-native_network_v20230201:network:AzureFirewallNatRCAction": { + "properties": { + "type": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallNatRCActionResponse": { + "properties": { + "type": {} + } + }, + "azure-native_network_v20230201:network:AzureFirewallNatRule": { + "properties": { + "description": { + "type": "string" }, - "sourcePortRanges": { - "containers": [ - "properties" - ], + "destinationAddresses": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { "type": "string" - } + }, + "type": "array" }, - "type": {} - } - }, - "azure-native_network_v20230201:network:ExpressRouteCircuit": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "destinationPorts": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "autoname": "random", + "name": { + "type": "string" + }, + "protocols": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "body": { - "properties": { - "allowClassicOperations": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "authorizationKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "authorizations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "bandwidthInGbps": { - "containers": [ - "properties" - ], - "type": "number" - }, - "circuitProvisioningState": { - "containers": [ - "properties" - ], - "type": "string" - }, - "expressRoutePort": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ], - "type": "string" - }, - "globalReachEnabled": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "peerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeering", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "serviceKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "serviceProviderNotes": { - "containers": [ - "properties" - ], - "type": "string" - }, - "serviceProviderProperties": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "serviceProviderProvisioningState": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSku", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } + "sourceAddresses": { + "items": { + "type": "string" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "sourceIpGroups": { + "items": { "type": "string" - } + }, + "type": "array" + }, + "translatedAddress": { + "type": "string" + }, + "translatedFqdn": { + "type": "string" + }, + "translatedPort": { + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "allowClassicOperations": { + } + }, + "azure-native_network_v20230201:network:AzureFirewallNatRuleCollection": { + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRCAction", + "containers": [ + "properties" + ], + "type": "object" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "priority": { + "containers": [ + "properties" + ], + "maximum": 65000, + "minimum": 100, + "type": "integer" + }, + "rules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRule", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallNatRuleCollectionResponse": { + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRCActionResponse", "containers": [ "properties" ] }, - "authorizationKey": { + "etag": {}, + "id": {}, + "name": {}, + "priority": { "containers": [ "properties" ] }, - "authorizationStatus": { + "provisioningState": { "containers": [ "properties" ] }, - "authorizations": { + "rules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitAuthorizationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRuleResponse", "type": "object" } + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallNatRuleResponse": { + "properties": { + "description": {}, + "destinationAddresses": { + "items": { + "type": "string" + } }, - "bandwidthInGbps": { + "destinationPorts": { + "items": { + "type": "string" + } + }, + "name": {}, + "protocols": { + "items": { + "type": "string" + } + }, + "sourceAddresses": { + "items": { + "type": "string" + } + }, + "sourceIpGroups": { + "items": { + "type": "string" + } + }, + "translatedAddress": {}, + "translatedFqdn": {}, + "translatedPort": {} + } + }, + "azure-native_network_v20230201:network:AzureFirewallNetworkRule": { + "properties": { + "description": { + "type": "string" + }, + "destinationAddresses": { + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationFqdns": { + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationIpGroups": { + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationPorts": { + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "protocols": { + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceAddresses": { + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceIpGroups": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollection": { + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallRCAction", "containers": [ "properties" - ] + ], + "type": "object" }, - "circuitProvisioningState": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "priority": { "containers": [ "properties" - ] + ], + "maximum": 65000, + "minimum": 100, + "type": "integer" }, - "etag": {}, - "expressRoutePort": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "rules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRule", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallNetworkRuleCollectionResponse": { + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallRCActionResponse", "containers": [ "properties" ] }, - "gatewayManagerEtag": { + "etag": {}, + "id": {}, + "name": {}, + "priority": { "containers": [ "properties" ] }, - "globalReachEnabled": { + "provisioningState": { "containers": [ "properties" ] }, - "id": {}, - "location": {}, - "name": {}, - "peerings": { + "rules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleResponse", "type": "object" } + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallNetworkRuleResponse": { + "properties": { + "description": {}, + "destinationAddresses": { + "items": { + "type": "string" + } }, - "provisioningState": { + "destinationFqdns": { + "items": { + "type": "string" + } + }, + "destinationIpGroups": { + "items": { + "type": "string" + } + }, + "destinationPorts": { + "items": { + "type": "string" + } + }, + "name": {}, + "protocols": { + "items": { + "type": "string" + } + }, + "sourceAddresses": { + "items": { + "type": "string" + } + }, + "sourceIpGroups": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallPublicIPAddress": { + "properties": { + "address": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallPublicIPAddressResponse": { + "properties": { + "address": {} + } + }, + "azure-native_network_v20230201:network:AzureFirewallRCAction": { + "properties": { + "type": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallRCActionResponse": { + "properties": { + "type": {} + } + }, + "azure-native_network_v20230201:network:AzureFirewallSku": { + "properties": { + "name": { + "type": "string" + }, + "tier": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:AzureFirewallSkuResponse": { + "properties": { + "name": {}, + "tier": {} + } + }, + "azure-native_network_v20230201:network:BackendAddressPool": { + "properties": { + "drainPeriodInSeconds": { "containers": [ "properties" - ] + ], + "type": "integer" }, - "serviceKey": { + "id": { + "type": "string" + }, + "loadBalancerBackendAddresses": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddress", + "type": "object" + }, + "type": "array" }, - "serviceProviderNotes": { + "location": { "containers": [ "properties" - ] + ], + "type": "string" }, - "serviceProviderProperties": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderPropertiesResponse", + "name": { + "type": "string" + }, + "tunnelInterfaces": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterface", + "type": "object" + }, + "type": "array" }, - "serviceProviderProvisioningState": { + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSkuResponse" + ], + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:BackendAddressPoolResponse": { + "properties": { + "backendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "type": "object" + } }, - "stag": { + "drainPeriodInSeconds": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "etag": {}, + "id": {}, + "inboundNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" } }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" + "loadBalancerBackendAddresses": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse", + "type": "object" } }, - { - "location": "path", - "name": "authorizationName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" + "loadBalancingRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" } }, - { - "body": { - "properties": { - "authorizationKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "authorizationUseStatus": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - } - } - }, - "location": "body", - "name": "authorizationParameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/authorizations/{authorizationName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "authorizationKey": { + "location": { "containers": [ "properties" ] }, - "authorizationUseStatus": { + "name": {}, + "outboundRule": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "name": {}, + "outboundRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, "provisioningState": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native_network_v20230201:network:ExpressRouteCircuitConnection": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "tunnelInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse", + "type": "object" } }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { - "type": "string" - } + "type": {}, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:BastionActiveSessionResponse": { + "properties": { + "protocol": {}, + "resourceType": {}, + "sessionDurationInMins": {}, + "sessionId": {}, + "startTime": { + "$ref": "pulumi.json#/Any" + }, + "targetHostName": {}, + "targetIpAddress": {}, + "targetResourceGroup": {}, + "targetResourceId": {}, + "targetSubscriptionId": {}, + "userName": {} + } + }, + "azure-native_network_v20230201:network:BastionHostIPConfiguration": { + "properties": { + "id": { + "type": "string" }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "type": "string" - } + "name": { + "type": "string" }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "privateIPAllocationMethod": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "body": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "authorizationKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "name": { - "type": "string" - }, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "expressRouteCircuitConnectionParameters", - "required": true, - "value": {} + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}/connections/{connectionName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "addressPrefix": { + }, + "required": [ + "publicIPAddress", + "subnet" + ] + }, + "azure-native_network_v20230201:network:BastionHostIPConfigurationResponse": { + "properties": { + "etag": {}, + "id": {}, + "name": {}, + "privateIPAllocationMethod": { "containers": [ "properties" ] }, - "authorizationKey": { + "provisioningState": { "containers": [ "properties" ] }, - "circuitConnectionStatus": { + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "etag": {}, - "expressRouteCircuitPeering": { + "subnet": { "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "id": {}, - "ipv6CircuitConnectionConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse", + "type": {} + }, + "required": [ + "publicIPAddress", + "subnet" + ] + }, + "azure-native_network_v20230201:network:BastionShareableLink": { + "properties": { + "vm": { + "$ref": "#/types/azure-native_network_v20230201:network:VM", + "type": "object" + } + }, + "required": [ + "vm" + ] + }, + "azure-native_network_v20230201:network:BastionShareableLinkResponse": { + "properties": { + "bsl": {}, + "createdAt": {}, + "message": {}, + "vm": { + "$ref": "#/types/azure-native_network_v20230201:network:VMResponse" + } + }, + "required": [ + "vm" + ] + }, + "azure-native_network_v20230201:network:BgpPeerStatusResponse": { + "properties": { + "asn": {}, + "connectedDuration": {}, + "localAddress": {}, + "messagesReceived": {}, + "messagesSent": {}, + "neighbor": {}, + "routesReceived": {}, + "state": {} + } + }, + "azure-native_network_v20230201:network:BgpSettings": { + "properties": { + "asn": { + "maximum": 4294967295, + "minimum": 0, + "type": "number" + }, + "bgpPeeringAddress": { + "type": "string" + }, + "bgpPeeringAddresses": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationBgpPeeringAddress", + "type": "object" + }, + "type": "array" + }, + "peerWeight": { + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:BgpSettingsResponse": { + "properties": { + "asn": {}, + "bgpPeeringAddress": {}, + "bgpPeeringAddresses": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationBgpPeeringAddressResponse", + "type": "object" + } + }, + "peerWeight": {} + } + }, + "azure-native_network_v20230201:network:BreakOutCategoryPolicies": { + "properties": { + "allow": { + "type": "boolean" + }, + "default": { + "type": "boolean" + }, + "optimize": { + "type": "boolean" + } + } + }, + "azure-native_network_v20230201:network:BreakOutCategoryPoliciesResponse": { + "properties": { + "allow": {}, + "default": {}, + "optimize": {} + } + }, + "azure-native_network_v20230201:network:ConfigurationGroupResponse": { + "properties": { + "description": { "containers": [ "properties" ] }, - "name": {}, - "peerExpressRouteCircuitPeering": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "id": {}, + "provisioningState": { "containers": [ "properties" ] }, - "provisioningState": { + "resourceGuid": { "containers": [ "properties" ] + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorDestination": { + "properties": { + "address": { + "type": "string" + }, + "port": { + "maximum": 65535, + "minimum": 0, + "type": "integer" + }, + "resourceId": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorDestinationResponse": { + "properties": { + "address": {}, + "port": {}, + "resourceId": {} + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpoint": { + "properties": { + "address": { + "type": "string" + }, + "coverageLevel": { + "type": "string" + }, + "filter": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointFilter", + "type": "object" + }, + "name": { + "type": "string" + }, + "resourceId": { + "type": "string" + }, + "scope": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScope", + "type": "object" + }, + "type": { + "type": "string" + } + }, + "required": [ + "name" + ] + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointFilter": { + "properties": { + "items": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterItem", + "type": "object" + }, + "type": "array" + }, + "type": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterItem": { + "properties": { + "address": { + "type": "string" + }, + "type": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterItemResponse": { + "properties": { + "address": {}, + "type": {} + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterResponse": { + "properties": { + "items": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterItemResponse", + "type": "object" + } }, "type": {} } }, - "azure-native_network_v20230201:network:ExpressRouteCircuitPeering": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "azure-native_network_v20230201:network:ConnectionMonitorEndpointResponse": { + "properties": { + "address": {}, + "coverageLevel": {}, + "filter": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterResponse" + }, + "name": {}, + "resourceId": {}, + "scope": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeResponse" + }, + "type": {} + }, + "required": [ + "name" + ] + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointScope": { + "properties": { + "exclude": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItem", + "type": "object" + }, + "type": "array" + }, + "include": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItem", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItem": { + "properties": { + "address": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItemResponse": { + "properties": { + "address": {} + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeResponse": { + "properties": { + "exclude": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItemResponse", + "type": "object" } }, - { - "location": "path", - "name": "circuitName", - "required": true, - "value": { + "include": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointScopeItemResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorHttpConfiguration": { + "properties": { + "method": { + "type": "string" + }, + "path": { + "type": "string" + }, + "port": { + "maximum": 65535, + "minimum": 0, + "type": "integer" + }, + "preferHTTPS": { + "type": "boolean" + }, + "requestHeaders": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HTTPHeader", + "type": "object" + }, + "type": "array" + }, + "validStatusCodeRanges": { + "items": { "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorHttpConfigurationResponse": { + "properties": { + "method": {}, + "path": {}, + "port": {}, + "preferHTTPS": {}, + "requestHeaders": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HTTPHeaderResponse", + "type": "object" } }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "autoname": "copy", + "validStatusCodeRanges": { + "items": { "type": "string" } + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorIcmpConfiguration": { + "properties": { + "disableTraceRoute": { + "type": "boolean" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorIcmpConfigurationResponse": { + "properties": { + "disableTraceRoute": {} + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorOutput": { + "properties": { + "type": { + "type": "string" }, - { - "body": { - "properties": { - "azureASN": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "connections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnection", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "name": { - "type": "string" - }, - "peerASN": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 1, - "type": "number" - }, - "peeringType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "primaryAzurePort": { - "containers": [ - "properties" - ], - "type": "string" - }, - "primaryPeerAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "routeFilter": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "secondaryAzurePort": { - "containers": [ - "properties" - ], - "type": "string" - }, - "secondaryPeerAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sharedKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "state": { - "containers": [ - "properties" - ], - "type": "string" - }, - "stats": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStats", - "containers": [ - "properties" - ], - "type": "object" - }, - "vlanId": { - "containers": [ - "properties" - ], - "type": "integer" - } - } + "workspaceSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorWorkspaceSettings", + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorOutputResponse": { + "properties": { + "type": {}, + "workspaceSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorWorkspaceSettingsResponse" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorSource": { + "properties": { + "port": { + "maximum": 65535, + "minimum": 0, + "type": "integer" + }, + "resourceId": { + "type": "string" + } + }, + "required": [ + "resourceId" + ] + }, + "azure-native_network_v20230201:network:ConnectionMonitorSourceResponse": { + "properties": { + "port": {}, + "resourceId": {} + }, + "required": [ + "resourceId" + ] + }, + "azure-native_network_v20230201:network:ConnectionMonitorSuccessThreshold": { + "properties": { + "checksFailedPercent": { + "type": "integer" + }, + "roundTripTimeMs": { + "type": "number" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorSuccessThresholdResponse": { + "properties": { + "checksFailedPercent": {}, + "roundTripTimeMs": {} + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorTcpConfiguration": { + "properties": { + "destinationPortBehavior": { + "type": "string" + }, + "disableTraceRoute": { + "type": "boolean" + }, + "port": { + "maximum": 65535, + "minimum": 0, + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorTcpConfigurationResponse": { + "properties": { + "destinationPortBehavior": {}, + "disableTraceRoute": {}, + "port": {} + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorTestConfiguration": { + "properties": { + "httpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorHttpConfiguration", + "type": "object" + }, + "icmpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorIcmpConfiguration", + "type": "object" + }, + "name": { + "type": "string" + }, + "preferredIPVersion": { + "type": "string" + }, + "protocol": { + "type": "string" + }, + "successThreshold": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSuccessThreshold", + "type": "object" + }, + "tcpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTcpConfiguration", + "type": "object" + }, + "testFrequencySec": { + "type": "integer" + } + }, + "required": [ + "name", + "protocol" + ] + }, + "azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationResponse": { + "properties": { + "httpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorHttpConfigurationResponse" + }, + "icmpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorIcmpConfigurationResponse" + }, + "name": {}, + "preferredIPVersion": {}, + "protocol": {}, + "successThreshold": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorSuccessThresholdResponse" + }, + "tcpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTcpConfigurationResponse" + }, + "testFrequencySec": {} + }, + "required": [ + "name", + "protocol" + ] + }, + "azure-native_network_v20230201:network:ConnectionMonitorTestGroup": { + "properties": { + "destinations": { + "items": { + "type": "string" }, - "location": "body", - "name": "peeringParameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "disable": { + "type": "boolean" + }, + "name": { + "type": "string" + }, + "sources": { + "items": { + "type": "string" + }, + "type": "array" + }, + "testConfigurations": { + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "destinations", + "name", + "sources", + "testConfigurations" + ] + }, + "azure-native_network_v20230201:network:ConnectionMonitorTestGroupResponse": { + "properties": { + "destinations": { + "items": { + "type": "string" + } + }, + "disable": {}, + "name": {}, + "sources": { + "items": { + "type": "string" + } + }, + "testConfigurations": { + "items": { "type": "string" } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCircuits/{circuitName}/peerings/{peeringName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "azureASN": { - "containers": [ - "properties" - ] + }, + "required": [ + "destinations", + "name", + "sources", + "testConfigurations" + ] + }, + "azure-native_network_v20230201:network:ConnectionMonitorWorkspaceSettings": { + "properties": { + "workspaceResourceId": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ConnectionMonitorWorkspaceSettingsResponse": { + "properties": { + "workspaceResourceId": {} + } + }, + "azure-native_network_v20230201:network:ConnectivityGroupItem": { + "properties": { + "groupConnectivity": { + "type": "string" + }, + "isGlobal": { + "type": "string" }, - "connections": { + "networkGroupId": { + "type": "string" + }, + "useHubGateway": { + "type": "string" + } + }, + "required": [ + "groupConnectivity", + "networkGroupId" + ] + }, + "azure-native_network_v20230201:network:ConnectivityGroupItemResponse": { + "properties": { + "groupConnectivity": {}, + "isGlobal": {}, + "networkGroupId": {}, + "useHubGateway": {} + }, + "required": [ + "groupConnectivity", + "networkGroupId" + ] + }, + "azure-native_network_v20230201:network:ContainerNetworkInterfaceConfiguration": { + "properties": { + "containerNetworkInterfaces": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" - } - }, - "etag": {}, - "expressRouteConnection": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse", - "containers": [ - "properties" - ] - }, - "gatewayManagerEtag": { - "containers": [ - "properties" - ] - }, - "id": {}, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] - }, - "lastModifiedBy": { - "containers": [ - "properties" - ] + }, + "type": "array" }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", - "containers": [ - "properties" - ] + "id": { + "type": "string" }, - "name": {}, - "peerASN": { + "ipConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfile", + "type": "object" + }, + "type": "array" }, - "peeredConnections": { + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse": { + "properties": { + "containerNetworkInterfaces": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "peeringType": { - "containers": [ - "properties" - ] - }, - "primaryAzurePort": { + "etag": {}, + "id": {}, + "ipConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", + "type": "object" + } }, - "primaryPeerAddressPrefix": { + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, + "type": {} + } + }, + "azure-native_network_v20230201:network:ContainerNetworkInterfaceIpConfigurationResponse": { + "properties": { + "etag": {}, + "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "routeFilter": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": {} + } + }, + "azure-native_network_v20230201:network:ContainerNetworkInterfaceResponse": { + "properties": { + "container": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerResponse", "containers": [ "properties" ] }, - "secondaryAzurePort": { + "containerNetworkInterfaceConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse", "containers": [ "properties" ] }, - "secondaryPeerAddressPrefix": { + "etag": {}, + "id": {}, + "ipConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceIpConfigurationResponse", + "type": "object" + } }, - "sharedKey": { + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "state": { - "containers": [ - "properties" - ] + "type": {} + } + }, + "azure-native_network_v20230201:network:ContainerResponse": { + "properties": { + "id": {} + } + }, + "azure-native_network_v20230201:network:Criterion": { + "properties": { + "asPath": { + "items": { + "type": "string" + }, + "type": "array" }, - "stats": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse", - "containers": [ - "properties" - ] + "community": { + "items": { + "type": "string" + }, + "type": "array" }, - "type": {}, - "vlanId": { - "containers": [ - "properties" - ] + "matchCondition": { + "type": "string" + }, + "routePrefix": { + "items": { + "type": "string" + }, + "type": "array" } } }, - "azure-native_network_v20230201:network:ExpressRouteConnection": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:CriterionResponse": { + "properties": { + "asPath": { + "items": { "type": "string" } }, - { - "location": "path", - "name": "expressRouteGatewayName", - "required": true, - "value": { + "community": { + "items": { "type": "string" } }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "autoname": "copy", + "matchCondition": {}, + "routePrefix": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:CrossTenantScopesResponse": { + "properties": { + "managementGroups": { + "items": { "type": "string" } }, - { - "body": { - "properties": { - "authorizationKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "enableInternetSecurity": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringId", - "containers": [ - "properties" - ], - "type": "object" - }, - "expressRouteGatewayBypass": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "routingWeight": { - "containers": [ - "properties" - ], - "type": "integer" - } - }, - "required": [ - "expressRouteCircuitPeering", - "name" - ] - }, - "location": "body", - "name": "putExpressRouteConnectionParameters", - "required": true, - "value": {} + "subscriptions": { + "items": { + "type": "string" + } }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "tenantId": {} + } + }, + "azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormat": { + "properties": { + "fqdn": { + "type": "string" + }, + "ipAddresses": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse": { + "properties": { + "fqdn": {}, + "ipAddresses": { + "items": { "type": "string" } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}/expressRouteConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "authorizationKey": { - "containers": [ - "properties" - ] + } + }, + "azure-native_network_v20230201:network:DdosSettings": { + "properties": { + "ddosProtectionPlan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" }, - "enableInternetSecurity": { - "containers": [ - "properties" - ] + "protectionMode": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:DdosSettingsResponse": { + "properties": { + "ddosProtectionPlan": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse" }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" - ] + "protectionMode": {} + } + }, + "azure-native_network_v20230201:network:Delegation": { + "properties": { + "id": { + "type": "string" }, - "expressRouteCircuitPeering": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse", + "name": { + "type": "string" + }, + "serviceName": { "containers": [ "properties" - ] + ], + "type": "string" }, - "expressRouteGatewayBypass": { + "type": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:DelegationProperties": { + "properties": { + "serviceName": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:DelegationPropertiesResponse": { + "properties": { + "provisioningState": {}, + "serviceName": {} + } + }, + "azure-native_network_v20230201:network:DelegationResponse": { + "properties": { + "actions": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, + "etag": {}, "id": {}, "name": {}, "provisioningState": { @@ -41934,511 +77833,305 @@ "properties" ] }, - "routingConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "serviceName": { "containers": [ "properties" ] }, - "routingWeight": { - "containers": [ - "properties" - ] + "type": {} + } + }, + "azure-native_network_v20230201:network:DeviceProperties": { + "properties": { + "deviceModel": { + "type": "string" + }, + "deviceVendor": { + "type": "string" + }, + "linkSpeedInMbps": { + "type": "integer" } } }, - "azure-native_network_v20230201:network:ExpressRouteCrossConnectionPeering": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:DevicePropertiesResponse": { + "properties": { + "deviceModel": {}, + "deviceVendor": {}, + "linkSpeedInMbps": {} + } + }, + "azure-native_network_v20230201:network:DhcpOptions": { + "properties": { + "dnsServers": { + "items": { "type": "string" - } - }, - { - "location": "path", - "name": "crossConnectionName", - "required": true, - "value": { + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:DhcpOptionsResponse": { + "properties": { + "dnsServers": { + "items": { "type": "string" } + } + } + }, + "azure-native_network_v20230201:network:DnsSettings": { + "properties": { + "enableProxy": { + "type": "boolean" }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "requireProxyForNetworkRules": { + "type": "boolean" }, - { - "body": { - "properties": { - "gatewayManagerEtag": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", - "containers": [ - "properties" - ], - "type": "object" - }, - "name": { - "type": "string" - }, - "peerASN": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 1, - "type": "number" - }, - "peeringType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "primaryPeerAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "secondaryPeerAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sharedKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "state": { - "containers": [ - "properties" - ], - "type": "string" - }, - "vlanId": { - "containers": [ - "properties" - ], - "type": "integer" - } - } + "servers": { + "items": { + "type": "string" }, - "location": "body", - "name": "peeringParameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:DnsSettingsResponse": { + "properties": { + "enableProxy": {}, + "requireProxyForNetworkRules": {}, + "servers": { + "items": { "type": "string" } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteCrossConnections/{crossConnectionName}/peerings/{peeringName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "azureASN": { + } + }, + "azure-native_network_v20230201:network:EffectiveConnectivityConfigurationResponse": { + "properties": { + "appliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityGroupItemResponse", + "type": "object" + } }, - "etag": {}, - "gatewayManagerEtag": { - "containers": [ - "properties" - ] + "configurationGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", + "type": "object" + } }, - "id": {}, - "ipv6PeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", + "connectivityTopology": { "containers": [ "properties" ] }, - "lastModifiedBy": { + "deleteExistingPeering": { "containers": [ "properties" ] }, - "microsoftPeeringConfig": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", + "description": { "containers": [ "properties" ] }, - "name": {}, - "peerASN": { + "hubs": { + "arrayIdentifiers": [ + "resourceId" + ], "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:HubResponse", + "type": "object" + } }, - "peeringType": { + "id": {}, + "isGlobal": { "containers": [ "properties" ] }, - "primaryAzurePort": { + "provisioningState": { "containers": [ "properties" ] }, - "primaryPeerAddressPrefix": { + "resourceGuid": { "containers": [ "properties" ] - }, - "provisioningState": { + } + }, + "required": [ + "appliesToGroups", + "connectivityTopology" + ] + }, + "azure-native_network_v20230201:network:EffectiveDefaultSecurityAdminRuleResponse": { + "properties": { + "access": { "containers": [ "properties" ] }, - "secondaryAzurePort": { + "configurationDescription": {}, + "description": { "containers": [ "properties" ] }, - "secondaryPeerAddressPrefix": { + "destinationPortRanges": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, - "sharedKey": { + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" + } }, - "state": { + "direction": { "containers": [ "properties" ] }, - "vlanId": { + "flag": { "containers": [ "properties" ] - } - } - }, - "azure-native_network_v20230201:network:ExpressRouteGateway": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "expressRouteGatewayName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } }, - { - "body": { - "properties": { - "allowNonVirtualWanTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "autoScaleConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesAutoScaleConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "expressRouteConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnection", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubId", - "containers": [ - "properties" - ], - "type": "object" - } - }, - "required": [ - "virtualHub" - ] - }, - "location": "body", - "name": "putExpressRouteGatewayParameters", - "required": true, - "value": {} + "id": {}, + "kind": { + "const": "Default" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRouteGateways/{expressRouteGatewayName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "allowNonVirtualWanTraffic": { + "priority": { "containers": [ "properties" ] }, - "autoScaleConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration", + "protocol": { "containers": [ "properties" ] }, - "etag": {}, - "expressRouteConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionResponse", - "type": "object" - } - }, - "id": {}, - "location": {}, - "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubIdResponse", + "resourceGuid": { "containers": [ "properties" ] - } - } - }, - "azure-native_network_v20230201:network:ExpressRoutePort": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "ruleCollectionAppliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "type": "object" } }, - { - "location": "path", - "name": "expressRoutePortName", - "required": true, - "value": { - "autoname": "random", - "type": "string" + "ruleCollectionDescription": {}, + "ruleGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", + "type": "object" } }, - { - "body": { - "properties": { - "bandwidthInGbps": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "billingType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "encapsulation": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", - "type": "object" - }, - "links": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLink", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "peeringLocation": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ExpressRoutePorts/{expressRoutePortName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "allocationDate": { - "containers": [ - "properties" - ] - }, - "bandwidthInGbps": { - "containers": [ - "properties" - ] - }, - "billingType": { + "sourcePortRanges": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, - "circuits": { + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" } - }, - "encapsulation": { + } + }, + "required": [ + "kind" + ] + }, + "azure-native_network_v20230201:network:EffectiveSecurityAdminRuleResponse": { + "properties": { + "access": { "containers": [ "properties" ] }, - "etag": {}, - "etherType": { + "configurationDescription": {}, + "description": { "containers": [ "properties" ] }, - "id": {}, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } }, - "links": { + "destinations": { + "arrayIdentifiers": [ + "addressPrefix" + ], "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", "type": "object" } }, - "location": {}, - "mtu": { + "direction": { "containers": [ "properties" ] }, - "name": {}, - "peeringLocation": { + "id": {}, + "kind": { + "const": "Custom" + }, + "priority": { "containers": [ "properties" ] }, - "provisionedBandwidthInGbps": { + "protocol": { "containers": [ "properties" ] @@ -42453,72 +78146,199 @@ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" + "ruleCollectionAppliesToGroups": { + "arrayIdentifiers": [ + "networkGroupId" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse", + "type": "object" } }, - "type": {} - } - }, - "azure-native_network_v20230201:network:ExpressRoutePortAuthorization": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "ruleCollectionDescription": {}, + "ruleGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationGroupResponse", + "type": "object" } }, - { - "location": "path", - "name": "expressRoutePortName", - "required": true, - "value": { + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { "type": "string" } }, - { - "location": "path", - "name": "authorizationName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" + "sources": { + "arrayIdentifiers": [ + "addressPrefix" + ], + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixItemResponse", + "type": "object" } + } + }, + "required": [ + "access", + "direction", + "kind", + "priority", + "protocol" + ] + }, + "azure-native_network_v20230201:network:ExclusionManagedRule": { + "properties": { + "ruleId": { + "type": "string" + } + }, + "required": [ + "ruleId" + ] + }, + "azure-native_network_v20230201:network:ExclusionManagedRuleGroup": { + "properties": { + "ruleGroupName": { + "type": "string" }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - } - } + "rules": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRule", + "type": "object" }, - "location": "body", - "name": "authorizationParameters", - "required": true, - "value": {} + "type": "array" + } + }, + "required": [ + "ruleGroupName" + ] + }, + "azure-native_network_v20230201:network:ExclusionManagedRuleGroupResponse": { + "properties": { + "ruleGroupName": {}, + "rules": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRuleResponse", + "type": "object" + } + } + }, + "required": [ + "ruleGroupName" + ] + }, + "azure-native_network_v20230201:network:ExclusionManagedRuleResponse": { + "properties": { + "ruleId": {} + }, + "required": [ + "ruleId" + ] + }, + "azure-native_network_v20230201:network:ExclusionManagedRuleSet": { + "properties": { + "ruleGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRuleGroup", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" + "ruleSetType": { + "type": "string" + }, + "ruleSetVersion": { + "type": "string" + } + }, + "required": [ + "ruleSetType", + "ruleSetVersion" + ] + }, + "azure-native_network_v20230201:network:ExclusionManagedRuleSetResponse": { + "properties": { + "ruleGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRuleGroupResponse", + "type": "object" } + }, + "ruleSetType": {}, + "ruleSetVersion": {} + }, + "required": [ + "ruleSetType", + "ruleSetVersion" + ] + }, + "azure-native_network_v20230201:network:ExplicitProxy": { + "properties": { + "enableExplicitProxy": { + "type": "boolean" + }, + "enablePacFile": { + "type": "boolean" + }, + "httpPort": { + "maximum": 64000, + "minimum": 0, + "type": "integer" + }, + "httpsPort": { + "maximum": 64000, + "minimum": 0, + "type": "integer" + }, + "pacFile": { + "type": "string" + }, + "pacFilePort": { + "maximum": 64000, + "minimum": 0, + "type": "integer" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/expressRoutePorts/{expressRoutePortName}/authorizations/{authorizationName}", - "putAsyncStyle": "azure-async-operation", - "response": { + } + }, + "azure-native_network_v20230201:network:ExplicitProxyResponse": { + "properties": { + "enableExplicitProxy": {}, + "enablePacFile": {}, + "httpPort": {}, + "httpsPort": {}, + "pacFile": {}, + "pacFilePort": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitAuthorization": { + "properties": { + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "authorizationUseStatus": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitAuthorizationResponse": { + "properties": { "authorizationKey": { "containers": [ "properties" @@ -42529,11 +78349,6 @@ "properties" ] }, - "circuitResourceUri": { - "containers": [ - "properties" - ] - }, "etag": {}, "id": {}, "name": {}, @@ -42545,946 +78360,676 @@ "type": {} } }, - "azure-native_network_v20230201:network:FirewallPolicy": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ExpressRouteCircuitConnection": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "authorizationKey": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "body": { - "properties": { - "basePolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "dnsSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:DnsSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "explicitProxy": { - "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxy", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", - "type": "object" - }, - "insights": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsights", - "containers": [ - "properties" - ], - "type": "object" - }, - "intrusionDetection": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetection", - "containers": [ - "properties" - ], - "type": "object" - }, - "location": { - "type": "string" - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySku", - "containers": [ - "properties" - ], - "type": "object" - }, - "snat": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNAT", - "containers": [ - "properties" - ], - "type": "object" - }, - "sql": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQL", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "threatIntelMode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "threatIntelWhitelist": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelist", - "containers": [ - "properties" - ], - "type": "object" - }, - "transportSecurity": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurity", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "basePolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "id": { + "type": "string" + }, + "ipv6CircuitConnectionConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfig", "containers": [ "properties" - ] + ], + "type": "object" }, - "childPolicies": { + "name": { + "type": "string" + }, + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ] }, - "dnsSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:DnsSettingsResponse", + "authorizationKey": { "containers": [ "properties" ] }, - "etag": {}, - "explicitProxy": { - "$ref": "#/types/azure-native_network_v20230201:network:ExplicitProxyResponse", + "circuitConnectionStatus": { "containers": [ "properties" ] }, - "firewalls": { + "etag": {}, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + ] }, "id": {}, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" - }, - "insights": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyInsightsResponse", + "ipv6CircuitConnectionConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse", "containers": [ "properties" ] }, - "intrusionDetection": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionResponse", + "name": {}, + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "location": {}, - "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "ruleCollectionGroups": { + "type": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeering": { + "properties": { + "azureASN": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "connections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnection", "type": "object" - } + }, + "type": "array" }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySkuResponse", + "gatewayManagerEtag": { "containers": [ "properties" - ] + ], + "type": "string" }, - "snat": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySNATResponse", + "id": { + "type": "string" + }, + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig", "containers": [ "properties" - ] + ], + "type": "object" }, - "sql": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySQLResponse", + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", "containers": [ "properties" - ] + ], + "type": "object" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "name": { + "type": "string" }, - "threatIntelMode": { + "peerASN": { "containers": [ "properties" - ] + ], + "maximum": 4294967295, + "minimum": 1, + "type": "number" }, - "threatIntelWhitelist": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelistResponse", + "peeringType": { "containers": [ "properties" - ] + ], + "type": "string" }, - "transportSecurity": { - "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyTransportSecurityResponse", + "primaryAzurePort": { "containers": [ "properties" - ] + ], + "type": "string" }, - "type": {} - } - }, - "azure-native_network_v20230201:network:FirewallPolicyRuleCollectionGroup": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "primaryPeerAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "location": "path", - "name": "firewallPolicyName", - "required": true, - "value": { - "type": "string" - } + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" }, - { - "location": "path", - "name": "ruleCollectionGroupName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "secondaryAzurePort": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "priority": { - "containers": [ - "properties" - ], - "maximum": 65000, - "minimum": 100, - "type": "integer" - }, - "ruleCollections": { - "containers": [ - "properties" - ], - "items": { - "oneOf": [ - "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollection", - "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollection" - ] - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "secondaryPeerAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/firewallPolicies/{firewallPolicyName}/ruleCollectionGroups/{ruleCollectionGroupName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "priority": { + "sharedKey": { "containers": [ "properties" - ] + ], + "type": "string" }, - "provisioningState": { + "state": { "containers": [ "properties" - ] + ], + "type": "string" }, - "ruleCollections": { + "stats": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStats", "containers": [ "properties" ], - "items": { - "oneOf": [ - "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse", - "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse" - ] - } + "type": "object" }, - "type": {} + "vlanId": { + "containers": [ + "properties" + ], + "type": "integer" + } } }, - "azure-native_network_v20230201:network:FlowLog": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig": { + "properties": { + "advertisedCommunities": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { + "advertisedPublicPrefixes": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "flowLogName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "customerASN": { + "type": "integer" }, - { - "body": { - "properties": { - "enabled": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "flowAnalyticsConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "format": { - "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParameters", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "retentionPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParameters", - "containers": [ - "properties" - ], - "type": "object" - }, - "storageId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "targetResourceId": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "storageId", - "targetResourceId" - ] - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "legacyMode": { + "type": "integer" + }, + "routingRegistryName": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse": { + "properties": { + "advertisedCommunities": { + "items": { + "type": "string" + } }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "advertisedPublicPrefixes": { + "items": { "type": "string" } + }, + "advertisedPublicPrefixesState": {}, + "customerASN": {}, + "legacyMode": {}, + "routingRegistryName": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeeringId": { + "properties": { + "id": { + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/flowLogs/{flowLogName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "enabled": { + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse": { + "properties": { + "id": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse": { + "properties": { + "azureASN": { "containers": [ "properties" ] }, + "connections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitConnectionResponse", + "type": "object" + } + }, "etag": {}, - "flowAnalyticsConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse", + "expressRouteConnection": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse", "containers": [ "properties" ] }, - "format": { - "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParametersResponse", + "gatewayManagerEtag": { "containers": [ "properties" ] }, "id": {}, - "location": {}, - "name": {}, - "provisioningState": { + "ipv6PeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse", "containers": [ "properties" ] }, - "retentionPolicy": { - "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParametersResponse", + "lastModifiedBy": { "containers": [ "properties" ] }, - "storageId": { + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse", "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" + "name": {}, + "peerASN": { + "containers": [ + "properties" + ] + }, + "peeredConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse", + "type": "object" } }, - "targetResourceGuid": { + "peeringType": { "containers": [ "properties" ] }, - "targetResourceId": { + "primaryAzurePort": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native_network_v20230201:network:HubRouteTable": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "primaryPeerAddressPrefix": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "provisioningState": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "secondaryAzurePort": { + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "labels": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:HubRoute", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "routeTableParameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubRouteTables/{routeTableName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "associatedConnections": { + "secondaryPeerAddressPrefix": { "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, - "etag": {}, - "id": {}, - "labels": { + "sharedKey": { "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, - "name": {}, - "propagatingConnections": { + "state": { "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, - "provisioningState": { + "stats": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse", "containers": [ "properties" ] }, - "routes": { + "type": {}, + "vlanId": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:HubRouteResponse", - "type": "object" - } + ] + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderProperties": { + "properties": { + "bandwidthInMbps": { + "type": "integer" }, - "type": {} + "peeringLocation": { + "type": "string" + }, + "serviceProviderName": { + "type": "string" + } } }, - "azure-native_network_v20230201:network:HubVirtualNetworkConnection": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderPropertiesResponse": { + "properties": { + "bandwidthInMbps": {}, + "peeringLocation": {}, + "serviceProviderName": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitSku": { + "properties": { + "family": { + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "name": { + "type": "string" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } + "tier": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitSkuResponse": { + "properties": { + "family": {}, + "name": {}, + "tier": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitStats": { + "properties": { + "primarybytesIn": { + "type": "number" }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "primarybytesOut": { + "type": "number" }, - { - "body": { - "properties": { - "allowHubToRemoteVnetTransit": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "allowRemoteVnetToUseHubVnetGateways": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableInternetSecurity": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "hubVirtualNetworkConnectionParameters", - "required": true, - "value": {} + "secondarybytesIn": { + "type": "number" + }, + "secondarybytesOut": { + "type": "number" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/hubVirtualNetworkConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "allowHubToRemoteVnetTransit": { + } + }, + "azure-native_network_v20230201:network:ExpressRouteCircuitStatsResponse": { + "properties": { + "primarybytesIn": {}, + "primarybytesOut": {}, + "secondarybytesIn": {}, + "secondarybytesOut": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteConnection": { + "properties": { + "authorizationKey": { "containers": [ "properties" - ] + ], + "type": "string" }, - "allowRemoteVnetToUseHubVnetGateways": { + "enableInternetSecurity": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "enableInternetSecurity": { + "enablePrivateLinkFastPath": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringId", "containers": [ "properties" - ] + ], + "type": "object" }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "expressRouteGatewayBypass": { "containers": [ "properties" - ] + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" }, "routingConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", "containers": [ "properties" - ] + ], + "type": "object" + }, + "routingWeight": { + "containers": [ + "properties" + ], + "type": "integer" } + }, + "required": [ + "expressRouteCircuitPeering", + "name" + ] + }, + "azure-native_network_v20230201:network:ExpressRouteConnectionIdResponse": { + "properties": { + "id": {} } }, - "azure-native_network_v20230201:network:InboundNatRule": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "loadBalancerName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "inboundNatRuleName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "azure-native_network_v20230201:network:ExpressRouteConnectionResponse": { + "properties": { + "authorizationKey": { + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "backendAddressPool": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "backendPort": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "enableFloatingIP": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableTcpReset": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "frontendPort": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "frontendPortRangeEnd": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "frontendPortRangeStart": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "id": { - "type": "string" - }, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "name": { - "type": "string" - }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "inboundNatRuleParameters", - "required": true, - "value": {} + "enableInternetSecurity": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/inboundNatRules/{inboundNatRuleName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "backendAddressPool": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "enablePrivateLinkFastPath": { "containers": [ "properties" ] }, - "backendIPConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringIdResponse", "containers": [ "properties" ] }, - "backendPort": { + "expressRouteGatewayBypass": { "containers": [ "properties" ] }, - "enableFloatingIP": { + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "enableTcpReset": { + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "containers": [ "properties" ] }, - "etag": {}, - "frontendIPConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "routingWeight": { "containers": [ "properties" ] + } + }, + "required": [ + "expressRouteCircuitPeering", + "name" + ] + }, + "azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesAutoScaleConfiguration": { + "properties": { + "bounds": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesBounds", + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesBounds": { + "properties": { + "max": { + "type": "integer" }, - "frontendPort": { + "min": { + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseAutoScaleConfiguration": { + "properties": { + "bounds": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseBounds" + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteGatewayPropertiesResponseBounds": { + "properties": { + "max": {}, + "min": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteLink": { + "properties": { + "adminState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "macSecConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkMacSecConfig", + "containers": [ + "properties" + ], + "type": "object" + }, + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteLinkMacSecConfig": { + "properties": { + "cakSecretIdentifier": { + "type": "string" + }, + "cipher": { + "type": "string" + }, + "cknSecretIdentifier": { + "type": "string" + }, + "sciState": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ExpressRouteLinkMacSecConfigResponse": { + "properties": { + "cakSecretIdentifier": {}, + "cipher": {}, + "cknSecretIdentifier": {}, + "sciState": {} + } + }, + "azure-native_network_v20230201:network:ExpressRouteLinkResponse": { + "properties": { + "adminState": { "containers": [ "properties" ] }, - "frontendPortRangeEnd": { + "coloLocation": { "containers": [ "properties" ] }, - "frontendPortRangeStart": { + "connectorType": { "containers": [ "properties" ] }, + "etag": {}, "id": {}, - "idleTimeoutInMinutes": { + "interfaceName": { + "containers": [ + "properties" + ] + }, + "macSecConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkMacSecConfigResponse", "containers": [ "properties" ] }, "name": {}, - "protocol": { + "patchPanelId": { "containers": [ "properties" ] @@ -43494,140 +79039,606 @@ "properties" ] }, + "rackId": { + "containers": [ + "properties" + ] + }, + "routerName": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:ExtendedLocation": { + "properties": { + "name": { + "type": "string" + }, + "type": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ExtendedLocationResponse": { + "properties": { + "name": {}, "type": {} } }, - "azure-native_network_v20230201:network:IpAllocation": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:FilterItems": { + "properties": { + "field": { + "type": "string" + }, + "values": { + "items": { "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyCertificateAuthority": { + "properties": { + "keyVaultSecretId": { + "type": "string" + }, + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyCertificateAuthorityResponse": { + "properties": { + "keyVaultSecretId": {}, + "name": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollection": { + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionAction", + "type": "object" + }, + "name": { + "type": "string" + }, + "priority": { + "maximum": 65000, + "minimum": 100, + "type": "integer" + }, + "ruleCollectionType": { + "const": "FirewallPolicyFilterRuleCollection", + "type": "string" + }, + "rules": { + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:ApplicationRule", + "#/types/azure-native_network_v20230201:network:NatRule", + "#/types/azure-native_network_v20230201:network:NetworkRule" + ] + }, + "type": "array" + } + }, + "required": [ + "ruleCollectionType" + ] + }, + "azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionAction": { + "properties": { + "type": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionActionResponse": { + "properties": { + "type": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse": { + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionActionResponse" + }, + "name": {}, + "priority": {}, + "ruleCollectionType": { + "const": "FirewallPolicyFilterRuleCollection" + }, + "rules": { + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:ApplicationRuleResponse", + "#/types/azure-native_network_v20230201:network:NatRuleResponse", + "#/types/azure-native_network_v20230201:network:NetworkRuleResponse" + ] } + } + }, + "required": [ + "ruleCollectionType" + ] + }, + "azure-native_network_v20230201:network:FirewallPolicyHttpHeaderToInsert": { + "properties": { + "headerName": { + "type": "string" }, - { - "location": "path", - "name": "ipAllocationName", - "required": true, - "value": { - "autoname": "random", + "headerValue": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyHttpHeaderToInsertResponse": { + "properties": { + "headerName": {}, + "headerValue": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicyInsights": { + "properties": { + "isEnabled": { + "type": "boolean" + }, + "logAnalyticsResources": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsResources", + "type": "object" + }, + "retentionDays": { + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyInsightsResponse": { + "properties": { + "isEnabled": {}, + "logAnalyticsResources": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsResourcesResponse" + }, + "retentionDays": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetection": { + "properties": { + "configuration": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionConfiguration", + "type": "object" + }, + "mode": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionBypassTrafficSpecifications": { + "properties": { + "description": { + "type": "string" + }, + "destinationAddresses": { + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationIpGroups": { + "items": { + "type": "string" + }, + "type": "array" + }, + "destinationPorts": { + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "protocol": { + "type": "string" + }, + "sourceAddresses": { + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceIpGroups": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionBypassTrafficSpecificationsResponse": { + "properties": { + "description": {}, + "destinationAddresses": { + "items": { "type": "string" } }, - { - "body": { - "properties": { - "allocationTags": { - "additionalProperties": { - "type": "string" - }, - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "ipamAllocationId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "location": { - "type": "string" - }, - "prefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "prefixLength": { - "containers": [ - "properties" - ], - "default": 0, - "type": "integer" - }, - "prefixType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "type": { - "containers": [ - "properties" - ], - "type": "string" - } - } + "destinationIpGroups": { + "items": { + "type": "string" + } + }, + "destinationPorts": { + "items": { + "type": "string" + } + }, + "name": {}, + "protocol": {}, + "sourceAddresses": { + "items": { + "type": "string" + } + }, + "sourceIpGroups": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionConfiguration": { + "properties": { + "bypassTrafficSettings": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionBypassTrafficSpecifications", + "type": "object" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" + }, + "privateRanges": { + "items": { + "type": "string" + }, + "type": "array" + }, + "signatureOverrides": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionSignatureSpecification", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionConfigurationResponse": { + "properties": { + "bypassTrafficSettings": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionBypassTrafficSpecificationsResponse", + "type": "object" + } + }, + "privateRanges": { + "items": { + "type": "string" + } + }, + "signatureOverrides": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionSignatureSpecificationResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionResponse": { + "properties": { + "configuration": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionConfigurationResponse" + }, + "mode": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionSignatureSpecification": { + "properties": { + "id": { + "type": "string" + }, + "mode": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionSignatureSpecificationResponse": { + "properties": { + "id": {}, + "mode": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsResources": { + "properties": { + "defaultWorkspaceId": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "workspaces": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsWorkspace", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsResourcesResponse": { + "properties": { + "defaultWorkspaceId": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse" + }, + "workspaces": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsWorkspaceResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsWorkspace": { + "properties": { + "region": { + "type": "string" + }, + "workspaceId": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsWorkspaceResponse": { + "properties": { + "region": {}, + "workspaceId": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyNatRuleCollection": { + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionAction", + "type": "object" + }, + "name": { + "type": "string" + }, + "priority": { + "maximum": 65000, + "minimum": 100, + "type": "integer" + }, + "ruleCollectionType": { + "const": "FirewallPolicyNatRuleCollection", + "type": "string" + }, + "rules": { + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:ApplicationRule", + "#/types/azure-native_network_v20230201:network:NatRule", + "#/types/azure-native_network_v20230201:network:NetworkRule" + ] + }, + "type": "array" + } + }, + "required": [ + "ruleCollectionType" + ] + }, + "azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionAction": { + "properties": { + "type": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionActionResponse": { + "properties": { + "type": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse": { + "properties": { + "action": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionActionResponse" + }, + "name": {}, + "priority": {}, + "ruleCollectionType": { + "const": "FirewallPolicyNatRuleCollection" + }, + "rules": { + "items": { + "oneOf": [ + "#/types/azure-native_network_v20230201:network:ApplicationRuleResponse", + "#/types/azure-native_network_v20230201:network:NatRuleResponse", + "#/types/azure-native_network_v20230201:network:NetworkRuleResponse" + ] + } + } + }, + "required": [ + "ruleCollectionType" + ] + }, + "azure-native_network_v20230201:network:FirewallPolicyRuleApplicationProtocol": { + "properties": { + "port": { + "maximum": 64000, + "minimum": 0, + "type": "integer" + }, + "protocolType": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyRuleApplicationProtocolResponse": { + "properties": { + "port": {}, + "protocolType": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicySNAT": { + "properties": { + "autoLearnPrivateRanges": { + "type": "string" + }, + "privateRanges": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicySNATResponse": { + "properties": { + "autoLearnPrivateRanges": {}, + "privateRanges": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicySQL": { + "properties": { + "allowSqlRedirect": { + "type": "boolean" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicySQLResponse": { + "properties": { + "allowSqlRedirect": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicySku": { + "properties": { + "tier": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicySkuResponse": { + "properties": { + "tier": {} + } + }, + "azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelist": { + "properties": { + "fqdns": { + "items": { + "type": "string" + }, + "type": "array" + }, + "ipAddresses": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelistResponse": { + "properties": { + "fqdns": { + "items": { + "type": "string" + } }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "ipAddresses": { + "items": { "type": "string" } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/IpAllocations/{ipAllocationName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "allocationTags": { - "additionalProperties": { - "type": "string" - }, + } + }, + "azure-native_network_v20230201:network:FirewallPolicyTransportSecurity": { + "properties": { + "certificateAuthority": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyCertificateAuthority", + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:FirewallPolicyTransportSecurityResponse": { + "properties": { + "certificateAuthority": { + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyCertificateAuthorityResponse" + } + } + }, + "azure-native_network_v20230201:network:FlowLogFormatParameters": { + "properties": { + "type": { + "type": "string" + }, + "version": { + "default": 0, + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:FlowLogFormatParametersResponse": { + "properties": { + "type": {}, + "version": { + "default": 0 + } + } + }, + "azure-native_network_v20230201:network:FlowLogResponse": { + "properties": { + "enabled": { "containers": [ "properties" ] }, "etag": {}, - "id": {}, - "ipamAllocationId": { + "flowAnalyticsConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse", "containers": [ "properties" ] }, - "location": {}, - "name": {}, - "prefix": { + "format": { + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatParametersResponse", "containers": [ "properties" ] }, - "prefixLength": { + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "default": 0 + ] }, - "prefixType": { + "retentionPolicy": { + "$ref": "#/types/azure-native_network_v20230201:network:RetentionPolicyParametersResponse", "containers": [ "properties" ] }, - "subnet": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "storageId": { "containers": [ "properties" ] @@ -43637,464 +79648,104 @@ "type": "string" } }, - "type": {}, - "virtualNetwork": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "targetResourceGuid": { "containers": [ "properties" ] - } - } - }, - "azure-native_network_v20230201:network:IpGroup": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "ipGroupsName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "ipAddresses": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ipGroups/{ipGroupsName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "firewallPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } - }, - "firewalls": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } - }, - "id": {}, - "ipAddresses": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - } }, - "location": {}, - "name": {}, - "provisioningState": { + "targetResourceId": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, "type": {} - } + }, + "required": [ + "storageId", + "targetResourceId" + ] }, - "azure-native_network_v20230201:network:LoadBalancer": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "loadBalancerName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - }, - { - "body": { - "properties": { - "backendAddressPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPool", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", - "type": "object" - }, - "frontendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "inboundNatPools": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPool", - "type": "object" - }, - "type": "array" - }, - "inboundNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRule", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "loadBalancingRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRule", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "outboundRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:OutboundRule", - "type": "object" - }, - "type": "array" - }, - "probes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:Probe", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSku", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "backendAddressPools": { + "azure-native_network_v20230201:network:FrontendIPConfiguration": { + "properties": { + "gatewayLoadBalancer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPoolResponse", - "type": "object" - } + "type": "object" }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "id": { + "type": "string" }, - "frontendIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", - "type": "object" - } + "name": { + "type": "string" }, - "id": {}, - "inboundNatPools": { + "privateIPAddress": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:InboundNatPoolResponse", - "type": "object" - } + "type": "string" }, - "inboundNatRules": { + "privateIPAddressVersion": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRuleResponse", - "type": "object" - } + "type": "string" }, - "loadBalancingRules": { + "privateIPAllocationMethod": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancingRuleResponse", - "type": "object" - } + "type": "string" }, - "location": {}, - "name": {}, - "outboundRules": { + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:OutboundRuleResponse", - "type": "object" - } + "type": "object" }, - "probes": { + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ProbeResponse", - "type": "object" - } - }, - "provisioningState": { - "containers": [ - "properties" - ] + "type": "object" }, - "resourceGuid": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", "containers": [ "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSkuResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native_network_v20230201:network:LoadBalancerBackendAddressPool": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "loadBalancerName", - "required": true, - "value": { - "type": "string" - } + ], + "type": "object" }, - { - "location": "path", - "name": "backendAddressPoolName", - "required": true, - "value": { - "autoname": "copy", + "zones": { + "items": { "type": "string" - } - }, - { - "body": { - "properties": { - "drainPeriodInSeconds": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "id": { - "type": "string" - }, - "loadBalancerBackendAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddress", - "type": "object" - }, - "type": "array" - }, - "location": { - "containers": [ - "properties" - ], - "type": "string" - }, - "name": { - "type": "string" - }, - "tunnelInterfaces": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterface", - "type": "object" - }, - "type": "array" - }, - "virtualNetwork": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - } }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "type": "array" } - ], - "apiVersion": "2023-02-01", - "autoLocationDisabled": true, - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/loadBalancers/{loadBalancerName}/backendAddressPools/{backendAddressPoolName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "backendIPConfigurations": { + } + }, + "azure-native_network_v20230201:network:FrontendIPConfigurationResponse": { + "properties": { + "etag": {}, + "gatewayLoadBalancer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "inboundNatPools": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "drainPeriodInSeconds": { - "containers": [ - "properties" - ] - }, - "etag": {}, - "id": {}, "inboundNatRules": { "containers": [ "properties" @@ -44104,16 +79755,17 @@ "type": "object" } }, - "loadBalancerBackendAddresses": { + "loadBalancingRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "loadBalancingRules": { + "name": {}, + "outboundRules": { "containers": [ "properties" ], @@ -44122,1208 +79774,1125 @@ "type": "object" } }, - "location": { + "privateIPAddress": { "containers": [ "properties" ] }, - "name": {}, - "outboundRule": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "privateIPAddressVersion": { "containers": [ "properties" ] }, - "outboundRules": { + "privateIPAllocationMethod": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + ] }, "provisioningState": { "containers": [ "properties" ] }, - "tunnelInterfaces": { + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse", - "type": "object" - } + ] }, - "type": {}, - "virtualNetwork": { + "publicIPPrefix": { "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "containers": [ + "properties" + ] + }, + "type": {}, + "zones": { + "items": { + "type": "string" + } } } }, - "azure-native_network_v20230201:network:LocalNetworkGateway": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfiguration": { + "properties": { + "customBgpIpAddress": { + "type": "string" + }, + "ipConfigurationId": { + "type": "string" + } + }, + "required": [ + "customBgpIpAddress", + "ipConfigurationId" + ] + }, + "azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse": { + "properties": { + "customBgpIpAddress": {}, + "ipConfigurationId": {} + }, + "required": [ + "customBgpIpAddress", + "ipConfigurationId" + ] + }, + "azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterface": { + "properties": { + "identifier": { + "type": "integer" + }, + "port": { + "type": "integer" + }, + "protocol": { + "type": "string" + }, + "type": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceResponse": { + "properties": { + "identifier": {}, + "port": {}, + "protocol": {}, + "type": {} + } + }, + "azure-native_network_v20230201:network:GatewayRouteResponse": { + "properties": { + "asPath": {}, + "localAddress": {}, + "network": {}, + "nextHop": {}, + "origin": {}, + "sourcePeer": {}, + "weight": {} + } + }, + "azure-native_network_v20230201:network:GroupByUserSession": { + "properties": { + "groupByVariables": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GroupByVariable", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "groupByVariables" + ] + }, + "azure-native_network_v20230201:network:GroupByUserSessionResponse": { + "properties": { + "groupByVariables": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GroupByVariableResponse", + "type": "object" + } + } + }, + "required": [ + "groupByVariables" + ] + }, + "azure-native_network_v20230201:network:GroupByVariable": { + "properties": { + "variableName": { + "type": "string" + } + }, + "required": [ + "variableName" + ] + }, + "azure-native_network_v20230201:network:GroupByVariableResponse": { + "properties": { + "variableName": {} + }, + "required": [ + "variableName" + ] + }, + "azure-native_network_v20230201:network:HTTPHeader": { + "properties": { + "name": { + "type": "string" + }, + "value": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:HTTPHeaderResponse": { + "properties": { + "name": {}, + "value": {} + } + }, + "azure-native_network_v20230201:network:Hub": { + "properties": { + "resourceId": { + "type": "string" + }, + "resourceType": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:HubIPAddresses": { + "properties": { + "privateIPAddress": { + "type": "string" + }, + "publicIPs": { + "$ref": "#/types/azure-native_network_v20230201:network:HubPublicIPAddresses", + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:HubIPAddressesResponse": { + "properties": { + "privateIPAddress": {}, + "publicIPs": { + "$ref": "#/types/azure-native_network_v20230201:network:HubPublicIPAddressesResponse" + } + } + }, + "azure-native_network_v20230201:network:HubPublicIPAddresses": { + "properties": { + "addresses": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallPublicIPAddress", + "type": "object" + }, + "type": "array" + }, + "count": { + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:HubPublicIPAddressesResponse": { + "properties": { + "addresses": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallPublicIPAddressResponse", + "type": "object" } }, - { - "location": "path", - "name": "localNetworkGatewayName", - "required": true, - "value": { - "autoname": "random", - "minLength": 1, + "count": {} + } + }, + "azure-native_network_v20230201:network:HubResponse": { + "properties": { + "resourceId": {}, + "resourceType": {} + } + }, + "azure-native_network_v20230201:network:HubRoute": { + "properties": { + "destinationType": { + "type": "string" + }, + "destinations": { + "items": { + "type": "string" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "nextHop": { + "type": "string" + }, + "nextHopType": { + "type": "string" + } + }, + "required": [ + "destinationType", + "destinations", + "name", + "nextHop", + "nextHopType" + ] + }, + "azure-native_network_v20230201:network:HubRouteResponse": { + "properties": { + "destinationType": {}, + "destinations": { + "items": { "type": "string" } }, - { - "body": { - "properties": { - "bgpSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "fqdn": { - "containers": [ - "properties" - ], - "type": "string" - }, - "gatewayIpAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "localNetworkAddressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } + "name": {}, + "nextHop": {}, + "nextHopType": {} + }, + "required": [ + "destinationType", + "destinations", + "name", + "nextHop", + "nextHopType" + ] + }, + "azure-native_network_v20230201:network:IPConfigurationBgpPeeringAddress": { + "properties": { + "customBgpIpAddresses": { + "items": { + "type": "string" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "ipconfigurationId": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:IPConfigurationBgpPeeringAddressResponse": { + "properties": { + "customBgpIpAddresses": { + "items": { + "type": "string" + } + }, + "defaultBgpIpAddresses": { + "items": { + "type": "string" + } + }, + "ipconfigurationId": {}, + "tunnelIpAddresses": { + "items": { "type": "string" } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/localNetworkGateways/{localNetworkGatewayName}", - "putAsyncStyle": "azure-async-operation", - "requiredContainers": [ - [ - "properties" - ] - ], - "response": { - "bgpSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + } + }, + "azure-native_network_v20230201:network:IPConfigurationProfile": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", "containers": [ "properties" - ] - }, + ], + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:IPConfigurationProfileResponse": { + "properties": { "etag": {}, - "fqdn": { + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "gatewayIpAddress": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "containers": [ "properties" ] }, + "type": {} + } + }, + "azure-native_network_v20230201:network:IPConfigurationResponse": { + "properties": { + "etag": {}, "id": {}, - "localNetworkAddressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "name": {}, + "privateIPAddress": { "containers": [ "properties" ] }, - "location": {}, - "name": {}, + "privateIPAllocationMethod": { + "containers": [ + "properties" + ], + "default": "Dynamic" + }, "provisioningState": { "containers": [ "properties" ] }, - "resourceGuid": { + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "containers": [ + "properties" + ] + } } }, - "azure-native_network_v20230201:network:ManagementGroupNetworkManagerConnection": { - "PUT": [ - { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "networkManagerId": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "managementGroupId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerConnectionName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "path": "/providers/Microsoft.Management/managementGroups/{managementGroupId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "response": { - "description": { + "azure-native_network_v20230201:network:InboundNatPool": { + "properties": { + "backendPort": { "containers": [ "properties" - ] + ], + "type": "integer" }, - "etag": {}, - "id": {}, - "name": {}, - "networkManagerId": { + "enableFloatingIP": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "enableTcpReset": { + "containers": [ + "properties" + ], + "type": "boolean" }, - "type": {} - } - }, - "azure-native_network_v20230201:network:NatGateway": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" }, - { - "location": "path", - "name": "natGatewayName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "frontendPortRangeEnd": { + "containers": [ + "properties" + ], + "type": "integer" }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "location": { - "type": "string" - }, - "publicIpAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "type": "object" - }, - "type": "array" - }, - "publicIpPrefixes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "type": "object" - }, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySku", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "frontendPortRangeStart": { + "containers": [ + "properties" + ], + "type": "integer" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "name": { + "type": "string" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/natGateways/{natGatewayName}", - "putAsyncStyle": "azure-async-operation", - "response": { + }, + "required": [ + "backendPort", + "frontendPortRangeEnd", + "frontendPortRangeStart", + "protocol" + ] + }, + "azure-native_network_v20230201:network:InboundNatPoolResponse": { + "properties": { + "backendPort": { + "containers": [ + "properties" + ] + }, + "enableFloatingIP": { + "containers": [ + "properties" + ] + }, + "enableTcpReset": { + "containers": [ + "properties" + ] + }, "etag": {}, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "frontendPortRangeEnd": { + "containers": [ + "properties" + ] + }, + "frontendPortRangeStart": { + "containers": [ + "properties" + ] + }, "id": {}, "idleTimeoutInMinutes": { "containers": [ "properties" ] }, - "location": {}, "name": {}, + "protocol": { + "containers": [ + "properties" + ] + }, "provisioningState": { "containers": [ "properties" ] }, - "publicIpAddresses": { + "type": {} + }, + "required": [ + "backendPort", + "frontendPortRangeEnd", + "frontendPortRangeStart", + "protocol" + ] + }, + "azure-native_network_v20230201:network:InboundNatRule": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "type": "object" }, - "publicIpPrefixes": { + "backendPort": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "type": "integer" }, - "resourceGuid": { + "enableFloatingIP": { "containers": [ "properties" - ] - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySkuResponse" + ], + "type": "boolean" }, - "subnets": { + "enableTcpReset": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "zones": { - "items": { - "type": "string" - } - } - } - }, - "azure-native_network_v20230201:network:NatRule": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "type": "boolean" }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" - } + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" }, - { - "location": "path", - "name": "natRuleName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "frontendPort": { + "containers": [ + "properties" + ], + "type": "integer" }, - { - "body": { - "properties": { - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "internalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "ipConfigurationId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "mode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "name": { - "type": "string" - }, - "type": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "NatRuleParameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/natRules/{natRuleName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "egressVpnSiteLinkConnections": { + "frontendPortRangeEnd": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "type": "integer" }, - "etag": {}, - "externalMappings": { + "frontendPortRangeStart": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", - "type": "object" - } + "type": "integer" }, - "id": {}, - "ingressVpnSiteLinkConnections": { + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "type": "integer" }, - "internalMappings": { + "name": { + "type": "string" + }, + "protocol": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", - "type": "object" - } + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:InboundNatRuleResponse": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "ipConfigurationId": { + "backendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "containers": [ "properties" ] }, - "mode": { + "backendPort": { "containers": [ "properties" ] }, - "name": {}, - "provisioningState": { + "enableFloatingIP": { "containers": [ "properties" ] }, - "type": {} - } - }, - "azure-native_network_v20230201:network:NetworkGroup": { - "PUT": [ - { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "enableTcpReset": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "etag": {}, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "frontendPort": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "frontendPortRangeEnd": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "networkGroupName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}", - "response": { - "description": { + "frontendPortRangeStart": { "containers": [ "properties" ] }, - "etag": {}, "id": {}, - "name": {}, - "provisioningState": { + "idleTimeoutInMinutes": { "containers": [ "properties" ] }, - "resourceGuid": { + "name": {}, + "protocol": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "provisioningState": { + "containers": [ + "properties" + ] }, "type": {} } }, - "azure-native_network_v20230201:network:NetworkInterface": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:IpTag": { + "properties": { + "ipTagType": { + "type": "string" }, - { - "location": "path", - "name": "networkInterfaceName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "tag": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:IpTagResponse": { + "properties": { + "ipTagType": {}, + "tag": {} + } + }, + "azure-native_network_v20230201:network:IpsecPolicy": { + "properties": { + "dhGroup": { + "type": "string" }, - { - "body": { - "properties": { - "auxiliaryMode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "auxiliarySku": { - "containers": [ - "properties" - ], - "type": "string" - }, - "disableTcpStateTracking": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "dnsSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "enableAcceleratedNetworking": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableIPForwarding": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", - "type": "object" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "migrationPhase": { - "containers": [ - "properties" - ], - "type": "string" - }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroup", - "containers": [ - "properties" - ], - "type": "object" - }, - "nicType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "privateLinkService": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkService", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "workloadType": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "ikeEncryption": { + "type": "string" + }, + "ikeIntegrity": { + "type": "string" + }, + "ipsecEncryption": { + "type": "string" + }, + "ipsecIntegrity": { + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "pfsGroup": { + "type": "string" + }, + "saDataSizeKilobytes": { + "type": "integer" + }, + "saLifeTimeSeconds": { + "type": "integer" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "auxiliaryMode": { + }, + "required": [ + "dhGroup", + "ikeEncryption", + "ikeIntegrity", + "ipsecEncryption", + "ipsecIntegrity", + "pfsGroup", + "saDataSizeKilobytes", + "saLifeTimeSeconds" + ] + }, + "azure-native_network_v20230201:network:IpsecPolicyResponse": { + "properties": { + "dhGroup": {}, + "ikeEncryption": {}, + "ikeIntegrity": {}, + "ipsecEncryption": {}, + "ipsecIntegrity": {}, + "pfsGroup": {}, + "saDataSizeKilobytes": {}, + "saLifeTimeSeconds": {} + }, + "required": [ + "dhGroup", + "ikeEncryption", + "ikeIntegrity", + "ipsecEncryption", + "ipsecIntegrity", + "pfsGroup", + "saDataSizeKilobytes", + "saLifeTimeSeconds" + ] + }, + "azure-native_network_v20230201:network:Ipv6CircuitConnectionConfig": { + "properties": { + "addressPrefix": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:Ipv6CircuitConnectionConfigResponse": { + "properties": { + "addressPrefix": {}, + "circuitConnectionStatus": {} + } + }, + "azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfig": { + "properties": { + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfig", + "type": "object" + }, + "primaryPeerAddressPrefix": { + "type": "string" + }, + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "secondaryPeerAddressPrefix": { + "type": "string" + }, + "state": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:Ipv6ExpressRouteCircuitPeeringConfigResponse": { + "properties": { + "microsoftPeeringConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringConfigResponse" + }, + "primaryPeerAddressPrefix": {}, + "routeFilter": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse" + }, + "secondaryPeerAddressPrefix": {}, + "state": {} + } + }, + "azure-native_network_v20230201:network:LoadBalancerBackendAddress": { + "properties": { + "adminState": { "containers": [ "properties" - ] + ], + "type": "string" }, - "auxiliarySku": { + "ipAddress": { "containers": [ "properties" - ] + ], + "type": "string" }, - "disableTcpStateTracking": { + "loadBalancerFrontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "name": { + "type": "string" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse": { + "properties": { + "adminState": { "containers": [ "properties" ] }, - "dnsSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse", + "inboundNatRulesPortMapping": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NatRulePortMappingResponse", + "type": "object" + } + }, + "ipAddress": { "containers": [ "properties" ] }, - "dscpConfiguration": { + "loadBalancerFrontendIPConfiguration": { "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "enableAcceleratedNetworking": { + "name": {}, + "networkInterfaceIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "enableIPForwarding": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "virtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:LoadBalancerSku": { + "properties": { + "name": { + "type": "string" }, - "hostedWorkloads": { + "tier": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:LoadBalancerSkuResponse": { + "properties": { + "name": {}, + "tier": {} + } + }, + "azure-native_network_v20230201:network:LoadBalancingRule": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "type": "string" - } + "type": "object" }, - "id": {}, - "ipConfigurations": { + "backendAddressPools": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" - } + }, + "type": "array" }, - "location": {}, - "macAddress": { + "backendPort": { "containers": [ "properties" - ] + ], + "type": "integer" }, - "migrationPhase": { + "disableOutboundSnat": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "name": {}, - "networkSecurityGroup": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", + "enableFloatingIP": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "nicType": { + "enableTcpReset": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "primary": { + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" - ] + ], + "type": "object" }, - "privateEndpoint": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "frontendPort": { "containers": [ "properties" - ] + ], + "type": "integer" }, - "privateLinkService": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceResponse", + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { "containers": [ "properties" - ] + ], + "type": "integer" }, - "provisioningState": { + "loadDistribution": { "containers": [ "properties" - ] + ], + "type": "string" }, - "resourceGuid": { + "name": { + "type": "string" + }, + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" - ] + ], + "type": "object" }, - "tags": { - "additionalProperties": { - "type": "string" - } + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + } + }, + "required": [ + "frontendPort", + "protocol" + ] + }, + "azure-native_network_v20230201:network:LoadBalancingRuleResponse": { + "properties": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "tapConfigurations": { + "backendAddressPools": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "type": {}, - "virtualMachine": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "backendPort": { "containers": [ "properties" ] }, - "vnetEncryptionSupported": { + "disableOutboundSnat": { "containers": [ "properties" ] }, - "workloadType": { + "enableFloatingIP": { "containers": [ "properties" ] - } - } - }, - "azure-native_network_v20230201:network:NetworkInterfaceTapConfiguration": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkInterfaceName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "tapConfigurationName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "virtualNetworkTap": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTap", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "tapConfigurationParameters", - "required": true, - "value": {} }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkInterfaces/{networkInterfaceName}/tapConfigurations/{tapConfigurationName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { + "enableTcpReset": { "containers": [ "properties" ] }, - "type": {}, - "virtualNetworkTap": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", + "etag": {}, + "frontendIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] - } - } - }, - "azure-native_network_v20230201:network:NetworkManager": { - "PUT": [ - { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "networkManagerScopeAccesses": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "networkManagerScopes": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesNetworkManagerScopes", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - }, - "required": [ - "networkManagerScopeAccesses", - "networkManagerScopes" - ] - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}", - "response": { - "description": { + "frontendPort": { "containers": [ "properties" ] }, - "etag": {}, "id": {}, - "location": {}, - "name": {}, - "networkManagerScopeAccesses": { + "idleTimeoutInMinutes": { "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, - "networkManagerScopes": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkManagerPropertiesResponseNetworkManagerScopes", + "loadDistribution": { "containers": [ "properties" ] }, - "provisioningState": { + "name": {}, + "probe": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "resourceGuid": { + "protocol": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } + "provisioningState": { + "containers": [ + "properties" + ] }, "type": {} - } + }, + "required": [ + "frontendPort", + "protocol" + ] }, - "azure-native_network_v20230201:network:NetworkProfile": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkProfileName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - }, - { - "body": { - "properties": { - "containerNetworkInterfaceConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfiguration", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkProfiles/{networkProfileName}", - "response": { - "containerNetworkInterfaceConfigurations": { + "azure-native_network_v20230201:network:LocalNetworkGateway": { + "properties": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "fqdn": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceConfigurationResponse", - "type": "object" - } + "type": "string" }, - "containerNetworkInterfaces": { + "gatewayIpAddress": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ContainerNetworkInterfaceResponse", - "type": "object" - } + "type": "string" + }, + "id": { + "type": "string" + }, + "localNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:LocalNetworkGatewayResponse": { + "properties": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "containers": [ + "properties" + ] }, "etag": {}, + "fqdn": { + "containers": [ + "properties" + ] + }, + "gatewayIpAddress": { + "containers": [ + "properties" + ] + }, "id": {}, + "localNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, "location": {}, "name": {}, "provisioningState": { @@ -45344,140 +80913,353 @@ "type": {} } }, - "azure-native_network_v20230201:network:NetworkSecurityGroup": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "azure-native_network_v20230201:network:ManagedRuleGroupOverride": { + "properties": { + "ruleGroupName": { + "type": "string" + }, + "rules": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleOverride", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "ruleGroupName" + ] + }, + "azure-native_network_v20230201:network:ManagedRuleGroupOverrideResponse": { + "properties": { + "ruleGroupName": {}, + "rules": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleOverrideResponse", + "type": "object" } + } + }, + "required": [ + "ruleGroupName" + ] + }, + "azure-native_network_v20230201:network:ManagedRuleOverride": { + "properties": { + "action": { + "type": "string" }, - { - "location": "path", - "name": "networkSecurityGroupName", - "required": true, - "value": { - "autoname": "random", - "type": "string" + "ruleId": { + "type": "string" + }, + "state": { + "type": "string" + } + }, + "required": [ + "ruleId" + ] + }, + "azure-native_network_v20230201:network:ManagedRuleOverrideResponse": { + "properties": { + "action": {}, + "ruleId": {}, + "state": {} + }, + "required": [ + "ruleId" + ] + }, + "azure-native_network_v20230201:network:ManagedRuleSet": { + "properties": { + "ruleGroupOverrides": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleGroupOverride", + "type": "object" + }, + "type": "array" + }, + "ruleSetType": { + "type": "string" + }, + "ruleSetVersion": { + "type": "string" + } + }, + "required": [ + "ruleSetType", + "ruleSetVersion" + ] + }, + "azure-native_network_v20230201:network:ManagedRuleSetResponse": { + "properties": { + "ruleGroupOverrides": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleGroupOverrideResponse", + "type": "object" } }, - { - "body": { - "properties": { - "flushConnection": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "securityRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SecurityRule", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } + "ruleSetType": {}, + "ruleSetVersion": {} + }, + "required": [ + "ruleSetType", + "ruleSetVersion" + ] + }, + "azure-native_network_v20230201:network:ManagedRulesDefinition": { + "properties": { + "exclusions": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:OwaspCrsExclusionEntry", + "type": "object" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "managedRuleSets": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleSet", + "type": "object" + }, + "type": "array" + } + }, + "required": [ + "managedRuleSets" + ] + }, + "azure-native_network_v20230201:network:ManagedRulesDefinitionResponse": { + "properties": { + "exclusions": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:OwaspCrsExclusionEntryResponse", + "type": "object" + } + }, + "managedRuleSets": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleSetResponse", + "type": "object" + } + } + }, + "required": [ + "managedRuleSets" + ] + }, + "azure-native_network_v20230201:network:ManagedServiceIdentity": { + "properties": { + "type": { + "type": "string" + }, + "userAssignedIdentities": { + "isStringSet": true, + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:ManagedServiceIdentityResponse": { + "properties": { + "principalId": {}, + "tenantId": {}, + "type": {}, + "userAssignedIdentities": { + "additionalProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponseUserAssignedIdentities", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:ManagedServiceIdentityResponseUserAssignedIdentities": { + "properties": { + "clientId": {}, + "principalId": {} + } + }, + "azure-native_network_v20230201:network:MatchCondition": { + "properties": { + "matchValues": { + "items": { + "type": "string" + }, + "type": "array" + }, + "matchVariables": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:MatchVariable", + "type": "object" + }, + "type": "array" + }, + "negationConditon": { + "type": "boolean" + }, + "operator": { + "type": "string" + }, + "transforms": { + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "matchValues", + "matchVariables", + "operator" + ] + }, + "azure-native_network_v20230201:network:MatchConditionResponse": { + "properties": { + "matchValues": { + "items": { + "type": "string" + } + }, + "matchVariables": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:MatchVariableResponse", + "type": "object" + } + }, + "negationConditon": {}, + "operator": {}, + "transforms": { + "items": { "type": "string" } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "defaultSecurityRules": { + }, + "required": [ + "matchValues", + "matchVariables", + "operator" + ] + }, + "azure-native_network_v20230201:network:MatchVariable": { + "properties": { + "selector": { + "type": "string" + }, + "variableName": { + "type": "string" + } + }, + "required": [ + "variableName" + ] + }, + "azure-native_network_v20230201:network:MatchVariableResponse": { + "properties": { + "selector": {}, + "variableName": {} + }, + "required": [ + "variableName" + ] + }, + "azure-native_network_v20230201:network:NatGateway": { + "properties": { + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "location": { + "type": "string" + }, + "publicIpAddresses": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" - } + }, + "type": "array" }, - "etag": {}, - "flowLogs": { + "publicIpPrefixes": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" - } + }, + "type": "array" }, - "flushConnection": { + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySku", + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:NatGatewayResponse": { + "properties": { + "etag": {}, + "id": {}, + "idleTimeoutInMinutes": { "containers": [ "properties" ] }, - "id": {}, "location": {}, "name": {}, - "networkInterfaces": { + "provisioningState": { + "containers": [ + "properties" + ] + }, + "publicIpAddresses": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "provisioningState": { + "publicIpPrefixes": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, "resourceGuid": { "containers": [ "properties" ] }, - "securityRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", - "type": "object" - } + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySkuResponse" }, "subnets": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, @@ -45486,1212 +81268,776 @@ "type": "string" } }, - "type": {} + "type": {}, + "zones": { + "items": { + "type": "string" + } + } } }, - "azure-native_network_v20230201:network:NetworkVirtualAppliance": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:NatGatewaySku": { + "properties": { + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:NatGatewaySkuResponse": { + "properties": { + "name": {} + } + }, + "azure-native_network_v20230201:network:NatRule": { + "properties": { + "description": { + "type": "string" + }, + "destinationAddresses": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "networkVirtualApplianceName", - "required": true, - "value": { - "autoname": "random", + "destinationPorts": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "body": { - "properties": { - "additionalNics": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicProperties", - "type": "object" - }, - "type": "array" - }, - "bootStrapConfigurationBlobs": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "cloudInitConfiguration": { - "containers": [ - "properties" - ], - "type": "string" - }, - "cloudInitConfigurationBlobs": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "delegation": { - "$ref": "#/types/azure-native_network_v20230201:network:DelegationProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentity", - "type": "object" - }, - "location": { - "type": "string" - }, - "nvaSku": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "sshPublicKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualApplianceAsn": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - } + "ipProtocols": { + "items": { + "type": "string" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" + }, + "name": { + "type": "string" + }, + "ruleType": { + "const": "NatRule", + "type": "string" + }, + "sourceAddresses": { + "items": { + "type": "string" + }, + "type": "array" + }, + "sourceIpGroups": { + "items": { + "type": "string" + }, + "type": "array" + }, + "translatedAddress": { + "type": "string" + }, + "translatedFqdn": { + "type": "string" + }, + "translatedPort": { + "type": "string" + } + }, + "required": [ + "ruleType" + ] + }, + "azure-native_network_v20230201:network:NatRulePortMappingResponse": { + "properties": { + "backendPort": {}, + "frontendPort": {}, + "inboundNatRuleName": {} + } + }, + "azure-native_network_v20230201:network:NatRuleResponse": { + "properties": { + "description": {}, + "destinationAddresses": { + "items": { + "type": "string" + } }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "destinationPorts": { + "items": { + "type": "string" + } + }, + "ipProtocols": { + "items": { + "type": "string" + } + }, + "name": {}, + "ruleType": { + "const": "NatRule" + }, + "sourceAddresses": { + "items": { + "type": "string" + } + }, + "sourceIpGroups": { + "items": { "type": "string" } + }, + "translatedAddress": {}, + "translatedFqdn": {}, + "translatedPort": {} + }, + "required": [ + "ruleType" + ] + }, + "azure-native_network_v20230201:network:NetworkInterfaceDnsSettings": { + "properties": { + "dnsServers": { + "items": { + "type": "string" + }, + "type": "array" + }, + "internalDnsNameLabel": { + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "additionalNics": { + } + }, + "azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse": { + "properties": { + "appliedDnsServers": { + "items": { + "type": "string" + } + }, + "dnsServers": { + "items": { + "type": "string" + } + }, + "internalDnsNameLabel": {}, + "internalDomainNameSuffix": {}, + "internalFqdn": {} + } + }, + "azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration": { + "properties": { + "applicationGatewayBackendAddressPools": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceAdditionalNicPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPool", "type": "object" - } + }, + "type": "array" }, - "addressPrefix": { + "applicationSecurityGroups": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" + }, + "type": "array" }, - "bootStrapConfigurationBlobs": { + "gatewayLoadBalancer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "type": "string" - } + "type": "object" }, - "cloudInitConfiguration": { + "id": { + "type": "string" + }, + "loadBalancerBackendAddressPools": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPool", + "type": "object" + }, + "type": "array" }, - "cloudInitConfigurationBlobs": { + "loadBalancerInboundNatRules": { "containers": [ "properties" ], "items": { - "type": "string" - } + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRule", + "type": "object" + }, + "type": "array" }, - "delegation": { - "$ref": "#/types/azure-native_network_v20230201:network:DelegationPropertiesResponse", + "name": { + "type": "string" + }, + "primary": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "deploymentType": { + "privateIPAddress": { "containers": [ "properties" - ] - }, - "etag": {}, - "id": {}, - "identity": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedServiceIdentityResponse" + ], + "type": "string" }, - "inboundSecurityRules": { + "privateIPAddressVersion": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + "type": "string" }, - "location": {}, - "name": {}, - "nvaSku": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceSkuPropertiesResponse", + "privateIPAllocationMethod": { "containers": [ "properties" - ] + ], + "type": "string" }, - "partnerManagedResource": { - "$ref": "#/types/azure-native_network_v20230201:network:PartnerManagedResourcePropertiesResponse", + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", "containers": [ "properties" - ] + ], + "type": "object" }, - "provisioningState": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", "containers": [ "properties" - ] + ], + "type": "object" }, - "sshPublicKey": { + "type": { + "type": "string" + }, + "virtualNetworkTaps": { "containers": [ "properties" - ] - }, - "tags": { - "additionalProperties": { + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTap", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationPrivateLinkConnectionPropertiesResponse": { + "properties": { + "fqdns": { + "items": { "type": "string" } }, - "type": {}, - "virtualApplianceAsn": { + "groupId": {}, + "requiredMemberName": {} + } + }, + "azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse": { + "properties": { + "applicationGatewayBackendAddressPools": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayBackendAddressPoolResponse", + "type": "object" + } }, - "virtualApplianceConnections": { + "applicationSecurityGroups": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", "type": "object" } }, - "virtualApplianceNics": { + "etag": {}, + "gatewayLoadBalancer": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "id": {}, + "loadBalancerBackendAddressPools": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualApplianceNicPropertiesResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BackendAddressPoolResponse", "type": "object" } }, - "virtualApplianceSites": { + "loadBalancerInboundNatRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:InboundNatRuleResponse", "type": "object" } }, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "name": {}, + "primary": { "containers": [ "properties" ] - } - } - }, - "azure-native_network_v20230201:network:NetworkVirtualApplianceConnection": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "privateIPAddress": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "networkVirtualApplianceName", - "required": true, - "value": { - "pattern": "^[A-Za-z0-9_]+", - "type": "string" - } + "privateIPAddressVersion": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "autoname": "copy", - "pattern": "^[A-Za-z0-9_]+", - "type": "string" - } + "privateIPAllocationMethod": { + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "properties": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionProperties", - "type": "object" - } - } - }, - "location": "body", - "name": "NetworkVirtualApplianceConnectionParameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/networkVirtualApplianceConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "id": {}, - "name": {}, - "properties": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionPropertiesResponse" - } - } - }, - "azure-native_network_v20230201:network:NetworkWatcher": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "privateLinkConnectionProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationPrivateLinkConnectionPropertiesResponse", + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "provisioningState": { + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}", - "response": { - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" + "type": {}, + "virtualNetworkTaps": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", + "type": "object" } - }, - "type": {} + } } }, - "azure-native_network_v20230201:network:P2sVpnGateway": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:NetworkInterfaceResponse": { + "properties": { + "auxiliaryMode": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "auxiliarySku": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "disableTcpStateTracking": { + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "customDnsServers": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "isRoutingPreferenceInternet": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "location": { - "type": "string" - }, - "p2SConnectionConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfiguration", - "type": "object" - }, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "vpnGatewayScaleUnit": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "vpnServerConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - }, - "required": [ - "location" - ] - }, - "location": "body", - "name": "p2SVpnGatewayParameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/p2svpnGateways/{gatewayName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "customDnsServers": { + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceDnsSettingsResponse", "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] }, - "etag": {}, - "id": {}, - "isRoutingPreferenceInternet": { + "dscpConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "location": {}, - "name": {}, - "p2SConnectionConfigurations": { + "enableAcceleratedNetworking": { + "containers": [ + "properties" + ] + }, + "enableIPForwarding": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "hostedWorkloads": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, + "id": {}, + "ipConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", "type": "object" } }, - "provisioningState": { + "location": {}, + "macAddress": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "migrationPhase": { + "containers": [ + "properties" + ] }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "name": {}, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", "containers": [ "properties" ] }, - "vpnClientConnectionHealth": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", + "nicType": { "containers": [ "properties" ] }, - "vpnGatewayScaleUnit": { + "primary": { "containers": [ "properties" ] }, - "vpnServerConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", "containers": [ "properties" ] - } - } - }, - "azure-native_network_v20230201:network:PacketCapture": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } }, - { - "location": "path", - "name": "networkWatcherName", - "required": true, - "value": { - "type": "string" - } + "privateLinkService": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceResponse", + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "packetCaptureName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "provisioningState": { + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "bytesToCapturePerPacket": { - "containers": [ - "properties" - ], - "default": 0, - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "filters": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilter", - "type": "object" - }, - "type": "array" - }, - "scope": { - "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScope", - "containers": [ - "properties" - ], - "type": "object" - }, - "storageLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocation", - "containers": [ - "properties" - ], - "type": "object" - }, - "target": { - "containers": [ - "properties" - ], - "type": "string" - }, - "targetType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "timeLimitInSeconds": { - "containers": [ - "properties" - ], - "default": 18000, - "maximum": 18000, - "minimum": 0, - "type": "integer" - }, - "totalBytesPerSession": { - "containers": [ - "properties" - ], - "default": 1073741824, - "maximum": 4294967295, - "minimum": 0, - "type": "number" - } - }, - "required": [ - "storageLocation", - "target" - ] - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "resourceGuid": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "tags": { + "additionalProperties": { "type": "string" } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkWatchers/{networkWatcherName}/packetCaptures/{packetCaptureName}", - "putAsyncStyle": "azure-async-operation", - "requiredContainers": [ - [ - "properties" - ] - ], - "response": { - "bytesToCapturePerPacket": { - "containers": [ - "properties" - ], - "default": 0 }, - "etag": {}, - "filters": { + "tapConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureFilterResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", "type": "object" } }, - "id": {}, - "name": {}, - "provisioningState": { + "type": {}, + "virtualMachine": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "scope": { - "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureMachineScopeResponse", + "vnetEncryptionSupported": { "containers": [ "properties" ] }, - "storageLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureStorageLocationResponse", + "workloadType": { "containers": [ "properties" ] - }, - "target": { + } + } + }, + "azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse": { + "properties": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "targetType": { + "type": {}, + "virtualNetworkTap": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkTapResponse", "containers": [ "properties" ] - }, - "timeLimitInSeconds": { - "containers": [ - "properties" - ], - "default": 18000 - }, - "totalBytesPerSession": { - "containers": [ - "properties" - ], - "default": 1073741824 } } }, - "azure-native_network_v20230201:network:PrivateDnsZoneGroup": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "privateEndpointName", - "required": true, - "value": { + "azure-native_network_v20230201:network:NetworkManagerDeploymentStatusResponse": { + "properties": { + "commitTime": {}, + "configurationIds": { + "items": { "type": "string" } }, - { - "location": "path", - "name": "privateDnsZoneGroupName", - "required": true, - "value": { - "autoname": "copy", + "deploymentStatus": {}, + "deploymentType": {}, + "errorMessage": {}, + "region": {} + } + }, + "azure-native_network_v20230201:network:NetworkManagerPropertiesNetworkManagerScopes": { + "properties": { + "managementGroups": { + "items": { "type": "string" - } - }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "privateDnsZoneConfigs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfig", - "type": "object" - }, - "type": "array" - } - } }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "subscriptions": { + "items": { "type": "string" - } + }, + "type": "array" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}/privateDnsZoneGroups/{privateDnsZoneGroupName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "name": {}, - "privateDnsZoneConfigs": { - "containers": [ - "properties" - ], + } + }, + "azure-native_network_v20230201:network:NetworkManagerPropertiesResponseNetworkManagerScopes": { + "properties": { + "crossTenantScopes": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateDnsZoneConfigResponse", + "$ref": "#/types/azure-native_network_v20230201:network:CrossTenantScopesResponse", "type": "object" } }, - "provisioningState": { - "containers": [ - "properties" - ] - } - } - }, - "azure-native_network_v20230201:network:PrivateEndpoint": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "managementGroups": { + "items": { "type": "string" } }, - { - "location": "path", - "name": "privateEndpointName", - "required": true, - "value": { - "autoname": "random", + "subscriptions": { + "items": { "type": "string" } + } + } + }, + "azure-native_network_v20230201:network:NetworkManagerSecurityGroupItem": { + "properties": { + "networkGroupId": { + "type": "string" + } + }, + "required": [ + "networkGroupId" + ] + }, + "azure-native_network_v20230201:network:NetworkManagerSecurityGroupItemResponse": { + "properties": { + "networkGroupId": {} + }, + "required": [ + "networkGroupId" + ] + }, + "azure-native_network_v20230201:network:NetworkRule": { + "properties": { + "description": { + "type": "string" }, - { - "body": { - "properties": { - "applicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" - }, - "customDnsConfigs": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormat", - "type": "object" - }, - "type": "array" - }, - "customNetworkInterfaceName": { - "containers": [ - "properties" - ], - "type": "string" - }, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", - "type": "object" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "manualPrivateLinkServiceConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnection", - "type": "object" - }, - "type": "array" - }, - "privateLinkServiceConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnection", - "type": "object" - }, - "type": "array" - }, - "subnet": { - "$ref": "#/types/azure-native_network_v20230201:network:Subnet", - "containers": [ - "properties" - ], - "forceNew": true, - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } + "destinationAddresses": { + "items": { + "type": "string" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "destinationFqdns": { + "items": { "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateEndpoints/{privateEndpointName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "applicationSecurityGroups": { - "containers": [ - "properties" - ], + }, + "type": "array" + }, + "destinationIpGroups": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "customDnsConfigs": { - "containers": [ - "properties" - ], + "destinationPorts": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "customNetworkInterfaceName": { - "containers": [ - "properties" - ] + "ipProtocols": { + "items": { + "type": "string" + }, + "type": "array" }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "name": { + "type": "string" }, - "id": {}, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse", - "type": "object" - } + "ruleType": { + "const": "NetworkRule", + "type": "string" }, - "location": {}, - "manualPrivateLinkServiceConnections": { - "containers": [ - "properties" - ], + "sourceAddresses": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", - "type": "object" - } + "type": "string" + }, + "type": "array" }, - "name": {}, - "networkInterfaces": { - "containers": [ - "properties" - ], + "sourceIpGroups": { + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "ruleType" + ] + }, + "azure-native_network_v20230201:network:NetworkRuleResponse": { + "properties": { + "description": {}, + "destinationAddresses": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", - "type": "object" + "type": "string" } }, - "privateLinkServiceConnections": { - "containers": [ - "properties" - ], + "destinationFqdns": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", - "type": "object" + "type": "string" } }, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "subnet": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", - "containers": [ - "properties" - ] - }, - "tags": { - "additionalProperties": { + "destinationIpGroups": { + "items": { "type": "string" } }, - "type": {} - } - }, - "azure-native_network_v20230201:network:PrivateLinkService": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "destinationPorts": { + "items": { "type": "string" } }, - { - "location": "path", - "name": "serviceName", - "required": true, - "value": { - "autoname": "random", + "ipProtocols": { + "items": { "type": "string" } }, - { - "body": { - "properties": { - "autoApproval": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesAutoApproval", - "containers": [ - "properties" - ], - "type": "object" - }, - "enableProxyProtocol": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", - "type": "object" - }, - "fqdns": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfiguration", - "type": "object" - }, - "type": "array" - }, - "loadBalancerFrontendIpConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "visibility": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesVisibility", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "name": {}, + "ruleType": { + "const": "NetworkRule" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "sourceAddresses": { + "items": { "type": "string" } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "alias": { - "containers": [ - "properties" - ] }, - "autoApproval": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval", + "sourceIpGroups": { + "items": { + "type": "string" + } + } + }, + "required": [ + "ruleType" + ] + }, + "azure-native_network_v20230201:network:NetworkSecurityGroup": { + "properties": { + "flushConnection": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "enableProxyProtocol": { - "containers": [ - "properties" - ] + "id": { + "type": "string" }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "location": { + "type": "string" }, - "fqdns": { + "securityRules": { "containers": [ "properties" ], "items": { - "type": "string" - } + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRule", + "type": "object" + }, + "type": "array" }, - "id": {}, - "ipConfigurations": { + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:NetworkSecurityGroupResponse": { + "properties": { + "defaultSecurityRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", "type": "object" } }, - "loadBalancerFrontendIpConfigurations": { + "etag": {}, + "flowLogs": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", "type": "object" } }, + "flushConnection": { + "containers": [ + "properties" + ] + }, + "id": {}, "location": {}, "name": {}, "networkInterfaces": { @@ -46703,313 +82049,232 @@ "type": "object" } }, - "privateEndpointConnections": { + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "securityRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleResponse", "type": "object" } }, - "provisioningState": { + "subnets": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } }, "tags": { "additionalProperties": { "type": "string" } }, - "type": {}, - "visibility": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility", - "containers": [ - "properties" - ] - } + "type": {} } }, - "azure-native_network_v20230201:network:PrivateLinkServicePrivateEndpointConnection": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionProperties": { + "properties": { + "asn": { + "maximum": 4294967295, + "minimum": 0, + "type": "number" }, - { - "location": "path", - "name": "serviceName", - "required": true, - "value": { + "bgpPeerAddress": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "peConnectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "enableInternetSecurity": { + "type": "boolean" }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionState", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "name": { + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfv", + "type": "object" + }, + "tunnelIdentifier": { + "maximum": 4294967295, + "minimum": 0, + "type": "number" + } + } + }, + "azure-native_network_v20230201:network:NetworkVirtualApplianceConnectionPropertiesResponse": { + "properties": { + "asn": {}, + "bgpPeerAddress": { + "items": { "type": "string" } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/privateLinkServices/{serviceName}/privateEndpointConnections/{peConnectionName}", - "response": { - "etag": {}, - "id": {}, - "linkIdentifier": { - "containers": [ - "properties" - ] }, + "enableInternetSecurity": {}, "name": {}, - "privateEndpoint": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", - "containers": [ - "properties" - ] + "provisioningState": {}, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvResponse" }, - "privateEndpointLocation": { - "containers": [ - "properties" - ] + "tunnelIdentifier": {} + } + }, + "azure-native_network_v20230201:network:O365BreakOutCategoryPolicies": { + "properties": { + "allow": { + "type": "boolean" }, - "privateLinkServiceConnectionState": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", - "containers": [ - "properties" - ] + "default": { + "type": "boolean" }, - "provisioningState": { - "containers": [ - "properties" - ] + "optimize": { + "type": "boolean" + } + } + }, + "azure-native_network_v20230201:network:O365BreakOutCategoryPoliciesResponse": { + "properties": { + "allow": {}, + "default": {}, + "optimize": {} + } + }, + "azure-native_network_v20230201:network:O365PolicyProperties": { + "properties": { + "breakOutCategories": { + "$ref": "#/types/azure-native_network_v20230201:network:O365BreakOutCategoryPolicies", + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:O365PolicyPropertiesResponse": { + "properties": { + "breakOutCategories": { + "$ref": "#/types/azure-native_network_v20230201:network:O365BreakOutCategoryPoliciesResponse" + } + } + }, + "azure-native_network_v20230201:network:Office365PolicyProperties": { + "properties": { + "breakOutCategories": { + "$ref": "#/types/azure-native_network_v20230201:network:BreakOutCategoryPolicies", + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:Office365PolicyPropertiesResponse": { + "properties": { + "breakOutCategories": { + "$ref": "#/types/azure-native_network_v20230201:network:BreakOutCategoryPoliciesResponse" + } + } + }, + "azure-native_network_v20230201:network:OrderBy": { + "properties": { + "field": { + "type": "string" }, - "type": {} + "order": { + "type": "string" + } } }, - "azure-native_network_v20230201:network:PublicIPAddress": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:OutboundRule": { + "properties": { + "allocatedOutboundPorts": { + "containers": [ + "properties" + ], + "type": "integer" }, - { - "location": "path", - "name": "publicIpAddressName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" }, - { - "body": { - "properties": { - "ddosSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:DdosSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "deleteOption": { - "containers": [ - "properties" - ], - "type": "string" - }, - "dnsSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", - "type": "object" - }, - "id": { - "type": "string" - }, - "idleTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "ipAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "ipTags": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpTag", - "type": "object" - }, - "type": "array" - }, - "linkedPublicIPAddress": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", - "containers": [ - "properties" - ], - "type": "object" - }, - "location": { - "forceNew": true, - "type": "string" - }, - "migrationPhase": { - "containers": [ - "properties" - ], - "type": "string" - }, - "natGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:NatGateway", - "containers": [ - "properties" - ], - "type": "object" - }, - "publicIPAddressVersion": { - "containers": [ - "properties" - ], - "forceNew": true, - "type": "string" - }, - "publicIPAllocationMethod": { - "containers": [ - "properties" - ], - "type": "string" - }, - "publicIPPrefix": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "forceNew": true, - "type": "object" - }, - "servicePublicIPAddress": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", - "containers": [ - "properties" - ], - "type": "object" - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSku", - "forceNew": true, - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } + "enableTcpReset": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "frontendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "name": { + "type": "string" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPAddresses/{publicIpAddressName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "ddosSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:DdosSettingsResponse", + }, + "required": [ + "backendAddressPool", + "frontendIPConfigurations", + "protocol" + ] + }, + "azure-native_network_v20230201:network:OutboundRuleResponse": { + "properties": { + "allocatedOutboundPorts": { "containers": [ "properties" ] }, - "deleteOption": { + "backendAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "dnsSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse", + "enableTcpReset": { "containers": [ "properties" ] }, "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "frontendIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, "id": {}, "idleTimeoutInMinutes": { @@ -47017,390 +82282,374 @@ "properties" ] }, - "ipAddress": { + "name": {}, + "protocol": { "containers": [ "properties" ] }, - "ipConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", + "provisioningState": { "containers": [ "properties" ] }, - "ipTags": { - "containers": [ - "properties" - ], + "type": {} + }, + "required": [ + "backendAddressPool", + "frontendIPConfigurations", + "protocol" + ] + }, + "azure-native_network_v20230201:network:OwaspCrsExclusionEntry": { + "properties": { + "exclusionManagedRuleSets": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRuleSet", + "type": "object" + }, + "type": "array" + }, + "matchVariable": { + "type": "string" + }, + "selector": { + "type": "string" + }, + "selectorMatchOperator": { + "type": "string" + } + }, + "required": [ + "matchVariable", + "selector", + "selectorMatchOperator" + ] + }, + "azure-native_network_v20230201:network:OwaspCrsExclusionEntryResponse": { + "properties": { + "exclusionManagedRuleSets": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ExclusionManagedRuleSetResponse", "type": "object" } }, - "linkedPublicIPAddress": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "matchVariable": {}, + "selector": {}, + "selectorMatchOperator": {} + }, + "required": [ + "matchVariable", + "selector", + "selectorMatchOperator" + ] + }, + "azure-native_network_v20230201:network:P2SConnectionConfiguration": { + "properties": { + "enableInternetSecurity": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "location": {}, - "migrationPhase": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", "containers": [ "properties" - ] + ], + "type": "object" }, - "name": {}, - "natGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", "containers": [ "properties" - ] - }, - "provisioningState": { + ], + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:P2SConnectionConfigurationResponse": { + "properties": { + "configurationPolicyGroupAssociations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "publicIPAddressVersion": { + "enableInternetSecurity": { "containers": [ "properties" ] }, - "publicIPAllocationMethod": { + "etag": {}, + "id": {}, + "name": {}, + "previousConfigurationPolicyGroupAssociations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupResponse", + "type": "object" + } }, - "publicIPPrefix": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "provisioningState": { "containers": [ "properties" ] }, - "resourceGuid": { + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", "containers": [ "properties" ] }, - "servicePublicIPAddress": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" ] - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "zones": { - "items": { - "type": "string" - } } } }, - "azure-native_network_v20230201:network:PublicIPPrefix": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "publicIpPrefixName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - }, - { - "body": { - "properties": { - "customIPPrefix": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", - "type": "object" - }, - "id": { - "type": "string" - }, - "ipTags": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpTag", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "natGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:NatGateway", - "containers": [ - "properties" - ], - "type": "object" - }, - "prefixLength": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "publicIPAddressVersion": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSku", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "zones": { - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/publicIPPrefixes/{publicIpPrefixName}", - "putAsyncStyle": "location", - "response": { - "customIPPrefix": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "azure-native_network_v20230201:network:P2SVpnGatewayResponse": { + "properties": { + "customDnsServers": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" - }, "id": {}, - "ipPrefix": { + "isRoutingPreferenceInternet": { "containers": [ "properties" ] }, - "ipTags": { + "location": {}, + "name": {}, + "p2SConnectionConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", + "$ref": "#/types/azure-native_network_v20230201:network:P2SConnectionConfigurationResponse", "type": "object" } }, - "loadBalancerFrontendIpConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "provisioningState": { "containers": [ "properties" ] }, - "location": {}, - "name": {}, - "natGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "virtualHub": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "prefixLength": { + "vpnClientConnectionHealth": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConnectionHealthResponse", "containers": [ "properties" ] }, - "provisioningState": { + "vpnGatewayScaleUnit": { "containers": [ "properties" ] }, - "publicIPAddressVersion": { + "vpnServerConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] + } + }, + "required": [ + "location" + ] + }, + "azure-native_network_v20230201:network:PacketCaptureFilter": { + "properties": { + "localIPAddress": { + "type": "string" }, - "publicIPAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ReferencedPublicIpAddressResponse", - "type": "object" - } + "localPort": { + "type": "string" }, - "resourceGuid": { - "containers": [ - "properties" - ] + "protocol": { + "default": "Any", + "type": "string" }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSkuResponse" + "remoteIPAddress": { + "type": "string" }, - "tags": { - "additionalProperties": { + "remotePort": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:PacketCaptureFilterResponse": { + "properties": { + "localIPAddress": {}, + "localPort": {}, + "protocol": { + "default": "Any" + }, + "remoteIPAddress": {}, + "remotePort": {} + } + }, + "azure-native_network_v20230201:network:PacketCaptureMachineScope": { + "properties": { + "exclude": { + "items": { "type": "string" - } + }, + "type": "array" }, - "type": {}, - "zones": { + "include": { "items": { "type": "string" - } + }, + "type": "array" } } }, - "azure-native_network_v20230201:network:Route": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:PacketCaptureMachineScopeResponse": { + "properties": { + "exclude": { + "items": { "type": "string" } }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { + "include": { + "items": { "type": "string" } + } + } + }, + "azure-native_network_v20230201:network:PacketCaptureStorageLocation": { + "properties": { + "filePath": { + "type": "string" }, - { - "location": "path", - "name": "routeName", - "required": true, - "value": { - "autoname": "copy", + "storageId": { + "type": "string" + }, + "storagePath": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:PacketCaptureStorageLocationResponse": { + "properties": { + "filePath": {}, + "storageId": {}, + "storagePath": {} + } + }, + "azure-native_network_v20230201:network:Parameter": { + "properties": { + "asPath": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "body": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "hasBgpOverride": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "nextHopIpAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "nextHopType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "type": { - "type": "string" - } - }, - "required": [ - "nextHopType" - ] + "community": { + "items": { + "type": "string" }, - "location": "body", - "name": "routeParameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "routePrefix": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:ParameterResponse": { + "properties": { + "asPath": { + "items": { + "type": "string" + } + }, + "community": { + "items": { + "type": "string" + } + }, + "routePrefix": { + "items": { "type": "string" } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}/routes/{routeName}", - "putAsyncStyle": "azure-async-operation", - "response": { + } + }, + "azure-native_network_v20230201:network:PartnerManagedResourcePropertiesResponse": { + "properties": { + "id": {}, + "internalLoadBalancerId": {}, + "standardLoadBalancerId": {} + } + }, + "azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse": { + "properties": { "addressPrefix": { "containers": [ "properties" ] }, - "etag": {}, - "hasBgpOverride": { + "authResourceGuid": { "containers": [ "properties" ] }, - "id": {}, - "name": {}, - "nextHopIpAddress": { + "circuitConnectionStatus": { + "containers": [ + "properties" + ] + }, + "connectionName": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "expressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "nextHopType": { + "id": {}, + "name": {}, + "peerExpressRouteCircuitPeering": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] @@ -47413,646 +82662,535 @@ "type": {} } }, - "azure-native_network_v20230201:network:RouteFilter": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:PolicySettings": { + "properties": { + "customBlockResponseBody": { + "maxLength": 32768, + "pattern": "^(?:[A-Za-z0-9+/]{4})*(?:[A-Za-z0-9+/]{2}==|[A-Za-z0-9+/]{3}=|[A-Za-z0-9+/]{4})$", + "type": "string" }, - { - "location": "path", - "name": "routeFilterName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "customBlockResponseStatusCode": { + "minimum": 0, + "type": "integer" }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "rules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRule", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - }, - "required": [ - "location" - ] + "fileUploadEnforcement": { + "default": true, + "type": "boolean" + }, + "fileUploadLimitInMb": { + "minimum": 0, + "type": "integer" + }, + "logScrubbing": { + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsLogScrubbing", + "type": "object" + }, + "maxRequestBodySizeInKb": { + "minimum": 8, + "type": "integer" + }, + "mode": { + "type": "string" + }, + "requestBodyCheck": { + "type": "boolean" + }, + "requestBodyEnforcement": { + "default": true, + "type": "boolean" + }, + "requestBodyInspectLimitInKB": { + "type": "integer" + }, + "state": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:PolicySettingsLogScrubbing": { + "properties": { + "scrubbingRules": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallScrubbingRules", + "type": "object" }, - "location": "body", - "name": "routeFilterParameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "state": { + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "id": {}, - "ipv6Peerings": { - "containers": [ - "properties" - ], + } + }, + "azure-native_network_v20230201:network:PolicySettingsResponse": { + "properties": { + "customBlockResponseBody": {}, + "customBlockResponseStatusCode": {}, + "fileUploadEnforcement": { + "default": true + }, + "fileUploadLimitInMb": {}, + "logScrubbing": { + "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsResponseLogScrubbing" + }, + "maxRequestBodySizeInKb": {}, + "mode": {}, + "requestBodyCheck": {}, + "requestBodyEnforcement": { + "default": true + }, + "requestBodyInspectLimitInKB": {}, + "state": {} + } + }, + "azure-native_network_v20230201:network:PolicySettingsResponseLogScrubbing": { + "properties": { + "scrubbingRules": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallScrubbingRulesResponse", "type": "object" } }, - "location": {}, - "name": {}, - "peerings": { + "state": {} + } + }, + "azure-native_network_v20230201:network:PrivateDnsZoneConfig": { + "properties": { + "name": { + "type": "string" + }, + "privateDnsZoneId": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringResponse", - "type": "object" - } - }, - "provisioningState": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:PrivateDnsZoneConfigResponse": { + "properties": { + "name": {}, + "privateDnsZoneId": { "containers": [ "properties" ] }, - "rules": { + "recordSets": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RecordSetResponse", "type": "object" } - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} + } } }, - "azure-native_network_v20230201:network:RouteFilterRule": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:PrivateEndpointConnectionResponse": { + "properties": { + "etag": {}, + "id": {}, + "linkIdentifier": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "routeFilterName", - "required": true, - "value": { - "type": "string" - } + "name": {}, + "privateEndpoint": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "ruleName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "privateEndpointLocation": { + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "access": { - "containers": [ - "properties" - ], - "type": "string" - }, - "communities": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "name": { - "type": "string" - }, - "routeFilterRuleType": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "access", - "communities", - "routeFilterRuleType" - ] - }, - "location": "body", - "name": "routeFilterRuleParameters", - "required": true, - "value": {} + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeFilters/{routeFilterName}/routeFilterRules/{ruleName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "access": { + "provisioningState": { "containers": [ "properties" ] }, - "communities": { + "type": {} + } + }, + "azure-native_network_v20230201:network:PrivateEndpointIPConfiguration": { + "properties": { + "groupId": { "containers": [ "properties" ], - "items": { - "type": "string" - } + "type": "string" + }, + "memberName": { + "containers": [ + "properties" + ], + "type": "string" + }, + "name": { + "type": "string" }, + "privateIPAddress": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse": { + "properties": { "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { + "groupId": { "containers": [ "properties" ] }, - "routeFilterRuleType": { + "memberName": { "containers": [ "properties" ] - } + }, + "name": {}, + "privateIPAddress": { + "containers": [ + "properties" + ] + }, + "type": {} } }, - "azure-native_network_v20230201:network:RouteMap": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" + "azure-native_network_v20230201:network:PrivateEndpointResponse": { + "properties": { + "applicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" } }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "customDnsConfigs": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:CustomDnsConfigPropertiesFormatResponse", + "type": "object" } }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } + "customNetworkInterfaceName": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "routeMapName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" }, - { - "body": { - "properties": { - "associatedInboundConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "associatedOutboundConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "rules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRule", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "routeMapParameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeMaps/{routeMapName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "associatedInboundConnections": { + "id": {}, + "ipConfigurations": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointIPConfigurationResponse", + "type": "object" } }, - "associatedOutboundConnections": { + "location": {}, + "manualPrivateLinkServiceConnections": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", + "type": "object" } }, - "etag": {}, - "id": {}, "name": {}, - "provisioningState": { + "networkInterfaces": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } }, - "rules": { + "privateLinkServiceConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:RouteMapRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse", "type": "object" } }, - "type": {} - } - }, - "azure-native_network_v20230201:network:RouteTable": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "provisioningState": { + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "disableBgpRoutePropagation": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:Route", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "tags": { + "additionalProperties": { "type": "string" } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/routeTables/{routeTableName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "disableBgpRoutePropagation": { + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:PrivateLinkService": { + "properties": { + "autoApproval": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesAutoApproval", "containers": [ "properties" - ] + ], + "type": "object" }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "provisioningState": { + "enableProxyProtocol": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "resourceGuid": { + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "fqdns": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + }, + "type": "array" }, - "routes": { + "id": { + "type": "string" + }, + "ipConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:RouteResponse", + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfiguration", "type": "object" - } + }, + "type": "array" }, - "subnets": { + "loadBalancerFrontendIpConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", "type": "object" - } + }, + "type": "array" + }, + "location": { + "type": "string" }, "tags": { "additionalProperties": { "type": "string" - } + }, + "type": "object" }, - "type": {} + "visibility": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesVisibility", + "containers": [ + "properties" + ], + "type": "object" + } } }, - "azure-native_network_v20230201:network:RoutingIntent": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "azure-native_network_v20230201:network:PrivateLinkServiceConnection": { + "properties": { + "groupIds": { + "containers": [ + "properties" + ], + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "id": { + "type": "string" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } + "name": { + "type": "string" }, - { - "location": "path", - "name": "routingIntentName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionState", + "containers": [ + "properties" + ], + "type": "object" }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "routingPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicy", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "routingIntentParameters", - "required": true, - "value": {} + "privateLinkServiceId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "requestMessage": { + "containers": [ + "properties" + ], + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routingIntent/{routingIntentName}", - "putAsyncStyle": "azure-async-operation", - "response": { + } + }, + "azure-native_network_v20230201:network:PrivateLinkServiceConnectionResponse": { + "properties": { "etag": {}, + "groupIds": { + "containers": [ + "properties" + ], + "items": { + "type": "string" + } + }, "id": {}, "name": {}, + "privateLinkServiceConnectionState": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse", + "containers": [ + "properties" + ] + }, + "privateLinkServiceId": { + "containers": [ + "properties" + ] + }, "provisioningState": { "containers": [ "properties" ] }, - "routingPolicies": { + "requestMessage": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingPolicyResponse", - "type": "object" - } + ] }, "type": {} } }, - "azure-native_network_v20230201:network:ScopeConnection": { - "PUT": [ - { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "resourceId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tenantId": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "azure-native_network_v20230201:network:PrivateLinkServiceConnectionState": { + "properties": { + "actionsRequired": { + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "description": { + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "status": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:PrivateLinkServiceConnectionStateResponse": { + "properties": { + "actionsRequired": {}, + "description": {}, + "status": {} + } + }, + "azure-native_network_v20230201:network:PrivateLinkServiceIpConfiguration": { + "properties": { + "id": { + "type": "string" }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" - } + "name": { + "type": "string" }, - { - "location": "path", - "name": "scopeConnectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/scopeConnections/{scopeConnectionName}", - "response": { - "description": { + "primary": { "containers": [ "properties" - ] + ], + "type": "boolean" + }, + "privateIPAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "privateIPAddressVersion": { + "containers": [ + "properties" + ], + "type": "string" + }, + "privateIPAllocationMethod": { + "containers": [ + "properties" + ], + "type": "string" }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:Subnet", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse": { + "properties": { "etag": {}, "id": {}, "name": {}, - "resourceId": { + "primary": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "privateIPAddress": { + "containers": [ + "properties" + ] }, - "tenantId": { + "privateIPAddressVersion": { + "containers": [ + "properties" + ] + }, + "privateIPAllocationMethod": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "containers": [ "properties" ] @@ -48060,188 +83198,114 @@ "type": {} } }, - "azure-native_network_v20230201:network:SecurityAdminConfiguration": { - "PUT": [ - { - "body": { - "properties": { - "applyOnNetworkIntentPolicyBasedServices": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "description": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "securityAdminConfiguration", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:PrivateLinkServicePropertiesAutoApproval": { + "properties": { + "subscriptions": { + "items": { "type": "string" - } - }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval": { + "properties": { + "subscriptions": { + "items": { "type": "string" } - }, - { - "location": "path", - "name": "configurationName", - "required": true, - "value": { - "autoname": "copy", + } + } + }, + "azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility": { + "properties": { + "subscriptions": { + "items": { "type": "string" } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/securityAdminConfigurations/{configurationName}", - "response": { - "applyOnNetworkIntentPolicyBasedServices": { - "containers": [ - "properties" - ], + } + }, + "azure-native_network_v20230201:network:PrivateLinkServicePropertiesVisibility": { + "properties": { + "subscriptions": { "items": { "type": "string" - } - }, - "description": { + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:PrivateLinkServiceResponse": { + "properties": { + "alias": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { + "autoApproval": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseAutoApproval", "containers": [ "properties" ] }, - "resourceGuid": { + "enableProxyProtocol": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" }, - "type": {} - } - }, - "azure-native_network_v20230201:network:SecurityPartnerProvider": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "fqdns": { + "containers": [ + "properties" + ], + "items": { "type": "string" } }, - { - "location": "path", - "name": "securityPartnerProviderName", - "required": true, - "value": { - "autoname": "random", - "type": "string" + "id": {}, + "ipConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServiceIpConfigurationResponse", + "type": "object" } }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "securityProviderName": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/securityPartnerProviders/{securityPartnerProviderName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "connectionStatus": { + "loadBalancerFrontendIpConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "type": "object" + } }, - "etag": {}, - "id": {}, "location": {}, "name": {}, - "provisioningState": { + "networkInterfaces": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceResponse", + "type": "object" + } + }, + "privateEndpointConnections": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointConnectionResponse", + "type": "object" + } }, - "securityProviderName": { + "provisioningState": { "containers": [ "properties" ] @@ -48252,1336 +83316,1267 @@ } }, "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "visibility": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateLinkServicePropertiesResponseVisibility", "containers": [ "properties" ] } } }, - "azure-native_network_v20230201:network:SecurityRule": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "networkSecurityGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:Probe": { + "properties": { + "id": { + "type": "string" }, - { - "location": "path", - "name": "securityRuleName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "intervalInSeconds": { + "containers": [ + "properties" + ], + "type": "integer" }, - { - "body": { - "properties": { - "access": { - "containers": [ - "properties" - ], - "type": "string" - }, - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "destinationAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "destinationAddressPrefixes": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "destinationApplicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" - }, - "destinationPortRange": { - "containers": [ - "properties" - ], - "type": "string" - }, - "destinationPortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "direction": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "priority": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "protocol": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sourceAddressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sourceAddressPrefixes": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "sourceApplicationSecurityGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", - "type": "object" - }, - "type": "array" - }, - "sourcePortRange": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sourcePortRanges": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "type": { - "type": "string" - } - }, - "required": [ - "access", - "direction", - "priority", - "protocol" - ] - }, - "location": "body", - "name": "securityRuleParameters", - "required": true, - "value": {} + "name": { + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkSecurityGroups/{networkSecurityGroupName}/securityRules/{securityRuleName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "access": { + "numberOfProbes": { "containers": [ "properties" - ] + ], + "type": "integer" }, - "description": { + "port": { "containers": [ "properties" - ] + ], + "type": "integer" }, - "destinationAddressPrefix": { + "probeThreshold": { "containers": [ "properties" - ] + ], + "type": "integer" }, - "destinationAddressPrefixes": { + "protocol": { "containers": [ "properties" ], - "items": { - "type": "string" - } + "type": "string" }, - "destinationApplicationSecurityGroups": { + "requestPath": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", - "type": "object" - } - }, - "destinationPortRange": { + "type": "string" + } + }, + "required": [ + "port", + "protocol" + ] + }, + "azure-native_network_v20230201:network:ProbeResponse": { + "properties": { + "etag": {}, + "id": {}, + "intervalInSeconds": { "containers": [ "properties" ] }, - "destinationPortRanges": { + "loadBalancingRules": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" } }, - "direction": { + "name": {}, + "numberOfProbes": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "name": {}, - "priority": { + "port": { "containers": [ "properties" ] }, - "protocol": { + "probeThreshold": { "containers": [ "properties" ] }, - "provisioningState": { + "protocol": { "containers": [ "properties" ] }, - "sourceAddressPrefix": { + "provisioningState": { "containers": [ "properties" ] }, - "sourceAddressPrefixes": { + "requestPath": { "containers": [ "properties" + ] + }, + "type": {} + }, + "required": [ + "port", + "protocol" + ] + }, + "azure-native_network_v20230201:network:PropagatedRouteTable": { + "properties": { + "ids": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "labels": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:PropagatedRouteTableNfv": { + "properties": { + "ids": { + "arrayIdentifiers": [ + "resourceUri" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResource", + "type": "object" + }, + "type": "array" + }, + "labels": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:PropagatedRouteTableNfvResponse": { + "properties": { + "ids": { + "arrayIdentifiers": [ + "resourceUri" ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResourceResponse", + "type": "object" + } + }, + "labels": { "items": { "type": "string" } + } + } + }, + "azure-native_network_v20230201:network:PropagatedRouteTableResponse": { + "properties": { + "ids": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "sourceApplicationSecurityGroups": { + "labels": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:PublicIPAddress": { + "properties": { + "ddosSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "deleteOption": { + "containers": [ + "properties" + ], + "type": "string" + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettings", + "containers": [ + "properties" + ], + "type": "object" + }, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" + }, + "id": { + "type": "string" + }, + "idleTimeoutInMinutes": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "ipAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "ipTags": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpTag", "type": "object" - } + }, + "type": "array" }, - "sourcePortRange": { + "linkedPublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", "containers": [ "properties" - ] + ], + "type": "object" }, - "sourcePortRanges": { + "location": { + "type": "string" + }, + "migrationPhase": { "containers": [ "properties" ], - "items": { + "type": "string" + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGateway", + "containers": [ + "properties" + ], + "type": "object" + }, + "publicIPAddressVersion": { + "containers": [ + "properties" + ], + "type": "string" + }, + "publicIPAllocationMethod": { + "containers": [ + "properties" + ], + "type": "string" + }, + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "servicePublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", + "containers": [ + "properties" + ], + "type": "object" + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSku", + "type": "object" + }, + "tags": { + "additionalProperties": { "type": "string" - } + }, + "type": "object" }, - "type": {} + "zones": { + "items": { + "type": "string" + }, + "type": "array" + } } }, - "azure-native_network_v20230201:network:ServiceEndpointPolicy": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:PublicIPAddressDnsSettings": { + "properties": { + "domainNameLabel": { + "type": "string" }, - { - "location": "path", - "name": "serviceEndpointPolicyName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "domainNameLabelScope": { + "type": "string" }, - { - "body": { - "properties": { - "contextualServiceEndpointPolicies": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "serviceAlias": { - "containers": [ - "properties" - ], - "type": "string" - }, - "serviceEndpointPolicyDefinitions": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "fqdn": { + "type": "string" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "reverseFqdn": { + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "contextualServiceEndpointPolicies": { + } + }, + "azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse": { + "properties": { + "domainNameLabel": {}, + "domainNameLabelScope": {}, + "fqdn": {}, + "reverseFqdn": {} + } + }, + "azure-native_network_v20230201:network:PublicIPAddressResponse": { + "properties": { + "ddosSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettingsResponse", "containers": [ "properties" - ], - "items": { - "type": "string" - } + ] + }, + "deleteOption": { + "containers": [ + "properties" + ] + }, + "dnsSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressDnsSettingsResponse", + "containers": [ + "properties" + ] }, "etag": {}, + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, "id": {}, - "kind": {}, - "location": {}, - "name": {}, - "provisioningState": { + "idleTimeoutInMinutes": { "containers": [ "properties" ] }, - "resourceGuid": { + "ipAddress": { "containers": [ "properties" ] }, - "serviceAlias": { + "ipConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", "containers": [ "properties" ] }, - "serviceEndpointPolicyDefinitions": { + "ipTags": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpTagResponse", "type": "object" } }, - "subnets": { + "linkedPublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", - "type": "object" - } - }, - "tags": { - "additionalProperties": { - "type": "string" - } + ] }, - "type": {} - } - }, - "azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "location": {}, + "migrationPhase": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "serviceEndpointPolicyName", - "required": true, - "value": { - "type": "string" - } + "name": {}, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewayResponse", + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "serviceEndpointPolicyDefinitionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "provisioningState": { + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "service": { - "containers": [ - "properties" - ], - "type": "string" - }, - "serviceResources": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "type": { - "type": "string" - } - } - }, - "location": "body", - "name": "ServiceEndpointPolicyDefinitions", - "required": true, - "value": {} + "publicIPAddressVersion": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/serviceEndpointPolicies/{serviceEndpointPolicyName}/serviceEndpointPolicyDefinitions/{serviceEndpointPolicyDefinitionName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "description": { + "publicIPAllocationMethod": { "containers": [ "properties" ] }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { + "publicIPPrefix": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "service": { + "resourceGuid": { "containers": [ "properties" ] }, - "serviceResources": { + "servicePublicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", "containers": [ "properties" - ], + ] + }, + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuResponse" + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "zones": { "items": { "type": "string" } + } + } + }, + "azure-native_network_v20230201:network:PublicIPAddressSku": { + "properties": { + "name": { + "type": "string" }, - "type": {} + "tier": { + "type": "string" + } } }, - "azure-native_network_v20230201:network:StaticMember": { - "PUT": [ - { - "body": { - "properties": { - "resourceId": { - "containers": [ - "properties" - ], - "type": "string" - } - } + "azure-native_network_v20230201:network:PublicIPAddressSkuResponse": { + "properties": { + "name": {}, + "tier": {} + } + }, + "azure-native_network_v20230201:network:PublicIPPrefixSku": { + "properties": { + "name": { + "type": "string" + }, + "tier": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:PublicIPPrefixSkuResponse": { + "properties": { + "name": {}, + "tier": {} + } + }, + "azure-native_network_v20230201:network:QosDefinition": { + "properties": { + "destinationIpRanges": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", + "type": "object" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" + "destinationPortRanges": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", + "type": "object" + }, + "type": "array" + }, + "markings": { + "items": { + "type": "integer" + }, + "type": "array" + }, + "protocol": { + "type": "string" + }, + "sourceIpRanges": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRange", + "type": "object" + }, + "type": "array" + }, + "sourcePortRanges": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRange", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:QosDefinitionResponse": { + "properties": { + "destinationIpRanges": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", + "type": "object" } }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "destinationPortRanges": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", + "type": "object" } }, - { - "location": "path", - "name": "networkManagerName", - "required": true, - "value": { - "type": "string" + "markings": { + "items": { + "type": "integer" } }, - { - "location": "path", - "name": "networkGroupName", - "required": true, - "value": { - "type": "string" + "protocol": {}, + "sourceIpRanges": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosIpRangeResponse", + "type": "object" } }, - { - "location": "path", - "name": "staticMemberName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" + "sourcePortRanges": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:QosPortRangeResponse", + "type": "object" } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkManagers/{networkManagerName}/networkGroups/{networkGroupName}/staticMembers/{staticMemberName}", - "response": { + } + }, + "azure-native_network_v20230201:network:QosIpRange": { + "properties": { + "endIP": { + "type": "string" + }, + "startIP": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:QosIpRangeResponse": { + "properties": { + "endIP": {}, + "startIP": {} + } + }, + "azure-native_network_v20230201:network:QosPortRange": { + "properties": { + "end": { + "type": "integer" + }, + "start": { + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:QosPortRangeResponse": { + "properties": { + "end": {}, + "start": {} + } + }, + "azure-native_network_v20230201:network:RadiusServer": { + "properties": { + "radiusServerAddress": { + "type": "string" + }, + "radiusServerScore": { + "type": "number" + }, + "radiusServerSecret": { + "type": "string" + } + }, + "required": [ + "radiusServerAddress" + ] + }, + "azure-native_network_v20230201:network:RadiusServerResponse": { + "properties": { + "radiusServerAddress": {}, + "radiusServerScore": {}, + "radiusServerSecret": {} + }, + "required": [ + "radiusServerAddress" + ] + }, + "azure-native_network_v20230201:network:RecordSetResponse": { + "properties": { + "fqdn": {}, + "ipAddresses": { + "items": { + "type": "string" + } + }, + "provisioningState": {}, + "recordSetName": {}, + "recordType": {}, + "ttl": {} + } + }, + "azure-native_network_v20230201:network:ReferencedPublicIpAddressResponse": { + "properties": { + "id": {} + } + }, + "azure-native_network_v20230201:network:ResourceNavigationLinkResponse": { + "properties": { "etag": {}, "id": {}, - "name": {}, - "provisioningState": { + "link": { "containers": [ "properties" ] }, - "region": { + "linkedResourceType": { "containers": [ "properties" ] }, - "resourceId": { + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" - }, "type": {} - } - }, - "azure-native_network_v20230201:network:Subnet": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "subnetName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } - }, - { - "body": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "addressPrefixes": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "applicationGatewayIPConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "delegations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:Delegation", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "ipAllocations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "type": "object" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "natGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroup", - "containers": [ - "properties" - ], - "type": "object" - }, - "privateEndpointNetworkPolicies": { - "containers": [ - "properties" - ], - "default": "Disabled", - "type": "string" - }, - "privateLinkServiceNetworkPolicies": { - "containers": [ - "properties" - ], - "default": "Enabled", - "type": "string" - }, - "routeTable": { - "$ref": "#/types/azure-native_network_v20230201:network:RouteTable", - "containers": [ - "properties" - ], - "type": "object" - }, - "serviceEndpointPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicy", - "type": "object" - }, - "type": "array" - }, - "serviceEndpoints": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormat", - "type": "object" - }, - "type": "array" - }, - "type": { - "type": "string" - } - } - }, - "location": "body", - "name": "subnetParameters", - "required": true, - "value": {} + } + }, + "azure-native_network_v20230201:network:RetentionPolicyParameters": { + "properties": { + "days": { + "default": 0, + "type": "integer" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "enabled": { + "default": false, + "type": "boolean" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/subnets/{subnetName}", - "putAsyncStyle": "azure-async-operation", - "response": { + } + }, + "azure-native_network_v20230201:network:RetentionPolicyParametersResponse": { + "properties": { + "days": { + "default": 0 + }, + "enabled": { + "default": false + } + } + }, + "azure-native_network_v20230201:network:Route": { + "properties": { "addressPrefix": { "containers": [ "properties" - ] + ], + "type": "string" }, - "addressPrefixes": { + "hasBgpOverride": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "nextHopIpAddress": { + "containers": [ + "properties" + ], + "type": "string" + }, + "nextHopType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "type": { + "type": "string" + } + }, + "required": [ + "nextHopType" + ] + }, + "azure-native_network_v20230201:network:RouteFilterRule": { + "properties": { + "access": { + "containers": [ + "properties" + ], + "type": "string" + }, + "communities": { "containers": [ "properties" ], "items": { "type": "string" - } + }, + "type": "array" }, - "applicationGatewayIPConfigurations": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "name": { + "type": "string" + }, + "routeFilterRuleType": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", - "type": "object" - } + "type": "string" + } + }, + "required": [ + "access", + "communities", + "routeFilterRuleType" + ] + }, + "azure-native_network_v20230201:network:RouteFilterRuleResponse": { + "properties": { + "access": { + "containers": [ + "properties" + ] }, - "delegations": { + "communities": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:DelegationResponse", - "type": "object" + "type": "string" } }, "etag": {}, "id": {}, - "ipAllocations": { + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + ] }, - "ipConfigurationProfiles": { + "routeFilterRuleType": { "containers": [ "properties" - ], + ] + } + }, + "required": [ + "access", + "communities", + "routeFilterRuleType" + ] + }, + "azure-native_network_v20230201:network:RouteMapRule": { + "properties": { + "actions": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", + "$ref": "#/types/azure-native_network_v20230201:network:Action", + "type": "object" + }, + "type": "array" + }, + "matchCriteria": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:Criterion", + "type": "object" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "nextStepIfMatched": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:RouteMapRuleResponse": { + "properties": { + "actions": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ActionResponse", "type": "object" } }, - "ipConfigurations": { - "containers": [ - "properties" - ], + "matchCriteria": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:CriterionResponse", "type": "object" } }, "name": {}, - "natGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "nextStepIfMatched": {} + } + }, + "azure-native_network_v20230201:network:RouteResponse": { + "properties": { + "addressPrefix": { "containers": [ "properties" ] }, - "networkSecurityGroup": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", + "etag": {}, + "hasBgpOverride": { "containers": [ "properties" ] }, - "privateEndpointNetworkPolicies": { - "containers": [ - "properties" - ], - "default": "Disabled" - }, - "privateEndpoints": { + "id": {}, + "name": {}, + "nextHopIpAddress": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", - "type": "object" - } + ] }, - "privateLinkServiceNetworkPolicies": { + "nextHopType": { "containers": [ "properties" - ], - "default": "Enabled" + ] }, "provisioningState": { "containers": [ "properties" ] }, - "purpose": { + "type": {} + }, + "required": [ + "nextHopType" + ] + }, + "azure-native_network_v20230201:network:RouteTable": { + "properties": { + "disableBgpRoutePropagation": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "resourceNavigationLinks": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "routes": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ResourceNavigationLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:Route", "type": "object" - } + }, + "type": "array" }, - "routeTable": { - "$ref": "#/types/azure-native_network_v20230201:network:RouteTableResponse", + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:RouteTableResponse": { + "properties": { + "disableBgpRoutePropagation": { "containers": [ "properties" ] }, - "serviceAssociationLinks": { + "etag": {}, + "id": {}, + "location": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ServiceAssociationLinkResponse", - "type": "object" - } + ] }, - "serviceEndpointPolicies": { + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "routes": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:RouteResponse", "type": "object" } }, - "serviceEndpoints": { + "subnets": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", "type": "object" } }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, "type": {} } }, - "azure-native_network_v20230201:network:SubscriptionNetworkManagerConnection": { - "PUT": [ - { - "body": { - "properties": { - "description": { - "containers": [ - "properties" - ], - "type": "string" - }, - "networkManagerId": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "azure-native_network_v20230201:network:RoutingConfiguration": { + "properties": { + "associatedRouteTable": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "inboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" }, - { - "location": "path", - "name": "networkManagerConnectionName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "outboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "propagatedRouteTables": { + "$ref": "#/types/azure-native_network_v20230201:network:PropagatedRouteTable", + "type": "object" + }, + "vnetRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:VnetRoute", + "type": "object" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "path": "/subscriptions/{subscriptionId}/providers/Microsoft.Network/networkManagerConnections/{networkManagerConnectionName}", - "response": { - "description": { - "containers": [ - "properties" - ] + } + }, + "azure-native_network_v20230201:network:RoutingConfigurationNfv": { + "properties": { + "associatedRouteTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResource", + "type": "object" }, - "etag": {}, - "id": {}, - "name": {}, - "networkManagerId": { - "containers": [ - "properties" - ] + "inboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResource", + "type": "object" }, - "systemData": { - "$ref": "#/types/azure-native_network_v20230201:network:SystemDataResponse" + "outboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResource", + "type": "object" }, - "type": {} + "propagatedRouteTables": { + "$ref": "#/types/azure-native_network_v20230201:network:PropagatedRouteTableNfv", + "type": "object" + } } }, - "azure-native_network_v20230201:network:VirtualApplianceSite": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:RoutingConfigurationNfvResponse": { + "properties": { + "associatedRouteTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResourceResponse" + }, + "inboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResourceResponse" + }, + "outboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationNfvSubResourceResponse" + }, + "propagatedRouteTables": { + "$ref": "#/types/azure-native_network_v20230201:network:PropagatedRouteTableNfvResponse" + } + } + }, + "azure-native_network_v20230201:network:RoutingConfigurationNfvSubResource": { + "properties": { + "resourceUri": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:RoutingConfigurationNfvSubResourceResponse": { + "properties": { + "resourceUri": {} + } + }, + "azure-native_network_v20230201:network:RoutingConfigurationResponse": { + "properties": { + "associatedRouteTable": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse" + }, + "inboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse" + }, + "outboundRouteMap": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse" + }, + "propagatedRouteTables": { + "$ref": "#/types/azure-native_network_v20230201:network:PropagatedRouteTableResponse" + }, + "vnetRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:VnetRouteResponse" + } + } + }, + "azure-native_network_v20230201:network:RoutingPolicy": { + "properties": { + "destinations": { + "items": { "type": "string" - } + }, + "type": "array" }, - { - "location": "path", - "name": "networkVirtualApplianceName", - "required": true, - "value": { + "name": { + "type": "string" + }, + "nextHop": { + "type": "string" + } + }, + "required": [ + "destinations", + "name", + "nextHop" + ] + }, + "azure-native_network_v20230201:network:RoutingPolicyResponse": { + "properties": { + "destinations": { + "items": { "type": "string" } }, - { - "location": "path", - "name": "siteName", - "required": true, - "value": { - "autoname": "copy", + "name": {}, + "nextHop": {} + }, + "required": [ + "destinations", + "name", + "nextHop" + ] + }, + "azure-native_network_v20230201:network:SecurityRule": { + "properties": { + "access": { + "containers": [ + "properties" + ], + "type": "string" + }, + "description": { + "containers": [ + "properties" + ], + "type": "string" + }, + "destinationAddressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "destinationAddressPrefixes": { + "containers": [ + "properties" + ], + "items": { "type": "string" - } + }, + "type": "array" }, - { - "body": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "o365Policy": { - "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyProperties", - "containers": [ - "properties" - ], - "type": "object" - } - } + "destinationApplicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "destinationPortRange": { + "containers": [ + "properties" + ], + "type": "string" + }, + "destinationPortRanges": { + "containers": [ + "properties" + ], + "items": { "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/networkVirtualAppliances/{networkVirtualApplianceName}/virtualApplianceSites/{siteName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "addressPrefix": { + }, + "type": "array" + }, + "direction": { + "containers": [ + "properties" + ], + "type": "string" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "priority": { + "containers": [ + "properties" + ], + "type": "integer" + }, + "protocol": { + "containers": [ + "properties" + ], + "type": "string" + }, + "sourceAddressPrefix": { "containers": [ "properties" - ] + ], + "type": "string" }, - "etag": {}, - "id": {}, - "name": {}, - "o365Policy": { - "$ref": "#/types/azure-native_network_v20230201:network:Office365PolicyPropertiesResponse", + "sourceAddressPrefixes": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + }, + "type": "array" }, - "provisioningState": { + "sourceApplicationSecurityGroups": { "containers": [ "properties" - ] - }, - "type": {} - } - }, - "azure-native_network_v20230201:network:VirtualHub": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroup", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "sourcePortRange": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "autoname": "random", + "sourcePortRanges": { + "containers": [ + "properties" + ], + "items": { "type": "string" - } - }, - { - "body": { - "properties": { - "addressPrefix": { - "containers": [ - "properties" - ], - "type": "string" - }, - "allowBranchToBranchTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "azureFirewall": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "expressRouteGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "hubRoutingPreference": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "p2SVpnGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "preferredRoutingGateway": { - "containers": [ - "properties" - ], - "type": "string" - }, - "routeTable": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTable", - "containers": [ - "properties" - ], - "type": "object" - }, - "securityPartnerProvider": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "securityProviderName": { - "containers": [ - "properties" - ], - "type": "string" - }, - "sku": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualHubRouteTableV2s": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "virtualRouterAsn": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "virtualRouterAutoScaleConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "virtualRouterIps": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "virtualWan": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "vpnGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - } - }, - "required": [ - "location" - ] }, - "location": "body", - "name": "virtualHubParameters", - "required": true, - "value": {} + "type": "array" + }, + "type": { + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "addressPrefix": { + }, + "required": [ + "access", + "direction", + "priority", + "protocol" + ] + }, + "azure-native_network_v20230201:network:SecurityRuleResponse": { + "properties": { + "access": { "containers": [ "properties" ] }, - "allowBranchToBranchTraffic": { + "description": { "containers": [ "properties" ] }, - "azureFirewall": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "destinationAddressPrefix": { "containers": [ "properties" ] }, - "bgpConnections": { + "destinationAddressPrefixes": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" + "type": "string" } }, - "etag": {}, - "expressRouteGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "destinationApplicationSecurityGroups": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", + "type": "object" + } }, - "hubRoutingPreference": { + "destinationPortRange": { "containers": [ "properties" ] }, - "id": {}, - "ipConfigurations": { + "destinationPortRanges": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" + "type": "string" } }, - "kind": {}, - "location": {}, + "direction": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, "name": {}, - "p2SVpnGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "priority": { "containers": [ "properties" ] }, - "preferredRoutingGateway": { + "protocol": { "containers": [ "properties" ] @@ -49591,2130 +84586,2500 @@ "properties" ] }, - "routeMaps": { + "sourceAddressPrefix": { + "containers": [ + "properties" + ] + }, + "sourceAddressPrefixes": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "string" + } + }, + "sourceApplicationSecurityGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationSecurityGroupResponse", "type": "object" } }, - "routeTable": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableResponse", + "sourcePortRange": { "containers": [ "properties" ] }, - "routingState": { + "sourcePortRanges": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + } }, - "securityPartnerProvider": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": {} + }, + "required": [ + "access", + "direction", + "priority", + "protocol" + ] + }, + "azure-native_network_v20230201:network:ServiceAssociationLinkResponse": { + "properties": { + "allowDelete": { "containers": [ "properties" ] }, - "securityProviderName": { + "etag": {}, + "id": {}, + "link": { "containers": [ "properties" ] }, - "sku": { + "linkedResourceType": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualHubRouteTableV2s": { + "locations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteTableV2Response", - "type": "object" + "type": "string" } }, - "virtualRouterAsn": { - "containers": [ - "properties" - ] - }, - "virtualRouterAutoScaleConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualRouterAutoScaleConfigurationResponse", + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "virtualRouterIps": { + "type": {} + } + }, + "azure-native_network_v20230201:network:ServiceEndpointPolicy": { + "properties": { + "contextualServiceEndpointPolicies": { "containers": [ "properties" ], "items": { "type": "string" - } + }, + "type": "array" }, - "virtualWan": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "serviceAlias": { "containers": [ "properties" - ] + ], + "type": "string" }, - "vpnGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "serviceEndpointPolicyDefinitions": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition", + "type": "object" + }, + "type": "array" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" } } }, - "azure-native_network_v20230201:network:VirtualHubBgpConnection": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:ServiceEndpointPolicyDefinition": { + "properties": { + "description": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "id": { + "type": "string" }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { - "type": "string" - } + "name": { + "type": "string" }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "service": { + "containers": [ + "properties" + ], + "type": "string" }, - { - "body": { - "properties": { - "hubVirtualNetworkConnection": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "peerAsn": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "peerIp": { - "containers": [ - "properties" - ], - "type": "string" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/bgpConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "connectionState": { + "serviceResources": { "containers": [ "properties" - ] + ], + "items": { + "type": "string" + }, + "type": "array" }, - "etag": {}, - "hubVirtualNetworkConnection": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse": { + "properties": { + "description": { "containers": [ "properties" ] }, + "etag": {}, "id": {}, "name": {}, - "peerAsn": { + "provisioningState": { "containers": [ "properties" ] }, - "peerIp": { + "service": { "containers": [ "properties" ] }, - "provisioningState": { + "serviceResources": { "containers": [ "properties" - ] - }, - "type": {} - } - }, - "azure-native_network_v20230201:network:VirtualHubIpConfiguration": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { + ], + "items": { "type": "string" } }, - { - "location": "path", - "name": "ipConfigName", - "required": true, - "value": { - "autoname": "copy", + "type": {} + } + }, + "azure-native_network_v20230201:network:ServiceEndpointPolicyResponse": { + "properties": { + "contextualServiceEndpointPolicies": { + "containers": [ + "properties" + ], + "items": { "type": "string" } }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "privateIPAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "privateIPAllocationMethod": { - "containers": [ - "properties" - ], - "type": "string" - }, - "publicIPAddress": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddress", - "containers": [ - "properties" - ], - "type": "object" - }, - "subnet": { - "$ref": "#/types/azure-native_network_v20230201:network:Subnet", - "containers": [ - "properties" - ], - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/ipConfigurations/{ipConfigName}", - "putAsyncStyle": "azure-async-operation", - "response": { "etag": {}, "id": {}, + "kind": {}, + "location": {}, "name": {}, - "privateIPAddress": { + "provisioningState": { "containers": [ "properties" ] }, - "privateIPAllocationMethod": { + "resourceGuid": { "containers": [ "properties" ] }, - "provisioningState": { + "serviceAlias": { "containers": [ "properties" ] }, - "publicIPAddress": { - "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressResponse", + "serviceEndpointPolicyDefinitions": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyDefinitionResponse", + "type": "object" + } }, - "subnet": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "subnets": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "type": "object" + } + }, + "tags": { + "additionalProperties": { + "type": "string" + } }, "type": {} } }, - "azure-native_network_v20230201:network:VirtualHubRouteTableV2": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "azure-native_network_v20230201:network:ServiceEndpointPropertiesFormat": { + "properties": { + "locations": { + "items": { + "type": "string" + }, + "type": "array" + }, + "service": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse": { + "properties": { + "locations": { + "items": { "type": "string" } }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "provisioningState": {}, + "service": {} + } + }, + "azure-native_network_v20230201:network:SingleQueryResultResponse": { + "properties": { + "description": {}, + "destinationPorts": { + "items": { "type": "string" } }, - { - "location": "path", - "name": "virtualHubName", - "required": true, - "value": { + "direction": {}, + "group": {}, + "inheritedFromParentPolicy": {}, + "lastUpdated": {}, + "mode": {}, + "protocol": {}, + "severity": {}, + "signatureId": {}, + "sourcePorts": { + "items": { "type": "string" } + } + } + }, + "azure-native_network_v20230201:network:Sku": { + "properties": { + "name": { + "default": "Standard", + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:SkuResponse": { + "properties": { + "name": { + "default": "Standard" + } + } + }, + "azure-native_network_v20230201:network:StaticRoute": { + "properties": { + "addressPrefixes": { + "items": { + "type": "string" + }, + "type": "array" }, - { - "location": "path", - "name": "routeTableName", - "required": true, - "value": { - "autoname": "copy", + "name": { + "type": "string" + }, + "nextHopIpAddress": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:StaticRouteResponse": { + "properties": { + "addressPrefixes": { + "items": { "type": "string" } }, - { - "body": { - "properties": { - "attachedConnections": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "routes": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "virtualHubRouteTableV2Parameters", - "required": true, - "value": {} + "name": {}, + "nextHopIpAddress": {} + } + }, + "azure-native_network_v20230201:network:StaticRoutesConfig": { + "properties": { + "vnetLocalRouteOverrideCriteria": { + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualHubs/{virtualHubName}/routeTables/{routeTableName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "attachedConnections": { + } + }, + "azure-native_network_v20230201:network:StaticRoutesConfigResponse": { + "properties": { + "propagateStaticRoutes": {}, + "vnetLocalRouteOverrideCriteria": {} + } + }, + "azure-native_network_v20230201:network:SubResource": { + "properties": { + "id": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:SubResourceResponse": { + "properties": { + "id": {} + } + }, + "azure-native_network_v20230201:network:Subnet": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ], + "type": "string" + }, + "addressPrefixes": { "containers": [ "properties" ], "items": { "type": "string" - } + }, + "type": "array" }, - "etag": {}, - "id": {}, - "name": {}, - "provisioningState": { + "applicationGatewayIPConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfiguration", + "type": "object" + }, + "type": "array" }, - "routes": { + "delegations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2Response", + "$ref": "#/types/azure-native_network_v20230201:network:Delegation", "type": "object" - } + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "natGateway": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroup", + "containers": [ + "properties" + ], + "type": "object" + }, + "privateEndpointNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Disabled", + "type": "string" + }, + "privateLinkServiceNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Enabled", + "type": "string" + }, + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteTable", + "containers": [ + "properties" + ], + "type": "object" + }, + "serviceEndpointPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicy", + "type": "object" + }, + "type": "array" + }, + "serviceEndpoints": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormat", + "type": "object" + }, + "type": "array" + }, + "type": { + "type": "string" } } }, - "azure-native_network_v20230201:network:VirtualNetwork": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:SubnetResponse": { + "properties": { + "addressPrefix": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "autoname": "random", + "addressPrefixes": { + "containers": [ + "properties" + ], + "items": { "type": "string" } }, - { - "body": { - "properties": { - "addressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "bgpCommunities": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunities", - "containers": [ - "properties" - ], - "type": "object" - }, - "ddosProtectionPlan": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "dhcpOptions": { - "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptions", - "containers": [ - "properties" - ], - "type": "object" - }, - "enableDdosProtection": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "enableVmProtection": { - "containers": [ - "properties" - ], - "default": false, - "type": "boolean" - }, - "encryption": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryption", - "containers": [ - "properties" - ], - "type": "object" - }, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", - "type": "object" - }, - "flowTimeoutInMinutes": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "id": { - "type": "string" - }, - "ipAllocations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "type": "object" - }, - "type": "array" - }, - "location": { - "forceNew": true, - "type": "string" - }, - "subnets": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:Subnet", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualNetworkPeerings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeering", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "applicationGatewayIPConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayIPConfigurationResponse", + "type": "object" + } }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" + "delegations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:DelegationResponse", + "type": "object" } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "addressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + }, + "etag": {}, + "id": {}, + "ipAllocations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "ipConfigurationProfiles": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationProfileResponse", + "type": "object" + } }, - "bgpCommunities": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", + "ipConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IPConfigurationResponse", + "type": "object" + } }, - "ddosProtectionPlan": { + "name": {}, + "natGateway": { "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "dhcpOptions": { - "$ref": "#/types/azure-native_network_v20230201:network:DhcpOptionsResponse", + "networkSecurityGroup": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkSecurityGroupResponse", "containers": [ "properties" ] }, - "enableDdosProtection": { + "privateEndpointNetworkPolicies": { "containers": [ "properties" ], - "default": false + "default": "Disabled" }, - "enableVmProtection": { + "privateEndpoints": { "containers": [ "properties" ], - "default": false + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:PrivateEndpointResponse", + "type": "object" + } }, - "encryption": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", + "privateLinkServiceNetworkPolicies": { + "containers": [ + "properties" + ], + "default": "Enabled" + }, + "provisioningState": { "containers": [ "properties" ] }, - "etag": {}, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "purpose": { + "containers": [ + "properties" + ] }, - "flowLogs": { + "resourceNavigationLinks": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:FlowLogResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ResourceNavigationLinkResponse", "type": "object" } }, - "flowTimeoutInMinutes": { + "routeTable": { + "$ref": "#/types/azure-native_network_v20230201:network:RouteTableResponse", "containers": [ "properties" ] }, - "id": {}, - "ipAllocations": { + "serviceAssociationLinks": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceAssociationLinkResponse", "type": "object" } }, - "location": {}, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] - }, - "resourceGuid": { + "serviceEndpointPolicies": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPolicyResponse", + "type": "object" + } }, - "subnets": { + "serviceEndpoints": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubnetResponse", + "$ref": "#/types/azure-native_network_v20230201:network:ServiceEndpointPropertiesFormatResponse", "type": "object" } }, + "type": {} + } + }, + "azure-native_network_v20230201:network:SystemDataResponse": { + "properties": { + "createdAt": {}, + "createdBy": {}, + "createdByType": {}, + "lastModifiedAt": {}, + "lastModifiedBy": {}, + "lastModifiedByType": {} + } + }, + "azure-native_network_v20230201:network:TrafficAnalyticsConfigurationProperties": { + "properties": { + "enabled": { + "type": "boolean" + }, + "trafficAnalyticsInterval": { + "type": "integer" + }, + "workspaceId": { + "type": "string" + }, + "workspaceRegion": { + "type": "string" + }, + "workspaceResourceId": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:TrafficAnalyticsConfigurationPropertiesResponse": { + "properties": { + "enabled": {}, + "trafficAnalyticsInterval": {}, + "workspaceId": {}, + "workspaceRegion": {}, + "workspaceResourceId": {} + } + }, + "azure-native_network_v20230201:network:TrafficAnalyticsProperties": { + "properties": { + "networkWatcherFlowAnalyticsConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsConfigurationProperties", + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:TrafficAnalyticsPropertiesResponse": { + "properties": { + "networkWatcherFlowAnalyticsConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficAnalyticsConfigurationPropertiesResponse" + } + } + }, + "azure-native_network_v20230201:network:TrafficSelectorPolicy": { + "properties": { + "localAddressRanges": { + "items": { + "type": "string" + }, + "type": "array" + }, + "remoteAddressRanges": { + "items": { + "type": "string" + }, + "type": "array" + } + }, + "required": [ + "localAddressRanges", + "remoteAddressRanges" + ] + }, + "azure-native_network_v20230201:network:TrafficSelectorPolicyResponse": { + "properties": { + "localAddressRanges": { + "items": { + "type": "string" + } + }, + "remoteAddressRanges": { + "items": { + "type": "string" + } + } + }, + "required": [ + "localAddressRanges", + "remoteAddressRanges" + ] + }, + "azure-native_network_v20230201:network:TunnelConnectionHealthResponse": { + "properties": { + "connectionStatus": {}, + "egressBytesTransferred": {}, + "ingressBytesTransferred": {}, + "lastConnectionEstablishedUtcTime": {}, + "tunnel": {} + } + }, + "azure-native_network_v20230201:network:VM": { + "properties": { + "id": { + "type": "string" + }, + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:VMResponse": { + "properties": { + "id": {}, + "location": {}, + "name": {}, "tags": { "additionalProperties": { "type": "string" } }, - "type": {}, - "virtualNetworkPeerings": { + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualApplianceAdditionalNicProperties": { + "properties": { + "hasPublicIp": { + "type": "boolean" + }, + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VirtualApplianceAdditionalNicPropertiesResponse": { + "properties": { + "hasPublicIp": {}, + "name": {} + } + }, + "azure-native_network_v20230201:network:VirtualApplianceNicPropertiesResponse": { + "properties": { + "instanceName": {}, + "name": {}, + "privateIpAddress": {}, + "publicIpAddress": {} + } + }, + "azure-native_network_v20230201:network:VirtualApplianceSkuProperties": { + "properties": { + "bundledScaleUnit": { + "type": "string" + }, + "marketPlaceVersion": { + "type": "string" + }, + "vendor": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VirtualApplianceSkuPropertiesResponse": { + "properties": { + "bundledScaleUnit": {}, + "marketPlaceVersion": {}, + "vendor": {} + } + }, + "azure-native_network_v20230201:network:VirtualHubId": { + "properties": { + "id": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VirtualHubIdResponse": { + "properties": { + "id": {} + } + }, + "azure-native_network_v20230201:network:VirtualHubRoute": { + "properties": { + "addressPrefixes": { + "items": { + "type": "string" + }, + "type": "array" + }, + "nextHopIpAddress": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VirtualHubRouteResponse": { + "properties": { + "addressPrefixes": { + "items": { + "type": "string" + } + }, + "nextHopIpAddress": {} + } + }, + "azure-native_network_v20230201:network:VirtualHubRouteTable": { + "properties": { + "routes": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRoute", + "type": "object" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:VirtualHubRouteTableResponse": { + "properties": { + "routes": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteResponse", + "type": "object" + } + } + } + }, + "azure-native_network_v20230201:network:VirtualHubRouteTableV2": { + "properties": { + "attachedConnections": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringResponse", + "type": "string" + }, + "type": "array" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2", "type": "object" - } + }, + "type": "array" } } }, - "azure-native_network_v20230201:network:VirtualNetworkGateway": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { + "azure-native_network_v20230201:network:VirtualHubRouteTableV2Response": { + "properties": { + "attachedConnections": { + "containers": [ + "properties" + ], + "items": { "type": "string" } }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "autoname": "random", - "type": "string" + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "routes": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualHubRouteV2Response", + "type": "object" } + } + } + }, + "azure-native_network_v20230201:network:VirtualHubRouteV2": { + "properties": { + "destinationType": { + "type": "string" }, - { - "body": { - "properties": { - "activeActive": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "adminState": { - "containers": [ - "properties" - ], - "type": "string" - }, - "allowRemoteVnetTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "allowVirtualWanTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "bgpSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "customRoutes": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "disableIPSecReplayProtection": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableBgp": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableBgpRouteTranslationForNat": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableDnsForwarding": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enablePrivateIpAddress": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", - "type": "object" - }, - "gatewayDefaultSite": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "gatewayType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "id": { - "type": "string" - }, - "ipConfigurations": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfiguration", - "type": "object" - }, - "type": "array" - }, - "location": { - "type": "string" - }, - "natRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySku", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "vNetExtendedLocationResourceId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "virtualNetworkGatewayPolicyGroups": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroup", - "type": "object" - }, - "type": "array" - }, - "vpnClientConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "vpnGatewayGeneration": { - "containers": [ - "properties" - ], - "type": "string" - }, - "vpnType": { - "containers": [ - "properties" - ], - "type": "string" - } - } + "destinations": { + "items": { + "type": "string" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" + }, + "nextHopType": { + "type": "string" + }, + "nextHops": { + "items": { + "type": "string" + }, + "type": "array" + } + } + }, + "azure-native_network_v20230201:network:VirtualHubRouteV2Response": { + "properties": { + "destinationType": {}, + "destinations": { + "items": { + "type": "string" + } + }, + "nextHopType": {}, + "nextHops": { + "items": { + "type": "string" + } + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkBgpCommunities": { + "properties": { + "virtualNetworkCommunity": { + "type": "string" + } + }, + "required": [ + "virtualNetworkCommunity" + ] + }, + "azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse": { + "properties": { + "regionalCommunity": {}, + "virtualNetworkCommunity": {} + }, + "required": [ + "virtualNetworkCommunity" + ] + }, + "azure-native_network_v20230201:network:VirtualNetworkEncryption": { + "properties": { + "enabled": { + "type": "boolean" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "enforcement": { + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}", - "putAsyncStyle": "azure-async-operation", - "requiredContainers": [ - [ - "properties" - ] - ], - "response": { + }, + "required": [ + "enabled" + ] + }, + "azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse": { + "properties": { + "enabled": {}, + "enforcement": {} + }, + "required": [ + "enabled" + ] + }, + "azure-native_network_v20230201:network:VirtualNetworkGateway": { + "properties": { "activeActive": { "containers": [ "properties" - ] + ], + "type": "boolean" }, "adminState": { "containers": [ "properties" - ] + ], + "type": "string" }, "allowRemoteVnetTraffic": { "containers": [ "properties" - ] + ], + "type": "boolean" }, "allowVirtualWanTraffic": { "containers": [ "properties" - ] + ], + "type": "boolean" }, "bgpSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", "containers": [ "properties" - ] + ], + "type": "object" }, "customRoutes": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", "containers": [ "properties" - ] + ], + "type": "object" }, "disableIPSecReplayProtection": { "containers": [ "properties" - ] + ], + "type": "boolean" }, "enableBgp": { "containers": [ "properties" - ] + ], + "type": "boolean" }, "enableBgpRouteTranslationForNat": { "containers": [ "properties" - ] + ], + "type": "boolean" }, "enableDnsForwarding": { "containers": [ "properties" - ] + ], + "type": "boolean" }, "enablePrivateIpAddress": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "etag": {}, "extendedLocation": { - "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocation", + "type": "object" }, "gatewayDefaultSite": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" - ] + ], + "type": "object" }, "gatewayType": { "containers": [ "properties" - ] + ], + "type": "string" }, - "id": {}, - "inboundDnsForwardingEndpoint": { - "containers": [ - "properties" - ] + "id": { + "type": "string" }, "ipConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfiguration", "type": "object" - } + }, + "type": "array" + }, + "location": { + "type": "string" }, - "location": {}, - "name": {}, "natRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule", "type": "object" - } + }, + "type": "array" }, - "provisioningState": { + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySku", + "containers": [ + "properties" + ], + "type": "object" + }, + "tags": { + "additionalProperties": { + "type": "string" + }, + "type": "object" + }, + "vNetExtendedLocationResourceId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "virtualNetworkGatewayPolicyGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroup", + "type": "object" + }, + "type": "array" + }, + "vpnClientConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfiguration", + "containers": [ + "properties" + ], + "type": "object" + }, + "vpnGatewayGeneration": { + "containers": [ + "properties" + ], + "type": "string" + }, + "vpnType": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfiguration": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "privateIPAllocationMethod": { + "containers": [ + "properties" + ], + "type": "string" + }, + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse": { + "properties": { + "etag": {}, + "id": {}, + "name": {}, + "privateIPAddress": { "containers": [ "properties" ] }, - "resourceGuid": { + "privateIPAllocationMethod": { "containers": [ "properties" ] }, - "sku": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse", + "provisioningState": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "publicIPAddress": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] }, - "type": {}, - "vNetExtendedLocationResourceId": { + "subnet": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule": { + "properties": { + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" }, - "virtualNetworkGatewayPolicyGroups": { + "id": { + "type": "string" + }, + "internalMappings": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" + }, + "ipConfigurationId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "mode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "name": { + "type": "string" + }, + "type": { + "containers": [ + "properties" + ], + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse": { + "properties": { + "etag": {}, + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", "type": "object" } }, - "vpnClientConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfigurationResponse", + "id": {}, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, + "ipConfigurationId": { "containers": [ "properties" ] }, - "vpnGatewayGeneration": { + "mode": { "containers": [ "properties" ] }, - "vpnType": { + "name": {}, + "provisioningState": { "containers": [ "properties" ] - } + }, + "type": {} } }, - "azure-native_network_v20230201:network:VirtualNetworkGatewayConnection": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroup": { + "properties": { + "id": { + "type": "string" }, - { - "location": "path", - "name": "virtualNetworkGatewayConnectionName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "isDefault": { + "containers": [ + "properties" + ], + "type": "boolean" }, - { - "body": { - "properties": { - "authorizationKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "connectionMode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "connectionProtocol": { - "containers": [ - "properties" - ], - "type": "string" - }, - "connectionType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "dpdTimeoutSeconds": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "egressNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "type": "object" - }, - "type": "array" - }, - "enableBgp": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enablePrivateLinkFastPath": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "expressRouteGatewayBypass": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "gatewayCustomBgpIpAddresses": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfiguration", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "ingressNatRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "type": "object" - }, - "type": "array" - }, - "ipsecPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", - "type": "object" - }, - "type": "array" - }, - "localNetworkGateway2": { - "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGateway", - "containers": [ - "properties" - ], - "type": "object" - }, - "location": { - "type": "string" - }, - "peer": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "routingWeight": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "sharedKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "trafficSelectorPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicy", - "type": "object" - }, - "type": "array" - }, - "useLocalAzureIpAddress": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "usePolicyBasedTrafficSelectors": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "virtualNetworkGateway1": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGateway", - "containers": [ - "properties" - ], - "type": "object" - }, - "virtualNetworkGateway2": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGateway", - "containers": [ - "properties" - ], - "type": "object" - } - }, - "required": [ - "connectionType", - "virtualNetworkGateway1" - ] + "name": { + "type": "string" + }, + "policyMembers": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupMember", + "type": "object" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" + }, + "priority": { + "containers": [ + "properties" + ], + "type": "integer" + } + }, + "required": [ + "isDefault", + "policyMembers", + "priority" + ] + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupMember": { + "properties": { + "attributeType": { + "type": "string" + }, + "attributeValue": { + "type": "string" + }, + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupMemberResponse": { + "properties": { + "attributeType": {}, + "attributeValue": {}, + "name": {} + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse": { + "properties": { + "etag": {}, + "id": {}, + "isDefault": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" + "name": {}, + "policyMembers": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupMemberResponse", + "type": "object" } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/connections/{virtualNetworkGatewayConnectionName}", - "putAsyncStyle": "azure-async-operation", - "requiredContainers": [ - [ - "properties" - ] - ], - "response": { - "authorizationKey": { + }, + "priority": { "containers": [ "properties" ] }, - "connectionMode": { + "provisioningState": { "containers": [ "properties" ] }, - "connectionProtocol": { + "vngClientConnectionConfigurations": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + } + }, + "required": [ + "isDefault", + "policyMembers", + "priority" + ] + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayResponse": { + "properties": { + "activeActive": { "containers": [ "properties" ] }, - "connectionStatus": { + "adminState": { "containers": [ "properties" ] }, - "connectionType": { + "allowRemoteVnetTraffic": { "containers": [ "properties" ] }, - "dpdTimeoutSeconds": { + "allowVirtualWanTraffic": { "containers": [ "properties" ] }, - "egressBytesTransferred": { + "bgpSettings": { + "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", "containers": [ "properties" ] }, - "egressNatRules": { + "customRoutes": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + ] + }, + "disableIPSecReplayProtection": { + "containers": [ + "properties" + ] }, "enableBgp": { "containers": [ "properties" ] }, - "enablePrivateLinkFastPath": { + "enableBgpRouteTranslationForNat": { + "containers": [ + "properties" + ] + }, + "enableDnsForwarding": { + "containers": [ + "properties" + ] + }, + "enablePrivateIpAddress": { "containers": [ "properties" ] }, "etag": {}, - "expressRouteGatewayBypass": { + "extendedLocation": { + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationResponse" + }, + "gatewayDefaultSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "gatewayCustomBgpIpAddresses": { + "gatewayType": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse", - "type": "object" - } + ] }, "id": {}, - "ingressBytesTransferred": { + "inboundDnsForwardingEndpoint": { "containers": [ "properties" ] }, - "ingressNatRules": { + "ipConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfigurationResponse", "type": "object" } }, - "ipsecPolicies": { + "location": {}, + "name": {}, + "natRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayNatRuleResponse", "type": "object" } }, - "localNetworkGateway2": { - "$ref": "#/types/azure-native_network_v20230201:network:LocalNetworkGatewayResponse", + "provisioningState": { "containers": [ "properties" ] }, - "location": {}, - "name": {}, - "peer": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "resourceGuid": { "containers": [ "properties" ] }, - "provisioningState": { + "sku": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse", "containers": [ "properties" ] }, - "resourceGuid": { + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {}, + "vNetExtendedLocationResourceId": { "containers": [ "properties" ] }, - "routingWeight": { + "virtualNetworkGatewayPolicyGroups": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayPolicyGroupResponse", + "type": "object" + } + }, + "vpnClientConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientConfigurationResponse", "containers": [ "properties" ] }, - "sharedKey": { + "vpnGatewayGeneration": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "vpnType": { + "containers": [ + "properties" + ] + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewaySku": { + "properties": { + "name": { + "type": "string" }, - "trafficSelectorPolicies": { + "tier": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse": { + "properties": { + "capacity": {}, + "name": {}, + "tier": {} + } + }, + "azure-native_network_v20230201:network:VirtualNetworkPeering": { + "properties": { + "allowForwardedTraffic": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", - "type": "object" - } + "type": "boolean" }, - "tunnelConnectionStatus": { + "allowGatewayTransit": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:TunnelConnectionHealthResponse", - "type": "object" - } + "type": "boolean" }, - "type": {}, - "useLocalAzureIpAddress": { + "allowVirtualNetworkAccess": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "doNotVerifyRemoteGateways": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "peeringState": { + "containers": [ + "properties" + ], + "type": "string" + }, + "peeringSyncLevel": { + "containers": [ + "properties" + ], + "type": "string" + }, + "remoteAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "remoteBgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunities", + "containers": [ + "properties" + ], + "type": "object" + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "containers": [ + "properties" + ], + "type": "object" + }, + "remoteVirtualNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + }, + "type": { + "type": "string" + }, + "useRemoteGateways": { + "containers": [ + "properties" + ], + "type": "boolean" + } + } + }, + "azure-native_network_v20230201:network:VirtualNetworkPeeringResponse": { + "properties": { + "allowForwardedTraffic": { "containers": [ "properties" ] }, - "usePolicyBasedTrafficSelectors": { + "allowGatewayTransit": { "containers": [ "properties" ] }, - "virtualNetworkGateway1": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", + "allowVirtualNetworkAccess": { "containers": [ "properties" ] }, - "virtualNetworkGateway2": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayResponse", + "doNotVerifyRemoteGateways": { + "containers": [ + "properties" + ] + }, + "etag": {}, + "id": {}, + "name": {}, + "peeringState": { + "containers": [ + "properties" + ] + }, + "peeringSyncLevel": { + "containers": [ + "properties" + ] + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "remoteAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "remoteBgpCommunities": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", + "containers": [ + "properties" + ] + }, + "remoteVirtualNetwork": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "containers": [ + "properties" + ] + }, + "remoteVirtualNetworkAddressSpace": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "containers": [ + "properties" + ] + }, + "remoteVirtualNetworkEncryption": { + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "type": {}, + "useRemoteGateways": { "containers": [ "properties" ] } } }, - "azure-native_network_v20230201:network:VirtualNetworkGatewayNatRule": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:VirtualNetworkTap": { + "properties": { + "destinationLoadBalancerFrontEndIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", + "containers": [ + "properties" + ], + "type": "object" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "destinationNetworkInterfaceIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration", + "containers": [ + "properties" + ], + "type": "object" }, - { - "location": "path", - "name": "virtualNetworkGatewayName", - "required": true, - "value": { - "type": "string" - } + "destinationPort": { + "containers": [ + "properties" + ], + "type": "integer" }, - { - "location": "path", - "name": "natRuleName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "id": { + "type": "string" }, - { - "body": { - "properties": { - "externalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "internalMappings": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", - "type": "object" - }, - "type": "array" - }, - "ipConfigurationId": { - "containers": [ - "properties" - ], - "type": "string" - }, - "mode": { - "containers": [ - "properties" - ], - "type": "string" - }, - "name": { - "type": "string" - }, - "type": { - "containers": [ - "properties" - ], - "type": "string" - } - } + "location": { + "type": "string" + }, + "tags": { + "additionalProperties": { + "type": "string" }, - "location": "body", - "name": "NatRuleParameters", - "required": true, - "value": {} + "type": "object" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkGateways/{virtualNetworkGatewayName}/natRules/{natRuleName}", - "putAsyncStyle": "azure-async-operation", - "response": { + } + }, + "azure-native_network_v20230201:network:VirtualNetworkTapResponse": { + "properties": { + "destinationLoadBalancerFrontEndIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "destinationNetworkInterfaceIPConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "containers": [ + "properties" + ] + }, + "destinationPort": { + "containers": [ + "properties" + ] + }, "etag": {}, - "externalMappings": { + "id": {}, + "location": {}, + "name": {}, + "networkInterfaceTapConfigurations": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", + "type": "object" + } + }, + "provisioningState": { + "containers": [ + "properties" + ] + }, + "resourceGuid": { + "containers": [ + "properties" + ] + }, + "tags": { + "additionalProperties": { + "type": "string" + } + }, + "type": {} + } + }, + "azure-native_network_v20230201:network:VirtualRouterAutoScaleConfiguration": { + "properties": { + "minCapacity": { + "minimum": 0, + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:VirtualRouterAutoScaleConfigurationResponse": { + "properties": { + "minCapacity": {} + } + }, + "azure-native_network_v20230201:network:VnetRoute": { + "properties": { + "staticRoutes": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:StaticRoute", + "type": "object" + }, + "type": "array" + }, + "staticRoutesConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:StaticRoutesConfig", + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:VnetRouteResponse": { + "properties": { + "bgpConnections": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "type": "object" } }, - "id": {}, - "internalMappings": { + "staticRoutes": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:StaticRouteResponse", + "type": "object" + } + }, + "staticRoutesConfig": { + "$ref": "#/types/azure-native_network_v20230201:network:StaticRoutesConfigResponse" + } + } + }, + "azure-native_network_v20230201:network:VngClientConnectionConfiguration": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "virtualNetworkGatewayPolicyGroups": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" - } + }, + "type": "array" }, - "ipConfigurationId": { + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "containers": [ + "properties" + ], + "type": "object" + } + }, + "required": [ + "virtualNetworkGatewayPolicyGroups", + "vpnClientAddressPool" + ] + }, + "azure-native_network_v20230201:network:VngClientConnectionConfigurationResponse": { + "properties": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "mode": { + "virtualNetworkGatewayPolicyGroups": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "name": {}, - "provisioningState": { + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", "containers": [ "properties" ] + } + }, + "required": [ + "virtualNetworkGatewayPolicyGroups", + "vpnClientAddressPool" + ] + }, + "azure-native_network_v20230201:network:VpnClientConfiguration": { + "properties": { + "aadAudience": { + "type": "string" }, - "type": {} + "aadIssuer": { + "type": "string" + }, + "aadTenant": { + "type": "string" + }, + "radiusServerAddress": { + "type": "string" + }, + "radiusServerSecret": { + "type": "string" + }, + "radiusServers": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RadiusServer", + "type": "object" + }, + "type": "array" + }, + "vngClientConnectionConfigurations": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VngClientConnectionConfiguration", + "type": "object" + }, + "type": "array" + }, + "vpnAuthenticationTypes": { + "items": { + "type": "string" + }, + "type": "array" + }, + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", + "type": "object" + }, + "vpnClientIpsecPolicies": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", + "type": "object" + }, + "type": "array" + }, + "vpnClientProtocols": { + "items": { + "type": "string" + }, + "type": "array" + }, + "vpnClientRevokedCertificates": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientRevokedCertificate", + "type": "object" + }, + "type": "array" + }, + "vpnClientRootCertificates": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientRootCertificate", + "type": "object" + }, + "type": "array" + } } }, - "azure-native_network_v20230201:network:VirtualNetworkPeering": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "azure-native_network_v20230201:network:VpnClientConfigurationResponse": { + "properties": { + "aadAudience": {}, + "aadIssuer": {}, + "aadTenant": {}, + "radiusServerAddress": {}, + "radiusServerSecret": {}, + "radiusServers": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RadiusServerResponse", + "type": "object" } }, - { - "location": "path", - "name": "virtualNetworkName", - "required": true, - "value": { - "type": "string" + "vngClientConnectionConfigurations": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VngClientConnectionConfigurationResponse", + "type": "object" } }, - { - "location": "path", - "name": "virtualNetworkPeeringName", - "required": true, - "value": { - "autoname": "copy", + "vpnAuthenticationTypes": { + "items": { "type": "string" } }, - { - "body": { - "properties": { - "allowForwardedTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "allowGatewayTransit": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "allowVirtualNetworkAccess": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "doNotVerifyRemoteGateways": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "peeringState": { - "containers": [ - "properties" - ], - "type": "string" - }, - "peeringSyncLevel": { - "containers": [ - "properties" - ], - "type": "string" - }, - "remoteAddressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "remoteBgpCommunities": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunities", - "containers": [ - "properties" - ], - "type": "object" - }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "type": { - "type": "string" - }, - "useRemoteGateways": { - "containers": [ - "properties" - ], - "type": "boolean" - } - } - }, - "location": "body", - "name": "VirtualNetworkPeeringParameters", - "required": true, - "value": {} + "vpnClientAddressPool": { + "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse" }, - { - "location": "query", - "name": "syncRemoteAddressSpace", - "value": { - "type": "string" + "vpnClientIpsecPolicies": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" } }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { + "vpnClientProtocols": { + "items": { "type": "string" } + }, + "vpnClientRevokedCertificates": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientRevokedCertificateResponse", + "type": "object" + } + }, + "vpnClientRootCertificates": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientRootCertificateResponse", + "type": "object" + } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworks/{virtualNetworkName}/virtualNetworkPeerings/{virtualNetworkPeeringName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "allowForwardedTraffic": { + } + }, + "azure-native_network_v20230201:network:VpnClientConnectionHealthDetailResponse": { + "properties": { + "egressBytesTransferred": {}, + "egressPacketsTransferred": {}, + "ingressBytesTransferred": {}, + "ingressPacketsTransferred": {}, + "maxBandwidth": {}, + "maxPacketsPerSecond": {}, + "privateIpAddress": {}, + "publicIpAddress": {}, + "vpnConnectionDuration": {}, + "vpnConnectionId": {}, + "vpnConnectionTime": {}, + "vpnUserName": {} + } + }, + "azure-native_network_v20230201:network:VpnClientConnectionHealthResponse": { + "properties": { + "allocatedIpAddresses": { + "items": { + "type": "string" + } + }, + "totalEgressBytesTransferred": {}, + "totalIngressBytesTransferred": {}, + "vpnClientConnectionsCount": {} + } + }, + "azure-native_network_v20230201:network:VpnClientRevokedCertificate": { + "properties": { + "id": { + "type": "string" + }, + "name": { + "type": "string" + }, + "thumbprint": { "containers": [ "properties" - ] - }, - "allowGatewayTransit": { + ], + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VpnClientRevokedCertificateResponse": { + "properties": { + "etag": {}, + "id": {}, + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "allowVirtualNetworkAccess": { + "thumbprint": { "containers": [ "properties" ] + } + } + }, + "azure-native_network_v20230201:network:VpnClientRootCertificate": { + "properties": { + "id": { + "type": "string" }, - "doNotVerifyRemoteGateways": { + "name": { + "type": "string" + }, + "publicCertData": { "containers": [ "properties" - ] - }, + ], + "type": "string" + } + }, + "required": [ + "publicCertData" + ] + }, + "azure-native_network_v20230201:network:VpnClientRootCertificateResponse": { + "properties": { "etag": {}, "id": {}, "name": {}, - "peeringState": { + "provisioningState": { "containers": [ "properties" ] }, - "peeringSyncLevel": { + "publicCertData": { "containers": [ "properties" ] + } + }, + "required": [ + "publicCertData" + ] + }, + "azure-native_network_v20230201:network:VpnConnection": { + "properties": { + "connectionBandwidth": { + "containers": [ + "properties" + ], + "type": "integer" }, - "provisioningState": { + "dpdTimeoutSeconds": { "containers": [ "properties" - ] + ], + "type": "integer" }, - "remoteAddressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "enableBgp": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "remoteBgpCommunities": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkBgpCommunitiesResponse", + "enableInternetSecurity": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "remoteVirtualNetwork": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "enableRateLimiting": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "remoteVirtualNetworkAddressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "id": { + "type": "string" + }, + "ipsecPolicies": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", + "type": "object" + }, + "type": "array" }, - "remoteVirtualNetworkEncryption": { - "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse", + "name": { + "type": "string" + }, + "remoteVpnSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" - ] + ], + "type": "object" }, - "resourceGuid": { + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", "containers": [ "properties" - ] + ], + "type": "object" }, - "type": {}, - "useRemoteGateways": { + "routingWeight": { "containers": [ "properties" - ] + ], + "type": "integer" + }, + "sharedKey": { + "containers": [ + "properties" + ], + "type": "string" + }, + "trafficSelectorPolicies": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicy", + "type": "object" + }, + "type": "array" + }, + "useLocalAzureIpAddress": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "vpnConnectionProtocolType": { + "containers": [ + "properties" + ], + "type": "string" + }, + "vpnLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnection", + "type": "object" + }, + "type": "array" } } }, - "azure-native_network_v20230201:network:VirtualNetworkTap": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:VpnConnectionResponse": { + "properties": { + "connectionBandwidth": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "tapName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } + "connectionStatus": { + "containers": [ + "properties" + ] }, - { - "body": { - "properties": { - "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "destinationPort": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "dpdTimeoutSeconds": { + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualNetworkTaps/{tapName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "destinationLoadBalancerFrontEndIPConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:FrontendIPConfigurationResponse", + "egressBytesTransferred": { "containers": [ "properties" ] }, - "destinationNetworkInterfaceIPConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceIPConfigurationResponse", + "enableBgp": { + "containers": [ + "properties" + ] + }, + "enableInternetSecurity": { "containers": [ "properties" ] }, - "destinationPort": { + "enableRateLimiting": { "containers": [ "properties" ] }, "etag": {}, "id": {}, - "location": {}, - "name": {}, - "networkInterfaceTapConfigurations": { + "ingressBytesTransferred": { + "containers": [ + "properties" + ] + }, + "ipsecPolicies": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceTapConfigurationResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", "type": "object" } }, + "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "resourceGuid": { + "remoteVpnSite": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native_network_v20230201:network:VirtualRouter": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualRouterName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - }, - { - "body": { - "properties": { - "hostedGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "hostedSubnet": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualRouterAsn": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "virtualRouterIps": { - "containers": [ - "properties" - ], - "items": { - "type": "string" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "routingConfiguration": { + "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", + "containers": [ + "properties" + ] }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "etag": {}, - "hostedGateway": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "routingWeight": { "containers": [ "properties" ] }, - "hostedSubnet": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "sharedKey": { "containers": [ "properties" ] }, - "id": {}, - "location": {}, - "name": {}, - "peerings": { + "trafficSelectorPolicies": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", "type": "object" } }, - "provisioningState": { + "useLocalAzureIpAddress": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } + "usePolicyBasedTrafficSelectors": { + "containers": [ + "properties" + ] }, - "type": {}, - "virtualRouterAsn": { + "vpnConnectionProtocolType": { "containers": [ "properties" ] }, - "virtualRouterIps": { + "vpnLinkConnections": { "containers": [ "properties" ], "items": { - "type": "string" + "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse", + "type": "object" } } } }, - "azure-native_network_v20230201:network:VirtualRouterPeering": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "virtualRouterName", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:VpnGatewayIpConfigurationResponse": { + "properties": { + "id": {}, + "privateIpAddress": {}, + "publicIpAddress": {} + } + }, + "azure-native_network_v20230201:network:VpnGatewayNatRule": { + "properties": { + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" + }, + "type": "array" }, - { - "location": "path", - "name": "peeringName", - "required": true, - "value": { - "autoname": "copy", - "type": "string" - } + "id": { + "type": "string" }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "name": { - "type": "string" - }, - "peerAsn": { - "containers": [ - "properties" - ], - "maximum": 4294967295, - "minimum": 0, - "type": "number" - }, - "peerIp": { - "containers": [ - "properties" - ], - "type": "string" - } - } + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMapping", + "type": "object" }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} + "type": "array" }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "ipConfigurationId": { + "containers": [ + "properties" + ], + "type": "string" + }, + "mode": { + "containers": [ + "properties" + ], + "type": "string" + }, + "name": { + "type": "string" + }, + "type": { + "containers": [ + "properties" + ], + "type": "string" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualRouters/{virtualRouterName}/peerings/{peeringName}", - "putAsyncStyle": "azure-async-operation", - "response": { + } + }, + "azure-native_network_v20230201:network:VpnGatewayNatRuleResponse": { + "properties": { + "egressVpnSiteLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, "etag": {}, + "externalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, "id": {}, - "name": {}, - "peerAsn": { + "ingressVpnSiteLinkConnections": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } + }, + "internalMappings": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMappingResponse", + "type": "object" + } + }, + "ipConfigurationId": { "containers": [ "properties" ] }, - "peerIp": { + "mode": { "containers": [ "properties" ] }, + "name": {}, "provisioningState": { "containers": [ "properties" @@ -51723,110 +87088,199 @@ "type": {} } }, - "azure-native_network_v20230201:network:VirtualWan": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } + "azure-native_network_v20230201:network:VpnLinkBgpSettings": { + "properties": { + "asn": { + "type": "number" }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } + "bgpPeeringAddress": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VpnLinkBgpSettingsResponse": { + "properties": { + "asn": {}, + "bgpPeeringAddress": {} + } + }, + "azure-native_network_v20230201:network:VpnLinkProviderProperties": { + "properties": { + "linkProviderName": { + "type": "string" }, - { - "location": "path", - "name": "VirtualWANName", - "required": true, - "value": { - "autoname": "random", - "sdkName": "virtualWANName", - "type": "string" - } + "linkSpeedInMbps": { + "type": "integer" + } + } + }, + "azure-native_network_v20230201:network:VpnLinkProviderPropertiesResponse": { + "properties": { + "linkProviderName": {}, + "linkSpeedInMbps": {} + } + }, + "azure-native_network_v20230201:network:VpnNatRuleMapping": { + "properties": { + "addressSpace": { + "type": "string" }, - { - "body": { - "properties": { - "allowBranchToBranchTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "allowVnetToVnetTraffic": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "disableVpnEncryption": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "type": { - "containers": [ - "properties" - ], - "type": "string" - } - }, - "required": [ - "location" - ] + "portRange": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VpnNatRuleMappingResponse": { + "properties": { + "addressSpace": {}, + "portRange": {} + } + }, + "azure-native_network_v20230201:network:VpnServerConfigRadiusClientRootCertificate": { + "properties": { + "name": { + "type": "string" + }, + "thumbprint": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VpnServerConfigRadiusClientRootCertificateResponse": { + "properties": { + "name": {}, + "thumbprint": {} + } + }, + "azure-native_network_v20230201:network:VpnServerConfigRadiusServerRootCertificate": { + "properties": { + "name": { + "type": "string" + }, + "publicCertData": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VpnServerConfigRadiusServerRootCertificateResponse": { + "properties": { + "name": {}, + "publicCertData": {} + } + }, + "azure-native_network_v20230201:network:VpnServerConfigVpnClientRevokedCertificate": { + "properties": { + "name": { + "type": "string" + }, + "thumbprint": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VpnServerConfigVpnClientRevokedCertificateResponse": { + "properties": { + "name": {}, + "thumbprint": {} + } + }, + "azure-native_network_v20230201:network:VpnServerConfigVpnClientRootCertificate": { + "properties": { + "name": { + "type": "string" + }, + "publicCertData": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VpnServerConfigVpnClientRootCertificateResponse": { + "properties": { + "name": {}, + "publicCertData": {} + } + }, + "azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroup": { + "properties": { + "id": { + "type": "string" + }, + "isDefault": { + "containers": [ + "properties" + ], + "type": "boolean" + }, + "name": { + "type": "string" + }, + "policyMembers": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMember", + "type": "object" }, - "location": "body", - "name": "WANParameters", - "required": true, - "value": {} + "type": "array" + }, + "priority": { + "containers": [ + "properties" + ], + "type": "integer" } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/virtualWans/{VirtualWANName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "allowBranchToBranchTraffic": { + } + }, + "azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMember": { + "properties": { + "attributeType": { + "type": "string" + }, + "attributeValue": { + "type": "string" + }, + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse": { + "properties": { + "attributeType": {}, + "attributeValue": {}, + "name": {} + } + }, + "azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupResponse": { + "properties": { + "etag": {}, + "id": {}, + "isDefault": { "containers": [ "properties" ] }, - "allowVnetToVnetTraffic": { + "name": {}, + "p2SConnectionConfigurations": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "disableVpnEncryption": { + "policyMembers": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupMemberResponse", + "type": "object" + } }, - "etag": {}, - "id": {}, - "location": {}, - "name": {}, - "office365LocalBreakoutCategory": { + "priority": { "containers": [ "properties" ] @@ -51836,917 +87290,562 @@ "properties" ] }, - "tags": { - "additionalProperties": { + "type": {} + } + }, + "azure-native_network_v20230201:network:VpnServerConfigurationProperties": { + "properties": { + "aadAuthenticationParameters": { + "$ref": "#/types/azure-native_network_v20230201:network:AadAuthenticationParameters", + "type": "object" + }, + "configurationPolicyGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroup", + "type": "object" + }, + "type": "array" + }, + "name": { + "type": "string" + }, + "radiusClientRootCertificates": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigRadiusClientRootCertificate", + "type": "object" + }, + "type": "array" + }, + "radiusServerAddress": { + "type": "string" + }, + "radiusServerRootCertificates": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigRadiusServerRootCertificate", + "type": "object" + }, + "type": "array" + }, + "radiusServerSecret": { + "type": "string" + }, + "radiusServers": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RadiusServer", + "type": "object" + }, + "type": "array" + }, + "vpnAuthenticationTypes": { + "items": { "type": "string" - } + }, + "type": "array" }, - "type": {}, - "virtualHubs": { - "containers": [ - "properties" - ], + "vpnClientIpsecPolicies": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", "type": "object" - } + }, + "type": "array" }, - "vpnSites": { - "containers": [ - "properties" - ], + "vpnClientRevokedCertificates": { "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigVpnClientRevokedCertificate", "type": "object" - } + }, + "type": "array" + }, + "vpnClientRootCertificates": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigVpnClientRootCertificate", + "type": "object" + }, + "type": "array" + }, + "vpnProtocols": { + "items": { + "type": "string" + }, + "type": "array" } } }, - "azure-native_network_v20230201:network:VpnConnection": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" + "azure-native_network_v20230201:network:VpnServerConfigurationPropertiesResponse": { + "properties": { + "aadAuthenticationParameters": { + "$ref": "#/types/azure-native_network_v20230201:network:AadAuthenticationParametersResponse" + }, + "configurationPolicyGroups": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPolicyGroupResponse", + "type": "object" } }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" + "etag": {}, + "name": {}, + "p2SVpnGateways": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:P2SVpnGatewayResponse", + "type": "object" } }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "type": "string" + "provisioningState": {}, + "radiusClientRootCertificates": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigRadiusClientRootCertificateResponse", + "type": "object" } }, - { - "location": "path", - "name": "connectionName", - "required": true, - "value": { - "autoname": "copy", + "radiusServerAddress": {}, + "radiusServerRootCertificates": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigRadiusServerRootCertificateResponse", + "type": "object" + } + }, + "radiusServerSecret": {}, + "radiusServers": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:RadiusServerResponse", + "type": "object" + } + }, + "vpnAuthenticationTypes": { + "items": { "type": "string" } }, - { - "body": { - "properties": { - "connectionBandwidth": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "dpdTimeoutSeconds": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "enableBgp": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableInternetSecurity": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "enableRateLimiting": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "ipsecPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", - "type": "object" - }, - "type": "array" - }, - "name": { - "type": "string" - }, - "remoteVpnSite": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "routingConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfiguration", - "containers": [ - "properties" - ], - "type": "object" - }, - "routingWeight": { - "containers": [ - "properties" - ], - "type": "integer" - }, - "sharedKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "trafficSelectorPolicies": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicy", - "type": "object" - }, - "type": "array" - }, - "useLocalAzureIpAddress": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "usePolicyBasedTrafficSelectors": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "vpnConnectionProtocolType": { - "containers": [ - "properties" - ], - "type": "string" - }, - "vpnLinkConnections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnection", - "type": "object" - }, - "type": "array" - } - } - }, - "location": "body", - "name": "VpnConnectionParameters", - "required": true, - "value": {} + "vpnClientIpsecPolicies": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + } + }, + "vpnClientRevokedCertificates": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigVpnClientRevokedCertificateResponse", + "type": "object" + } + }, + "vpnClientRootCertificates": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigVpnClientRootCertificateResponse", + "type": "object" + } + }, + "vpnProtocols": { + "items": { + "type": "string" + } } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}/vpnConnections/{connectionName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "connectionBandwidth": { + } + }, + "azure-native_network_v20230201:network:VpnSiteLink": { + "properties": { + "bgpProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnLinkBgpSettings", "containers": [ "properties" - ] + ], + "type": "object" }, - "connectionStatus": { + "fqdn": { "containers": [ "properties" - ] + ], + "type": "string" }, - "dpdTimeoutSeconds": { + "id": { + "type": "string" + }, + "ipAddress": { "containers": [ "properties" - ] + ], + "type": "string" }, - "egressBytesTransferred": { + "linkProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnLinkProviderProperties", "containers": [ "properties" - ] + ], + "type": "object" }, - "enableBgp": { + "name": { + "type": "string" + } + } + }, + "azure-native_network_v20230201:network:VpnSiteLinkConnection": { + "properties": { + "connectionBandwidth": { "containers": [ "properties" - ] + ], + "type": "integer" }, - "enableInternetSecurity": { + "egressNatRules": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", + "type": "object" + }, + "type": "array" }, - "enableRateLimiting": { + "enableBgp": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "etag": {}, - "id": {}, - "ingressBytesTransferred": { + "enableRateLimiting": { "containers": [ "properties" - ] + ], + "type": "boolean" }, - "ipsecPolicies": { + "id": { + "type": "string" + }, + "ingressNatRules": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "type": "object" - } - }, - "name": {}, - "provisioningState": { - "containers": [ - "properties" - ] + }, + "type": "array" }, - "remoteVpnSite": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "ipsecPolicies": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicy", + "type": "object" + }, + "type": "array" }, - "routingConfiguration": { - "$ref": "#/types/azure-native_network_v20230201:network:RoutingConfigurationResponse", - "containers": [ - "properties" - ] + "name": { + "type": "string" }, "routingWeight": { "containers": [ "properties" - ] + ], + "type": "integer" }, "sharedKey": { - "containers": [ - "properties" - ] - }, - "trafficSelectorPolicies": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:TrafficSelectorPolicyResponse", - "type": "object" - } + "type": "string" }, "useLocalAzureIpAddress": { "containers": [ "properties" - ] + ], + "type": "boolean" }, "usePolicyBasedTrafficSelectors": { "containers": [ "properties" - ] + ], + "type": "boolean" }, "vpnConnectionProtocolType": { - "containers": [ - "properties" - ] - }, - "vpnLinkConnections": { "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse", - "type": "object" - } - } - } - }, - "azure-native_network_v20230201:network:VpnGateway": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "gatewayName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - }, - { - "body": { - "properties": { - "bgpSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "connections": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnConnection", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "enableBgpRouteTranslationForNat": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "id": { - "type": "string" - }, - "isRoutingPreferenceInternet": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "location": { - "type": "string" - }, - "natRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRule", - "type": "object" - }, - "maintainSubResourceIfUnset": true, - "type": "array" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "vpnGatewayScaleUnit": { - "containers": [ - "properties" - ], - "type": "integer" - } - }, - "required": [ - "location" - ] - }, - "location": "body", - "name": "vpnGatewayParameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnGateways/{gatewayName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "bgpSettings": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", - "containers": [ - "properties" - ] + "type": "string" }, - "connections": { + "vpnGatewayCustomBgpAddresses": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnConnectionResponse", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfiguration", "type": "object" - } + }, + "type": "array" }, - "enableBgpRouteTranslationForNat": { + "vpnLinkConnectionMode": { "containers": [ "properties" - ] + ], + "type": "string" }, - "etag": {}, - "id": {}, - "ipConfigurations": { + "vpnSiteLink": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResource", "containers": [ "properties" ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayIpConfigurationResponse", - "type": "object" - } - }, - "isRoutingPreferenceInternet": { + "type": "object" + } + } + }, + "azure-native_network_v20230201:network:VpnSiteLinkConnectionResponse": { + "properties": { + "connectionBandwidth": { "containers": [ "properties" ] }, - "location": {}, - "name": {}, - "natRules": { + "connectionStatus": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayNatRuleResponse", - "type": "object" - } + ] }, - "provisioningState": { + "egressBytesTransferred": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" + "egressNatRules": { + "containers": [ + "properties" + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" } }, - "type": {}, - "virtualHub": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "enableBgp": { "containers": [ "properties" ] }, - "vpnGatewayScaleUnit": { + "enableRateLimiting": { "containers": [ "properties" ] - } - } - }, - "azure-native_network_v20230201:network:VpnServerConfiguration": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "vpnServerConfigurationName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } }, - { - "body": { - "properties": { - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "name": { - "type": "string" - }, - "properties": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationProperties", - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - } - }, - "location": "body", - "name": "VpnServerConfigurationParameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnServerConfigurations/{vpnServerConfigurationName}", - "putAsyncStyle": "azure-async-operation", - "response": { "etag": {}, "id": {}, - "location": {}, - "name": {}, - "properties": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnServerConfigurationPropertiesResponse" - }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {} - } - }, - "azure-native_network_v20230201:network:VpnSite": { - "PUT": [ - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "vpnSiteName", - "required": true, - "value": { - "autoname": "random", - "type": "string" - } - }, - { - "body": { - "properties": { - "addressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpace", - "containers": [ - "properties" - ], - "type": "object" - }, - "bgpProperties": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "deviceProperties": { - "$ref": "#/types/azure-native_network_v20230201:network:DeviceProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "id": { - "type": "string" - }, - "ipAddress": { - "containers": [ - "properties" - ], - "type": "string" - }, - "isSecuritySite": { - "containers": [ - "properties" - ], - "type": "boolean" - }, - "location": { - "type": "string" - }, - "o365Policy": { - "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyProperties", - "containers": [ - "properties" - ], - "type": "object" - }, - "siteKey": { - "containers": [ - "properties" - ], - "type": "string" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - }, - "virtualWan": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResource", - "containers": [ - "properties" - ], - "type": "object" - }, - "vpnSiteLinks": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLink", - "type": "object" - }, - "type": "array" - } - }, - "required": [ - "location" - ] - }, - "location": "body", - "name": "VpnSiteParameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/vpnSites/{vpnSiteName}", - "putAsyncStyle": "azure-async-operation", - "response": { - "addressSpace": { - "$ref": "#/types/azure-native_network_v20230201:network:AddressSpaceResponse", + "ingressBytesTransferred": { "containers": [ "properties" ] }, - "bgpProperties": { - "$ref": "#/types/azure-native_network_v20230201:network:BgpSettingsResponse", + "ingressNatRules": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "type": "object" + } }, - "deviceProperties": { - "$ref": "#/types/azure-native_network_v20230201:network:DevicePropertiesResponse", + "ipsecPolicies": { "containers": [ "properties" - ] + ], + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:IpsecPolicyResponse", + "type": "object" + } }, - "etag": {}, - "id": {}, - "ipAddress": { + "name": {}, + "provisioningState": { "containers": [ "properties" ] }, - "isSecuritySite": { + "routingWeight": { "containers": [ "properties" ] }, - "location": {}, - "name": {}, - "o365Policy": { - "$ref": "#/types/azure-native_network_v20230201:network:O365PolicyPropertiesResponse", + "sharedKey": { "containers": [ "properties" ] }, - "provisioningState": { + "type": {}, + "useLocalAzureIpAddress": { "containers": [ "properties" ] }, - "siteKey": { + "usePolicyBasedTrafficSelectors": { "containers": [ "properties" ] }, - "tags": { - "additionalProperties": { - "type": "string" - } - }, - "type": {}, - "virtualWan": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", + "vpnConnectionProtocolType": { "containers": [ "properties" ] }, - "vpnSiteLinks": { + "vpnGatewayCustomBgpAddresses": { "containers": [ "properties" ], "items": { - "$ref": "#/types/azure-native_network_v20230201:network:VpnSiteLinkResponse", + "$ref": "#/types/azure-native_network_v20230201:network:GatewayCustomBgpIpAddressIpConfigurationResponse", "type": "object" } - } - } - }, - "azure-native_network_v20230201:network:WebApplicationFirewallPolicy": { - "PUT": [ - { - "location": "path", - "name": "resourceGroupName", - "required": true, - "value": { - "type": "string" - } - }, - { - "location": "path", - "name": "policyName", - "required": true, - "value": { - "autoname": "random", - "maxLength": 128, - "type": "string" - } - }, - { - "location": "path", - "name": "subscriptionId", - "required": true, - "value": { - "type": "string" - } }, - { - "body": { - "properties": { - "customRules": { - "containers": [ - "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRule", - "type": "object" - }, - "type": "array" - }, - "id": { - "type": "string" - }, - "location": { - "type": "string" - }, - "managedRules": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinition", - "containers": [ - "properties" - ], - "type": "object" - }, - "policySettings": { - "$ref": "#/types/azure-native_network_v20230201:network:PolicySettings", - "containers": [ - "properties" - ], - "type": "object" - }, - "tags": { - "additionalProperties": { - "type": "string" - }, - "type": "object" - } - }, - "required": [ - "managedRules" - ] - }, - "location": "body", - "name": "parameters", - "required": true, - "value": {} - } - ], - "apiVersion": "2023-02-01", - "defaultBody": null, - "deleteAsyncStyle": "location", - "path": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Network/ApplicationGatewayWebApplicationFirewallPolicies/{policyName}", - "response": { - "applicationGateways": { + "vpnLinkConnectionMode": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayResponse", - "type": "object" - } + ] }, - "customRules": { + "vpnSiteLink": { + "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallCustomRuleResponse", - "type": "object" - } - }, - "etag": {}, - "httpListeners": { + ] + } + } + }, + "azure-native_network_v20230201:network:VpnSiteLinkResponse": { + "properties": { + "bgpProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnLinkBgpSettingsResponse", "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + ] }, - "id": {}, - "location": {}, - "managedRules": { - "$ref": "#/types/azure-native_network_v20230201:network:ManagedRulesDefinitionResponse", + "etag": {}, + "fqdn": { "containers": [ "properties" ] }, - "name": {}, - "pathBasedRules": { + "id": {}, + "ipAddress": { "containers": [ "properties" - ], - "items": { - "$ref": "#/types/azure-native_network_v20230201:network:SubResourceResponse", - "type": "object" - } + ] }, - "policySettings": { - "$ref": "#/types/azure-native_network_v20230201:network:PolicySettingsResponse", + "linkProperties": { + "$ref": "#/types/azure-native_network_v20230201:network:VpnLinkProviderPropertiesResponse", "containers": [ "properties" ] }, + "name": {}, "provisioningState": { "containers": [ "properties" ] }, - "resourceState": { - "containers": [ - "properties" - ] + "type": {} + } + }, + "azure-native_network_v20230201:network:WebApplicationFirewallCustomRule": { + "properties": { + "action": { + "type": "string" }, - "tags": { - "additionalProperties": { - "type": "string" + "groupByUserSession": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GroupByUserSession", + "type": "object" + }, + "type": "array" + }, + "matchConditions": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:MatchCondition", + "type": "object" + }, + "type": "array" + }, + "name": { + "maxLength": 128, + "type": "string" + }, + "priority": { + "type": "integer" + }, + "rateLimitDuration": { + "type": "string" + }, + "rateLimitThreshold": { + "type": "integer" + }, + "ruleType": { + "type": "string" + }, + "state": { + "type": "string" + } + }, + "required": [ + "action", + "matchConditions", + "priority", + "ruleType" + ] + }, + "azure-native_network_v20230201:network:WebApplicationFirewallCustomRuleResponse": { + "properties": { + "action": {}, + "etag": {}, + "groupByUserSession": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:GroupByUserSessionResponse", + "type": "object" } }, - "type": {} - } + "matchConditions": { + "items": { + "$ref": "#/types/azure-native_network_v20230201:network:MatchConditionResponse", + "type": "object" + } + }, + "name": {}, + "priority": {}, + "rateLimitDuration": {}, + "rateLimitThreshold": {}, + "ruleType": {}, + "state": {} + }, + "required": [ + "action", + "matchConditions", + "priority", + "ruleType" + ] + }, + "azure-native_network_v20230201:network:WebApplicationFirewallScrubbingRules": { + "properties": { + "matchVariable": { + "type": "string" + }, + "selector": { + "type": "string" + }, + "selectorMatchOperator": { + "type": "string" + }, + "state": { + "type": "string" + } + }, + "required": [ + "matchVariable", + "selectorMatchOperator" + ] + }, + "azure-native_network_v20230201:network:WebApplicationFirewallScrubbingRulesResponse": { + "properties": { + "matchVariable": {}, + "selector": {}, + "selectorMatchOperator": {}, + "state": {} + }, + "required": [ + "matchVariable", + "selectorMatchOperator" + ] } - }, - "types": {} + } } --- diff --git a/provider/pkg/resources/typeVisitor.go b/provider/pkg/resources/typeVisitor.go index c1e9cdd21992..1e55871892b6 100644 --- a/provider/pkg/resources/typeVisitor.go +++ b/provider/pkg/resources/typeVisitor.go @@ -59,7 +59,7 @@ func VisitResourceTypes(pkg *pschema.PackageSpec, resourceToken string, visitor } func visitComplexTypes(types map[string]pschema.ComplexTypeSpec, t pschema.TypeSpec, visitor func(tok string, t pschema.ComplexTypeSpec), seen codegen.Set) { - if strings.HasPrefix(t.Ref, "#/types/azure-native:") { + if strings.HasPrefix(t.Ref, "#/types/azure-native") { typeName := strings.TrimPrefix(t.Ref, "#/types/") other, ok := types[typeName] From de725e64ec427c50cab9da113af17fce77ab993c Mon Sep 17 00:00:00 2001 From: Daniel Bradley Date: Mon, 7 Apr 2025 15:01:01 +0100 Subject: [PATCH 06/10] Remove unused ref updating All refs should already be correct in the schema as we're not updating any tokens now. --- .../pkg/provider/provider_parameterize.go | 31 ----- .../provider/provider_parameterize_test.go | 120 ------------------ 2 files changed, 151 deletions(-) diff --git a/provider/pkg/provider/provider_parameterize.go b/provider/pkg/provider/provider_parameterize.go index 447227b4dd64..7202ba4f79d5 100644 --- a/provider/pkg/provider/provider_parameterize.go +++ b/provider/pkg/provider/provider_parameterize.go @@ -3,7 +3,6 @@ package provider import ( - "bytes" "context" "encoding/base64" "encoding/json" @@ -149,12 +148,6 @@ func (p *azureNativeProvider) Parameterize(ctx context.Context, req *rpc.Paramet if err != nil { return nil, status.Errorf(codes.Internal, "failed to marshal schema: %v", err) } - s = updateRefs(s, newPackageName, args.Module, args.Version) - - newMetadata, err = updateMetadataRefs(newMetadata, newPackageName, args.Module, args.Version) - if err != nil { - return nil, status.Errorf(codes.Internal, "failed to update metadata $refs: %v", err) - } p.schemaBytes = s p.resourceMap = newMetadata @@ -183,30 +176,6 @@ func ParameterizedProviderName(unparameterizedPackageName, targetModule string, return strings.Join([]string{unparameterizedPackageName, targetModule, string(targetApiVersion)}, parameterizedNameSeparator) } -// updateRefs updates all `$ref` pointers in the serialized schema to use the new package name, e.g., from `"$ref": -// "#/types/azure-native:..."` to `"$ref": "#/types/azure-native_resources_20240101:..."`. -func updateRefs(serialized []byte, newPackageName, module string, sdkVersion openapi.SdkVersion) []byte { - oldRefPrefix := fmt.Sprintf(`"$ref":"#/types/azure-native:%s/%s`, module, sdkVersion) - newRefPrefix := fmt.Sprintf(`"$ref": "#/types/%s:%s`, newPackageName, module) - return bytes.ReplaceAll(serialized, []byte(oldRefPrefix), []byte(newRefPrefix)) -} - -// updateMetadataRefs updates all `$ref` pointers in the metadata to use the new package name. -// This implementation uses a JSON round-trip to update the `$ref`'s via a global string-replacement. Not elegant, but effective. -func updateMetadataRefs(metadata *resources.APIMetadata, newPackageName, module string, sdkVersion openapi.SdkVersion) (*resources.APIMetadata, error) { - m, err := json.Marshal(metadata) - if err != nil { - return nil, status.Errorf(codes.Internal, "failed to marshal metadata: %v", err) - } - updated := updateRefs(m, newPackageName, module, sdkVersion) - newMetadata := &resources.APIMetadata{} - err = json.Unmarshal(updated, newMetadata) - if err != nil { - return nil, status.Errorf(codes.Internal, "failed to unmarshal metadata: %v", err) - } - return newMetadata, nil -} - func getAvailableApiVersions(schema pschema.PackageSpec, targetModule string) []string { versions := map[string]struct{}{} for resourceName := range schema.Resources { diff --git a/provider/pkg/provider/provider_parameterize_test.go b/provider/pkg/provider/provider_parameterize_test.go index fe7cb14b7add..10e7cade4f09 100644 --- a/provider/pkg/provider/provider_parameterize_test.go +++ b/provider/pkg/provider/provider_parameterize_test.go @@ -242,126 +242,6 @@ func TestParseApiVersion(t *testing.T) { }) } -func TestUpdateMetadataRefs(t *testing.T) { - t.Parallel() - - t.Run("Empty metadata", func(t *testing.T) { - t.Parallel() - metadata := &resources.APIMetadata{} - updated, err := updateMetadataRefs(metadata, "azure-native_storage_v20240101", "storage", "v20240101") - require.NoError(t, err) - require.Empty(t, updated.Resources) - require.Empty(t, updated.Types) - require.Empty(t, updated.Invokes) - }) - - t.Run("Updates refs in types", func(t *testing.T) { - t.Parallel() - metadata := &resources.APIMetadata{ - Types: resources.GoMap[resources.AzureAPIType]{ - "type1": { - Properties: map[string]resources.AzureAPIProperty{ - "prop1": { - Ref: "#/types/azure-native:storage/v20240101:StorageAccount", - }, - }, - }, - }, - } - - updated, err := updateMetadataRefs(metadata, "azure-native_storage_v20240101", "storage", "v20240101") - require.NoError(t, err) - - prop, ok, err := updated.Types.Get("type1") - require.NoError(t, err) - require.True(t, ok) - assert.Equal(t, "#/types/azure-native_storage_v20240101:storage:StorageAccount", prop.Properties["prop1"].Ref) - }) - - t.Run("Updates refs in resources", func(t *testing.T) { - t.Parallel() - metadata := &resources.APIMetadata{ - Resources: resources.GoMap[resources.AzureAPIResource]{ - "resource1": { - PutParameters: []resources.AzureAPIParameter{ - { - Body: &resources.AzureAPIType{ - Properties: map[string]resources.AzureAPIProperty{ - "prop1": { - Ref: "#/types/azure-native:storage/v20240101:StorageAccount", - }, - }, - }, - }, - }, - }, - }, - } - - updated, err := updateMetadataRefs(metadata, "azure-native_storage_v20240101", "storage", "v20240101") - require.NoError(t, err) - - resource, ok, err := updated.Resources.Get("resource1") - require.NoError(t, err) - require.True(t, ok) - require.Len(t, resource.PutParameters, 1) - assert.Equal(t, "#/types/azure-native_storage_v20240101:storage:StorageAccount", resource.PutParameters[0].Body.Properties["prop1"].Ref) - }) - - t.Run("Updates refs in invokes", func(t *testing.T) { - t.Parallel() - metadata := &resources.APIMetadata{ - Invokes: resources.GoMap[resources.AzureAPIInvoke]{ - "invoke1": { - Response: map[string]resources.AzureAPIProperty{ - "prop1": { - Ref: "#/types/azure-native:storage/v20240101:StorageAccount", - }, - }, - }, - }, - } - - updated, err := updateMetadataRefs(metadata, "azure-native_storage_v20240101", "storage", "v20240101") - require.NoError(t, err) - - invoke, ok, err := updated.Invokes.Get("invoke1") - require.NoError(t, err) - require.True(t, ok) - assert.Equal(t, "#/types/azure-native_storage_v20240101:storage:StorageAccount", invoke.Response["prop1"].Ref) - }) - - t.Run("Does not update refs pointing to a different module", func(t *testing.T) { - t.Parallel() - metadata := &resources.APIMetadata{ - Resources: resources.GoMap[resources.AzureAPIResource]{ - "resource1": { - PutParameters: []resources.AzureAPIParameter{ - { - Body: &resources.AzureAPIType{ - Properties: map[string]resources.AzureAPIProperty{ - "prop1": { - Ref: "#/types/azure-native:common:ManagedIdentity", - }, - }, - }, - }, - }, - }, - }, - } - - updated, err := updateMetadataRefs(metadata, "azure-native_storage_v20240101", "storage", "v20240101") - require.NoError(t, err) - - resource, ok, err := updated.Resources.Get("resource1") - require.NoError(t, err) - require.True(t, ok) - require.Len(t, resource.PutParameters, 1) - assert.Equal(t, "#/types/azure-native:common:ManagedIdentity", resource.PutParameters[0].Body.Properties["prop1"].Ref) - }) -} - // Ensure that we can run `pulumi package add` with a local provider binary and get a new SDK. func TestParameterizePackageAdd(t *testing.T) { t.Parallel() From fc66444f7787e2f17d20bdf28b7c984cf182a3e3 Mon Sep 17 00:00:00 2001 From: Daniel Bradley Date: Mon, 7 Apr 2025 15:14:13 +0100 Subject: [PATCH 07/10] Simplify parameterize e2e test setup Don't require the provider binary on the $PATH. Extract `getProviderBinPath` method for sharing into PulumiTest setup too. --- examples/examples_nodejs_test.go | 8 ++++---- examples/examples_test.go | 15 ++++++++++----- 2 files changed, 14 insertions(+), 9 deletions(-) diff --git a/examples/examples_nodejs_test.go b/examples/examples_nodejs_test.go index cc4a19ab23f1..6bbd0be26d32 100644 --- a/examples/examples_nodejs_test.go +++ b/examples/examples_nodejs_test.go @@ -7,7 +7,6 @@ import ( "context" "encoding/json" "os" - "os/exec" "path/filepath" "strings" "testing" @@ -433,6 +432,7 @@ func TestParameterizeApiVersion(t *testing.T) { pt := pulumitest.NewPulumiTest(t, filepath.Join(cwd, "parameterize"), opttest.YarnLink("@pulumi/azure-native"), + opttest.LocalProviderPath("azure-native", getProviderBinPath(t)), ) pt.SetConfig(t, "azure-native:location", location) @@ -469,10 +469,10 @@ func pulumiPackageAdd(t *testing.T, pt *pulumitest.PulumiTest, args ...string) { if _, debugMode := os.LookupEnv("PULUMI_DEBUG_PROVIDERS"); debugMode { provider = "azure-native" } else { - providerBinaryPath, err := exec.LookPath("pulumi-resource-azure-native") - require.NoError(t, err) - provider, err = filepath.Abs(providerBinaryPath) + binPath := getProviderBinPath(t) + providerBinPath, err := filepath.Abs(filepath.Join(binPath, "pulumi-resource-azure-native")) require.NoError(t, err) + provider = providerBinPath } runPulumiPackageAdd(t, pt, provider, args...) diff --git a/examples/examples_test.go b/examples/examples_test.go index 5a1087132324..43ba459aa50e 100644 --- a/examples/examples_test.go +++ b/examples/examples_test.go @@ -25,11 +25,7 @@ func getLocation(t *testing.T) string { func getBaseOptions(t *testing.T) integration.ProgramTestOptions { azureLocation := getLocation(t) - binPath, err := filepath.Abs("../bin") - if err != nil { - t.Fatal(err) - } - fmt.Printf("Using binPath %s\n", binPath) + binPath := getProviderBinPath(t) return integration.ProgramTestOptions{ ExpectRefreshChanges: true, RequireEmptyPreviewAfterRefresh: true, @@ -45,6 +41,15 @@ func getBaseOptions(t *testing.T) integration.ProgramTestOptions { } } +func getProviderBinPath(t *testing.T) string { + binPath, err := filepath.Abs("../bin") + if err != nil { + t.Fatal(err) + } + fmt.Printf("Using binPath %s\n", binPath) + return binPath +} + func getCwd(t *testing.T) string { cwd, err := os.Getwd() if err != nil { From fd7ed837c17cdbeb2c248f3a8607fa1139813a21 Mon Sep 17 00:00:00 2001 From: Daniel Bradley Date: Mon, 7 Apr 2025 15:21:29 +0100 Subject: [PATCH 08/10] Fix enum tokens --- .../__snapshots__/gen_aliases_test_v2.snap | 38 +- .../__snapshots__/gen_aliases_test_v3.snap | 38 +- .../gen/__snapshots__/gen_dashboard_test.snap | 11 + .../pkg/gen/__snapshots__/gen_vnet_test.snap | 5766 ++++++++--------- provider/pkg/gen/types.go | 2 +- 5 files changed, 2933 insertions(+), 2922 deletions(-) diff --git a/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap b/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap index 434df8d1d3d7..a261847d6073 100755 --- a/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap +++ b/provider/pkg/gen/__snapshots__/gen_aliases_test_v2.snap @@ -875,24 +875,6 @@ } }, "types": { - "azure-native:aadiam:PrivateEndpointServiceConnectionStatus": { - "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", - "enum": [ - { - "value": "Approved" - }, - { - "value": "Pending" - }, - { - "value": "Rejected" - }, - { - "value": "Disconnected" - } - ], - "type": "string" - }, "azure-native:storage:BlobAccessTier": { "description": "The access tier of a storage blob.", "enum": [ @@ -945,6 +927,24 @@ }, "type": "object" }, + "azure-native_aadiam_v20200301:aadiam:PrivateEndpointServiceConnectionStatus": { + "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", + "enum": [ + { + "value": "Approved" + }, + { + "value": "Pending" + }, + { + "value": "Rejected" + }, + { + "value": "Disconnected" + } + ], + "type": "string" + }, "azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionState": { "description": "An object that represents the approval state of the private link connection.", "properties": { @@ -963,7 +963,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:aadiam:PrivateEndpointServiceConnectionStatus" + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpointServiceConnectionStatus" } ] } diff --git a/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap b/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap index a9955eae89ab..f7cae8de5375 100755 --- a/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap +++ b/provider/pkg/gen/__snapshots__/gen_aliases_test_v3.snap @@ -891,24 +891,6 @@ } }, "types": { - "azure-native:aadiam:PrivateEndpointServiceConnectionStatus": { - "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", - "enum": [ - { - "value": "Approved" - }, - { - "value": "Pending" - }, - { - "value": "Rejected" - }, - { - "value": "Disconnected" - } - ], - "type": "string" - }, "azure-native:storage:BlobAccessTier": { "description": "The access tier of a storage blob.", "enum": [ @@ -961,6 +943,24 @@ }, "type": "object" }, + "azure-native_aadiam_v20200301:aadiam:PrivateEndpointServiceConnectionStatus": { + "description": "Indicates whether the connection has been approved, rejected or removed by the given policy owner.", + "enum": [ + { + "value": "Approved" + }, + { + "value": "Pending" + }, + { + "value": "Rejected" + }, + { + "value": "Disconnected" + } + ], + "type": "string" + }, "azure-native_aadiam_v20200301:aadiam:PrivateLinkServiceConnectionState": { "description": "An object that represents the approval state of the private link connection.", "properties": { @@ -979,7 +979,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:aadiam:PrivateEndpointServiceConnectionStatus" + "$ref": "#/types/azure-native_aadiam_v20200301:aadiam:PrivateEndpointServiceConnectionStatus" } ] } diff --git a/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap b/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap index 3f7bdceed38a..55fa1f06cd32 100755 --- a/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap +++ b/provider/pkg/gen/__snapshots__/gen_dashboard_test.snap @@ -584,6 +584,17 @@ ], "type": "object" }, + "azure-native_portal_v20200901preview:portal:DashboardPartMetadataType": { + "description": "The dashboard part metadata type.", + "enum": [ + { + "description": "The markdown part type.", + "name": "markdown", + "value": "Extension/HubsExtension/PartType/MarkdownPart" + } + ], + "type": "string" + }, "azure-native_portal_v20200901preview:portal:DashboardParts": { "description": "A dashboard part.", "properties": { diff --git a/provider/pkg/gen/__snapshots__/gen_vnet_test.snap b/provider/pkg/gen/__snapshots__/gen_vnet_test.snap index 6ea95d29896d..0db7f8bc6d61 100755 --- a/provider/pkg/gen/__snapshots__/gen_vnet_test.snap +++ b/provider/pkg/gen/__snapshots__/gen_vnet_test.snap @@ -10298,7 +10298,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProtocol" } ] }, @@ -11097,7 +11097,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ConfigurationType" + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationType" } ] }, @@ -11665,7 +11665,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:SecurityConfigurationRuleAccess" + "$ref": "#/types/azure-native_network_v20230201:network:SecurityConfigurationRuleAccess" } ] }, @@ -11700,7 +11700,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:SecurityConfigurationRuleDirection" + "$ref": "#/types/azure-native_network_v20230201:network:SecurityConfigurationRuleDirection" } ] }, @@ -11725,7 +11725,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:SecurityConfigurationRuleProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:SecurityConfigurationRuleProtocol" } ] }, @@ -12783,7 +12783,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AzureFirewallThreatIntelMode" + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallThreatIntelMode" } ] }, @@ -13437,7 +13437,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ConnectivityTopology" + "$ref": "#/types/azure-native_network_v20230201:network:ConnectivityTopology" } ] }, @@ -13448,7 +13448,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:DeleteExistingPeering" + "$ref": "#/types/azure-native_network_v20230201:network:DeleteExistingPeering" } ] }, @@ -13471,7 +13471,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IsGlobal" + "$ref": "#/types/azure-native_network_v20230201:network:IsGlobal" } ] }, @@ -13590,7 +13590,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:CommissionedState" + "$ref": "#/types/azure-native_network_v20230201:network:CommissionedState" } ] }, @@ -13620,7 +13620,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:Geo" + "$ref": "#/types/azure-native_network_v20230201:network:Geo" } ] }, @@ -13643,7 +13643,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:CustomIpPrefixType" + "$ref": "#/types/azure-native_network_v20230201:network:CustomIpPrefixType" } ] }, @@ -14171,7 +14171,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ProtocolType" + "$ref": "#/types/azure-native_network_v20230201:network:ProtocolType" } ] }, @@ -14413,7 +14413,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ServiceProviderProvisioningState" + "$ref": "#/types/azure-native_network_v20230201:network:ServiceProviderProvisioningState" } ] }, @@ -14571,7 +14571,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AuthorizationUseStatus" + "$ref": "#/types/azure-native_network_v20230201:network:AuthorizationUseStatus" } ] }, @@ -14812,7 +14812,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRoutePeeringType" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRoutePeeringType" } ] }, @@ -14853,7 +14853,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRoutePeeringState" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRoutePeeringState" } ] }, @@ -15153,7 +15153,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRoutePeeringType" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRoutePeeringType" } ] }, @@ -15181,7 +15181,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRoutePeeringState" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRoutePeeringState" } ] }, @@ -15415,7 +15415,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRoutePortsBillingType" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRoutePortsBillingType" } ] }, @@ -15426,7 +15426,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRoutePortsEncapsulation" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRoutePortsEncapsulation" } ] }, @@ -15737,7 +15737,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AzureFirewallThreatIntelMode" + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallThreatIntelMode" } ] }, @@ -16414,7 +16414,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:TransportProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:TransportProtocol" } ] }, @@ -16549,7 +16549,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPVersion" + "$ref": "#/types/azure-native_network_v20230201:network:IPVersion" } ] }, @@ -16572,7 +16572,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IpAllocationType" + "$ref": "#/types/azure-native_network_v20230201:network:IpAllocationType" } ] } @@ -17502,7 +17502,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnNatRuleMode" + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMode" } ] }, @@ -17527,7 +17527,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnNatRuleType" + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleType" } ] } @@ -17691,7 +17691,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:NetworkInterfaceAuxiliaryMode" + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceAuxiliaryMode" } ] }, @@ -17702,7 +17702,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:NetworkInterfaceAuxiliarySku" + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceAuxiliarySku" } ] }, @@ -17751,7 +17751,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:NetworkInterfaceMigrationPhase" + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceMigrationPhase" } ] }, @@ -17772,7 +17772,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:NetworkInterfaceNicType" + "$ref": "#/types/azure-native_network_v20230201:network:NetworkInterfaceNicType" } ] }, @@ -18057,7 +18057,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ConfigurationType" + "$ref": "#/types/azure-native_network_v20230201:network:ConfigurationType" } ] }, @@ -18957,7 +18957,7 @@ "type": "string" }, "targetType": { - "$ref": "#/types/azure-native:network:PacketCaptureTargetType", + "$ref": "#/types/azure-native_network_v20230201:network:PacketCaptureTargetType", "description": "Target type of the resource provided." }, "timeLimitInSeconds": { @@ -19593,7 +19593,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:DeleteOptions" + "$ref": "#/types/azure-native_network_v20230201:network:DeleteOptions" } ] }, @@ -19644,7 +19644,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:PublicIPAddressMigrationPhase" + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressMigrationPhase" } ] }, @@ -19660,7 +19660,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPVersion" + "$ref": "#/types/azure-native_network_v20230201:network:IPVersion" } ], "willReplaceOnChanges": true @@ -19672,7 +19672,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPAllocationMethod" + "$ref": "#/types/azure-native_network_v20230201:network:IPAllocationMethod" } ] }, @@ -19898,7 +19898,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPVersion" + "$ref": "#/types/azure-native_network_v20230201:network:IPVersion" } ] }, @@ -20075,7 +20075,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:RouteNextHopType" + "$ref": "#/types/azure-native_network_v20230201:network:RouteNextHopType" } ] }, @@ -20269,7 +20269,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:Access" + "$ref": "#/types/azure-native_network_v20230201:network:Access" } ] }, @@ -20309,7 +20309,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:RouteFilterRuleType" + "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRuleType" } ] }, @@ -20754,7 +20754,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:NetworkIntentPolicyBasedService" + "$ref": "#/types/azure-native_network_v20230201:network:NetworkIntentPolicyBasedService" } ] }, @@ -20865,7 +20865,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:SecurityProviderName" + "$ref": "#/types/azure-native_network_v20230201:network:SecurityProviderName" } ] }, @@ -20951,7 +20951,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:SecurityRuleAccess" + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleAccess" } ] }, @@ -20996,7 +20996,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:SecurityRuleDirection" + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleDirection" } ] }, @@ -21024,7 +21024,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:SecurityRuleProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleProtocol" } ] }, @@ -21562,7 +21562,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkPrivateEndpointNetworkPolicies" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPrivateEndpointNetworkPolicies" } ] }, @@ -21574,7 +21574,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkPrivateLinkServiceNetworkPolicies" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPrivateLinkServiceNetworkPolicies" } ] }, @@ -21942,7 +21942,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:HubRoutingPreference" + "$ref": "#/types/azure-native_network_v20230201:network:HubRoutingPreference" } ] }, @@ -21966,7 +21966,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:PreferredRoutingGateway" + "$ref": "#/types/azure-native_network_v20230201:network:PreferredRoutingGateway" } ] }, @@ -22325,7 +22325,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPAllocationMethod" + "$ref": "#/types/azure-native_network_v20230201:network:IPAllocationMethod" } ] }, @@ -22727,7 +22727,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AdminState" + "$ref": "#/types/azure-native_network_v20230201:network:AdminState" } ] }, @@ -22786,7 +22786,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkGatewayType" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayType" } ] }, @@ -22860,7 +22860,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnGatewayGeneration" + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayGeneration" } ] }, @@ -22871,7 +22871,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnType" + "$ref": "#/types/azure-native_network_v20230201:network:VpnType" } ] } @@ -23051,7 +23051,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionMode" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayConnectionMode" } ] }, @@ -23062,7 +23062,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayConnectionProtocol" } ] }, @@ -23073,7 +23073,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionType" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayConnectionType" } ] }, @@ -23415,7 +23415,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnNatRuleMode" + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMode" } ] }, @@ -23440,7 +23440,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnNatRuleType" + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleType" } ] }, @@ -23542,7 +23542,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkPeeringState" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringState" } ] }, @@ -23553,7 +23553,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkPeeringLevel" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringLevel" } ] }, @@ -24236,7 +24236,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayConnectionProtocol" } ] }, @@ -24922,2670 +24922,6 @@ } }, "types": { - "azure-native:network:Access": { - "description": "The access type of the rule.", - "enum": [ - { - "value": "Allow" - }, - { - "value": "Deny" - } - ], - "type": "string" - }, - "azure-native:network:ActionType": { - "description": "Describes the override action to be applied when rule matches.", - "enum": [ - { - "value": "AnomalyScoring" - }, - { - "value": "Allow" - }, - { - "value": "Block" - }, - { - "value": "Log" - } - ], - "type": "string" - }, - "azure-native:network:AddressPrefixType": { - "description": "Address prefix type.", - "enum": [ - { - "value": "IPPrefix" - }, - { - "value": "ServiceTag" - } - ], - "type": "string" - }, - "azure-native:network:AdminRuleKind": { - "description": "Whether the rule is custom or default.", - "enum": [ - { - "value": "Custom" - }, - { - "value": "Default" - } - ], - "type": "string" - }, - "azure-native:network:AdminState": { - "description": "Property to indicate if the Express Route Gateway serves traffic when there are multiple Express Route Gateways in the vnet", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewayClientRevocationOptions": { - "description": "Verify client certificate revocation status.", - "enum": [ - { - "value": "None" - }, - { - "value": "OCSP" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewayCookieBasedAffinity": { - "description": "Cookie based affinity.", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewayCustomErrorStatusCode": { - "description": "Status code of the application gateway custom error.", - "enum": [ - { - "value": "HttpStatus400" - }, - { - "value": "HttpStatus403" - }, - { - "value": "HttpStatus404" - }, - { - "value": "HttpStatus405" - }, - { - "value": "HttpStatus408" - }, - { - "value": "HttpStatus500" - }, - { - "value": "HttpStatus502" - }, - { - "value": "HttpStatus503" - }, - { - "value": "HttpStatus504" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewayFirewallMode": { - "description": "Web application firewall mode.", - "enum": [ - { - "value": "Detection" - }, - { - "value": "Prevention" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewayFirewallRateLimitDuration": { - "description": "Duration over which Rate Limit policy will be applied. Applies only when ruleType is RateLimitRule.", - "enum": [ - { - "value": "OneMin" - }, - { - "value": "FiveMins" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewayFirewallUserSessionVariable": { - "description": "User Session clause variable.", - "enum": [ - { - "value": "ClientAddr" - }, - { - "value": "GeoLocation" - }, - { - "value": "None" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewayLoadDistributionAlgorithm": { - "description": "Load Distribution Targets resource of an application gateway.", - "enum": [ - { - "value": "RoundRobin" - }, - { - "value": "LeastConnections" - }, - { - "value": "IpHash" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewayProtocol": { - "description": "The protocol used for the probe.", - "enum": [ - { - "value": "Http" - }, - { - "value": "Https" - }, - { - "value": "Tcp" - }, - { - "value": "Tls" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewayRedirectType": { - "description": "HTTP redirection type.", - "enum": [ - { - "value": "Permanent" - }, - { - "value": "Found" - }, - { - "value": "SeeOther" - }, - { - "value": "Temporary" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewayRequestRoutingRuleType": { - "description": "Rule type.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "PathBasedRouting" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewaySkuName": { - "description": "Name of an application gateway SKU.", - "enum": [ - { - "value": "Standard_Small" - }, - { - "value": "Standard_Medium" - }, - { - "value": "Standard_Large" - }, - { - "value": "WAF_Medium" - }, - { - "value": "WAF_Large" - }, - { - "value": "Standard_v2" - }, - { - "value": "WAF_v2" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewaySslCipherSuite": { - "description": "Ssl cipher suites enums.", - "enum": [ - { - "value": "TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384" - }, - { - "value": "TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256" - }, - { - "value": "TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA" - }, - { - "value": "TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA" - }, - { - "value": "TLS_DHE_RSA_WITH_AES_256_GCM_SHA384" - }, - { - "value": "TLS_DHE_RSA_WITH_AES_128_GCM_SHA256" - }, - { - "value": "TLS_DHE_RSA_WITH_AES_256_CBC_SHA" - }, - { - "value": "TLS_DHE_RSA_WITH_AES_128_CBC_SHA" - }, - { - "value": "TLS_RSA_WITH_AES_256_GCM_SHA384" - }, - { - "value": "TLS_RSA_WITH_AES_128_GCM_SHA256" - }, - { - "value": "TLS_RSA_WITH_AES_256_CBC_SHA256" - }, - { - "value": "TLS_RSA_WITH_AES_128_CBC_SHA256" - }, - { - "value": "TLS_RSA_WITH_AES_256_CBC_SHA" - }, - { - "value": "TLS_RSA_WITH_AES_128_CBC_SHA" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_256_GCM_SHA384" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA384" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA" - }, - { - "value": "TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA" - }, - { - "value": "TLS_DHE_DSS_WITH_AES_256_CBC_SHA256" - }, - { - "value": "TLS_DHE_DSS_WITH_AES_128_CBC_SHA256" - }, - { - "value": "TLS_DHE_DSS_WITH_AES_256_CBC_SHA" - }, - { - "value": "TLS_DHE_DSS_WITH_AES_128_CBC_SHA" - }, - { - "value": "TLS_RSA_WITH_3DES_EDE_CBC_SHA" - }, - { - "value": "TLS_DHE_DSS_WITH_3DES_EDE_CBC_SHA" - }, - { - "value": "TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256" - }, - { - "value": "TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewaySslPolicyName": { - "description": "Name of Ssl predefined policy.", - "enum": [ - { - "value": "AppGwSslPolicy20150501" - }, - { - "value": "AppGwSslPolicy20170401" - }, - { - "value": "AppGwSslPolicy20170401S" - }, - { - "value": "AppGwSslPolicy20220101" - }, - { - "value": "AppGwSslPolicy20220101S" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewaySslPolicyType": { - "description": "Type of Ssl Policy.", - "enum": [ - { - "value": "Predefined" - }, - { - "value": "Custom" - }, - { - "value": "CustomV2" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewaySslProtocol": { - "description": "Minimum version of Ssl protocol to be supported on application gateway.", - "enum": [ - { - "value": "TLSv1_0" - }, - { - "value": "TLSv1_1" - }, - { - "value": "TLSv1_2" - }, - { - "value": "TLSv1_3" - } - ], - "type": "string" - }, - "azure-native:network:ApplicationGatewayTier": { - "description": "Tier of an application gateway.", - "enum": [ - { - "value": "Standard" - }, - { - "value": "WAF" - }, - { - "value": "Standard_v2" - }, - { - "value": "WAF_v2" - } - ], - "type": "string" - }, - "azure-native:network:AuthorizationUseStatus": { - "description": "The authorization use status.", - "enum": [ - { - "value": "Available" - }, - { - "value": "InUse" - } - ], - "type": "string" - }, - "azure-native:network:AutoLearnPrivateRangesMode": { - "description": "The operation mode for automatically learning private ranges to not be SNAT", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network:AzureFirewallApplicationRuleProtocolType": { - "description": "Protocol type.", - "enum": [ - { - "value": "Http" - }, - { - "value": "Https" - }, - { - "value": "Mssql" - } - ], - "type": "string" - }, - "azure-native:network:AzureFirewallNatRCActionType": { - "description": "The type of action.", - "enum": [ - { - "value": "Snat" - }, - { - "value": "Dnat" - } - ], - "type": "string" - }, - "azure-native:network:AzureFirewallNetworkRuleProtocol": { - "description": "The protocol of a Network Rule resource.", - "enum": [ - { - "value": "TCP" - }, - { - "value": "UDP" - }, - { - "value": "Any" - }, - { - "value": "ICMP" - } - ], - "type": "string" - }, - "azure-native:network:AzureFirewallRCActionType": { - "description": "The type of action.", - "enum": [ - { - "value": "Allow" - }, - { - "value": "Deny" - } - ], - "type": "string" - }, - "azure-native:network:AzureFirewallSkuName": { - "description": "Name of an Azure Firewall SKU.", - "enum": [ - { - "value": "AZFW_VNet" - }, - { - "value": "AZFW_Hub" - } - ], - "type": "string" - }, - "azure-native:network:AzureFirewallSkuTier": { - "description": "Tier of an Azure Firewall.", - "enum": [ - { - "value": "Standard" - }, - { - "value": "Premium" - }, - { - "value": "Basic" - } - ], - "type": "string" - }, - "azure-native:network:AzureFirewallThreatIntelMode": { - "description": "The operation mode for Threat Intelligence.", - "enum": [ - { - "value": "Alert" - }, - { - "value": "Deny" - }, - { - "value": "Off" - } - ], - "type": "string" - }, - "azure-native:network:BastionHostSkuName": { - "description": "The name of this Bastion Host.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "Standard" - } - ], - "type": "string" - }, - "azure-native:network:CommissionedState": { - "description": "The commissioned state of the Custom IP Prefix.", - "enum": [ - { - "value": "Provisioning" - }, - { - "value": "Provisioned" - }, - { - "value": "Commissioning" - }, - { - "value": "CommissionedNoInternetAdvertise" - }, - { - "value": "Commissioned" - }, - { - "value": "Decommissioning" - }, - { - "value": "Deprovisioning" - }, - { - "value": "Deprovisioned" - } - ], - "type": "string" - }, - "azure-native:network:ConfigurationType": { - "description": "Configuration Deployment Type.", - "enum": [ - { - "value": "SecurityAdmin" - }, - { - "value": "Connectivity" - } - ], - "type": "string" - }, - "azure-native:network:ConnectionMonitorEndpointFilterItemType": { - "description": "The type of item included in the filter. Currently only 'AgentAddress' is supported.", - "enum": [ - { - "value": "AgentAddress" - } - ], - "type": "string" - }, - "azure-native:network:ConnectionMonitorEndpointFilterType": { - "description": "The behavior of the endpoint filter. Currently only 'Include' is supported.", - "enum": [ - { - "value": "Include" - } - ], - "type": "string" - }, - "azure-native:network:ConnectionMonitorTestConfigurationProtocol": { - "description": "The protocol to use in test evaluation.", - "enum": [ - { - "value": "Tcp" - }, - { - "value": "Http" - }, - { - "value": "Icmp" - } - ], - "type": "string" - }, - "azure-native:network:ConnectivityTopology": { - "description": "Connectivity topology type.", - "enum": [ - { - "value": "HubAndSpoke" - }, - { - "value": "Mesh" - } - ], - "type": "string" - }, - "azure-native:network:CoverageLevel": { - "description": "Test coverage for the endpoint.", - "enum": [ - { - "value": "Default" - }, - { - "value": "Low" - }, - { - "value": "BelowAverage" - }, - { - "value": "Average" - }, - { - "value": "AboveAverage" - }, - { - "value": "Full" - } - ], - "type": "string" - }, - "azure-native:network:CustomIpPrefixType": { - "description": "Type of custom IP prefix. Should be Singular, Parent, or Child.", - "enum": [ - { - "value": "Singular" - }, - { - "value": "Parent" - }, - { - "value": "Child" - } - ], - "type": "string" - }, - "azure-native:network:DdosSettingsProtectionMode": { - "description": "The DDoS protection mode of the public IP", - "enum": [ - { - "value": "VirtualNetworkInherited" - }, - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network:DeleteExistingPeering": { - "description": "Flag if need to remove current existing peerings.", - "enum": [ - { - "value": "False" - }, - { - "value": "True" - } - ], - "type": "string" - }, - "azure-native:network:DeleteOptions": { - "description": "Specify what happens to the public IP address when the VM using it is deleted", - "enum": [ - { - "value": "Delete" - }, - { - "value": "Detach" - } - ], - "type": "string" - }, - "azure-native:network:DestinationPortBehavior": { - "description": "Destination port behavior.", - "enum": [ - { - "value": "None" - }, - { - "value": "ListenIfAvailable" - } - ], - "type": "string" - }, - "azure-native:network:DhGroup": { - "description": "The DH Group used in IKE Phase 1 for initial SA.", - "enum": [ - { - "value": "None" - }, - { - "value": "DHGroup1" - }, - { - "value": "DHGroup2" - }, - { - "value": "DHGroup14" - }, - { - "value": "DHGroup2048" - }, - { - "value": "ECP256" - }, - { - "value": "ECP384" - }, - { - "value": "DHGroup24" - } - ], - "type": "string" - }, - "azure-native:network:EndpointType": { - "description": "The endpoint type.", - "enum": [ - { - "value": "AzureVM" - }, - { - "value": "AzureVNet" - }, - { - "value": "AzureSubnet" - }, - { - "value": "ExternalAddress" - }, - { - "value": "MMAWorkspaceMachine" - }, - { - "value": "MMAWorkspaceNetwork" - }, - { - "value": "AzureArcVM" - }, - { - "value": "AzureVMSS" - } - ], - "type": "string" - }, - "azure-native:network:ExpressRouteCircuitPeeringState": { - "description": "The state of peering.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network:ExpressRouteCircuitSkuFamily": { - "description": "The family of the SKU.", - "enum": [ - { - "value": "UnlimitedData" - }, - { - "value": "MeteredData" - } - ], - "type": "string" - }, - "azure-native:network:ExpressRouteCircuitSkuTier": { - "description": "The tier of the SKU.", - "enum": [ - { - "value": "Standard" - }, - { - "value": "Premium" - }, - { - "value": "Basic" - }, - { - "value": "Local" - } - ], - "type": "string" - }, - "azure-native:network:ExpressRouteLinkAdminState": { - "description": "Administrative state of the physical port.", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network:ExpressRouteLinkMacSecCipher": { - "description": "Mac security cipher.", - "enum": [ - { - "value": "GcmAes256" - }, - { - "value": "GcmAes128" - }, - { - "value": "GcmAesXpn128" - }, - { - "value": "GcmAesXpn256" - } - ], - "type": "string" - }, - "azure-native:network:ExpressRouteLinkMacSecSciState": { - "description": "Sci mode enabled/disabled.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network:ExpressRoutePeeringState": { - "description": "The peering state.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network:ExpressRoutePeeringType": { - "description": "The peering type.", - "enum": [ - { - "value": "AzurePublicPeering" - }, - { - "value": "AzurePrivatePeering" - }, - { - "value": "MicrosoftPeering" - } - ], - "type": "string" - }, - "azure-native:network:ExpressRoutePortsBillingType": { - "description": "The billing type of the ExpressRoutePort resource.", - "enum": [ - { - "value": "MeteredData" - }, - { - "value": "UnlimitedData" - } - ], - "type": "string" - }, - "azure-native:network:ExpressRoutePortsEncapsulation": { - "description": "Encapsulation method on physical ports.", - "enum": [ - { - "value": "Dot1Q" - }, - { - "value": "QinQ" - } - ], - "type": "string" - }, - "azure-native:network:ExtendedLocationTypes": { - "description": "The type of the extended location.", - "enum": [ - { - "value": "EdgeZone" - } - ], - "type": "string" - }, - "azure-native:network:FirewallPolicyFilterRuleCollectionActionType": { - "description": "The type of action.", - "enum": [ - { - "value": "Allow" - }, - { - "value": "Deny" - } - ], - "type": "string" - }, - "azure-native:network:FirewallPolicyIDPSQuerySortOrder": { - "description": "Describes if results should be in ascending/descending order", - "enum": [ - { - "value": "Ascending" - }, - { - "value": "Descending" - } - ], - "type": "string" - }, - "azure-native:network:FirewallPolicyIntrusionDetectionProtocol": { - "description": "The rule bypass protocol.", - "enum": [ - { - "value": "TCP" - }, - { - "value": "UDP" - }, - { - "value": "ICMP" - }, - { - "value": "ANY" - } - ], - "type": "string" - }, - "azure-native:network:FirewallPolicyIntrusionDetectionStateType": { - "description": "Intrusion detection general state.", - "enum": [ - { - "value": "Off" - }, - { - "value": "Alert" - }, - { - "value": "Deny" - } - ], - "type": "string" - }, - "azure-native:network:FirewallPolicyNatRuleCollectionActionType": { - "description": "The type of action.", - "enum": [ - { - "value": "DNAT" - } - ], - "type": "string" - }, - "azure-native:network:FirewallPolicyRuleApplicationProtocolType": { - "description": "Protocol type.", - "enum": [ - { - "value": "Http" - }, - { - "value": "Https" - } - ], - "type": "string" - }, - "azure-native:network:FirewallPolicyRuleCollectionType": { - "description": "The type of the rule collection.", - "enum": [ - { - "value": "FirewallPolicyNatRuleCollection" - }, - { - "value": "FirewallPolicyFilterRuleCollection" - } - ], - "type": "string" - }, - "azure-native:network:FirewallPolicyRuleNetworkProtocol": { - "description": "The Network protocol of a Rule.", - "enum": [ - { - "value": "TCP" - }, - { - "value": "UDP" - }, - { - "value": "Any" - }, - { - "value": "ICMP" - } - ], - "type": "string" - }, - "azure-native:network:FirewallPolicyRuleType": { - "description": "Rule Type.", - "enum": [ - { - "value": "ApplicationRule" - }, - { - "value": "NetworkRule" - }, - { - "value": "NatRule" - } - ], - "type": "string" - }, - "azure-native:network:FirewallPolicySkuTier": { - "description": "Tier of Firewall Policy.", - "enum": [ - { - "value": "Standard" - }, - { - "value": "Premium" - }, - { - "value": "Basic" - } - ], - "type": "string" - }, - "azure-native:network:FlowLogFormatType": { - "description": "The file type of flow log.", - "enum": [ - { - "value": "JSON" - } - ], - "type": "string" - }, - "azure-native:network:GatewayLoadBalancerTunnelInterfaceType": { - "description": "Traffic type of gateway load balancer tunnel interface.", - "enum": [ - { - "value": "None" - }, - { - "value": "Internal" - }, - { - "value": "External" - } - ], - "type": "string" - }, - "azure-native:network:GatewayLoadBalancerTunnelProtocol": { - "description": "Protocol of gateway load balancer tunnel interface.", - "enum": [ - { - "value": "None" - }, - { - "value": "Native" - }, - { - "value": "VXLAN" - } - ], - "type": "string" - }, - "azure-native:network:Geo": { - "description": "The Geo for CIDR advertising. Should be an Geo code.", - "enum": [ - { - "value": "GLOBAL" - }, - { - "value": "AFRI" - }, - { - "value": "APAC" - }, - { - "value": "EURO" - }, - { - "value": "LATAM" - }, - { - "value": "NAM" - }, - { - "value": "ME" - }, - { - "value": "OCEANIA" - }, - { - "value": "AQ" - } - ], - "type": "string" - }, - "azure-native:network:GroupConnectivity": { - "description": "Group connectivity type.", - "enum": [ - { - "value": "None" - }, - { - "value": "DirectlyConnected" - } - ], - "type": "string" - }, - "azure-native:network:HTTPConfigurationMethod": { - "description": "The HTTP method to use.", - "enum": [ - { - "value": "Get" - }, - { - "value": "Post" - } - ], - "type": "string" - }, - "azure-native:network:HubRoutingPreference": { - "description": "The hubRoutingPreference of this VirtualHub.", - "enum": [ - { - "value": "ExpressRoute" - }, - { - "value": "VpnGateway" - }, - { - "value": "ASPath" - } - ], - "type": "string" - }, - "azure-native:network:IPAllocationMethod": { - "description": "The private IP address allocation method.", - "enum": [ - { - "value": "Static" - }, - { - "value": "Dynamic" - } - ], - "type": "string" - }, - "azure-native:network:IPVersion": { - "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", - "enum": [ - { - "value": "IPv4" - }, - { - "value": "IPv6" - } - ], - "type": "string" - }, - "azure-native:network:IkeEncryption": { - "description": "The IKE encryption algorithm (IKE phase 2).", - "enum": [ - { - "value": "DES" - }, - { - "value": "DES3" - }, - { - "value": "AES128" - }, - { - "value": "AES192" - }, - { - "value": "AES256" - }, - { - "value": "GCMAES256" - }, - { - "value": "GCMAES128" - } - ], - "type": "string" - }, - "azure-native:network:IkeIntegrity": { - "description": "The IKE integrity algorithm (IKE phase 2).", - "enum": [ - { - "value": "MD5" - }, - { - "value": "SHA1" - }, - { - "value": "SHA256" - }, - { - "value": "SHA384" - }, - { - "value": "GCMAES256" - }, - { - "value": "GCMAES128" - } - ], - "type": "string" - }, - "azure-native:network:IpAllocationType": { - "description": "The type for the IpAllocation.", - "enum": [ - { - "value": "Undefined" - }, - { - "value": "Hypernet" - } - ], - "type": "string" - }, - "azure-native:network:IpsecEncryption": { - "description": "The IPSec encryption algorithm (IKE phase 1).", - "enum": [ - { - "value": "None" - }, - { - "value": "DES" - }, - { - "value": "DES3" - }, - { - "value": "AES128" - }, - { - "value": "AES192" - }, - { - "value": "AES256" - }, - { - "value": "GCMAES128" - }, - { - "value": "GCMAES192" - }, - { - "value": "GCMAES256" - } - ], - "type": "string" - }, - "azure-native:network:IpsecIntegrity": { - "description": "The IPSec integrity algorithm (IKE phase 1).", - "enum": [ - { - "value": "MD5" - }, - { - "value": "SHA1" - }, - { - "value": "SHA256" - }, - { - "value": "GCMAES128" - }, - { - "value": "GCMAES192" - }, - { - "value": "GCMAES256" - } - ], - "type": "string" - }, - "azure-native:network:IsGlobal": { - "description": "Flag if global mesh is supported.", - "enum": [ - { - "value": "False" - }, - { - "value": "True" - } - ], - "type": "string" - }, - "azure-native:network:LoadBalancerBackendAddressAdminState": { - "description": "A list of administrative states which once set can override health probe so that Load Balancer will always forward new connections to backend, or deny new connections and reset existing connections.", - "enum": [ - { - "value": "None" - }, - { - "value": "Up" - }, - { - "value": "Down" - } - ], - "type": "string" - }, - "azure-native:network:LoadBalancerOutboundRuleProtocol": { - "description": "The protocol for the outbound rule in load balancer.", - "enum": [ - { - "value": "Tcp" - }, - { - "value": "Udp" - }, - { - "value": "All" - } - ], - "type": "string" - }, - "azure-native:network:LoadBalancerSkuName": { - "description": "Name of a load balancer SKU.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "Standard" - }, - { - "value": "Gateway" - } - ], - "type": "string" - }, - "azure-native:network:LoadBalancerSkuTier": { - "description": "Tier of a load balancer SKU.", - "enum": [ - { - "value": "Regional" - }, - { - "value": "Global" - } - ], - "type": "string" - }, - "azure-native:network:LoadDistribution": { - "description": "The load distribution policy for this rule.", - "enum": [ - { - "value": "Default" - }, - { - "value": "SourceIP" - }, - { - "value": "SourceIPProtocol" - } - ], - "type": "string" - }, - "azure-native:network:ManagedRuleEnabledState": { - "description": "The state of the managed rule. Defaults to Disabled if not specified.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network:NatGatewaySkuName": { - "description": "Name of Nat Gateway SKU.", - "enum": [ - { - "value": "Standard" - } - ], - "type": "string" - }, - "azure-native:network:NetworkIntentPolicyBasedService": { - "description": "Network intent policy based services.", - "enum": [ - { - "value": "None" - }, - { - "value": "All" - }, - { - "value": "AllowRulesOnly" - } - ], - "type": "string" - }, - "azure-native:network:NetworkInterfaceAuxiliaryMode": { - "description": "Auxiliary mode of Network Interface resource.", - "enum": [ - { - "value": "None" - }, - { - "value": "MaxConnections" - }, - { - "value": "Floating" - }, - { - "value": "AcceleratedConnections" - } - ], - "type": "string" - }, - "azure-native:network:NetworkInterfaceAuxiliarySku": { - "description": "Auxiliary sku of Network Interface resource.", - "enum": [ - { - "value": "None" - }, - { - "value": "A1" - }, - { - "value": "A2" - }, - { - "value": "A4" - }, - { - "value": "A8" - } - ], - "type": "string" - }, - "azure-native:network:NetworkInterfaceMigrationPhase": { - "description": "Migration phase of Network Interface resource.", - "enum": [ - { - "value": "None" - }, - { - "value": "Prepare" - }, - { - "value": "Commit" - }, - { - "value": "Abort" - }, - { - "value": "Committed" - } - ], - "type": "string" - }, - "azure-native:network:NetworkInterfaceNicType": { - "description": "Type of Network Interface resource.", - "enum": [ - { - "value": "Standard" - }, - { - "value": "Elastic" - } - ], - "type": "string" - }, - "azure-native:network:NextStep": { - "description": "Next step after rule is evaluated. Current supported behaviors are 'Continue'(to next rule) and 'Terminate'.", - "enum": [ - { - "value": "Unknown" - }, - { - "value": "Continue" - }, - { - "value": "Terminate" - } - ], - "type": "string" - }, - "azure-native:network:OutputType": { - "description": "Connection monitor output destination type. Currently, only \"Workspace\" is supported.", - "enum": [ - { - "value": "Workspace" - } - ], - "type": "string" - }, - "azure-native:network:OwaspCrsExclusionEntryMatchVariable": { - "description": "The variable to be excluded.", - "enum": [ - { - "value": "RequestHeaderNames" - }, - { - "value": "RequestCookieNames" - }, - { - "value": "RequestArgNames" - }, - { - "value": "RequestHeaderKeys" - }, - { - "value": "RequestHeaderValues" - }, - { - "value": "RequestCookieKeys" - }, - { - "value": "RequestCookieValues" - }, - { - "value": "RequestArgKeys" - }, - { - "value": "RequestArgValues" - } - ], - "type": "string" - }, - "azure-native:network:OwaspCrsExclusionEntrySelectorMatchOperator": { - "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", - "enum": [ - { - "value": "Equals" - }, - { - "value": "Contains" - }, - { - "value": "StartsWith" - }, - { - "value": "EndsWith" - }, - { - "value": "EqualsAny" - } - ], - "type": "string" - }, - "azure-native:network:PacketCaptureTargetType": { - "description": "Target type of the resource provided.", - "enum": [ - { - "value": "AzureVM" - }, - { - "value": "AzureVMSS" - } - ], - "type": "string" - }, - "azure-native:network:PcProtocol": { - "description": "Protocol to be filtered on.", - "enum": [ - { - "value": "TCP" - }, - { - "value": "UDP" - }, - { - "value": "Any" - } - ], - "type": "string" - }, - "azure-native:network:PfsGroup": { - "description": "The Pfs Group used in IKE Phase 2 for new child SA.", - "enum": [ - { - "value": "None" - }, - { - "value": "PFS1" - }, - { - "value": "PFS2" - }, - { - "value": "PFS2048" - }, - { - "value": "ECP256" - }, - { - "value": "ECP384" - }, - { - "value": "PFS24" - }, - { - "value": "PFS14" - }, - { - "value": "PFSMM" - } - ], - "type": "string" - }, - "azure-native:network:PreferredIPVersion": { - "description": "The preferred IP version to use in test evaluation. The connection monitor may choose to use a different version depending on other parameters.", - "enum": [ - { - "value": "IPv4" - }, - { - "value": "IPv6" - } - ], - "type": "string" - }, - "azure-native:network:PreferredRoutingGateway": { - "description": "The preferred gateway to route on-prem traffic", - "enum": [ - { - "value": "ExpressRoute" - }, - { - "value": "VpnGateway" - }, - { - "value": "None" - } - ], - "type": "string" - }, - "azure-native:network:ProbeProtocol": { - "description": "The protocol of the end point. If 'Tcp' is specified, a received ACK is required for the probe to be successful. If 'Http' or 'Https' is specified, a 200 OK response from the specifies URI is required for the probe to be successful.", - "enum": [ - { - "value": "Http" - }, - { - "value": "Tcp" - }, - { - "value": "Https" - } - ], - "type": "string" - }, - "azure-native:network:ProtocolType": { - "description": "RNM supported protocol types.", - "enum": [ - { - "value": "DoNotUse" - }, - { - "value": "Icmp" - }, - { - "value": "Tcp" - }, - { - "value": "Udp" - }, - { - "value": "Gre" - }, - { - "value": "Esp" - }, - { - "value": "Ah" - }, - { - "value": "Vxlan" - }, - { - "value": "All" - } - ], - "type": "string" - }, - "azure-native:network:PublicIPAddressMigrationPhase": { - "description": "Migration phase of Public IP Address.", - "enum": [ - { - "value": "None" - }, - { - "value": "Prepare" - }, - { - "value": "Commit" - }, - { - "value": "Abort" - }, - { - "value": "Committed" - } - ], - "type": "string" - }, - "azure-native:network:PublicIPAddressSkuName": { - "description": "Name of a public IP address SKU.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "Standard" - } - ], - "type": "string" - }, - "azure-native:network:PublicIPAddressSkuTier": { - "description": "Tier of a public IP address SKU.", - "enum": [ - { - "value": "Regional" - }, - { - "value": "Global" - } - ], - "type": "string" - }, - "azure-native:network:PublicIPPrefixSkuName": { - "description": "Name of a public IP prefix SKU.", - "enum": [ - { - "value": "Standard" - } - ], - "type": "string" - }, - "azure-native:network:PublicIPPrefixSkuTier": { - "description": "Tier of a public IP prefix SKU.", - "enum": [ - { - "value": "Regional" - }, - { - "value": "Global" - } - ], - "type": "string" - }, - "azure-native:network:PublicIpAddressDnsSettingsDomainNameLabelScope": { - "description": "The domain name label scope. If a domain name label and a domain name label scope are specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system with a hashed value includes in FQDN.", - "enum": [ - { - "value": "TenantReuse" - }, - { - "value": "SubscriptionReuse" - }, - { - "value": "ResourceGroupReuse" - }, - { - "value": "NoReuse" - } - ], - "type": "string" - }, - "azure-native:network:ResourceIdentityType": { - "description": "The type of identity used for the resource. The type 'SystemAssigned, UserAssigned' includes both an implicitly created identity and a set of user assigned identities. The type 'None' will remove any identities from the virtual machine.", - "enum": [ - { - "value": "SystemAssigned" - }, - { - "value": "UserAssigned" - }, - { - "value": "SystemAssigned, UserAssigned" - }, - { - "value": "None" - } - ], - "type": "string" - }, - "azure-native:network:RouteFilterRuleType": { - "description": "The rule type of the rule.", - "enum": [ - { - "value": "Community" - } - ], - "type": "string" - }, - "azure-native:network:RouteMapActionType": { - "description": "Type of action to be taken. Supported types are 'Remove', 'Add', 'Replace', and 'Drop.'", - "enum": [ - { - "value": "Unknown" - }, - { - "value": "Remove" - }, - { - "value": "Add" - }, - { - "value": "Replace" - }, - { - "value": "Drop" - } - ], - "type": "string" - }, - "azure-native:network:RouteMapMatchCondition": { - "description": "Match condition to apply RouteMap rules.", - "enum": [ - { - "value": "Unknown" - }, - { - "value": "Contains" - }, - { - "value": "Equals" - }, - { - "value": "NotContains" - }, - { - "value": "NotEquals" - } - ], - "type": "string" - }, - "azure-native:network:RouteNextHopType": { - "description": "The type of Azure hop the packet should be sent to.", - "enum": [ - { - "value": "VirtualNetworkGateway" - }, - { - "value": "VnetLocal" - }, - { - "value": "Internet" - }, - { - "value": "VirtualAppliance" - }, - { - "value": "None" - } - ], - "type": "string" - }, - "azure-native:network:ScrubbingRuleEntryMatchOperator": { - "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this rule applies to.", - "enum": [ - { - "value": "Equals" - }, - { - "value": "EqualsAny" - } - ], - "type": "string" - }, - "azure-native:network:ScrubbingRuleEntryMatchVariable": { - "description": "The variable to be scrubbed from the logs.", - "enum": [ - { - "value": "RequestHeaderNames" - }, - { - "value": "RequestCookieNames" - }, - { - "value": "RequestArgNames" - }, - { - "value": "RequestPostArgNames" - }, - { - "value": "RequestJSONArgNames" - }, - { - "value": "RequestIPAddress" - } - ], - "type": "string" - }, - "azure-native:network:ScrubbingRuleEntryState": { - "description": "Defines the state of log scrubbing rule. Default value is Enabled.", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network:SecurityConfigurationRuleAccess": { - "description": "Indicates the access allowed for this particular rule", - "enum": [ - { - "value": "Allow" - }, - { - "value": "Deny" - }, - { - "value": "AlwaysAllow" - } - ], - "type": "string" - }, - "azure-native:network:SecurityConfigurationRuleDirection": { - "description": "Indicates if the traffic matched against the rule in inbound or outbound.", - "enum": [ - { - "value": "Inbound" - }, - { - "value": "Outbound" - } - ], - "type": "string" - }, - "azure-native:network:SecurityConfigurationRuleProtocol": { - "description": "Network protocol this rule applies to.", - "enum": [ - { - "value": "Tcp" - }, - { - "value": "Udp" - }, - { - "value": "Icmp" - }, - { - "value": "Esp" - }, - { - "value": "Any" - }, - { - "value": "Ah" - } - ], - "type": "string" - }, - "azure-native:network:SecurityProviderName": { - "description": "The security provider name.", - "enum": [ - { - "value": "ZScaler" - }, - { - "value": "IBoss" - }, - { - "value": "Checkpoint" - } - ], - "type": "string" - }, - "azure-native:network:SecurityRuleAccess": { - "description": "The network traffic is allowed or denied.", - "enum": [ - { - "value": "Allow" - }, - { - "value": "Deny" - } - ], - "type": "string" - }, - "azure-native:network:SecurityRuleDirection": { - "description": "The direction of the rule. The direction specifies if rule will be evaluated on incoming or outgoing traffic.", - "enum": [ - { - "value": "Inbound" - }, - { - "value": "Outbound" - } - ], - "type": "string" - }, - "azure-native:network:SecurityRuleProtocol": { - "description": "Network protocol this rule applies to.", - "enum": [ - { - "value": "Tcp" - }, - { - "value": "Udp" - }, - { - "value": "Icmp" - }, - { - "value": "Esp" - }, - { - "value": "*" - }, - { - "value": "Ah" - } - ], - "type": "string" - }, - "azure-native:network:ServiceProviderProvisioningState": { - "description": "The ServiceProviderProvisioningState state of the resource.", - "enum": [ - { - "value": "NotProvisioned" - }, - { - "value": "Provisioning" - }, - { - "value": "Provisioned" - }, - { - "value": "Deprovisioning" - } - ], - "type": "string" - }, - "azure-native:network:TransportProtocol": { - "description": "The reference to the transport protocol used by the load balancing rule.", - "enum": [ - { - "value": "Udp" - }, - { - "value": "Tcp" - }, - { - "value": "All" - } - ], - "type": "string" - }, - "azure-native:network:UseHubGateway": { - "description": "Flag if need to use hub gateway.", - "enum": [ - { - "value": "False" - }, - { - "value": "True" - } - ], - "type": "string" - }, - "azure-native:network:VirtualNetworkEncryptionEnforcement": { - "description": "If the encrypted VNet allows VM that does not support encryption", - "enum": [ - { - "value": "DropUnencrypted" - }, - { - "value": "AllowUnencrypted" - } - ], - "type": "string" - }, - "azure-native:network:VirtualNetworkGatewayConnectionMode": { - "description": "The connection mode for this connection.", - "enum": [ - { - "value": "Default" - }, - { - "value": "ResponderOnly" - }, - { - "value": "InitiatorOnly" - } - ], - "type": "string" - }, - "azure-native:network:VirtualNetworkGatewayConnectionProtocol": { - "description": "Connection protocol used for this connection.", - "enum": [ - { - "value": "IKEv2" - }, - { - "value": "IKEv1" - } - ], - "type": "string" - }, - "azure-native:network:VirtualNetworkGatewayConnectionType": { - "description": "Gateway connection type.", - "enum": [ - { - "value": "IPsec" - }, - { - "value": "Vnet2Vnet" - }, - { - "value": "ExpressRoute" - }, - { - "value": "VPNClient" - } - ], - "type": "string" - }, - "azure-native:network:VirtualNetworkGatewaySkuName": { - "description": "Gateway SKU name.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "HighPerformance" - }, - { - "value": "Standard" - }, - { - "value": "UltraPerformance" - }, - { - "value": "VpnGw1" - }, - { - "value": "VpnGw2" - }, - { - "value": "VpnGw3" - }, - { - "value": "VpnGw4" - }, - { - "value": "VpnGw5" - }, - { - "value": "VpnGw1AZ" - }, - { - "value": "VpnGw2AZ" - }, - { - "value": "VpnGw3AZ" - }, - { - "value": "VpnGw4AZ" - }, - { - "value": "VpnGw5AZ" - }, - { - "value": "ErGw1AZ" - }, - { - "value": "ErGw2AZ" - }, - { - "value": "ErGw3AZ" - } - ], - "type": "string" - }, - "azure-native:network:VirtualNetworkGatewaySkuTier": { - "description": "Gateway SKU tier.", - "enum": [ - { - "value": "Basic" - }, - { - "value": "HighPerformance" - }, - { - "value": "Standard" - }, - { - "value": "UltraPerformance" - }, - { - "value": "VpnGw1" - }, - { - "value": "VpnGw2" - }, - { - "value": "VpnGw3" - }, - { - "value": "VpnGw4" - }, - { - "value": "VpnGw5" - }, - { - "value": "VpnGw1AZ" - }, - { - "value": "VpnGw2AZ" - }, - { - "value": "VpnGw3AZ" - }, - { - "value": "VpnGw4AZ" - }, - { - "value": "VpnGw5AZ" - }, - { - "value": "ErGw1AZ" - }, - { - "value": "ErGw2AZ" - }, - { - "value": "ErGw3AZ" - } - ], - "type": "string" - }, - "azure-native:network:VirtualNetworkGatewayType": { - "description": "The type of this virtual network gateway.", - "enum": [ - { - "value": "Vpn" - }, - { - "value": "ExpressRoute" - }, - { - "value": "LocalGateway" - } - ], - "type": "string" - }, - "azure-native:network:VirtualNetworkPeeringLevel": { - "description": "The peering sync status of the virtual network peering.", - "enum": [ - { - "value": "FullyInSync" - }, - { - "value": "RemoteNotInSync" - }, - { - "value": "LocalNotInSync" - }, - { - "value": "LocalAndRemoteNotInSync" - } - ], - "type": "string" - }, - "azure-native:network:VirtualNetworkPeeringState": { - "description": "The status of the virtual network peering.", - "enum": [ - { - "value": "Initiated" - }, - { - "value": "Connected" - }, - { - "value": "Disconnected" - } - ], - "type": "string" - }, - "azure-native:network:VirtualNetworkPrivateEndpointNetworkPolicies": { - "description": "Enable or Disable apply network policies on private end point in the subnet.", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network:VirtualNetworkPrivateLinkServiceNetworkPolicies": { - "description": "Enable or Disable apply network policies on private link service in the subnet.", - "enum": [ - { - "value": "Enabled" - }, - { - "value": "Disabled" - } - ], - "type": "string" - }, - "azure-native:network:VnetLocalRouteOverrideCriteria": { - "description": "Parameter determining whether NVA in spoke vnet is bypassed for traffic with destination in spoke.", - "enum": [ - { - "value": "Contains" - }, - { - "value": "Equal" - } - ], - "type": "string" - }, - "azure-native:network:VpnAuthenticationType": { - "description": "VPN authentication types enabled for the VpnServerConfiguration.", - "enum": [ - { - "value": "Certificate" - }, - { - "value": "Radius" - }, - { - "value": "AAD" - } - ], - "type": "string" - }, - "azure-native:network:VpnClientProtocol": { - "description": "VPN client protocol enabled for the virtual network gateway.", - "enum": [ - { - "value": "IkeV2" - }, - { - "value": "SSTP" - }, - { - "value": "OpenVPN" - } - ], - "type": "string" - }, - "azure-native:network:VpnGatewayGeneration": { - "description": "The generation for this VirtualNetworkGateway. Must be None if gatewayType is not VPN.", - "enum": [ - { - "value": "None" - }, - { - "value": "Generation1" - }, - { - "value": "Generation2" - } - ], - "type": "string" - }, - "azure-native:network:VpnGatewayTunnelingProtocol": { - "description": "VPN protocol enabled for the VpnServerConfiguration.", - "enum": [ - { - "value": "IkeV2" - }, - { - "value": "OpenVPN" - } - ], - "type": "string" - }, - "azure-native:network:VpnLinkConnectionMode": { - "description": "Vpn link connection mode.", - "enum": [ - { - "value": "Default" - }, - { - "value": "ResponderOnly" - }, - { - "value": "InitiatorOnly" - } - ], - "type": "string" - }, - "azure-native:network:VpnNatRuleMode": { - "description": "The Source NAT direction of a VPN NAT.", - "enum": [ - { - "value": "EgressSnat" - }, - { - "value": "IngressSnat" - } - ], - "type": "string" - }, - "azure-native:network:VpnNatRuleType": { - "description": "The type of NAT rule for VPN NAT.", - "enum": [ - { - "value": "Static" - }, - { - "value": "Dynamic" - } - ], - "type": "string" - }, - "azure-native:network:VpnPolicyMemberAttributeType": { - "description": "The Vpn Policy member attribute type.", - "enum": [ - { - "value": "CertificateGroupId" - }, - { - "value": "AADGroupId" - }, - { - "value": "RadiusAzureGroupId" - } - ], - "type": "string" - }, - "azure-native:network:VpnType": { - "description": "The type of this virtual network gateway.", - "enum": [ - { - "value": "PolicyBased" - }, - { - "value": "RouteBased" - } - ], - "type": "string" - }, - "azure-native:network:WebApplicationFirewallAction": { - "description": "Type of Actions.", - "enum": [ - { - "value": "Allow" - }, - { - "value": "Block" - }, - { - "value": "Log" - } - ], - "type": "string" - }, - "azure-native:network:WebApplicationFirewallEnabledState": { - "description": "The state of the policy.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network:WebApplicationFirewallMatchVariable": { - "description": "Match Variable.", - "enum": [ - { - "value": "RemoteAddr" - }, - { - "value": "RequestMethod" - }, - { - "value": "QueryString" - }, - { - "value": "PostArgs" - }, - { - "value": "RequestUri" - }, - { - "value": "RequestHeaders" - }, - { - "value": "RequestBody" - }, - { - "value": "RequestCookies" - } - ], - "type": "string" - }, - "azure-native:network:WebApplicationFirewallMode": { - "description": "The mode of the policy.", - "enum": [ - { - "value": "Prevention" - }, - { - "value": "Detection" - } - ], - "type": "string" - }, - "azure-native:network:WebApplicationFirewallOperator": { - "description": "The operator to be matched.", - "enum": [ - { - "value": "IPMatch" - }, - { - "value": "Equal" - }, - { - "value": "Contains" - }, - { - "value": "LessThan" - }, - { - "value": "GreaterThan" - }, - { - "value": "LessThanOrEqual" - }, - { - "value": "GreaterThanOrEqual" - }, - { - "value": "BeginsWith" - }, - { - "value": "EndsWith" - }, - { - "value": "Regex" - }, - { - "value": "GeoMatch" - }, - { - "value": "Any" - } - ], - "type": "string" - }, - "azure-native:network:WebApplicationFirewallRuleType": { - "description": "The rule type.", - "enum": [ - { - "value": "MatchRule" - }, - { - "value": "RateLimitRule" - }, - { - "value": "Invalid" - } - ], - "type": "string" - }, - "azure-native:network:WebApplicationFirewallScrubbingState": { - "description": "State of the log scrubbing config. Default value is Enabled.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network:WebApplicationFirewallState": { - "description": "Describes if the custom rule is in enabled or disabled state. Defaults to Enabled if not specified.", - "enum": [ - { - "value": "Disabled" - }, - { - "value": "Enabled" - } - ], - "type": "string" - }, - "azure-native:network:WebApplicationFirewallTransform": { - "description": "Transforms applied before matching.", - "enum": [ - { - "value": "Uppercase" - }, - { - "value": "Lowercase" - }, - { - "value": "Trim" - }, - { - "value": "UrlDecode" - }, - { - "value": "UrlEncode" - }, - { - "value": "RemoveNulls" - }, - { - "value": "HtmlEntityDecode" - } - ], - "type": "string" - }, "azure-native:storage:BlobAccessTier": { "description": "The access tier of a storage blob.", "enum": [ @@ -27654,6 +24990,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:Access": { + "description": "The access type of the rule.", + "enum": [ + { + "value": "Allow" + }, + { + "value": "Deny" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:Action": { "description": "Action to be taken on a route matching a RouteMap criterion.", "properties": { @@ -27672,7 +25020,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:RouteMapActionType" + "$ref": "#/types/azure-native_network_v20230201:network:RouteMapActionType" } ] } @@ -27697,6 +25045,24 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ActionType": { + "description": "Describes the override action to be applied when rule matches.", + "enum": [ + { + "value": "AnomalyScoring" + }, + { + "value": "Allow" + }, + { + "value": "Block" + }, + { + "value": "Log" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ActiveConnectivityConfigurationResponse": { "description": "Active connectivity configuration.", "properties": { @@ -28020,7 +25386,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AddressPrefixType" + "$ref": "#/types/azure-native_network_v20230201:network:AddressPrefixType" } ] } @@ -28041,6 +25407,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:AddressPrefixType": { + "description": "Address prefix type.", + "enum": [ + { + "value": "IPPrefix" + }, + { + "value": "ServiceTag" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:AddressSpace": { "description": "AddressSpace contains an array of IP address ranges that can be used by subnets of the virtual network.", "properties": { @@ -28067,6 +25445,30 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:AdminRuleKind": { + "description": "Whether the rule is custom or default.", + "enum": [ + { + "value": "Custom" + }, + { + "value": "Default" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:AdminState": { + "description": "Property to indicate if the Express Route Gateway serves traffic when there are multiple Express Route Gateways in the vnet", + "enum": [ + { + "value": "Enabled" + }, + { + "value": "Disabled" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewayAuthenticationCertificate": { "description": "Authentication certificates of an application gateway.", "properties": { @@ -28321,7 +25723,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayCookieBasedAffinity" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCookieBasedAffinity" } ] }, @@ -28365,7 +25767,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProtocol" } ] }, @@ -28512,7 +25914,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProtocol" } ] }, @@ -28609,7 +26011,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayClientRevocationOptions" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayClientRevocationOptions" } ] } @@ -28630,6 +26032,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewayClientRevocationOptions": { + "description": "Verify client certificate revocation status.", + "enum": [ + { + "value": "None" + }, + { + "value": "OCSP" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewayConnectionDraining": { "description": "Connection draining allows open connections to a backend server to be active for a specified time after the backend server got removed from the configuration.", "properties": { @@ -28666,6 +26080,18 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewayCookieBasedAffinity": { + "description": "Cookie based affinity.", + "enum": [ + { + "value": "Enabled" + }, + { + "value": "Disabled" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewayCustomError": { "description": "Custom error of an application gateway.", "properties": { @@ -28680,7 +26106,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayCustomErrorStatusCode" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayCustomErrorStatusCode" } ] } @@ -28701,6 +26127,39 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewayCustomErrorStatusCode": { + "description": "Status code of the application gateway custom error.", + "enum": [ + { + "value": "HttpStatus400" + }, + { + "value": "HttpStatus403" + }, + { + "value": "HttpStatus404" + }, + { + "value": "HttpStatus405" + }, + { + "value": "HttpStatus408" + }, + { + "value": "HttpStatus500" + }, + { + "value": "HttpStatus502" + }, + { + "value": "HttpStatus503" + }, + { + "value": "HttpStatus504" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewayFirewallDisabledRuleGroup": { "description": "Allows to disable rules within a rule group or an entire rule group.", "properties": { @@ -28787,6 +26246,45 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewayFirewallMode": { + "description": "Web application firewall mode.", + "enum": [ + { + "value": "Detection" + }, + { + "value": "Prevention" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:ApplicationGatewayFirewallRateLimitDuration": { + "description": "Duration over which Rate Limit policy will be applied. Applies only when ruleType is RateLimitRule.", + "enum": [ + { + "value": "OneMin" + }, + { + "value": "FiveMins" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:ApplicationGatewayFirewallUserSessionVariable": { + "description": "User Session clause variable.", + "enum": [ + { + "value": "ClientAddr" + }, + { + "value": "GeoLocation" + }, + { + "value": "None" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewayFrontendIPConfiguration": { "description": "Frontend IP configuration of an application gateway.", "properties": { @@ -28809,7 +26307,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPAllocationMethod" + "$ref": "#/types/azure-native_network_v20230201:network:IPAllocationMethod" } ] }, @@ -29046,7 +26544,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProtocol" } ] }, @@ -29233,7 +26731,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProtocol" } ] }, @@ -29305,6 +26803,21 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionAlgorithm": { + "description": "Load Distribution Targets resource of an application gateway.", + "enum": [ + { + "value": "RoundRobin" + }, + { + "value": "LeastConnections" + }, + { + "value": "IpHash" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionPolicy": { "description": "Load Distribution Policy of an application gateway.", "properties": { @@ -29319,7 +26832,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayLoadDistributionAlgorithm" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayLoadDistributionAlgorithm" } ] }, @@ -29692,7 +27205,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPAllocationMethod" + "$ref": "#/types/azure-native_network_v20230201:network:IPAllocationMethod" } ] }, @@ -29803,7 +27316,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayProtocol" } ] }, @@ -29928,6 +27441,24 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewayProtocol": { + "description": "The protocol used for the probe.", + "enum": [ + { + "value": "Http" + }, + { + "value": "Https" + }, + { + "value": "Tcp" + }, + { + "value": "Tls" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewayRedirectConfiguration": { "description": "Redirect configuration of an application gateway.", "properties": { @@ -29962,7 +27493,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayRedirectType" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRedirectType" } ] }, @@ -30065,6 +27596,24 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewayRedirectType": { + "description": "HTTP redirection type.", + "enum": [ + { + "value": "Permanent" + }, + { + "value": "Found" + }, + { + "value": "SeeOther" + }, + { + "value": "Temporary" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRule": { "description": "Request routing rule of an application gateway.", "properties": { @@ -30117,7 +27666,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayRequestRoutingRuleType" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleType" } ] }, @@ -30203,6 +27752,18 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleType": { + "description": "Rule type.", + "enum": [ + { + "value": "Basic" + }, + { + "value": "PathBasedRouting" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewayResponse": { "description": "Application gateway resource.", "properties": { @@ -30745,7 +28306,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayRequestRoutingRuleType" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayRequestRoutingRuleType" } ] } @@ -30824,7 +28385,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewaySkuName" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySkuName" } ] }, @@ -30835,13 +28396,40 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayTier" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayTier" } ] } }, "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewaySkuName": { + "description": "Name of an application gateway SKU.", + "enum": [ + { + "value": "Standard_Small" + }, + { + "value": "Standard_Medium" + }, + { + "value": "Standard_Large" + }, + { + "value": "WAF_Medium" + }, + { + "value": "WAF_Large" + }, + { + "value": "Standard_v2" + }, + { + "value": "WAF_v2" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewaySkuResponse": { "description": "SKU of an application gateway.", "properties": { @@ -30934,6 +28522,96 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewaySslCipherSuite": { + "description": "Ssl cipher suites enums.", + "enum": [ + { + "value": "TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA384" + }, + { + "value": "TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA256" + }, + { + "value": "TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA" + }, + { + "value": "TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA" + }, + { + "value": "TLS_DHE_RSA_WITH_AES_256_GCM_SHA384" + }, + { + "value": "TLS_DHE_RSA_WITH_AES_128_GCM_SHA256" + }, + { + "value": "TLS_DHE_RSA_WITH_AES_256_CBC_SHA" + }, + { + "value": "TLS_DHE_RSA_WITH_AES_128_CBC_SHA" + }, + { + "value": "TLS_RSA_WITH_AES_256_GCM_SHA384" + }, + { + "value": "TLS_RSA_WITH_AES_128_GCM_SHA256" + }, + { + "value": "TLS_RSA_WITH_AES_256_CBC_SHA256" + }, + { + "value": "TLS_RSA_WITH_AES_128_CBC_SHA256" + }, + { + "value": "TLS_RSA_WITH_AES_256_CBC_SHA" + }, + { + "value": "TLS_RSA_WITH_AES_128_CBC_SHA" + }, + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_256_GCM_SHA384" + }, + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256" + }, + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA384" + }, + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA256" + }, + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA" + }, + { + "value": "TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA" + }, + { + "value": "TLS_DHE_DSS_WITH_AES_256_CBC_SHA256" + }, + { + "value": "TLS_DHE_DSS_WITH_AES_128_CBC_SHA256" + }, + { + "value": "TLS_DHE_DSS_WITH_AES_256_CBC_SHA" + }, + { + "value": "TLS_DHE_DSS_WITH_AES_128_CBC_SHA" + }, + { + "value": "TLS_RSA_WITH_3DES_EDE_CBC_SHA" + }, + { + "value": "TLS_DHE_DSS_WITH_3DES_EDE_CBC_SHA" + }, + { + "value": "TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256" + }, + { + "value": "TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewaySslPolicy": { "description": "Application Gateway Ssl policy.", "properties": { @@ -30945,7 +28623,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewaySslCipherSuite" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslCipherSuite" } ] }, @@ -30959,7 +28637,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewaySslProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProtocol" } ] }, @@ -30972,7 +28650,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewaySslProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslProtocol" } ] }, @@ -30983,7 +28661,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewaySslPolicyName" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyName" } ] }, @@ -30994,13 +28672,34 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewaySslPolicyType" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewaySslPolicyType" } ] } }, "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewaySslPolicyName": { + "description": "Name of Ssl predefined policy.", + "enum": [ + { + "value": "AppGwSslPolicy20150501" + }, + { + "value": "AppGwSslPolicy20170401" + }, + { + "value": "AppGwSslPolicy20170401S" + }, + { + "value": "AppGwSslPolicy20220101" + }, + { + "value": "AppGwSslPolicy20220101S" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewaySslPolicyResponse": { "description": "Application Gateway Ssl policy.", "properties": { @@ -31033,6 +28732,21 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewaySslPolicyType": { + "description": "Type of Ssl Policy.", + "enum": [ + { + "value": "Predefined" + }, + { + "value": "Custom" + }, + { + "value": "CustomV2" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewaySslProfile": { "description": "SSL profile of an application gateway.", "properties": { @@ -31114,6 +28828,42 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ApplicationGatewaySslProtocol": { + "description": "Minimum version of Ssl protocol to be supported on application gateway.", + "enum": [ + { + "value": "TLSv1_0" + }, + { + "value": "TLSv1_1" + }, + { + "value": "TLSv1_2" + }, + { + "value": "TLSv1_3" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:ApplicationGatewayTier": { + "description": "Tier of an application gateway.", + "enum": [ + { + "value": "Standard" + }, + { + "value": "WAF" + }, + { + "value": "Standard_v2" + }, + { + "value": "WAF_v2" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ApplicationGatewayTrustedClientCertificate": { "description": "Trusted client certificates of an application gateway.", "properties": { @@ -31419,7 +29169,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayFirewallMode" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFirewallMode" } ] }, @@ -31763,6 +29513,30 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:AuthorizationUseStatus": { + "description": "The authorization use status.", + "enum": [ + { + "value": "Available" + }, + { + "value": "InUse" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:AutoLearnPrivateRangesMode": { + "description": "The operation mode for automatically learning private ranges to not be SNAT", + "enum": [ + { + "value": "Enabled" + }, + { + "value": "Disabled" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:AzureFirewallApplicationRule": { "description": "Properties of an application rule.", "properties": { @@ -31901,7 +29675,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AzureFirewallApplicationRuleProtocolType" + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallApplicationRuleProtocolType" } ] } @@ -31922,6 +29696,21 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:AzureFirewallApplicationRuleProtocolType": { + "description": "Protocol type.", + "enum": [ + { + "value": "Http" + }, + { + "value": "Https" + }, + { + "value": "Mssql" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:AzureFirewallApplicationRuleResponse": { "description": "Properties of an application rule.", "properties": { @@ -32070,7 +29859,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AzureFirewallNatRCActionType" + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNatRCActionType" } ] } @@ -32087,6 +29876,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:AzureFirewallNatRCActionType": { + "description": "The type of action.", + "enum": [ + { + "value": "Snat" + }, + { + "value": "Dnat" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:AzureFirewallNatRule": { "description": "Properties of a NAT rule.", "properties": { @@ -32120,7 +29921,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AzureFirewallNetworkRuleProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleProtocol" } ] }, @@ -32337,7 +30138,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AzureFirewallNetworkRuleProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallNetworkRuleProtocol" } ] }, @@ -32434,6 +30235,24 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:AzureFirewallNetworkRuleProtocol": { + "description": "The protocol of a Network Rule resource.", + "enum": [ + { + "value": "TCP" + }, + { + "value": "UDP" + }, + { + "value": "Any" + }, + { + "value": "ICMP" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:AzureFirewallNetworkRuleResponse": { "description": "Properties of the network rule.", "properties": { @@ -32527,7 +30346,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AzureFirewallRCActionType" + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallRCActionType" } ] } @@ -32544,6 +30363,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:AzureFirewallRCActionType": { + "description": "The type of action.", + "enum": [ + { + "value": "Allow" + }, + { + "value": "Deny" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:AzureFirewallSku": { "description": "SKU of an Azure Firewall.", "properties": { @@ -32554,7 +30385,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AzureFirewallSkuName" + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSkuName" } ] }, @@ -32565,13 +30396,25 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AzureFirewallSkuTier" + "$ref": "#/types/azure-native_network_v20230201:network:AzureFirewallSkuTier" } ] } }, "type": "object" }, + "azure-native_network_v20230201:network:AzureFirewallSkuName": { + "description": "Name of an Azure Firewall SKU.", + "enum": [ + { + "value": "AZFW_VNet" + }, + { + "value": "AZFW_Hub" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:AzureFirewallSkuResponse": { "description": "SKU of an Azure Firewall.", "properties": { @@ -32586,6 +30429,36 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:AzureFirewallSkuTier": { + "description": "Tier of an Azure Firewall.", + "enum": [ + { + "value": "Standard" + }, + { + "value": "Premium" + }, + { + "value": "Basic" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:AzureFirewallThreatIntelMode": { + "description": "The operation mode for Threat Intelligence.", + "enum": [ + { + "value": "Alert" + }, + { + "value": "Deny" + }, + { + "value": "Off" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:BackendAddressPool": { "description": "Pool of backend IP addresses.", "properties": { @@ -32812,7 +30685,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPAllocationMethod" + "$ref": "#/types/azure-native_network_v20230201:network:IPAllocationMethod" } ] }, @@ -32880,6 +30753,18 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:BastionHostSkuName": { + "description": "The name of this Bastion Host.", + "enum": [ + { + "value": "Basic" + }, + { + "value": "Standard" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:BastionShareableLink": { "description": "Bastion Shareable Link.", "properties": { @@ -33059,6 +30944,36 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:CommissionedState": { + "description": "The commissioned state of the Custom IP Prefix.", + "enum": [ + { + "value": "Provisioning" + }, + { + "value": "Provisioned" + }, + { + "value": "Commissioning" + }, + { + "value": "CommissionedNoInternetAdvertise" + }, + { + "value": "Commissioned" + }, + { + "value": "Decommissioning" + }, + { + "value": "Deprovisioning" + }, + { + "value": "Deprovisioned" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ConfigurationGroupResponse": { "description": "The network configuration group resource", "properties": { @@ -33085,6 +31000,18 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ConfigurationType": { + "description": "Configuration Deployment Type.", + "enum": [ + { + "value": "SecurityAdmin" + }, + { + "value": "Connectivity" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ConnectionMonitorDestination": { "description": "Describes the destination of connection monitor.", "properties": { @@ -33135,7 +31062,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:CoverageLevel" + "$ref": "#/types/azure-native_network_v20230201:network:CoverageLevel" } ] }, @@ -33164,7 +31091,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:EndpointType" + "$ref": "#/types/azure-native_network_v20230201:network:EndpointType" } ] } @@ -33192,7 +31119,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ConnectionMonitorEndpointFilterType" + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterType" } ] } @@ -33213,7 +31140,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ConnectionMonitorEndpointFilterItemType" + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterItemType" } ] } @@ -33234,6 +31161,15 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterItemType": { + "description": "The type of item included in the filter. Currently only 'AgentAddress' is supported.", + "enum": [ + { + "value": "AgentAddress" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterResponse": { "description": "Describes the connection monitor endpoint filter.", "properties": { @@ -33252,6 +31188,15 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ConnectionMonitorEndpointFilterType": { + "description": "The behavior of the endpoint filter. Currently only 'Include' is supported.", + "enum": [ + { + "value": "Include" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ConnectionMonitorEndpointResponse": { "description": "Describes the connection monitor endpoint.", "properties": { @@ -33365,7 +31310,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:HTTPConfigurationMethod" + "$ref": "#/types/azure-native_network_v20230201:network:HTTPConfigurationMethod" } ] }, @@ -33466,7 +31411,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:OutputType" + "$ref": "#/types/azure-native_network_v20230201:network:OutputType" } ] }, @@ -33565,7 +31510,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:DestinationPortBehavior" + "$ref": "#/types/azure-native_network_v20230201:network:DestinationPortBehavior" } ] }, @@ -33622,7 +31567,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:PreferredIPVersion" + "$ref": "#/types/azure-native_network_v20230201:network:PreferredIPVersion" } ] }, @@ -33633,7 +31578,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ConnectionMonitorTestConfigurationProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationProtocol" } ] }, @@ -33658,6 +31603,21 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationProtocol": { + "description": "The protocol to use in test evaluation.", + "enum": [ + { + "value": "Tcp" + }, + { + "value": "Http" + }, + { + "value": "Icmp" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ConnectionMonitorTestConfigurationResponse": { "description": "Describes a connection monitor test configuration.", "properties": { @@ -33816,7 +31776,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:GroupConnectivity" + "$ref": "#/types/azure-native_network_v20230201:network:GroupConnectivity" } ] }, @@ -33827,7 +31787,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IsGlobal" + "$ref": "#/types/azure-native_network_v20230201:network:IsGlobal" } ] }, @@ -33842,7 +31802,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:UseHubGateway" + "$ref": "#/types/azure-native_network_v20230201:network:UseHubGateway" } ] } @@ -33879,6 +31839,18 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ConnectivityTopology": { + "description": "Connectivity topology type.", + "enum": [ + { + "value": "HubAndSpoke" + }, + { + "value": "Mesh" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ContainerNetworkInterfaceConfiguration": { "description": "Container network interface configuration child resource.", "properties": { @@ -34044,6 +32016,30 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:CoverageLevel": { + "description": "Test coverage for the endpoint.", + "enum": [ + { + "value": "Default" + }, + { + "value": "Low" + }, + { + "value": "BelowAverage" + }, + { + "value": "Average" + }, + { + "value": "AboveAverage" + }, + { + "value": "Full" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:Criterion": { "description": "A matching criteria which matches routes based on route prefix, community, and AS path.", "properties": { @@ -34068,7 +32064,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:RouteMapMatchCondition" + "$ref": "#/types/azure-native_network_v20230201:network:RouteMapMatchCondition" } ] }, @@ -34176,6 +32172,21 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:CustomIpPrefixType": { + "description": "Type of custom IP prefix. Should be Singular, Parent, or Child.", + "enum": [ + { + "value": "Singular" + }, + { + "value": "Parent" + }, + { + "value": "Child" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:DdosSettings": { "description": "Contains the DDoS protection settings of the public IP.", "properties": { @@ -34191,13 +32202,28 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:DdosSettingsProtectionMode" + "$ref": "#/types/azure-native_network_v20230201:network:DdosSettingsProtectionMode" } ] } }, "type": "object" }, + "azure-native_network_v20230201:network:DdosSettingsProtectionMode": { + "description": "The DDoS protection mode of the public IP", + "enum": [ + { + "value": "VirtualNetworkInherited" + }, + { + "value": "Enabled" + }, + { + "value": "Disabled" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:DdosSettingsResponse": { "description": "Contains the DDoS protection settings of the public IP.", "properties": { @@ -34304,6 +32330,42 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:DeleteExistingPeering": { + "description": "Flag if need to remove current existing peerings.", + "enum": [ + { + "value": "False" + }, + { + "value": "True" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:DeleteOptions": { + "description": "Specify what happens to the public IP address when the VM using it is deleted", + "enum": [ + { + "value": "Delete" + }, + { + "value": "Detach" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:DestinationPortBehavior": { + "description": "Destination port behavior.", + "enum": [ + { + "value": "None" + }, + { + "value": "ListenIfAvailable" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:DeviceProperties": { "description": "List of properties of the device.", "properties": { @@ -34340,6 +32402,36 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:DhGroup": { + "description": "The DH Group used in IKE Phase 1 for initial SA.", + "enum": [ + { + "value": "None" + }, + { + "value": "DHGroup1" + }, + { + "value": "DHGroup2" + }, + { + "value": "DHGroup14" + }, + { + "value": "DHGroup2048" + }, + { + "value": "ECP256" + }, + { + "value": "ECP384" + }, + { + "value": "DHGroup24" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:DhcpOptions": { "description": "DhcpOptions contains an array of DNS servers available to VMs deployed in the virtual network. Standard DHCP option for a subnet overrides VNET DHCP options.", "properties": { @@ -34693,6 +32785,36 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:EndpointType": { + "description": "The endpoint type.", + "enum": [ + { + "value": "AzureVM" + }, + { + "value": "AzureVNet" + }, + { + "value": "AzureSubnet" + }, + { + "value": "ExternalAddress" + }, + { + "value": "MMAWorkspaceMachine" + }, + { + "value": "MMAWorkspaceNetwork" + }, + { + "value": "AzureArcVM" + }, + { + "value": "AzureVMSS" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ExclusionManagedRule": { "description": "Defines a managed rule to use for exclusion.", "properties": { @@ -34887,7 +33009,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AuthorizationUseStatus" + "$ref": "#/types/azure-native_network_v20230201:network:AuthorizationUseStatus" } ] }, @@ -35085,7 +33207,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRoutePeeringType" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRoutePeeringType" } ] }, @@ -35121,7 +33243,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRoutePeeringState" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRoutePeeringState" } ] }, @@ -35350,6 +33472,18 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ExpressRouteCircuitPeeringState": { + "description": "The state of peering.", + "enum": [ + { + "value": "Disabled" + }, + { + "value": "Enabled" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ExpressRouteCircuitServiceProviderProperties": { "description": "Contains ServiceProviderProperties in an ExpressRouteCircuit.", "properties": { @@ -35396,7 +33530,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRouteCircuitSkuFamily" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSkuFamily" } ] }, @@ -35411,13 +33545,25 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRouteCircuitSkuTier" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitSkuTier" } ] } }, "type": "object" }, + "azure-native_network_v20230201:network:ExpressRouteCircuitSkuFamily": { + "description": "The family of the SKU.", + "enum": [ + { + "value": "UnlimitedData" + }, + { + "value": "MeteredData" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ExpressRouteCircuitSkuResponse": { "description": "Contains SKU in an ExpressRouteCircuit.", "properties": { @@ -35436,6 +33582,24 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ExpressRouteCircuitSkuTier": { + "description": "The tier of the SKU.", + "enum": [ + { + "value": "Standard" + }, + { + "value": "Premium" + }, + { + "value": "Basic" + }, + { + "value": "Local" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ExpressRouteCircuitStats": { "description": "Contains stats associated with the peering.", "properties": { @@ -35654,7 +33818,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRouteLinkAdminState" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkAdminState" } ] }, @@ -35674,6 +33838,36 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ExpressRouteLinkAdminState": { + "description": "Administrative state of the physical port.", + "enum": [ + { + "value": "Enabled" + }, + { + "value": "Disabled" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:ExpressRouteLinkMacSecCipher": { + "description": "Mac security cipher.", + "enum": [ + { + "value": "GcmAes256" + }, + { + "value": "GcmAes128" + }, + { + "value": "GcmAesXpn128" + }, + { + "value": "GcmAesXpn256" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ExpressRouteLinkMacSecConfig": { "description": "ExpressRouteLink Mac Security Configuration.", "properties": { @@ -35688,7 +33882,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRouteLinkMacSecCipher" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkMacSecCipher" } ] }, @@ -35703,7 +33897,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRouteLinkMacSecSciState" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteLinkMacSecSciState" } ] } @@ -35732,6 +33926,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ExpressRouteLinkMacSecSciState": { + "description": "Sci mode enabled/disabled.", + "enum": [ + { + "value": "Disabled" + }, + { + "value": "Enabled" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ExpressRouteLinkResponse": { "description": "ExpressRouteLink child resource definition.", "properties": { @@ -35797,6 +34003,57 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ExpressRoutePeeringState": { + "description": "The peering state.", + "enum": [ + { + "value": "Disabled" + }, + { + "value": "Enabled" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:ExpressRoutePeeringType": { + "description": "The peering type.", + "enum": [ + { + "value": "AzurePublicPeering" + }, + { + "value": "AzurePrivatePeering" + }, + { + "value": "MicrosoftPeering" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:ExpressRoutePortsBillingType": { + "description": "The billing type of the ExpressRoutePort resource.", + "enum": [ + { + "value": "MeteredData" + }, + { + "value": "UnlimitedData" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:ExpressRoutePortsEncapsulation": { + "description": "Encapsulation method on physical ports.", + "enum": [ + { + "value": "Dot1Q" + }, + { + "value": "QinQ" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ExtendedLocation": { "description": "ExtendedLocation complex type.", "properties": { @@ -35811,7 +34068,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExtendedLocationTypes" + "$ref": "#/types/azure-native_network_v20230201:network:ExtendedLocationTypes" } ] } @@ -35832,6 +34089,15 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ExtendedLocationTypes": { + "description": "The type of the extended location.", + "enum": [ + { + "value": "EdgeZone" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:FilterItems": { "description": "Will contain the filter name and values to operate on", "properties": { @@ -35942,7 +34208,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:FirewallPolicyFilterRuleCollectionActionType" + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionActionType" } ] } @@ -35959,6 +34225,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionActionType": { + "description": "The type of action.", + "enum": [ + { + "value": "Allow" + }, + { + "value": "Deny" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:FirewallPolicyFilterRuleCollectionResponse": { "description": "Firewall Policy Filter Rule Collection.", "properties": { @@ -36042,6 +34320,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:FirewallPolicyIDPSQuerySortOrder": { + "description": "Describes if results should be in ascending/descending order", + "enum": [ + { + "value": "Ascending" + }, + { + "value": "Descending" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:FirewallPolicyInsights": { "description": "Firewall Policy Insights.", "properties": { @@ -36095,7 +34385,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:FirewallPolicyIntrusionDetectionStateType" + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionStateType" } ] } @@ -36141,7 +34431,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:FirewallPolicyIntrusionDetectionProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionProtocol" } ] }, @@ -36273,6 +34563,24 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionProtocol": { + "description": "The rule bypass protocol.", + "enum": [ + { + "value": "TCP" + }, + { + "value": "UDP" + }, + { + "value": "ICMP" + }, + { + "value": "ANY" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionResponse": { "description": "Configuration for intrusion detection mode and rules.", "properties": { @@ -36302,7 +34610,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:FirewallPolicyIntrusionDetectionStateType" + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionStateType" } ] } @@ -36323,6 +34631,21 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:FirewallPolicyIntrusionDetectionStateType": { + "description": "Intrusion detection general state.", + "enum": [ + { + "value": "Off" + }, + { + "value": "Alert" + }, + { + "value": "Deny" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:FirewallPolicyLogAnalyticsResources": { "description": "Log Analytics Resources for Firewall Policy Insights.", "properties": { @@ -36456,7 +34779,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:FirewallPolicyNatRuleCollectionActionType" + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionActionType" } ] } @@ -36473,6 +34796,15 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionActionType": { + "description": "The type of action.", + "enum": [ + { + "value": "DNAT" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:FirewallPolicyNatRuleCollectionResponse": { "description": "Firewall Policy NAT Rule Collection.", "properties": { @@ -36542,7 +34874,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:FirewallPolicyRuleApplicationProtocolType" + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyRuleApplicationProtocolType" } ] } @@ -36563,6 +34895,63 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:FirewallPolicyRuleApplicationProtocolType": { + "description": "Protocol type.", + "enum": [ + { + "value": "Http" + }, + { + "value": "Https" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:FirewallPolicyRuleCollectionType": { + "description": "The type of the rule collection.", + "enum": [ + { + "value": "FirewallPolicyNatRuleCollection" + }, + { + "value": "FirewallPolicyFilterRuleCollection" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:FirewallPolicyRuleNetworkProtocol": { + "description": "The Network protocol of a Rule.", + "enum": [ + { + "value": "TCP" + }, + { + "value": "UDP" + }, + { + "value": "Any" + }, + { + "value": "ICMP" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:FirewallPolicyRuleType": { + "description": "Rule Type.", + "enum": [ + { + "value": "ApplicationRule" + }, + { + "value": "NetworkRule" + }, + { + "value": "NatRule" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:FirewallPolicySNAT": { "description": "The private IP addresses/IP ranges to which traffic will not be SNAT.", "properties": { @@ -36573,7 +34962,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AutoLearnPrivateRangesMode" + "$ref": "#/types/azure-native_network_v20230201:network:AutoLearnPrivateRangesMode" } ] }, @@ -36634,7 +35023,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:FirewallPolicySkuTier" + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicySkuTier" } ] } @@ -36651,6 +35040,21 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:FirewallPolicySkuTier": { + "description": "Tier of Firewall Policy.", + "enum": [ + { + "value": "Standard" + }, + { + "value": "Premium" + }, + { + "value": "Basic" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:FirewallPolicyThreatIntelWhitelist": { "description": "ThreatIntel Whitelist for Firewall Policy.", "properties": { @@ -36723,7 +35127,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:FlowLogFormatType" + "$ref": "#/types/azure-native_network_v20230201:network:FlowLogFormatType" } ] }, @@ -36750,6 +35154,15 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:FlowLogFormatType": { + "description": "The file type of flow log.", + "enum": [ + { + "value": "JSON" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:FlowLogResponse": { "description": "A flow log resource.", "properties": { @@ -36854,7 +35267,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPVersion" + "$ref": "#/types/azure-native_network_v20230201:network:IPVersion" } ] }, @@ -36865,7 +35278,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPAllocationMethod" + "$ref": "#/types/azure-native_network_v20230201:network:IPAllocationMethod" } ] }, @@ -37054,7 +35467,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:GatewayLoadBalancerTunnelProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelProtocol" } ] }, @@ -37065,7 +35478,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:GatewayLoadBalancerTunnelInterfaceType" + "$ref": "#/types/azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceType" } ] } @@ -37094,6 +35507,36 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:GatewayLoadBalancerTunnelInterfaceType": { + "description": "Traffic type of gateway load balancer tunnel interface.", + "enum": [ + { + "value": "None" + }, + { + "value": "Internal" + }, + { + "value": "External" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:GatewayLoadBalancerTunnelProtocol": { + "description": "Protocol of gateway load balancer tunnel interface.", + "enum": [ + { + "value": "None" + }, + { + "value": "Native" + }, + { + "value": "VXLAN" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:GatewayRouteResponse": { "description": "Gateway routing details.", "properties": { @@ -37137,6 +35580,39 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:Geo": { + "description": "The Geo for CIDR advertising. Should be an Geo code.", + "enum": [ + { + "value": "GLOBAL" + }, + { + "value": "AFRI" + }, + { + "value": "APAC" + }, + { + "value": "EURO" + }, + { + "value": "LATAM" + }, + { + "value": "NAM" + }, + { + "value": "ME" + }, + { + "value": "OCEANIA" + }, + { + "value": "AQ" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:GroupByUserSession": { "description": "Define user session identifier group by clauses.", "properties": { @@ -37181,7 +35657,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayFirewallUserSessionVariable" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFirewallUserSessionVariable" } ] } @@ -37204,6 +35680,30 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:GroupConnectivity": { + "description": "Group connectivity type.", + "enum": [ + { + "value": "None" + }, + { + "value": "DirectlyConnected" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:HTTPConfigurationMethod": { + "description": "The HTTP method to use.", + "enum": [ + { + "value": "Get" + }, + { + "value": "Post" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:HTTPHeader": { "description": "The HTTP header.", "properties": { @@ -37398,6 +35898,33 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:HubRoutingPreference": { + "description": "The hubRoutingPreference of this VirtualHub.", + "enum": [ + { + "value": "ExpressRoute" + }, + { + "value": "VpnGateway" + }, + { + "value": "ASPath" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:IPAllocationMethod": { + "description": "The private IP address allocation method.", + "enum": [ + { + "value": "Static" + }, + { + "value": "Dynamic" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:IPConfigurationBgpPeeringAddress": { "description": "Properties of IPConfigurationBgpPeeringAddress.", "properties": { @@ -37550,6 +36077,69 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:IPVersion": { + "description": "Whether the specific IP configuration is IPv4 or IPv6. Default is IPv4.", + "enum": [ + { + "value": "IPv4" + }, + { + "value": "IPv6" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:IkeEncryption": { + "description": "The IKE encryption algorithm (IKE phase 2).", + "enum": [ + { + "value": "DES" + }, + { + "value": "DES3" + }, + { + "value": "AES128" + }, + { + "value": "AES192" + }, + { + "value": "AES256" + }, + { + "value": "GCMAES256" + }, + { + "value": "GCMAES128" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:IkeIntegrity": { + "description": "The IKE integrity algorithm (IKE phase 2).", + "enum": [ + { + "value": "MD5" + }, + { + "value": "SHA1" + }, + { + "value": "SHA256" + }, + { + "value": "SHA384" + }, + { + "value": "GCMAES256" + }, + { + "value": "GCMAES128" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:InboundNatPool": { "description": "Inbound NAT pool of the load balancer.", "properties": { @@ -37597,7 +36187,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:TransportProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:TransportProtocol" } ] } @@ -37734,7 +36324,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:TransportProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:TransportProtocol" } ] } @@ -37820,6 +36410,18 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:IpAllocationType": { + "description": "The type for the IpAllocation.", + "enum": [ + { + "value": "Undefined" + }, + { + "value": "Hypernet" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:IpTag": { "description": "Contains the IpTag associated with the object.", "properties": { @@ -37848,6 +36450,63 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:IpsecEncryption": { + "description": "The IPSec encryption algorithm (IKE phase 1).", + "enum": [ + { + "value": "None" + }, + { + "value": "DES" + }, + { + "value": "DES3" + }, + { + "value": "AES128" + }, + { + "value": "AES192" + }, + { + "value": "AES256" + }, + { + "value": "GCMAES128" + }, + { + "value": "GCMAES192" + }, + { + "value": "GCMAES256" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:IpsecIntegrity": { + "description": "The IPSec integrity algorithm (IKE phase 1).", + "enum": [ + { + "value": "MD5" + }, + { + "value": "SHA1" + }, + { + "value": "SHA256" + }, + { + "value": "GCMAES128" + }, + { + "value": "GCMAES192" + }, + { + "value": "GCMAES256" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:IpsecPolicy": { "description": "An IPSec Policy configuration for a virtual network gateway connection.", "properties": { @@ -37858,7 +36517,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:DhGroup" + "$ref": "#/types/azure-native_network_v20230201:network:DhGroup" } ] }, @@ -37869,7 +36528,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IkeEncryption" + "$ref": "#/types/azure-native_network_v20230201:network:IkeEncryption" } ] }, @@ -37880,7 +36539,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IkeIntegrity" + "$ref": "#/types/azure-native_network_v20230201:network:IkeIntegrity" } ] }, @@ -37891,7 +36550,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IpsecEncryption" + "$ref": "#/types/azure-native_network_v20230201:network:IpsecEncryption" } ] }, @@ -37902,7 +36561,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IpsecIntegrity" + "$ref": "#/types/azure-native_network_v20230201:network:IpsecIntegrity" } ] }, @@ -37913,7 +36572,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:PfsGroup" + "$ref": "#/types/azure-native_network_v20230201:network:PfsGroup" } ] }, @@ -38041,7 +36700,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ExpressRouteCircuitPeeringState" + "$ref": "#/types/azure-native_network_v20230201:network:ExpressRouteCircuitPeeringState" } ] } @@ -38076,6 +36735,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:IsGlobal": { + "description": "Flag if global mesh is supported.", + "enum": [ + { + "value": "False" + }, + { + "value": "True" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:LoadBalancerBackendAddress": { "description": "Load balancer backend addresses.", "properties": { @@ -38086,7 +36757,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:LoadBalancerBackendAddressAdminState" + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerBackendAddressAdminState" } ] }, @@ -38116,6 +36787,21 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:LoadBalancerBackendAddressAdminState": { + "description": "A list of administrative states which once set can override health probe so that Load Balancer will always forward new connections to backend, or deny new connections and reset existing connections.", + "enum": [ + { + "value": "None" + }, + { + "value": "Up" + }, + { + "value": "Down" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:LoadBalancerBackendAddressResponse": { "description": "Load balancer backend addresses.", "properties": { @@ -38166,6 +36852,21 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:LoadBalancerOutboundRuleProtocol": { + "description": "The protocol for the outbound rule in load balancer.", + "enum": [ + { + "value": "Tcp" + }, + { + "value": "Udp" + }, + { + "value": "All" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:LoadBalancerSku": { "description": "SKU of a load balancer.", "properties": { @@ -38176,7 +36877,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:LoadBalancerSkuName" + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSkuName" } ] }, @@ -38187,13 +36888,28 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:LoadBalancerSkuTier" + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerSkuTier" } ] } }, "type": "object" }, + "azure-native_network_v20230201:network:LoadBalancerSkuName": { + "description": "Name of a load balancer SKU.", + "enum": [ + { + "value": "Basic" + }, + { + "value": "Standard" + }, + { + "value": "Gateway" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:LoadBalancerSkuResponse": { "description": "SKU of a load balancer.", "properties": { @@ -38208,6 +36924,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:LoadBalancerSkuTier": { + "description": "Tier of a load balancer SKU.", + "enum": [ + { + "value": "Regional" + }, + { + "value": "Global" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:LoadBalancingRule": { "description": "A load balancing rule for a load balancer.", "properties": { @@ -38264,7 +36992,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:LoadDistribution" + "$ref": "#/types/azure-native_network_v20230201:network:LoadDistribution" } ] }, @@ -38284,7 +37012,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:TransportProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:TransportProtocol" } ] } @@ -38383,6 +37111,21 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:LoadDistribution": { + "description": "The load distribution policy for this rule.", + "enum": [ + { + "value": "Default" + }, + { + "value": "SourceIP" + }, + { + "value": "SourceIPProtocol" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:LocalNetworkGateway": { "description": "A common class for general resource information.", "properties": { @@ -38488,6 +37231,18 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ManagedRuleEnabledState": { + "description": "The state of the managed rule. Defaults to Disabled if not specified.", + "enum": [ + { + "value": "Disabled" + }, + { + "value": "Enabled" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ManagedRuleGroupOverride": { "description": "Defines a managed rule group override setting.", "properties": { @@ -38540,7 +37295,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ActionType" + "$ref": "#/types/azure-native_network_v20230201:network:ActionType" } ] }, @@ -38555,7 +37310,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ManagedRuleEnabledState" + "$ref": "#/types/azure-native_network_v20230201:network:ManagedRuleEnabledState" } ] } @@ -38692,7 +37447,7 @@ "description": "Identity for the resource.", "properties": { "type": { - "$ref": "#/types/azure-native:network:ResourceIdentityType", + "$ref": "#/types/azure-native_network_v20230201:network:ResourceIdentityType", "description": "The type of identity used for the resource. The type 'SystemAssigned, UserAssigned' includes both an implicitly created identity and a set of user assigned identities. The type 'None' will remove any identities from the virtual machine." }, "userAssignedIdentities": { @@ -38781,7 +37536,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:WebApplicationFirewallOperator" + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallOperator" } ] }, @@ -38793,7 +37548,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:WebApplicationFirewallTransform" + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallTransform" } ] }, @@ -38862,7 +37617,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:WebApplicationFirewallMatchVariable" + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallMatchVariable" } ] } @@ -39041,13 +37796,22 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:NatGatewaySkuName" + "$ref": "#/types/azure-native_network_v20230201:network:NatGatewaySkuName" } ] } }, "type": "object" }, + "azure-native_network_v20230201:network:NatGatewaySkuName": { + "description": "Name of Nat Gateway SKU.", + "enum": [ + { + "value": "Standard" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:NatGatewaySkuResponse": { "description": "SKU of nat gateway.", "properties": { @@ -39087,7 +37851,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:FirewallPolicyRuleNetworkProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyRuleNetworkProtocol" } ] }, @@ -39221,6 +37985,60 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:NetworkIntentPolicyBasedService": { + "description": "Network intent policy based services.", + "enum": [ + { + "value": "None" + }, + { + "value": "All" + }, + { + "value": "AllowRulesOnly" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:NetworkInterfaceAuxiliaryMode": { + "description": "Auxiliary mode of Network Interface resource.", + "enum": [ + { + "value": "None" + }, + { + "value": "MaxConnections" + }, + { + "value": "Floating" + }, + { + "value": "AcceleratedConnections" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:NetworkInterfaceAuxiliarySku": { + "description": "Auxiliary sku of Network Interface resource.", + "enum": [ + { + "value": "None" + }, + { + "value": "A1" + }, + { + "value": "A2" + }, + { + "value": "A4" + }, + { + "value": "A8" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:NetworkInterfaceDnsSettings": { "description": "DNS settings of a network interface.", "properties": { @@ -39338,7 +38156,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPVersion" + "$ref": "#/types/azure-native_network_v20230201:network:IPVersion" } ] }, @@ -39349,7 +38167,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPAllocationMethod" + "$ref": "#/types/azure-native_network_v20230201:network:IPAllocationMethod" } ] }, @@ -39511,6 +38329,39 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:NetworkInterfaceMigrationPhase": { + "description": "Migration phase of Network Interface resource.", + "enum": [ + { + "value": "None" + }, + { + "value": "Prepare" + }, + { + "value": "Commit" + }, + { + "value": "Abort" + }, + { + "value": "Committed" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:NetworkInterfaceNicType": { + "description": "Type of Network Interface resource.", + "enum": [ + { + "value": "Standard" + }, + { + "value": "Elastic" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:NetworkInterfaceResponse": { "description": "A network interface in a resource group.", "properties": { @@ -39858,7 +38709,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:FirewallPolicyRuleNetworkProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyRuleNetworkProtocol" } ] }, @@ -40168,6 +39019,21 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:NextStep": { + "description": "Next step after rule is evaluated. Current supported behaviors are 'Continue'(to next rule) and 'Terminate'.", + "enum": [ + { + "value": "Unknown" + }, + { + "value": "Continue" + }, + { + "value": "Terminate" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:O365BreakOutCategoryPolicies": { "description": "Office365 breakout categories.", "properties": { @@ -40262,7 +39128,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:FirewallPolicyIDPSQuerySortOrder" + "$ref": "#/types/azure-native_network_v20230201:network:FirewallPolicyIDPSQuerySortOrder" } ] } @@ -40312,7 +39178,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:LoadBalancerOutboundRuleProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:LoadBalancerOutboundRuleProtocol" } ] } @@ -40387,6 +39253,15 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:OutputType": { + "description": "Connection monitor output destination type. Currently, only \"Workspace\" is supported.", + "enum": [ + { + "value": "Workspace" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:OwaspCrsExclusionEntry": { "description": "Allow to exclude some variable satisfy the condition for the WAF check.", "properties": { @@ -40405,7 +39280,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:OwaspCrsExclusionEntryMatchVariable" + "$ref": "#/types/azure-native_network_v20230201:network:OwaspCrsExclusionEntryMatchVariable" } ] }, @@ -40420,7 +39295,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:OwaspCrsExclusionEntrySelectorMatchOperator" + "$ref": "#/types/azure-native_network_v20230201:network:OwaspCrsExclusionEntrySelectorMatchOperator" } ] } @@ -40432,6 +39307,39 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:OwaspCrsExclusionEntryMatchVariable": { + "description": "The variable to be excluded.", + "enum": [ + { + "value": "RequestHeaderNames" + }, + { + "value": "RequestCookieNames" + }, + { + "value": "RequestArgNames" + }, + { + "value": "RequestHeaderKeys" + }, + { + "value": "RequestHeaderValues" + }, + { + "value": "RequestCookieKeys" + }, + { + "value": "RequestCookieValues" + }, + { + "value": "RequestArgKeys" + }, + { + "value": "RequestArgValues" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:OwaspCrsExclusionEntryResponse": { "description": "Allow to exclude some variable satisfy the condition for the WAF check.", "properties": { @@ -40463,6 +39371,27 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:OwaspCrsExclusionEntrySelectorMatchOperator": { + "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this exclusion applies to.", + "enum": [ + { + "value": "Equals" + }, + { + "value": "Contains" + }, + { + "value": "StartsWith" + }, + { + "value": "EndsWith" + }, + { + "value": "EqualsAny" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:P2SConnectionConfiguration": { "description": "P2SConnectionConfiguration Resource.", "properties": { @@ -40651,7 +39580,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:PcProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:PcProtocol" } ] }, @@ -40769,6 +39698,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:PacketCaptureTargetType": { + "description": "Target type of the resource provided.", + "enum": [ + { + "value": "AzureVM" + }, + { + "value": "AzureVMSS" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:Parameter": { "description": "Parameters for an Action.", "properties": { @@ -40846,6 +39787,21 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:PcProtocol": { + "description": "Protocol to be filtered on.", + "enum": [ + { + "value": "TCP" + }, + { + "value": "UDP" + }, + { + "value": "Any" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:PeerExpressRouteCircuitConnectionResponse": { "description": "Peer Express Route Circuit Connection in an ExpressRouteCircuitPeering resource.", "properties": { @@ -40904,6 +39860,39 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:PfsGroup": { + "description": "The Pfs Group used in IKE Phase 2 for new child SA.", + "enum": [ + { + "value": "None" + }, + { + "value": "PFS1" + }, + { + "value": "PFS2" + }, + { + "value": "PFS2048" + }, + { + "value": "ECP256" + }, + { + "value": "ECP384" + }, + { + "value": "PFS24" + }, + { + "value": "PFS14" + }, + { + "value": "PFSMM" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:PolicySettings": { "description": "Defines contents of a web application firewall global configuration.", "properties": { @@ -40940,7 +39929,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:WebApplicationFirewallMode" + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallMode" } ] }, @@ -40964,7 +39953,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:WebApplicationFirewallEnabledState" + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallEnabledState" } ] } @@ -40989,7 +39978,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:WebApplicationFirewallScrubbingState" + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallScrubbingState" } ] } @@ -41067,6 +40056,33 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:PreferredIPVersion": { + "description": "The preferred IP version to use in test evaluation. The connection monitor may choose to use a different version depending on other parameters.", + "enum": [ + { + "value": "IPv4" + }, + { + "value": "IPv6" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:PreferredRoutingGateway": { + "description": "The preferred gateway to route on-prem traffic", + "enum": [ + { + "value": "ExpressRoute" + }, + { + "value": "VpnGateway" + }, + { + "value": "None" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:PrivateDnsZoneConfig": { "description": "PrivateDnsZoneConfig resource.", "properties": { @@ -41530,7 +40546,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPVersion" + "$ref": "#/types/azure-native_network_v20230201:network:IPVersion" } ] }, @@ -41541,7 +40557,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPAllocationMethod" + "$ref": "#/types/azure-native_network_v20230201:network:IPAllocationMethod" } ] }, @@ -41799,7 +40815,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ProbeProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:ProbeProtocol" } ] }, @@ -41814,6 +40830,21 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ProbeProtocol": { + "description": "The protocol of the end point. If 'Tcp' is specified, a received ACK is required for the probe to be successful. If 'Http' or 'Https' is specified, a 200 OK response from the specifies URI is required for the probe to be successful.", + "enum": [ + { + "value": "Http" + }, + { + "value": "Tcp" + }, + { + "value": "Https" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ProbeResponse": { "description": "A load balancer probe.", "properties": { @@ -41964,6 +40995,39 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ProtocolType": { + "description": "RNM supported protocol types.", + "enum": [ + { + "value": "DoNotUse" + }, + { + "value": "Icmp" + }, + { + "value": "Tcp" + }, + { + "value": "Udp" + }, + { + "value": "Gre" + }, + { + "value": "Esp" + }, + { + "value": "Ah" + }, + { + "value": "Vxlan" + }, + { + "value": "All" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:PublicIPAddress": { "description": "Public IP address resource.", "properties": { @@ -41979,7 +41043,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:DeleteOptions" + "$ref": "#/types/azure-native_network_v20230201:network:DeleteOptions" } ] }, @@ -42029,7 +41093,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:PublicIPAddressMigrationPhase" + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressMigrationPhase" } ] }, @@ -42045,7 +41109,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPVersion" + "$ref": "#/types/azure-native_network_v20230201:network:IPVersion" } ] }, @@ -42056,7 +41120,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPAllocationMethod" + "$ref": "#/types/azure-native_network_v20230201:network:IPAllocationMethod" } ] }, @@ -42100,7 +41164,7 @@ "type": "string" }, "domainNameLabelScope": { - "$ref": "#/types/azure-native:network:PublicIpAddressDnsSettingsDomainNameLabelScope", + "$ref": "#/types/azure-native_network_v20230201:network:PublicIpAddressDnsSettingsDomainNameLabelScope", "description": "The domain name label scope. If a domain name label and a domain name label scope are specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system with a hashed value includes in FQDN." }, "fqdn": { @@ -42136,6 +41200,27 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:PublicIPAddressMigrationPhase": { + "description": "Migration phase of Public IP Address.", + "enum": [ + { + "value": "None" + }, + { + "value": "Prepare" + }, + { + "value": "Commit" + }, + { + "value": "Abort" + }, + { + "value": "Committed" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:PublicIPAddressResponse": { "description": "Public IP address resource.", "properties": { @@ -42279,7 +41364,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:PublicIPAddressSkuName" + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuName" } ] }, @@ -42290,13 +41375,25 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:PublicIPAddressSkuTier" + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPAddressSkuTier" } ] } }, "type": "object" }, + "azure-native_network_v20230201:network:PublicIPAddressSkuName": { + "description": "Name of a public IP address SKU.", + "enum": [ + { + "value": "Basic" + }, + { + "value": "Standard" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:PublicIPAddressSkuResponse": { "description": "SKU of a public IP address.", "properties": { @@ -42311,6 +41408,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:PublicIPAddressSkuTier": { + "description": "Tier of a public IP address SKU.", + "enum": [ + { + "value": "Regional" + }, + { + "value": "Global" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:PublicIPPrefixSku": { "description": "SKU of a public IP prefix.", "properties": { @@ -42321,7 +41430,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:PublicIPPrefixSkuName" + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSkuName" } ] }, @@ -42332,13 +41441,22 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:PublicIPPrefixSkuTier" + "$ref": "#/types/azure-native_network_v20230201:network:PublicIPPrefixSkuTier" } ] } }, "type": "object" }, + "azure-native_network_v20230201:network:PublicIPPrefixSkuName": { + "description": "Name of a public IP prefix SKU.", + "enum": [ + { + "value": "Standard" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:PublicIPPrefixSkuResponse": { "description": "SKU of a public IP prefix.", "properties": { @@ -42353,6 +41471,36 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:PublicIPPrefixSkuTier": { + "description": "Tier of a public IP prefix SKU.", + "enum": [ + { + "value": "Regional" + }, + { + "value": "Global" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:PublicIpAddressDnsSettingsDomainNameLabelScope": { + "description": "The domain name label scope. If a domain name label and a domain name label scope are specified, an A DNS record is created for the public IP in the Microsoft Azure DNS system with a hashed value includes in FQDN.", + "enum": [ + { + "value": "TenantReuse" + }, + { + "value": "SubscriptionReuse" + }, + { + "value": "ResourceGroupReuse" + }, + { + "value": "NoReuse" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:QosDefinition": { "description": "Quality of Service defines the traffic configuration between endpoints. Mandatory to have one marking.", "properties": { @@ -42386,7 +41534,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ProtocolType" + "$ref": "#/types/azure-native_network_v20230201:network:ProtocolType" } ] }, @@ -42602,6 +41750,24 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:ResourceIdentityType": { + "description": "The type of identity used for the resource. The type 'SystemAssigned, UserAssigned' includes both an implicitly created identity and a set of user assigned identities. The type 'None' will remove any identities from the virtual machine.", + "enum": [ + { + "value": "SystemAssigned" + }, + { + "value": "UserAssigned" + }, + { + "value": "SystemAssigned, UserAssigned" + }, + { + "value": "None" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:ResourceNavigationLinkResponse": { "description": "ResourceNavigationLink resource.", "properties": { @@ -42704,7 +41870,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:RouteNextHopType" + "$ref": "#/types/azure-native_network_v20230201:network:RouteNextHopType" } ] }, @@ -42728,7 +41894,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:Access" + "$ref": "#/types/azure-native_network_v20230201:network:Access" } ] }, @@ -42758,7 +41924,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:RouteFilterRuleType" + "$ref": "#/types/azure-native_network_v20230201:network:RouteFilterRuleType" } ] } @@ -42818,6 +41984,57 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:RouteFilterRuleType": { + "description": "The rule type of the rule.", + "enum": [ + { + "value": "Community" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:RouteMapActionType": { + "description": "Type of action to be taken. Supported types are 'Remove', 'Add', 'Replace', and 'Drop.'", + "enum": [ + { + "value": "Unknown" + }, + { + "value": "Remove" + }, + { + "value": "Add" + }, + { + "value": "Replace" + }, + { + "value": "Drop" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:RouteMapMatchCondition": { + "description": "Match condition to apply RouteMap rules.", + "enum": [ + { + "value": "Unknown" + }, + { + "value": "Contains" + }, + { + "value": "Equals" + }, + { + "value": "NotContains" + }, + { + "value": "NotEquals" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:RouteMapRule": { "description": "A RouteMap Rule.", "properties": { @@ -42848,7 +42065,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:NextStep" + "$ref": "#/types/azure-native_network_v20230201:network:NextStep" } ] } @@ -42885,6 +42102,27 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:RouteNextHopType": { + "description": "The type of Azure hop the packet should be sent to.", + "enum": [ + { + "value": "VirtualNetworkGateway" + }, + { + "value": "VnetLocal" + }, + { + "value": "Internet" + }, + { + "value": "VirtualAppliance" + }, + { + "value": "None" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:RouteResponse": { "description": "Route resource.", "properties": { @@ -43220,6 +42458,120 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ScrubbingRuleEntryMatchOperator": { + "description": "When matchVariable is a collection, operate on the selector to specify which elements in the collection this rule applies to.", + "enum": [ + { + "value": "Equals" + }, + { + "value": "EqualsAny" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:ScrubbingRuleEntryMatchVariable": { + "description": "The variable to be scrubbed from the logs.", + "enum": [ + { + "value": "RequestHeaderNames" + }, + { + "value": "RequestCookieNames" + }, + { + "value": "RequestArgNames" + }, + { + "value": "RequestPostArgNames" + }, + { + "value": "RequestJSONArgNames" + }, + { + "value": "RequestIPAddress" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:ScrubbingRuleEntryState": { + "description": "Defines the state of log scrubbing rule. Default value is Enabled.", + "enum": [ + { + "value": "Enabled" + }, + { + "value": "Disabled" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:SecurityConfigurationRuleAccess": { + "description": "Indicates the access allowed for this particular rule", + "enum": [ + { + "value": "Allow" + }, + { + "value": "Deny" + }, + { + "value": "AlwaysAllow" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:SecurityConfigurationRuleDirection": { + "description": "Indicates if the traffic matched against the rule in inbound or outbound.", + "enum": [ + { + "value": "Inbound" + }, + { + "value": "Outbound" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:SecurityConfigurationRuleProtocol": { + "description": "Network protocol this rule applies to.", + "enum": [ + { + "value": "Tcp" + }, + { + "value": "Udp" + }, + { + "value": "Icmp" + }, + { + "value": "Esp" + }, + { + "value": "Any" + }, + { + "value": "Ah" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:SecurityProviderName": { + "description": "The security provider name.", + "enum": [ + { + "value": "ZScaler" + }, + { + "value": "IBoss" + }, + { + "value": "Checkpoint" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:SecurityRule": { "description": "Network security rule.", "properties": { @@ -43230,7 +42582,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:SecurityRuleAccess" + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleAccess" } ] }, @@ -43275,7 +42627,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:SecurityRuleDirection" + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleDirection" } ] }, @@ -43298,7 +42650,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:SecurityRuleProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:SecurityRuleProtocol" } ] }, @@ -43345,6 +42697,54 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:SecurityRuleAccess": { + "description": "The network traffic is allowed or denied.", + "enum": [ + { + "value": "Allow" + }, + { + "value": "Deny" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:SecurityRuleDirection": { + "description": "The direction of the rule. The direction specifies if rule will be evaluated on incoming or outgoing traffic.", + "enum": [ + { + "value": "Inbound" + }, + { + "value": "Outbound" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:SecurityRuleProtocol": { + "description": "Network protocol this rule applies to.", + "enum": [ + { + "value": "Tcp" + }, + { + "value": "Udp" + }, + { + "value": "Icmp" + }, + { + "value": "Esp" + }, + { + "value": "*" + }, + { + "value": "Ah" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:SecurityRuleResponse": { "description": "Network security rule.", "properties": { @@ -43749,6 +43149,24 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:ServiceProviderProvisioningState": { + "description": "The ServiceProviderProvisioningState state of the resource.", + "enum": [ + { + "value": "NotProvisioned" + }, + { + "value": "Provisioning" + }, + { + "value": "Provisioned" + }, + { + "value": "Deprovisioning" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:SingleQueryResultResponse": { "properties": { "description": { @@ -43815,7 +43233,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:BastionHostSkuName" + "$ref": "#/types/azure-native_network_v20230201:network:BastionHostSkuName" } ] } @@ -43885,7 +43303,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VnetLocalRouteOverrideCriteria" + "$ref": "#/types/azure-native_network_v20230201:network:VnetLocalRouteOverrideCriteria" } ] } @@ -43993,7 +43411,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkPrivateEndpointNetworkPolicies" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPrivateEndpointNetworkPolicies" } ] }, @@ -44005,7 +43423,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkPrivateLinkServiceNetworkPolicies" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPrivateLinkServiceNetworkPolicies" } ] }, @@ -44345,6 +43763,21 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:TransportProtocol": { + "description": "The reference to the transport protocol used by the load balancing rule.", + "enum": [ + { + "value": "Udp" + }, + { + "value": "Tcp" + }, + { + "value": "All" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:TunnelConnectionHealthResponse": { "description": "VirtualNetworkGatewayConnection properties.", "properties": { @@ -44378,6 +43811,18 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:UseHubGateway": { + "description": "Flag if need to use hub gateway.", + "enum": [ + { + "value": "False" + }, + { + "value": "True" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VM": { "description": "Describes a Virtual Machine.", "properties": { @@ -44777,7 +44222,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkEncryptionEnforcement" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkEncryptionEnforcement" } ] } @@ -44787,6 +44232,18 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:VirtualNetworkEncryptionEnforcement": { + "description": "If the encrypted VNet allows VM that does not support encryption", + "enum": [ + { + "value": "DropUnencrypted" + }, + { + "value": "AllowUnencrypted" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VirtualNetworkEncryptionResponse": { "description": "Indicates if encryption is enabled on virtual network and if VM without encryption is allowed in encrypted VNet.", "properties": { @@ -44818,7 +44275,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:AdminState" + "$ref": "#/types/azure-native_network_v20230201:network:AdminState" } ] }, @@ -44877,7 +44334,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkGatewayType" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayType" } ] }, @@ -44941,7 +44398,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnGatewayGeneration" + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayGeneration" } ] }, @@ -44952,13 +44409,58 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnType" + "$ref": "#/types/azure-native_network_v20230201:network:VpnType" } ] } }, "type": "object" }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayConnectionMode": { + "description": "The connection mode for this connection.", + "enum": [ + { + "value": "Default" + }, + { + "value": "ResponderOnly" + }, + { + "value": "InitiatorOnly" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayConnectionProtocol": { + "description": "Connection protocol used for this connection.", + "enum": [ + { + "value": "IKEv2" + }, + { + "value": "IKEv1" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayConnectionType": { + "description": "Gateway connection type.", + "enum": [ + { + "value": "IPsec" + }, + { + "value": "Vnet2Vnet" + }, + { + "value": "ExpressRoute" + }, + { + "value": "VPNClient" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VirtualNetworkGatewayIPConfiguration": { "description": "IP configuration for virtual network gateway.", "properties": { @@ -44977,7 +44479,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:IPAllocationMethod" + "$ref": "#/types/azure-native_network_v20230201:network:IPAllocationMethod" } ] }, @@ -45073,7 +44575,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnNatRuleMode" + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMode" } ] }, @@ -45088,7 +44590,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnNatRuleType" + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleType" } ] } @@ -45195,7 +44697,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnPolicyMemberAttributeType" + "$ref": "#/types/azure-native_network_v20230201:network:VpnPolicyMemberAttributeType" } ] }, @@ -45451,7 +44953,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkGatewaySkuName" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuName" } ] }, @@ -45462,13 +44964,70 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkGatewaySkuTier" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewaySkuTier" } ] } }, "type": "object" }, + "azure-native_network_v20230201:network:VirtualNetworkGatewaySkuName": { + "description": "Gateway SKU name.", + "enum": [ + { + "value": "Basic" + }, + { + "value": "HighPerformance" + }, + { + "value": "Standard" + }, + { + "value": "UltraPerformance" + }, + { + "value": "VpnGw1" + }, + { + "value": "VpnGw2" + }, + { + "value": "VpnGw3" + }, + { + "value": "VpnGw4" + }, + { + "value": "VpnGw5" + }, + { + "value": "VpnGw1AZ" + }, + { + "value": "VpnGw2AZ" + }, + { + "value": "VpnGw3AZ" + }, + { + "value": "VpnGw4AZ" + }, + { + "value": "VpnGw5AZ" + }, + { + "value": "ErGw1AZ" + }, + { + "value": "ErGw2AZ" + }, + { + "value": "ErGw3AZ" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VirtualNetworkGatewaySkuResponse": { "description": "VirtualNetworkGatewaySku details.", "properties": { @@ -45490,6 +45049,78 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:VirtualNetworkGatewaySkuTier": { + "description": "Gateway SKU tier.", + "enum": [ + { + "value": "Basic" + }, + { + "value": "HighPerformance" + }, + { + "value": "Standard" + }, + { + "value": "UltraPerformance" + }, + { + "value": "VpnGw1" + }, + { + "value": "VpnGw2" + }, + { + "value": "VpnGw3" + }, + { + "value": "VpnGw4" + }, + { + "value": "VpnGw5" + }, + { + "value": "VpnGw1AZ" + }, + { + "value": "VpnGw2AZ" + }, + { + "value": "VpnGw3AZ" + }, + { + "value": "VpnGw4AZ" + }, + { + "value": "VpnGw5AZ" + }, + { + "value": "ErGw1AZ" + }, + { + "value": "ErGw2AZ" + }, + { + "value": "ErGw3AZ" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:VirtualNetworkGatewayType": { + "description": "The type of this virtual network gateway.", + "enum": [ + { + "value": "Vpn" + }, + { + "value": "ExpressRoute" + }, + { + "value": "LocalGateway" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VirtualNetworkPeering": { "description": "Peerings in a virtual network resource.", "properties": { @@ -45524,7 +45155,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkPeeringState" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringState" } ] }, @@ -45535,7 +45166,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkPeeringLevel" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkPeeringLevel" } ] }, @@ -45570,6 +45201,24 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:VirtualNetworkPeeringLevel": { + "description": "The peering sync status of the virtual network peering.", + "enum": [ + { + "value": "FullyInSync" + }, + { + "value": "RemoteNotInSync" + }, + { + "value": "LocalNotInSync" + }, + { + "value": "LocalAndRemoteNotInSync" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VirtualNetworkPeeringResponse": { "description": "Peerings in a virtual network resource.", "properties": { @@ -45659,6 +45308,45 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:VirtualNetworkPeeringState": { + "description": "The status of the virtual network peering.", + "enum": [ + { + "value": "Initiated" + }, + { + "value": "Connected" + }, + { + "value": "Disconnected" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:VirtualNetworkPrivateEndpointNetworkPolicies": { + "description": "Enable or Disable apply network policies on private end point in the subnet.", + "enum": [ + { + "value": "Enabled" + }, + { + "value": "Disabled" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:VirtualNetworkPrivateLinkServiceNetworkPolicies": { + "description": "Enable or Disable apply network policies on private link service in the subnet.", + "enum": [ + { + "value": "Enabled" + }, + { + "value": "Disabled" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VirtualNetworkTap": { "description": "Virtual Network Tap resource.", "properties": { @@ -45785,6 +45473,18 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:VnetLocalRouteOverrideCriteria": { + "description": "Parameter determining whether NVA in spoke vnet is bypassed for traffic with destination in spoke.", + "enum": [ + { + "value": "Contains" + }, + { + "value": "Equal" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VnetRoute": { "description": "List of routes that control routing from VirtualHub into a virtual network connection.", "properties": { @@ -45906,6 +45606,21 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:VpnAuthenticationType": { + "description": "VPN authentication types enabled for the VpnServerConfiguration.", + "enum": [ + { + "value": "Certificate" + }, + { + "value": "Radius" + }, + { + "value": "AAD" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VpnClientConfiguration": { "description": "VpnClientConfiguration for P2S client.", "properties": { @@ -45953,7 +45668,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnAuthenticationType" + "$ref": "#/types/azure-native_network_v20230201:network:VpnAuthenticationType" } ] }, @@ -45980,7 +45695,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnClientProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:VpnClientProtocol" } ] }, @@ -46187,6 +45902,21 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:VpnClientProtocol": { + "description": "VPN client protocol enabled for the virtual network gateway.", + "enum": [ + { + "value": "IkeV2" + }, + { + "value": "SSTP" + }, + { + "value": "OpenVPN" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VpnClientRevokedCertificate": { "description": "VPN client revoked certificate of virtual network gateway.", "properties": { @@ -46367,7 +46097,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayConnectionProtocol" } ] }, @@ -46497,6 +46227,21 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:VpnGatewayGeneration": { + "description": "The generation for this VirtualNetworkGateway. Must be None if gatewayType is not VPN.", + "enum": [ + { + "value": "None" + }, + { + "value": "Generation1" + }, + { + "value": "Generation2" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VpnGatewayIpConfigurationResponse": { "description": "IP Configuration of a VPN Gateway Resource.", "properties": { @@ -46549,7 +46294,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnNatRuleMode" + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleMode" } ] }, @@ -46564,7 +46309,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnNatRuleType" + "$ref": "#/types/azure-native_network_v20230201:network:VpnNatRuleType" } ] } @@ -46644,6 +46389,18 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:VpnGatewayTunnelingProtocol": { + "description": "VPN protocol enabled for the VpnServerConfiguration.", + "enum": [ + { + "value": "IkeV2" + }, + { + "value": "OpenVPN" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VpnLinkBgpSettings": { "description": "BGP settings details for a link.", "properties": { @@ -46672,6 +46429,21 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:VpnLinkConnectionMode": { + "description": "Vpn link connection mode.", + "enum": [ + { + "value": "Default" + }, + { + "value": "ResponderOnly" + }, + { + "value": "InitiatorOnly" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VpnLinkProviderProperties": { "description": "List of properties of a link provider.", "properties": { @@ -46728,6 +46500,45 @@ }, "type": "object" }, + "azure-native_network_v20230201:network:VpnNatRuleMode": { + "description": "The Source NAT direction of a VPN NAT.", + "enum": [ + { + "value": "EgressSnat" + }, + { + "value": "IngressSnat" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:VpnNatRuleType": { + "description": "The type of NAT rule for VPN NAT.", + "enum": [ + { + "value": "Static" + }, + { + "value": "Dynamic" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:VpnPolicyMemberAttributeType": { + "description": "The Vpn Policy member attribute type.", + "enum": [ + { + "value": "CertificateGroupId" + }, + { + "value": "AADGroupId" + }, + { + "value": "RadiusAzureGroupId" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:VpnServerConfigRadiusClientRootCertificate": { "description": "Properties of the Radius client root certificate of VpnServerConfiguration.", "properties": { @@ -46880,7 +46691,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnPolicyMemberAttributeType" + "$ref": "#/types/azure-native_network_v20230201:network:VpnPolicyMemberAttributeType" } ] }, @@ -47029,7 +46840,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnAuthenticationType" + "$ref": "#/types/azure-native_network_v20230201:network:VpnAuthenticationType" } ] }, @@ -47067,7 +46878,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnGatewayTunnelingProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:VpnGatewayTunnelingProtocol" } ] }, @@ -47292,7 +47103,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VirtualNetworkGatewayConnectionProtocol" + "$ref": "#/types/azure-native_network_v20230201:network:VirtualNetworkGatewayConnectionProtocol" } ] }, @@ -47311,7 +47122,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:VpnLinkConnectionMode" + "$ref": "#/types/azure-native_network_v20230201:network:VpnLinkConnectionMode" } ] }, @@ -47491,6 +47302,33 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:VpnType": { + "description": "The type of this virtual network gateway.", + "enum": [ + { + "value": "PolicyBased" + }, + { + "value": "RouteBased" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallAction": { + "description": "Type of Actions.", + "enum": [ + { + "value": "Allow" + }, + { + "value": "Block" + }, + { + "value": "Log" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:WebApplicationFirewallCustomRule": { "description": "Defines contents of a web application rule.", "properties": { @@ -47501,7 +47339,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:WebApplicationFirewallAction" + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallAction" } ] }, @@ -47536,7 +47374,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ApplicationGatewayFirewallRateLimitDuration" + "$ref": "#/types/azure-native_network_v20230201:network:ApplicationGatewayFirewallRateLimitDuration" } ] }, @@ -47551,7 +47389,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:WebApplicationFirewallRuleType" + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallRuleType" } ] }, @@ -47562,7 +47400,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:WebApplicationFirewallState" + "$ref": "#/types/azure-native_network_v20230201:network:WebApplicationFirewallState" } ] } @@ -47636,6 +47474,117 @@ ], "type": "object" }, + "azure-native_network_v20230201:network:WebApplicationFirewallEnabledState": { + "description": "The state of the policy.", + "enum": [ + { + "value": "Disabled" + }, + { + "value": "Enabled" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallMatchVariable": { + "description": "Match Variable.", + "enum": [ + { + "value": "RemoteAddr" + }, + { + "value": "RequestMethod" + }, + { + "value": "QueryString" + }, + { + "value": "PostArgs" + }, + { + "value": "RequestUri" + }, + { + "value": "RequestHeaders" + }, + { + "value": "RequestBody" + }, + { + "value": "RequestCookies" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallMode": { + "description": "The mode of the policy.", + "enum": [ + { + "value": "Prevention" + }, + { + "value": "Detection" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallOperator": { + "description": "The operator to be matched.", + "enum": [ + { + "value": "IPMatch" + }, + { + "value": "Equal" + }, + { + "value": "Contains" + }, + { + "value": "LessThan" + }, + { + "value": "GreaterThan" + }, + { + "value": "LessThanOrEqual" + }, + { + "value": "GreaterThanOrEqual" + }, + { + "value": "BeginsWith" + }, + { + "value": "EndsWith" + }, + { + "value": "Regex" + }, + { + "value": "GeoMatch" + }, + { + "value": "Any" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallRuleType": { + "description": "The rule type.", + "enum": [ + { + "value": "MatchRule" + }, + { + "value": "RateLimitRule" + }, + { + "value": "Invalid" + } + ], + "type": "string" + }, "azure-native_network_v20230201:network:WebApplicationFirewallScrubbingRules": { "description": "Allow certain variables to be scrubbed on WAF logs", "properties": { @@ -47646,7 +47595,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ScrubbingRuleEntryMatchVariable" + "$ref": "#/types/azure-native_network_v20230201:network:ScrubbingRuleEntryMatchVariable" } ] }, @@ -47661,7 +47610,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ScrubbingRuleEntryMatchOperator" + "$ref": "#/types/azure-native_network_v20230201:network:ScrubbingRuleEntryMatchOperator" } ] }, @@ -47672,7 +47621,7 @@ "type": "string" }, { - "$ref": "#/types/azure-native:network:ScrubbingRuleEntryState" + "$ref": "#/types/azure-native_network_v20230201:network:ScrubbingRuleEntryState" } ] } @@ -47708,6 +47657,57 @@ "selectorMatchOperator" ], "type": "object" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallScrubbingState": { + "description": "State of the log scrubbing config. Default value is Enabled.", + "enum": [ + { + "value": "Disabled" + }, + { + "value": "Enabled" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallState": { + "description": "Describes if the custom rule is in enabled or disabled state. Defaults to Enabled if not specified.", + "enum": [ + { + "value": "Disabled" + }, + { + "value": "Enabled" + } + ], + "type": "string" + }, + "azure-native_network_v20230201:network:WebApplicationFirewallTransform": { + "description": "Transforms applied before matching.", + "enum": [ + { + "value": "Uppercase" + }, + { + "value": "Lowercase" + }, + { + "value": "Trim" + }, + { + "value": "UrlDecode" + }, + { + "value": "UrlEncode" + }, + { + "value": "RemoveNulls" + }, + { + "value": "HtmlEntityDecode" + } + ], + "type": "string" } } } diff --git a/provider/pkg/gen/types.go b/provider/pkg/gen/types.go index 30c8256c3d3e..2d0aae174259 100644 --- a/provider/pkg/gen/types.go +++ b/provider/pkg/gen/types.go @@ -263,7 +263,7 @@ func (m *moduleGenerator) genEnumType(schema *spec.Schema, context *openapi.Refe } enumName = m.typeNameOverride(ToUpperCamel(enumName)) - tok := fmt.Sprintf("%s:%s:%s", m.pkg.Name, m.module, enumName) + tok := resources.BuildToken(m.moduleName.Lowered(), string(m.sdkVersion), enumName) enumSpec := &pschema.ComplexTypeSpec{ Enum: []pschema.EnumValueSpec{}, From 975beb0484674af6059a5b0851b935f97a0e5367 Mon Sep 17 00:00:00 2001 From: Daniel Bradley Date: Mon, 7 Apr 2025 15:34:05 +0100 Subject: [PATCH 09/10] Fix gen unit tests Update for new module & explicit token naming --- provider/pkg/gen/params_test.go | 14 +++++++------- provider/pkg/gen/schema_test.go | 34 ++++++++++++++++----------------- provider/pkg/gen/types_test.go | 28 +++++++++++++-------------- 3 files changed, 38 insertions(+), 38 deletions(-) diff --git a/provider/pkg/gen/params_test.go b/provider/pkg/gen/params_test.go index ddb4cb8fb831..09f5bdae9fdc 100644 --- a/provider/pkg/gen/params_test.go +++ b/provider/pkg/gen/params_test.go @@ -36,7 +36,7 @@ func TestFlattenParams(t *testing.T) { }{ { name: "ContainersInBody", - resourceName: "azure-native:compute/v20230301:VirtualMachine", + resourceName: "azure-native:compute:VirtualMachine", input: map[string]interface{}{ "parameters": map[string]interface{}{ "resourceGroupName": "myResourceGroup", @@ -155,7 +155,7 @@ func TestFlattenParams(t *testing.T) { }, }, }, - resourceName: "azure-native:botservice/v20220915:BotConnection", + resourceName: "azure-native:botservice:BotConnection", expected: map[string]interface{}{ "resourceGroupName": "OneResourceGroupName", "resourceName": "samplebotname", @@ -361,7 +361,7 @@ func TestFlattenParams(t *testing.T) { }, }, }, - resourceName: "azure-native:network/v20230201:NetworkSecurityGroup", + resourceName: "azure-native:network:NetworkSecurityGroup", expected: map[string]interface{}{ "networkSecurityGroupName": "rancher-security-group", "securityRules": []interface{}{ @@ -387,7 +387,7 @@ func TestFlattenParams(t *testing.T) { { name: "NestedObject", inputFunc: serialize(npe), - resourceName: "azure-native:automation/v20170515preview:SoftwareUpdateConfigurationByName", + resourceName: "azure-native:automation:SoftwareUpdateConfigurationByName", expected: map[string]interface{}{ "automationAccountName": "myaccount", "resourceGroupName": "mygroup", @@ -665,7 +665,7 @@ func TestFlattenParams(t *testing.T) { } } }`), - resourceName: "azure-native:web/v20220901:WebApp", + resourceName: "azure-native:web:WebApp", expected: map[string]interface{}{ "serverFarmId": "[resourceId('Microsoft.Web/serverfarms', variables('appServicePlanPortalName'))]", "siteConfig": "[variables('configReference')[parameters('language')]]", @@ -750,7 +750,7 @@ func TestFlattenParams(t *testing.T) { } } }`), - resourceName: "azure-native:compute/v20230301:VirtualMachineExtension", + resourceName: "azure-native:compute:VirtualMachineExtension", expected: map[string]interface{}{ "autoUpgradeMinorVersion": true, "publisher": "Microsoft.OSTCExtensions", @@ -788,7 +788,7 @@ func TestFlattenParams(t *testing.T) { }, }, }, - resourceName: "azure-native:botservice/v20220915:Channel", + resourceName: "azure-native:botservice:Channel", expected: map[string]interface{}{ "channelName": "AlexaChannel", "location": "global", diff --git a/provider/pkg/gen/schema_test.go b/provider/pkg/gen/schema_test.go index 88227ed8006d..ac121364a5fa 100644 --- a/provider/pkg/gen/schema_test.go +++ b/provider/pkg/gen/schema_test.go @@ -92,8 +92,8 @@ func TestAliases(t *testing.T) { t.Run("compatible version", func(t *testing.T) { actual := generateTypeAliases("Insights", "PrivateLinkForAzureAd", "v20220222", nil, nil, []openapi.ApiVersion{"2020-01-10", "2021-01-11"}) expected := []string{ - "azure-native:insights/v20200110:PrivateLinkForAzureAd", - "azure-native:insights/v20210111:PrivateLinkForAzureAd", + "azure-native_insights_v20200110:insights:PrivateLinkForAzureAd", + "azure-native_insights_v20210111:insights:PrivateLinkForAzureAd", } assert.ElementsMatch(t, expected, actual) }) @@ -101,7 +101,7 @@ func TestAliases(t *testing.T) { t.Run("type alias", func(t *testing.T) { actual := generateTypeAliases("Insights", "PrivateLinkForAzureAd", "v20220222", nil, []string{"privateLinkForAzureAd"}, []openapi.ApiVersion{}) expected := []string{ - "azure-native:insights/v20220222:privateLinkForAzureAd", + "azure-native_insights_v20220222:insights:privateLinkForAzureAd", } assert.ElementsMatch(t, expected, actual) }) @@ -109,11 +109,11 @@ func TestAliases(t *testing.T) { t.Run("compatible version & type alias", func(t *testing.T) { actual := generateTypeAliases("Insights", "PrivateLinkForAzureAd", "v20220222", nil, []string{"privateLinkForAzureAd"}, []openapi.ApiVersion{"2020-01-10", "2021-01-11"}) expected := []string{ - "azure-native:insights/v20200110:privateLinkForAzureAd", - "azure-native:insights/v20200110:PrivateLinkForAzureAd", - "azure-native:insights/v20210111:privateLinkForAzureAd", - "azure-native:insights/v20210111:PrivateLinkForAzureAd", - "azure-native:insights/v20220222:privateLinkForAzureAd", + "azure-native_insights_v20200110:insights:privateLinkForAzureAd", + "azure-native_insights_v20200110:insights:PrivateLinkForAzureAd", + "azure-native_insights_v20210111:insights:privateLinkForAzureAd", + "azure-native_insights_v20210111:insights:PrivateLinkForAzureAd", + "azure-native_insights_v20220222:insights:privateLinkForAzureAd", } assert.ElementsMatch(t, expected, actual) }) @@ -129,9 +129,9 @@ func TestAliases(t *testing.T) { t.Run("previous module & compatible version", func(t *testing.T) { actual := generateTypeAliases("Monitor", "PrivateLinkForAzureAd", "v20220222", []string{"azure-native:insights/v20220222:PrivateLinkForAzureAd"}, nil, []openapi.ApiVersion{"2020-01-10", "2021-01-11"}) expected := []string{ - "azure-native:monitor/v20200110:PrivateLinkForAzureAd", // change version - "azure-native:insights/v20220222:PrivateLinkForAzureAd", // previous major version - "azure-native:monitor/v20210111:PrivateLinkForAzureAd", // change version + "azure-native_monitor_v20200110:monitor:PrivateLinkForAzureAd", // change version + "azure-native:insights/v20220222:PrivateLinkForAzureAd", // previous major version + "azure-native_monitor_v20210111:monitor:PrivateLinkForAzureAd", // change version } assert.ElementsMatch(t, expected, actual) }) @@ -139,12 +139,12 @@ func TestAliases(t *testing.T) { t.Run("previous module, compatible version & type alias", func(t *testing.T) { actual := generateTypeAliases("Monitor", "PrivateLinkForAzureAd", "v20220222", []string{"azure-native:insights/v20220222:PrivateLinkForAzureAd"}, []string{"privateLinkForAzureAd"}, []openapi.ApiVersion{"2020-01-10", "2021-01-11"}) expected := []string{ - "azure-native:monitor/v20200110:PrivateLinkForAzureAd", // change version - "azure-native:monitor/v20200110:privateLinkForAzureAd", // change version & case - "azure-native:monitor/v20210111:PrivateLinkForAzureAd", // change version - "azure-native:monitor/v20210111:privateLinkForAzureAd", // change version & case - "azure-native:monitor/v20220222:privateLinkForAzureAd", // change case - "azure-native:insights/v20220222:PrivateLinkForAzureAd", // previous major version + "azure-native_monitor_v20200110:monitor:PrivateLinkForAzureAd", // change version + "azure-native_monitor_v20200110:monitor:privateLinkForAzureAd", // change version & case + "azure-native_monitor_v20210111:monitor:PrivateLinkForAzureAd", // change version + "azure-native_monitor_v20210111:monitor:privateLinkForAzureAd", // change version & case + "azure-native_monitor_v20220222:monitor:privateLinkForAzureAd", // change case + "azure-native:insights/v20220222:PrivateLinkForAzureAd", // previous major version } assert.ElementsMatch(t, expected, actual) }) diff --git a/provider/pkg/gen/types_test.go b/provider/pkg/gen/types_test.go index 556f3b58d040..c8265d054339 100644 --- a/provider/pkg/gen/types_test.go +++ b/provider/pkg/gen/types_test.go @@ -16,7 +16,7 @@ func TestEnumExtensionCaseCollapsing(t *testing.T) { Name: "azure-native", Types: map[string]schema.ComplexTypeSpec{}, }, - module: "MyModule", + moduleName: "MyModule", } // Doesn't return the enum - it's added to the Types map schema := &spec.Schema{ @@ -31,10 +31,10 @@ func TestEnumExtensionCaseCollapsing(t *testing.T) { require.NoError(t, err) assert.Len(t, generator.pkg.Types, 1) - require.Contains(t, generator.pkg.Types, "azure-native:MyModule:MyProp") - require.Len(t, generator.pkg.Types["azure-native:MyModule:MyProp"].Enum, 2) - assert.Equal(t, generator.pkg.Types["azure-native:MyModule:MyProp"].Enum[0].Value, "foo") - assert.Equal(t, generator.pkg.Types["azure-native:MyModule:MyProp"].Enum[1].Value, "bar") + require.Contains(t, generator.pkg.Types, "azure-native:mymodule:MyProp") + require.Len(t, generator.pkg.Types["azure-native:mymodule:MyProp"].Enum, 2) + assert.Equal(t, generator.pkg.Types["azure-native:mymodule:MyProp"].Enum[0].Value, "foo") + assert.Equal(t, generator.pkg.Types["azure-native:mymodule:MyProp"].Enum[1].Value, "bar") } func TestEnumNonExtensionCaseCollapsing(t *testing.T) { @@ -43,7 +43,7 @@ func TestEnumNonExtensionCaseCollapsing(t *testing.T) { Name: "azure-native", Types: map[string]schema.ComplexTypeSpec{}, }, - module: "MyModule", + moduleName: "MyModule", } // Doesn't return the enum - it's added to the Types map _, err := generator.genEnumType(&spec.Schema{ @@ -58,10 +58,10 @@ func TestEnumNonExtensionCaseCollapsing(t *testing.T) { require.NoError(t, err) assert.Len(t, generator.pkg.Types, 1) - require.Contains(t, generator.pkg.Types, "azure-native:MyModule:MyProp") - require.Len(t, generator.pkg.Types["azure-native:MyModule:MyProp"].Enum, 2) - assert.Equal(t, generator.pkg.Types["azure-native:MyModule:MyProp"].Enum[0].Value, "foo") - assert.Equal(t, generator.pkg.Types["azure-native:MyModule:MyProp"].Enum[1].Value, "bar") + require.Contains(t, generator.pkg.Types, "azure-native:mymodule:MyProp") + require.Len(t, generator.pkg.Types["azure-native:mymodule:MyProp"].Enum, 2) + assert.Equal(t, generator.pkg.Types["azure-native:mymodule:MyProp"].Enum[0].Value, "foo") + assert.Equal(t, generator.pkg.Types["azure-native:mymodule:MyProp"].Enum[1].Value, "bar") } func TestEnumNameFallbackToPropertyNames(t *testing.T) { @@ -70,7 +70,7 @@ func TestEnumNameFallbackToPropertyNames(t *testing.T) { Name: "azure-native", Types: map[string]schema.ComplexTypeSpec{}, }, - module: "MyModule", + moduleName: "MyModule", } schema := &spec.Schema{ SchemaProps: spec.SchemaProps{}, @@ -84,7 +84,7 @@ func TestEnumNameFallbackToPropertyNames(t *testing.T) { _, err := generator.genEnumType(schema, &openapi.ReferenceContext{}, enumExtensions, propertyName) require.NoError(t, err) assert.Len(t, generator.pkg.Types, 1) - require.Contains(t, generator.pkg.Types, "azure-native:MyModule:MyProp") - require.Len(t, generator.pkg.Types["azure-native:MyModule:MyProp"].Enum, 1) - assert.Equal(t, generator.pkg.Types["azure-native:MyModule:MyProp"].Enum[0].Value, "foo") + require.Contains(t, generator.pkg.Types, "azure-native:mymodule:MyProp") + require.Len(t, generator.pkg.Types["azure-native:mymodule:MyProp"].Enum, 1) + assert.Equal(t, generator.pkg.Types["azure-native:mymodule:MyProp"].Enum[0].Value, "foo") } From e15c93266348252b9cfa4c46ba7f6d30ec291536 Mon Sep 17 00:00:00 2001 From: Daniel Bradley Date: Tue, 8 Apr 2025 14:16:34 +0100 Subject: [PATCH 10/10] Update unit tests --- .../pkg/provider/provider_parameterize_test.go | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/provider/pkg/provider/provider_parameterize_test.go b/provider/pkg/provider/provider_parameterize_test.go index 10e7cade4f09..749861e6a05c 100644 --- a/provider/pkg/provider/provider_parameterize_test.go +++ b/provider/pkg/provider/provider_parameterize_test.go @@ -59,7 +59,7 @@ func TestGetParameterizeArgs(t *testing.T) { got, err := getParameterizeArgs(req) require.NoError(t, err) require.Equal(t, "aad", got.Module) - require.Equal(t, "v20221201", got.Version) + require.EqualValues(t, "v20221201", got.Version) }) t.Run("unexpected args", func(t *testing.T) { @@ -107,7 +107,7 @@ func TestParameterizeCreatesSchemaAndMetadata(t *testing.T) { provider, err := makeProviderInternal(nil, "azure-native", providerVersion, schemaBytes, &resources.APIMetadata{ Types: resources.GoMap[resources.AzureAPIType]{}, Resources: resources.GoMap[resources.AzureAPIResource]{ - "azure-native:aad/v20221201:DomainService": {}, + "azure-native_aad_v20221201:aad:DomainService": {}, }, Invokes: resources.GoMap[resources.AzureAPIInvoke]{}, }) @@ -161,7 +161,7 @@ func TestParameterizeCreatesSchemaAndMetadata(t *testing.T) { args, err := deserializeParameterizeArgs(schema.Parameterization.Parameter) require.NoError(t, err) assert.Equal(t, "aad", args.Module) - assert.Equal(t, "v20221201", args.Version) + assert.EqualValues(t, "v20221201", args.Version) } func TestRoundtripParameterizeArgs(t *testing.T) { @@ -184,15 +184,15 @@ func TestFilterTokens(t *testing.T) { t.Parallel() types := map[string]struct{}{ - "azure-native:aad:Application": {}, - "azure-native:aad/v20221201:Application": {}, - "azure-native:aad/v20331201:Application": {}, - "azure-native:storage/v20221201:StorageAccount": {}, + "azure-native:aad:Application": {}, + "azure-native_aad_v20221201:aad:Application": {}, + "azure-native_aad_v20331201:aad:Application": {}, + "azure-native_storage_v20221201:storage:StorageAccount": {}, } names, err := filterTokens(types, "aad", "v20221201") require.NoError(t, err) require.Len(t, names, 1) - require.Equal(t, "Application", names["azure-native:aad/v20221201:Application"]) + require.Equal(t, "Application", names["azure-native_aad_v20221201:aad:Application"]) } func TestParseApiVersion(t *testing.T) { @@ -218,7 +218,7 @@ func TestParseApiVersion(t *testing.T) { } { parsed, err := parseApiVersion(v[0]) require.NoError(t, err) - assert.Equal(t, v[1], parsed) + assert.EqualValues(t, v[1], parsed) } })